The JUCE cross-platform C++ framework, with DISTRHO/KXStudio specific changes
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

260964 lines
7.7MB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library - "Jules' Utility Class Extensions"
  4. Copyright 2004-7 by Raw Material Software ltd.
  5. ------------------------------------------------------------------------------
  6. JUCE can be redistributed and/or modified under the terms of the
  7. GNU General Public License, as published by the Free Software Foundation;
  8. either version 2 of the License, or (at your option) any later version.
  9. JUCE is distributed in the hope that it will be useful,
  10. but WITHOUT ANY WARRANTY; without even the implied warranty of
  11. MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  12. GNU General Public License for more details.
  13. You should have received a copy of the GNU General Public License
  14. along with JUCE; if not, visit www.gnu.org/licenses or write to the
  15. Free Software Foundation, Inc., 59 Temple Place, Suite 330,
  16. Boston, MA 02111-1307 USA
  17. ------------------------------------------------------------------------------
  18. If you'd like to release a closed-source product which uses JUCE, commercial
  19. licenses are also available: visit www.rawmaterialsoftware.com/juce for
  20. more information.
  21. ==============================================================================
  22. */
  23. /*
  24. This monolithic file contains the entire Juce source tree!
  25. To build an app which uses Juce, all you need to do is to add this
  26. file to your project, and include juce.h in your own cpp files.
  27. */
  28. //==============================================================================
  29. #ifdef _WIN32
  30. /********* Start of inlined file: win32_headers.h *********/
  31. #ifndef __WIN32_HEADERS_JUCEHEADER__
  32. #define __WIN32_HEADERS_JUCEHEADER__
  33. #ifndef STRICT
  34. #define STRICT 1
  35. #endif
  36. #define WIN32_LEAN_AND_MEAN
  37. // don't want to get told about microsoft's mistakes..
  38. #ifdef _MSC_VER
  39. #pragma warning (push)
  40. #pragma warning (disable : 4100 4201)
  41. #endif
  42. // use Platform SDK as win2000 unless this is disabled
  43. #ifndef DISABLE_TRANSPARENT_WINDOWS
  44. #define _WIN32_WINNT 0x0500
  45. #endif
  46. #define _UNICODE 1
  47. #define UNICODE 1
  48. #include <windows.h>
  49. #include <commdlg.h>
  50. #include <shellapi.h>
  51. #include <mmsystem.h>
  52. #include <vfw.h>
  53. #include <tchar.h>
  54. #undef PACKED
  55. #ifdef _MSC_VER
  56. #pragma warning (pop)
  57. #endif
  58. #endif // __WIN32_HEADERS_JUCEHEADER__
  59. /********* End of inlined file: win32_headers.h *********/
  60. #include <winsock2.h>
  61. #include <mapi.h>
  62. #include <ctime>
  63. #if JUCE_QUICKTIME
  64. #include <Movies.h>
  65. #include <QTML.h>
  66. #include <QuickTimeComponents.h>
  67. #include <MediaHandlers.h>
  68. #include <ImageCodec.h>
  69. #undef TARGET_OS_MAC // quicktime sets these, but they confuse some of the 3rd party libs
  70. #undef MACOS
  71. #endif
  72. #elif defined (LINUX)
  73. #else
  74. #include <Carbon/Carbon.h>
  75. #include <CoreAudio/HostTime.h>
  76. #define __Point__
  77. #include <IOKit/IOKitLib.h>
  78. #include <IOKit/graphics/IOGraphicsTypes.h>
  79. #include <IOKit/network/IOEthernetInterface.h>
  80. #include <IOKit/network/IONetworkInterface.h>
  81. #include <IOKit/network/IOEthernetController.h>
  82. #include <IOKit/IOCFPlugIn.h>
  83. #include <IOKit/hid/IOHIDLib.h>
  84. #include <IOKit/hid/IOHIDKeys.h>
  85. #include <sys/filedesc.h>
  86. #include <sys/time.h>
  87. #include <sys/proc.h>
  88. #include <Kernel/libkern/OSTypes.h>
  89. #endif
  90. //==============================================================================
  91. #define DONT_SET_USING_JUCE_NAMESPACE 1
  92. #include "juce_amalgamated.h"
  93. #define NO_DUMMY_DECL
  94. #if (defined(_MSC_VER) && (_MSC_VER <= 1200))
  95. #pragma warning (disable: 4309 4305)
  96. #endif
  97. //==============================================================================
  98. /********* Start of inlined file: juce_FileLogger.cpp *********/
  99. BEGIN_JUCE_NAMESPACE
  100. FileLogger::FileLogger (const File& logFile_,
  101. const String& welcomeMessage,
  102. const int maxInitialFileSizeBytes)
  103. : logFile (logFile_)
  104. {
  105. if (maxInitialFileSizeBytes >= 0)
  106. trimFileSize (maxInitialFileSizeBytes);
  107. if (! logFile_.exists())
  108. {
  109. // do this so that the parent directories get created..
  110. logFile_.create();
  111. }
  112. logStream = logFile_.createOutputStream (256);
  113. jassert (logStream != 0);
  114. String welcome;
  115. welcome << "\r\n**********************************************************\r\n"
  116. << welcomeMessage
  117. << "\r\nLog started: " << Time::getCurrentTime().toString (true, true)
  118. << "\r\n";
  119. logMessage (welcome);
  120. }
  121. FileLogger::~FileLogger()
  122. {
  123. deleteAndZero (logStream);
  124. }
  125. void FileLogger::logMessage (const String& message)
  126. {
  127. if (logStream != 0)
  128. {
  129. Logger::outputDebugString (message);
  130. const ScopedLock sl (logLock);
  131. (*logStream) << message << T("\r\n");
  132. logStream->flush();
  133. }
  134. }
  135. void FileLogger::trimFileSize (int maxFileSizeBytes) const
  136. {
  137. if (maxFileSizeBytes <= 0)
  138. {
  139. logFile.deleteFile();
  140. }
  141. else
  142. {
  143. const int64 fileSize = logFile.getSize();
  144. if (fileSize > maxFileSizeBytes)
  145. {
  146. FileInputStream* const in = logFile.createInputStream();
  147. jassert (in != 0);
  148. if (in != 0)
  149. {
  150. in->setPosition (fileSize - maxFileSizeBytes);
  151. String content;
  152. {
  153. MemoryBlock contentToSave;
  154. contentToSave.setSize (maxFileSizeBytes + 4);
  155. contentToSave.fillWith (0);
  156. in->read (contentToSave.getData(), maxFileSizeBytes);
  157. delete in;
  158. content = contentToSave.toString();
  159. }
  160. int newStart = 0;
  161. while (newStart < fileSize
  162. && content[newStart] != '\n'
  163. && content[newStart] != '\r')
  164. ++newStart;
  165. logFile.deleteFile();
  166. logFile.appendText (content.substring (newStart), false, false);
  167. }
  168. }
  169. }
  170. }
  171. FileLogger* FileLogger::createDefaultAppLogger (const String& logFileSubDirectoryName,
  172. const String& logFileName,
  173. const String& welcomeMessage,
  174. const int maxInitialFileSizeBytes)
  175. {
  176. #if JUCE_MAC
  177. File logFile ("~/Library/Logs");
  178. logFile = logFile.getChildFile (logFileName);
  179. #else
  180. File logFile (File::getSpecialLocation (File::userApplicationDataDirectory));
  181. if (logFile.isDirectory())
  182. {
  183. logFile = logFile.getChildFile (logFileSubDirectoryName)
  184. .getChildFile (logFileName);
  185. }
  186. #endif
  187. return new FileLogger (logFile, welcomeMessage, maxInitialFileSizeBytes);
  188. }
  189. END_JUCE_NAMESPACE
  190. /********* End of inlined file: juce_FileLogger.cpp *********/
  191. /********* Start of inlined file: juce_Logger.cpp *********/
  192. BEGIN_JUCE_NAMESPACE
  193. Logger::Logger()
  194. {
  195. }
  196. Logger::~Logger()
  197. {
  198. }
  199. static Logger* currentLogger = 0;
  200. void Logger::setCurrentLogger (Logger* const newLogger,
  201. const bool deleteOldLogger)
  202. {
  203. Logger* const oldLogger = currentLogger;
  204. currentLogger = newLogger;
  205. if (deleteOldLogger && (oldLogger != 0))
  206. delete oldLogger;
  207. }
  208. void Logger::writeToLog (const String& message)
  209. {
  210. if (currentLogger != 0)
  211. currentLogger->logMessage (message);
  212. else
  213. outputDebugString (message);
  214. }
  215. #if JUCE_LOG_ASSERTIONS
  216. void JUCE_API juce_LogAssertion (const char* filename, const int lineNum) throw()
  217. {
  218. String m ("JUCE Assertion failure in ");
  219. m << filename << ", line " << lineNum;
  220. Logger::writeToLog (m);
  221. }
  222. #endif
  223. END_JUCE_NAMESPACE
  224. /********* End of inlined file: juce_Logger.cpp *********/
  225. /********* Start of inlined file: juce_Random.cpp *********/
  226. BEGIN_JUCE_NAMESPACE
  227. Random::Random (const int64 seedValue) throw()
  228. : seed (seedValue)
  229. {
  230. }
  231. Random::~Random() throw()
  232. {
  233. }
  234. void Random::setSeed (const int64 newSeed) throw()
  235. {
  236. seed = newSeed;
  237. }
  238. int Random::nextInt() throw()
  239. {
  240. seed = (seed * literal64bit (0x5deece66d) + 11) & literal64bit (0xffffffffffff);
  241. return (int) (seed >> 16);
  242. }
  243. int Random::nextInt (const int maxValue) throw()
  244. {
  245. jassert (maxValue > 0);
  246. return (nextInt() & 0x7fffffff) % maxValue;
  247. }
  248. int64 Random::nextInt64() throw()
  249. {
  250. return (((int64) nextInt()) << 32) | (int64) (uint64) (uint32) nextInt();
  251. }
  252. bool Random::nextBool() throw()
  253. {
  254. return (nextInt() & 0x80000000) != 0;
  255. }
  256. float Random::nextFloat() throw()
  257. {
  258. return ((uint32) nextInt()) / (float) 0xffffffff;
  259. }
  260. double Random::nextDouble() throw()
  261. {
  262. return ((uint32) nextInt()) / (double) 0xffffffff;
  263. }
  264. static Random sysRand (1);
  265. Random& Random::getSystemRandom() throw()
  266. {
  267. return sysRand;
  268. }
  269. END_JUCE_NAMESPACE
  270. /********* End of inlined file: juce_Random.cpp *********/
  271. /********* Start of inlined file: juce_RelativeTime.cpp *********/
  272. BEGIN_JUCE_NAMESPACE
  273. RelativeTime::RelativeTime (const double seconds_) throw()
  274. : seconds (seconds_)
  275. {
  276. }
  277. RelativeTime::RelativeTime (const RelativeTime& other) throw()
  278. : seconds (other.seconds)
  279. {
  280. }
  281. RelativeTime::~RelativeTime() throw()
  282. {
  283. }
  284. const RelativeTime RelativeTime::milliseconds (const int milliseconds) throw()
  285. {
  286. return RelativeTime (milliseconds * 0.001);
  287. }
  288. const RelativeTime RelativeTime::milliseconds (const int64 milliseconds) throw()
  289. {
  290. return RelativeTime (milliseconds * 0.001);
  291. }
  292. const RelativeTime RelativeTime::minutes (const double numberOfMinutes) throw()
  293. {
  294. return RelativeTime (numberOfMinutes * 60.0);
  295. }
  296. const RelativeTime RelativeTime::hours (const double numberOfHours) throw()
  297. {
  298. return RelativeTime (numberOfHours * (60.0 * 60.0));
  299. }
  300. const RelativeTime RelativeTime::days (const double numberOfDays) throw()
  301. {
  302. return RelativeTime (numberOfDays * (60.0 * 60.0 * 24.0));
  303. }
  304. const RelativeTime RelativeTime::weeks (const double numberOfWeeks) throw()
  305. {
  306. return RelativeTime (numberOfWeeks * (60.0 * 60.0 * 24.0 * 7.0));
  307. }
  308. int64 RelativeTime::inMilliseconds() const throw()
  309. {
  310. return (int64)(seconds * 1000.0);
  311. }
  312. double RelativeTime::inMinutes() const throw()
  313. {
  314. return seconds / 60.0;
  315. }
  316. double RelativeTime::inHours() const throw()
  317. {
  318. return seconds / (60.0 * 60.0);
  319. }
  320. double RelativeTime::inDays() const throw()
  321. {
  322. return seconds / (60.0 * 60.0 * 24.0);
  323. }
  324. double RelativeTime::inWeeks() const throw()
  325. {
  326. return seconds / (60.0 * 60.0 * 24.0 * 7.0);
  327. }
  328. const String RelativeTime::getDescription (const String& returnValueForZeroTime) const throw()
  329. {
  330. if (seconds < 0.001 && seconds > -0.001)
  331. return returnValueForZeroTime;
  332. String result;
  333. if (seconds < 0)
  334. result = T("-");
  335. int fieldsShown = 0;
  336. int n = abs ((int) inWeeks());
  337. if (n > 0)
  338. {
  339. result << n << ((n == 1) ? TRANS(" week ")
  340. : TRANS(" weeks "));
  341. ++fieldsShown;
  342. }
  343. n = abs ((int) inDays()) % 7;
  344. if (n > 0)
  345. {
  346. result << n << ((n == 1) ? TRANS(" day ")
  347. : TRANS(" days "));
  348. ++fieldsShown;
  349. }
  350. if (fieldsShown < 2)
  351. {
  352. n = abs ((int) inHours()) % 24;
  353. if (n > 0)
  354. {
  355. result << n << ((n == 1) ? TRANS(" hr ")
  356. : TRANS(" hrs "));
  357. ++fieldsShown;
  358. }
  359. if (fieldsShown < 2)
  360. {
  361. n = abs ((int) inMinutes()) % 60;
  362. if (n > 0)
  363. {
  364. result << n << ((n == 1) ? TRANS(" min ")
  365. : TRANS(" mins "));
  366. ++fieldsShown;
  367. }
  368. if (fieldsShown < 2)
  369. {
  370. n = abs ((int) inSeconds()) % 60;
  371. if (n > 0)
  372. {
  373. result << n << ((n == 1) ? TRANS(" sec ")
  374. : TRANS(" secs "));
  375. ++fieldsShown;
  376. }
  377. if (fieldsShown < 1)
  378. {
  379. n = abs ((int) inMilliseconds()) % 1000;
  380. if (n > 0)
  381. {
  382. result << n << TRANS(" ms");
  383. ++fieldsShown;
  384. }
  385. }
  386. }
  387. }
  388. }
  389. return result.trimEnd();
  390. }
  391. const RelativeTime& RelativeTime::operator= (const RelativeTime& other) throw()
  392. {
  393. seconds = other.seconds;
  394. return *this;
  395. }
  396. bool RelativeTime::operator== (const RelativeTime& other) const throw()
  397. {
  398. return seconds == other.seconds;
  399. }
  400. bool RelativeTime::operator!= (const RelativeTime& other) const throw()
  401. {
  402. return seconds != other.seconds;
  403. }
  404. bool RelativeTime::operator> (const RelativeTime& other) const throw()
  405. {
  406. return seconds > other.seconds;
  407. }
  408. bool RelativeTime::operator< (const RelativeTime& other) const throw()
  409. {
  410. return seconds < other.seconds;
  411. }
  412. bool RelativeTime::operator>= (const RelativeTime& other) const throw()
  413. {
  414. return seconds >= other.seconds;
  415. }
  416. bool RelativeTime::operator<= (const RelativeTime& other) const throw()
  417. {
  418. return seconds <= other.seconds;
  419. }
  420. const RelativeTime RelativeTime::operator+ (const RelativeTime& timeToAdd) const throw()
  421. {
  422. return RelativeTime (seconds + timeToAdd.seconds);
  423. }
  424. const RelativeTime RelativeTime::operator- (const RelativeTime& timeToSubtract) const throw()
  425. {
  426. return RelativeTime (seconds - timeToSubtract.seconds);
  427. }
  428. const RelativeTime RelativeTime::operator+ (const double secondsToAdd) const throw()
  429. {
  430. return RelativeTime (seconds + secondsToAdd);
  431. }
  432. const RelativeTime RelativeTime::operator- (const double secondsToSubtract) const throw()
  433. {
  434. return RelativeTime (seconds - secondsToSubtract);
  435. }
  436. const RelativeTime& RelativeTime::operator+= (const RelativeTime& timeToAdd) throw()
  437. {
  438. seconds += timeToAdd.seconds;
  439. return *this;
  440. }
  441. const RelativeTime& RelativeTime::operator-= (const RelativeTime& timeToSubtract) throw()
  442. {
  443. seconds -= timeToSubtract.seconds;
  444. return *this;
  445. }
  446. const RelativeTime& RelativeTime::operator+= (const double secondsToAdd) throw()
  447. {
  448. seconds += secondsToAdd;
  449. return *this;
  450. }
  451. const RelativeTime& RelativeTime::operator-= (const double secondsToSubtract) throw()
  452. {
  453. seconds -= secondsToSubtract;
  454. return *this;
  455. }
  456. END_JUCE_NAMESPACE
  457. /********* End of inlined file: juce_RelativeTime.cpp *********/
  458. /********* Start of inlined file: juce_SystemStats.cpp *********/
  459. BEGIN_JUCE_NAMESPACE
  460. void juce_initialiseStrings();
  461. const String SystemStats::getJUCEVersion() throw()
  462. {
  463. return "JUCE v" + String (JUCE_MAJOR_VERSION) + "." + String (JUCE_MINOR_VERSION);
  464. }
  465. static bool juceInitialisedNonGUI = false;
  466. void JUCE_PUBLIC_FUNCTION initialiseJuce_NonGUI()
  467. {
  468. if (! juceInitialisedNonGUI)
  469. {
  470. #ifdef JUCE_DEBUG
  471. // Some simple test code to keep an eye on things and make sure these functions
  472. // work ok on all platforms. Let me know if any of these assertions fail!
  473. int n = 1;
  474. atomicIncrement (n);
  475. jassert (atomicIncrementAndReturn (n) == 3);
  476. atomicDecrement (n);
  477. jassert (atomicDecrementAndReturn (n) == 1);
  478. jassert (swapByteOrder ((uint32) 0x11223344) == 0x44332211);
  479. // quick test to make sure the run-time lib doesn't crash on freeing a null-pointer.
  480. SystemStats* nullPointer = 0;
  481. juce_free (nullPointer);
  482. delete[] nullPointer;
  483. delete nullPointer;
  484. #endif
  485. // Now the real initialisation..
  486. juceInitialisedNonGUI = true;
  487. DBG (SystemStats::getJUCEVersion());
  488. juce_initialiseStrings();
  489. SystemStats::initialiseStats();
  490. Random::getSystemRandom().setSeed (Time::currentTimeMillis());
  491. }
  492. }
  493. #if JUCE_WIN32
  494. // This is imported from the sockets code..
  495. typedef int (__stdcall juce_CloseWin32SocketLibCall) (void);
  496. extern juce_CloseWin32SocketLibCall* juce_CloseWin32SocketLib;
  497. #endif
  498. #if JUCE_DEBUG
  499. extern void juce_CheckForDanglingStreams();
  500. #endif
  501. void JUCE_PUBLIC_FUNCTION shutdownJuce_NonGUI()
  502. {
  503. if (juceInitialisedNonGUI)
  504. {
  505. #if JUCE_WIN32
  506. // need to shut down sockets if they were used..
  507. if (juce_CloseWin32SocketLib != 0)
  508. (*juce_CloseWin32SocketLib)();
  509. #endif
  510. LocalisedStrings::setCurrentMappings (0);
  511. Thread::stopAllThreads (3000);
  512. #if JUCE_DEBUG
  513. juce_CheckForDanglingStreams();
  514. #endif
  515. juceInitialisedNonGUI = false;
  516. }
  517. }
  518. #ifdef JUCE_DLL
  519. void* juce_Malloc (const int size)
  520. {
  521. return malloc (size);
  522. }
  523. void* juce_Calloc (const int size)
  524. {
  525. return calloc (1, size);
  526. }
  527. void* juce_Realloc (void* const block, const int size)
  528. {
  529. return realloc (block, size);
  530. }
  531. void juce_Free (void* const block)
  532. {
  533. free (block);
  534. }
  535. #if defined (JUCE_DEBUG) && JUCE_MSVC && JUCE_CHECK_MEMORY_LEAKS
  536. void* juce_DebugMalloc (const int size, const char* file, const int line)
  537. {
  538. return _malloc_dbg (size, _NORMAL_BLOCK, file, line);
  539. }
  540. void* juce_DebugCalloc (const int size, const char* file, const int line)
  541. {
  542. return _calloc_dbg (1, size, _NORMAL_BLOCK, file, line);
  543. }
  544. void* juce_DebugRealloc (void* const block, const int size, const char* file, const int line)
  545. {
  546. return _realloc_dbg (block, size, _NORMAL_BLOCK, file, line);
  547. }
  548. void juce_DebugFree (void* const block)
  549. {
  550. _free_dbg (block, _NORMAL_BLOCK);
  551. }
  552. #endif
  553. #endif
  554. END_JUCE_NAMESPACE
  555. /********* End of inlined file: juce_SystemStats.cpp *********/
  556. /********* Start of inlined file: juce_Time.cpp *********/
  557. #ifdef _MSC_VER
  558. #pragma warning (disable: 4514)
  559. #pragma warning (push)
  560. #endif
  561. #ifndef JUCE_WIN32
  562. #include <sys/time.h>
  563. #else
  564. #include <ctime>
  565. #endif
  566. #include <sys/timeb.h>
  567. BEGIN_JUCE_NAMESPACE
  568. #ifdef _MSC_VER
  569. #pragma warning (pop)
  570. #ifdef _INC_TIME_INL
  571. #define USE_NEW_SECURE_TIME_FNS
  572. #endif
  573. #endif
  574. static void millisToLocal (const int64 millis, struct tm& result) throw()
  575. {
  576. const int64 seconds = millis / 1000;
  577. if (seconds < literal64bit (86400) || seconds >= literal64bit (2145916800))
  578. {
  579. // use extended maths for dates beyond 1970 to 2037..
  580. const int timeZoneAdjustment = 31536000 - (int) (Time (1971, 0, 1, 0, 0).toMilliseconds() / 1000);
  581. const int64 jdm = seconds + timeZoneAdjustment + literal64bit (210866803200);
  582. const int days = (int) (jdm / literal64bit (86400));
  583. const int a = 32044 + days;
  584. const int b = (4 * a + 3) / 146097;
  585. const int c = a - (b * 146097) / 4;
  586. const int d = (4 * c + 3) / 1461;
  587. const int e = c - (d * 1461) / 4;
  588. const int m = (5 * e + 2) / 153;
  589. result.tm_mday = e - (153 * m + 2) / 5 + 1;
  590. result.tm_mon = m + 2 - 12 * (m / 10);
  591. result.tm_year = b * 100 + d - 6700 + (m / 10);
  592. result.tm_wday = (days + 1) % 7;
  593. result.tm_yday = -1;
  594. int t = (int) (jdm % literal64bit (86400));
  595. result.tm_hour = t / 3600;
  596. t %= 3600;
  597. result.tm_min = t / 60;
  598. result.tm_sec = t % 60;
  599. result.tm_isdst = -1;
  600. }
  601. else
  602. {
  603. time_t now = (time_t) (seconds);
  604. #if JUCE_WIN32
  605. #ifdef USE_NEW_SECURE_TIME_FNS
  606. if (now >= 0 && now <= 0x793406fff)
  607. localtime_s (&result, &now);
  608. else
  609. zeromem (&result, sizeof (result));
  610. #else
  611. result = *localtime (&now);
  612. #endif
  613. #else
  614. // more thread-safe
  615. localtime_r (&now, &result);
  616. #endif
  617. }
  618. }
  619. Time::Time() throw()
  620. : millisSinceEpoch (0)
  621. {
  622. }
  623. Time::Time (const Time& other) throw()
  624. : millisSinceEpoch (other.millisSinceEpoch)
  625. {
  626. }
  627. Time::Time (const int64 ms) throw()
  628. : millisSinceEpoch (ms)
  629. {
  630. }
  631. Time::Time (const int year,
  632. const int month,
  633. const int day,
  634. const int hours,
  635. const int minutes,
  636. const int seconds,
  637. const int milliseconds,
  638. const bool useLocalTime) throw()
  639. {
  640. jassert (year > 100); // year must be a 4-digit version
  641. if (year < 1971 || year >= 2038 || ! useLocalTime)
  642. {
  643. // use extended maths for dates beyond 1970 to 2037..
  644. const int timeZoneAdjustment = useLocalTime ? (31536000 - (int) (Time (1971, 0, 1, 0, 0).toMilliseconds() / 1000))
  645. : 0;
  646. const int a = (13 - month) / 12;
  647. const int y = year + 4800 - a;
  648. const int jd = day + (153 * (month + 12 * a - 2) + 2) / 5
  649. + (y * 365) + (y / 4) - (y / 100) + (y / 400)
  650. - 32045;
  651. const int64 s = ((int64) jd) * literal64bit (86400) - literal64bit (210866803200);
  652. millisSinceEpoch = 1000 * (s + (hours * 3600 + minutes * 60 + seconds - timeZoneAdjustment))
  653. + milliseconds;
  654. }
  655. else
  656. {
  657. struct tm t;
  658. t.tm_year = year - 1900;
  659. t.tm_mon = month;
  660. t.tm_mday = day;
  661. t.tm_hour = hours;
  662. t.tm_min = minutes;
  663. t.tm_sec = seconds;
  664. t.tm_isdst = -1;
  665. millisSinceEpoch = 1000 * (int64) mktime (&t);
  666. if (millisSinceEpoch < 0)
  667. millisSinceEpoch = 0;
  668. else
  669. millisSinceEpoch += milliseconds;
  670. }
  671. }
  672. Time::~Time() throw()
  673. {
  674. }
  675. const Time& Time::operator= (const Time& other) throw()
  676. {
  677. millisSinceEpoch = other.millisSinceEpoch;
  678. return *this;
  679. }
  680. int64 Time::currentTimeMillis() throw()
  681. {
  682. static uint32 lastCounterResult = 0xffffffff;
  683. static int64 correction = 0;
  684. const uint32 now = getMillisecondCounter();
  685. // check the counter hasn't wrapped (also triggered the first time this function is called)
  686. if (now < lastCounterResult)
  687. {
  688. // double-check it's actually wrapped, in case multi-cpu machines have timers that drift a bit.
  689. if (lastCounterResult == 0xffffffff || now < lastCounterResult - 10)
  690. {
  691. // get the time once using normal library calls, and store the difference needed to
  692. // turn the millisecond counter into a real time.
  693. #if JUCE_WIN32
  694. struct _timeb t;
  695. #ifdef USE_NEW_SECURE_TIME_FNS
  696. _ftime_s (&t);
  697. #else
  698. _ftime (&t);
  699. #endif
  700. correction = (((int64) t.time) * 1000 + t.millitm) - now;
  701. #else
  702. struct timeval tv;
  703. struct timezone tz;
  704. gettimeofday (&tv, &tz);
  705. correction = (((int64) tv.tv_sec) * 1000 + tv.tv_usec / 1000) - now;
  706. #endif
  707. }
  708. }
  709. lastCounterResult = now;
  710. return correction + now;
  711. }
  712. uint32 juce_millisecondsSinceStartup() throw();
  713. static uint32 lastMSCounterValue = 0;
  714. uint32 Time::getMillisecondCounter() throw()
  715. {
  716. const uint32 now = juce_millisecondsSinceStartup();
  717. if (now < lastMSCounterValue)
  718. {
  719. // in multi-threaded apps this might be called concurrently, so
  720. // make sure that our last counter value only increases and doesn't
  721. // go backwards..
  722. if (now < lastMSCounterValue - 1000)
  723. lastMSCounterValue = now;
  724. }
  725. else
  726. {
  727. lastMSCounterValue = now;
  728. }
  729. return now;
  730. }
  731. uint32 Time::getApproximateMillisecondCounter() throw()
  732. {
  733. jassert (lastMSCounterValue != 0);
  734. return lastMSCounterValue;
  735. }
  736. void Time::waitForMillisecondCounter (const uint32 targetTime) throw()
  737. {
  738. for (;;)
  739. {
  740. const uint32 now = getMillisecondCounter();
  741. if (now >= targetTime)
  742. break;
  743. const int toWait = targetTime - now;
  744. if (toWait > 2)
  745. {
  746. Thread::sleep (jmin (20, toWait >> 1));
  747. }
  748. else
  749. {
  750. // xxx should consider using mutex_pause on the mac as it apparently
  751. // makes it seem less like a spinlock and avoids lowering the thread pri.
  752. for (int i = 10; --i >= 0;)
  753. Thread::yield();
  754. }
  755. }
  756. }
  757. double Time::highResolutionTicksToSeconds (const int64 ticks) throw()
  758. {
  759. return ticks / (double) getHighResolutionTicksPerSecond();
  760. }
  761. int64 Time::secondsToHighResolutionTicks (const double seconds) throw()
  762. {
  763. return (int64) (seconds * (double) getHighResolutionTicksPerSecond());
  764. }
  765. const Time JUCE_CALLTYPE Time::getCurrentTime() throw()
  766. {
  767. return Time (currentTimeMillis());
  768. }
  769. const String Time::toString (const bool includeDate,
  770. const bool includeTime,
  771. const bool includeSeconds,
  772. const bool use24HourClock) const throw()
  773. {
  774. String result;
  775. if (includeDate)
  776. {
  777. result << getDayOfMonth() << ' '
  778. << getMonthName (true) << ' '
  779. << getYear();
  780. if (includeTime)
  781. result << ' ';
  782. }
  783. if (includeTime)
  784. {
  785. if (includeSeconds)
  786. {
  787. result += String::formatted (T("%d:%02d:%02d "),
  788. (use24HourClock) ? getHours()
  789. : getHoursInAmPmFormat(),
  790. getMinutes(),
  791. getSeconds());
  792. }
  793. else
  794. {
  795. result += String::formatted (T("%d.%02d"),
  796. (use24HourClock) ? getHours()
  797. : getHoursInAmPmFormat(),
  798. getMinutes());
  799. }
  800. if (! use24HourClock)
  801. result << (isAfternoon() ? "pm" : "am");
  802. }
  803. return result.trimEnd();
  804. }
  805. const String Time::formatted (const tchar* const format) const throw()
  806. {
  807. tchar buffer[80];
  808. struct tm t;
  809. millisToLocal (millisSinceEpoch, t);
  810. if (CharacterFunctions::ftime (buffer, 79, format, &t) <= 0)
  811. {
  812. int bufferSize = 128;
  813. for (;;)
  814. {
  815. MemoryBlock mb (bufferSize * sizeof (tchar));
  816. tchar* const b = (tchar*) mb.getData();
  817. if (CharacterFunctions::ftime (b, bufferSize, format, &t) > 0)
  818. return String (b);
  819. bufferSize += 128;
  820. }
  821. }
  822. return String (buffer);
  823. }
  824. int Time::getYear() const throw()
  825. {
  826. struct tm t;
  827. millisToLocal (millisSinceEpoch, t);
  828. return t.tm_year + 1900;
  829. }
  830. int Time::getMonth() const throw()
  831. {
  832. struct tm t;
  833. millisToLocal (millisSinceEpoch, t);
  834. return t.tm_mon;
  835. }
  836. int Time::getDayOfMonth() const throw()
  837. {
  838. struct tm t;
  839. millisToLocal (millisSinceEpoch, t);
  840. return t.tm_mday;
  841. }
  842. int Time::getDayOfWeek() const throw()
  843. {
  844. struct tm t;
  845. millisToLocal (millisSinceEpoch, t);
  846. return t.tm_wday;
  847. }
  848. int Time::getHours() const throw()
  849. {
  850. struct tm t;
  851. millisToLocal (millisSinceEpoch, t);
  852. return t.tm_hour;
  853. }
  854. int Time::getHoursInAmPmFormat() const throw()
  855. {
  856. const int hours = getHours();
  857. if (hours == 0)
  858. return 12;
  859. else if (hours <= 12)
  860. return hours;
  861. else
  862. return hours - 12;
  863. }
  864. bool Time::isAfternoon() const throw()
  865. {
  866. return getHours() >= 12;
  867. }
  868. static int extendedModulo (const int64 value, const int modulo) throw()
  869. {
  870. return (int) (value >= 0 ? (value % modulo)
  871. : (value - ((value / modulo) + 1) * modulo));
  872. }
  873. int Time::getMinutes() const throw()
  874. {
  875. return extendedModulo (millisSinceEpoch / 60000, 60);
  876. }
  877. int Time::getSeconds() const throw()
  878. {
  879. return extendedModulo (millisSinceEpoch / 1000, 60);
  880. }
  881. int Time::getMilliseconds() const throw()
  882. {
  883. return extendedModulo (millisSinceEpoch, 1000);
  884. }
  885. bool Time::isDaylightSavingTime() const throw()
  886. {
  887. struct tm t;
  888. millisToLocal (millisSinceEpoch, t);
  889. return t.tm_isdst != 0;
  890. }
  891. const String Time::getTimeZone() const throw()
  892. {
  893. String zone[2];
  894. #if JUCE_WIN32
  895. _tzset();
  896. #ifdef USE_NEW_SECURE_TIME_FNS
  897. {
  898. char name [128];
  899. size_t length;
  900. for (int i = 0; i < 2; ++i)
  901. {
  902. zeromem (name, sizeof (name));
  903. _get_tzname (&length, name, 127, i);
  904. zone[i] = name;
  905. }
  906. }
  907. #else
  908. const char** const zonePtr = (const char**) _tzname;
  909. zone[0] = zonePtr[0];
  910. zone[1] = zonePtr[1];
  911. #endif
  912. #else
  913. tzset();
  914. const char** const zonePtr = (const char**) tzname;
  915. zone[0] = zonePtr[0];
  916. zone[1] = zonePtr[1];
  917. #endif
  918. if (isDaylightSavingTime())
  919. {
  920. zone[0] = zone[1];
  921. if (zone[0].length() > 3
  922. && zone[0].containsIgnoreCase (T("daylight"))
  923. && zone[0].contains (T("GMT")))
  924. zone[0] = "BST";
  925. }
  926. return zone[0].substring (0, 3);
  927. }
  928. const String Time::getMonthName (const bool threeLetterVersion) const throw()
  929. {
  930. return getMonthName (getMonth(), threeLetterVersion);
  931. }
  932. const String Time::getWeekdayName (const bool threeLetterVersion) const throw()
  933. {
  934. return getWeekdayName (getDayOfWeek(), threeLetterVersion);
  935. }
  936. const String Time::getMonthName (int monthNumber,
  937. const bool threeLetterVersion) throw()
  938. {
  939. const char* const shortMonthNames[] = { "Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec" };
  940. const char* const longMonthNames[] = { "January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December" };
  941. monthNumber %= 12;
  942. return TRANS (threeLetterVersion ? shortMonthNames [monthNumber]
  943. : longMonthNames [monthNumber]);
  944. }
  945. const String Time::getWeekdayName (int day,
  946. const bool threeLetterVersion) throw()
  947. {
  948. const char* const shortDayNames[] = { "Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat" };
  949. const char* const longDayNames[] = { "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday" };
  950. day %= 7;
  951. return TRANS (threeLetterVersion ? shortDayNames [day]
  952. : longDayNames [day]);
  953. }
  954. END_JUCE_NAMESPACE
  955. /********* End of inlined file: juce_Time.cpp *********/
  956. /********* Start of inlined file: juce_BitArray.cpp *********/
  957. BEGIN_JUCE_NAMESPACE
  958. BitArray::BitArray() throw()
  959. : numValues (4),
  960. highestBit (-1),
  961. negative (false)
  962. {
  963. values = (unsigned int*) juce_calloc (sizeof (unsigned int) * (numValues + 1));
  964. }
  965. BitArray::BitArray (const int value) throw()
  966. : numValues (4),
  967. highestBit (31),
  968. negative (value < 0)
  969. {
  970. values = (unsigned int*) juce_calloc (sizeof (unsigned int) * (numValues + 1));
  971. values[0] = abs (value);
  972. highestBit = getHighestBit();
  973. }
  974. BitArray::BitArray (int64 value) throw()
  975. : numValues (4),
  976. highestBit (63),
  977. negative (value < 0)
  978. {
  979. values = (unsigned int*) juce_calloc (sizeof (unsigned int) * (numValues + 1));
  980. if (value < 0)
  981. value = -value;
  982. values[0] = (unsigned int) value;
  983. values[1] = (unsigned int) (value >> 32);
  984. highestBit = getHighestBit();
  985. }
  986. BitArray::BitArray (const unsigned int value) throw()
  987. : numValues (4),
  988. highestBit (31),
  989. negative (false)
  990. {
  991. values = (unsigned int*) juce_calloc (sizeof (unsigned int) * (numValues + 1));
  992. values[0] = value;
  993. highestBit = getHighestBit();
  994. }
  995. BitArray::BitArray (const BitArray& other) throw()
  996. : numValues (jmax (4, (other.highestBit >> 5) + 1)),
  997. highestBit (other.getHighestBit()),
  998. negative (other.negative)
  999. {
  1000. const int bytes = sizeof (unsigned int) * (numValues + 1);
  1001. values = (unsigned int*) juce_malloc (bytes);
  1002. memcpy (values, other.values, bytes);
  1003. }
  1004. BitArray::~BitArray() throw()
  1005. {
  1006. juce_free (values);
  1007. }
  1008. const BitArray& BitArray::operator= (const BitArray& other) throw()
  1009. {
  1010. if (this != &other)
  1011. {
  1012. juce_free (values);
  1013. highestBit = other.getHighestBit();
  1014. numValues = jmax (4, (highestBit >> 5) + 1);
  1015. negative = other.negative;
  1016. const int memSize = sizeof (unsigned int) * (numValues + 1);
  1017. values = (unsigned int*)juce_malloc (memSize);
  1018. memcpy (values, other.values, memSize);
  1019. }
  1020. return *this;
  1021. }
  1022. // result == 0 = the same
  1023. // result < 0 = this number is smaller
  1024. // result > 0 = this number is bigger
  1025. int BitArray::compare (const BitArray& other) const throw()
  1026. {
  1027. if (isNegative() == other.isNegative())
  1028. {
  1029. const int absComp = compareAbsolute (other);
  1030. return isNegative() ? -absComp : absComp;
  1031. }
  1032. else
  1033. {
  1034. return isNegative() ? -1 : 1;
  1035. }
  1036. }
  1037. int BitArray::compareAbsolute (const BitArray& other) const throw()
  1038. {
  1039. const int h1 = getHighestBit();
  1040. const int h2 = other.getHighestBit();
  1041. if (h1 > h2)
  1042. return 1;
  1043. else if (h1 < h2)
  1044. return -1;
  1045. for (int i = (h1 >> 5) + 1; --i >= 0;)
  1046. if (values[i] != other.values[i])
  1047. return (values[i] > other.values[i]) ? 1 : -1;
  1048. return 0;
  1049. }
  1050. bool BitArray::operator== (const BitArray& other) const throw()
  1051. {
  1052. return compare (other) == 0;
  1053. }
  1054. bool BitArray::operator!= (const BitArray& other) const throw()
  1055. {
  1056. return compare (other) != 0;
  1057. }
  1058. bool BitArray::operator[] (const int bit) const throw()
  1059. {
  1060. return bit >= 0 && bit <= highestBit
  1061. && ((values [bit >> 5] & (1 << (bit & 31))) != 0);
  1062. }
  1063. bool BitArray::isEmpty() const throw()
  1064. {
  1065. return getHighestBit() < 0;
  1066. }
  1067. void BitArray::clear() throw()
  1068. {
  1069. if (numValues > 16)
  1070. {
  1071. juce_free (values);
  1072. numValues = 4;
  1073. values = (unsigned int*) juce_calloc (sizeof (unsigned int) * (numValues + 1));
  1074. }
  1075. else
  1076. {
  1077. zeromem (values, sizeof (unsigned int) * (numValues + 1));
  1078. }
  1079. highestBit = -1;
  1080. negative = false;
  1081. }
  1082. void BitArray::setBit (const int bit) throw()
  1083. {
  1084. if (bit >= 0)
  1085. {
  1086. if (bit > highestBit)
  1087. {
  1088. ensureSize (bit >> 5);
  1089. highestBit = bit;
  1090. }
  1091. values [bit >> 5] |= (1 << (bit & 31));
  1092. }
  1093. }
  1094. void BitArray::setBit (const int bit,
  1095. const bool shouldBeSet) throw()
  1096. {
  1097. if (shouldBeSet)
  1098. setBit (bit);
  1099. else
  1100. clearBit (bit);
  1101. }
  1102. void BitArray::clearBit (const int bit) throw()
  1103. {
  1104. if (bit >= 0 && bit <= highestBit)
  1105. values [bit >> 5] &= ~(1 << (bit & 31));
  1106. }
  1107. void BitArray::setRange (int startBit,
  1108. int numBits,
  1109. const bool shouldBeSet) throw()
  1110. {
  1111. while (--numBits >= 0)
  1112. setBit (startBit++, shouldBeSet);
  1113. }
  1114. void BitArray::insertBit (const int bit,
  1115. const bool shouldBeSet) throw()
  1116. {
  1117. if (bit >= 0)
  1118. shiftBits (1, bit);
  1119. setBit (bit, shouldBeSet);
  1120. }
  1121. void BitArray::andWith (const BitArray& other) throw()
  1122. {
  1123. // this operation will only work with the absolute values
  1124. jassert (isNegative() == other.isNegative());
  1125. int n = numValues;
  1126. while (n > other.numValues)
  1127. values[--n] = 0;
  1128. while (--n >= 0)
  1129. values[n] &= other.values[n];
  1130. if (other.highestBit < highestBit)
  1131. highestBit = other.highestBit;
  1132. highestBit = getHighestBit();
  1133. }
  1134. void BitArray::orWith (const BitArray& other) throw()
  1135. {
  1136. if (other.highestBit < 0)
  1137. return;
  1138. // this operation will only work with the absolute values
  1139. jassert (isNegative() == other.isNegative());
  1140. ensureSize (other.highestBit >> 5);
  1141. int n = (other.highestBit >> 5) + 1;
  1142. while (--n >= 0)
  1143. values[n] |= other.values[n];
  1144. if (other.highestBit > highestBit)
  1145. highestBit = other.highestBit;
  1146. highestBit = getHighestBit();
  1147. }
  1148. void BitArray::xorWith (const BitArray& other) throw()
  1149. {
  1150. if (other.highestBit < 0)
  1151. return;
  1152. // this operation will only work with the absolute values
  1153. jassert (isNegative() == other.isNegative());
  1154. ensureSize (other.highestBit >> 5);
  1155. int n = (other.highestBit >> 5) + 1;
  1156. while (--n >= 0)
  1157. values[n] ^= other.values[n];
  1158. if (other.highestBit > highestBit)
  1159. highestBit = other.highestBit;
  1160. highestBit = getHighestBit();
  1161. }
  1162. void BitArray::add (const BitArray& other) throw()
  1163. {
  1164. if (other.isNegative())
  1165. {
  1166. BitArray o (other);
  1167. o.negate();
  1168. subtract (o);
  1169. return;
  1170. }
  1171. if (isNegative())
  1172. {
  1173. if (compareAbsolute (other) < 0)
  1174. {
  1175. BitArray temp (*this);
  1176. temp.negate();
  1177. *this = other;
  1178. subtract (temp);
  1179. }
  1180. else
  1181. {
  1182. negate();
  1183. subtract (other);
  1184. negate();
  1185. }
  1186. return;
  1187. }
  1188. if (other.highestBit > highestBit)
  1189. highestBit = other.highestBit;
  1190. ++highestBit;
  1191. const int numInts = (highestBit >> 5) + 1;
  1192. ensureSize (numInts);
  1193. int64 remainder = 0;
  1194. for (int i = 0; i <= numInts; ++i)
  1195. {
  1196. if (i < numValues)
  1197. remainder += values[i];
  1198. if (i < other.numValues)
  1199. remainder += other.values[i];
  1200. values[i] = (unsigned int) remainder;
  1201. remainder >>= 32;
  1202. }
  1203. jassert (remainder == 0);
  1204. highestBit = getHighestBit();
  1205. }
  1206. void BitArray::subtract (const BitArray& other) throw()
  1207. {
  1208. if (other.isNegative())
  1209. {
  1210. BitArray o (other);
  1211. o.negate();
  1212. add (o);
  1213. return;
  1214. }
  1215. if (! isNegative())
  1216. {
  1217. if (compareAbsolute (other) < 0)
  1218. {
  1219. BitArray temp (*this);
  1220. *this = other;
  1221. subtract (temp);
  1222. negate();
  1223. return;
  1224. }
  1225. }
  1226. else
  1227. {
  1228. negate();
  1229. add (other);
  1230. negate();
  1231. return;
  1232. }
  1233. const int numInts = (highestBit >> 5) + 1;
  1234. const int maxOtherInts = (other.highestBit >> 5) + 1;
  1235. int64 amountToSubtract = 0;
  1236. for (int i = 0; i <= numInts; ++i)
  1237. {
  1238. if (i <= maxOtherInts)
  1239. amountToSubtract += (int64)other.values[i];
  1240. if (values[i] >= amountToSubtract)
  1241. {
  1242. values[i] = (unsigned int) (values[i] - amountToSubtract);
  1243. amountToSubtract = 0;
  1244. }
  1245. else
  1246. {
  1247. const int64 n = ((int64) values[i] + (((int64) 1) << 32)) - amountToSubtract;
  1248. values[i] = (unsigned int) n;
  1249. amountToSubtract = 1;
  1250. }
  1251. }
  1252. }
  1253. void BitArray::multiplyBy (const BitArray& other) throw()
  1254. {
  1255. BitArray total;
  1256. highestBit = getHighestBit();
  1257. const bool wasNegative = isNegative();
  1258. setNegative (false);
  1259. for (int i = 0; i <= highestBit; ++i)
  1260. {
  1261. if (operator[](i))
  1262. {
  1263. BitArray n (other);
  1264. n.setNegative (false);
  1265. n.shiftBits (i);
  1266. total.add (n);
  1267. }
  1268. }
  1269. *this = total;
  1270. negative = wasNegative ^ other.isNegative();
  1271. }
  1272. void BitArray::divideBy (const BitArray& divisor, BitArray& remainder) throw()
  1273. {
  1274. jassert (this != &remainder); // (can't handle passing itself in to get the remainder)
  1275. const int divHB = divisor.getHighestBit();
  1276. const int ourHB = getHighestBit();
  1277. if (divHB < 0 || ourHB < 0)
  1278. {
  1279. // division by zero
  1280. remainder.clear();
  1281. clear();
  1282. }
  1283. else
  1284. {
  1285. remainder = *this;
  1286. remainder.setNegative (false);
  1287. const bool wasNegative = isNegative();
  1288. clear();
  1289. BitArray temp (divisor);
  1290. temp.setNegative (false);
  1291. int leftShift = ourHB - divHB;
  1292. temp.shiftBits (leftShift);
  1293. while (leftShift >= 0)
  1294. {
  1295. if (remainder.compareAbsolute (temp) >= 0)
  1296. {
  1297. remainder.subtract (temp);
  1298. setBit (leftShift);
  1299. }
  1300. if (--leftShift >= 0)
  1301. temp.shiftBits (-1);
  1302. }
  1303. negative = wasNegative ^ divisor.isNegative();
  1304. remainder.setNegative (wasNegative);
  1305. }
  1306. }
  1307. void BitArray::modulo (const BitArray& divisor) throw()
  1308. {
  1309. BitArray remainder;
  1310. divideBy (divisor, remainder);
  1311. *this = remainder;
  1312. }
  1313. static const BitArray simpleGCD (BitArray* m, BitArray* n) throw()
  1314. {
  1315. while (! m->isEmpty())
  1316. {
  1317. if (n->compareAbsolute (*m) > 0)
  1318. swapVariables (m, n);
  1319. m->subtract (*n);
  1320. }
  1321. return *n;
  1322. }
  1323. const BitArray BitArray::findGreatestCommonDivisor (BitArray n) const throw()
  1324. {
  1325. BitArray m (*this);
  1326. while (! n.isEmpty())
  1327. {
  1328. if (abs (m.getHighestBit() - n.getHighestBit()) <= 16)
  1329. return simpleGCD (&m, &n);
  1330. BitArray temp1 (m), temp2;
  1331. temp1.divideBy (n, temp2);
  1332. m = n;
  1333. n = temp2;
  1334. }
  1335. return m;
  1336. }
  1337. void BitArray::exponentModulo (const BitArray& exponent,
  1338. const BitArray& modulus) throw()
  1339. {
  1340. BitArray exp (exponent);
  1341. exp.modulo (modulus);
  1342. BitArray value (*this);
  1343. value.modulo (modulus);
  1344. clear();
  1345. setBit (0);
  1346. while (! exp.isEmpty())
  1347. {
  1348. if (exp [0])
  1349. {
  1350. multiplyBy (value);
  1351. this->modulo (modulus);
  1352. }
  1353. value.multiplyBy (value);
  1354. value.modulo (modulus);
  1355. exp.shiftBits (-1);
  1356. }
  1357. }
  1358. void BitArray::inverseModulo (const BitArray& modulus) throw()
  1359. {
  1360. const BitArray one (1);
  1361. if (modulus == one || modulus.isNegative())
  1362. {
  1363. clear();
  1364. return;
  1365. }
  1366. if (isNegative() || compareAbsolute (modulus) >= 0)
  1367. this->modulo (modulus);
  1368. if (*this == one)
  1369. return;
  1370. if (! (*this)[0])
  1371. {
  1372. // not invertible
  1373. clear();
  1374. return;
  1375. }
  1376. BitArray a1 (modulus);
  1377. BitArray a2 (*this);
  1378. BitArray b1 (modulus);
  1379. BitArray b2 (1);
  1380. while (a2 != one)
  1381. {
  1382. BitArray temp1, temp2, multiplier (a1);
  1383. multiplier.divideBy (a2, temp1);
  1384. temp1 = a2;
  1385. temp1.multiplyBy (multiplier);
  1386. temp2 = a1;
  1387. temp2.subtract (temp1);
  1388. a1 = a2;
  1389. a2 = temp2;
  1390. temp1 = b2;
  1391. temp1.multiplyBy (multiplier);
  1392. temp2 = b1;
  1393. temp2.subtract (temp1);
  1394. b1 = b2;
  1395. b2 = temp2;
  1396. }
  1397. while (b2.isNegative())
  1398. b2.add (modulus);
  1399. b2.modulo (modulus);
  1400. *this = b2;
  1401. }
  1402. void BitArray::shiftBits (int bits, const int startBit) throw()
  1403. {
  1404. if (highestBit < 0)
  1405. return;
  1406. if (startBit > 0)
  1407. {
  1408. if (bits < 0)
  1409. {
  1410. // right shift
  1411. for (int i = startBit; i <= highestBit; ++i)
  1412. setBit (i, operator[] (i - bits));
  1413. highestBit = getHighestBit();
  1414. }
  1415. else if (bits > 0)
  1416. {
  1417. // left shift
  1418. for (int i = highestBit + 1; --i >= startBit;)
  1419. setBit (i + bits, operator[] (i));
  1420. while (--bits >= 0)
  1421. clearBit (bits + startBit);
  1422. }
  1423. }
  1424. else
  1425. {
  1426. if (bits < 0)
  1427. {
  1428. // right shift
  1429. bits = -bits;
  1430. if (bits > highestBit)
  1431. {
  1432. clear();
  1433. }
  1434. else
  1435. {
  1436. const int wordsToMove = bits >> 5;
  1437. int top = 1 + (highestBit >> 5) - wordsToMove;
  1438. highestBit -= bits;
  1439. if (wordsToMove > 0)
  1440. {
  1441. int i;
  1442. for (i = 0; i < top; ++i)
  1443. values [i] = values [i + wordsToMove];
  1444. for (i = 0; i < wordsToMove; ++i)
  1445. values [top + i] = 0;
  1446. bits &= 31;
  1447. }
  1448. if (bits != 0)
  1449. {
  1450. const int invBits = 32 - bits;
  1451. --top;
  1452. for (int i = 0; i < top; ++i)
  1453. values[i] = (values[i] >> bits) | (values [i + 1] << invBits);
  1454. values[top] = (values[top] >> bits);
  1455. }
  1456. highestBit = getHighestBit();
  1457. }
  1458. }
  1459. else if (bits > 0)
  1460. {
  1461. // left shift
  1462. ensureSize (((highestBit + bits) >> 5) + 1);
  1463. const int wordsToMove = bits >> 5;
  1464. int top = 1 + (highestBit >> 5);
  1465. highestBit += bits;
  1466. if (wordsToMove > 0)
  1467. {
  1468. int i;
  1469. for (i = top; --i >= 0;)
  1470. values [i + wordsToMove] = values [i];
  1471. for (i = 0; i < wordsToMove; ++i)
  1472. values [i] = 0;
  1473. bits &= 31;
  1474. }
  1475. if (bits != 0)
  1476. {
  1477. const int invBits = 32 - bits;
  1478. for (int i = top + 1 + wordsToMove; --i > wordsToMove;)
  1479. values[i] = (values[i] << bits) | (values [i - 1] >> invBits);
  1480. values [wordsToMove] = values [wordsToMove] << bits;
  1481. }
  1482. highestBit = getHighestBit();
  1483. }
  1484. }
  1485. }
  1486. int BitArray::getBitRangeAsInt (const int startBit, int numBits) const throw()
  1487. {
  1488. if (numBits > 32)
  1489. {
  1490. jassertfalse
  1491. numBits = 32;
  1492. }
  1493. if (startBit == 0)
  1494. {
  1495. if (numBits < 32)
  1496. return values[0] & ((1 << numBits) - 1);
  1497. return values[0];
  1498. }
  1499. int n = 0;
  1500. for (int i = numBits; --i >= 0;)
  1501. {
  1502. n <<= 1;
  1503. if (operator[] (startBit + i))
  1504. n |= 1;
  1505. }
  1506. return n;
  1507. }
  1508. void BitArray::setBitRangeAsInt (const int startBit, int numBits, unsigned int valueToSet) throw()
  1509. {
  1510. if (numBits > 32)
  1511. {
  1512. jassertfalse
  1513. numBits = 32;
  1514. }
  1515. for (int i = 0; i < numBits; ++i)
  1516. {
  1517. setBit (startBit + i, (valueToSet & 1) != 0);
  1518. valueToSet >>= 1;
  1519. }
  1520. }
  1521. void BitArray::fillBitsRandomly (int startBit, int numBits) throw()
  1522. {
  1523. highestBit = jmax (highestBit, startBit + numBits);
  1524. ensureSize (((startBit + numBits) >> 5) + 1);
  1525. while ((startBit & 31) != 0 && numBits > 0)
  1526. {
  1527. setBit (startBit++, Random::getSystemRandom().nextBool());
  1528. --numBits;
  1529. }
  1530. while (numBits >= 32)
  1531. {
  1532. values [startBit >> 5] = (unsigned int) Random::getSystemRandom().nextInt();
  1533. startBit += 32;
  1534. numBits -= 32;
  1535. }
  1536. while (--numBits >= 0)
  1537. {
  1538. setBit (startBit + numBits, Random::getSystemRandom().nextBool());
  1539. }
  1540. highestBit = getHighestBit();
  1541. }
  1542. void BitArray::createRandomNumber (const BitArray& maximumValue) throw()
  1543. {
  1544. clear();
  1545. do
  1546. {
  1547. fillBitsRandomly (0, maximumValue.getHighestBit() + 1);
  1548. }
  1549. while (compare (maximumValue) >= 0);
  1550. }
  1551. bool BitArray::isNegative() const throw()
  1552. {
  1553. return negative && ! isEmpty();
  1554. }
  1555. void BitArray::setNegative (const bool neg) throw()
  1556. {
  1557. negative = neg;
  1558. }
  1559. void BitArray::negate() throw()
  1560. {
  1561. negative = (! negative) && ! isEmpty();
  1562. }
  1563. int BitArray::countNumberOfSetBits() const throw()
  1564. {
  1565. int total = 0;
  1566. for (int i = (highestBit >> 5) + 1; --i >= 0;)
  1567. {
  1568. unsigned int n = values[i];
  1569. if (n == 0xffffffff)
  1570. {
  1571. total += 32;
  1572. }
  1573. else
  1574. {
  1575. while (n != 0)
  1576. {
  1577. total += (n & 1);
  1578. n >>= 1;
  1579. }
  1580. }
  1581. }
  1582. return total;
  1583. }
  1584. int BitArray::getHighestBit() const throw()
  1585. {
  1586. for (int i = highestBit + 1; --i >= 0;)
  1587. if ((values [i >> 5] & (1 << (i & 31))) != 0)
  1588. return i;
  1589. return -1;
  1590. }
  1591. int BitArray::findNextSetBit (int i) const throw()
  1592. {
  1593. for (; i <= highestBit; ++i)
  1594. if ((values [i >> 5] & (1 << (i & 31))) != 0)
  1595. return i;
  1596. return -1;
  1597. }
  1598. int BitArray::findNextClearBit (int i) const throw()
  1599. {
  1600. for (; i <= highestBit; ++i)
  1601. if ((values [i >> 5] & (1 << (i & 31))) == 0)
  1602. break;
  1603. return i;
  1604. }
  1605. void BitArray::ensureSize (const int numVals) throw()
  1606. {
  1607. if (numVals + 2 >= numValues)
  1608. {
  1609. int oldSize = numValues;
  1610. numValues = ((numVals + 2) * 3) / 2;
  1611. values = (unsigned int*) juce_realloc (values, sizeof (unsigned int) * numValues + 4);
  1612. while (oldSize < numValues)
  1613. values [oldSize++] = 0;
  1614. }
  1615. }
  1616. const String BitArray::toString (const int base) const throw()
  1617. {
  1618. String s;
  1619. BitArray v (*this);
  1620. if (base == 2 || base == 8 || base == 16)
  1621. {
  1622. const int bits = (base == 2) ? 1 : (base == 8 ? 3 : 4);
  1623. static const tchar* const hexDigits = T("0123456789abcdef");
  1624. for (;;)
  1625. {
  1626. const int remainder = v.getBitRangeAsInt (0, bits);
  1627. v.shiftBits (-bits);
  1628. if (remainder == 0 && v.isEmpty())
  1629. break;
  1630. s = String::charToString (hexDigits [remainder]) + s;
  1631. }
  1632. }
  1633. else if (base == 10)
  1634. {
  1635. const BitArray ten (10);
  1636. BitArray remainder;
  1637. for (;;)
  1638. {
  1639. v.divideBy (ten, remainder);
  1640. if (remainder.isEmpty() && v.isEmpty())
  1641. break;
  1642. s = String (remainder.getBitRangeAsInt (0, 8)) + s;
  1643. }
  1644. }
  1645. else
  1646. {
  1647. jassertfalse // can't do the specified base
  1648. return String::empty;
  1649. }
  1650. if (s.isEmpty())
  1651. return T("0");
  1652. return isNegative() ? T("-") + s : s;
  1653. }
  1654. void BitArray::parseString (const String& text,
  1655. const int base) throw()
  1656. {
  1657. clear();
  1658. const tchar* t = (const tchar*) text;
  1659. if (base == 2 || base == 8 || base == 16)
  1660. {
  1661. const int bits = (base == 2) ? 1 : (base == 8 ? 3 : 4);
  1662. for (;;)
  1663. {
  1664. const tchar c = *t++;
  1665. const int digit = CharacterFunctions::getHexDigitValue (c);
  1666. if (((unsigned int) digit) < (unsigned int) base)
  1667. {
  1668. shiftBits (bits);
  1669. add (digit);
  1670. }
  1671. else if (c == 0)
  1672. {
  1673. break;
  1674. }
  1675. }
  1676. }
  1677. else if (base == 10)
  1678. {
  1679. const BitArray ten ((unsigned int) 10);
  1680. for (;;)
  1681. {
  1682. const tchar c = *t++;
  1683. if (c >= T('0') && c <= T('9'))
  1684. {
  1685. multiplyBy (ten);
  1686. add ((int) (c - T('0')));
  1687. }
  1688. else if (c == 0)
  1689. {
  1690. break;
  1691. }
  1692. }
  1693. }
  1694. setNegative (text.trimStart().startsWithChar (T('-')));
  1695. }
  1696. const MemoryBlock BitArray::toMemoryBlock() const throw()
  1697. {
  1698. const int numBytes = (getHighestBit() + 7) >> 3;
  1699. MemoryBlock mb (numBytes);
  1700. for (int i = 0; i < numBytes; ++i)
  1701. mb[i] = (uint8) getBitRangeAsInt (i << 3, 8);
  1702. return mb;
  1703. }
  1704. void BitArray::loadFromMemoryBlock (const MemoryBlock& data) throw()
  1705. {
  1706. clear();
  1707. for (int i = data.getSize(); --i >= 0;)
  1708. this->setBitRangeAsInt (i << 3, 8, data [i]);
  1709. }
  1710. END_JUCE_NAMESPACE
  1711. /********* End of inlined file: juce_BitArray.cpp *********/
  1712. /********* Start of inlined file: juce_MemoryBlock.cpp *********/
  1713. BEGIN_JUCE_NAMESPACE
  1714. MemoryBlock::MemoryBlock() throw()
  1715. : data (0),
  1716. size (0)
  1717. {
  1718. }
  1719. MemoryBlock::MemoryBlock (const int initialSize,
  1720. const bool initialiseToZero) throw()
  1721. {
  1722. if (initialSize > 0)
  1723. {
  1724. size = initialSize;
  1725. if (initialiseToZero)
  1726. data = (char*) juce_calloc (initialSize);
  1727. else
  1728. data = (char*) juce_malloc (initialSize);
  1729. }
  1730. else
  1731. {
  1732. data = 0;
  1733. size = 0;
  1734. }
  1735. }
  1736. MemoryBlock::MemoryBlock (const MemoryBlock& other) throw()
  1737. : data (0),
  1738. size (other.size)
  1739. {
  1740. if (size > 0)
  1741. {
  1742. jassert (other.data != 0);
  1743. data = (char*) juce_malloc (size);
  1744. memcpy (data, other.data, size);
  1745. }
  1746. }
  1747. MemoryBlock::MemoryBlock (const void* const dataToInitialiseFrom,
  1748. const int sizeInBytes) throw()
  1749. : data (0),
  1750. size (jmax (0, sizeInBytes))
  1751. {
  1752. jassert (sizeInBytes >= 0);
  1753. if (size > 0)
  1754. {
  1755. jassert (dataToInitialiseFrom != 0); // non-zero size, but a zero pointer passed-in?
  1756. data = (char*) juce_malloc (size);
  1757. if (dataToInitialiseFrom != 0)
  1758. memcpy (data, dataToInitialiseFrom, size);
  1759. }
  1760. }
  1761. MemoryBlock::~MemoryBlock() throw()
  1762. {
  1763. jassert (size >= 0); // should never happen
  1764. jassert (size == 0 || data != 0); // non-zero size but no data allocated?
  1765. juce_free (data);
  1766. }
  1767. const MemoryBlock& MemoryBlock::operator= (const MemoryBlock& other) throw()
  1768. {
  1769. if (this != &other)
  1770. {
  1771. setSize (other.size, false);
  1772. memcpy (data, other.data, size);
  1773. }
  1774. return *this;
  1775. }
  1776. bool MemoryBlock::operator== (const MemoryBlock& other) const throw()
  1777. {
  1778. return (size == other.size)
  1779. && (memcmp (data, other.data, size) == 0);
  1780. }
  1781. bool MemoryBlock::operator!= (const MemoryBlock& other) const throw()
  1782. {
  1783. return ! operator== (other);
  1784. }
  1785. // this will resize the block to this size
  1786. void MemoryBlock::setSize (const int newSize,
  1787. const bool initialiseToZero) throw()
  1788. {
  1789. if (size != newSize)
  1790. {
  1791. if (newSize <= 0)
  1792. {
  1793. juce_free (data);
  1794. data = 0;
  1795. size = 0;
  1796. }
  1797. else
  1798. {
  1799. if (data != 0)
  1800. {
  1801. data = (char*) juce_realloc (data, newSize);
  1802. if (initialiseToZero && (newSize > size))
  1803. zeromem (data + size, newSize - size);
  1804. }
  1805. else
  1806. {
  1807. if (initialiseToZero)
  1808. data = (char*) juce_calloc (newSize);
  1809. else
  1810. data = (char*) juce_malloc (newSize);
  1811. }
  1812. size = newSize;
  1813. }
  1814. }
  1815. }
  1816. void MemoryBlock::ensureSize (const int minimumSize,
  1817. const bool initialiseToZero) throw()
  1818. {
  1819. if (size < minimumSize)
  1820. setSize (minimumSize, initialiseToZero);
  1821. }
  1822. void MemoryBlock::fillWith (const uint8 value) throw()
  1823. {
  1824. memset (data, (int) value, size);
  1825. }
  1826. void MemoryBlock::append (const void* const srcData,
  1827. const int numBytes) throw()
  1828. {
  1829. if (numBytes > 0)
  1830. {
  1831. const int oldSize = size;
  1832. setSize (size + numBytes);
  1833. memcpy (data + oldSize, srcData, numBytes);
  1834. }
  1835. }
  1836. void MemoryBlock::copyFrom (const void* const src, int offset, int num) throw()
  1837. {
  1838. const char* d = (const char*) src;
  1839. if (offset < 0)
  1840. {
  1841. d -= offset;
  1842. num -= offset;
  1843. offset = 0;
  1844. }
  1845. if (offset + num > size)
  1846. num = size - offset;
  1847. if (num > 0)
  1848. memcpy (data + offset, d, num);
  1849. }
  1850. void MemoryBlock::copyTo (void* const dst, int offset, int num) const throw()
  1851. {
  1852. char* d = (char*) dst;
  1853. if (offset < 0)
  1854. {
  1855. zeromem (d, -offset);
  1856. d -= offset;
  1857. num += offset;
  1858. offset = 0;
  1859. }
  1860. if (offset + num > size)
  1861. {
  1862. const int newNum = size - offset;
  1863. zeromem (d + newNum, num - newNum);
  1864. num = newNum;
  1865. }
  1866. if (num > 0)
  1867. memcpy (d, data + offset, num);
  1868. }
  1869. void MemoryBlock::removeSection (int startByte, int numBytesToRemove) throw()
  1870. {
  1871. if (startByte < 0)
  1872. {
  1873. numBytesToRemove += startByte;
  1874. startByte = 0;
  1875. }
  1876. if (startByte + numBytesToRemove >= size)
  1877. {
  1878. setSize (startByte);
  1879. }
  1880. else if (numBytesToRemove > 0)
  1881. {
  1882. memmove (data + startByte,
  1883. data + startByte + numBytesToRemove,
  1884. size - (startByte + numBytesToRemove));
  1885. setSize (size - numBytesToRemove);
  1886. }
  1887. }
  1888. const String MemoryBlock::toString() const throw()
  1889. {
  1890. return String (data, size);
  1891. }
  1892. int MemoryBlock::getBitRange (const int bitRangeStart, int numBits) const throw()
  1893. {
  1894. int res = 0;
  1895. int byte = bitRangeStart >> 3;
  1896. int offsetInByte = bitRangeStart & 7;
  1897. int bitsSoFar = 0;
  1898. while (numBits > 0 && byte < size)
  1899. {
  1900. const int bitsThisTime = jmin (numBits, 8 - offsetInByte);
  1901. const int mask = (0xff >> (8 - bitsThisTime)) << offsetInByte;
  1902. res |= (((data[byte] & mask) >> offsetInByte) << bitsSoFar);
  1903. bitsSoFar += bitsThisTime;
  1904. numBits -= bitsThisTime;
  1905. ++byte;
  1906. offsetInByte = 0;
  1907. }
  1908. return res;
  1909. }
  1910. void MemoryBlock::setBitRange (const int bitRangeStart, int numBits, int bitsToSet) throw()
  1911. {
  1912. int byte = bitRangeStart >> 3;
  1913. int offsetInByte = bitRangeStart & 7;
  1914. unsigned int mask = ~((((unsigned int)0xffffffff) << (32 - numBits)) >> (32 - numBits));
  1915. while (numBits > 0 && byte < size)
  1916. {
  1917. const int bitsThisTime = jmin (numBits, 8 - offsetInByte);
  1918. const unsigned int tempMask = (mask << offsetInByte) | ~((((unsigned int)0xffffffff) >> offsetInByte) << offsetInByte);
  1919. const unsigned int tempBits = bitsToSet << offsetInByte;
  1920. data[byte] = (char)((data[byte] & tempMask) | tempBits);
  1921. ++byte;
  1922. numBits -= bitsThisTime;
  1923. bitsToSet >>= bitsThisTime;
  1924. mask >>= bitsThisTime;
  1925. offsetInByte = 0;
  1926. }
  1927. }
  1928. void MemoryBlock::loadFromHexString (const String& hex) throw()
  1929. {
  1930. ensureSize (hex.length() >> 1);
  1931. char* dest = data;
  1932. int i = 0;
  1933. for (;;)
  1934. {
  1935. int byte = 0;
  1936. for (int loop = 2; --loop >= 0;)
  1937. {
  1938. byte <<= 4;
  1939. for (;;)
  1940. {
  1941. const tchar c = hex [i++];
  1942. if (c >= T('0') && c <= T('9'))
  1943. {
  1944. byte |= c - T('0');
  1945. break;
  1946. }
  1947. else if (c >= T('a') && c <= T('z'))
  1948. {
  1949. byte |= c - (T('a') - 10);
  1950. break;
  1951. }
  1952. else if (c >= T('A') && c <= T('Z'))
  1953. {
  1954. byte |= c - (T('A') - 10);
  1955. break;
  1956. }
  1957. else if (c == 0)
  1958. {
  1959. setSize ((int) (dest - data));
  1960. return;
  1961. }
  1962. }
  1963. }
  1964. *dest++ = (char) byte;
  1965. }
  1966. }
  1967. static const char* const encodingTable
  1968. = ".ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+";
  1969. const String MemoryBlock::toBase64Encoding() const throw()
  1970. {
  1971. const int numChars = ((size << 3) + 5) / 6;
  1972. String destString (size); // store the length, followed by a '.', and then the data.
  1973. const int initialLen = destString.length();
  1974. destString.preallocateStorage (initialLen + 2 + numChars);
  1975. tchar* d = const_cast <tchar*> (((const tchar*) destString) + initialLen);
  1976. *d++ = T('.');
  1977. for (int i = 0; i < numChars; ++i)
  1978. *d++ = encodingTable [getBitRange (i * 6, 6)];
  1979. *d++ = 0;
  1980. return destString;
  1981. }
  1982. bool MemoryBlock::fromBase64Encoding (const String& s) throw()
  1983. {
  1984. const int startPos = s.indexOfChar (T('.')) + 1;
  1985. if (startPos <= 0)
  1986. return false;
  1987. const int numBytesNeeded = s.substring (0, startPos - 1).getIntValue();
  1988. setSize (numBytesNeeded, true);
  1989. const int numChars = s.length() - startPos;
  1990. const tchar* const srcChars = ((const tchar*) s) + startPos;
  1991. for (int i = 0; i < numChars; ++i)
  1992. {
  1993. const char c = (char) srcChars[i];
  1994. for (int j = 0; j < 64; ++j)
  1995. {
  1996. if (encodingTable[j] == c)
  1997. {
  1998. setBitRange (i * 6, 6, j);
  1999. break;
  2000. }
  2001. }
  2002. }
  2003. return true;
  2004. }
  2005. END_JUCE_NAMESPACE
  2006. /********* End of inlined file: juce_MemoryBlock.cpp *********/
  2007. /********* Start of inlined file: juce_PropertySet.cpp *********/
  2008. BEGIN_JUCE_NAMESPACE
  2009. PropertySet::PropertySet (const bool ignoreCaseOfKeyNames) throw()
  2010. : properties (ignoreCaseOfKeyNames),
  2011. fallbackProperties (0),
  2012. ignoreCaseOfKeys (ignoreCaseOfKeyNames)
  2013. {
  2014. }
  2015. PropertySet::PropertySet (const PropertySet& other) throw()
  2016. : properties (other.properties),
  2017. fallbackProperties (other.fallbackProperties),
  2018. ignoreCaseOfKeys (other.ignoreCaseOfKeys)
  2019. {
  2020. }
  2021. const PropertySet& PropertySet::operator= (const PropertySet& other) throw()
  2022. {
  2023. properties = other.properties;
  2024. fallbackProperties = other.fallbackProperties;
  2025. ignoreCaseOfKeys = other.ignoreCaseOfKeys;
  2026. propertyChanged();
  2027. return *this;
  2028. }
  2029. PropertySet::~PropertySet()
  2030. {
  2031. }
  2032. void PropertySet::clear()
  2033. {
  2034. const ScopedLock sl (lock);
  2035. if (properties.size() > 0)
  2036. {
  2037. properties.clear();
  2038. propertyChanged();
  2039. }
  2040. }
  2041. const String PropertySet::getValue (const String& keyName,
  2042. const String& defaultValue) const throw()
  2043. {
  2044. const ScopedLock sl (lock);
  2045. const int index = properties.getAllKeys().indexOf (keyName, ignoreCaseOfKeys);
  2046. if (index >= 0)
  2047. return properties.getAllValues() [index];
  2048. return fallbackProperties != 0 ? fallbackProperties->getValue (keyName, defaultValue)
  2049. : defaultValue;
  2050. }
  2051. int PropertySet::getIntValue (const String& keyName,
  2052. const int defaultValue) const throw()
  2053. {
  2054. const ScopedLock sl (lock);
  2055. const int index = properties.getAllKeys().indexOf (keyName, ignoreCaseOfKeys);
  2056. if (index >= 0)
  2057. return properties.getAllValues() [index].getIntValue();
  2058. return fallbackProperties != 0 ? fallbackProperties->getIntValue (keyName, defaultValue)
  2059. : defaultValue;
  2060. }
  2061. double PropertySet::getDoubleValue (const String& keyName,
  2062. const double defaultValue) const throw()
  2063. {
  2064. const ScopedLock sl (lock);
  2065. const int index = properties.getAllKeys().indexOf (keyName, ignoreCaseOfKeys);
  2066. if (index >= 0)
  2067. return properties.getAllValues()[index].getDoubleValue();
  2068. return fallbackProperties != 0 ? fallbackProperties->getDoubleValue (keyName, defaultValue)
  2069. : defaultValue;
  2070. }
  2071. bool PropertySet::getBoolValue (const String& keyName,
  2072. const bool defaultValue) const throw()
  2073. {
  2074. const ScopedLock sl (lock);
  2075. const int index = properties.getAllKeys().indexOf (keyName, ignoreCaseOfKeys);
  2076. if (index >= 0)
  2077. return properties.getAllValues() [index].getIntValue() != 0;
  2078. return fallbackProperties != 0 ? fallbackProperties->getBoolValue (keyName, defaultValue)
  2079. : defaultValue;
  2080. }
  2081. XmlElement* PropertySet::getXmlValue (const String& keyName) const
  2082. {
  2083. XmlDocument doc (getValue (keyName));
  2084. return doc.getDocumentElement();
  2085. }
  2086. void PropertySet::setValue (const String& keyName,
  2087. const String& value) throw()
  2088. {
  2089. jassert (keyName.isNotEmpty()); // shouldn't use an empty key name!
  2090. if (keyName.isNotEmpty())
  2091. {
  2092. const ScopedLock sl (lock);
  2093. const int index = properties.getAllKeys().indexOf (keyName, ignoreCaseOfKeys);
  2094. if (index < 0 || properties.getAllValues() [index] != value)
  2095. {
  2096. properties.set (keyName, value);
  2097. propertyChanged();
  2098. }
  2099. }
  2100. }
  2101. void PropertySet::removeValue (const String& keyName) throw()
  2102. {
  2103. if (keyName.isNotEmpty())
  2104. {
  2105. const ScopedLock sl (lock);
  2106. const int index = properties.getAllKeys().indexOf (keyName, ignoreCaseOfKeys);
  2107. if (index >= 0)
  2108. {
  2109. properties.remove (keyName);
  2110. propertyChanged();
  2111. }
  2112. }
  2113. }
  2114. void PropertySet::setValue (const String& keyName, const tchar* const value) throw()
  2115. {
  2116. setValue (keyName, String (value));
  2117. }
  2118. void PropertySet::setValue (const String& keyName, const int value) throw()
  2119. {
  2120. setValue (keyName, String (value));
  2121. }
  2122. void PropertySet::setValue (const String& keyName, const double value) throw()
  2123. {
  2124. setValue (keyName, String (value));
  2125. }
  2126. void PropertySet::setValue (const String& keyName, const bool value) throw()
  2127. {
  2128. setValue (keyName, String ((value) ? T("1") : T("0")));
  2129. }
  2130. void PropertySet::setValue (const String& keyName, const XmlElement* const xml)
  2131. {
  2132. setValue (keyName, (xml == 0) ? String::empty
  2133. : xml->createDocument (String::empty, true));
  2134. }
  2135. bool PropertySet::containsKey (const String& keyName) const throw()
  2136. {
  2137. const ScopedLock sl (lock);
  2138. return properties.getAllKeys().contains (keyName, ignoreCaseOfKeys);
  2139. }
  2140. void PropertySet::setFallbackPropertySet (PropertySet* fallbackProperties_) throw()
  2141. {
  2142. const ScopedLock sl (lock);
  2143. fallbackProperties = fallbackProperties_;
  2144. }
  2145. XmlElement* PropertySet::createXml (const String& nodeName) const throw()
  2146. {
  2147. const ScopedLock sl (lock);
  2148. XmlElement* const xml = new XmlElement (nodeName);
  2149. for (int i = 0; i < properties.getAllKeys().size(); ++i)
  2150. {
  2151. XmlElement* const e = new XmlElement (T("VALUE"));
  2152. e->setAttribute (T("name"), properties.getAllKeys()[i]);
  2153. e->setAttribute (T("val"), properties.getAllValues()[i]);
  2154. xml->addChildElement (e);
  2155. }
  2156. return xml;
  2157. }
  2158. void PropertySet::restoreFromXml (const XmlElement& xml) throw()
  2159. {
  2160. const ScopedLock sl (lock);
  2161. clear();
  2162. forEachXmlChildElementWithTagName (xml, e, T("VALUE"))
  2163. {
  2164. if (e->hasAttribute (T("name"))
  2165. && e->hasAttribute (T("val")))
  2166. {
  2167. properties.set (e->getStringAttribute (T("name")),
  2168. e->getStringAttribute (T("val")));
  2169. }
  2170. }
  2171. if (properties.size() > 0)
  2172. propertyChanged();
  2173. }
  2174. void PropertySet::propertyChanged()
  2175. {
  2176. }
  2177. END_JUCE_NAMESPACE
  2178. /********* End of inlined file: juce_PropertySet.cpp *********/
  2179. /********* Start of inlined file: juce_BlowFish.cpp *********/
  2180. BEGIN_JUCE_NAMESPACE
  2181. static const uint32 initialPValues [18] =
  2182. {
  2183. 0x243f6a88, 0x85a308d3, 0x13198a2e, 0x03707344,
  2184. 0xa4093822, 0x299f31d0, 0x082efa98, 0xec4e6c89,
  2185. 0x452821e6, 0x38d01377, 0xbe5466cf, 0x34e90c6c,
  2186. 0xc0ac29b7, 0xc97c50dd, 0x3f84d5b5, 0xb5470917,
  2187. 0x9216d5d9, 0x8979fb1b
  2188. };
  2189. static const uint32 initialSValues [4 * 256] =
  2190. {
  2191. 0xd1310ba6, 0x98dfb5ac, 0x2ffd72db, 0xd01adfb7,
  2192. 0xb8e1afed, 0x6a267e96, 0xba7c9045, 0xf12c7f99,
  2193. 0x24a19947, 0xb3916cf7, 0x0801f2e2, 0x858efc16,
  2194. 0x636920d8, 0x71574e69, 0xa458fea3, 0xf4933d7e,
  2195. 0x0d95748f, 0x728eb658, 0x718bcd58, 0x82154aee,
  2196. 0x7b54a41d, 0xc25a59b5, 0x9c30d539, 0x2af26013,
  2197. 0xc5d1b023, 0x286085f0, 0xca417918, 0xb8db38ef,
  2198. 0x8e79dcb0, 0x603a180e, 0x6c9e0e8b, 0xb01e8a3e,
  2199. 0xd71577c1, 0xbd314b27, 0x78af2fda, 0x55605c60,
  2200. 0xe65525f3, 0xaa55ab94, 0x57489862, 0x63e81440,
  2201. 0x55ca396a, 0x2aab10b6, 0xb4cc5c34, 0x1141e8ce,
  2202. 0xa15486af, 0x7c72e993, 0xb3ee1411, 0x636fbc2a,
  2203. 0x2ba9c55d, 0x741831f6, 0xce5c3e16, 0x9b87931e,
  2204. 0xafd6ba33, 0x6c24cf5c, 0x7a325381, 0x28958677,
  2205. 0x3b8f4898, 0x6b4bb9af, 0xc4bfe81b, 0x66282193,
  2206. 0x61d809cc, 0xfb21a991, 0x487cac60, 0x5dec8032,
  2207. 0xef845d5d, 0xe98575b1, 0xdc262302, 0xeb651b88,
  2208. 0x23893e81, 0xd396acc5, 0x0f6d6ff3, 0x83f44239,
  2209. 0x2e0b4482, 0xa4842004, 0x69c8f04a, 0x9e1f9b5e,
  2210. 0x21c66842, 0xf6e96c9a, 0x670c9c61, 0xabd388f0,
  2211. 0x6a51a0d2, 0xd8542f68, 0x960fa728, 0xab5133a3,
  2212. 0x6eef0b6c, 0x137a3be4, 0xba3bf050, 0x7efb2a98,
  2213. 0xa1f1651d, 0x39af0176, 0x66ca593e, 0x82430e88,
  2214. 0x8cee8619, 0x456f9fb4, 0x7d84a5c3, 0x3b8b5ebe,
  2215. 0xe06f75d8, 0x85c12073, 0x401a449f, 0x56c16aa6,
  2216. 0x4ed3aa62, 0x363f7706, 0x1bfedf72, 0x429b023d,
  2217. 0x37d0d724, 0xd00a1248, 0xdb0fead3, 0x49f1c09b,
  2218. 0x075372c9, 0x80991b7b, 0x25d479d8, 0xf6e8def7,
  2219. 0xe3fe501a, 0xb6794c3b, 0x976ce0bd, 0x04c006ba,
  2220. 0xc1a94fb6, 0x409f60c4, 0x5e5c9ec2, 0x196a2463,
  2221. 0x68fb6faf, 0x3e6c53b5, 0x1339b2eb, 0x3b52ec6f,
  2222. 0x6dfc511f, 0x9b30952c, 0xcc814544, 0xaf5ebd09,
  2223. 0xbee3d004, 0xde334afd, 0x660f2807, 0x192e4bb3,
  2224. 0xc0cba857, 0x45c8740f, 0xd20b5f39, 0xb9d3fbdb,
  2225. 0x5579c0bd, 0x1a60320a, 0xd6a100c6, 0x402c7279,
  2226. 0x679f25fe, 0xfb1fa3cc, 0x8ea5e9f8, 0xdb3222f8,
  2227. 0x3c7516df, 0xfd616b15, 0x2f501ec8, 0xad0552ab,
  2228. 0x323db5fa, 0xfd238760, 0x53317b48, 0x3e00df82,
  2229. 0x9e5c57bb, 0xca6f8ca0, 0x1a87562e, 0xdf1769db,
  2230. 0xd542a8f6, 0x287effc3, 0xac6732c6, 0x8c4f5573,
  2231. 0x695b27b0, 0xbbca58c8, 0xe1ffa35d, 0xb8f011a0,
  2232. 0x10fa3d98, 0xfd2183b8, 0x4afcb56c, 0x2dd1d35b,
  2233. 0x9a53e479, 0xb6f84565, 0xd28e49bc, 0x4bfb9790,
  2234. 0xe1ddf2da, 0xa4cb7e33, 0x62fb1341, 0xcee4c6e8,
  2235. 0xef20cada, 0x36774c01, 0xd07e9efe, 0x2bf11fb4,
  2236. 0x95dbda4d, 0xae909198, 0xeaad8e71, 0x6b93d5a0,
  2237. 0xd08ed1d0, 0xafc725e0, 0x8e3c5b2f, 0x8e7594b7,
  2238. 0x8ff6e2fb, 0xf2122b64, 0x8888b812, 0x900df01c,
  2239. 0x4fad5ea0, 0x688fc31c, 0xd1cff191, 0xb3a8c1ad,
  2240. 0x2f2f2218, 0xbe0e1777, 0xea752dfe, 0x8b021fa1,
  2241. 0xe5a0cc0f, 0xb56f74e8, 0x18acf3d6, 0xce89e299,
  2242. 0xb4a84fe0, 0xfd13e0b7, 0x7cc43b81, 0xd2ada8d9,
  2243. 0x165fa266, 0x80957705, 0x93cc7314, 0x211a1477,
  2244. 0xe6ad2065, 0x77b5fa86, 0xc75442f5, 0xfb9d35cf,
  2245. 0xebcdaf0c, 0x7b3e89a0, 0xd6411bd3, 0xae1e7e49,
  2246. 0x00250e2d, 0x2071b35e, 0x226800bb, 0x57b8e0af,
  2247. 0x2464369b, 0xf009b91e, 0x5563911d, 0x59dfa6aa,
  2248. 0x78c14389, 0xd95a537f, 0x207d5ba2, 0x02e5b9c5,
  2249. 0x83260376, 0x6295cfa9, 0x11c81968, 0x4e734a41,
  2250. 0xb3472dca, 0x7b14a94a, 0x1b510052, 0x9a532915,
  2251. 0xd60f573f, 0xbc9bc6e4, 0x2b60a476, 0x81e67400,
  2252. 0x08ba6fb5, 0x571be91f, 0xf296ec6b, 0x2a0dd915,
  2253. 0xb6636521, 0xe7b9f9b6, 0xff34052e, 0xc5855664,
  2254. 0x53b02d5d, 0xa99f8fa1, 0x08ba4799, 0x6e85076a,
  2255. 0x4b7a70e9, 0xb5b32944, 0xdb75092e, 0xc4192623,
  2256. 0xad6ea6b0, 0x49a7df7d, 0x9cee60b8, 0x8fedb266,
  2257. 0xecaa8c71, 0x699a17ff, 0x5664526c, 0xc2b19ee1,
  2258. 0x193602a5, 0x75094c29, 0xa0591340, 0xe4183a3e,
  2259. 0x3f54989a, 0x5b429d65, 0x6b8fe4d6, 0x99f73fd6,
  2260. 0xa1d29c07, 0xefe830f5, 0x4d2d38e6, 0xf0255dc1,
  2261. 0x4cdd2086, 0x8470eb26, 0x6382e9c6, 0x021ecc5e,
  2262. 0x09686b3f, 0x3ebaefc9, 0x3c971814, 0x6b6a70a1,
  2263. 0x687f3584, 0x52a0e286, 0xb79c5305, 0xaa500737,
  2264. 0x3e07841c, 0x7fdeae5c, 0x8e7d44ec, 0x5716f2b8,
  2265. 0xb03ada37, 0xf0500c0d, 0xf01c1f04, 0x0200b3ff,
  2266. 0xae0cf51a, 0x3cb574b2, 0x25837a58, 0xdc0921bd,
  2267. 0xd19113f9, 0x7ca92ff6, 0x94324773, 0x22f54701,
  2268. 0x3ae5e581, 0x37c2dadc, 0xc8b57634, 0x9af3dda7,
  2269. 0xa9446146, 0x0fd0030e, 0xecc8c73e, 0xa4751e41,
  2270. 0xe238cd99, 0x3bea0e2f, 0x3280bba1, 0x183eb331,
  2271. 0x4e548b38, 0x4f6db908, 0x6f420d03, 0xf60a04bf,
  2272. 0x2cb81290, 0x24977c79, 0x5679b072, 0xbcaf89af,
  2273. 0xde9a771f, 0xd9930810, 0xb38bae12, 0xdccf3f2e,
  2274. 0x5512721f, 0x2e6b7124, 0x501adde6, 0x9f84cd87,
  2275. 0x7a584718, 0x7408da17, 0xbc9f9abc, 0xe94b7d8c,
  2276. 0xec7aec3a, 0xdb851dfa, 0x63094366, 0xc464c3d2,
  2277. 0xef1c1847, 0x3215d908, 0xdd433b37, 0x24c2ba16,
  2278. 0x12a14d43, 0x2a65c451, 0x50940002, 0x133ae4dd,
  2279. 0x71dff89e, 0x10314e55, 0x81ac77d6, 0x5f11199b,
  2280. 0x043556f1, 0xd7a3c76b, 0x3c11183b, 0x5924a509,
  2281. 0xf28fe6ed, 0x97f1fbfa, 0x9ebabf2c, 0x1e153c6e,
  2282. 0x86e34570, 0xeae96fb1, 0x860e5e0a, 0x5a3e2ab3,
  2283. 0x771fe71c, 0x4e3d06fa, 0x2965dcb9, 0x99e71d0f,
  2284. 0x803e89d6, 0x5266c825, 0x2e4cc978, 0x9c10b36a,
  2285. 0xc6150eba, 0x94e2ea78, 0xa5fc3c53, 0x1e0a2df4,
  2286. 0xf2f74ea7, 0x361d2b3d, 0x1939260f, 0x19c27960,
  2287. 0x5223a708, 0xf71312b6, 0xebadfe6e, 0xeac31f66,
  2288. 0xe3bc4595, 0xa67bc883, 0xb17f37d1, 0x018cff28,
  2289. 0xc332ddef, 0xbe6c5aa5, 0x65582185, 0x68ab9802,
  2290. 0xeecea50f, 0xdb2f953b, 0x2aef7dad, 0x5b6e2f84,
  2291. 0x1521b628, 0x29076170, 0xecdd4775, 0x619f1510,
  2292. 0x13cca830, 0xeb61bd96, 0x0334fe1e, 0xaa0363cf,
  2293. 0xb5735c90, 0x4c70a239, 0xd59e9e0b, 0xcbaade14,
  2294. 0xeecc86bc, 0x60622ca7, 0x9cab5cab, 0xb2f3846e,
  2295. 0x648b1eaf, 0x19bdf0ca, 0xa02369b9, 0x655abb50,
  2296. 0x40685a32, 0x3c2ab4b3, 0x319ee9d5, 0xc021b8f7,
  2297. 0x9b540b19, 0x875fa099, 0x95f7997e, 0x623d7da8,
  2298. 0xf837889a, 0x97e32d77, 0x11ed935f, 0x16681281,
  2299. 0x0e358829, 0xc7e61fd6, 0x96dedfa1, 0x7858ba99,
  2300. 0x57f584a5, 0x1b227263, 0x9b83c3ff, 0x1ac24696,
  2301. 0xcdb30aeb, 0x532e3054, 0x8fd948e4, 0x6dbc3128,
  2302. 0x58ebf2ef, 0x34c6ffea, 0xfe28ed61, 0xee7c3c73,
  2303. 0x5d4a14d9, 0xe864b7e3, 0x42105d14, 0x203e13e0,
  2304. 0x45eee2b6, 0xa3aaabea, 0xdb6c4f15, 0xfacb4fd0,
  2305. 0xc742f442, 0xef6abbb5, 0x654f3b1d, 0x41cd2105,
  2306. 0xd81e799e, 0x86854dc7, 0xe44b476a, 0x3d816250,
  2307. 0xcf62a1f2, 0x5b8d2646, 0xfc8883a0, 0xc1c7b6a3,
  2308. 0x7f1524c3, 0x69cb7492, 0x47848a0b, 0x5692b285,
  2309. 0x095bbf00, 0xad19489d, 0x1462b174, 0x23820e00,
  2310. 0x58428d2a, 0x0c55f5ea, 0x1dadf43e, 0x233f7061,
  2311. 0x3372f092, 0x8d937e41, 0xd65fecf1, 0x6c223bdb,
  2312. 0x7cde3759, 0xcbee7460, 0x4085f2a7, 0xce77326e,
  2313. 0xa6078084, 0x19f8509e, 0xe8efd855, 0x61d99735,
  2314. 0xa969a7aa, 0xc50c06c2, 0x5a04abfc, 0x800bcadc,
  2315. 0x9e447a2e, 0xc3453484, 0xfdd56705, 0x0e1e9ec9,
  2316. 0xdb73dbd3, 0x105588cd, 0x675fda79, 0xe3674340,
  2317. 0xc5c43465, 0x713e38d8, 0x3d28f89e, 0xf16dff20,
  2318. 0x153e21e7, 0x8fb03d4a, 0xe6e39f2b, 0xdb83adf7,
  2319. 0xe93d5a68, 0x948140f7, 0xf64c261c, 0x94692934,
  2320. 0x411520f7, 0x7602d4f7, 0xbcf46b2e, 0xd4a20068,
  2321. 0xd4082471, 0x3320f46a, 0x43b7d4b7, 0x500061af,
  2322. 0x1e39f62e, 0x97244546, 0x14214f74, 0xbf8b8840,
  2323. 0x4d95fc1d, 0x96b591af, 0x70f4ddd3, 0x66a02f45,
  2324. 0xbfbc09ec, 0x03bd9785, 0x7fac6dd0, 0x31cb8504,
  2325. 0x96eb27b3, 0x55fd3941, 0xda2547e6, 0xabca0a9a,
  2326. 0x28507825, 0x530429f4, 0x0a2c86da, 0xe9b66dfb,
  2327. 0x68dc1462, 0xd7486900, 0x680ec0a4, 0x27a18dee,
  2328. 0x4f3ffea2, 0xe887ad8c, 0xb58ce006, 0x7af4d6b6,
  2329. 0xaace1e7c, 0xd3375fec, 0xce78a399, 0x406b2a42,
  2330. 0x20fe9e35, 0xd9f385b9, 0xee39d7ab, 0x3b124e8b,
  2331. 0x1dc9faf7, 0x4b6d1856, 0x26a36631, 0xeae397b2,
  2332. 0x3a6efa74, 0xdd5b4332, 0x6841e7f7, 0xca7820fb,
  2333. 0xfb0af54e, 0xd8feb397, 0x454056ac, 0xba489527,
  2334. 0x55533a3a, 0x20838d87, 0xfe6ba9b7, 0xd096954b,
  2335. 0x55a867bc, 0xa1159a58, 0xcca92963, 0x99e1db33,
  2336. 0xa62a4a56, 0x3f3125f9, 0x5ef47e1c, 0x9029317c,
  2337. 0xfdf8e802, 0x04272f70, 0x80bb155c, 0x05282ce3,
  2338. 0x95c11548, 0xe4c66d22, 0x48c1133f, 0xc70f86dc,
  2339. 0x07f9c9ee, 0x41041f0f, 0x404779a4, 0x5d886e17,
  2340. 0x325f51eb, 0xd59bc0d1, 0xf2bcc18f, 0x41113564,
  2341. 0x257b7834, 0x602a9c60, 0xdff8e8a3, 0x1f636c1b,
  2342. 0x0e12b4c2, 0x02e1329e, 0xaf664fd1, 0xcad18115,
  2343. 0x6b2395e0, 0x333e92e1, 0x3b240b62, 0xeebeb922,
  2344. 0x85b2a20e, 0xe6ba0d99, 0xde720c8c, 0x2da2f728,
  2345. 0xd0127845, 0x95b794fd, 0x647d0862, 0xe7ccf5f0,
  2346. 0x5449a36f, 0x877d48fa, 0xc39dfd27, 0xf33e8d1e,
  2347. 0x0a476341, 0x992eff74, 0x3a6f6eab, 0xf4f8fd37,
  2348. 0xa812dc60, 0xa1ebddf8, 0x991be14c, 0xdb6e6b0d,
  2349. 0xc67b5510, 0x6d672c37, 0x2765d43b, 0xdcd0e804,
  2350. 0xf1290dc7, 0xcc00ffa3, 0xb5390f92, 0x690fed0b,
  2351. 0x667b9ffb, 0xcedb7d9c, 0xa091cf0b, 0xd9155ea3,
  2352. 0xbb132f88, 0x515bad24, 0x7b9479bf, 0x763bd6eb,
  2353. 0x37392eb3, 0xcc115979, 0x8026e297, 0xf42e312d,
  2354. 0x6842ada7, 0xc66a2b3b, 0x12754ccc, 0x782ef11c,
  2355. 0x6a124237, 0xb79251e7, 0x06a1bbe6, 0x4bfb6350,
  2356. 0x1a6b1018, 0x11caedfa, 0x3d25bdd8, 0xe2e1c3c9,
  2357. 0x44421659, 0x0a121386, 0xd90cec6e, 0xd5abea2a,
  2358. 0x64af674e, 0xda86a85f, 0xbebfe988, 0x64e4c3fe,
  2359. 0x9dbc8057, 0xf0f7c086, 0x60787bf8, 0x6003604d,
  2360. 0xd1fd8346, 0xf6381fb0, 0x7745ae04, 0xd736fccc,
  2361. 0x83426b33, 0xf01eab71, 0xb0804187, 0x3c005e5f,
  2362. 0x77a057be, 0xbde8ae24, 0x55464299, 0xbf582e61,
  2363. 0x4e58f48f, 0xf2ddfda2, 0xf474ef38, 0x8789bdc2,
  2364. 0x5366f9c3, 0xc8b38e74, 0xb475f255, 0x46fcd9b9,
  2365. 0x7aeb2661, 0x8b1ddf84, 0x846a0e79, 0x915f95e2,
  2366. 0x466e598e, 0x20b45770, 0x8cd55591, 0xc902de4c,
  2367. 0xb90bace1, 0xbb8205d0, 0x11a86248, 0x7574a99e,
  2368. 0xb77f19b6, 0xe0a9dc09, 0x662d09a1, 0xc4324633,
  2369. 0xe85a1f02, 0x09f0be8c, 0x4a99a025, 0x1d6efe10,
  2370. 0x1ab93d1d, 0x0ba5a4df, 0xa186f20f, 0x2868f169,
  2371. 0xdcb7da83, 0x573906fe, 0xa1e2ce9b, 0x4fcd7f52,
  2372. 0x50115e01, 0xa70683fa, 0xa002b5c4, 0x0de6d027,
  2373. 0x9af88c27, 0x773f8641, 0xc3604c06, 0x61a806b5,
  2374. 0xf0177a28, 0xc0f586e0, 0x006058aa, 0x30dc7d62,
  2375. 0x11e69ed7, 0x2338ea63, 0x53c2dd94, 0xc2c21634,
  2376. 0xbbcbee56, 0x90bcb6de, 0xebfc7da1, 0xce591d76,
  2377. 0x6f05e409, 0x4b7c0188, 0x39720a3d, 0x7c927c24,
  2378. 0x86e3725f, 0x724d9db9, 0x1ac15bb4, 0xd39eb8fc,
  2379. 0xed545578, 0x08fca5b5, 0xd83d7cd3, 0x4dad0fc4,
  2380. 0x1e50ef5e, 0xb161e6f8, 0xa28514d9, 0x6c51133c,
  2381. 0x6fd5c7e7, 0x56e14ec4, 0x362abfce, 0xddc6c837,
  2382. 0xd79a3234, 0x92638212, 0x670efa8e, 0x406000e0,
  2383. 0x3a39ce37, 0xd3faf5cf, 0xabc27737, 0x5ac52d1b,
  2384. 0x5cb0679e, 0x4fa33742, 0xd3822740, 0x99bc9bbe,
  2385. 0xd5118e9d, 0xbf0f7315, 0xd62d1c7e, 0xc700c47b,
  2386. 0xb78c1b6b, 0x21a19045, 0xb26eb1be, 0x6a366eb4,
  2387. 0x5748ab2f, 0xbc946e79, 0xc6a376d2, 0x6549c2c8,
  2388. 0x530ff8ee, 0x468dde7d, 0xd5730a1d, 0x4cd04dc6,
  2389. 0x2939bbdb, 0xa9ba4650, 0xac9526e8, 0xbe5ee304,
  2390. 0xa1fad5f0, 0x6a2d519a, 0x63ef8ce2, 0x9a86ee22,
  2391. 0xc089c2b8, 0x43242ef6, 0xa51e03aa, 0x9cf2d0a4,
  2392. 0x83c061ba, 0x9be96a4d, 0x8fe51550, 0xba645bd6,
  2393. 0x2826a2f9, 0xa73a3ae1, 0x4ba99586, 0xef5562e9,
  2394. 0xc72fefd3, 0xf752f7da, 0x3f046f69, 0x77fa0a59,
  2395. 0x80e4a915, 0x87b08601, 0x9b09e6ad, 0x3b3ee593,
  2396. 0xe990fd5a, 0x9e34d797, 0x2cf0b7d9, 0x022b8b51,
  2397. 0x96d5ac3a, 0x017da67d, 0xd1cf3ed6, 0x7c7d2d28,
  2398. 0x1f9f25cf, 0xadf2b89b, 0x5ad6b472, 0x5a88f54c,
  2399. 0xe029ac71, 0xe019a5e6, 0x47b0acfd, 0xed93fa9b,
  2400. 0xe8d3c48d, 0x283b57cc, 0xf8d56629, 0x79132e28,
  2401. 0x785f0191, 0xed756055, 0xf7960e44, 0xe3d35e8c,
  2402. 0x15056dd4, 0x88f46dba, 0x03a16125, 0x0564f0bd,
  2403. 0xc3eb9e15, 0x3c9057a2, 0x97271aec, 0xa93a072a,
  2404. 0x1b3f6d9b, 0x1e6321f5, 0xf59c66fb, 0x26dcf319,
  2405. 0x7533d928, 0xb155fdf5, 0x03563482, 0x8aba3cbb,
  2406. 0x28517711, 0xc20ad9f8, 0xabcc5167, 0xccad925f,
  2407. 0x4de81751, 0x3830dc8e, 0x379d5862, 0x9320f991,
  2408. 0xea7a90c2, 0xfb3e7bce, 0x5121ce64, 0x774fbe32,
  2409. 0xa8b6e37e, 0xc3293d46, 0x48de5369, 0x6413e680,
  2410. 0xa2ae0810, 0xdd6db224, 0x69852dfd, 0x09072166,
  2411. 0xb39a460a, 0x6445c0dd, 0x586cdecf, 0x1c20c8ae,
  2412. 0x5bbef7dd, 0x1b588d40, 0xccd2017f, 0x6bb4e3bb,
  2413. 0xdda26a7e, 0x3a59ff45, 0x3e350a44, 0xbcb4cdd5,
  2414. 0x72eacea8, 0xfa6484bb, 0x8d6612ae, 0xbf3c6f47,
  2415. 0xd29be463, 0x542f5d9e, 0xaec2771b, 0xf64e6370,
  2416. 0x740e0d8d, 0xe75b1357, 0xf8721671, 0xaf537d5d,
  2417. 0x4040cb08, 0x4eb4e2cc, 0x34d2466a, 0x0115af84,
  2418. 0xe1b00428, 0x95983a1d, 0x06b89fb4, 0xce6ea048,
  2419. 0x6f3f3b82, 0x3520ab82, 0x011a1d4b, 0x277227f8,
  2420. 0x611560b1, 0xe7933fdc, 0xbb3a792b, 0x344525bd,
  2421. 0xa08839e1, 0x51ce794b, 0x2f32c9b7, 0xa01fbac9,
  2422. 0xe01cc87e, 0xbcc7d1f6, 0xcf0111c3, 0xa1e8aac7,
  2423. 0x1a908749, 0xd44fbd9a, 0xd0dadecb, 0xd50ada38,
  2424. 0x0339c32a, 0xc6913667, 0x8df9317c, 0xe0b12b4f,
  2425. 0xf79e59b7, 0x43f5bb3a, 0xf2d519ff, 0x27d9459c,
  2426. 0xbf97222c, 0x15e6fc2a, 0x0f91fc71, 0x9b941525,
  2427. 0xfae59361, 0xceb69ceb, 0xc2a86459, 0x12baa8d1,
  2428. 0xb6c1075e, 0xe3056a0c, 0x10d25065, 0xcb03a442,
  2429. 0xe0ec6e0e, 0x1698db3b, 0x4c98a0be, 0x3278e964,
  2430. 0x9f1f9532, 0xe0d392df, 0xd3a0342b, 0x8971f21e,
  2431. 0x1b0a7441, 0x4ba3348c, 0xc5be7120, 0xc37632d8,
  2432. 0xdf359f8d, 0x9b992f2e, 0xe60b6f47, 0x0fe3f11d,
  2433. 0xe54cda54, 0x1edad891, 0xce6279cf, 0xcd3e7e6f,
  2434. 0x1618b166, 0xfd2c1d05, 0x848fd2c5, 0xf6fb2299,
  2435. 0xf523f357, 0xa6327623, 0x93a83531, 0x56cccd02,
  2436. 0xacf08162, 0x5a75ebb5, 0x6e163697, 0x88d273cc,
  2437. 0xde966292, 0x81b949d0, 0x4c50901b, 0x71c65614,
  2438. 0xe6c6c7bd, 0x327a140a, 0x45e1d006, 0xc3f27b9a,
  2439. 0xc9aa53fd, 0x62a80f00, 0xbb25bfe2, 0x35bdd2f6,
  2440. 0x71126905, 0xb2040222, 0xb6cbcf7c, 0xcd769c2b,
  2441. 0x53113ec0, 0x1640e3d3, 0x38abbd60, 0x2547adf0,
  2442. 0xba38209c, 0xf746ce76, 0x77afa1c5, 0x20756060,
  2443. 0x85cbfe4e, 0x8ae88dd8, 0x7aaaf9b0, 0x4cf9aa7e,
  2444. 0x1948c25c, 0x02fb8a8c, 0x01c36ae4, 0xd6ebe1f9,
  2445. 0x90d4f869, 0xa65cdea0, 0x3f09252d, 0xc208e69f,
  2446. 0xb74e6132, 0xce77e25b, 0x578fdfe3, 0x3ac372e6
  2447. };
  2448. BlowFish::BlowFish (const uint8* keyData, int keyBytes)
  2449. {
  2450. memcpy (p, initialPValues, sizeof (p));
  2451. int i, j;
  2452. for (i = 4; --i >= 0;)
  2453. {
  2454. s[i] = (uint32*) juce_malloc (256 * sizeof (uint32));
  2455. memcpy (s[i], initialSValues + i * 256, 256 * sizeof (uint32));
  2456. }
  2457. j = 0;
  2458. for (i = 0; i < 18; ++i)
  2459. {
  2460. uint32 d = 0;
  2461. for (int k = 0; k < 4; ++k)
  2462. {
  2463. d = (d << 8) | keyData[j];
  2464. if (++j >= keyBytes)
  2465. j = 0;
  2466. }
  2467. p[i] = initialPValues[i] ^ d;
  2468. }
  2469. uint32 l = 0, r = 0;
  2470. for (i = 0; i < 18; i += 2)
  2471. {
  2472. encrypt (l, r);
  2473. p[i] = l;
  2474. p[i + 1] = r;
  2475. }
  2476. for (i = 0; i < 4; ++i)
  2477. {
  2478. for (j = 0; j < 256; j += 2)
  2479. {
  2480. encrypt (l, r);
  2481. s[i][j] = l;
  2482. s[i][j + 1] = r;
  2483. }
  2484. }
  2485. }
  2486. BlowFish::BlowFish (const BlowFish& other)
  2487. {
  2488. for (int i = 4; --i >= 0;)
  2489. s[i] = (uint32*) juce_malloc (256 * sizeof (uint32));
  2490. operator= (other);
  2491. }
  2492. const BlowFish& BlowFish::operator= (const BlowFish& other)
  2493. {
  2494. memcpy (p, other.p, sizeof (p));
  2495. for (int i = 4; --i >= 0;)
  2496. memcpy (s[i], other.s[i], 256 * sizeof (uint32));
  2497. return *this;
  2498. }
  2499. BlowFish::~BlowFish()
  2500. {
  2501. for (int i = 4; --i >= 0;)
  2502. juce_free (s[i]);
  2503. }
  2504. uint32 BlowFish::F (uint32 x) const
  2505. {
  2506. uint16 a, b, c, d;
  2507. uint32 y;
  2508. d = (uint16) (x & 0xff);
  2509. x >>= 8;
  2510. c = (uint16) (x & 0xff);
  2511. x >>= 8;
  2512. b = (uint16) (x & 0xff);
  2513. x >>= 8;
  2514. a = (uint16) (x & 0xff);
  2515. y = s[0][a] + s[1][b];
  2516. y = y ^ s[2][c];
  2517. y = y + s[3][d];
  2518. return y;
  2519. }
  2520. void BlowFish::encrypt (uint32& data1,
  2521. uint32& data2) const
  2522. {
  2523. uint32 l = data1;
  2524. uint32 r = data2;
  2525. for (int i = 0; i < 16; ++i)
  2526. {
  2527. l = l ^ p[i];
  2528. r = F (l) ^ r;
  2529. const uint32 temp = l;
  2530. l = r;
  2531. r = temp;
  2532. }
  2533. const uint32 temp = l;
  2534. l = r;
  2535. r = temp;
  2536. r = r ^ p[16];
  2537. l = l ^ p[17];
  2538. data1 = l;
  2539. data2 = r;
  2540. }
  2541. void BlowFish::decrypt (uint32& data1,
  2542. uint32& data2) const
  2543. {
  2544. uint32 l = data1;
  2545. uint32 r = data2;
  2546. for (int i = 17; i > 1; --i)
  2547. {
  2548. l =l ^ p[i];
  2549. r = F (l) ^ r;
  2550. const uint32 temp = l;
  2551. l = r;
  2552. r = temp;
  2553. }
  2554. const uint32 temp = l;
  2555. l = r;
  2556. r = temp;
  2557. r = r ^ p[1];
  2558. l = l ^ p[0];
  2559. data1 = l;
  2560. data2 = r;
  2561. }
  2562. END_JUCE_NAMESPACE
  2563. /********* End of inlined file: juce_BlowFish.cpp *********/
  2564. /********* Start of inlined file: juce_MD5.cpp *********/
  2565. BEGIN_JUCE_NAMESPACE
  2566. MD5::MD5()
  2567. {
  2568. zeromem (result, sizeof (result));
  2569. }
  2570. MD5::MD5 (const MD5& other)
  2571. {
  2572. memcpy (result, other.result, sizeof (result));
  2573. }
  2574. const MD5& MD5::operator= (const MD5& other)
  2575. {
  2576. memcpy (result, other.result, sizeof (result));
  2577. return *this;
  2578. }
  2579. MD5::MD5 (const MemoryBlock& data)
  2580. {
  2581. ProcessContext context;
  2582. context.processBlock ((const uint8*) data.getData(), data.getSize());
  2583. context.finish (result);
  2584. }
  2585. MD5::MD5 (const char* data, const int numBytes)
  2586. {
  2587. ProcessContext context;
  2588. context.processBlock ((const uint8*) data, numBytes);
  2589. context.finish (result);
  2590. }
  2591. MD5::MD5 (const String& text)
  2592. {
  2593. ProcessContext context;
  2594. const int len = text.length();
  2595. const juce_wchar* const t = text;
  2596. for (int i = 0; i < len; ++i)
  2597. {
  2598. // force the string into integer-sized unicode characters, to try to make it
  2599. // get the same results on all platforms + compilers.
  2600. uint32 unicodeChar = (uint32) t[i];
  2601. swapIfBigEndian (unicodeChar);
  2602. context.processBlock ((const uint8*) &unicodeChar,
  2603. sizeof (unicodeChar));
  2604. }
  2605. context.finish (result);
  2606. }
  2607. void MD5::processStream (InputStream& input, int numBytesToRead)
  2608. {
  2609. ProcessContext context;
  2610. if (numBytesToRead < 0)
  2611. numBytesToRead = INT_MAX;
  2612. while (numBytesToRead > 0)
  2613. {
  2614. char tempBuffer [512];
  2615. const int bytesRead = input.read (tempBuffer, jmin (numBytesToRead, sizeof (tempBuffer)));
  2616. if (bytesRead <= 0)
  2617. break;
  2618. numBytesToRead -= bytesRead;
  2619. context.processBlock ((const uint8*) tempBuffer, bytesRead);
  2620. }
  2621. context.finish (result);
  2622. }
  2623. MD5::MD5 (InputStream& input, int numBytesToRead)
  2624. {
  2625. processStream (input, numBytesToRead);
  2626. }
  2627. MD5::MD5 (const File& file)
  2628. {
  2629. FileInputStream* const fin = file.createInputStream();
  2630. if (fin != 0)
  2631. {
  2632. processStream (*fin, -1);
  2633. delete fin;
  2634. }
  2635. else
  2636. {
  2637. zeromem (result, sizeof (result));
  2638. }
  2639. }
  2640. MD5::~MD5()
  2641. {
  2642. }
  2643. MD5::ProcessContext::ProcessContext()
  2644. {
  2645. state[0] = 0x67452301;
  2646. state[1] = 0xefcdab89;
  2647. state[2] = 0x98badcfe;
  2648. state[3] = 0x10325476;
  2649. count[0] = 0;
  2650. count[1] = 0;
  2651. }
  2652. void MD5::ProcessContext::processBlock (const uint8* const data, int dataSize)
  2653. {
  2654. int bufferPos = ((count[0] >> 3) & 0x3F);
  2655. count[0] += (dataSize << 3);
  2656. if (count[0] < ((uint32) dataSize << 3))
  2657. count[1]++;
  2658. count[1] += (dataSize >> 29);
  2659. const int spaceLeft = 64 - bufferPos;
  2660. int i = 0;
  2661. if (dataSize >= spaceLeft)
  2662. {
  2663. memcpy (buffer + bufferPos, data, spaceLeft);
  2664. transform (buffer);
  2665. i = spaceLeft;
  2666. while (i < dataSize - 63)
  2667. {
  2668. transform (data + i);
  2669. i += 64;
  2670. }
  2671. bufferPos = 0;
  2672. }
  2673. memcpy (buffer + bufferPos, data + i, dataSize - i);
  2674. }
  2675. static void encode (uint8* const output,
  2676. const uint32* const input,
  2677. const int numBytes)
  2678. {
  2679. uint32* const o = (uint32*) output;
  2680. for (int i = 0; i < (numBytes >> 2); ++i)
  2681. o[i] = swapIfBigEndian (input [i]);
  2682. }
  2683. static void decode (uint32* const output,
  2684. const uint8* const input,
  2685. const int numBytes)
  2686. {
  2687. for (int i = 0; i < (numBytes >> 2); ++i)
  2688. output[i] = littleEndianInt ((const char*) input + (i << 2));
  2689. }
  2690. void MD5::ProcessContext::finish (uint8* const result)
  2691. {
  2692. unsigned char encodedLength[8];
  2693. encode (encodedLength, count, 8);
  2694. // Pad out to 56 mod 64.
  2695. const int index = (uint32) ((count[0] >> 3) & 0x3f);
  2696. const int paddingLength = (index < 56) ? (56 - index)
  2697. : (120 - index);
  2698. uint8 paddingBuffer [64];
  2699. zeromem (paddingBuffer, paddingLength);
  2700. paddingBuffer [0] = 0x80;
  2701. processBlock (paddingBuffer, paddingLength);
  2702. processBlock (encodedLength, 8);
  2703. encode (result, state, 16);
  2704. zeromem (buffer, sizeof (buffer));
  2705. }
  2706. #define S11 7
  2707. #define S12 12
  2708. #define S13 17
  2709. #define S14 22
  2710. #define S21 5
  2711. #define S22 9
  2712. #define S23 14
  2713. #define S24 20
  2714. #define S31 4
  2715. #define S32 11
  2716. #define S33 16
  2717. #define S34 23
  2718. #define S41 6
  2719. #define S42 10
  2720. #define S43 15
  2721. #define S44 21
  2722. static inline uint32 F (const uint32 x, const uint32 y, const uint32 z) { return (x & y) | (~x & z); }
  2723. static inline uint32 G (const uint32 x, const uint32 y, const uint32 z) { return (x & z) | (y & ~z); }
  2724. static inline uint32 H (const uint32 x, const uint32 y, const uint32 z) { return x ^ y ^ z; }
  2725. static inline uint32 I (const uint32 x, const uint32 y, const uint32 z) { return y ^ (x | ~z); }
  2726. static inline uint32 rotateLeft (const uint32 x, const uint32 n) { return (x << n) | (x >> (32 - n)); }
  2727. static inline void FF (uint32& a, const uint32 b, const uint32 c, const uint32 d, const uint32 x, const uint32 s, const uint32 ac)
  2728. {
  2729. a += F (b, c, d) + x + ac;
  2730. a = rotateLeft (a, s) + b;
  2731. }
  2732. static inline void GG (uint32& a, const uint32 b, const uint32 c, const uint32 d, const uint32 x, const uint32 s, const uint32 ac)
  2733. {
  2734. a += G (b, c, d) + x + ac;
  2735. a = rotateLeft (a, s) + b;
  2736. }
  2737. static inline void HH (uint32& a, const uint32 b, const uint32 c, const uint32 d, const uint32 x, const uint32 s, const uint32 ac)
  2738. {
  2739. a += H (b, c, d) + x + ac;
  2740. a = rotateLeft (a, s) + b;
  2741. }
  2742. static inline void II (uint32& a, const uint32 b, const uint32 c, const uint32 d, const uint32 x, const uint32 s, const uint32 ac)
  2743. {
  2744. a += I (b, c, d) + x + ac;
  2745. a = rotateLeft (a, s) + b;
  2746. }
  2747. void MD5::ProcessContext::transform (const uint8* const buffer)
  2748. {
  2749. uint32 a = state[0];
  2750. uint32 b = state[1];
  2751. uint32 c = state[2];
  2752. uint32 d = state[3];
  2753. uint32 x[16];
  2754. decode (x, buffer, 64);
  2755. FF (a, b, c, d, x[ 0], S11, 0xd76aa478); /* 1 */
  2756. FF (d, a, b, c, x[ 1], S12, 0xe8c7b756); /* 2 */
  2757. FF (c, d, a, b, x[ 2], S13, 0x242070db); /* 3 */
  2758. FF (b, c, d, a, x[ 3], S14, 0xc1bdceee); /* 4 */
  2759. FF (a, b, c, d, x[ 4], S11, 0xf57c0faf); /* 5 */
  2760. FF (d, a, b, c, x[ 5], S12, 0x4787c62a); /* 6 */
  2761. FF (c, d, a, b, x[ 6], S13, 0xa8304613); /* 7 */
  2762. FF (b, c, d, a, x[ 7], S14, 0xfd469501); /* 8 */
  2763. FF (a, b, c, d, x[ 8], S11, 0x698098d8); /* 9 */
  2764. FF (d, a, b, c, x[ 9], S12, 0x8b44f7af); /* 10 */
  2765. FF (c, d, a, b, x[10], S13, 0xffff5bb1); /* 11 */
  2766. FF (b, c, d, a, x[11], S14, 0x895cd7be); /* 12 */
  2767. FF (a, b, c, d, x[12], S11, 0x6b901122); /* 13 */
  2768. FF (d, a, b, c, x[13], S12, 0xfd987193); /* 14 */
  2769. FF (c, d, a, b, x[14], S13, 0xa679438e); /* 15 */
  2770. FF (b, c, d, a, x[15], S14, 0x49b40821); /* 16 */
  2771. GG (a, b, c, d, x[ 1], S21, 0xf61e2562); /* 17 */
  2772. GG (d, a, b, c, x[ 6], S22, 0xc040b340); /* 18 */
  2773. GG (c, d, a, b, x[11], S23, 0x265e5a51); /* 19 */
  2774. GG (b, c, d, a, x[ 0], S24, 0xe9b6c7aa); /* 20 */
  2775. GG (a, b, c, d, x[ 5], S21, 0xd62f105d); /* 21 */
  2776. GG (d, a, b, c, x[10], S22, 0x2441453); /* 22 */
  2777. GG (c, d, a, b, x[15], S23, 0xd8a1e681); /* 23 */
  2778. GG (b, c, d, a, x[ 4], S24, 0xe7d3fbc8); /* 24 */
  2779. GG (a, b, c, d, x[ 9], S21, 0x21e1cde6); /* 25 */
  2780. GG (d, a, b, c, x[14], S22, 0xc33707d6); /* 26 */
  2781. GG (c, d, a, b, x[ 3], S23, 0xf4d50d87); /* 27 */
  2782. GG (b, c, d, a, x[ 8], S24, 0x455a14ed); /* 28 */
  2783. GG (a, b, c, d, x[13], S21, 0xa9e3e905); /* 29 */
  2784. GG (d, a, b, c, x[ 2], S22, 0xfcefa3f8); /* 30 */
  2785. GG (c, d, a, b, x[ 7], S23, 0x676f02d9); /* 31 */
  2786. GG (b, c, d, a, x[12], S24, 0x8d2a4c8a); /* 32 */
  2787. HH (a, b, c, d, x[ 5], S31, 0xfffa3942); /* 33 */
  2788. HH (d, a, b, c, x[ 8], S32, 0x8771f681); /* 34 */
  2789. HH (c, d, a, b, x[11], S33, 0x6d9d6122); /* 35 */
  2790. HH (b, c, d, a, x[14], S34, 0xfde5380c); /* 36 */
  2791. HH (a, b, c, d, x[ 1], S31, 0xa4beea44); /* 37 */
  2792. HH (d, a, b, c, x[ 4], S32, 0x4bdecfa9); /* 38 */
  2793. HH (c, d, a, b, x[ 7], S33, 0xf6bb4b60); /* 39 */
  2794. HH (b, c, d, a, x[10], S34, 0xbebfbc70); /* 40 */
  2795. HH (a, b, c, d, x[13], S31, 0x289b7ec6); /* 41 */
  2796. HH (d, a, b, c, x[ 0], S32, 0xeaa127fa); /* 42 */
  2797. HH (c, d, a, b, x[ 3], S33, 0xd4ef3085); /* 43 */
  2798. HH (b, c, d, a, x[ 6], S34, 0x4881d05); /* 44 */
  2799. HH (a, b, c, d, x[ 9], S31, 0xd9d4d039); /* 45 */
  2800. HH (d, a, b, c, x[12], S32, 0xe6db99e5); /* 46 */
  2801. HH (c, d, a, b, x[15], S33, 0x1fa27cf8); /* 47 */
  2802. HH (b, c, d, a, x[ 2], S34, 0xc4ac5665); /* 48 */
  2803. II (a, b, c, d, x[ 0], S41, 0xf4292244); /* 49 */
  2804. II (d, a, b, c, x[ 7], S42, 0x432aff97); /* 50 */
  2805. II (c, d, a, b, x[14], S43, 0xab9423a7); /* 51 */
  2806. II (b, c, d, a, x[ 5], S44, 0xfc93a039); /* 52 */
  2807. II (a, b, c, d, x[12], S41, 0x655b59c3); /* 53 */
  2808. II (d, a, b, c, x[ 3], S42, 0x8f0ccc92); /* 54 */
  2809. II (c, d, a, b, x[10], S43, 0xffeff47d); /* 55 */
  2810. II (b, c, d, a, x[ 1], S44, 0x85845dd1); /* 56 */
  2811. II (a, b, c, d, x[ 8], S41, 0x6fa87e4f); /* 57 */
  2812. II (d, a, b, c, x[15], S42, 0xfe2ce6e0); /* 58 */
  2813. II (c, d, a, b, x[ 6], S43, 0xa3014314); /* 59 */
  2814. II (b, c, d, a, x[13], S44, 0x4e0811a1); /* 60 */
  2815. II (a, b, c, d, x[ 4], S41, 0xf7537e82); /* 61 */
  2816. II (d, a, b, c, x[11], S42, 0xbd3af235); /* 62 */
  2817. II (c, d, a, b, x[ 2], S43, 0x2ad7d2bb); /* 63 */
  2818. II (b, c, d, a, x[ 9], S44, 0xeb86d391); /* 64 */
  2819. state[0] += a;
  2820. state[1] += b;
  2821. state[2] += c;
  2822. state[3] += d;
  2823. zeromem (x, sizeof (x));
  2824. }
  2825. const MemoryBlock MD5::getRawChecksumData() const
  2826. {
  2827. return MemoryBlock (result, 16);
  2828. }
  2829. const String MD5::toHexString() const
  2830. {
  2831. return String::toHexString (result, 16, 0);
  2832. }
  2833. bool MD5::operator== (const MD5& other) const
  2834. {
  2835. return memcmp (result, other.result, 16) == 0;
  2836. }
  2837. bool MD5::operator!= (const MD5& other) const
  2838. {
  2839. return ! operator== (other);
  2840. }
  2841. END_JUCE_NAMESPACE
  2842. /********* End of inlined file: juce_MD5.cpp *********/
  2843. /********* Start of inlined file: juce_Primes.cpp *********/
  2844. BEGIN_JUCE_NAMESPACE
  2845. static void createSmallSieve (const int numBits, BitArray& result) throw()
  2846. {
  2847. result.setBit (numBits);
  2848. result.clearBit (numBits); // to enlarge the array
  2849. result.setBit (0);
  2850. int n = 2;
  2851. do
  2852. {
  2853. for (int i = n + n; i < numBits; i += n)
  2854. result.setBit (i);
  2855. n = result.findNextClearBit (n + 1);
  2856. }
  2857. while (n <= (numBits >> 1));
  2858. }
  2859. static void bigSieve (const BitArray& base,
  2860. const int numBits,
  2861. BitArray& result,
  2862. const BitArray& smallSieve,
  2863. const int smallSieveSize) throw()
  2864. {
  2865. jassert (! base[0]); // must be even!
  2866. result.setBit (numBits);
  2867. result.clearBit (numBits); // to enlarge the array
  2868. int index = smallSieve.findNextClearBit (0);
  2869. do
  2870. {
  2871. const int prime = (index << 1) + 1;
  2872. BitArray r (base);
  2873. BitArray remainder;
  2874. r.divideBy (prime, remainder);
  2875. int i = prime - remainder.getBitRangeAsInt (0, 32);
  2876. if (r.isEmpty())
  2877. i += prime;
  2878. if ((i & 1) == 0)
  2879. i += prime;
  2880. i = (i - 1) >> 1;
  2881. while (i < numBits)
  2882. {
  2883. result.setBit (i);
  2884. i += prime;
  2885. }
  2886. index = smallSieve.findNextClearBit (index + 1);
  2887. }
  2888. while (index < smallSieveSize);
  2889. }
  2890. static bool findCandidate (const BitArray& base,
  2891. const BitArray& sieve,
  2892. const int numBits,
  2893. BitArray& result,
  2894. const int certainty) throw()
  2895. {
  2896. for (int i = 0; i < numBits; ++i)
  2897. {
  2898. if (! sieve[i])
  2899. {
  2900. result = base;
  2901. result.add (BitArray ((unsigned int) ((i << 1) + 1)));
  2902. if (Primes::isProbablyPrime (result, certainty))
  2903. return true;
  2904. }
  2905. }
  2906. return false;
  2907. }
  2908. const BitArray Primes::createProbablePrime (const int bitLength,
  2909. const int certainty) throw()
  2910. {
  2911. BitArray smallSieve;
  2912. const int smallSieveSize = 15000;
  2913. createSmallSieve (smallSieveSize, smallSieve);
  2914. BitArray p;
  2915. p.fillBitsRandomly (0, bitLength);
  2916. p.setBit (bitLength - 1);
  2917. p.clearBit (0);
  2918. const int searchLen = jmax (1024, (bitLength / 20) * 64);
  2919. while (p.getHighestBit() < bitLength)
  2920. {
  2921. p.add (2 * searchLen);
  2922. BitArray sieve;
  2923. bigSieve (p, searchLen, sieve,
  2924. smallSieve, smallSieveSize);
  2925. BitArray candidate;
  2926. if (findCandidate (p, sieve, searchLen, candidate, certainty))
  2927. return candidate;
  2928. }
  2929. jassertfalse
  2930. return BitArray();
  2931. }
  2932. static bool passesMillerRabin (const BitArray& n, int iterations) throw()
  2933. {
  2934. const BitArray one (1);
  2935. const BitArray two (2);
  2936. BitArray nMinusOne (n);
  2937. nMinusOne.subtract (one);
  2938. BitArray d (nMinusOne);
  2939. const int s = d.findNextSetBit (0);
  2940. d.shiftBits (-s);
  2941. BitArray smallPrimes;
  2942. int numBitsInSmallPrimes = 0;
  2943. for (;;)
  2944. {
  2945. numBitsInSmallPrimes += 256;
  2946. createSmallSieve (numBitsInSmallPrimes, smallPrimes);
  2947. const int numPrimesFound = numBitsInSmallPrimes - smallPrimes.countNumberOfSetBits();
  2948. if (numPrimesFound > iterations + 1)
  2949. break;
  2950. }
  2951. int smallPrime = 2;
  2952. while (--iterations >= 0)
  2953. {
  2954. smallPrime = smallPrimes.findNextClearBit (smallPrime + 1);
  2955. BitArray r (smallPrime);
  2956. //r.createRandomNumber (nMinusOne);
  2957. r.exponentModulo (d, n);
  2958. if (! (r == one || r == nMinusOne))
  2959. {
  2960. for (int j = 0; j < s; ++j)
  2961. {
  2962. r.exponentModulo (two, n);
  2963. if (r == nMinusOne)
  2964. break;
  2965. }
  2966. if (r != nMinusOne)
  2967. return false;
  2968. }
  2969. }
  2970. return true;
  2971. }
  2972. bool Primes::isProbablyPrime (const BitArray& number,
  2973. const int certainty) throw()
  2974. {
  2975. if (! number[0])
  2976. return false;
  2977. if (number.getHighestBit() <= 10)
  2978. {
  2979. const int num = number.getBitRangeAsInt (0, 10);
  2980. for (int i = num / 2; --i > 1;)
  2981. if (num % i == 0)
  2982. return false;
  2983. return true;
  2984. }
  2985. else
  2986. {
  2987. const BitArray screen (2 * 3 * 5 * 7 * 11 * 13 * 17 * 19 * 23);
  2988. if (number.findGreatestCommonDivisor (screen) != BitArray (1))
  2989. return false;
  2990. return passesMillerRabin (number, certainty);
  2991. }
  2992. }
  2993. END_JUCE_NAMESPACE
  2994. /********* End of inlined file: juce_Primes.cpp *********/
  2995. /********* Start of inlined file: juce_RSAKey.cpp *********/
  2996. BEGIN_JUCE_NAMESPACE
  2997. RSAKey::RSAKey() throw()
  2998. {
  2999. }
  3000. RSAKey::RSAKey (const String& s) throw()
  3001. {
  3002. if (s.containsChar (T(',')))
  3003. {
  3004. part1.parseString (s.upToFirstOccurrenceOf (T(","), false, false), 16);
  3005. part2.parseString (s.fromFirstOccurrenceOf (T(","), false, false), 16);
  3006. }
  3007. else
  3008. {
  3009. // the string needs to be two hex numbers, comma-separated..
  3010. jassertfalse;
  3011. }
  3012. }
  3013. RSAKey::~RSAKey() throw()
  3014. {
  3015. }
  3016. const String RSAKey::toString() const throw()
  3017. {
  3018. return part1.toString (16) + T(",") + part2.toString (16);
  3019. }
  3020. bool RSAKey::applyToValue (BitArray& value) const throw()
  3021. {
  3022. if (part1.isEmpty() || part2.isEmpty()
  3023. || value.compare (0) <= 0)
  3024. {
  3025. jassertfalse // using an uninitialised key
  3026. value.clear();
  3027. return false;
  3028. }
  3029. BitArray result;
  3030. while (! value.isEmpty())
  3031. {
  3032. result.multiplyBy (part2);
  3033. BitArray remainder;
  3034. value.divideBy (part2, remainder);
  3035. remainder.exponentModulo (part1, part2);
  3036. result.add (remainder);
  3037. }
  3038. value = result;
  3039. return true;
  3040. }
  3041. static const BitArray findBestCommonDivisor (const BitArray& p,
  3042. const BitArray& q) throw()
  3043. {
  3044. const BitArray one (1);
  3045. // try 3, 5, 9, 17, etc first because these only contain 2 bits and so
  3046. // are fast to divide + multiply
  3047. for (int i = 2; i <= 65536; i *= 2)
  3048. {
  3049. const BitArray e (1 + i);
  3050. if (e.findGreatestCommonDivisor (p) == one
  3051. && e.findGreatestCommonDivisor (q) == one)
  3052. {
  3053. return e;
  3054. }
  3055. }
  3056. BitArray e (4);
  3057. while (! (e.findGreatestCommonDivisor (p) == one
  3058. && e.findGreatestCommonDivisor (q) == one))
  3059. {
  3060. e.add (one);
  3061. }
  3062. return e;
  3063. }
  3064. void RSAKey::createKeyPair (RSAKey& publicKey,
  3065. RSAKey& privateKey,
  3066. const int numBits) throw()
  3067. {
  3068. jassert (numBits > 16); // not much point using less than this..
  3069. BitArray p (Primes::createProbablePrime (numBits / 2, 30));
  3070. BitArray q (Primes::createProbablePrime (numBits - numBits / 2, 30));
  3071. BitArray n (p);
  3072. n.multiplyBy (q); // n = pq
  3073. const BitArray one (1);
  3074. p.subtract (one);
  3075. q.subtract (one);
  3076. BitArray m (p);
  3077. m.multiplyBy (q); // m = (p - 1)(q - 1)
  3078. const BitArray e (findBestCommonDivisor (p, q));
  3079. BitArray d (e);
  3080. d.inverseModulo (m);
  3081. publicKey.part1 = e;
  3082. publicKey.part2 = n;
  3083. privateKey.part1 = d;
  3084. privateKey.part2 = n;
  3085. }
  3086. END_JUCE_NAMESPACE
  3087. /********* End of inlined file: juce_RSAKey.cpp *********/
  3088. /********* Start of inlined file: juce_InputStream.cpp *********/
  3089. BEGIN_JUCE_NAMESPACE
  3090. char InputStream::readByte()
  3091. {
  3092. char temp = 0;
  3093. read (&temp, 1);
  3094. return temp;
  3095. }
  3096. bool InputStream::readBool()
  3097. {
  3098. return readByte() != 0;
  3099. }
  3100. short InputStream::readShort()
  3101. {
  3102. char temp [2];
  3103. if (read (temp, 2) == 2)
  3104. return (short) littleEndianShort (temp);
  3105. else
  3106. return 0;
  3107. }
  3108. short InputStream::readShortBigEndian()
  3109. {
  3110. char temp [2];
  3111. if (read (temp, 2) == 2)
  3112. return (short) bigEndianShort (temp);
  3113. else
  3114. return 0;
  3115. }
  3116. int InputStream::readInt()
  3117. {
  3118. char temp [4];
  3119. if (read (temp, 4) == 4)
  3120. return (int) littleEndianInt (temp);
  3121. else
  3122. return 0;
  3123. }
  3124. int InputStream::readIntBigEndian()
  3125. {
  3126. char temp [4];
  3127. if (read (temp, 4) == 4)
  3128. return (int) bigEndianInt (temp);
  3129. else
  3130. return 0;
  3131. }
  3132. int InputStream::readCompressedInt()
  3133. {
  3134. int num = 0;
  3135. if (! isExhausted())
  3136. {
  3137. unsigned char numBytes = readByte();
  3138. const bool negative = (numBytes & 0x80) != 0;
  3139. numBytes &= 0x7f;
  3140. if (numBytes <= 4)
  3141. {
  3142. if (read (&num, numBytes) != numBytes)
  3143. return 0;
  3144. if (negative)
  3145. num = -num;
  3146. }
  3147. }
  3148. return num;
  3149. }
  3150. int64 InputStream::readInt64()
  3151. {
  3152. char temp [8];
  3153. if (read (temp, 8) == 8)
  3154. return (int64) swapIfBigEndian (*(uint64*)temp);
  3155. else
  3156. return 0;
  3157. }
  3158. int64 InputStream::readInt64BigEndian()
  3159. {
  3160. char temp [8];
  3161. if (read (temp, 8) == 8)
  3162. return (int64) swapIfLittleEndian (*(uint64*)temp);
  3163. else
  3164. return 0;
  3165. }
  3166. float InputStream::readFloat()
  3167. {
  3168. union { int asInt; float asFloat; } n;
  3169. n.asInt = readInt();
  3170. return n.asFloat;
  3171. }
  3172. float InputStream::readFloatBigEndian()
  3173. {
  3174. union { int asInt; float asFloat; } n;
  3175. n.asInt = readIntBigEndian();
  3176. return n.asFloat;
  3177. }
  3178. double InputStream::readDouble()
  3179. {
  3180. union { int64 asInt; double asDouble; } n;
  3181. n.asInt = readInt64();
  3182. return n.asDouble;
  3183. }
  3184. double InputStream::readDoubleBigEndian()
  3185. {
  3186. union { int64 asInt; double asDouble; } n;
  3187. n.asInt = readInt64BigEndian();
  3188. return n.asDouble;
  3189. }
  3190. const String InputStream::readString()
  3191. {
  3192. const int tempBufferSize = 256;
  3193. uint8 temp [tempBufferSize];
  3194. int i = 0;
  3195. while ((temp [i++] = readByte()) != 0)
  3196. {
  3197. if (i == tempBufferSize)
  3198. {
  3199. // too big for our quick buffer, so read it in blocks..
  3200. String result (String::fromUTF8 (temp, i));
  3201. i = 0;
  3202. for (;;)
  3203. {
  3204. if ((temp [i++] = readByte()) == 0)
  3205. {
  3206. result += String::fromUTF8 (temp, i - 1);
  3207. break;
  3208. }
  3209. else if (i == tempBufferSize)
  3210. {
  3211. result += String::fromUTF8 (temp, i);
  3212. i = 0;
  3213. }
  3214. }
  3215. return result;
  3216. }
  3217. }
  3218. return String::fromUTF8 (temp, i - 1);
  3219. }
  3220. const String InputStream::readNextLine()
  3221. {
  3222. String s;
  3223. const int maxChars = 256;
  3224. tchar buffer [maxChars];
  3225. int charsInBuffer = 0;
  3226. while (! isExhausted())
  3227. {
  3228. const uint8 c = readByte();
  3229. const int64 lastPos = getPosition();
  3230. if (c == '\n')
  3231. {
  3232. break;
  3233. }
  3234. else if (c == '\r')
  3235. {
  3236. if (readByte() != '\n')
  3237. setPosition (lastPos);
  3238. break;
  3239. }
  3240. buffer [charsInBuffer++] = c;
  3241. if (charsInBuffer == maxChars)
  3242. {
  3243. s.append (buffer, maxChars);
  3244. charsInBuffer = 0;
  3245. }
  3246. }
  3247. if (charsInBuffer > 0)
  3248. s.append (buffer, charsInBuffer);
  3249. return s;
  3250. }
  3251. int InputStream::readIntoMemoryBlock (MemoryBlock& block,
  3252. int numBytes)
  3253. {
  3254. const int64 totalLength = getTotalLength();
  3255. if (totalLength >= 0)
  3256. {
  3257. const int totalBytesRemaining = (int) jmin ((int64) 0x7fffffff,
  3258. totalLength - getPosition());
  3259. if (numBytes < 0)
  3260. numBytes = totalBytesRemaining;
  3261. else if (numBytes > 0)
  3262. numBytes = jmin (numBytes, totalBytesRemaining);
  3263. else
  3264. return 0;
  3265. }
  3266. const int originalBlockSize = block.getSize();
  3267. int totalBytesRead = 0;
  3268. if (numBytes > 0)
  3269. {
  3270. // know how many bytes we want, so we can resize the block first..
  3271. block.setSize (originalBlockSize + numBytes, false);
  3272. totalBytesRead = read (((char*) block.getData()) + originalBlockSize, numBytes);
  3273. }
  3274. else
  3275. {
  3276. // read until end of stram..
  3277. const int chunkSize = 32768;
  3278. for (;;)
  3279. {
  3280. block.ensureSize (originalBlockSize + totalBytesRead + chunkSize, false);
  3281. const int bytesJustIn = read (((char*) block.getData())
  3282. + originalBlockSize
  3283. + totalBytesRead,
  3284. chunkSize);
  3285. if (bytesJustIn == 0)
  3286. break;
  3287. totalBytesRead += bytesJustIn;
  3288. }
  3289. }
  3290. // trim off any excess left at the end
  3291. block.setSize (originalBlockSize + totalBytesRead, false);
  3292. return totalBytesRead;
  3293. }
  3294. const String InputStream::readEntireStreamAsString()
  3295. {
  3296. MemoryBlock mb;
  3297. const int size = readIntoMemoryBlock (mb);
  3298. return String::createStringFromData ((const char*) mb.getData(), size);
  3299. }
  3300. void InputStream::skipNextBytes (int64 numBytesToSkip)
  3301. {
  3302. if (numBytesToSkip > 0)
  3303. {
  3304. const int skipBufferSize = (int) jmin (numBytesToSkip, (int64) 16384);
  3305. MemoryBlock temp (skipBufferSize);
  3306. while ((numBytesToSkip > 0) && ! isExhausted())
  3307. {
  3308. numBytesToSkip -= read (temp.getData(), (int) jmin (numBytesToSkip, (int64) skipBufferSize));
  3309. }
  3310. }
  3311. }
  3312. END_JUCE_NAMESPACE
  3313. /********* End of inlined file: juce_InputStream.cpp *********/
  3314. /********* Start of inlined file: juce_OutputStream.cpp *********/
  3315. BEGIN_JUCE_NAMESPACE
  3316. #if JUCE_DEBUG
  3317. static CriticalSection activeStreamLock;
  3318. static VoidArray activeStreams;
  3319. void juce_CheckForDanglingStreams()
  3320. {
  3321. /*
  3322. It's always a bad idea to leak any object, but if you're leaking output
  3323. streams, then there's a good chance that you're failing to flush a file
  3324. to disk properly, which could result in corrupted data and other similar
  3325. nastiness..
  3326. */
  3327. jassert (activeStreams.size() == 0);
  3328. };
  3329. #endif
  3330. OutputStream::OutputStream() throw()
  3331. {
  3332. #if JUCE_DEBUG
  3333. activeStreamLock.enter();
  3334. activeStreams.add (this);
  3335. activeStreamLock.exit();
  3336. #endif
  3337. }
  3338. OutputStream::~OutputStream()
  3339. {
  3340. #if JUCE_DEBUG
  3341. activeStreamLock.enter();
  3342. activeStreams.removeValue (this);
  3343. activeStreamLock.exit();
  3344. #endif
  3345. }
  3346. void OutputStream::writeBool (bool b)
  3347. {
  3348. writeByte ((b) ? (char) 1
  3349. : (char) 0);
  3350. }
  3351. void OutputStream::writeByte (char byte)
  3352. {
  3353. write (&byte, 1);
  3354. }
  3355. void OutputStream::writeShort (short value)
  3356. {
  3357. const unsigned short v = swapIfBigEndian ((unsigned short) value);
  3358. write (&v, 2);
  3359. }
  3360. void OutputStream::writeShortBigEndian (short value)
  3361. {
  3362. const unsigned short v = swapIfLittleEndian ((unsigned short) value);
  3363. write (&v, 2);
  3364. }
  3365. void OutputStream::writeInt (int value)
  3366. {
  3367. const unsigned int v = swapIfBigEndian ((unsigned int) value);
  3368. write (&v, 4);
  3369. }
  3370. void OutputStream::writeIntBigEndian (int value)
  3371. {
  3372. const unsigned int v = swapIfLittleEndian ((unsigned int) value);
  3373. write (&v, 4);
  3374. }
  3375. void OutputStream::writeCompressedInt (int value)
  3376. {
  3377. unsigned int un = (value < 0) ? (unsigned int) -value
  3378. : (unsigned int) value;
  3379. unsigned int tn = un;
  3380. int numSigBytes = 0;
  3381. do
  3382. {
  3383. tn >>= 8;
  3384. numSigBytes++;
  3385. } while (tn & 0xff);
  3386. if (value < 0)
  3387. numSigBytes |= 0x80;
  3388. writeByte ((char) numSigBytes);
  3389. write (&un, numSigBytes);
  3390. }
  3391. void OutputStream::writeInt64 (int64 value)
  3392. {
  3393. const uint64 v = swapIfBigEndian ((uint64) value);
  3394. write (&v, 8);
  3395. }
  3396. void OutputStream::writeInt64BigEndian (int64 value)
  3397. {
  3398. const uint64 v = swapIfLittleEndian ((uint64) value);
  3399. write (&v, 8);
  3400. }
  3401. void OutputStream::writeFloat (float value)
  3402. {
  3403. union { int asInt; float asFloat; } n;
  3404. n.asFloat = value;
  3405. writeInt (n.asInt);
  3406. }
  3407. void OutputStream::writeFloatBigEndian (float value)
  3408. {
  3409. union { int asInt; float asFloat; } n;
  3410. n.asFloat = value;
  3411. writeIntBigEndian (n.asInt);
  3412. }
  3413. void OutputStream::writeDouble (double value)
  3414. {
  3415. union { int64 asInt; double asDouble; } n;
  3416. n.asDouble = value;
  3417. writeInt64 (n.asInt);
  3418. }
  3419. void OutputStream::writeDoubleBigEndian (double value)
  3420. {
  3421. union { int64 asInt; double asDouble; } n;
  3422. n.asDouble = value;
  3423. writeInt64BigEndian (n.asInt);
  3424. }
  3425. void OutputStream::writeString (const String& text)
  3426. {
  3427. const int numBytes = text.copyToUTF8 (0);
  3428. uint8* const temp = (uint8*) juce_malloc (numBytes);
  3429. text.copyToUTF8 (temp);
  3430. write (temp, numBytes); // (numBytes includes the terminating null).
  3431. juce_free (temp);
  3432. }
  3433. void OutputStream::printf (const char* pf, ...)
  3434. {
  3435. unsigned int bufSize = 256;
  3436. char* buf = (char*) juce_malloc (bufSize);
  3437. for (;;)
  3438. {
  3439. va_list list;
  3440. va_start (list, pf);
  3441. const int num = CharacterFunctions::vprintf (buf, bufSize, pf, list);
  3442. va_end (list);
  3443. if (num > 0)
  3444. {
  3445. write (buf, num);
  3446. break;
  3447. }
  3448. else if (num == 0)
  3449. {
  3450. break;
  3451. }
  3452. juce_free (buf);
  3453. bufSize += 256;
  3454. buf = (char*) juce_malloc (bufSize);
  3455. }
  3456. juce_free (buf);
  3457. }
  3458. OutputStream& OutputStream::operator<< (const int number)
  3459. {
  3460. const String s (number);
  3461. write ((const char*) s, s.length());
  3462. return *this;
  3463. }
  3464. OutputStream& OutputStream::operator<< (const double number)
  3465. {
  3466. const String s (number);
  3467. write ((const char*) s, s.length());
  3468. return *this;
  3469. }
  3470. OutputStream& OutputStream::operator<< (const char character)
  3471. {
  3472. writeByte (character);
  3473. return *this;
  3474. }
  3475. OutputStream& OutputStream::operator<< (const char* const text)
  3476. {
  3477. write (text, (int) strlen (text));
  3478. return *this;
  3479. }
  3480. OutputStream& OutputStream::operator<< (const juce_wchar* const text)
  3481. {
  3482. const String s (text);
  3483. write ((const char*) s, s.length());
  3484. return *this;
  3485. }
  3486. OutputStream& OutputStream::operator<< (const String& text)
  3487. {
  3488. write ((const char*) text,
  3489. text.length());
  3490. return *this;
  3491. }
  3492. void OutputStream::writeText (const String& text,
  3493. const bool asUnicode,
  3494. const bool writeUnicodeHeaderBytes)
  3495. {
  3496. if (asUnicode)
  3497. {
  3498. if (writeUnicodeHeaderBytes)
  3499. write ("\x0ff\x0fe", 2);
  3500. const juce_wchar* src = (const juce_wchar*) text;
  3501. bool lastCharWasReturn = false;
  3502. while (*src != 0)
  3503. {
  3504. if (*src == L'\n' && ! lastCharWasReturn)
  3505. writeShort ((short) L'\r');
  3506. lastCharWasReturn = (*src == L'\r');
  3507. writeShort ((short) *src++);
  3508. }
  3509. }
  3510. else
  3511. {
  3512. const char* src = (const char*) text;
  3513. const char* t = src;
  3514. for (;;)
  3515. {
  3516. if (*t == '\n')
  3517. {
  3518. if (t > src)
  3519. write (src, (int) (t - src));
  3520. write ("\r\n", 2);
  3521. src = t + 1;
  3522. }
  3523. else if (*t == '\r')
  3524. {
  3525. if (t[1] == '\n')
  3526. ++t;
  3527. }
  3528. else if (*t == 0)
  3529. {
  3530. if (t > src)
  3531. write (src, (int) (t - src));
  3532. break;
  3533. }
  3534. ++t;
  3535. }
  3536. }
  3537. }
  3538. int OutputStream::writeFromInputStream (InputStream& source,
  3539. int numBytesToWrite)
  3540. {
  3541. if (numBytesToWrite < 0)
  3542. numBytesToWrite = 0x7fffffff;
  3543. int numWritten = 0;
  3544. while (numBytesToWrite > 0 && ! source.isExhausted())
  3545. {
  3546. char buffer [8192];
  3547. const int num = source.read (buffer, jmin (numBytesToWrite, sizeof (buffer)));
  3548. if (num == 0)
  3549. break;
  3550. write (buffer, num);
  3551. numBytesToWrite -= num;
  3552. numWritten += num;
  3553. }
  3554. return numWritten;
  3555. }
  3556. END_JUCE_NAMESPACE
  3557. /********* End of inlined file: juce_OutputStream.cpp *********/
  3558. /********* Start of inlined file: juce_DirectoryIterator.cpp *********/
  3559. BEGIN_JUCE_NAMESPACE
  3560. void* juce_findFileStart (const String& directory, const String& wildCard, String& firstResultFile,
  3561. bool* isDirectory, bool* isHidden, int64* fileSize,
  3562. Time* modTime, Time* creationTime, bool* isReadOnly) throw();
  3563. bool juce_findFileNext (void* handle, String& resultFile,
  3564. bool* isDirectory, bool* isHidden, int64* fileSize,
  3565. Time* modTime, Time* creationTime, bool* isReadOnly) throw();
  3566. void juce_findFileClose (void* handle) throw();
  3567. DirectoryIterator::DirectoryIterator (const File& directory,
  3568. bool isRecursive,
  3569. const String& wc,
  3570. const int whatToLookFor_) throw()
  3571. : wildCard (wc),
  3572. index (-1),
  3573. whatToLookFor (whatToLookFor_),
  3574. subIterator (0)
  3575. {
  3576. // you have to specify the type of files you're looking for!
  3577. jassert ((whatToLookFor_ & (File::findFiles | File::findDirectories)) != 0);
  3578. jassert (whatToLookFor_ > 0 && whatToLookFor_ <= 7);
  3579. String path (directory.getFullPathName());
  3580. if (! path.endsWithChar (File::separator))
  3581. path += File::separator;
  3582. String filename;
  3583. bool isDirectory, isHidden;
  3584. void* const handle = juce_findFileStart (path,
  3585. isRecursive ? T("*") : wc,
  3586. filename, &isDirectory, &isHidden, 0, 0, 0, 0);
  3587. if (handle != 0)
  3588. {
  3589. do
  3590. {
  3591. if (! filename.containsOnly (T(".")))
  3592. {
  3593. bool addToList = false;
  3594. if (isDirectory)
  3595. {
  3596. if (isRecursive
  3597. && ((whatToLookFor_ & File::ignoreHiddenFiles) == 0
  3598. || ! isHidden))
  3599. {
  3600. dirsFound.add (new File (path + filename, 0));
  3601. }
  3602. addToList = (whatToLookFor_ & File::findDirectories) != 0;
  3603. }
  3604. else
  3605. {
  3606. addToList = (whatToLookFor_ & File::findFiles) != 0;
  3607. }
  3608. // if it's recursive, we're not relying on the OS iterator
  3609. // to do the wildcard match, so do it now..
  3610. if (isRecursive && addToList)
  3611. addToList = filename.matchesWildcard (wc, true);
  3612. if (addToList && (whatToLookFor_ & File::ignoreHiddenFiles) != 0)
  3613. addToList = ! isHidden;
  3614. if (addToList)
  3615. filesFound.add (new File (path + filename, 0));
  3616. }
  3617. } while (juce_findFileNext (handle, filename, &isDirectory, &isHidden, 0, 0, 0, 0));
  3618. juce_findFileClose (handle);
  3619. }
  3620. }
  3621. DirectoryIterator::~DirectoryIterator() throw()
  3622. {
  3623. if (subIterator != 0)
  3624. delete subIterator;
  3625. }
  3626. bool DirectoryIterator::next() throw()
  3627. {
  3628. if (subIterator != 0)
  3629. {
  3630. if (subIterator->next())
  3631. return true;
  3632. deleteAndZero (subIterator);
  3633. }
  3634. if (index >= filesFound.size() + dirsFound.size() - 1)
  3635. return false;
  3636. ++index;
  3637. if (index >= filesFound.size())
  3638. {
  3639. subIterator = new DirectoryIterator (*(dirsFound [index - filesFound.size()]),
  3640. true, wildCard, whatToLookFor);
  3641. return next();
  3642. }
  3643. return true;
  3644. }
  3645. const File DirectoryIterator::getFile() const throw()
  3646. {
  3647. if (subIterator != 0)
  3648. return subIterator->getFile();
  3649. const File* const f = filesFound [index];
  3650. return (f != 0) ? *f
  3651. : File::nonexistent;
  3652. }
  3653. float DirectoryIterator::getEstimatedProgress() const throw()
  3654. {
  3655. if (filesFound.size() + dirsFound.size() == 0)
  3656. {
  3657. return 0.0f;
  3658. }
  3659. else
  3660. {
  3661. const float detailedIndex = (subIterator != 0) ? index + subIterator->getEstimatedProgress()
  3662. : (float) index;
  3663. return detailedIndex / (filesFound.size() + dirsFound.size());
  3664. }
  3665. }
  3666. END_JUCE_NAMESPACE
  3667. /********* End of inlined file: juce_DirectoryIterator.cpp *********/
  3668. /********* Start of inlined file: juce_File.cpp *********/
  3669. #ifdef _MSC_VER
  3670. #pragma warning (disable: 4514)
  3671. #pragma warning (push)
  3672. #endif
  3673. #ifndef JUCE_WIN32
  3674. #include <pwd.h>
  3675. #endif
  3676. BEGIN_JUCE_NAMESPACE
  3677. #ifdef _MSC_VER
  3678. #pragma warning (pop)
  3679. #endif
  3680. void* juce_fileOpen (const String& path, bool forWriting) throw();
  3681. void juce_fileClose (void* handle) throw();
  3682. int juce_fileWrite (void* handle, const void* buffer, int size) throw();
  3683. int64 juce_fileGetPosition (void* handle) throw();
  3684. int64 juce_fileSetPosition (void* handle, int64 pos) throw();
  3685. void juce_fileFlush (void* handle) throw();
  3686. bool juce_fileExists (const String& fileName, const bool dontCountDirectories) throw();
  3687. bool juce_isDirectory (const String& fileName) throw();
  3688. int64 juce_getFileSize (const String& fileName) throw();
  3689. bool juce_canWriteToFile (const String& fileName) throw();
  3690. bool juce_setFileReadOnly (const String& fileName, bool isReadOnly) throw();
  3691. void juce_getFileTimes (const String& fileName, int64& modificationTime, int64& accessTime, int64& creationTime) throw();
  3692. bool juce_setFileTimes (const String& fileName, int64 modificationTime, int64 accessTime, int64 creationTime) throw();
  3693. bool juce_deleteFile (const String& fileName) throw();
  3694. bool juce_copyFile (const String& source, const String& dest) throw();
  3695. bool juce_moveFile (const String& source, const String& dest) throw();
  3696. // this must also create all paths involved in the directory.
  3697. void juce_createDirectory (const String& fileName) throw();
  3698. bool juce_launchFile (const String& fileName, const String& parameters) throw();
  3699. const StringArray juce_getFileSystemRoots() throw();
  3700. const String juce_getVolumeLabel (const String& filenameOnVolume, int& volumeSerialNumber) throw();
  3701. // starts a directory search operation with a wildcard, returning a handle for
  3702. // use in calls to juce_findFileNext.
  3703. // juce_firstResultFile gets the name of the file (not the whole pathname) and
  3704. // the other pointers, if non-null, are set based on the properties of the file.
  3705. void* juce_findFileStart (const String& directory, const String& wildCard, String& firstResultFile,
  3706. bool* isDirectory, bool* isHidden, int64* fileSize, Time* modTime,
  3707. Time* creationTime, bool* isReadOnly) throw();
  3708. // returns false when no more files are found
  3709. bool juce_findFileNext (void* handle, String& resultFile,
  3710. bool* isDirectory, bool* isHidden, int64* fileSize,
  3711. Time* modTime, Time* creationTime, bool* isReadOnly) throw();
  3712. void juce_findFileClose (void* handle) throw();
  3713. static const String parseAbsolutePath (String path) throw()
  3714. {
  3715. if (path.isEmpty())
  3716. return String::empty;
  3717. #if JUCE_WIN32
  3718. // Windows..
  3719. path = path.replaceCharacter (T('/'), T('\\')).unquoted();
  3720. if (path.startsWithChar (File::separator))
  3721. {
  3722. if (path[1] != File::separator)
  3723. {
  3724. jassertfalse // using a filename that starts with a slash is a bit dodgy on
  3725. // Windows, because it needs a drive letter, which in this case
  3726. // we'll take from the CWD.. but this is a bit of an assumption that
  3727. // could be wrong..
  3728. path = File::getCurrentWorkingDirectory().getFullPathName().substring (0, 2) + path;
  3729. }
  3730. }
  3731. else if (path.indexOfChar (T(':')) < 0)
  3732. {
  3733. if (path.isEmpty())
  3734. return String::empty;
  3735. jassertfalse // using a partial filename is a bad way to initialise a file, because
  3736. // we don't know what directory to put it in.
  3737. // Here we'll assume it's in the CWD, but this might not be what was
  3738. // intended..
  3739. return File::getCurrentWorkingDirectory().getChildFile (path).getFullPathName();
  3740. }
  3741. #else
  3742. // Mac or Linux..
  3743. path = path.replaceCharacter (T('\\'), T('/')).unquoted();
  3744. if (path.startsWithChar (T('~')))
  3745. {
  3746. const char* homeDir = 0;
  3747. if (path[1] == File::separator || path[1] == 0)
  3748. {
  3749. // expand a name of the form "~/abc"
  3750. path = File::getSpecialLocation (File::userHomeDirectory).getFullPathName()
  3751. + path.substring (1);
  3752. }
  3753. else
  3754. {
  3755. // expand a name of type "~dave/abc"
  3756. const String userName (path.substring (1)
  3757. .upToFirstOccurrenceOf (T("/"), false, false));
  3758. struct passwd* const pw = getpwnam (userName);
  3759. if (pw != 0)
  3760. {
  3761. String home (homeDir);
  3762. if (home.endsWithChar (File::separator))
  3763. home [home.length() - 1] = 0;
  3764. path = String (pw->pw_dir)
  3765. + path.substring (userName.length());
  3766. }
  3767. }
  3768. }
  3769. else if (! path.startsWithChar (File::separator))
  3770. {
  3771. while (path.startsWith (T("./")))
  3772. path = path.substring (2);
  3773. if (path.isEmpty())
  3774. return String::empty;
  3775. jassertfalse // using a partial filename is a bad way to initialise a file, because
  3776. // we don't know what directory to put it in.
  3777. // Here we'll assume it's in the CWD, but this might not be what was
  3778. // intended..
  3779. return File::getCurrentWorkingDirectory().getChildFile (path).getFullPathName();
  3780. }
  3781. #endif
  3782. int len = path.length();
  3783. while (--len > 0 && path [len] == File::separator)
  3784. path [len] = 0;
  3785. return path;
  3786. }
  3787. const File File::nonexistent;
  3788. File::File (const String& fullPathName) throw()
  3789. : fullPath (parseAbsolutePath (fullPathName))
  3790. {
  3791. }
  3792. File::File (const String& path, int) throw()
  3793. : fullPath (path)
  3794. {
  3795. }
  3796. File::File (const File& other) throw()
  3797. : fullPath (other.fullPath)
  3798. {
  3799. }
  3800. const File& File::operator= (const String& newPath) throw()
  3801. {
  3802. fullPath = parseAbsolutePath (newPath);
  3803. return *this;
  3804. }
  3805. const File& File::operator= (const File& other) throw()
  3806. {
  3807. fullPath = other.fullPath;
  3808. return *this;
  3809. }
  3810. #if JUCE_LINUX
  3811. #define NAMES_ARE_CASE_SENSITIVE 1
  3812. #endif
  3813. bool File::areFileNamesCaseSensitive()
  3814. {
  3815. #if NAMES_ARE_CASE_SENSITIVE
  3816. return true;
  3817. #else
  3818. return false;
  3819. #endif
  3820. }
  3821. bool File::operator== (const File& other) const throw()
  3822. {
  3823. // case-insensitive on Windows, but not on linux.
  3824. #if NAMES_ARE_CASE_SENSITIVE
  3825. return fullPath == other.fullPath;
  3826. #else
  3827. return fullPath.equalsIgnoreCase (other.fullPath);
  3828. #endif
  3829. }
  3830. bool File::operator!= (const File& other) const throw()
  3831. {
  3832. return ! operator== (other);
  3833. }
  3834. bool File::exists() const throw()
  3835. {
  3836. return juce_fileExists (fullPath, false);
  3837. }
  3838. bool File::existsAsFile() const throw()
  3839. {
  3840. return juce_fileExists (fullPath, true);
  3841. }
  3842. bool File::isDirectory() const throw()
  3843. {
  3844. return juce_isDirectory (fullPath);
  3845. }
  3846. bool File::hasWriteAccess() const throw()
  3847. {
  3848. if (exists())
  3849. return juce_canWriteToFile (fullPath);
  3850. #ifndef JUCE_WIN32
  3851. else if ((! isDirectory()) && fullPath.containsChar (separator))
  3852. return getParentDirectory().hasWriteAccess();
  3853. else
  3854. return false;
  3855. #else
  3856. // on windows, it seems that even read-only directories can still be written into,
  3857. // so checking the parent directory's permissions would return the wrong result..
  3858. else
  3859. return true;
  3860. #endif
  3861. }
  3862. bool File::setReadOnly (const bool shouldBeReadOnly,
  3863. const bool applyRecursively) const throw()
  3864. {
  3865. bool worked = true;
  3866. if (applyRecursively && isDirectory())
  3867. {
  3868. OwnedArray <File> subFiles;
  3869. findChildFiles (subFiles, File::findFilesAndDirectories, false);
  3870. for (int i = subFiles.size(); --i >= 0;)
  3871. worked = subFiles[i]->setReadOnly (shouldBeReadOnly, true) && worked;
  3872. }
  3873. return juce_setFileReadOnly (fullPath, shouldBeReadOnly) && worked;
  3874. }
  3875. bool File::deleteFile() const throw()
  3876. {
  3877. return (! exists())
  3878. || juce_deleteFile (fullPath);
  3879. }
  3880. bool File::deleteRecursively() const throw()
  3881. {
  3882. bool worked = true;
  3883. if (isDirectory())
  3884. {
  3885. OwnedArray<File> subFiles;
  3886. findChildFiles (subFiles, File::findFilesAndDirectories, false);
  3887. for (int i = subFiles.size(); --i >= 0;)
  3888. worked = subFiles[i]->deleteRecursively() && worked;
  3889. }
  3890. return deleteFile() && worked;
  3891. }
  3892. bool File::moveFileTo (const File& newFile) const throw()
  3893. {
  3894. if (newFile.fullPath == fullPath)
  3895. return true;
  3896. #if ! NAMES_ARE_CASE_SENSITIVE
  3897. if (*this != newFile)
  3898. #endif
  3899. if (! newFile.deleteFile())
  3900. return false;
  3901. return juce_moveFile (fullPath, newFile.fullPath);
  3902. }
  3903. bool File::copyFileTo (const File& newFile) const throw()
  3904. {
  3905. if (*this == newFile)
  3906. return true;
  3907. if (! newFile.deleteFile())
  3908. return false;
  3909. return juce_copyFile (fullPath, newFile.fullPath);
  3910. }
  3911. bool File::copyDirectoryTo (const File& newDirectory) const throw()
  3912. {
  3913. if (isDirectory() && newDirectory.createDirectory())
  3914. {
  3915. OwnedArray<File> subFiles;
  3916. findChildFiles (subFiles, File::findFiles, false);
  3917. int i;
  3918. for (i = 0; i < subFiles.size(); ++i)
  3919. if (! subFiles[i]->copyFileTo (newDirectory.getChildFile (subFiles[i]->getFileName())))
  3920. return false;
  3921. subFiles.clear();
  3922. findChildFiles (subFiles, File::findDirectories, false);
  3923. for (i = 0; i < subFiles.size(); ++i)
  3924. if (! subFiles[i]->copyDirectoryTo (newDirectory.getChildFile (subFiles[i]->getFileName())))
  3925. return false;
  3926. return true;
  3927. }
  3928. return false;
  3929. }
  3930. const String File::getPathUpToLastSlash() const throw()
  3931. {
  3932. const int lastSlash = fullPath.lastIndexOfChar (separator);
  3933. if (lastSlash > 0)
  3934. return fullPath.substring (0, lastSlash);
  3935. else if (lastSlash == 0)
  3936. return separatorString;
  3937. else
  3938. return fullPath;
  3939. }
  3940. const File File::getParentDirectory() const throw()
  3941. {
  3942. return File (getPathUpToLastSlash());
  3943. }
  3944. const String File::getFileName() const throw()
  3945. {
  3946. return fullPath.substring (fullPath.lastIndexOfChar (separator) + 1);
  3947. }
  3948. int File::hashCode() const throw()
  3949. {
  3950. return fullPath.hashCode();
  3951. }
  3952. int64 File::hashCode64() const throw()
  3953. {
  3954. return fullPath.hashCode64();
  3955. }
  3956. const String File::getFileNameWithoutExtension() const throw()
  3957. {
  3958. const int lastSlash = fullPath.lastIndexOfChar (separator) + 1;
  3959. const int lastDot = fullPath.lastIndexOfChar (T('.'));
  3960. if (lastDot > lastSlash)
  3961. return fullPath.substring (lastSlash, lastDot);
  3962. else
  3963. return fullPath.substring (lastSlash);
  3964. }
  3965. bool File::isAChildOf (const File& potentialParent) const throw()
  3966. {
  3967. const String ourPath (getPathUpToLastSlash());
  3968. #if NAMES_ARE_CASE_SENSITIVE
  3969. if (potentialParent.fullPath == ourPath)
  3970. #else
  3971. if (potentialParent.fullPath.equalsIgnoreCase (ourPath))
  3972. #endif
  3973. {
  3974. return true;
  3975. }
  3976. else if (potentialParent.fullPath.length() >= ourPath.length())
  3977. {
  3978. return false;
  3979. }
  3980. else
  3981. {
  3982. return getParentDirectory().isAChildOf (potentialParent);
  3983. }
  3984. }
  3985. bool File::isAbsolutePath (const String& path) throw()
  3986. {
  3987. return path.startsWithChar (T('/')) || path.startsWithChar (T('\\'))
  3988. #if JUCE_WIN32
  3989. || (path.isNotEmpty() && ((const String&) path)[1] == T(':'));
  3990. #else
  3991. || path.startsWithChar (T('~'));
  3992. #endif
  3993. }
  3994. const File File::getChildFile (String relativePath) const throw()
  3995. {
  3996. if (isAbsolutePath (relativePath))
  3997. {
  3998. // the path is really absolute..
  3999. return File (relativePath);
  4000. }
  4001. else
  4002. {
  4003. // it's relative, so remove any ../ or ./ bits at the start.
  4004. String path (fullPath);
  4005. if (relativePath[0] == T('.'))
  4006. {
  4007. #if JUCE_WIN32
  4008. relativePath = relativePath.replaceCharacter (T('/'), T('\\')).trimStart();
  4009. #else
  4010. relativePath = relativePath.replaceCharacter (T('\\'), T('/')).trimStart();
  4011. #endif
  4012. while (relativePath[0] == T('.'))
  4013. {
  4014. if (relativePath[1] == T('.'))
  4015. {
  4016. if (relativePath [2] == 0 || relativePath[2] == separator)
  4017. {
  4018. const int lastSlash = path.lastIndexOfChar (separator);
  4019. if (lastSlash > 0)
  4020. path = path.substring (0, lastSlash);
  4021. relativePath = relativePath.substring (3);
  4022. }
  4023. else
  4024. {
  4025. break;
  4026. }
  4027. }
  4028. else if (relativePath[1] == separator)
  4029. {
  4030. relativePath = relativePath.substring (2);
  4031. }
  4032. else
  4033. {
  4034. break;
  4035. }
  4036. }
  4037. }
  4038. if (! path.endsWithChar (separator))
  4039. path += separator;
  4040. return File (path + relativePath);
  4041. }
  4042. }
  4043. const File File::getSiblingFile (const String& fileName) const throw()
  4044. {
  4045. return getParentDirectory().getChildFile (fileName);
  4046. }
  4047. int64 File::getSize() const throw()
  4048. {
  4049. return juce_getFileSize (fullPath);
  4050. }
  4051. const String File::descriptionOfSizeInBytes (const int64 bytes)
  4052. {
  4053. if (bytes == 1)
  4054. {
  4055. return "1 byte";
  4056. }
  4057. else if (bytes < 1024)
  4058. {
  4059. return String ((int) bytes) + " bytes";
  4060. }
  4061. else if (bytes < 1024 * 1024)
  4062. {
  4063. return String (bytes / 1024.0, 1) + " KB";
  4064. }
  4065. else if (bytes < 1024 * 1024 * 1024)
  4066. {
  4067. return String (bytes / (1024.0 * 1024.0), 1) + " MB";
  4068. }
  4069. else
  4070. {
  4071. return String (bytes / (1024.0 * 1024.0 * 1024.0), 1) + " GB";
  4072. }
  4073. }
  4074. bool File::create() const throw()
  4075. {
  4076. if (! exists())
  4077. {
  4078. const File parentDir (getParentDirectory());
  4079. if (parentDir == *this || ! parentDir.createDirectory())
  4080. return false;
  4081. void* const fh = juce_fileOpen (fullPath, true);
  4082. if (fh == 0)
  4083. return false;
  4084. juce_fileClose (fh);
  4085. }
  4086. return true;
  4087. }
  4088. bool File::createDirectory() const throw()
  4089. {
  4090. if (! isDirectory())
  4091. {
  4092. const File parentDir (getParentDirectory());
  4093. if (parentDir == *this || ! parentDir.createDirectory())
  4094. return false;
  4095. String dir (fullPath);
  4096. while (dir.endsWithChar (separator))
  4097. dir [dir.length() - 1] = 0;
  4098. juce_createDirectory (dir);
  4099. return isDirectory();
  4100. }
  4101. return true;
  4102. }
  4103. const Time File::getCreationTime() const throw()
  4104. {
  4105. int64 m, a, c;
  4106. juce_getFileTimes (fullPath, m, a, c);
  4107. return Time (c);
  4108. }
  4109. bool File::setCreationTime (const Time& t) const throw()
  4110. {
  4111. return juce_setFileTimes (fullPath, 0, 0, t.toMilliseconds());
  4112. }
  4113. const Time File::getLastModificationTime() const throw()
  4114. {
  4115. int64 m, a, c;
  4116. juce_getFileTimes (fullPath, m, a, c);
  4117. return Time (m);
  4118. }
  4119. bool File::setLastModificationTime (const Time& t) const throw()
  4120. {
  4121. return juce_setFileTimes (fullPath, t.toMilliseconds(), 0, 0);
  4122. }
  4123. const Time File::getLastAccessTime() const throw()
  4124. {
  4125. int64 m, a, c;
  4126. juce_getFileTimes (fullPath, m, a, c);
  4127. return Time (a);
  4128. }
  4129. bool File::setLastAccessTime (const Time& t) const throw()
  4130. {
  4131. return juce_setFileTimes (fullPath, 0, t.toMilliseconds(), 0);
  4132. }
  4133. bool File::loadFileAsData (MemoryBlock& destBlock) const throw()
  4134. {
  4135. if (! existsAsFile())
  4136. return false;
  4137. FileInputStream in (*this);
  4138. return getSize() == in.readIntoMemoryBlock (destBlock);
  4139. }
  4140. const String File::loadFileAsString() const throw()
  4141. {
  4142. if (! existsAsFile())
  4143. return String::empty;
  4144. FileInputStream in (*this);
  4145. return in.readEntireStreamAsString();
  4146. }
  4147. static inline bool fileTypeMatches (const int whatToLookFor,
  4148. const bool isDir,
  4149. const bool isHidden)
  4150. {
  4151. return (whatToLookFor & (isDir ? File::findDirectories
  4152. : File::findFiles)) != 0
  4153. && ((! isHidden)
  4154. || (whatToLookFor & File::ignoreHiddenFiles) == 0);
  4155. }
  4156. int File::findChildFiles (OwnedArray<File>& results,
  4157. const int whatToLookFor,
  4158. const bool searchRecursively,
  4159. const String& wildCardPattern) const throw()
  4160. {
  4161. // you have to specify the type of files you're looking for!
  4162. jassert ((whatToLookFor & (findFiles | findDirectories)) != 0);
  4163. int total = 0;
  4164. // find child files or directories in this directory first..
  4165. if (isDirectory())
  4166. {
  4167. String path (fullPath);
  4168. if (! path.endsWithChar (separator))
  4169. path += separator;
  4170. String filename;
  4171. bool isDirectory, isHidden;
  4172. void* const handle = juce_findFileStart (path,
  4173. wildCardPattern,
  4174. filename,
  4175. &isDirectory, &isHidden,
  4176. 0, 0, 0, 0);
  4177. if (handle != 0)
  4178. {
  4179. do
  4180. {
  4181. if (fileTypeMatches (whatToLookFor, isDirectory, isHidden)
  4182. && ! filename.containsOnly (T(".")))
  4183. {
  4184. results.add (new File (path + filename, 0));
  4185. ++total;
  4186. }
  4187. } while (juce_findFileNext (handle, filename, &isDirectory, &isHidden, 0, 0, 0, 0));
  4188. juce_findFileClose (handle);
  4189. }
  4190. }
  4191. else
  4192. {
  4193. // trying to search for files inside a non-directory?
  4194. //jassertfalse
  4195. }
  4196. // and recurse down if required.
  4197. if (searchRecursively)
  4198. {
  4199. OwnedArray <File> subDirectories;
  4200. findChildFiles (subDirectories, File::findDirectories, false);
  4201. for (int i = 0; i < subDirectories.size(); ++i)
  4202. {
  4203. total += subDirectories.getUnchecked(i)
  4204. ->findChildFiles (results,
  4205. whatToLookFor,
  4206. true,
  4207. wildCardPattern);
  4208. }
  4209. }
  4210. return total;
  4211. }
  4212. int File::getNumberOfChildFiles (const int whatToLookFor,
  4213. const String& wildCardPattern) const throw()
  4214. {
  4215. // you have to specify the type of files you're looking for!
  4216. jassert (whatToLookFor > 0 && whatToLookFor <= 3);
  4217. int count = 0;
  4218. if (isDirectory())
  4219. {
  4220. String filename;
  4221. bool isDirectory, isHidden;
  4222. void* const handle = juce_findFileStart (fullPath,
  4223. wildCardPattern,
  4224. filename,
  4225. &isDirectory, &isHidden,
  4226. 0, 0, 0, 0);
  4227. if (handle != 0)
  4228. {
  4229. do
  4230. {
  4231. if (fileTypeMatches (whatToLookFor, isDirectory, isHidden)
  4232. && ! filename.containsOnly (T(".")))
  4233. {
  4234. ++count;
  4235. }
  4236. } while (juce_findFileNext (handle, filename, &isDirectory, &isHidden, 0, 0, 0, 0));
  4237. juce_findFileClose (handle);
  4238. }
  4239. }
  4240. else
  4241. {
  4242. // trying to search for files inside a non-directory?
  4243. jassertfalse
  4244. }
  4245. return count;
  4246. }
  4247. const File File::getNonexistentChildFile (const String& prefix_,
  4248. const String& suffix,
  4249. bool putNumbersInBrackets) const throw()
  4250. {
  4251. File f (getChildFile (prefix_ + suffix));
  4252. if (f.exists())
  4253. {
  4254. int num = 2;
  4255. String prefix (prefix_);
  4256. // remove any bracketed numbers that may already be on the end..
  4257. if (prefix.trim().endsWithChar (T(')')))
  4258. {
  4259. putNumbersInBrackets = true;
  4260. const int openBracks = prefix.lastIndexOfChar (T('('));
  4261. const int closeBracks = prefix.lastIndexOfChar (T(')'));
  4262. if (openBracks > 0
  4263. && closeBracks > openBracks
  4264. && prefix.substring (openBracks + 1, closeBracks).containsOnly (T("0123456789")))
  4265. {
  4266. num = prefix.substring (openBracks + 1, closeBracks).getIntValue() + 1;
  4267. prefix = prefix.substring (0, openBracks);
  4268. }
  4269. }
  4270. // also use brackets if it ends in a digit.
  4271. putNumbersInBrackets = putNumbersInBrackets
  4272. || CharacterFunctions::isDigit (prefix.getLastCharacter());
  4273. do
  4274. {
  4275. if (putNumbersInBrackets)
  4276. f = getChildFile (prefix + T('(') + String (num++) + T(')') + suffix);
  4277. else
  4278. f = getChildFile (prefix + String (num++) + suffix);
  4279. } while (f.exists());
  4280. }
  4281. return f;
  4282. }
  4283. const File File::getNonexistentSibling (const bool putNumbersInBrackets) const throw()
  4284. {
  4285. if (exists())
  4286. {
  4287. return getParentDirectory()
  4288. .getNonexistentChildFile (getFileNameWithoutExtension(),
  4289. getFileExtension(),
  4290. putNumbersInBrackets);
  4291. }
  4292. else
  4293. {
  4294. return *this;
  4295. }
  4296. }
  4297. const String File::getFileExtension() const throw()
  4298. {
  4299. String ext;
  4300. if (! isDirectory())
  4301. {
  4302. const int indexOfDot = fullPath.lastIndexOfChar (T('.'));
  4303. if (indexOfDot > fullPath.lastIndexOfChar (separator))
  4304. ext = fullPath.substring (indexOfDot);
  4305. }
  4306. return ext;
  4307. }
  4308. bool File::hasFileExtension (const String& possibleSuffix) const throw()
  4309. {
  4310. if (possibleSuffix.isEmpty())
  4311. return fullPath.lastIndexOfChar (T('.')) <= fullPath.lastIndexOfChar (separator);
  4312. if (fullPath.endsWithIgnoreCase (possibleSuffix))
  4313. {
  4314. if (possibleSuffix.startsWithChar (T('.')))
  4315. return true;
  4316. const int dotPos = fullPath.length() - possibleSuffix.length() - 1;
  4317. if (dotPos >= 0)
  4318. return fullPath [dotPos] == T('.');
  4319. }
  4320. return false;
  4321. }
  4322. const File File::withFileExtension (const String& newExtension) const throw()
  4323. {
  4324. if (fullPath.isEmpty())
  4325. return File::nonexistent;
  4326. String filePart (getFileName());
  4327. int i = filePart.lastIndexOfChar (T('.'));
  4328. if (i < 0)
  4329. i = filePart.length();
  4330. String newExt (newExtension);
  4331. if (newExt.isNotEmpty() && ! newExt.startsWithChar (T('.')))
  4332. newExt = T(".") + newExt;
  4333. return getSiblingFile (filePart.substring (0, i) + newExt);
  4334. }
  4335. bool File::startAsProcess (const String& parameters) const throw()
  4336. {
  4337. return exists()
  4338. && juce_launchFile (fullPath, parameters);
  4339. }
  4340. FileInputStream* File::createInputStream() const throw()
  4341. {
  4342. if (existsAsFile())
  4343. return new FileInputStream (*this);
  4344. else
  4345. return 0;
  4346. }
  4347. FileOutputStream* File::createOutputStream (const int bufferSize) const throw()
  4348. {
  4349. FileOutputStream* const out = new FileOutputStream (*this, bufferSize);
  4350. if (out->failedToOpen())
  4351. {
  4352. delete out;
  4353. return 0;
  4354. }
  4355. else
  4356. {
  4357. return out;
  4358. }
  4359. }
  4360. bool File::appendData (const void* const dataToAppend,
  4361. const int numberOfBytes) const throw()
  4362. {
  4363. if (numberOfBytes > 0)
  4364. {
  4365. FileOutputStream* const out = createOutputStream();
  4366. if (out == 0)
  4367. return false;
  4368. out->write (dataToAppend, numberOfBytes);
  4369. delete out;
  4370. }
  4371. return true;
  4372. }
  4373. bool File::replaceWithData (const void* const dataToWrite,
  4374. const int numberOfBytes) const throw()
  4375. {
  4376. jassert (numberOfBytes >= 0); // a negative number of bytes??
  4377. if (numberOfBytes <= 0)
  4378. return deleteFile();
  4379. const File tempFile (getSiblingFile (T(".") + getFileName()).getNonexistentSibling (false));
  4380. if (tempFile.appendData (dataToWrite, numberOfBytes)
  4381. && tempFile.moveFileTo (*this))
  4382. {
  4383. return true;
  4384. }
  4385. tempFile.deleteFile();
  4386. return false;
  4387. }
  4388. bool File::appendText (const String& text,
  4389. const bool asUnicode,
  4390. const bool writeUnicodeHeaderBytes) const throw()
  4391. {
  4392. FileOutputStream* const out = createOutputStream();
  4393. if (out != 0)
  4394. {
  4395. out->writeText (text, asUnicode, writeUnicodeHeaderBytes);
  4396. delete out;
  4397. return true;
  4398. }
  4399. return false;
  4400. }
  4401. bool File::printf (const tchar* pf, ...) const throw()
  4402. {
  4403. va_list list;
  4404. va_start (list, pf);
  4405. String text;
  4406. text.vprintf (pf, list);
  4407. return appendData ((const char*) text, text.length());
  4408. }
  4409. bool File::replaceWithText (const String& textToWrite,
  4410. const bool asUnicode,
  4411. const bool writeUnicodeHeaderBytes) const throw()
  4412. {
  4413. const File tempFile (getSiblingFile (T(".") + getFileName()).getNonexistentSibling (false));
  4414. if (tempFile.appendText (textToWrite, asUnicode, writeUnicodeHeaderBytes)
  4415. && tempFile.moveFileTo (*this))
  4416. {
  4417. return true;
  4418. }
  4419. tempFile.deleteFile();
  4420. return false;
  4421. }
  4422. const String File::createLegalPathName (const String& original) throw()
  4423. {
  4424. String s (original);
  4425. String start;
  4426. if (s[1] == T(':'))
  4427. {
  4428. start = s.substring (0, 2);
  4429. s = s.substring (2);
  4430. }
  4431. return start + s.removeCharacters (T("\"#@,;:<>*^|?"))
  4432. .substring (0, 1024);
  4433. }
  4434. const String File::createLegalFileName (const String& original) throw()
  4435. {
  4436. String s (original.removeCharacters (T("\"#@,;:<>*^|?\\/")));
  4437. const int maxLength = 128; // only the length of the filename, not the whole path
  4438. const int len = s.length();
  4439. if (len > maxLength)
  4440. {
  4441. const int lastDot = s.lastIndexOfChar (T('.'));
  4442. if (lastDot > jmax (0, len - 12))
  4443. {
  4444. s = s.substring (0, maxLength - (len - lastDot))
  4445. + s.substring (lastDot);
  4446. }
  4447. else
  4448. {
  4449. s = s.substring (0, maxLength);
  4450. }
  4451. }
  4452. return s;
  4453. }
  4454. const String File::getRelativePathFrom (const File& dir) const throw()
  4455. {
  4456. String thisPath (fullPath);
  4457. {
  4458. int len = thisPath.length();
  4459. while (--len >= 0 && thisPath [len] == File::separator)
  4460. thisPath [len] = 0;
  4461. }
  4462. String dirPath ((dir.existsAsFile()) ? dir.getParentDirectory().getFullPathName()
  4463. : dir.fullPath);
  4464. if (! dirPath.endsWithChar (separator))
  4465. dirPath += separator;
  4466. const int len = jmin (thisPath.length(), dirPath.length());
  4467. int commonBitLength = 0;
  4468. for (int i = 0; i < len; ++i)
  4469. {
  4470. #if NAMES_ARE_CASE_SENSITIVE
  4471. if (thisPath[i] != dirPath[i])
  4472. #else
  4473. if (CharacterFunctions::toLowerCase (thisPath[i])
  4474. != CharacterFunctions::toLowerCase (dirPath[i]))
  4475. #endif
  4476. {
  4477. break;
  4478. }
  4479. ++commonBitLength;
  4480. }
  4481. while (commonBitLength > 0 && thisPath [commonBitLength - 1] != File::separator)
  4482. --commonBitLength;
  4483. // if the only common bit is the root, then just return the full path..
  4484. #if JUCE_WIN32
  4485. if (commonBitLength <= 0
  4486. || (commonBitLength == 1 && thisPath [1] == File::separator)
  4487. || (commonBitLength <= 3 && thisPath [1] == T(':')))
  4488. #else
  4489. if (commonBitLength <= 0
  4490. || (commonBitLength == 1 && thisPath [1] == File::separator))
  4491. #endif
  4492. return fullPath;
  4493. thisPath = thisPath.substring (commonBitLength);
  4494. dirPath = dirPath.substring (commonBitLength);
  4495. while (dirPath.isNotEmpty())
  4496. {
  4497. #if JUCE_WIN32
  4498. thisPath = T("..\\") + thisPath;
  4499. #else
  4500. thisPath = T("../") + thisPath;
  4501. #endif
  4502. const int sep = dirPath.indexOfChar (separator);
  4503. if (sep >= 0)
  4504. dirPath = dirPath.substring (sep + 1);
  4505. else
  4506. dirPath = String::empty;
  4507. }
  4508. return thisPath;
  4509. }
  4510. void File::findFileSystemRoots (OwnedArray<File>& destArray) throw()
  4511. {
  4512. const StringArray roots (juce_getFileSystemRoots());
  4513. for (int i = 0; i < roots.size(); ++i)
  4514. destArray.add (new File (roots[i]));
  4515. }
  4516. const String File::getVolumeLabel() const throw()
  4517. {
  4518. int serialNum;
  4519. return juce_getVolumeLabel (fullPath, serialNum);
  4520. }
  4521. int File::getVolumeSerialNumber() const throw()
  4522. {
  4523. int serialNum;
  4524. juce_getVolumeLabel (fullPath, serialNum);
  4525. return serialNum;
  4526. }
  4527. const File File::createTempFile (const String& fileNameEnding) throw()
  4528. {
  4529. String tempName (T("temp"));
  4530. static int tempNum = 0;
  4531. tempName << tempNum++ << fileNameEnding;
  4532. const File tempFile (getSpecialLocation (tempDirectory)
  4533. .getChildFile (tempName));
  4534. if (tempFile.exists())
  4535. return createTempFile (fileNameEnding);
  4536. else
  4537. return tempFile;
  4538. }
  4539. END_JUCE_NAMESPACE
  4540. /********* End of inlined file: juce_File.cpp *********/
  4541. /********* Start of inlined file: juce_FileInputStream.cpp *********/
  4542. BEGIN_JUCE_NAMESPACE
  4543. void* juce_fileOpen (const String& path, bool forWriting) throw();
  4544. void juce_fileClose (void* handle) throw();
  4545. int juce_fileRead (void* handle, void* buffer, int size) throw();
  4546. int64 juce_fileSetPosition (void* handle, int64 pos) throw();
  4547. FileInputStream::FileInputStream (const File& f)
  4548. : file (f),
  4549. currentPosition (0),
  4550. needToSeek (true)
  4551. {
  4552. totalSize = f.getSize();
  4553. fileHandle = juce_fileOpen (f.getFullPathName(), false);
  4554. }
  4555. FileInputStream::~FileInputStream()
  4556. {
  4557. juce_fileClose (fileHandle);
  4558. }
  4559. int64 FileInputStream::getTotalLength()
  4560. {
  4561. return totalSize;
  4562. }
  4563. int FileInputStream::read (void* buffer, int bytesToRead)
  4564. {
  4565. int num = 0;
  4566. if (needToSeek)
  4567. {
  4568. if (juce_fileSetPosition (fileHandle, currentPosition) < 0)
  4569. return 0;
  4570. needToSeek = false;
  4571. }
  4572. num = juce_fileRead (fileHandle, buffer, bytesToRead);
  4573. currentPosition += num;
  4574. return num;
  4575. }
  4576. bool FileInputStream::isExhausted()
  4577. {
  4578. return currentPosition >= totalSize;
  4579. }
  4580. int64 FileInputStream::getPosition()
  4581. {
  4582. return currentPosition;
  4583. }
  4584. bool FileInputStream::setPosition (int64 pos)
  4585. {
  4586. pos = jlimit ((int64) 0, totalSize, pos);
  4587. needToSeek |= (currentPosition != pos);
  4588. currentPosition = pos;
  4589. return true;
  4590. }
  4591. END_JUCE_NAMESPACE
  4592. /********* End of inlined file: juce_FileInputStream.cpp *********/
  4593. /********* Start of inlined file: juce_FileOutputStream.cpp *********/
  4594. BEGIN_JUCE_NAMESPACE
  4595. void* juce_fileOpen (const String& path, bool forWriting) throw();
  4596. void juce_fileClose (void* handle) throw();
  4597. int juce_fileWrite (void* handle, const void* buffer, int size) throw();
  4598. void juce_fileFlush (void* handle) throw();
  4599. int64 juce_fileGetPosition (void* handle) throw();
  4600. int64 juce_fileSetPosition (void* handle, int64 pos) throw();
  4601. FileOutputStream::FileOutputStream (const File& f,
  4602. const int bufferSize_)
  4603. : file (f),
  4604. bufferSize (bufferSize_),
  4605. bytesInBuffer (0)
  4606. {
  4607. fileHandle = juce_fileOpen (f.getFullPathName(), true);
  4608. if (fileHandle != 0)
  4609. {
  4610. currentPosition = juce_fileGetPosition (fileHandle);
  4611. if (currentPosition < 0)
  4612. {
  4613. jassertfalse
  4614. juce_fileClose (fileHandle);
  4615. fileHandle = 0;
  4616. }
  4617. }
  4618. buffer = (char*) juce_malloc (jmax (bufferSize_, 16));
  4619. }
  4620. FileOutputStream::~FileOutputStream()
  4621. {
  4622. flush();
  4623. juce_fileClose (fileHandle);
  4624. juce_free (buffer);
  4625. }
  4626. int64 FileOutputStream::getPosition()
  4627. {
  4628. return currentPosition;
  4629. }
  4630. bool FileOutputStream::setPosition (int64 newPosition)
  4631. {
  4632. if (newPosition != currentPosition)
  4633. {
  4634. flush();
  4635. currentPosition = juce_fileSetPosition (fileHandle, newPosition);
  4636. }
  4637. return newPosition == currentPosition;
  4638. }
  4639. void FileOutputStream::flush()
  4640. {
  4641. if (bytesInBuffer > 0)
  4642. {
  4643. juce_fileWrite (fileHandle, buffer, bytesInBuffer);
  4644. bytesInBuffer = 0;
  4645. }
  4646. juce_fileFlush (fileHandle);
  4647. }
  4648. bool FileOutputStream::write (const void* const src, const int numBytes)
  4649. {
  4650. if (bytesInBuffer + numBytes < bufferSize)
  4651. {
  4652. memcpy (buffer + bytesInBuffer, src, numBytes);
  4653. bytesInBuffer += numBytes;
  4654. currentPosition += numBytes;
  4655. }
  4656. else
  4657. {
  4658. if (bytesInBuffer > 0)
  4659. {
  4660. // flush the reservoir
  4661. const bool wroteOk = (juce_fileWrite (fileHandle, buffer, bytesInBuffer) == bytesInBuffer);
  4662. bytesInBuffer = 0;
  4663. if (! wroteOk)
  4664. return false;
  4665. }
  4666. if (numBytes < bufferSize)
  4667. {
  4668. memcpy (buffer + bytesInBuffer, src, numBytes);
  4669. bytesInBuffer += numBytes;
  4670. currentPosition += numBytes;
  4671. }
  4672. else
  4673. {
  4674. const int bytesWritten = juce_fileWrite (fileHandle, src, numBytes);
  4675. currentPosition += bytesWritten;
  4676. return bytesWritten == numBytes;
  4677. }
  4678. }
  4679. return true;
  4680. }
  4681. END_JUCE_NAMESPACE
  4682. /********* End of inlined file: juce_FileOutputStream.cpp *********/
  4683. /********* Start of inlined file: juce_FileSearchPath.cpp *********/
  4684. BEGIN_JUCE_NAMESPACE
  4685. FileSearchPath::FileSearchPath()
  4686. {
  4687. }
  4688. FileSearchPath::FileSearchPath (const String& path)
  4689. {
  4690. init (path);
  4691. }
  4692. FileSearchPath::FileSearchPath (const FileSearchPath& other)
  4693. : directories (other.directories)
  4694. {
  4695. }
  4696. FileSearchPath::~FileSearchPath()
  4697. {
  4698. }
  4699. const FileSearchPath& FileSearchPath::operator= (const String& path)
  4700. {
  4701. init (path);
  4702. return *this;
  4703. }
  4704. void FileSearchPath::init (const String& path)
  4705. {
  4706. directories.clear();
  4707. directories.addTokens (path, T(";"), T("\""));
  4708. directories.trim();
  4709. directories.removeEmptyStrings();
  4710. for (int i = directories.size(); --i >= 0;)
  4711. directories.set (i, directories[i].unquoted());
  4712. }
  4713. int FileSearchPath::getNumPaths() const
  4714. {
  4715. return directories.size();
  4716. }
  4717. const File FileSearchPath::operator[] (const int index) const
  4718. {
  4719. return File (directories [index]);
  4720. }
  4721. const String FileSearchPath::toString() const
  4722. {
  4723. StringArray directories2 (directories);
  4724. for (int i = directories2.size(); --i >= 0;)
  4725. if (directories2[i].containsChar (T(';')))
  4726. directories2.set (i, directories2[i].quoted());
  4727. return directories2.joinIntoString (T(";"));
  4728. }
  4729. void FileSearchPath::add (const File& dir, const int insertIndex)
  4730. {
  4731. directories.insert (insertIndex, dir.getFullPathName());
  4732. }
  4733. void FileSearchPath::addIfNotAlreadyThere (const File& dir)
  4734. {
  4735. for (int i = 0; i < directories.size(); ++i)
  4736. if (File (directories[i]) == dir)
  4737. return;
  4738. add (dir);
  4739. }
  4740. void FileSearchPath::remove (const int index)
  4741. {
  4742. directories.remove (index);
  4743. }
  4744. void FileSearchPath::addPath (const FileSearchPath& other)
  4745. {
  4746. for (int i = 0; i < other.getNumPaths(); ++i)
  4747. addIfNotAlreadyThere (other[i]);
  4748. }
  4749. void FileSearchPath::removeRedundantPaths()
  4750. {
  4751. for (int i = directories.size(); --i >= 0;)
  4752. {
  4753. const File d1 (directories[i]);
  4754. for (int j = directories.size(); --j >= 0;)
  4755. {
  4756. const File d2 (directories[j]);
  4757. if ((i != j) && (d1.isAChildOf (d2) || d1 == d2))
  4758. {
  4759. directories.remove (i);
  4760. break;
  4761. }
  4762. }
  4763. }
  4764. }
  4765. void FileSearchPath::removeNonExistentPaths()
  4766. {
  4767. for (int i = directories.size(); --i >= 0;)
  4768. if (! File (directories[i]).isDirectory())
  4769. directories.remove (i);
  4770. }
  4771. int FileSearchPath::findChildFiles (OwnedArray<File>& results,
  4772. const int whatToLookFor,
  4773. const bool searchRecursively,
  4774. const String& wildCardPattern) const
  4775. {
  4776. int total = 0;
  4777. for (int i = 0; i < directories.size(); ++i)
  4778. total += operator[] (i).findChildFiles (results,
  4779. whatToLookFor,
  4780. searchRecursively,
  4781. wildCardPattern);
  4782. return total;
  4783. }
  4784. bool FileSearchPath::isFileInPath (const File& fileToCheck,
  4785. const bool checkRecursively) const
  4786. {
  4787. for (int i = directories.size(); --i >= 0;)
  4788. {
  4789. const File d (directories[i]);
  4790. if (checkRecursively)
  4791. {
  4792. if (fileToCheck.isAChildOf (d))
  4793. return true;
  4794. }
  4795. else
  4796. {
  4797. if (fileToCheck.getParentDirectory() == d)
  4798. return true;
  4799. }
  4800. }
  4801. return false;
  4802. }
  4803. END_JUCE_NAMESPACE
  4804. /********* End of inlined file: juce_FileSearchPath.cpp *********/
  4805. /********* Start of inlined file: juce_NamedPipe.cpp *********/
  4806. BEGIN_JUCE_NAMESPACE
  4807. NamedPipe::NamedPipe()
  4808. : internal (0)
  4809. {
  4810. }
  4811. NamedPipe::~NamedPipe()
  4812. {
  4813. close();
  4814. }
  4815. bool NamedPipe::openExisting (const String& pipeName)
  4816. {
  4817. currentPipeName = pipeName;
  4818. return openInternal (pipeName, false);
  4819. }
  4820. bool NamedPipe::createNewPipe (const String& pipeName)
  4821. {
  4822. currentPipeName = pipeName;
  4823. return openInternal (pipeName, true);
  4824. }
  4825. bool NamedPipe::isOpen() const throw()
  4826. {
  4827. return internal != 0;
  4828. }
  4829. const String NamedPipe::getName() const throw()
  4830. {
  4831. return currentPipeName;
  4832. }
  4833. // other methods for this class are implemented in the platform-specific files
  4834. END_JUCE_NAMESPACE
  4835. /********* End of inlined file: juce_NamedPipe.cpp *********/
  4836. /********* Start of inlined file: juce_Socket.cpp *********/
  4837. #ifdef _WIN32
  4838. #include <winsock2.h>
  4839. #ifdef _MSC_VER
  4840. #pragma warning (disable : 4127 4389 4018)
  4841. #endif
  4842. #else
  4843. #ifndef LINUX
  4844. #include <Carbon/Carbon.h>
  4845. #endif
  4846. #include <sys/types.h>
  4847. #include <netdb.h>
  4848. #include <sys/socket.h>
  4849. #include <arpa/inet.h>
  4850. #include <sys/errno.h>
  4851. #include <netinet/tcp.h>
  4852. #include <netinet/in.h>
  4853. #include <fcntl.h>
  4854. #include <unistd.h>
  4855. #endif
  4856. BEGIN_JUCE_NAMESPACE
  4857. #if JUCE_WIN32
  4858. typedef int (__stdcall juce_CloseWin32SocketLibCall) (void);
  4859. juce_CloseWin32SocketLibCall* juce_CloseWin32SocketLib = 0;
  4860. static void initWin32Sockets()
  4861. {
  4862. static CriticalSection lock;
  4863. const ScopedLock sl (lock);
  4864. if (juce_CloseWin32SocketLib == 0)
  4865. {
  4866. WSADATA wsaData;
  4867. const WORD wVersionRequested = MAKEWORD (1, 1);
  4868. WSAStartup (wVersionRequested, &wsaData);
  4869. juce_CloseWin32SocketLib = &WSACleanup;
  4870. }
  4871. }
  4872. #endif
  4873. static bool resetSocketOptions (const int handle, const bool isDatagram) throw()
  4874. {
  4875. if (handle <= 0)
  4876. return false;
  4877. const int sndBufSize = 65536;
  4878. const int rcvBufSize = 65536;
  4879. const int one = 1;
  4880. return setsockopt (handle, SOL_SOCKET, SO_RCVBUF, (const char*) &rcvBufSize, sizeof (int)) == 0
  4881. && setsockopt (handle, SOL_SOCKET, SO_SNDBUF, (const char*) &sndBufSize, sizeof (int)) == 0
  4882. && (isDatagram || (setsockopt (handle, IPPROTO_TCP, TCP_NODELAY, (const char*) &one, sizeof (int)) == 0));
  4883. }
  4884. static bool bindSocketToPort (const int handle, const int port) throw()
  4885. {
  4886. if (handle == 0 || port <= 0)
  4887. return false;
  4888. struct sockaddr_in servTmpAddr;
  4889. zerostruct (servTmpAddr);
  4890. servTmpAddr.sin_family = PF_INET;
  4891. servTmpAddr.sin_addr.s_addr = htonl (INADDR_ANY);
  4892. servTmpAddr.sin_port = htons ((uint16) port);
  4893. return bind (handle, (struct sockaddr*) &servTmpAddr, sizeof (struct sockaddr_in)) >= 0;
  4894. }
  4895. static int readSocket (const int handle,
  4896. void* const destBuffer, const int maxBytesToRead,
  4897. bool volatile& connected) throw()
  4898. {
  4899. int bytesRead = 0;
  4900. while (bytesRead < maxBytesToRead)
  4901. {
  4902. int bytesThisTime;
  4903. #if JUCE_WIN32
  4904. bytesThisTime = recv (handle, ((char*) destBuffer) + bytesRead, maxBytesToRead - bytesRead, 0);
  4905. #else
  4906. while ((bytesThisTime = ::read (handle, ((char*) destBuffer) + bytesRead, maxBytesToRead - bytesRead)) < 0
  4907. && errno == EINTR
  4908. && connected)
  4909. {
  4910. }
  4911. #endif
  4912. if (bytesThisTime <= 0 || ! connected)
  4913. {
  4914. if (bytesRead == 0)
  4915. bytesRead = -1;
  4916. break;
  4917. }
  4918. bytesRead += bytesThisTime;
  4919. }
  4920. return bytesRead;
  4921. }
  4922. static int waitForReadiness (const int handle, const bool forReading,
  4923. const int timeoutMsecs) throw()
  4924. {
  4925. struct timeval timeout;
  4926. struct timeval* timeoutp;
  4927. if (timeoutMsecs >= 0)
  4928. {
  4929. timeout.tv_sec = timeoutMsecs / 1000;
  4930. timeout.tv_usec = (timeoutMsecs % 1000) * 1000;
  4931. timeoutp = &timeout;
  4932. }
  4933. else
  4934. {
  4935. timeoutp = 0;
  4936. }
  4937. fd_set rset, wset;
  4938. FD_ZERO (&rset);
  4939. FD_SET (handle, &rset);
  4940. FD_ZERO (&wset);
  4941. FD_SET (handle, &wset);
  4942. fd_set* const prset = forReading ? &rset : 0;
  4943. fd_set* const pwset = forReading ? 0 : &wset;
  4944. #if JUCE_WIN32
  4945. if (select (handle + 1, prset, pwset, 0, timeoutp) < 0)
  4946. return -1;
  4947. #else
  4948. {
  4949. int result;
  4950. while ((result = select (handle + 1, prset, pwset, 0, timeoutp)) < 0
  4951. && errno == EINTR)
  4952. {
  4953. }
  4954. if (result < 0)
  4955. return -1;
  4956. }
  4957. #endif
  4958. {
  4959. int opt;
  4960. #if defined (JUCE_LINUX) || (defined (JUCE_MAC) && ! MACOS_10_2_OR_EARLIER)
  4961. socklen_t len = sizeof (opt);
  4962. #else
  4963. int len = sizeof (opt);
  4964. #endif
  4965. if (getsockopt (handle, SOL_SOCKET, SO_ERROR, (char*) &opt, &len) < 0
  4966. || opt != 0)
  4967. return -1;
  4968. }
  4969. if ((forReading && FD_ISSET (handle, &rset))
  4970. || ((! forReading) && FD_ISSET (handle, &wset)))
  4971. return 1;
  4972. return 0;
  4973. }
  4974. static bool setSocketBlockingState (const int handle, const bool shouldBlock) throw()
  4975. {
  4976. #if JUCE_WIN32
  4977. u_long nonBlocking = shouldBlock ? 0 : 1;
  4978. if (ioctlsocket (handle, FIONBIO, &nonBlocking) != 0)
  4979. return false;
  4980. #else
  4981. int socketFlags = fcntl (handle, F_GETFL, 0);
  4982. if (socketFlags == -1)
  4983. return false;
  4984. if (shouldBlock)
  4985. socketFlags &= ~O_NONBLOCK;
  4986. else
  4987. socketFlags |= O_NONBLOCK;
  4988. if (fcntl (handle, F_SETFL, socketFlags) != 0)
  4989. return false;
  4990. #endif
  4991. return true;
  4992. }
  4993. static bool connectSocket (int volatile& handle,
  4994. const bool isDatagram,
  4995. void** serverAddress,
  4996. const String& hostName,
  4997. const int portNumber,
  4998. const int timeOutMillisecs) throw()
  4999. {
  5000. struct hostent* const hostEnt = gethostbyname (hostName);
  5001. if (hostEnt == 0)
  5002. return false;
  5003. struct in_addr targetAddress;
  5004. memcpy (&targetAddress.s_addr,
  5005. *(hostEnt->h_addr_list),
  5006. sizeof (targetAddress.s_addr));
  5007. struct sockaddr_in servTmpAddr;
  5008. zerostruct (servTmpAddr);
  5009. servTmpAddr.sin_family = PF_INET;
  5010. servTmpAddr.sin_addr = targetAddress;
  5011. servTmpAddr.sin_port = htons ((uint16) portNumber);
  5012. if (handle < 0)
  5013. handle = (int) socket (AF_INET, isDatagram ? SOCK_DGRAM : SOCK_STREAM, 0);
  5014. if (handle < 0)
  5015. return false;
  5016. if (isDatagram)
  5017. {
  5018. *serverAddress = new struct sockaddr_in();
  5019. *((struct sockaddr_in*) *serverAddress) = servTmpAddr;
  5020. return true;
  5021. }
  5022. setSocketBlockingState (handle, false);
  5023. const int result = ::connect (handle, (struct sockaddr*) &servTmpAddr, sizeof (struct sockaddr_in));
  5024. if (result < 0)
  5025. {
  5026. #if JUCE_WIN32
  5027. if (result == SOCKET_ERROR && WSAGetLastError() == WSAEWOULDBLOCK)
  5028. #else
  5029. if (errno == EINPROGRESS)
  5030. #endif
  5031. {
  5032. if (waitForReadiness (handle, false, timeOutMillisecs) != 1)
  5033. {
  5034. setSocketBlockingState (handle, true);
  5035. return false;
  5036. }
  5037. }
  5038. }
  5039. setSocketBlockingState (handle, true);
  5040. resetSocketOptions (handle, false);
  5041. return true;
  5042. }
  5043. StreamingSocket::StreamingSocket()
  5044. : portNumber (0),
  5045. handle (-1),
  5046. connected (false),
  5047. isListener (false)
  5048. {
  5049. #if JUCE_WIN32
  5050. initWin32Sockets();
  5051. #endif
  5052. }
  5053. StreamingSocket::StreamingSocket (const String& hostName_,
  5054. const int portNumber_,
  5055. const int handle_)
  5056. : hostName (hostName_),
  5057. portNumber (portNumber_),
  5058. handle (handle_),
  5059. connected (true),
  5060. isListener (false)
  5061. {
  5062. #if JUCE_WIN32
  5063. initWin32Sockets();
  5064. #endif
  5065. resetSocketOptions (handle_, false);
  5066. }
  5067. StreamingSocket::~StreamingSocket()
  5068. {
  5069. close();
  5070. }
  5071. int StreamingSocket::read (void* destBuffer, const int maxBytesToRead)
  5072. {
  5073. return (connected && ! isListener) ? readSocket (handle, destBuffer, maxBytesToRead, connected)
  5074. : -1;
  5075. }
  5076. int StreamingSocket::write (const void* sourceBuffer, const int numBytesToWrite)
  5077. {
  5078. if (isListener || ! connected)
  5079. return -1;
  5080. #if JUCE_WIN32
  5081. return send (handle, (const char*) sourceBuffer, numBytesToWrite, 0);
  5082. #else
  5083. int result;
  5084. while ((result = ::write (handle, sourceBuffer, numBytesToWrite)) < 0
  5085. && errno == EINTR)
  5086. {
  5087. }
  5088. return result;
  5089. #endif
  5090. }
  5091. int StreamingSocket::waitUntilReady (const bool readyForReading,
  5092. const int timeoutMsecs) const
  5093. {
  5094. return connected ? waitForReadiness (handle, readyForReading, timeoutMsecs)
  5095. : -1;
  5096. }
  5097. bool StreamingSocket::bindToPort (const int port)
  5098. {
  5099. return bindSocketToPort (handle, port);
  5100. }
  5101. bool StreamingSocket::connect (const String& remoteHostName,
  5102. const int remotePortNumber,
  5103. const int timeOutMillisecs)
  5104. {
  5105. if (isListener)
  5106. {
  5107. jassertfalse // a listener socket can't connect to another one!
  5108. return false;
  5109. }
  5110. if (connected)
  5111. close();
  5112. hostName = remoteHostName;
  5113. portNumber = remotePortNumber;
  5114. isListener = false;
  5115. connected = connectSocket (handle, false, 0, remoteHostName,
  5116. remotePortNumber, timeOutMillisecs);
  5117. if (! (connected && resetSocketOptions (handle, false)))
  5118. {
  5119. close();
  5120. return false;
  5121. }
  5122. return true;
  5123. }
  5124. void StreamingSocket::close()
  5125. {
  5126. #if JUCE_WIN32
  5127. closesocket (handle);
  5128. connected = false;
  5129. #else
  5130. if (connected)
  5131. {
  5132. connected = false;
  5133. if (isListener)
  5134. {
  5135. // need to do this to interrupt the accept() function..
  5136. StreamingSocket temp;
  5137. temp.connect ("localhost", portNumber, 1000);
  5138. }
  5139. }
  5140. ::close (handle);
  5141. #endif
  5142. hostName = String::empty;
  5143. portNumber = 0;
  5144. handle = -1;
  5145. isListener = false;
  5146. }
  5147. bool StreamingSocket::createListener (const int newPortNumber)
  5148. {
  5149. if (connected)
  5150. close();
  5151. hostName = "listener";
  5152. portNumber = newPortNumber;
  5153. isListener = true;
  5154. struct sockaddr_in servTmpAddr;
  5155. zerostruct (servTmpAddr);
  5156. servTmpAddr.sin_family = PF_INET;
  5157. servTmpAddr.sin_addr.s_addr = htonl (INADDR_ANY);
  5158. servTmpAddr.sin_port = htons ((uint16) portNumber);
  5159. handle = (int) socket (AF_INET, SOCK_STREAM, 0);
  5160. if (handle < 0)
  5161. return false;
  5162. const int reuse = 1;
  5163. setsockopt (handle, SOL_SOCKET, SO_REUSEADDR, (const char*) &reuse, sizeof (reuse));
  5164. if (bind (handle, (struct sockaddr*) &servTmpAddr, sizeof (struct sockaddr_in)) < 0
  5165. || listen (handle, SOMAXCONN) < 0)
  5166. {
  5167. close();
  5168. return false;
  5169. }
  5170. connected = true;
  5171. return true;
  5172. }
  5173. StreamingSocket* StreamingSocket::waitForNextConnection() const
  5174. {
  5175. jassert (isListener || ! connected); // to call this method, you first have to use createListener() to
  5176. // prepare this socket as a listener.
  5177. if (connected && isListener)
  5178. {
  5179. struct sockaddr address;
  5180. #if defined (JUCE_LINUX) || (defined (JUCE_MAC) && ! MACOS_10_2_OR_EARLIER)
  5181. socklen_t len = sizeof (sockaddr);
  5182. #else
  5183. int len = sizeof (sockaddr);
  5184. #endif
  5185. const int newSocket = (int) accept (handle, &address, &len);
  5186. if (newSocket >= 0 && connected)
  5187. return new StreamingSocket (inet_ntoa (((struct sockaddr_in*) &address)->sin_addr),
  5188. portNumber, newSocket);
  5189. }
  5190. return 0;
  5191. }
  5192. bool StreamingSocket::isLocal() const throw()
  5193. {
  5194. return hostName == T("127.0.0.1");
  5195. }
  5196. DatagramSocket::DatagramSocket (const int localPortNumber)
  5197. : portNumber (0),
  5198. handle (-1),
  5199. connected (false),
  5200. serverAddress (0)
  5201. {
  5202. #if JUCE_WIN32
  5203. initWin32Sockets();
  5204. #endif
  5205. handle = (int) socket (AF_INET, SOCK_DGRAM, 0);
  5206. bindToPort (localPortNumber);
  5207. }
  5208. DatagramSocket::DatagramSocket (const String& hostName_, const int portNumber_,
  5209. const int handle_, const int localPortNumber)
  5210. : hostName (hostName_),
  5211. portNumber (portNumber_),
  5212. handle (handle_),
  5213. connected (true),
  5214. serverAddress (0)
  5215. {
  5216. #if JUCE_WIN32
  5217. initWin32Sockets();
  5218. #endif
  5219. resetSocketOptions (handle_, true);
  5220. bindToPort (localPortNumber);
  5221. }
  5222. DatagramSocket::~DatagramSocket()
  5223. {
  5224. close();
  5225. delete ((struct sockaddr_in*) serverAddress);
  5226. serverAddress = 0;
  5227. }
  5228. void DatagramSocket::close()
  5229. {
  5230. #if JUCE_WIN32
  5231. closesocket (handle);
  5232. connected = false;
  5233. #else
  5234. connected = false;
  5235. ::close (handle);
  5236. #endif
  5237. hostName = String::empty;
  5238. portNumber = 0;
  5239. handle = -1;
  5240. }
  5241. bool DatagramSocket::bindToPort (const int port)
  5242. {
  5243. return bindSocketToPort (handle, port);
  5244. }
  5245. bool DatagramSocket::connect (const String& remoteHostName,
  5246. const int remotePortNumber,
  5247. const int timeOutMillisecs)
  5248. {
  5249. if (connected)
  5250. close();
  5251. hostName = remoteHostName;
  5252. portNumber = remotePortNumber;
  5253. connected = connectSocket (handle, true, &serverAddress,
  5254. remoteHostName, remotePortNumber,
  5255. timeOutMillisecs);
  5256. if (! (connected && resetSocketOptions (handle, true)))
  5257. {
  5258. close();
  5259. return false;
  5260. }
  5261. return true;
  5262. }
  5263. DatagramSocket* DatagramSocket::waitForNextConnection() const
  5264. {
  5265. struct sockaddr address;
  5266. #if defined (JUCE_LINUX) || (defined (JUCE_MAC) && ! MACOS_10_2_OR_EARLIER)
  5267. socklen_t len = sizeof (sockaddr);
  5268. #else
  5269. int len = sizeof (sockaddr);
  5270. #endif
  5271. while (waitUntilReady (true, -1) == 1)
  5272. {
  5273. char buf[1];
  5274. if (recvfrom (handle, buf, 0, 0, &address, &len) > 0)
  5275. {
  5276. return new DatagramSocket (inet_ntoa (((struct sockaddr_in*) &address)->sin_addr),
  5277. ntohs (((struct sockaddr_in*) &address)->sin_port),
  5278. -1, -1);
  5279. }
  5280. }
  5281. return 0;
  5282. }
  5283. int DatagramSocket::waitUntilReady (const bool readyForReading,
  5284. const int timeoutMsecs) const
  5285. {
  5286. return connected ? waitForReadiness (handle, readyForReading, timeoutMsecs)
  5287. : -1;
  5288. }
  5289. int DatagramSocket::read (void* destBuffer, const int maxBytesToRead)
  5290. {
  5291. return connected ? readSocket (handle, destBuffer, maxBytesToRead, connected)
  5292. : -1;
  5293. }
  5294. int DatagramSocket::write (const void* sourceBuffer, const int numBytesToWrite)
  5295. {
  5296. // You need to call connect() first to set the server address..
  5297. jassert (serverAddress != 0 && connected);
  5298. return connected ? sendto (handle, (const char*) sourceBuffer,
  5299. numBytesToWrite, 0,
  5300. (const struct sockaddr*) serverAddress,
  5301. sizeof (struct sockaddr_in))
  5302. : -1;
  5303. }
  5304. bool DatagramSocket::isLocal() const throw()
  5305. {
  5306. return hostName == T("127.0.0.1");
  5307. }
  5308. END_JUCE_NAMESPACE
  5309. /********* End of inlined file: juce_Socket.cpp *********/
  5310. /********* Start of inlined file: juce_URL.cpp *********/
  5311. BEGIN_JUCE_NAMESPACE
  5312. URL::URL() throw()
  5313. {
  5314. }
  5315. URL::URL (const String& url_)
  5316. : url (url_)
  5317. {
  5318. int i = url.indexOfChar (T('?'));
  5319. if (i >= 0)
  5320. {
  5321. do
  5322. {
  5323. const int nextAmp = url.indexOfChar (i + 1, T('&'));
  5324. const int equalsPos = url.indexOfChar (i + 1, T('='));
  5325. if (equalsPos > i + 1)
  5326. {
  5327. if (nextAmp < 0)
  5328. {
  5329. parameters.set (removeEscapeChars (url.substring (i + 1, equalsPos)),
  5330. removeEscapeChars (url.substring (equalsPos + 1)));
  5331. }
  5332. else if (nextAmp > 0 && equalsPos < nextAmp)
  5333. {
  5334. parameters.set (removeEscapeChars (url.substring (i + 1, equalsPos)),
  5335. removeEscapeChars (url.substring (equalsPos + 1, nextAmp)));
  5336. }
  5337. }
  5338. i = nextAmp;
  5339. }
  5340. while (i >= 0);
  5341. url = url.upToFirstOccurrenceOf (T("?"), false, false);
  5342. }
  5343. }
  5344. URL::URL (const URL& other)
  5345. : url (other.url),
  5346. parameters (other.parameters),
  5347. filesToUpload (other.filesToUpload),
  5348. mimeTypes (other.mimeTypes)
  5349. {
  5350. }
  5351. const URL& URL::operator= (const URL& other)
  5352. {
  5353. url = other.url;
  5354. parameters = other.parameters;
  5355. filesToUpload = other.filesToUpload;
  5356. mimeTypes = other.mimeTypes;
  5357. return *this;
  5358. }
  5359. URL::~URL() throw()
  5360. {
  5361. }
  5362. static const String getMangledParameters (const StringPairArray& parameters)
  5363. {
  5364. String p;
  5365. for (int i = 0; i < parameters.size(); ++i)
  5366. {
  5367. if (i > 0)
  5368. p += T("&");
  5369. p << URL::addEscapeChars (parameters.getAllKeys() [i])
  5370. << T("=")
  5371. << URL::addEscapeChars (parameters.getAllValues() [i]);
  5372. }
  5373. return p;
  5374. }
  5375. const String URL::toString (const bool includeGetParameters) const
  5376. {
  5377. if (includeGetParameters && parameters.size() > 0)
  5378. return url + T("?") + getMangledParameters (parameters);
  5379. else
  5380. return url;
  5381. }
  5382. bool URL::isWellFormed() const
  5383. {
  5384. //xxx TODO
  5385. return url.isNotEmpty();
  5386. }
  5387. bool URL::isProbablyAWebsiteURL (const String& possibleURL)
  5388. {
  5389. return (possibleURL.containsChar (T('.'))
  5390. && (! possibleURL.containsChar (T('@')))
  5391. && (! possibleURL.endsWithChar (T('.')))
  5392. && (possibleURL.startsWithIgnoreCase (T("www."))
  5393. || possibleURL.startsWithIgnoreCase (T("http:"))
  5394. || possibleURL.startsWithIgnoreCase (T("ftp:"))
  5395. || possibleURL.endsWithIgnoreCase (T(".com"))
  5396. || possibleURL.endsWithIgnoreCase (T(".net"))
  5397. || possibleURL.endsWithIgnoreCase (T(".org"))
  5398. || possibleURL.endsWithIgnoreCase (T(".co.uk")))
  5399. || possibleURL.startsWithIgnoreCase (T("file:")));
  5400. }
  5401. bool URL::isProbablyAnEmailAddress (const String& possibleEmailAddress)
  5402. {
  5403. const int atSign = possibleEmailAddress.indexOfChar (T('@'));
  5404. return atSign > 0
  5405. && possibleEmailAddress.lastIndexOfChar (T('.')) > (atSign + 1)
  5406. && (! possibleEmailAddress.endsWithChar (T('.')));
  5407. }
  5408. void* juce_openInternetFile (const String& url,
  5409. const String& headers,
  5410. const MemoryBlock& optionalPostData,
  5411. const bool isPost,
  5412. URL::OpenStreamProgressCallback* callback,
  5413. void* callbackContext,
  5414. int timeOutMs);
  5415. void juce_closeInternetFile (void* handle);
  5416. int juce_readFromInternetFile (void* handle, void* dest, int bytesToRead);
  5417. int juce_seekInInternetFile (void* handle, int newPosition);
  5418. class WebInputStream : public InputStream
  5419. {
  5420. public:
  5421. WebInputStream (const URL& url,
  5422. const bool isPost_,
  5423. URL::OpenStreamProgressCallback* const progressCallback_,
  5424. void* const progressCallbackContext_,
  5425. const String& extraHeaders,
  5426. int timeOutMs_)
  5427. : position (0),
  5428. finished (false),
  5429. isPost (isPost_),
  5430. progressCallback (progressCallback_),
  5431. progressCallbackContext (progressCallbackContext_),
  5432. timeOutMs (timeOutMs_)
  5433. {
  5434. server = url.toString (! isPost);
  5435. if (isPost_)
  5436. createHeadersAndPostData (url);
  5437. headers += extraHeaders;
  5438. if (! headers.endsWithChar (T('\n')))
  5439. headers << "\r\n";
  5440. handle = juce_openInternetFile (server, headers, postData, isPost,
  5441. progressCallback_, progressCallbackContext_,
  5442. timeOutMs);
  5443. }
  5444. ~WebInputStream()
  5445. {
  5446. juce_closeInternetFile (handle);
  5447. }
  5448. bool isError() const throw()
  5449. {
  5450. return handle == 0;
  5451. }
  5452. int64 getTotalLength()
  5453. {
  5454. return -1;
  5455. }
  5456. bool isExhausted()
  5457. {
  5458. return finished;
  5459. }
  5460. int read (void* dest, int bytes)
  5461. {
  5462. if (finished || isError())
  5463. {
  5464. return 0;
  5465. }
  5466. else
  5467. {
  5468. const int bytesRead = juce_readFromInternetFile (handle, dest, bytes);
  5469. position += bytesRead;
  5470. if (bytesRead == 0)
  5471. finished = true;
  5472. return bytesRead;
  5473. }
  5474. }
  5475. int64 getPosition()
  5476. {
  5477. return position;
  5478. }
  5479. bool setPosition (int64 wantedPos)
  5480. {
  5481. if (wantedPos != position)
  5482. {
  5483. finished = false;
  5484. const int actualPos = juce_seekInInternetFile (handle, (int) wantedPos);
  5485. if (actualPos == wantedPos)
  5486. {
  5487. position = wantedPos;
  5488. }
  5489. else
  5490. {
  5491. if (wantedPos < position)
  5492. {
  5493. juce_closeInternetFile (handle);
  5494. position = 0;
  5495. finished = false;
  5496. handle = juce_openInternetFile (server, headers, postData, isPost,
  5497. progressCallback, progressCallbackContext,
  5498. timeOutMs);
  5499. }
  5500. skipNextBytes (wantedPos - position);
  5501. }
  5502. }
  5503. return true;
  5504. }
  5505. juce_UseDebuggingNewOperator
  5506. private:
  5507. String server, headers;
  5508. MemoryBlock postData;
  5509. int64 position;
  5510. bool finished;
  5511. const bool isPost;
  5512. void* handle;
  5513. URL::OpenStreamProgressCallback* const progressCallback;
  5514. void* const progressCallbackContext;
  5515. const int timeOutMs;
  5516. void createHeadersAndPostData (const URL& url)
  5517. {
  5518. if (url.getFilesToUpload().size() > 0)
  5519. {
  5520. // need to upload some files, so do it as multi-part...
  5521. String boundary (String::toHexString (Random::getSystemRandom().nextInt64()));
  5522. headers << "Content-Type: multipart/form-data; boundary=" << boundary << "\r\n";
  5523. appendUTF8ToPostData ("--" + boundary);
  5524. int i;
  5525. for (i = 0; i < url.getParameters().size(); ++i)
  5526. {
  5527. String s;
  5528. s << "\r\nContent-Disposition: form-data; name=\""
  5529. << url.getParameters().getAllKeys() [i]
  5530. << "\"\r\n\r\n"
  5531. << url.getParameters().getAllValues() [i]
  5532. << "\r\n--"
  5533. << boundary;
  5534. appendUTF8ToPostData (s);
  5535. }
  5536. for (i = 0; i < url.getFilesToUpload().size(); ++i)
  5537. {
  5538. const File f (url.getFilesToUpload().getAllValues() [i]);
  5539. const String paramName (url.getFilesToUpload().getAllKeys() [i]);
  5540. String s;
  5541. s << "\r\nContent-Disposition: form-data; name=\""
  5542. << paramName
  5543. << "\"; filename=\""
  5544. << f.getFileName()
  5545. << "\"\r\n";
  5546. const String mimeType (url.getMimeTypesOfUploadFiles()
  5547. .getValue (paramName, String::empty));
  5548. if (mimeType.isNotEmpty())
  5549. s << "Content-Type: " << mimeType << "\r\n";
  5550. s << "Content-Transfer-Encoding: binary\r\n\r\n";
  5551. appendUTF8ToPostData (s);
  5552. f.loadFileAsData (postData);
  5553. s = "\r\n--" + boundary;
  5554. appendUTF8ToPostData (s);
  5555. }
  5556. appendUTF8ToPostData ("--\r\n");
  5557. }
  5558. else
  5559. {
  5560. // just a short text attachment, so use simple url encoding..
  5561. const String params (getMangledParameters (url.getParameters()));
  5562. headers = "Content-Type: application/x-www-form-urlencoded\r\nContent-length: "
  5563. + String ((int) strlen (params.toUTF8()))
  5564. + "\r\n";
  5565. appendUTF8ToPostData (params);
  5566. }
  5567. }
  5568. void appendUTF8ToPostData (const String& text) throw()
  5569. {
  5570. postData.append (text.toUTF8(),
  5571. (int) strlen (text.toUTF8()));
  5572. }
  5573. WebInputStream (const WebInputStream&);
  5574. const WebInputStream& operator= (const WebInputStream&);
  5575. };
  5576. InputStream* URL::createInputStream (const bool usePostCommand,
  5577. OpenStreamProgressCallback* const progressCallback,
  5578. void* const progressCallbackContext,
  5579. const String& extraHeaders,
  5580. const int timeOutMs) const
  5581. {
  5582. WebInputStream* wi = new WebInputStream (*this, usePostCommand,
  5583. progressCallback, progressCallbackContext,
  5584. extraHeaders,
  5585. timeOutMs);
  5586. if (wi->isError())
  5587. {
  5588. delete wi;
  5589. wi = 0;
  5590. }
  5591. return wi;
  5592. }
  5593. bool URL::readEntireBinaryStream (MemoryBlock& destData,
  5594. const bool usePostCommand) const
  5595. {
  5596. InputStream* const in = createInputStream (usePostCommand);
  5597. if (in != 0)
  5598. {
  5599. in->readIntoMemoryBlock (destData, -1);
  5600. delete in;
  5601. return true;
  5602. }
  5603. return false;
  5604. }
  5605. const String URL::readEntireTextStream (const bool usePostCommand) const
  5606. {
  5607. String result;
  5608. InputStream* const in = createInputStream (usePostCommand);
  5609. if (in != 0)
  5610. {
  5611. result = in->readEntireStreamAsString();
  5612. delete in;
  5613. }
  5614. return result;
  5615. }
  5616. XmlElement* URL::readEntireXmlStream (const bool usePostCommand) const
  5617. {
  5618. XmlDocument doc (readEntireTextStream (usePostCommand));
  5619. return doc.getDocumentElement();
  5620. }
  5621. const URL URL::withParameter (const String& parameterName,
  5622. const String& parameterValue) const
  5623. {
  5624. URL u (*this);
  5625. u.parameters.set (parameterName, parameterValue);
  5626. return u;
  5627. }
  5628. const URL URL::withFileToUpload (const String& parameterName,
  5629. const File& fileToUpload,
  5630. const String& mimeType) const
  5631. {
  5632. URL u (*this);
  5633. u.filesToUpload.set (parameterName, fileToUpload.getFullPathName());
  5634. u.mimeTypes.set (parameterName, mimeType);
  5635. return u;
  5636. }
  5637. const StringPairArray& URL::getParameters() const throw()
  5638. {
  5639. return parameters;
  5640. }
  5641. const StringPairArray& URL::getFilesToUpload() const throw()
  5642. {
  5643. return filesToUpload;
  5644. }
  5645. const StringPairArray& URL::getMimeTypesOfUploadFiles() const throw()
  5646. {
  5647. return mimeTypes;
  5648. }
  5649. const String URL::removeEscapeChars (const String& s)
  5650. {
  5651. const int len = s.length();
  5652. uint8* const resultUTF8 = (uint8*) juce_calloc (len * 4);
  5653. uint8* r = resultUTF8;
  5654. for (int i = 0; i < len; ++i)
  5655. {
  5656. char c = (char) s[i];
  5657. if (c == 0)
  5658. break;
  5659. if (c == '+')
  5660. {
  5661. c = ' ';
  5662. }
  5663. else if (c == '%')
  5664. {
  5665. c = (char) s.substring (i + 1, i + 3).getHexValue32();
  5666. i += 2;
  5667. }
  5668. *r++ = c;
  5669. }
  5670. const String stringResult (String::fromUTF8 (resultUTF8));
  5671. juce_free (resultUTF8);
  5672. return stringResult;
  5673. }
  5674. const String URL::addEscapeChars (const String& s)
  5675. {
  5676. String result;
  5677. result.preallocateStorage (s.length() + 8);
  5678. const char* utf8 = s.toUTF8();
  5679. while (*utf8 != 0)
  5680. {
  5681. const char c = *utf8++;
  5682. if (c == ' ')
  5683. {
  5684. result += T('+');
  5685. }
  5686. else if (CharacterFunctions::isLetterOrDigit (c)
  5687. || CharacterFunctions::indexOfChar ("_-$.*!'(),", c, false) >= 0)
  5688. {
  5689. result << c;
  5690. }
  5691. else
  5692. {
  5693. const int v = (int) (uint8) c;
  5694. if (v < 0x10)
  5695. result << T("%0");
  5696. else
  5697. result << T('%');
  5698. result << String::toHexString (v);
  5699. }
  5700. }
  5701. return result;
  5702. }
  5703. extern bool juce_launchFile (const String& fileName,
  5704. const String& parameters) throw();
  5705. bool URL::launchInDefaultBrowser() const
  5706. {
  5707. String u (toString (true));
  5708. if (u.contains (T("@")) && ! u.contains (T(":")))
  5709. u = "mailto:" + u;
  5710. return juce_launchFile (u, String::empty);
  5711. }
  5712. END_JUCE_NAMESPACE
  5713. /********* End of inlined file: juce_URL.cpp *********/
  5714. /********* Start of inlined file: juce_BufferedInputStream.cpp *********/
  5715. BEGIN_JUCE_NAMESPACE
  5716. BufferedInputStream::BufferedInputStream (InputStream* const source_,
  5717. const int bufferSize_,
  5718. const bool deleteSourceWhenDestroyed_) throw()
  5719. : source (source_),
  5720. deleteSourceWhenDestroyed (deleteSourceWhenDestroyed_),
  5721. bufferSize (jmax (256, bufferSize_)),
  5722. position (source_->getPosition()),
  5723. lastReadPos (0),
  5724. bufferOverlap (128)
  5725. {
  5726. const int sourceSize = (int) source_->getTotalLength();
  5727. if (sourceSize >= 0)
  5728. bufferSize = jmin (jmax (32, sourceSize), bufferSize);
  5729. bufferStart = position;
  5730. buffer = (char*) juce_malloc (bufferSize);
  5731. }
  5732. BufferedInputStream::~BufferedInputStream() throw()
  5733. {
  5734. if (deleteSourceWhenDestroyed)
  5735. delete source;
  5736. juce_free (buffer);
  5737. }
  5738. int64 BufferedInputStream::getTotalLength()
  5739. {
  5740. return source->getTotalLength();
  5741. }
  5742. int64 BufferedInputStream::getPosition()
  5743. {
  5744. return position;
  5745. }
  5746. bool BufferedInputStream::setPosition (int64 newPosition)
  5747. {
  5748. position = jmax ((int64) 0, newPosition);
  5749. return true;
  5750. }
  5751. bool BufferedInputStream::isExhausted()
  5752. {
  5753. return (position >= lastReadPos)
  5754. && source->isExhausted();
  5755. }
  5756. void BufferedInputStream::ensureBuffered()
  5757. {
  5758. const int64 bufferEndOverlap = lastReadPos - bufferOverlap;
  5759. if (position < bufferStart || position >= bufferEndOverlap)
  5760. {
  5761. int bytesRead;
  5762. if (position < lastReadPos
  5763. && position >= bufferEndOverlap
  5764. && position >= bufferStart)
  5765. {
  5766. const int bytesToKeep = (int) (lastReadPos - position);
  5767. memmove (buffer, buffer + position - bufferStart, bytesToKeep);
  5768. bufferStart = position;
  5769. bytesRead = source->read (buffer + bytesToKeep,
  5770. bufferSize - bytesToKeep);
  5771. lastReadPos += bytesRead;
  5772. bytesRead += bytesToKeep;
  5773. }
  5774. else
  5775. {
  5776. bufferStart = position;
  5777. source->setPosition (bufferStart);
  5778. bytesRead = source->read (buffer, bufferSize);
  5779. lastReadPos = bufferStart + bytesRead;
  5780. }
  5781. while (bytesRead < bufferSize)
  5782. buffer [bytesRead++] = 0;
  5783. }
  5784. }
  5785. int BufferedInputStream::read (void* destBuffer, int maxBytesToRead)
  5786. {
  5787. if (position >= bufferStart
  5788. && position + maxBytesToRead <= lastReadPos)
  5789. {
  5790. memcpy (destBuffer, buffer + (position - bufferStart), maxBytesToRead);
  5791. position += maxBytesToRead;
  5792. return maxBytesToRead;
  5793. }
  5794. else
  5795. {
  5796. if (position < bufferStart || position >= lastReadPos)
  5797. ensureBuffered();
  5798. int bytesRead = 0;
  5799. while (maxBytesToRead > 0)
  5800. {
  5801. const int bytesAvailable = jmin (maxBytesToRead, (int) (lastReadPos - position));
  5802. if (bytesAvailable > 0)
  5803. {
  5804. memcpy (destBuffer, buffer + (position - bufferStart), bytesAvailable);
  5805. maxBytesToRead -= bytesAvailable;
  5806. bytesRead += bytesAvailable;
  5807. position += bytesAvailable;
  5808. destBuffer = (void*) (((char*) destBuffer) + bytesAvailable);
  5809. }
  5810. ensureBuffered();
  5811. if (isExhausted())
  5812. break;
  5813. }
  5814. return bytesRead;
  5815. }
  5816. }
  5817. const String BufferedInputStream::readString()
  5818. {
  5819. if (position >= bufferStart
  5820. && position < lastReadPos)
  5821. {
  5822. const int maxChars = (int) (lastReadPos - position);
  5823. const char* const src = buffer + (position - bufferStart);
  5824. for (int i = 0; i < maxChars; ++i)
  5825. {
  5826. if (src[i] == 0)
  5827. {
  5828. position += i + 1;
  5829. return String::fromUTF8 ((const uint8*) src, i);
  5830. }
  5831. }
  5832. }
  5833. return InputStream::readString();
  5834. }
  5835. END_JUCE_NAMESPACE
  5836. /********* End of inlined file: juce_BufferedInputStream.cpp *********/
  5837. /********* Start of inlined file: juce_FileInputSource.cpp *********/
  5838. BEGIN_JUCE_NAMESPACE
  5839. FileInputSource::FileInputSource (const File& file_) throw()
  5840. : file (file_)
  5841. {
  5842. }
  5843. FileInputSource::~FileInputSource()
  5844. {
  5845. }
  5846. InputStream* FileInputSource::createInputStream()
  5847. {
  5848. return file.createInputStream();
  5849. }
  5850. InputStream* FileInputSource::createInputStreamFor (const String& relatedItemPath)
  5851. {
  5852. return file.getSiblingFile (relatedItemPath).createInputStream();
  5853. }
  5854. int64 FileInputSource::hashCode() const
  5855. {
  5856. return file.hashCode();
  5857. }
  5858. END_JUCE_NAMESPACE
  5859. /********* End of inlined file: juce_FileInputSource.cpp *********/
  5860. /********* Start of inlined file: juce_MemoryInputStream.cpp *********/
  5861. BEGIN_JUCE_NAMESPACE
  5862. MemoryInputStream::MemoryInputStream (const void* const sourceData,
  5863. const int sourceDataSize,
  5864. const bool keepInternalCopy) throw()
  5865. : data ((const char*) sourceData),
  5866. dataSize (sourceDataSize),
  5867. position (0)
  5868. {
  5869. if (keepInternalCopy)
  5870. {
  5871. internalCopy.append (data, sourceDataSize);
  5872. data = (const char*) internalCopy.getData();
  5873. }
  5874. }
  5875. MemoryInputStream::~MemoryInputStream() throw()
  5876. {
  5877. }
  5878. int64 MemoryInputStream::getTotalLength()
  5879. {
  5880. return dataSize;
  5881. }
  5882. int MemoryInputStream::read (void* buffer, int howMany)
  5883. {
  5884. const int num = jmin (howMany, dataSize - position);
  5885. memcpy (buffer, data + position, num);
  5886. position += num;
  5887. return num;
  5888. }
  5889. bool MemoryInputStream::isExhausted()
  5890. {
  5891. return (position >= dataSize);
  5892. }
  5893. bool MemoryInputStream::setPosition (int64 pos)
  5894. {
  5895. position = (int) jlimit ((int64) 0, (int64) dataSize, pos);
  5896. return true;
  5897. }
  5898. int64 MemoryInputStream::getPosition()
  5899. {
  5900. return position;
  5901. }
  5902. END_JUCE_NAMESPACE
  5903. /********* End of inlined file: juce_MemoryInputStream.cpp *********/
  5904. /********* Start of inlined file: juce_MemoryOutputStream.cpp *********/
  5905. BEGIN_JUCE_NAMESPACE
  5906. MemoryOutputStream::MemoryOutputStream (const int initialSize,
  5907. const int blockSizeToIncreaseBy,
  5908. MemoryBlock* const memoryBlockToWriteTo) throw()
  5909. : data (memoryBlockToWriteTo),
  5910. position (0),
  5911. size (0),
  5912. blockSize (jmax (16, blockSizeToIncreaseBy)),
  5913. ownsMemoryBlock (memoryBlockToWriteTo == 0)
  5914. {
  5915. if (memoryBlockToWriteTo == 0)
  5916. data = new MemoryBlock (initialSize);
  5917. else
  5918. memoryBlockToWriteTo->setSize (initialSize, false);
  5919. }
  5920. MemoryOutputStream::~MemoryOutputStream() throw()
  5921. {
  5922. if (ownsMemoryBlock)
  5923. delete data;
  5924. else
  5925. flush();
  5926. }
  5927. void MemoryOutputStream::flush()
  5928. {
  5929. if (! ownsMemoryBlock)
  5930. data->setSize (size, false);
  5931. }
  5932. void MemoryOutputStream::reset() throw()
  5933. {
  5934. position = 0;
  5935. size = 0;
  5936. }
  5937. bool MemoryOutputStream::write (const void* buffer, int howMany)
  5938. {
  5939. int storageNeeded = position + howMany + 1;
  5940. storageNeeded = storageNeeded - (storageNeeded % blockSize) + blockSize;
  5941. data->ensureSize (storageNeeded);
  5942. data->copyFrom (buffer, position, howMany);
  5943. position += howMany;
  5944. size = jmax (size, position);
  5945. return true;
  5946. }
  5947. const char* MemoryOutputStream::getData() throw()
  5948. {
  5949. if (data->getSize() > size)
  5950. ((char*) data->getData()) [size] = 0;
  5951. return (const char*) data->getData();
  5952. }
  5953. int MemoryOutputStream::getDataSize() const throw()
  5954. {
  5955. return size;
  5956. }
  5957. int64 MemoryOutputStream::getPosition()
  5958. {
  5959. return position;
  5960. }
  5961. bool MemoryOutputStream::setPosition (int64 newPosition)
  5962. {
  5963. if (newPosition <= size)
  5964. {
  5965. // ok to seek backwards
  5966. position = jlimit (0, size, (int) newPosition);
  5967. return true;
  5968. }
  5969. else
  5970. {
  5971. // trying to make it bigger isn't a good thing to do..
  5972. return false;
  5973. }
  5974. }
  5975. END_JUCE_NAMESPACE
  5976. /********* End of inlined file: juce_MemoryOutputStream.cpp *********/
  5977. /********* Start of inlined file: juce_SubregionStream.cpp *********/
  5978. BEGIN_JUCE_NAMESPACE
  5979. SubregionStream::SubregionStream (InputStream* const sourceStream,
  5980. const int64 startPositionInSourceStream_,
  5981. const int64 lengthOfSourceStream_,
  5982. const bool deleteSourceWhenDestroyed_) throw()
  5983. : source (sourceStream),
  5984. deleteSourceWhenDestroyed (deleteSourceWhenDestroyed_),
  5985. startPositionInSourceStream (startPositionInSourceStream_),
  5986. lengthOfSourceStream (lengthOfSourceStream_)
  5987. {
  5988. setPosition (0);
  5989. }
  5990. SubregionStream::~SubregionStream() throw()
  5991. {
  5992. if (deleteSourceWhenDestroyed)
  5993. delete source;
  5994. }
  5995. int64 SubregionStream::getTotalLength()
  5996. {
  5997. const int64 srcLen = source->getTotalLength() - startPositionInSourceStream;
  5998. return (lengthOfSourceStream >= 0) ? jmin (lengthOfSourceStream, srcLen)
  5999. : srcLen;
  6000. }
  6001. int64 SubregionStream::getPosition()
  6002. {
  6003. return source->getPosition() - startPositionInSourceStream;
  6004. }
  6005. bool SubregionStream::setPosition (int64 newPosition)
  6006. {
  6007. return source->setPosition (jmax ((int64) 0, newPosition + startPositionInSourceStream));
  6008. }
  6009. int SubregionStream::read (void* destBuffer, int maxBytesToRead)
  6010. {
  6011. if (lengthOfSourceStream < 0)
  6012. {
  6013. return source->read (destBuffer, maxBytesToRead);
  6014. }
  6015. else
  6016. {
  6017. maxBytesToRead = (int) jmin ((int64) maxBytesToRead, lengthOfSourceStream - getPosition());
  6018. if (maxBytesToRead <= 0)
  6019. return 0;
  6020. return source->read (destBuffer, maxBytesToRead);
  6021. }
  6022. }
  6023. bool SubregionStream::isExhausted()
  6024. {
  6025. if (lengthOfSourceStream >= 0)
  6026. return (getPosition() >= lengthOfSourceStream) || source->isExhausted();
  6027. else
  6028. return source->isExhausted();
  6029. }
  6030. END_JUCE_NAMESPACE
  6031. /********* End of inlined file: juce_SubregionStream.cpp *********/
  6032. /********* Start of inlined file: juce_PerformanceCounter.cpp *********/
  6033. BEGIN_JUCE_NAMESPACE
  6034. PerformanceCounter::PerformanceCounter (const String& name_,
  6035. int runsPerPrintout,
  6036. const File& loggingFile)
  6037. : name (name_),
  6038. numRuns (0),
  6039. runsPerPrint (runsPerPrintout),
  6040. totalTime (0),
  6041. outputFile (loggingFile)
  6042. {
  6043. if (outputFile != File::nonexistent)
  6044. {
  6045. String s ("**** Counter for \"");
  6046. s << name_ << "\" started at: "
  6047. << Time::getCurrentTime().toString (true, true)
  6048. << "\r\n";
  6049. outputFile.appendText (s, false, false);
  6050. }
  6051. }
  6052. PerformanceCounter::~PerformanceCounter()
  6053. {
  6054. printStatistics();
  6055. }
  6056. void PerformanceCounter::start()
  6057. {
  6058. started = Time::getHighResolutionTicks();
  6059. }
  6060. void PerformanceCounter::stop()
  6061. {
  6062. const int64 now = Time::getHighResolutionTicks();
  6063. totalTime += 1000.0 * Time::highResolutionTicksToSeconds (now - started);
  6064. if (++numRuns == runsPerPrint)
  6065. printStatistics();
  6066. }
  6067. void PerformanceCounter::printStatistics()
  6068. {
  6069. if (numRuns > 0)
  6070. {
  6071. String s ("Performance count for \"");
  6072. s << name << "\" - average over " << numRuns << " run(s) = ";
  6073. const int micros = (int) (totalTime * (1000.0 / numRuns));
  6074. if (micros > 10000)
  6075. s << (micros/1000) << " millisecs";
  6076. else
  6077. s << micros << " microsecs";
  6078. s << ", total = " << String (totalTime / 1000, 5) << " seconds";
  6079. Logger::outputDebugString (s);
  6080. s << "\r\n";
  6081. if (outputFile != File::nonexistent)
  6082. outputFile.appendText (s, false, false);
  6083. numRuns = 0;
  6084. totalTime = 0;
  6085. }
  6086. }
  6087. END_JUCE_NAMESPACE
  6088. /********* End of inlined file: juce_PerformanceCounter.cpp *********/
  6089. /********* Start of inlined file: juce_Uuid.cpp *********/
  6090. BEGIN_JUCE_NAMESPACE
  6091. Uuid::Uuid()
  6092. {
  6093. // do some serious mixing up of our MAC addresses and different types of time info,
  6094. // plus a couple of passes of pseudo-random numbers over the whole thing.
  6095. SystemStats::getMACAddresses (value.asInt64, 2);
  6096. int i;
  6097. for (i = 16; --i >= 0;)
  6098. {
  6099. Random r (Time::getHighResolutionTicks()
  6100. + Random::getSystemRandom().nextInt()
  6101. + value.asInt [i & 3]);
  6102. value.asBytes[i] ^= (uint8) r.nextInt();
  6103. }
  6104. value.asInt64 [0] ^= Time::getHighResolutionTicks();
  6105. value.asInt64 [1] ^= Time::currentTimeMillis();
  6106. for (i = 4; --i >= 0;)
  6107. {
  6108. Random r (Time::getHighResolutionTicks() ^ value.asInt[i]);
  6109. value.asInt[i] ^= r.nextInt();
  6110. }
  6111. }
  6112. Uuid::~Uuid() throw()
  6113. {
  6114. }
  6115. Uuid::Uuid (const Uuid& other)
  6116. : value (other.value)
  6117. {
  6118. }
  6119. Uuid& Uuid::operator= (const Uuid& other)
  6120. {
  6121. if (this != &other)
  6122. value = other.value;
  6123. return *this;
  6124. }
  6125. bool Uuid::operator== (const Uuid& other) const
  6126. {
  6127. return memcmp (value.asBytes, other.value.asBytes, 16) == 0;
  6128. }
  6129. bool Uuid::operator!= (const Uuid& other) const
  6130. {
  6131. return ! operator== (other);
  6132. }
  6133. bool Uuid::isNull() const throw()
  6134. {
  6135. return (value.asInt64 [0] == 0) && (value.asInt64 [1] == 0);
  6136. }
  6137. const String Uuid::toString() const
  6138. {
  6139. return String::toHexString (value.asBytes, 16, 0);
  6140. }
  6141. Uuid::Uuid (const String& uuidString)
  6142. {
  6143. operator= (uuidString);
  6144. }
  6145. Uuid& Uuid::operator= (const String& uuidString)
  6146. {
  6147. int destIndex = 0;
  6148. int i = 0;
  6149. for (;;)
  6150. {
  6151. int byte = 0;
  6152. for (int loop = 2; --loop >= 0;)
  6153. {
  6154. byte <<= 4;
  6155. for (;;)
  6156. {
  6157. const tchar c = uuidString [i++];
  6158. if (c >= T('0') && c <= T('9'))
  6159. {
  6160. byte |= c - T('0');
  6161. break;
  6162. }
  6163. else if (c >= T('a') && c <= T('z'))
  6164. {
  6165. byte |= c - (T('a') - 10);
  6166. break;
  6167. }
  6168. else if (c >= T('A') && c <= T('Z'))
  6169. {
  6170. byte |= c - (T('A') - 10);
  6171. break;
  6172. }
  6173. else if (c == 0)
  6174. {
  6175. while (destIndex < 16)
  6176. value.asBytes [destIndex++] = 0;
  6177. return *this;
  6178. }
  6179. }
  6180. }
  6181. value.asBytes [destIndex++] = (uint8) byte;
  6182. }
  6183. }
  6184. Uuid::Uuid (const uint8* const rawData)
  6185. {
  6186. operator= (rawData);
  6187. }
  6188. Uuid& Uuid::operator= (const uint8* const rawData)
  6189. {
  6190. if (rawData != 0)
  6191. memcpy (value.asBytes, rawData, 16);
  6192. else
  6193. zeromem (value.asBytes, 16);
  6194. return *this;
  6195. }
  6196. END_JUCE_NAMESPACE
  6197. /********* End of inlined file: juce_Uuid.cpp *********/
  6198. /********* Start of inlined file: juce_ZipFile.cpp *********/
  6199. BEGIN_JUCE_NAMESPACE
  6200. struct ZipEntryInfo
  6201. {
  6202. ZipFile::ZipEntry entry;
  6203. int streamOffset;
  6204. int compressedSize;
  6205. bool compressed;
  6206. };
  6207. class ZipInputStream : public InputStream
  6208. {
  6209. public:
  6210. ZipInputStream (ZipFile& file_,
  6211. ZipEntryInfo& zei) throw()
  6212. : file (file_),
  6213. zipEntryInfo (zei),
  6214. pos (0),
  6215. headerSize (0),
  6216. inputStream (0)
  6217. {
  6218. inputStream = file_.inputStream;
  6219. if (file_.inputSource != 0)
  6220. {
  6221. inputStream = file.inputSource->createInputStream();
  6222. }
  6223. else
  6224. {
  6225. #ifdef JUCE_DEBUG
  6226. file_.numOpenStreams++;
  6227. #endif
  6228. }
  6229. char buffer [30];
  6230. if (inputStream != 0
  6231. && inputStream->setPosition (zei.streamOffset)
  6232. && inputStream->read (buffer, 30) == 30
  6233. && littleEndianInt (buffer) == 0x04034b50)
  6234. {
  6235. headerSize = 30 + littleEndianShort (buffer + 26)
  6236. + littleEndianShort (buffer + 28);
  6237. }
  6238. }
  6239. ~ZipInputStream() throw()
  6240. {
  6241. #ifdef JUCE_DEBUG
  6242. if (inputStream != 0 && inputStream == file.inputStream)
  6243. file.numOpenStreams--;
  6244. #endif
  6245. if (inputStream != file.inputStream)
  6246. delete inputStream;
  6247. }
  6248. int64 getTotalLength() throw()
  6249. {
  6250. return zipEntryInfo.compressedSize;
  6251. }
  6252. int read (void* buffer, int howMany) throw()
  6253. {
  6254. if (headerSize <= 0)
  6255. return 0;
  6256. howMany = (int) jmin ((int64) howMany, zipEntryInfo.compressedSize - pos);
  6257. if (inputStream == 0)
  6258. return 0;
  6259. int num;
  6260. if (inputStream == file.inputStream)
  6261. {
  6262. const ScopedLock sl (file.lock);
  6263. inputStream->setPosition (pos + zipEntryInfo.streamOffset + headerSize);
  6264. num = inputStream->read (buffer, howMany);
  6265. }
  6266. else
  6267. {
  6268. inputStream->setPosition (pos + zipEntryInfo.streamOffset + headerSize);
  6269. num = inputStream->read (buffer, howMany);
  6270. }
  6271. pos += num;
  6272. return num;
  6273. }
  6274. bool isExhausted() throw()
  6275. {
  6276. return pos >= zipEntryInfo.compressedSize;
  6277. }
  6278. int64 getPosition() throw()
  6279. {
  6280. return pos;
  6281. }
  6282. bool setPosition (int64 newPos) throw()
  6283. {
  6284. pos = jlimit ((int64) 0, (int64) zipEntryInfo.compressedSize, newPos);
  6285. return true;
  6286. }
  6287. private:
  6288. ZipFile& file;
  6289. ZipEntryInfo zipEntryInfo;
  6290. int64 pos;
  6291. int headerSize;
  6292. InputStream* inputStream;
  6293. ZipInputStream (const ZipInputStream&);
  6294. const ZipInputStream& operator= (const ZipInputStream&);
  6295. };
  6296. ZipFile::ZipFile (InputStream* const source_,
  6297. const bool deleteStreamWhenDestroyed_) throw()
  6298. : inputStream (source_),
  6299. inputSource (0),
  6300. deleteStreamWhenDestroyed (deleteStreamWhenDestroyed_)
  6301. #ifdef JUCE_DEBUG
  6302. , numOpenStreams (0)
  6303. #endif
  6304. {
  6305. init();
  6306. }
  6307. ZipFile::ZipFile (const File& file)
  6308. : inputStream (0),
  6309. deleteStreamWhenDestroyed (false)
  6310. #ifdef JUCE_DEBUG
  6311. , numOpenStreams (0)
  6312. #endif
  6313. {
  6314. inputSource = new FileInputSource (file);
  6315. init();
  6316. }
  6317. ZipFile::ZipFile (InputSource* const inputSource_)
  6318. : inputStream (0),
  6319. inputSource (inputSource_),
  6320. deleteStreamWhenDestroyed (false)
  6321. #ifdef JUCE_DEBUG
  6322. , numOpenStreams (0)
  6323. #endif
  6324. {
  6325. init();
  6326. }
  6327. ZipFile::~ZipFile() throw()
  6328. {
  6329. for (int i = entries.size(); --i >= 0;)
  6330. {
  6331. ZipEntryInfo* const zei = (ZipEntryInfo*) entries [i];
  6332. delete zei;
  6333. }
  6334. if (deleteStreamWhenDestroyed)
  6335. delete inputStream;
  6336. delete inputSource;
  6337. #ifdef JUCE_DEBUG
  6338. // If you hit this assertion, it means you've created a stream to read
  6339. // one of the items in the zipfile, but you've forgotten to delete that
  6340. // stream object before deleting the file.. Streams can't be kept open
  6341. // after the file is deleted because they need to share the input
  6342. // stream that the file uses to read itself.
  6343. jassert (numOpenStreams == 0);
  6344. #endif
  6345. }
  6346. int ZipFile::getNumEntries() const throw()
  6347. {
  6348. return entries.size();
  6349. }
  6350. const ZipFile::ZipEntry* ZipFile::getEntry (const int index) const throw()
  6351. {
  6352. ZipEntryInfo* const zei = (ZipEntryInfo*) entries [index];
  6353. return (zei != 0) ? &(zei->entry)
  6354. : 0;
  6355. }
  6356. int ZipFile::getIndexOfFileName (const String& fileName) const throw()
  6357. {
  6358. for (int i = 0; i < entries.size(); ++i)
  6359. if (((ZipEntryInfo*) entries.getUnchecked (i))->entry.filename == fileName)
  6360. return i;
  6361. return -1;
  6362. }
  6363. const ZipFile::ZipEntry* ZipFile::getEntry (const String& fileName) const throw()
  6364. {
  6365. return getEntry (getIndexOfFileName (fileName));
  6366. }
  6367. InputStream* ZipFile::createStreamForEntry (const int index)
  6368. {
  6369. ZipEntryInfo* const zei = (ZipEntryInfo*) entries[index];
  6370. InputStream* stream = 0;
  6371. if (zei != 0)
  6372. {
  6373. stream = new ZipInputStream (*this, *zei);
  6374. if (zei->compressed)
  6375. {
  6376. stream = new GZIPDecompressorInputStream (stream, true, true,
  6377. zei->entry.uncompressedSize);
  6378. // (much faster to unzip in big blocks using a buffer..)
  6379. stream = new BufferedInputStream (stream, 32768, true);
  6380. }
  6381. }
  6382. return stream;
  6383. }
  6384. class ZipFilenameComparator
  6385. {
  6386. public:
  6387. static int compareElements (const void* const first, const void* const second) throw()
  6388. {
  6389. return ((const ZipEntryInfo*) first)->entry.filename
  6390. .compare (((const ZipEntryInfo*) second)->entry.filename);
  6391. }
  6392. };
  6393. void ZipFile::sortEntriesByFilename()
  6394. {
  6395. ZipFilenameComparator sorter;
  6396. entries.sort (sorter);
  6397. }
  6398. void ZipFile::init()
  6399. {
  6400. InputStream* in = inputStream;
  6401. bool deleteInput = false;
  6402. if (inputSource != 0)
  6403. {
  6404. deleteInput = true;
  6405. in = inputSource->createInputStream();
  6406. }
  6407. if (in != 0)
  6408. {
  6409. numEntries = 0;
  6410. int pos = findEndOfZipEntryTable (in);
  6411. if (pos >= 0 && pos < in->getTotalLength())
  6412. {
  6413. const int size = (int) (in->getTotalLength() - pos);
  6414. in->setPosition (pos);
  6415. MemoryBlock headerData;
  6416. if (in->readIntoMemoryBlock (headerData, size) == size)
  6417. {
  6418. pos = 0;
  6419. for (int i = 0; i < numEntries; ++i)
  6420. {
  6421. if (pos + 46 > size)
  6422. break;
  6423. const char* const buffer = ((const char*) headerData.getData()) + pos;
  6424. const int fileNameLen = littleEndianShort (buffer + 28);
  6425. if (pos + 46 + fileNameLen > size)
  6426. break;
  6427. ZipEntryInfo* const zei = new ZipEntryInfo();
  6428. zei->entry.filename = String (buffer + 46, fileNameLen);
  6429. const int time = littleEndianShort (buffer + 12);
  6430. const int date = littleEndianShort (buffer + 14);
  6431. const int year = 1980 + (date >> 9);
  6432. const int month = ((date >> 5) & 15) - 1;
  6433. const int day = date & 31;
  6434. const int hours = time >> 11;
  6435. const int minutes = (time >> 5) & 63;
  6436. const int seconds = (time & 31) << 1;
  6437. zei->entry.fileTime = Time (year, month, day, hours, minutes, seconds);
  6438. zei->compressed = littleEndianShort (buffer + 10) != 0;
  6439. zei->compressedSize = littleEndianInt (buffer + 20);
  6440. zei->entry.uncompressedSize = littleEndianInt (buffer + 24);
  6441. zei->streamOffset = littleEndianInt (buffer + 42);
  6442. entries.add (zei);
  6443. pos += 46 + fileNameLen
  6444. + littleEndianShort (buffer + 30)
  6445. + littleEndianShort (buffer + 32);
  6446. }
  6447. }
  6448. }
  6449. if (deleteInput)
  6450. delete in;
  6451. }
  6452. }
  6453. int ZipFile::findEndOfZipEntryTable (InputStream* input)
  6454. {
  6455. BufferedInputStream in (input, 8192, false);
  6456. in.setPosition (in.getTotalLength());
  6457. int64 pos = in.getPosition();
  6458. const int64 lowestPos = jmax ((int64) 0, pos - 1024);
  6459. char buffer [32];
  6460. zeromem (buffer, sizeof (buffer));
  6461. while (pos > lowestPos)
  6462. {
  6463. in.setPosition (pos - 22);
  6464. pos = in.getPosition();
  6465. memcpy (buffer + 22, buffer, 4);
  6466. if (in.read (buffer, 22) != 22)
  6467. return 0;
  6468. for (int i = 0; i < 22; ++i)
  6469. {
  6470. if (littleEndianInt (buffer + i) == 0x06054b50)
  6471. {
  6472. in.setPosition (pos + i);
  6473. in.read (buffer, 22);
  6474. numEntries = littleEndianShort (buffer + 10);
  6475. return littleEndianInt (buffer + 16);
  6476. }
  6477. }
  6478. }
  6479. return 0;
  6480. }
  6481. void ZipFile::uncompressTo (const File& targetDirectory,
  6482. const bool shouldOverwriteFiles)
  6483. {
  6484. for (int i = 0; i < entries.size(); ++i)
  6485. {
  6486. const ZipEntryInfo& zei = *(ZipEntryInfo*) entries[i];
  6487. const File targetFile (targetDirectory.getChildFile (zei.entry.filename));
  6488. if (zei.entry.filename.endsWithChar (T('/')))
  6489. {
  6490. targetFile.createDirectory(); // (entry is a directory, not a file)
  6491. }
  6492. else
  6493. {
  6494. InputStream* const in = createStreamForEntry (i);
  6495. if (in != 0)
  6496. {
  6497. if (shouldOverwriteFiles)
  6498. targetFile.deleteFile();
  6499. if ((! targetFile.exists())
  6500. && targetFile.getParentDirectory().createDirectory())
  6501. {
  6502. FileOutputStream* const out = targetFile.createOutputStream();
  6503. if (out != 0)
  6504. {
  6505. out->writeFromInputStream (*in, -1);
  6506. delete out;
  6507. targetFile.setCreationTime (zei.entry.fileTime);
  6508. targetFile.setLastModificationTime (zei.entry.fileTime);
  6509. targetFile.setLastAccessTime (zei.entry.fileTime);
  6510. }
  6511. }
  6512. delete in;
  6513. }
  6514. }
  6515. }
  6516. }
  6517. END_JUCE_NAMESPACE
  6518. /********* End of inlined file: juce_ZipFile.cpp *********/
  6519. /********* Start of inlined file: juce_CharacterFunctions.cpp *********/
  6520. #ifdef _MSC_VER
  6521. #pragma warning (disable: 4514 4996)
  6522. #pragma warning (push)
  6523. #endif
  6524. #include <cwctype>
  6525. #include <cctype>
  6526. #include <ctime>
  6527. #ifdef _MSC_VER
  6528. #pragma warning (pop)
  6529. #endif
  6530. BEGIN_JUCE_NAMESPACE
  6531. int CharacterFunctions::length (const char* const s) throw()
  6532. {
  6533. return (int) strlen (s);
  6534. }
  6535. int CharacterFunctions::length (const juce_wchar* const s) throw()
  6536. {
  6537. #if MACOS_10_2_OR_EARLIER
  6538. int n = 0;
  6539. while (s[n] != 0)
  6540. ++n;
  6541. return n;
  6542. #else
  6543. return (int) wcslen (s);
  6544. #endif
  6545. }
  6546. void CharacterFunctions::copy (char* dest, const char* src, const int maxChars) throw()
  6547. {
  6548. strncpy (dest, src, maxChars);
  6549. }
  6550. void CharacterFunctions::copy (juce_wchar* dest, const juce_wchar* src, int maxChars) throw()
  6551. {
  6552. #if MACOS_10_2_OR_EARLIER
  6553. while (--maxChars >= 0 && *src != 0)
  6554. *dest++ = *src++;
  6555. *dest = 0;
  6556. #else
  6557. wcsncpy (dest, src, maxChars);
  6558. #endif
  6559. }
  6560. void CharacterFunctions::copy (juce_wchar* dest, const char* src, const int maxChars) throw()
  6561. {
  6562. mbstowcs (dest, src, maxChars);
  6563. }
  6564. void CharacterFunctions::copy (char* dest, const juce_wchar* src, const int maxChars) throw()
  6565. {
  6566. wcstombs (dest, src, maxChars);
  6567. }
  6568. int CharacterFunctions::bytesRequiredForCopy (const juce_wchar* src) throw()
  6569. {
  6570. return (int) wcstombs (0, src, 0);
  6571. }
  6572. void CharacterFunctions::append (char* dest, const char* src) throw()
  6573. {
  6574. strcat (dest, src);
  6575. }
  6576. void CharacterFunctions::append (juce_wchar* dest, const juce_wchar* src) throw()
  6577. {
  6578. #if MACOS_10_2_OR_EARLIER
  6579. while (*dest != 0)
  6580. ++dest;
  6581. while (*src != 0)
  6582. *dest++ = *src++;
  6583. *dest = 0;
  6584. #else
  6585. wcscat (dest, src);
  6586. #endif
  6587. }
  6588. int CharacterFunctions::compare (const char* const s1, const char* const s2) throw()
  6589. {
  6590. return strcmp (s1, s2);
  6591. }
  6592. int CharacterFunctions::compare (const juce_wchar* s1, const juce_wchar* s2) throw()
  6593. {
  6594. jassert (s1 != 0 && s2 != 0);
  6595. #if MACOS_10_2_OR_EARLIER
  6596. for (;;)
  6597. {
  6598. if (*s1 != *s2)
  6599. {
  6600. const int diff = *s1 - *s2;
  6601. if (diff != 0)
  6602. return diff < 0 ? -1 : 1;
  6603. }
  6604. else if (*s1 == 0)
  6605. break;
  6606. ++s1;
  6607. ++s2;
  6608. }
  6609. return 0;
  6610. #else
  6611. return wcscmp (s1, s2);
  6612. #endif
  6613. }
  6614. int CharacterFunctions::compare (const char* const s1, const char* const s2, const int maxChars) throw()
  6615. {
  6616. jassert (s1 != 0 && s2 != 0);
  6617. return strncmp (s1, s2, maxChars);
  6618. }
  6619. int CharacterFunctions::compare (const juce_wchar* s1, const juce_wchar* s2, int maxChars) throw()
  6620. {
  6621. jassert (s1 != 0 && s2 != 0);
  6622. #if MACOS_10_2_OR_EARLIER
  6623. while (--maxChars >= 0)
  6624. {
  6625. if (*s1 != *s2)
  6626. return (*s1 < *s2) ? -1 : 1;
  6627. else if (*s1 == 0)
  6628. break;
  6629. ++s1;
  6630. ++s2;
  6631. }
  6632. return 0;
  6633. #else
  6634. return wcsncmp (s1, s2, maxChars);
  6635. #endif
  6636. }
  6637. int CharacterFunctions::compareIgnoreCase (const char* const s1, const char* const s2) throw()
  6638. {
  6639. jassert (s1 != 0 && s2 != 0);
  6640. #if JUCE_WIN32
  6641. return stricmp (s1, s2);
  6642. #else
  6643. return strcasecmp (s1, s2);
  6644. #endif
  6645. }
  6646. int CharacterFunctions::compareIgnoreCase (const juce_wchar* s1, const juce_wchar* s2) throw()
  6647. {
  6648. jassert (s1 != 0 && s2 != 0);
  6649. #if JUCE_WIN32
  6650. return _wcsicmp (s1, s2);
  6651. #else
  6652. for (;;)
  6653. {
  6654. if (*s1 != *s2)
  6655. {
  6656. const int diff = toUpperCase (*s1) - toUpperCase (*s2);
  6657. if (diff != 0)
  6658. return diff < 0 ? -1 : 1;
  6659. }
  6660. else if (*s1 == 0)
  6661. break;
  6662. ++s1;
  6663. ++s2;
  6664. }
  6665. return 0;
  6666. #endif
  6667. }
  6668. int CharacterFunctions::compareIgnoreCase (const char* const s1, const char* const s2, const int maxChars) throw()
  6669. {
  6670. jassert (s1 != 0 && s2 != 0);
  6671. #if JUCE_WIN32
  6672. return strnicmp (s1, s2, maxChars);
  6673. #else
  6674. return strncasecmp (s1, s2, maxChars);
  6675. #endif
  6676. }
  6677. int CharacterFunctions::compareIgnoreCase (const juce_wchar* s1, const juce_wchar* s2, int maxChars) throw()
  6678. {
  6679. jassert (s1 != 0 && s2 != 0);
  6680. #if JUCE_WIN32
  6681. return _wcsnicmp (s1, s2, maxChars);
  6682. #else
  6683. while (--maxChars >= 0)
  6684. {
  6685. if (*s1 != *s2)
  6686. {
  6687. const int diff = toUpperCase (*s1) - toUpperCase (*s2);
  6688. if (diff != 0)
  6689. return diff < 0 ? -1 : 1;
  6690. }
  6691. else if (*s1 == 0)
  6692. break;
  6693. ++s1;
  6694. ++s2;
  6695. }
  6696. return 0;
  6697. #endif
  6698. }
  6699. const char* CharacterFunctions::find (const char* const haystack, const char* const needle) throw()
  6700. {
  6701. return strstr (haystack, needle);
  6702. }
  6703. const juce_wchar* CharacterFunctions::find (const juce_wchar* haystack, const juce_wchar* const needle) throw()
  6704. {
  6705. #if MACOS_10_2_OR_EARLIER
  6706. while (*haystack != 0)
  6707. {
  6708. const juce_wchar* s1 = haystack;
  6709. const juce_wchar* s2 = needle;
  6710. for (;;)
  6711. {
  6712. if (*s2 == 0)
  6713. return haystack;
  6714. if (*s1 != *s2 || *s2 == 0)
  6715. break;
  6716. ++s1;
  6717. ++s2;
  6718. }
  6719. ++haystack;
  6720. }
  6721. return 0;
  6722. #else
  6723. return wcsstr (haystack, needle);
  6724. #endif
  6725. }
  6726. int CharacterFunctions::indexOfChar (const char* const haystack, const char needle, const bool ignoreCase) throw()
  6727. {
  6728. if (haystack != 0)
  6729. {
  6730. int i = 0;
  6731. if (ignoreCase)
  6732. {
  6733. const char n1 = toLowerCase (needle);
  6734. const char n2 = toUpperCase (needle);
  6735. if (n1 != n2) // if the char is the same in upper/lower case, fall through to the normal search
  6736. {
  6737. while (haystack[i] != 0)
  6738. {
  6739. if (haystack[i] == n1 || haystack[i] == n2)
  6740. return i;
  6741. ++i;
  6742. }
  6743. return -1;
  6744. }
  6745. jassert (n1 == needle);
  6746. }
  6747. while (haystack[i] != 0)
  6748. {
  6749. if (haystack[i] == needle)
  6750. return i;
  6751. ++i;
  6752. }
  6753. }
  6754. return -1;
  6755. }
  6756. int CharacterFunctions::indexOfChar (const juce_wchar* const haystack, const juce_wchar needle, const bool ignoreCase) throw()
  6757. {
  6758. if (haystack != 0)
  6759. {
  6760. int i = 0;
  6761. if (ignoreCase)
  6762. {
  6763. const juce_wchar n1 = toLowerCase (needle);
  6764. const juce_wchar n2 = toUpperCase (needle);
  6765. if (n1 != n2) // if the char is the same in upper/lower case, fall through to the normal search
  6766. {
  6767. while (haystack[i] != 0)
  6768. {
  6769. if (haystack[i] == n1 || haystack[i] == n2)
  6770. return i;
  6771. ++i;
  6772. }
  6773. return -1;
  6774. }
  6775. jassert (n1 == needle);
  6776. }
  6777. while (haystack[i] != 0)
  6778. {
  6779. if (haystack[i] == needle)
  6780. return i;
  6781. ++i;
  6782. }
  6783. }
  6784. return -1;
  6785. }
  6786. int CharacterFunctions::indexOfCharFast (const char* const haystack, const char needle) throw()
  6787. {
  6788. jassert (haystack != 0);
  6789. int i = 0;
  6790. while (haystack[i] != 0)
  6791. {
  6792. if (haystack[i] == needle)
  6793. return i;
  6794. ++i;
  6795. }
  6796. return -1;
  6797. }
  6798. int CharacterFunctions::indexOfCharFast (const juce_wchar* const haystack, const juce_wchar needle) throw()
  6799. {
  6800. jassert (haystack != 0);
  6801. int i = 0;
  6802. while (haystack[i] != 0)
  6803. {
  6804. if (haystack[i] == needle)
  6805. return i;
  6806. ++i;
  6807. }
  6808. return -1;
  6809. }
  6810. int CharacterFunctions::getIntialSectionContainingOnly (const char* const text, const char* const allowedChars) throw()
  6811. {
  6812. return allowedChars == 0 ? 0 : (int) strspn (text, allowedChars);
  6813. }
  6814. int CharacterFunctions::getIntialSectionContainingOnly (const juce_wchar* const text, const juce_wchar* const allowedChars) throw()
  6815. {
  6816. if (allowedChars == 0)
  6817. return 0;
  6818. int i = 0;
  6819. for (;;)
  6820. {
  6821. if (indexOfCharFast (allowedChars, text[i]) < 0)
  6822. break;
  6823. ++i;
  6824. }
  6825. return i;
  6826. }
  6827. int CharacterFunctions::ftime (char* const dest, const int maxChars, const char* const format, const struct tm* const tm) throw()
  6828. {
  6829. return (int) strftime (dest, maxChars, format, tm);
  6830. }
  6831. int CharacterFunctions::ftime (juce_wchar* const dest, const int maxChars, const juce_wchar* const format, const struct tm* const tm) throw()
  6832. {
  6833. #if MACOS_10_2_OR_EARLIER
  6834. const String formatTemp (format);
  6835. size_t num = strftime ((char*) dest, maxChars, (const char*) formatTemp, tm);
  6836. String temp ((char*) dest);
  6837. temp.copyToBuffer (dest, num);
  6838. dest [num] = 0;
  6839. return (int) num;
  6840. #else
  6841. return (int) wcsftime (dest, maxChars, format, tm);
  6842. #endif
  6843. }
  6844. int CharacterFunctions::getIntValue (const char* const s) throw()
  6845. {
  6846. return atoi (s);
  6847. }
  6848. int CharacterFunctions::getIntValue (const juce_wchar* s) throw()
  6849. {
  6850. #if JUCE_WIN32
  6851. return _wtoi (s);
  6852. #else
  6853. int v = 0;
  6854. while (isWhitespace (*s))
  6855. ++s;
  6856. const bool isNeg = *s == T('-');
  6857. if (isNeg)
  6858. ++s;
  6859. for (;;)
  6860. {
  6861. const wchar_t c = *s++;
  6862. if (c >= T('0') && c <= T('9'))
  6863. v = v * 10 + (int) (c - T('0'));
  6864. else
  6865. break;
  6866. }
  6867. return isNeg ? -v : v;
  6868. #endif
  6869. }
  6870. int64 CharacterFunctions::getInt64Value (const char* s) throw()
  6871. {
  6872. #if JUCE_LINUX
  6873. return atoll (s);
  6874. #elif defined (JUCE_WIN32)
  6875. return _atoi64 (s);
  6876. #else
  6877. int64 v = 0;
  6878. while (isWhitespace (*s))
  6879. ++s;
  6880. const bool isNeg = *s == T('-');
  6881. if (isNeg)
  6882. ++s;
  6883. for (;;)
  6884. {
  6885. const char c = *s++;
  6886. if (c >= '0' && c <= '9')
  6887. v = v * 10 + (int64) (c - '0');
  6888. else
  6889. break;
  6890. }
  6891. return isNeg ? -v : v;
  6892. #endif
  6893. }
  6894. int64 CharacterFunctions::getInt64Value (const juce_wchar* s) throw()
  6895. {
  6896. #if JUCE_WIN32
  6897. return _wtoi64 (s);
  6898. #else
  6899. int64 v = 0;
  6900. while (isWhitespace (*s))
  6901. ++s;
  6902. const bool isNeg = *s == T('-');
  6903. if (isNeg)
  6904. ++s;
  6905. for (;;)
  6906. {
  6907. const juce_wchar c = *s++;
  6908. if (c >= T('0') && c <= T('9'))
  6909. v = v * 10 + (int64) (c - T('0'));
  6910. else
  6911. break;
  6912. }
  6913. return isNeg ? -v : v;
  6914. #endif
  6915. }
  6916. double CharacterFunctions::getDoubleValue (const char* const s) throw()
  6917. {
  6918. return atof (s);
  6919. }
  6920. double CharacterFunctions::getDoubleValue (const juce_wchar* const s) throw()
  6921. {
  6922. #if MACOS_10_2_OR_EARLIER
  6923. String temp (s);
  6924. return atof ((const char*) temp);
  6925. #else
  6926. wchar_t* endChar;
  6927. return wcstod (s, &endChar);
  6928. #endif
  6929. }
  6930. char CharacterFunctions::toUpperCase (const char character) throw()
  6931. {
  6932. return (char) toupper (character);
  6933. }
  6934. juce_wchar CharacterFunctions::toUpperCase (const juce_wchar character) throw()
  6935. {
  6936. #if MACOS_10_2_OR_EARLIER
  6937. return toupper ((char) character);
  6938. #else
  6939. return towupper (character);
  6940. #endif
  6941. }
  6942. void CharacterFunctions::toUpperCase (char* s) throw()
  6943. {
  6944. #if JUCE_WIN32
  6945. strupr (s);
  6946. #else
  6947. while (*s != 0)
  6948. {
  6949. *s = toUpperCase (*s);
  6950. ++s;
  6951. }
  6952. #endif
  6953. }
  6954. void CharacterFunctions::toUpperCase (juce_wchar* s) throw()
  6955. {
  6956. #if JUCE_WIN32
  6957. _wcsupr (s);
  6958. #else
  6959. while (*s != 0)
  6960. {
  6961. *s = toUpperCase (*s);
  6962. ++s;
  6963. }
  6964. #endif
  6965. }
  6966. bool CharacterFunctions::isUpperCase (const char character) throw()
  6967. {
  6968. return isupper (character) != 0;
  6969. }
  6970. bool CharacterFunctions::isUpperCase (const juce_wchar character) throw()
  6971. {
  6972. #if JUCE_WIN32
  6973. return iswupper (character) != 0;
  6974. #else
  6975. return toLowerCase (character) != character;
  6976. #endif
  6977. }
  6978. char CharacterFunctions::toLowerCase (const char character) throw()
  6979. {
  6980. return (char) tolower (character);
  6981. }
  6982. juce_wchar CharacterFunctions::toLowerCase (const juce_wchar character) throw()
  6983. {
  6984. #if MACOS_10_2_OR_EARLIER
  6985. return tolower ((char) character);
  6986. #else
  6987. return towlower (character);
  6988. #endif
  6989. }
  6990. void CharacterFunctions::toLowerCase (char* s) throw()
  6991. {
  6992. #if JUCE_WIN32
  6993. strlwr (s);
  6994. #else
  6995. while (*s != 0)
  6996. {
  6997. *s = toLowerCase (*s);
  6998. ++s;
  6999. }
  7000. #endif
  7001. }
  7002. void CharacterFunctions::toLowerCase (juce_wchar* s) throw()
  7003. {
  7004. #if JUCE_WIN32
  7005. _wcslwr (s);
  7006. #else
  7007. while (*s != 0)
  7008. {
  7009. *s = toLowerCase (*s);
  7010. ++s;
  7011. }
  7012. #endif
  7013. }
  7014. bool CharacterFunctions::isLowerCase (const char character) throw()
  7015. {
  7016. return islower (character) != 0;
  7017. }
  7018. bool CharacterFunctions::isLowerCase (const juce_wchar character) throw()
  7019. {
  7020. #if JUCE_WIN32
  7021. return iswlower (character) != 0;
  7022. #else
  7023. return toUpperCase (character) != character;
  7024. #endif
  7025. }
  7026. bool CharacterFunctions::isWhitespace (const char character) throw()
  7027. {
  7028. return character == T(' ') || (character <= 13 && character >= 9);
  7029. }
  7030. bool CharacterFunctions::isWhitespace (const juce_wchar character) throw()
  7031. {
  7032. #if MACOS_10_2_OR_EARLIER
  7033. return isWhitespace ((char) character);
  7034. #else
  7035. return iswspace (character) != 0;
  7036. #endif
  7037. }
  7038. bool CharacterFunctions::isDigit (const char character) throw()
  7039. {
  7040. return (character >= '0' && character <= '9');
  7041. }
  7042. bool CharacterFunctions::isDigit (const juce_wchar character) throw()
  7043. {
  7044. #if MACOS_10_2_OR_EARLIER
  7045. return isdigit ((char) character) != 0;
  7046. #else
  7047. return iswdigit (character) != 0;
  7048. #endif
  7049. }
  7050. bool CharacterFunctions::isLetter (const char character) throw()
  7051. {
  7052. return (character >= 'a' && character <= 'z')
  7053. || (character >= 'A' && character <= 'Z');
  7054. }
  7055. bool CharacterFunctions::isLetter (const juce_wchar character) throw()
  7056. {
  7057. #if MACOS_10_2_OR_EARLIER
  7058. return isLetter ((char) character);
  7059. #else
  7060. return iswalpha (character) != 0;
  7061. #endif
  7062. }
  7063. bool CharacterFunctions::isLetterOrDigit (const char character) throw()
  7064. {
  7065. return (character >= 'a' && character <= 'z')
  7066. || (character >= 'A' && character <= 'Z')
  7067. || (character >= '0' && character <= '9');
  7068. }
  7069. bool CharacterFunctions::isLetterOrDigit (const juce_wchar character) throw()
  7070. {
  7071. #if MACOS_10_2_OR_EARLIER
  7072. return isLetterOrDigit ((char) character);
  7073. #else
  7074. return iswalnum (character) != 0;
  7075. #endif
  7076. }
  7077. int CharacterFunctions::getHexDigitValue (const tchar digit) throw()
  7078. {
  7079. if (digit >= T('0') && digit <= T('9'))
  7080. return digit - T('0');
  7081. else if (digit >= T('a') && digit <= T('f'))
  7082. return digit - (T('a') - 10);
  7083. else if (digit >= T('A') && digit <= T('F'))
  7084. return digit - (T('A') - 10);
  7085. return -1;
  7086. }
  7087. int CharacterFunctions::printf (char* const dest, const int maxLength, const char* const format, ...) throw()
  7088. {
  7089. va_list list;
  7090. va_start (list, format);
  7091. return vprintf (dest, maxLength, format, list);
  7092. }
  7093. int CharacterFunctions::printf (juce_wchar* const dest, const int maxLength, const juce_wchar* const format, ...) throw()
  7094. {
  7095. va_list list;
  7096. va_start (list, format);
  7097. return vprintf (dest, maxLength, format, list);
  7098. }
  7099. int CharacterFunctions::vprintf (char* const dest, const int maxLength, const char* const format, va_list& args) throw()
  7100. {
  7101. #if JUCE_WIN32
  7102. return (int) _vsnprintf (dest, maxLength, format, args);
  7103. #else
  7104. return (int) vsnprintf (dest, maxLength, format, args);
  7105. #endif
  7106. }
  7107. int CharacterFunctions::vprintf (juce_wchar* const dest, const int maxLength, const juce_wchar* const format, va_list& args) throw()
  7108. {
  7109. #if MACOS_10_3_OR_EARLIER
  7110. const String formatTemp (format);
  7111. size_t num = vprintf ((char*) dest, maxLength, formatTemp, args);
  7112. String temp ((char*) dest);
  7113. temp.copyToBuffer (dest, num);
  7114. dest [num] = 0;
  7115. return (int) num;
  7116. #elif defined (JUCE_WIN32)
  7117. return (int) _vsnwprintf (dest, maxLength, format, args);
  7118. #else
  7119. return (int) vswprintf (dest, maxLength, format, args);
  7120. #endif
  7121. }
  7122. END_JUCE_NAMESPACE
  7123. /********* End of inlined file: juce_CharacterFunctions.cpp *********/
  7124. /********* Start of inlined file: juce_LocalisedStrings.cpp *********/
  7125. BEGIN_JUCE_NAMESPACE
  7126. LocalisedStrings::LocalisedStrings (const String& fileContents) throw()
  7127. {
  7128. loadFromText (fileContents);
  7129. }
  7130. LocalisedStrings::LocalisedStrings (const File& fileToLoad) throw()
  7131. {
  7132. loadFromText (fileToLoad.loadFileAsString());
  7133. }
  7134. LocalisedStrings::~LocalisedStrings() throw()
  7135. {
  7136. }
  7137. const String LocalisedStrings::translate (const String& text) const throw()
  7138. {
  7139. return translations.getValue (text, text);
  7140. }
  7141. static int findCloseQuote (const String& text, int startPos) throw()
  7142. {
  7143. tchar lastChar = 0;
  7144. for (;;)
  7145. {
  7146. const tchar c = text [startPos];
  7147. if (c == 0 || (c == T('"') && lastChar != T('\\')))
  7148. break;
  7149. lastChar = c;
  7150. ++startPos;
  7151. }
  7152. return startPos;
  7153. }
  7154. static const String unescapeString (const String& s) throw()
  7155. {
  7156. return s.replace (T("\\\""), T("\""))
  7157. .replace (T("\\\'"), T("\'"))
  7158. .replace (T("\\t"), T("\t"))
  7159. .replace (T("\\r"), T("\r"))
  7160. .replace (T("\\n"), T("\n"));
  7161. }
  7162. void LocalisedStrings::loadFromText (const String& fileContents) throw()
  7163. {
  7164. StringArray lines;
  7165. lines.addLines (fileContents);
  7166. for (int i = 0; i < lines.size(); ++i)
  7167. {
  7168. String line (lines[i].trim());
  7169. if (line.startsWithChar (T('"')))
  7170. {
  7171. int closeQuote = findCloseQuote (line, 1);
  7172. const String originalText (unescapeString (line.substring (1, closeQuote)));
  7173. if (originalText.isNotEmpty())
  7174. {
  7175. const int openingQuote = findCloseQuote (line, closeQuote + 1);
  7176. closeQuote = findCloseQuote (line, openingQuote + 1);
  7177. const String newText (unescapeString (line.substring (openingQuote + 1, closeQuote)));
  7178. if (newText.isNotEmpty())
  7179. translations.set (originalText, newText);
  7180. }
  7181. }
  7182. else if (line.startsWithIgnoreCase (T("language:")))
  7183. {
  7184. languageName = line.substring (9).trim();
  7185. }
  7186. else if (line.startsWithIgnoreCase (T("countries:")))
  7187. {
  7188. countryCodes.addTokens (line.substring (10).trim(), true);
  7189. countryCodes.trim();
  7190. countryCodes.removeEmptyStrings();
  7191. }
  7192. }
  7193. }
  7194. static CriticalSection currentMappingsLock;
  7195. static LocalisedStrings* currentMappings = 0;
  7196. void LocalisedStrings::setCurrentMappings (LocalisedStrings* newTranslations) throw()
  7197. {
  7198. const ScopedLock sl (currentMappingsLock);
  7199. delete currentMappings;
  7200. currentMappings = newTranslations;
  7201. }
  7202. LocalisedStrings* LocalisedStrings::getCurrentMappings() throw()
  7203. {
  7204. return currentMappings;
  7205. }
  7206. const String LocalisedStrings::translateWithCurrentMappings (const String& text) throw()
  7207. {
  7208. const ScopedLock sl (currentMappingsLock);
  7209. if (currentMappings != 0)
  7210. return currentMappings->translate (text);
  7211. return text;
  7212. }
  7213. const String LocalisedStrings::translateWithCurrentMappings (const char* text) throw()
  7214. {
  7215. return translateWithCurrentMappings (String (text));
  7216. }
  7217. END_JUCE_NAMESPACE
  7218. /********* End of inlined file: juce_LocalisedStrings.cpp *********/
  7219. /********* Start of inlined file: juce_String.cpp *********/
  7220. #ifdef _MSC_VER
  7221. #pragma warning (disable: 4514)
  7222. #pragma warning (push)
  7223. #endif
  7224. #include <locale>
  7225. #if JUCE_MSVC
  7226. #include <float.h>
  7227. #endif
  7228. BEGIN_JUCE_NAMESPACE
  7229. #ifdef _MSC_VER
  7230. #pragma warning (pop)
  7231. #endif
  7232. static const char* const emptyCharString = "\0\0\0\0JUCE";
  7233. static const int safeEmptyStringRefCount = 0x3fffffff;
  7234. String::InternalRefCountedStringHolder String::emptyString = { safeEmptyStringRefCount, 0, { 0 } };
  7235. static tchar decimalPoint = T('.');
  7236. void juce_initialiseStrings()
  7237. {
  7238. decimalPoint = String::fromUTF8 ((const uint8*) localeconv()->decimal_point) [0];
  7239. }
  7240. void String::deleteInternal() throw()
  7241. {
  7242. if (atomicDecrementAndReturn (text->refCount) == 0)
  7243. juce_free (text);
  7244. }
  7245. void String::createInternal (const int numChars) throw()
  7246. {
  7247. jassert (numChars > 0);
  7248. text = (InternalRefCountedStringHolder*) juce_malloc (sizeof (InternalRefCountedStringHolder)
  7249. + numChars * sizeof (tchar));
  7250. text->refCount = 1;
  7251. text->allocatedNumChars = numChars;
  7252. text->text[0] = 0;
  7253. }
  7254. void String::createInternal (const tchar* const t, const tchar* const textEnd) throw()
  7255. {
  7256. jassert (*(textEnd - 1) == 0); // must have a null terminator
  7257. const int numChars = (int) (textEnd - t);
  7258. createInternal (numChars - 1);
  7259. memcpy (text->text, t, numChars * sizeof (tchar));
  7260. }
  7261. void String::appendInternal (const tchar* const newText,
  7262. const int numExtraChars) throw()
  7263. {
  7264. if (numExtraChars > 0)
  7265. {
  7266. const int oldLen = CharacterFunctions::length (text->text);
  7267. const int newTotalLen = oldLen + numExtraChars;
  7268. if (text->refCount > 1)
  7269. {
  7270. // it's in use by other strings as well, so we need to make a private copy before messing with it..
  7271. InternalRefCountedStringHolder* const newTextHolder
  7272. = (InternalRefCountedStringHolder*) juce_malloc (sizeof (InternalRefCountedStringHolder)
  7273. + newTotalLen * sizeof (tchar));
  7274. newTextHolder->refCount = 1;
  7275. newTextHolder->allocatedNumChars = newTotalLen;
  7276. memcpy (newTextHolder->text, text->text, oldLen * sizeof (tchar));
  7277. memcpy (newTextHolder->text + oldLen, newText, numExtraChars * sizeof (tchar));
  7278. InternalRefCountedStringHolder* const old = text;
  7279. text = newTextHolder;
  7280. if (atomicDecrementAndReturn (old->refCount) == 0)
  7281. juce_free (old);
  7282. }
  7283. else
  7284. {
  7285. // no other strings using it, so just expand it if needed..
  7286. if (newTotalLen > text->allocatedNumChars)
  7287. {
  7288. text = (InternalRefCountedStringHolder*)
  7289. juce_realloc (text, sizeof (InternalRefCountedStringHolder)
  7290. + newTotalLen * sizeof (tchar));
  7291. text->allocatedNumChars = newTotalLen;
  7292. }
  7293. memcpy (text->text + oldLen, newText, numExtraChars * sizeof (tchar));
  7294. }
  7295. text->text [newTotalLen] = 0;
  7296. }
  7297. }
  7298. void String::dupeInternalIfMultiplyReferenced() throw()
  7299. {
  7300. if (text->refCount > 1)
  7301. {
  7302. InternalRefCountedStringHolder* const old = text;
  7303. const int len = old->allocatedNumChars;
  7304. InternalRefCountedStringHolder* const newTextHolder
  7305. = (InternalRefCountedStringHolder*) juce_malloc (sizeof (InternalRefCountedStringHolder)
  7306. + len * sizeof (tchar));
  7307. newTextHolder->refCount = 1;
  7308. newTextHolder->allocatedNumChars = len;
  7309. memcpy (newTextHolder->text, old->text, (len + 1) * sizeof (tchar));
  7310. text = newTextHolder;
  7311. if (atomicDecrementAndReturn (old->refCount) == 0)
  7312. juce_free (old);
  7313. }
  7314. }
  7315. const String String::empty;
  7316. String::String() throw()
  7317. : text (&emptyString)
  7318. {
  7319. }
  7320. String::String (const String& other) throw()
  7321. : text (other.text)
  7322. {
  7323. atomicIncrement (text->refCount);
  7324. }
  7325. String::String (const int numChars,
  7326. const int /*dummyVariable*/) throw()
  7327. {
  7328. createInternal (numChars);
  7329. }
  7330. String::String (const char* const t) throw()
  7331. {
  7332. if (t != 0 && *t != 0)
  7333. {
  7334. const int len = CharacterFunctions::length (t);
  7335. createInternal (len);
  7336. #if JUCE_STRINGS_ARE_UNICODE
  7337. CharacterFunctions::copy (text->text, t, len + 1);
  7338. #else
  7339. memcpy (text->text, t, len + 1);
  7340. #endif
  7341. }
  7342. else
  7343. {
  7344. text = &emptyString;
  7345. emptyString.refCount = safeEmptyStringRefCount;
  7346. }
  7347. }
  7348. String::String (const juce_wchar* const t) throw()
  7349. {
  7350. if (t != 0 && *t != 0)
  7351. {
  7352. #if JUCE_STRINGS_ARE_UNICODE
  7353. const int len = CharacterFunctions::length (t);
  7354. createInternal (len);
  7355. memcpy (text->text, t, (len + 1) * sizeof (tchar));
  7356. #else
  7357. const int len = CharacterFunctions::bytesRequiredForCopy (t);
  7358. createInternal (len);
  7359. CharacterFunctions::copy (text->text, t, len + 1);
  7360. #endif
  7361. }
  7362. else
  7363. {
  7364. text = &emptyString;
  7365. emptyString.refCount = safeEmptyStringRefCount;
  7366. }
  7367. }
  7368. String::String (const char* const t,
  7369. const int maxChars) throw()
  7370. {
  7371. int i;
  7372. for (i = 0; i < maxChars; ++i)
  7373. if (t[i] == 0)
  7374. break;
  7375. if (i > 0)
  7376. {
  7377. createInternal (i);
  7378. #if JUCE_STRINGS_ARE_UNICODE
  7379. CharacterFunctions::copy (text->text, t, i);
  7380. #else
  7381. memcpy (text->text, t, i);
  7382. #endif
  7383. text->text [i] = 0;
  7384. }
  7385. else
  7386. {
  7387. text = &emptyString;
  7388. emptyString.refCount = safeEmptyStringRefCount;
  7389. }
  7390. }
  7391. String::String (const juce_wchar* const t,
  7392. const int maxChars) throw()
  7393. {
  7394. int i;
  7395. for (i = 0; i < maxChars; ++i)
  7396. if (t[i] == 0)
  7397. break;
  7398. if (i > 0)
  7399. {
  7400. createInternal (i);
  7401. #if JUCE_STRINGS_ARE_UNICODE
  7402. memcpy (text->text, t, i * sizeof (tchar));
  7403. #else
  7404. CharacterFunctions::copy (text->text, t, i);
  7405. #endif
  7406. text->text [i] = 0;
  7407. }
  7408. else
  7409. {
  7410. text = &emptyString;
  7411. emptyString.refCount = safeEmptyStringRefCount;
  7412. }
  7413. }
  7414. const String String::charToString (const tchar character) throw()
  7415. {
  7416. tchar temp[2];
  7417. temp[0] = character;
  7418. temp[1] = 0;
  7419. return String (temp);
  7420. }
  7421. // pass in a pointer to the END of a buffer..
  7422. static tchar* int64ToCharString (tchar* t, const int64 n) throw()
  7423. {
  7424. *--t = 0;
  7425. int64 v = (n >= 0) ? n : -n;
  7426. do
  7427. {
  7428. *--t = (tchar) (T('0') + (int) (v % 10));
  7429. v /= 10;
  7430. } while (v > 0);
  7431. if (n < 0)
  7432. *--t = T('-');
  7433. return t;
  7434. }
  7435. static tchar* intToCharString (tchar* t, const int n) throw()
  7436. {
  7437. if (n == (int) 0x80000000) // (would cause an overflow)
  7438. return int64ToCharString (t, n);
  7439. *--t = 0;
  7440. int v = abs (n);
  7441. do
  7442. {
  7443. *--t = (tchar) (T('0') + (v % 10));
  7444. v /= 10;
  7445. } while (v > 0);
  7446. if (n < 0)
  7447. *--t = T('-');
  7448. return t;
  7449. }
  7450. static tchar* uintToCharString (tchar* t, unsigned int v) throw()
  7451. {
  7452. *--t = 0;
  7453. do
  7454. {
  7455. *--t = (tchar) (T('0') + (v % 10));
  7456. v /= 10;
  7457. } while (v > 0);
  7458. return t;
  7459. }
  7460. String::String (const int number) throw()
  7461. {
  7462. tchar buffer [16];
  7463. tchar* const end = buffer + 16;
  7464. createInternal (intToCharString (end, number), end);
  7465. }
  7466. String::String (const unsigned int number) throw()
  7467. {
  7468. tchar buffer [16];
  7469. tchar* const end = buffer + 16;
  7470. createInternal (uintToCharString (end, number), end);
  7471. }
  7472. String::String (const short number) throw()
  7473. {
  7474. tchar buffer [16];
  7475. tchar* const end = buffer + 16;
  7476. createInternal (intToCharString (end, (int) number), end);
  7477. }
  7478. String::String (const unsigned short number) throw()
  7479. {
  7480. tchar buffer [16];
  7481. tchar* const end = buffer + 16;
  7482. createInternal (uintToCharString (end, (unsigned int) number), end);
  7483. }
  7484. String::String (const int64 number) throw()
  7485. {
  7486. tchar buffer [32];
  7487. tchar* const end = buffer + 32;
  7488. createInternal (int64ToCharString (end, number), end);
  7489. }
  7490. String::String (const uint64 number) throw()
  7491. {
  7492. tchar buffer [32];
  7493. tchar* const end = buffer + 32;
  7494. tchar* t = end;
  7495. *--t = 0;
  7496. int64 v = number;
  7497. do
  7498. {
  7499. *--t = (tchar) (T('0') + (int) (v % 10));
  7500. v /= 10;
  7501. } while (v > 0);
  7502. createInternal (t, end);
  7503. }
  7504. // a double-to-string routine that actually uses the number of dec. places you asked for
  7505. // without resorting to exponent notation if the number's too big or small (which is what printf does).
  7506. void String::doubleToStringWithDecPlaces (double n, int numDecPlaces) throw()
  7507. {
  7508. const int bufSize = 80;
  7509. tchar buffer [bufSize];
  7510. int len;
  7511. tchar* t;
  7512. if (numDecPlaces > 0 && n > -1.0e20 && n < 1.0e20)
  7513. {
  7514. int64 v = (int64) (pow (10.0, numDecPlaces) * fabs (n) + 0.5);
  7515. t = buffer + bufSize;
  7516. *--t = (tchar) 0;
  7517. while (numDecPlaces >= 0 || v > 0)
  7518. {
  7519. if (numDecPlaces == 0)
  7520. *--t = decimalPoint;
  7521. *--t = (tchar) (T('0') + (v % 10));
  7522. v /= 10;
  7523. --numDecPlaces;
  7524. }
  7525. if (n < 0)
  7526. *--t = T('-');
  7527. len = (int) ((buffer + bufSize) - t);
  7528. }
  7529. else
  7530. {
  7531. len = CharacterFunctions::printf (buffer, bufSize, T("%.9g"), n) + 1;
  7532. t = buffer;
  7533. }
  7534. if (len > 1)
  7535. {
  7536. jassert (len < numElementsInArray (buffer));
  7537. createInternal (len - 1);
  7538. memcpy (text->text, t, len * sizeof (tchar));
  7539. }
  7540. else
  7541. {
  7542. jassert (*t == 0);
  7543. text = &emptyString;
  7544. emptyString.refCount = safeEmptyStringRefCount;
  7545. }
  7546. }
  7547. String::String (const float number,
  7548. const int numberOfDecimalPlaces) throw()
  7549. {
  7550. doubleToStringWithDecPlaces ((double) number,
  7551. numberOfDecimalPlaces);
  7552. }
  7553. String::String (const double number,
  7554. const int numberOfDecimalPlaces) throw()
  7555. {
  7556. doubleToStringWithDecPlaces (number,
  7557. numberOfDecimalPlaces);
  7558. }
  7559. String::~String() throw()
  7560. {
  7561. if (atomicDecrementAndReturn (text->refCount) == 0)
  7562. juce_free (text);
  7563. }
  7564. void String::preallocateStorage (const int numChars) throw()
  7565. {
  7566. if (numChars > text->allocatedNumChars)
  7567. {
  7568. dupeInternalIfMultiplyReferenced();
  7569. text = (InternalRefCountedStringHolder*) juce_realloc (text, sizeof (InternalRefCountedStringHolder)
  7570. + numChars * sizeof (tchar));
  7571. text->allocatedNumChars = numChars;
  7572. }
  7573. }
  7574. #if JUCE_STRINGS_ARE_UNICODE
  7575. String::operator const char*() const throw()
  7576. {
  7577. if (isEmpty())
  7578. {
  7579. return (const char*) emptyCharString;
  7580. }
  7581. else
  7582. {
  7583. String* const mutableThis = const_cast <String*> (this);
  7584. mutableThis->dupeInternalIfMultiplyReferenced();
  7585. int len = CharacterFunctions::bytesRequiredForCopy (text->text) + 1;
  7586. mutableThis->text = (InternalRefCountedStringHolder*)
  7587. juce_realloc (text, sizeof (InternalRefCountedStringHolder)
  7588. + (len * sizeof (juce_wchar) + len));
  7589. char* otherCopy = (char*) (text->text + len);
  7590. --len;
  7591. CharacterFunctions::copy (otherCopy, text->text, len);
  7592. otherCopy [len] = 0;
  7593. return otherCopy;
  7594. }
  7595. }
  7596. #else
  7597. String::operator const juce_wchar*() const throw()
  7598. {
  7599. if (isEmpty())
  7600. {
  7601. return (const juce_wchar*) emptyCharString;
  7602. }
  7603. else
  7604. {
  7605. String* const mutableThis = const_cast <String*> (this);
  7606. mutableThis->dupeInternalIfMultiplyReferenced();
  7607. int len = CharacterFunctions::length (text->text) + 1;
  7608. mutableThis->text = (InternalRefCountedStringHolder*)
  7609. juce_realloc (text, sizeof (InternalRefCountedStringHolder)
  7610. + (len * sizeof (juce_wchar) + len));
  7611. juce_wchar* otherCopy = (juce_wchar*) (text->text + len);
  7612. --len;
  7613. CharacterFunctions::copy (otherCopy, text->text, len);
  7614. otherCopy [len] = 0;
  7615. return otherCopy;
  7616. }
  7617. }
  7618. #endif
  7619. void String::copyToBuffer (char* const destBuffer,
  7620. const int bufferSizeBytes) const throw()
  7621. {
  7622. #if JUCE_STRINGS_ARE_UNICODE
  7623. const int len = jmin (bufferSizeBytes, CharacterFunctions::bytesRequiredForCopy (text->text));
  7624. CharacterFunctions::copy (destBuffer, text->text, len);
  7625. #else
  7626. const int len = jmin (bufferSizeBytes, length());
  7627. memcpy (destBuffer, text->text, len * sizeof (tchar));
  7628. #endif
  7629. destBuffer [len] = 0;
  7630. }
  7631. void String::copyToBuffer (juce_wchar* const destBuffer,
  7632. const int maxCharsToCopy) const throw()
  7633. {
  7634. const int len = jmin (maxCharsToCopy, length());
  7635. #if JUCE_STRINGS_ARE_UNICODE
  7636. memcpy (destBuffer, text->text, len * sizeof (juce_wchar));
  7637. #else
  7638. CharacterFunctions::copy (destBuffer, text->text, len);
  7639. #endif
  7640. destBuffer [len] = 0;
  7641. }
  7642. int String::length() const throw()
  7643. {
  7644. return CharacterFunctions::length (text->text);
  7645. }
  7646. int String::hashCode() const throw()
  7647. {
  7648. const tchar* t = text->text;
  7649. int result = 0;
  7650. while (*t != (tchar) 0)
  7651. result = 31 * result + *t++;
  7652. return result;
  7653. }
  7654. int64 String::hashCode64() const throw()
  7655. {
  7656. const tchar* t = text->text;
  7657. int64 result = 0;
  7658. while (*t != (tchar) 0)
  7659. result = 101 * result + *t++;
  7660. return result;
  7661. }
  7662. const String& String::operator= (const tchar* const otherText) throw()
  7663. {
  7664. if (otherText != 0 && *otherText != 0)
  7665. {
  7666. const int otherLen = CharacterFunctions::length (otherText);
  7667. if (otherLen > 0)
  7668. {
  7669. // avoid resizing the memory block if the string is
  7670. // shrinking..
  7671. if (text->refCount > 1
  7672. || otherLen > text->allocatedNumChars
  7673. || otherLen <= (text->allocatedNumChars >> 1))
  7674. {
  7675. deleteInternal();
  7676. createInternal (otherLen);
  7677. }
  7678. memcpy (text->text, otherText, (otherLen + 1) * sizeof (tchar));
  7679. return *this;
  7680. }
  7681. }
  7682. deleteInternal();
  7683. text = &emptyString;
  7684. emptyString.refCount = safeEmptyStringRefCount;
  7685. return *this;
  7686. }
  7687. const String& String::operator= (const String& other) throw()
  7688. {
  7689. if (this != &other)
  7690. {
  7691. atomicIncrement (other.text->refCount);
  7692. if (atomicDecrementAndReturn (text->refCount) == 0)
  7693. juce_free (text);
  7694. text = other.text;
  7695. }
  7696. return *this;
  7697. }
  7698. bool String::operator== (const String& other) const throw()
  7699. {
  7700. return text == other.text
  7701. || CharacterFunctions::compare (text->text, other.text->text) == 0;
  7702. }
  7703. bool String::operator== (const tchar* const t) const throw()
  7704. {
  7705. return t != 0 ? CharacterFunctions::compare (text->text, t) == 0
  7706. : isEmpty();
  7707. }
  7708. bool String::equalsIgnoreCase (const tchar* t) const throw()
  7709. {
  7710. return t != 0 ? CharacterFunctions::compareIgnoreCase (text->text, t) == 0
  7711. : isEmpty();
  7712. }
  7713. bool String::equalsIgnoreCase (const String& other) const throw()
  7714. {
  7715. return text == other.text
  7716. || CharacterFunctions::compareIgnoreCase (text->text, other.text->text) == 0;
  7717. }
  7718. bool String::operator!= (const String& other) const throw()
  7719. {
  7720. return text != other.text
  7721. && CharacterFunctions::compare (text->text, other.text->text) != 0;
  7722. }
  7723. bool String::operator!= (const tchar* const t) const throw()
  7724. {
  7725. return t != 0 ? (CharacterFunctions::compare (text->text, t) != 0)
  7726. : isNotEmpty();
  7727. }
  7728. bool String::operator> (const String& other) const throw()
  7729. {
  7730. return compare (other) > 0;
  7731. }
  7732. bool String::operator< (const tchar* const other) const throw()
  7733. {
  7734. return compare (other) < 0;
  7735. }
  7736. bool String::operator>= (const String& other) const throw()
  7737. {
  7738. return compare (other) >= 0;
  7739. }
  7740. bool String::operator<= (const tchar* const other) const throw()
  7741. {
  7742. return compare (other) <= 0;
  7743. }
  7744. int String::compare (const tchar* const other) const throw()
  7745. {
  7746. return other != 0 ? CharacterFunctions::compare (text->text, other)
  7747. : isEmpty();
  7748. }
  7749. int String::compareIgnoreCase (const tchar* const other) const throw()
  7750. {
  7751. return other != 0 ? CharacterFunctions::compareIgnoreCase (text->text, other)
  7752. : isEmpty();
  7753. }
  7754. int String::compareLexicographically (const tchar* other) const throw()
  7755. {
  7756. if (other == 0)
  7757. return isEmpty();
  7758. const tchar* s1 = text->text;
  7759. while (*s1 != 0 && ! CharacterFunctions::isLetterOrDigit (*s1))
  7760. ++s1;
  7761. while (*other != 0 && ! CharacterFunctions::isLetterOrDigit (*other))
  7762. ++other;
  7763. return CharacterFunctions::compareIgnoreCase (s1, other);
  7764. }
  7765. const String String::operator+ (const String& other) const throw()
  7766. {
  7767. if (*(other.text->text) == 0)
  7768. return *this;
  7769. if (isEmpty())
  7770. return other;
  7771. const int len = CharacterFunctions::length (text->text);
  7772. const int otherLen = CharacterFunctions::length (other.text->text);
  7773. String result (len + otherLen, (int) 0);
  7774. memcpy (result.text->text, text->text, len * sizeof (tchar));
  7775. memcpy (result.text->text + len, other.text->text, otherLen * sizeof (tchar));
  7776. result.text->text [len + otherLen] = 0;
  7777. return result;
  7778. }
  7779. const String String::operator+ (const tchar* const textToAppend) const throw()
  7780. {
  7781. if (textToAppend == 0 || *textToAppend == 0)
  7782. return *this;
  7783. const int len = CharacterFunctions::length (text->text);
  7784. const int otherLen = CharacterFunctions::length (textToAppend);
  7785. String result (len + otherLen, (int) 0);
  7786. memcpy (result.text->text, text->text, len * sizeof (tchar));
  7787. memcpy (result.text->text + len, textToAppend, otherLen * sizeof (tchar));
  7788. result.text->text [len + otherLen] = 0;
  7789. return result;
  7790. }
  7791. const String String::operator+ (const tchar characterToAppend) const throw()
  7792. {
  7793. if (characterToAppend == 0)
  7794. return *this;
  7795. const int len = CharacterFunctions::length (text->text);
  7796. String result ((int) (len + 1), (int) 0);
  7797. memcpy (result.text->text, text->text, len * sizeof (tchar));
  7798. result.text->text[len] = characterToAppend;
  7799. result.text->text[len + 1] = 0;
  7800. return result;
  7801. }
  7802. const String JUCE_PUBLIC_FUNCTION operator+ (const char* const string1,
  7803. const String& string2) throw()
  7804. {
  7805. String s (string1);
  7806. s += string2;
  7807. return s;
  7808. }
  7809. const String JUCE_PUBLIC_FUNCTION operator+ (const juce_wchar* const string1,
  7810. const String& string2) throw()
  7811. {
  7812. String s (string1);
  7813. s += string2;
  7814. return s;
  7815. }
  7816. const String& String::operator+= (const tchar* const t) throw()
  7817. {
  7818. if (t != 0)
  7819. appendInternal (t, CharacterFunctions::length (t));
  7820. return *this;
  7821. }
  7822. const String& String::operator+= (const String& other) throw()
  7823. {
  7824. if (isEmpty())
  7825. operator= (other);
  7826. else
  7827. appendInternal (other.text->text,
  7828. CharacterFunctions::length (other.text->text));
  7829. return *this;
  7830. }
  7831. const String& String::operator+= (const char ch) throw()
  7832. {
  7833. char asString[2];
  7834. asString[0] = ch;
  7835. asString[1] = 0;
  7836. #if JUCE_STRINGS_ARE_UNICODE
  7837. operator+= (String (asString));
  7838. #else
  7839. appendInternal (asString, 1);
  7840. #endif
  7841. return *this;
  7842. }
  7843. const String& String::operator+= (const juce_wchar ch) throw()
  7844. {
  7845. juce_wchar asString[2];
  7846. asString[0] = ch;
  7847. asString[1] = 0;
  7848. #if JUCE_STRINGS_ARE_UNICODE
  7849. appendInternal (asString, 1);
  7850. #else
  7851. operator+= (String (asString));
  7852. #endif
  7853. return *this;
  7854. }
  7855. void String::append (const tchar* const other,
  7856. const int howMany) throw()
  7857. {
  7858. if (howMany > 0)
  7859. {
  7860. int i;
  7861. for (i = 0; i < howMany; ++i)
  7862. if (other[i] == 0)
  7863. break;
  7864. appendInternal (other, i);
  7865. }
  7866. }
  7867. String& String::operator<< (const int number) throw()
  7868. {
  7869. tchar buffer [64];
  7870. tchar* const end = buffer + 64;
  7871. const tchar* const t = intToCharString (end, number);
  7872. appendInternal (t, (int) (end - t) - 1);
  7873. return *this;
  7874. }
  7875. String& String::operator<< (const unsigned int number) throw()
  7876. {
  7877. tchar buffer [64];
  7878. tchar* const end = buffer + 64;
  7879. const tchar* const t = uintToCharString (end, number);
  7880. appendInternal (t, (int) (end - t) - 1);
  7881. return *this;
  7882. }
  7883. String& String::operator<< (const short number) throw()
  7884. {
  7885. tchar buffer [64];
  7886. tchar* const end = buffer + 64;
  7887. const tchar* const t = intToCharString (end, (int) number);
  7888. appendInternal (t, (int) (end - t) - 1);
  7889. return *this;
  7890. }
  7891. String& String::operator<< (const double number) throw()
  7892. {
  7893. operator+= (String (number));
  7894. return *this;
  7895. }
  7896. String& String::operator<< (const float number) throw()
  7897. {
  7898. operator+= (String (number));
  7899. return *this;
  7900. }
  7901. String& String::operator<< (const char character) throw()
  7902. {
  7903. operator+= (character);
  7904. return *this;
  7905. }
  7906. String& String::operator<< (const juce_wchar character) throw()
  7907. {
  7908. operator+= (character);
  7909. return *this;
  7910. }
  7911. String& String::operator<< (const char* const t) throw()
  7912. {
  7913. #if JUCE_STRINGS_ARE_UNICODE
  7914. operator+= (String (t));
  7915. #else
  7916. operator+= (t);
  7917. #endif
  7918. return *this;
  7919. }
  7920. String& String::operator<< (const juce_wchar* const t) throw()
  7921. {
  7922. #if JUCE_STRINGS_ARE_UNICODE
  7923. operator+= (t);
  7924. #else
  7925. operator+= (String (t));
  7926. #endif
  7927. return *this;
  7928. }
  7929. String& String::operator<< (const String& t) throw()
  7930. {
  7931. operator+= (t);
  7932. return *this;
  7933. }
  7934. int String::indexOfChar (const tchar character) const throw()
  7935. {
  7936. const tchar* t = text->text;
  7937. for (;;)
  7938. {
  7939. if (*t == character)
  7940. return (int) (t - text->text);
  7941. if (*t++ == 0)
  7942. return -1;
  7943. }
  7944. }
  7945. int String::lastIndexOfChar (const tchar character) const throw()
  7946. {
  7947. for (int i = CharacterFunctions::length (text->text); --i >= 0;)
  7948. if (text->text[i] == character)
  7949. return i;
  7950. return -1;
  7951. }
  7952. int String::indexOf (const tchar* const t) const throw()
  7953. {
  7954. const tchar* const r = CharacterFunctions::find (text->text, t);
  7955. return (r == 0) ? -1
  7956. : (int) (r - text->text);
  7957. }
  7958. int String::indexOfChar (const int startIndex,
  7959. const tchar character) const throw()
  7960. {
  7961. if (startIndex >= 0 && startIndex >= CharacterFunctions::length (text->text))
  7962. return -1;
  7963. const tchar* t = text->text + jmax (0, startIndex);
  7964. for (;;)
  7965. {
  7966. if (*t == character)
  7967. return (int) (t - text->text);
  7968. if (*t++ == 0)
  7969. return -1;
  7970. }
  7971. }
  7972. int String::indexOfAnyOf (const tchar* const charactersToLookFor,
  7973. const int startIndex,
  7974. const bool ignoreCase) const throw()
  7975. {
  7976. if (charactersToLookFor == 0
  7977. || (startIndex >= 0 && startIndex >= CharacterFunctions::length (text->text)))
  7978. return -1;
  7979. const tchar* t = text->text + jmax (0, startIndex);
  7980. while (*t != 0)
  7981. {
  7982. if (CharacterFunctions::indexOfChar (charactersToLookFor, *t, ignoreCase) >= 0)
  7983. return (int) (t - text->text);
  7984. ++t;
  7985. }
  7986. return -1;
  7987. }
  7988. int String::indexOf (const int startIndex,
  7989. const tchar* const other) const throw()
  7990. {
  7991. if (other == 0 || startIndex >= CharacterFunctions::length (text->text))
  7992. return -1;
  7993. const tchar* const found = CharacterFunctions::find (text->text + jmax (0, startIndex),
  7994. other);
  7995. return (found == 0) ? -1
  7996. : (int) (found - text->text);
  7997. }
  7998. int String::indexOfIgnoreCase (const tchar* const other) const throw()
  7999. {
  8000. if (other != 0 && *other != 0)
  8001. {
  8002. const int len = CharacterFunctions::length (other);
  8003. const int end = CharacterFunctions::length (text->text) - len;
  8004. for (int i = 0; i <= end; ++i)
  8005. if (CharacterFunctions::compareIgnoreCase (text->text + i, other, len) == 0)
  8006. return i;
  8007. }
  8008. return -1;
  8009. }
  8010. int String::indexOfIgnoreCase (const int startIndex,
  8011. const tchar* const other) const throw()
  8012. {
  8013. if (other != 0 && *other != 0)
  8014. {
  8015. const int len = CharacterFunctions::length (other);
  8016. const int end = length() - len;
  8017. for (int i = jmax (0, startIndex); i <= end; ++i)
  8018. if (CharacterFunctions::compareIgnoreCase (text->text + i, other, len) == 0)
  8019. return i;
  8020. }
  8021. return -1;
  8022. }
  8023. int String::lastIndexOf (const tchar* const other) const throw()
  8024. {
  8025. if (other != 0 && *other != 0)
  8026. {
  8027. const int len = CharacterFunctions::length (other);
  8028. int i = length() - len;
  8029. if (i >= 0)
  8030. {
  8031. const tchar* n = text->text + i;
  8032. while (i >= 0)
  8033. {
  8034. if (CharacterFunctions::compare (n--, other, len) == 0)
  8035. return i;
  8036. --i;
  8037. }
  8038. }
  8039. }
  8040. return -1;
  8041. }
  8042. int String::lastIndexOfIgnoreCase (const tchar* const other) const throw()
  8043. {
  8044. if (other != 0 && *other != 0)
  8045. {
  8046. const int len = CharacterFunctions::length (other);
  8047. int i = length() - len;
  8048. if (i >= 0)
  8049. {
  8050. const tchar* n = text->text + i;
  8051. while (i >= 0)
  8052. {
  8053. if (CharacterFunctions::compareIgnoreCase (n--, other, len) == 0)
  8054. return i;
  8055. --i;
  8056. }
  8057. }
  8058. }
  8059. return -1;
  8060. }
  8061. int String::lastIndexOfAnyOf (const tchar* const charactersToLookFor,
  8062. const bool ignoreCase) const throw()
  8063. {
  8064. for (int i = CharacterFunctions::length (text->text); --i >= 0;)
  8065. if (CharacterFunctions::indexOfChar (charactersToLookFor, text->text [i], ignoreCase) >= 0)
  8066. return i;
  8067. return -1;
  8068. }
  8069. bool String::contains (const tchar* const other) const throw()
  8070. {
  8071. return indexOf (other) >= 0;
  8072. }
  8073. bool String::containsChar (const tchar character) const throw()
  8074. {
  8075. return indexOfChar (character) >= 0;
  8076. }
  8077. bool String::containsIgnoreCase (const tchar* const t) const throw()
  8078. {
  8079. return indexOfIgnoreCase (t) >= 0;
  8080. }
  8081. int String::indexOfWholeWord (const tchar* const word) const throw()
  8082. {
  8083. if (word != 0 && *word != 0)
  8084. {
  8085. const int wordLen = CharacterFunctions::length (word);
  8086. const int end = length() - wordLen;
  8087. const tchar* t = text->text;
  8088. for (int i = 0; i <= end; ++i)
  8089. {
  8090. if (CharacterFunctions::compare (t, word, wordLen) == 0
  8091. && (i == 0 || ! CharacterFunctions::isLetterOrDigit (* (t - 1)))
  8092. && ! CharacterFunctions::isLetterOrDigit (t [wordLen]))
  8093. {
  8094. return i;
  8095. }
  8096. ++t;
  8097. }
  8098. }
  8099. return -1;
  8100. }
  8101. int String::indexOfWholeWordIgnoreCase (const tchar* const word) const throw()
  8102. {
  8103. if (word != 0 && *word != 0)
  8104. {
  8105. const int wordLen = CharacterFunctions::length (word);
  8106. const int end = length() - wordLen;
  8107. const tchar* t = text->text;
  8108. for (int i = 0; i <= end; ++i)
  8109. {
  8110. if (CharacterFunctions::compareIgnoreCase (t, word, wordLen) == 0
  8111. && (i == 0 || ! CharacterFunctions::isLetterOrDigit (* (t - 1)))
  8112. && ! CharacterFunctions::isLetterOrDigit (t [wordLen]))
  8113. {
  8114. return i;
  8115. }
  8116. ++t;
  8117. }
  8118. }
  8119. return -1;
  8120. }
  8121. bool String::containsWholeWord (const tchar* const wordToLookFor) const throw()
  8122. {
  8123. return indexOfWholeWord (wordToLookFor) >= 0;
  8124. }
  8125. bool String::containsWholeWordIgnoreCase (const tchar* const wordToLookFor) const throw()
  8126. {
  8127. return indexOfWholeWordIgnoreCase (wordToLookFor) >= 0;
  8128. }
  8129. static int indexOfMatch (const tchar* const wildcard,
  8130. const tchar* const test,
  8131. const bool ignoreCase) throw()
  8132. {
  8133. int start = 0;
  8134. while (test [start] != 0)
  8135. {
  8136. int i = 0;
  8137. for (;;)
  8138. {
  8139. const tchar wc = wildcard [i];
  8140. const tchar c = test [i + start];
  8141. if (wc == c
  8142. || (ignoreCase && CharacterFunctions::toLowerCase (wc) == CharacterFunctions::toLowerCase (c))
  8143. || (wc == T('?') && c != 0))
  8144. {
  8145. if (wc == 0)
  8146. return start;
  8147. ++i;
  8148. }
  8149. else
  8150. {
  8151. if (wc == T('*') && (wildcard [i + 1] == 0
  8152. || indexOfMatch (wildcard + i + 1,
  8153. test + start + i,
  8154. ignoreCase) >= 0))
  8155. {
  8156. return start;
  8157. }
  8158. break;
  8159. }
  8160. }
  8161. ++start;
  8162. }
  8163. return -1;
  8164. }
  8165. bool String::matchesWildcard (const tchar* wildcard, const bool ignoreCase) const throw()
  8166. {
  8167. int i = 0;
  8168. for (;;)
  8169. {
  8170. const tchar wc = wildcard [i];
  8171. const tchar c = text->text [i];
  8172. if (wc == c
  8173. || (ignoreCase && CharacterFunctions::toLowerCase (wc) == CharacterFunctions::toLowerCase (c))
  8174. || (wc == T('?') && c != 0))
  8175. {
  8176. if (wc == 0)
  8177. return true;
  8178. ++i;
  8179. }
  8180. else
  8181. {
  8182. return wc == T('*') && (wildcard [i + 1] == 0
  8183. || indexOfMatch (wildcard + i + 1,
  8184. text->text + i,
  8185. ignoreCase) >= 0);
  8186. }
  8187. }
  8188. }
  8189. void String::printf (const tchar* const pf, ...) throw()
  8190. {
  8191. va_list list;
  8192. va_start (list, pf);
  8193. vprintf (pf, list);
  8194. }
  8195. const String String::formatted (const tchar* const pf, ...) throw()
  8196. {
  8197. va_list list;
  8198. va_start (list, pf);
  8199. String result;
  8200. result.vprintf (pf, list);
  8201. return result;
  8202. }
  8203. void String::vprintf (const tchar* const pf, va_list& args) throw()
  8204. {
  8205. tchar stackBuf [256];
  8206. unsigned int bufSize = 256;
  8207. tchar* buf = stackBuf;
  8208. deleteInternal();
  8209. do
  8210. {
  8211. #if JUCE_LINUX && JUCE_64BIT
  8212. va_list tempArgs;
  8213. va_copy (tempArgs, args);
  8214. const int num = CharacterFunctions::vprintf (buf, bufSize - 1, pf, tempArgs);
  8215. va_end (tempArgs);
  8216. #else
  8217. const int num = CharacterFunctions::vprintf (buf, bufSize - 1, pf, args);
  8218. #endif
  8219. if (num > 0)
  8220. {
  8221. createInternal (num);
  8222. memcpy (text->text, buf, (num + 1) * sizeof (tchar));
  8223. break;
  8224. }
  8225. else if (num == 0)
  8226. {
  8227. text = &emptyString;
  8228. emptyString.refCount = safeEmptyStringRefCount;
  8229. break;
  8230. }
  8231. if (buf != stackBuf)
  8232. juce_free (buf);
  8233. bufSize += 256;
  8234. buf = (tchar*) juce_malloc (bufSize * sizeof (tchar));
  8235. }
  8236. while (bufSize < 65536); // this is a sanity check to avoid situations where vprintf repeatedly
  8237. // returns -1 because of an error rather than because it needs more space.
  8238. if (buf != stackBuf)
  8239. juce_free (buf);
  8240. }
  8241. const String String::repeatedString (const tchar* const stringToRepeat,
  8242. int numberOfTimesToRepeat) throw()
  8243. {
  8244. const int len = CharacterFunctions::length (stringToRepeat);
  8245. String result ((int) (len * numberOfTimesToRepeat + 1), (int) 0);
  8246. tchar* n = result.text->text;
  8247. n[0] = 0;
  8248. while (--numberOfTimesToRepeat >= 0)
  8249. {
  8250. CharacterFunctions::append (n, stringToRepeat);
  8251. n += len;
  8252. }
  8253. return result;
  8254. }
  8255. const String String::replaceSection (int index,
  8256. int numCharsToReplace,
  8257. const tchar* const stringToInsert) const throw()
  8258. {
  8259. if (index < 0)
  8260. {
  8261. // a negative index to replace from?
  8262. jassertfalse
  8263. index = 0;
  8264. }
  8265. if (numCharsToReplace < 0)
  8266. {
  8267. // replacing a negative number of characters?
  8268. numCharsToReplace = 0;
  8269. jassertfalse;
  8270. }
  8271. const int len = length();
  8272. if (index + numCharsToReplace > len)
  8273. {
  8274. if (index > len)
  8275. {
  8276. // replacing beyond the end of the string?
  8277. index = len;
  8278. jassertfalse
  8279. }
  8280. numCharsToReplace = len - index;
  8281. }
  8282. const int newStringLen = (stringToInsert != 0) ? CharacterFunctions::length (stringToInsert) : 0;
  8283. const int newTotalLen = len + newStringLen - numCharsToReplace;
  8284. String result (newTotalLen, (int) 0);
  8285. memcpy (result.text->text,
  8286. text->text,
  8287. index * sizeof (tchar));
  8288. if (newStringLen > 0)
  8289. memcpy (result.text->text + index,
  8290. stringToInsert,
  8291. newStringLen * sizeof (tchar));
  8292. const int endStringLen = newTotalLen - (index + newStringLen);
  8293. if (endStringLen > 0)
  8294. memcpy (result.text->text + (index + newStringLen),
  8295. text->text + (index + numCharsToReplace),
  8296. endStringLen * sizeof (tchar));
  8297. result.text->text [newTotalLen] = 0;
  8298. return result;
  8299. }
  8300. const String String::replace (const tchar* const stringToReplace,
  8301. const tchar* const stringToInsert,
  8302. const bool ignoreCase) const throw()
  8303. {
  8304. const int stringToReplaceLen = CharacterFunctions::length (stringToReplace);
  8305. const int stringToInsertLen = CharacterFunctions::length (stringToInsert);
  8306. int i = 0;
  8307. String result (*this);
  8308. while ((i = (ignoreCase ? result.indexOfIgnoreCase (i, stringToReplace)
  8309. : result.indexOf (i, stringToReplace))) >= 0)
  8310. {
  8311. result = result.replaceSection (i, stringToReplaceLen, stringToInsert);
  8312. i += stringToInsertLen;
  8313. }
  8314. return result;
  8315. }
  8316. const String String::replaceCharacter (const tchar charToReplace,
  8317. const tchar charToInsert) const throw()
  8318. {
  8319. const int index = indexOfChar (charToReplace);
  8320. if (index < 0)
  8321. return *this;
  8322. String result (*this);
  8323. result.dupeInternalIfMultiplyReferenced();
  8324. tchar* t = result.text->text + index;
  8325. while (*t != 0)
  8326. {
  8327. if (*t == charToReplace)
  8328. *t = charToInsert;
  8329. ++t;
  8330. }
  8331. return result;
  8332. }
  8333. const String String::replaceCharacters (const String& charactersToReplace,
  8334. const tchar* const charactersToInsertInstead) const throw()
  8335. {
  8336. String result (*this);
  8337. result.dupeInternalIfMultiplyReferenced();
  8338. tchar* t = result.text->text;
  8339. const int len2 = CharacterFunctions::length (charactersToInsertInstead);
  8340. // the two strings passed in are supposed to be the same length!
  8341. jassert (len2 == charactersToReplace.length());
  8342. while (*t != 0)
  8343. {
  8344. const int index = charactersToReplace.indexOfChar (*t);
  8345. if (((unsigned int) index) < (unsigned int) len2)
  8346. *t = charactersToInsertInstead [index];
  8347. ++t;
  8348. }
  8349. return result;
  8350. }
  8351. bool String::startsWith (const tchar* const other) const throw()
  8352. {
  8353. return other != 0
  8354. && CharacterFunctions::compare (text->text, other, CharacterFunctions::length (other)) == 0;
  8355. }
  8356. bool String::startsWithIgnoreCase (const tchar* const other) const throw()
  8357. {
  8358. return other != 0
  8359. && CharacterFunctions::compareIgnoreCase (text->text, other, CharacterFunctions::length (other)) == 0;
  8360. }
  8361. bool String::startsWithChar (const tchar character) const throw()
  8362. {
  8363. return text->text[0] == character;
  8364. }
  8365. bool String::endsWithChar (const tchar character) const throw()
  8366. {
  8367. return text->text[0] != 0
  8368. && text->text [length() - 1] == character;
  8369. }
  8370. bool String::endsWith (const tchar* const other) const throw()
  8371. {
  8372. if (other == 0)
  8373. return false;
  8374. const int thisLen = length();
  8375. const int otherLen = CharacterFunctions::length (other);
  8376. return thisLen >= otherLen
  8377. && CharacterFunctions::compare (text->text + thisLen - otherLen, other) == 0;
  8378. }
  8379. bool String::endsWithIgnoreCase (const tchar* const other) const throw()
  8380. {
  8381. if (other == 0)
  8382. return false;
  8383. const int thisLen = length();
  8384. const int otherLen = CharacterFunctions::length (other);
  8385. return thisLen >= otherLen
  8386. && CharacterFunctions::compareIgnoreCase (text->text + thisLen - otherLen, other) == 0;
  8387. }
  8388. const String String::toUpperCase() const throw()
  8389. {
  8390. String result (*this);
  8391. result.dupeInternalIfMultiplyReferenced();
  8392. CharacterFunctions::toUpperCase (result.text->text);
  8393. return result;
  8394. }
  8395. const String String::toLowerCase() const throw()
  8396. {
  8397. String result (*this);
  8398. result.dupeInternalIfMultiplyReferenced();
  8399. CharacterFunctions::toLowerCase (result.text->text);
  8400. return result;
  8401. }
  8402. tchar& String::operator[] (const int index) throw()
  8403. {
  8404. jassert (((unsigned int) index) <= (unsigned int) length());
  8405. dupeInternalIfMultiplyReferenced();
  8406. return text->text [index];
  8407. }
  8408. tchar String::getLastCharacter() const throw()
  8409. {
  8410. return (isEmpty()) ? ((tchar) 0)
  8411. : text->text [CharacterFunctions::length (text->text) - 1];
  8412. }
  8413. const String String::substring (int start, int end) const throw()
  8414. {
  8415. if (start < 0)
  8416. start = 0;
  8417. else if (end <= start)
  8418. return empty;
  8419. int len = 0;
  8420. const tchar* const t = text->text;
  8421. while (len <= end && t [len] != 0)
  8422. ++len;
  8423. if (end >= len)
  8424. {
  8425. if (start == 0)
  8426. return *this;
  8427. end = len;
  8428. }
  8429. return String (text->text + start,
  8430. end - start);
  8431. }
  8432. const String String::substring (const int start) const throw()
  8433. {
  8434. if (start <= 0)
  8435. return *this;
  8436. const int len = CharacterFunctions::length (text->text);
  8437. if (start >= len)
  8438. return empty;
  8439. else
  8440. return String (text->text + start,
  8441. len - start);
  8442. }
  8443. const String String::dropLastCharacters (const int numberToDrop) const throw()
  8444. {
  8445. return String (text->text,
  8446. jmax (0, CharacterFunctions::length (text->text) - numberToDrop));
  8447. }
  8448. const String String::fromFirstOccurrenceOf (const tchar* const sub,
  8449. const bool includeSubString,
  8450. const bool ignoreCase) const throw()
  8451. {
  8452. const int i = ignoreCase ? indexOf (sub)
  8453. : indexOfIgnoreCase (sub);
  8454. if (i < 0)
  8455. return empty;
  8456. else
  8457. return substring ((includeSubString) ? i : i + CharacterFunctions::length (sub));
  8458. }
  8459. const String String::fromLastOccurrenceOf (const tchar* const sub,
  8460. const bool includeSubString,
  8461. const bool ignoreCase) const throw()
  8462. {
  8463. const int i = ignoreCase ? lastIndexOf (sub)
  8464. : lastIndexOfIgnoreCase (sub);
  8465. if (i < 0)
  8466. return *this;
  8467. else
  8468. return substring ((includeSubString) ? i : i + CharacterFunctions::length (sub));
  8469. }
  8470. const String String::upToFirstOccurrenceOf (const tchar* const sub,
  8471. const bool includeSubString,
  8472. const bool ignoreCase) const throw()
  8473. {
  8474. const int i = ignoreCase ? indexOfIgnoreCase (sub)
  8475. : indexOf (sub);
  8476. if (i < 0)
  8477. return *this;
  8478. else
  8479. return substring (0, (includeSubString) ? i + CharacterFunctions::length (sub) : i);
  8480. }
  8481. const String String::upToLastOccurrenceOf (const tchar* const sub,
  8482. const bool includeSubString,
  8483. const bool ignoreCase) const throw()
  8484. {
  8485. const int i = ignoreCase ? lastIndexOfIgnoreCase (sub)
  8486. : lastIndexOf (sub);
  8487. if (i < 0)
  8488. return *this;
  8489. return substring (0, (includeSubString) ? i + CharacterFunctions::length (sub) : i);
  8490. }
  8491. bool String::isQuotedString() const throw()
  8492. {
  8493. const String trimmed (trimStart());
  8494. return trimmed[0] == T('"')
  8495. || trimmed[0] == T('\'');
  8496. }
  8497. const String String::unquoted() const throw()
  8498. {
  8499. String s (*this);
  8500. if (s[0] == T('"') || s[0] == T('\''))
  8501. s = s.substring (1);
  8502. const int lastCharIndex = s.length() - 1;
  8503. if (lastCharIndex >= 0
  8504. && (s [lastCharIndex] == T('"') || s[lastCharIndex] == T('\'')))
  8505. s [lastCharIndex] = 0;
  8506. return s;
  8507. }
  8508. const String String::quoted (const tchar quoteCharacter) const throw()
  8509. {
  8510. if (isEmpty())
  8511. return charToString (quoteCharacter) + quoteCharacter;
  8512. String t (*this);
  8513. if (! t.startsWithChar (quoteCharacter))
  8514. t = charToString (quoteCharacter) + t;
  8515. if (! t.endsWithChar (quoteCharacter))
  8516. t += quoteCharacter;
  8517. return t;
  8518. }
  8519. const String String::trim() const throw()
  8520. {
  8521. if (isEmpty())
  8522. return empty;
  8523. int start = 0;
  8524. while (CharacterFunctions::isWhitespace (text->text [start]))
  8525. ++start;
  8526. const int len = CharacterFunctions::length (text->text);
  8527. int end = len - 1;
  8528. while ((end >= start) && CharacterFunctions::isWhitespace (text->text [end]))
  8529. --end;
  8530. ++end;
  8531. if (end <= start)
  8532. return empty;
  8533. else if (start > 0 || end < len)
  8534. return String (text->text + start, end - start);
  8535. else
  8536. return *this;
  8537. }
  8538. const String String::trimStart() const throw()
  8539. {
  8540. if (isEmpty())
  8541. return empty;
  8542. const tchar* t = text->text;
  8543. while (CharacterFunctions::isWhitespace (*t))
  8544. ++t;
  8545. if (t == text->text)
  8546. return *this;
  8547. else
  8548. return String (t);
  8549. }
  8550. const String String::trimEnd() const throw()
  8551. {
  8552. if (isEmpty())
  8553. return empty;
  8554. const tchar* endT = text->text + (CharacterFunctions::length (text->text) - 1);
  8555. while ((endT >= text->text) && CharacterFunctions::isWhitespace (*endT))
  8556. --endT;
  8557. return String (text->text, (int) (++endT - text->text));
  8558. }
  8559. const String String::retainCharacters (const tchar* const charactersToRetain) const throw()
  8560. {
  8561. jassert (charactersToRetain != 0);
  8562. if (isEmpty())
  8563. return empty;
  8564. String result (text->allocatedNumChars, (int) 0);
  8565. tchar* dst = result.text->text;
  8566. const tchar* src = text->text;
  8567. while (*src != 0)
  8568. {
  8569. if (CharacterFunctions::indexOfCharFast (charactersToRetain, *src) >= 0)
  8570. *dst++ = *src;
  8571. ++src;
  8572. }
  8573. *dst = 0;
  8574. return result;
  8575. }
  8576. const String String::removeCharacters (const tchar* const charactersToRemove) const throw()
  8577. {
  8578. jassert (charactersToRemove != 0);
  8579. if (isEmpty())
  8580. return empty;
  8581. String result (text->allocatedNumChars, (int) 0);
  8582. tchar* dst = result.text->text;
  8583. const tchar* src = text->text;
  8584. while (*src != 0)
  8585. {
  8586. if (CharacterFunctions::indexOfCharFast (charactersToRemove, *src) < 0)
  8587. *dst++ = *src;
  8588. ++src;
  8589. }
  8590. *dst = 0;
  8591. return result;
  8592. }
  8593. const String String::initialSectionContainingOnly (const tchar* const permittedCharacters) const throw()
  8594. {
  8595. return substring (0, CharacterFunctions::getIntialSectionContainingOnly (text->text, permittedCharacters));
  8596. }
  8597. const String String::initialSectionNotContaining (const tchar* const charactersToStopAt) const throw()
  8598. {
  8599. jassert (charactersToStopAt != 0);
  8600. const tchar* const t = text->text;
  8601. int i = 0;
  8602. while (t[i] != 0)
  8603. {
  8604. if (CharacterFunctions::indexOfCharFast (charactersToStopAt, t[i]) >= 0)
  8605. return String (text->text, i);
  8606. ++i;
  8607. }
  8608. return empty;
  8609. }
  8610. bool String::containsOnly (const tchar* const chars) const throw()
  8611. {
  8612. jassert (chars != 0);
  8613. const tchar* t = text->text;
  8614. while (*t != 0)
  8615. if (CharacterFunctions::indexOfCharFast (chars, *t++) < 0)
  8616. return false;
  8617. return true;
  8618. }
  8619. bool String::containsAnyOf (const tchar* const chars) const throw()
  8620. {
  8621. jassert (chars != 0);
  8622. const tchar* t = text->text;
  8623. while (*t != 0)
  8624. if (CharacterFunctions::indexOfCharFast (chars, *t++) >= 0)
  8625. return true;
  8626. return false;
  8627. }
  8628. int String::getIntValue() const throw()
  8629. {
  8630. return CharacterFunctions::getIntValue (text->text);
  8631. }
  8632. int String::getTrailingIntValue() const throw()
  8633. {
  8634. int n = 0;
  8635. int mult = 1;
  8636. const tchar* t = text->text + length();
  8637. while (--t >= text->text)
  8638. {
  8639. const tchar c = *t;
  8640. if (! CharacterFunctions::isDigit (c))
  8641. {
  8642. if (c == T('-'))
  8643. n = -n;
  8644. break;
  8645. }
  8646. n += mult * (c - T('0'));
  8647. mult *= 10;
  8648. }
  8649. return n;
  8650. }
  8651. int64 String::getLargeIntValue() const throw()
  8652. {
  8653. return CharacterFunctions::getInt64Value (text->text);
  8654. }
  8655. float String::getFloatValue() const throw()
  8656. {
  8657. return (float) CharacterFunctions::getDoubleValue (text->text);
  8658. }
  8659. double String::getDoubleValue() const throw()
  8660. {
  8661. return CharacterFunctions::getDoubleValue (text->text);
  8662. }
  8663. static const tchar* const hexDigits = T("0123456789abcdef");
  8664. const String String::toHexString (const int number) throw()
  8665. {
  8666. tchar buffer[32];
  8667. tchar* const end = buffer + 32;
  8668. tchar* t = end;
  8669. *--t = 0;
  8670. unsigned int v = (unsigned int) number;
  8671. do
  8672. {
  8673. *--t = hexDigits [v & 15];
  8674. v >>= 4;
  8675. } while (v != 0);
  8676. return String (t, (int) (((char*) end) - (char*) t) - 1);
  8677. }
  8678. const String String::toHexString (const int64 number) throw()
  8679. {
  8680. tchar buffer[32];
  8681. tchar* const end = buffer + 32;
  8682. tchar* t = end;
  8683. *--t = 0;
  8684. uint64 v = (uint64) number;
  8685. do
  8686. {
  8687. *--t = hexDigits [(int) (v & 15)];
  8688. v >>= 4;
  8689. } while (v != 0);
  8690. return String (t, (int) (((char*) end) - (char*) t));
  8691. }
  8692. const String String::toHexString (const short number) throw()
  8693. {
  8694. return toHexString ((int) (unsigned short) number);
  8695. }
  8696. const String String::toHexString (const unsigned char* data,
  8697. const int size,
  8698. const int groupSize) throw()
  8699. {
  8700. if (size <= 0)
  8701. return empty;
  8702. int numChars = (size * 2) + 2;
  8703. if (groupSize > 0)
  8704. numChars += size / groupSize;
  8705. String s (numChars, (int) 0);
  8706. tchar* d = s.text->text;
  8707. for (int i = 0; i < size; ++i)
  8708. {
  8709. *d++ = hexDigits [(*data) >> 4];
  8710. *d++ = hexDigits [(*data) & 0xf];
  8711. ++data;
  8712. if (groupSize > 0 && (i % groupSize) == 0)
  8713. *d++ = T(' ');
  8714. }
  8715. if (groupSize > 0)
  8716. --d;
  8717. *d = 0;
  8718. return s;
  8719. }
  8720. int String::getHexValue32() const throw()
  8721. {
  8722. int result = 0;
  8723. const tchar* c = text->text;
  8724. for (;;)
  8725. {
  8726. const int hexValue = CharacterFunctions::getHexDigitValue (*c);
  8727. if (hexValue >= 0)
  8728. result = (result << 4) | hexValue;
  8729. else if (*c == 0)
  8730. break;
  8731. ++c;
  8732. }
  8733. return result;
  8734. }
  8735. int64 String::getHexValue64() const throw()
  8736. {
  8737. int64 result = 0;
  8738. const tchar* c = text->text;
  8739. for (;;)
  8740. {
  8741. const int hexValue = CharacterFunctions::getHexDigitValue (*c);
  8742. if (hexValue >= 0)
  8743. result = (result << 4) | hexValue;
  8744. else if (*c == 0)
  8745. break;
  8746. ++c;
  8747. }
  8748. return result;
  8749. }
  8750. const String String::createStringFromData (const void* const data_,
  8751. const int size) throw()
  8752. {
  8753. const char* const data = (const char*) data_;
  8754. if (size <= 0 || data == 0)
  8755. {
  8756. return empty;
  8757. }
  8758. else if (size < 2)
  8759. {
  8760. return charToString (data[0]);
  8761. }
  8762. else if ((data[0] == (char)-2 && data[1] == (char)-1)
  8763. || (data[0] == (char)-1 && data[1] == (char)-2))
  8764. {
  8765. // assume it's 16-bit unicode
  8766. const bool bigEndian = (data[0] == (char)-2);
  8767. const int numChars = size / 2 - 1;
  8768. String result;
  8769. result.preallocateStorage (numChars + 2);
  8770. const uint16* const src = (const uint16*) (data + 2);
  8771. tchar* const dst = const_cast <tchar*> ((const tchar*) result);
  8772. if (bigEndian)
  8773. {
  8774. for (int i = 0; i < numChars; ++i)
  8775. dst[i] = (tchar) swapIfLittleEndian (src[i]);
  8776. }
  8777. else
  8778. {
  8779. for (int i = 0; i < numChars; ++i)
  8780. dst[i] = (tchar) swapIfBigEndian (src[i]);
  8781. }
  8782. dst [numChars] = 0;
  8783. return result;
  8784. }
  8785. else
  8786. {
  8787. #if JUCE_STRINGS_ARE_UNICODE && JUCE_LINUX
  8788. // (workaround for strange behaviour of mbstowcs)
  8789. int i;
  8790. for (i = 0; i < size; ++i)
  8791. if (data[i] == 0)
  8792. break;
  8793. String result;
  8794. result.preallocateStorage (i + 1);
  8795. tchar* const dst = const_cast <tchar*> ((const tchar*) result);
  8796. for (int j = 0; j < i; ++j)
  8797. dst[j] = (juce_wchar) (unsigned char) data[j];
  8798. dst[i] = 0;
  8799. return result;
  8800. #else
  8801. return String (data, size);
  8802. #endif
  8803. }
  8804. }
  8805. const char* String::toUTF8() const throw()
  8806. {
  8807. if (isEmpty())
  8808. {
  8809. return (const char*) emptyCharString;
  8810. }
  8811. else
  8812. {
  8813. String* const mutableThis = const_cast <String*> (this);
  8814. mutableThis->dupeInternalIfMultiplyReferenced();
  8815. const int currentLen = CharacterFunctions::length (text->text) + 1;
  8816. const int utf8BytesNeeded = copyToUTF8 (0);
  8817. mutableThis->text = (InternalRefCountedStringHolder*)
  8818. juce_realloc (text, sizeof (InternalRefCountedStringHolder)
  8819. + (currentLen * sizeof (juce_wchar) + utf8BytesNeeded));
  8820. char* const otherCopy = (char*) (text->text + currentLen);
  8821. copyToUTF8 ((uint8*) otherCopy);
  8822. return otherCopy;
  8823. }
  8824. }
  8825. int String::copyToUTF8 (uint8* const buffer) const throw()
  8826. {
  8827. #if JUCE_STRINGS_ARE_UNICODE
  8828. int num = 0, index = 0;
  8829. for (;;)
  8830. {
  8831. const uint32 c = (uint32) text->text [index++];
  8832. if (c >= 0x80)
  8833. {
  8834. int numExtraBytes = 1;
  8835. if (c >= 0x800)
  8836. {
  8837. ++numExtraBytes;
  8838. if (c >= 0x10000)
  8839. {
  8840. ++numExtraBytes;
  8841. if (c >= 0x200000)
  8842. {
  8843. ++numExtraBytes;
  8844. if (c >= 0x4000000)
  8845. ++numExtraBytes;
  8846. }
  8847. }
  8848. }
  8849. if (buffer != 0)
  8850. {
  8851. buffer [num++] = (uint8) ((0xff << (7 - numExtraBytes)) | (c >> (numExtraBytes * 6)));
  8852. while (--numExtraBytes >= 0)
  8853. buffer [num++] = (uint8) (0x80 | (0x3f & (c >> (numExtraBytes * 6))));
  8854. }
  8855. else
  8856. {
  8857. num += numExtraBytes + 1;
  8858. }
  8859. }
  8860. else
  8861. {
  8862. if (buffer != 0)
  8863. buffer [num] = (uint8) c;
  8864. ++num;
  8865. }
  8866. if (c == 0)
  8867. break;
  8868. }
  8869. return num;
  8870. #else
  8871. const int numBytes = length() + 1;
  8872. if (buffer != 0)
  8873. copyToBuffer ((char*) buffer, numBytes);
  8874. return numBytes;
  8875. #endif
  8876. }
  8877. const String String::fromUTF8 (const uint8* const buffer, int bufferSizeBytes) throw()
  8878. {
  8879. if (buffer == 0)
  8880. return empty;
  8881. if (bufferSizeBytes < 0)
  8882. bufferSizeBytes = INT_MAX;
  8883. int numBytes;
  8884. for (numBytes = 0; numBytes < bufferSizeBytes; ++numBytes)
  8885. if (buffer [numBytes] == 0)
  8886. break;
  8887. String result (numBytes + 1, 0);
  8888. tchar* dest = result.text->text;
  8889. int i = 0;
  8890. while (i < numBytes)
  8891. {
  8892. const uint8 c = buffer [i++];
  8893. if ((c & 0x80) != 0)
  8894. {
  8895. int mask = 0x7f;
  8896. int bit = 0x40;
  8897. int numExtraValues = 0;
  8898. while (bit != 0 && (c & bit) != 0)
  8899. {
  8900. bit >>= 1;
  8901. mask >>= 1;
  8902. ++numExtraValues;
  8903. }
  8904. int n = (c & mask);
  8905. while (--numExtraValues >= 0 && i < bufferSizeBytes)
  8906. {
  8907. const uint8 c = buffer[i];
  8908. if ((c & 0xc0) != 0x80)
  8909. break;
  8910. n <<= 6;
  8911. n |= (c & 0x3f);
  8912. ++i;
  8913. }
  8914. *dest++ = (tchar) n;
  8915. }
  8916. else
  8917. {
  8918. *dest++ = (tchar) c;
  8919. }
  8920. }
  8921. *dest = 0;
  8922. return result;
  8923. }
  8924. END_JUCE_NAMESPACE
  8925. /********* End of inlined file: juce_String.cpp *********/
  8926. /********* Start of inlined file: juce_StringArray.cpp *********/
  8927. BEGIN_JUCE_NAMESPACE
  8928. StringArray::StringArray() throw()
  8929. {
  8930. }
  8931. StringArray::StringArray (const StringArray& other) throw()
  8932. {
  8933. addArray (other);
  8934. }
  8935. StringArray::StringArray (const juce_wchar** const strings,
  8936. const int numberOfStrings) throw()
  8937. {
  8938. for (int i = 0; i < numberOfStrings; ++i)
  8939. add (strings [i]);
  8940. }
  8941. StringArray::StringArray (const char** const strings,
  8942. const int numberOfStrings) throw()
  8943. {
  8944. for (int i = 0; i < numberOfStrings; ++i)
  8945. add (strings [i]);
  8946. }
  8947. StringArray::StringArray (const juce_wchar** const strings) throw()
  8948. {
  8949. int i = 0;
  8950. while (strings[i] != 0)
  8951. add (strings [i++]);
  8952. }
  8953. StringArray::StringArray (const char** const strings) throw()
  8954. {
  8955. int i = 0;
  8956. while (strings[i] != 0)
  8957. add (strings [i++]);
  8958. }
  8959. const StringArray& StringArray::operator= (const StringArray& other) throw()
  8960. {
  8961. if (this != &other)
  8962. {
  8963. clear();
  8964. addArray (other);
  8965. }
  8966. return *this;
  8967. }
  8968. StringArray::~StringArray() throw()
  8969. {
  8970. clear();
  8971. }
  8972. bool StringArray::operator== (const StringArray& other) const throw()
  8973. {
  8974. if (other.size() != size())
  8975. return false;
  8976. for (int i = size(); --i >= 0;)
  8977. {
  8978. if (*(String*) other.strings.getUnchecked(i)
  8979. != *(String*) strings.getUnchecked(i))
  8980. {
  8981. return false;
  8982. }
  8983. }
  8984. return true;
  8985. }
  8986. bool StringArray::operator!= (const StringArray& other) const throw()
  8987. {
  8988. return ! operator== (other);
  8989. }
  8990. void StringArray::clear() throw()
  8991. {
  8992. for (int i = size(); --i >= 0;)
  8993. {
  8994. String* const s = (String*) strings.getUnchecked(i);
  8995. delete s;
  8996. }
  8997. strings.clear();
  8998. }
  8999. const String& StringArray::operator[] (const int index) const throw()
  9000. {
  9001. if (((unsigned int) index) < (unsigned int) strings.size())
  9002. return *(const String*) (strings.getUnchecked (index));
  9003. return String::empty;
  9004. }
  9005. void StringArray::add (const String& newString) throw()
  9006. {
  9007. strings.add (new String (newString));
  9008. }
  9009. void StringArray::insert (const int index,
  9010. const String& newString) throw()
  9011. {
  9012. strings.insert (index, new String (newString));
  9013. }
  9014. void StringArray::addIfNotAlreadyThere (const String& newString,
  9015. const bool ignoreCase) throw()
  9016. {
  9017. if (! contains (newString, ignoreCase))
  9018. add (newString);
  9019. }
  9020. void StringArray::addArray (const StringArray& otherArray,
  9021. int startIndex,
  9022. int numElementsToAdd) throw()
  9023. {
  9024. if (startIndex < 0)
  9025. {
  9026. jassertfalse
  9027. startIndex = 0;
  9028. }
  9029. if (numElementsToAdd < 0 || startIndex + numElementsToAdd > otherArray.size())
  9030. numElementsToAdd = otherArray.size() - startIndex;
  9031. while (--numElementsToAdd >= 0)
  9032. strings.add (new String (*(const String*) otherArray.strings.getUnchecked (startIndex++)));
  9033. }
  9034. void StringArray::set (const int index,
  9035. const String& newString) throw()
  9036. {
  9037. String* const s = (String*) strings [index];
  9038. if (s != 0)
  9039. {
  9040. *s = newString;
  9041. }
  9042. else if (index >= 0)
  9043. {
  9044. add (newString);
  9045. }
  9046. }
  9047. bool StringArray::contains (const String& stringToLookFor,
  9048. const bool ignoreCase) const throw()
  9049. {
  9050. if (ignoreCase)
  9051. {
  9052. for (int i = size(); --i >= 0;)
  9053. if (stringToLookFor.equalsIgnoreCase (*(const String*)(strings.getUnchecked(i))))
  9054. return true;
  9055. }
  9056. else
  9057. {
  9058. for (int i = size(); --i >= 0;)
  9059. if (stringToLookFor == *(const String*)(strings.getUnchecked(i)))
  9060. return true;
  9061. }
  9062. return false;
  9063. }
  9064. int StringArray::indexOf (const String& stringToLookFor,
  9065. const bool ignoreCase,
  9066. int i) const throw()
  9067. {
  9068. if (i < 0)
  9069. i = 0;
  9070. const int numElements = size();
  9071. if (ignoreCase)
  9072. {
  9073. while (i < numElements)
  9074. {
  9075. if (stringToLookFor.equalsIgnoreCase (*(const String*) strings.getUnchecked (i)))
  9076. return i;
  9077. ++i;
  9078. }
  9079. }
  9080. else
  9081. {
  9082. while (i < numElements)
  9083. {
  9084. if (stringToLookFor == *(const String*) strings.getUnchecked (i))
  9085. return i;
  9086. ++i;
  9087. }
  9088. }
  9089. return -1;
  9090. }
  9091. void StringArray::remove (const int index) throw()
  9092. {
  9093. String* const s = (String*) strings [index];
  9094. if (s != 0)
  9095. {
  9096. strings.remove (index);
  9097. delete s;
  9098. }
  9099. }
  9100. void StringArray::removeString (const String& stringToRemove,
  9101. const bool ignoreCase) throw()
  9102. {
  9103. if (ignoreCase)
  9104. {
  9105. for (int i = size(); --i >= 0;)
  9106. if (stringToRemove.equalsIgnoreCase (*(const String*) strings.getUnchecked (i)))
  9107. remove (i);
  9108. }
  9109. else
  9110. {
  9111. for (int i = size(); --i >= 0;)
  9112. if (stringToRemove == *(const String*) strings.getUnchecked (i))
  9113. remove (i);
  9114. }
  9115. }
  9116. void StringArray::removeEmptyStrings (const bool removeWhitespaceStrings) throw()
  9117. {
  9118. if (removeWhitespaceStrings)
  9119. {
  9120. for (int i = size(); --i >= 0;)
  9121. if (((const String*) strings.getUnchecked(i))->trim().isEmpty())
  9122. remove (i);
  9123. }
  9124. else
  9125. {
  9126. for (int i = size(); --i >= 0;)
  9127. if (((const String*) strings.getUnchecked(i))->isEmpty())
  9128. remove (i);
  9129. }
  9130. }
  9131. void StringArray::trim() throw()
  9132. {
  9133. for (int i = size(); --i >= 0;)
  9134. {
  9135. String& s = *(String*) strings.getUnchecked(i);
  9136. s = s.trim();
  9137. }
  9138. }
  9139. class InternalStringArrayComparator
  9140. {
  9141. public:
  9142. static int compareElements (void* const first, void* const second) throw()
  9143. {
  9144. return ((const String*) first)->compare (*(const String*) second);
  9145. }
  9146. };
  9147. class InsensitiveInternalStringArrayComparator
  9148. {
  9149. public:
  9150. static int compareElements (void* const first, void* const second) throw()
  9151. {
  9152. return ((const String*) first)->compareIgnoreCase (*(const String*) second);
  9153. }
  9154. };
  9155. void StringArray::sort (const bool ignoreCase) throw()
  9156. {
  9157. if (ignoreCase)
  9158. {
  9159. InsensitiveInternalStringArrayComparator comp;
  9160. strings.sort (comp);
  9161. }
  9162. else
  9163. {
  9164. InternalStringArrayComparator comp;
  9165. strings.sort (comp);
  9166. }
  9167. }
  9168. void StringArray::move (const int currentIndex, int newIndex) throw()
  9169. {
  9170. strings.move (currentIndex, newIndex);
  9171. }
  9172. const String StringArray::joinIntoString (const String& separator,
  9173. int start,
  9174. int numberToJoin) const throw()
  9175. {
  9176. const int last = (numberToJoin < 0) ? size()
  9177. : jmin (size(), start + numberToJoin);
  9178. if (start < 0)
  9179. start = 0;
  9180. if (start >= last)
  9181. return String::empty;
  9182. if (start == last - 1)
  9183. return *(const String*) strings.getUnchecked (start);
  9184. const int separatorLen = separator.length();
  9185. int charsNeeded = separatorLen * (last - start - 1);
  9186. for (int i = start; i < last; ++i)
  9187. charsNeeded += ((const String*) strings.getUnchecked(i))->length();
  9188. String result;
  9189. result.preallocateStorage (charsNeeded);
  9190. tchar* dest = (tchar*) (const tchar*) result;
  9191. while (start < last)
  9192. {
  9193. const String& s = *(const String*) strings.getUnchecked (start);
  9194. const int len = s.length();
  9195. if (len > 0)
  9196. {
  9197. s.copyToBuffer (dest, len);
  9198. dest += len;
  9199. }
  9200. if (++start < last && separatorLen > 0)
  9201. {
  9202. separator.copyToBuffer (dest, separatorLen);
  9203. dest += separatorLen;
  9204. }
  9205. }
  9206. *dest = 0;
  9207. return result;
  9208. }
  9209. int StringArray::addTokens (const tchar* const text,
  9210. const bool preserveQuotedStrings) throw()
  9211. {
  9212. return addTokens (text,
  9213. T(" \n\r\t"),
  9214. preserveQuotedStrings ? T("\"") : 0);
  9215. }
  9216. int StringArray::addTokens (const tchar* const text,
  9217. const tchar* breakCharacters,
  9218. const tchar* quoteCharacters) throw()
  9219. {
  9220. int num = 0;
  9221. if (text != 0 && *text != 0)
  9222. {
  9223. if (breakCharacters == 0)
  9224. breakCharacters = T("");
  9225. if (quoteCharacters == 0)
  9226. quoteCharacters = T("");
  9227. bool insideQuotes = false;
  9228. tchar currentQuoteChar = 0;
  9229. int i = 0;
  9230. int tokenStart = 0;
  9231. for (;;)
  9232. {
  9233. const tchar c = text[i];
  9234. bool isBreak = (c == 0);
  9235. if (! (insideQuotes || isBreak))
  9236. {
  9237. const tchar* b = breakCharacters;
  9238. while (*b != 0)
  9239. {
  9240. if (*b++ == c)
  9241. {
  9242. isBreak = true;
  9243. break;
  9244. }
  9245. }
  9246. }
  9247. if (! isBreak)
  9248. {
  9249. bool isQuote = false;
  9250. const tchar* q = quoteCharacters;
  9251. while (*q != 0)
  9252. {
  9253. if (*q++ == c)
  9254. {
  9255. isQuote = true;
  9256. break;
  9257. }
  9258. }
  9259. if (isQuote)
  9260. {
  9261. if (insideQuotes)
  9262. {
  9263. // only break out of quotes-mode if we find a matching quote to the
  9264. // one that we opened with..
  9265. if (currentQuoteChar == c)
  9266. insideQuotes = false;
  9267. }
  9268. else
  9269. {
  9270. insideQuotes = true;
  9271. currentQuoteChar = c;
  9272. }
  9273. }
  9274. }
  9275. else
  9276. {
  9277. add (String (text + tokenStart, i - tokenStart));
  9278. ++num;
  9279. tokenStart = i + 1;
  9280. }
  9281. if (c == 0)
  9282. break;
  9283. ++i;
  9284. }
  9285. }
  9286. return num;
  9287. }
  9288. int StringArray::addLines (const tchar* text) throw()
  9289. {
  9290. int numLines = 0;
  9291. if (text != 0)
  9292. {
  9293. while (*text != 0)
  9294. {
  9295. const tchar* const startOfLine = text;
  9296. while (*text != 0)
  9297. {
  9298. if (*text == T('\r'))
  9299. {
  9300. ++text;
  9301. if (*text == T('\n'))
  9302. ++text;
  9303. break;
  9304. }
  9305. if (*text == T('\n'))
  9306. {
  9307. ++text;
  9308. break;
  9309. }
  9310. ++text;
  9311. }
  9312. const tchar* endOfLine = text;
  9313. if (endOfLine > startOfLine && (*(endOfLine - 1) == T('\r') || *(endOfLine - 1) == T('\n')))
  9314. --endOfLine;
  9315. if (endOfLine > startOfLine && (*(endOfLine - 1) == T('\r') || *(endOfLine - 1) == T('\n')))
  9316. --endOfLine;
  9317. add (String (startOfLine, jmax (0, (int) (endOfLine - startOfLine))));
  9318. ++numLines;
  9319. }
  9320. }
  9321. return numLines;
  9322. }
  9323. void StringArray::removeDuplicates (const bool ignoreCase) throw()
  9324. {
  9325. for (int i = 0; i < size() - 1; ++i)
  9326. {
  9327. const String& s = *(String*) strings.getUnchecked(i);
  9328. int nextIndex = i + 1;
  9329. for (;;)
  9330. {
  9331. nextIndex = indexOf (s, ignoreCase, nextIndex);
  9332. if (nextIndex < 0)
  9333. break;
  9334. remove (nextIndex);
  9335. }
  9336. }
  9337. }
  9338. void StringArray::appendNumbersToDuplicates (const bool ignoreCase,
  9339. const bool appendNumberToFirstInstance,
  9340. const tchar* const preNumberString,
  9341. const tchar* const postNumberString) throw()
  9342. {
  9343. for (int i = 0; i < size() - 1; ++i)
  9344. {
  9345. String& s = *(String*) strings.getUnchecked(i);
  9346. int nextIndex = indexOf (s, ignoreCase, i + 1);
  9347. if (nextIndex >= 0)
  9348. {
  9349. const String original (s);
  9350. int number = 0;
  9351. if (appendNumberToFirstInstance)
  9352. s = original + preNumberString + String (++number) + postNumberString;
  9353. else
  9354. ++number;
  9355. while (nextIndex >= 0)
  9356. {
  9357. set (nextIndex, (*this)[nextIndex] + preNumberString + String (++number) + postNumberString);
  9358. nextIndex = indexOf (original, ignoreCase, nextIndex + 1);
  9359. }
  9360. }
  9361. }
  9362. }
  9363. void StringArray::minimiseStorageOverheads() throw()
  9364. {
  9365. strings.minimiseStorageOverheads();
  9366. }
  9367. END_JUCE_NAMESPACE
  9368. /********* End of inlined file: juce_StringArray.cpp *********/
  9369. /********* Start of inlined file: juce_StringPairArray.cpp *********/
  9370. BEGIN_JUCE_NAMESPACE
  9371. StringPairArray::StringPairArray (const bool ignoreCase_) throw()
  9372. : ignoreCase (ignoreCase_)
  9373. {
  9374. }
  9375. StringPairArray::StringPairArray (const StringPairArray& other) throw()
  9376. : keys (other.keys),
  9377. values (other.values),
  9378. ignoreCase (other.ignoreCase)
  9379. {
  9380. }
  9381. StringPairArray::~StringPairArray() throw()
  9382. {
  9383. }
  9384. const StringPairArray& StringPairArray::operator= (const StringPairArray& other) throw()
  9385. {
  9386. keys = other.keys;
  9387. values = other.values;
  9388. return *this;
  9389. }
  9390. bool StringPairArray::operator== (const StringPairArray& other) const throw()
  9391. {
  9392. for (int i = keys.size(); --i >= 0;)
  9393. if (other [keys[i]] != values[i])
  9394. return false;
  9395. return true;
  9396. }
  9397. bool StringPairArray::operator!= (const StringPairArray& other) const throw()
  9398. {
  9399. return ! operator== (other);
  9400. }
  9401. const String& StringPairArray::operator[] (const String& key) const throw()
  9402. {
  9403. return values [keys.indexOf (key, ignoreCase)];
  9404. }
  9405. const String StringPairArray::getValue (const String& key, const String& defaultReturnValue) const
  9406. {
  9407. const int i = keys.indexOf (key, ignoreCase);
  9408. if (i >= 0)
  9409. return values[i];
  9410. return defaultReturnValue;
  9411. }
  9412. void StringPairArray::set (const String& key,
  9413. const String& value) throw()
  9414. {
  9415. const int i = keys.indexOf (key, ignoreCase);
  9416. if (i >= 0)
  9417. {
  9418. values.set (i, value);
  9419. }
  9420. else
  9421. {
  9422. keys.add (key);
  9423. values.add (value);
  9424. }
  9425. }
  9426. void StringPairArray::addArray (const StringPairArray& other)
  9427. {
  9428. for (int i = 0; i < other.size(); ++i)
  9429. set (other.keys[i], other.values[i]);
  9430. }
  9431. void StringPairArray::clear() throw()
  9432. {
  9433. keys.clear();
  9434. values.clear();
  9435. }
  9436. void StringPairArray::remove (const String& key) throw()
  9437. {
  9438. remove (keys.indexOf (key, ignoreCase));
  9439. }
  9440. void StringPairArray::remove (const int index) throw()
  9441. {
  9442. keys.remove (index);
  9443. values.remove (index);
  9444. }
  9445. void StringPairArray::minimiseStorageOverheads() throw()
  9446. {
  9447. keys.minimiseStorageOverheads();
  9448. values.minimiseStorageOverheads();
  9449. }
  9450. END_JUCE_NAMESPACE
  9451. /********* End of inlined file: juce_StringPairArray.cpp *********/
  9452. /********* Start of inlined file: juce_XmlDocument.cpp *********/
  9453. BEGIN_JUCE_NAMESPACE
  9454. static bool isXmlIdentifierChar_Slow (const tchar c) throw()
  9455. {
  9456. return CharacterFunctions::isLetterOrDigit (c)
  9457. || c == T('_')
  9458. || c == T('-')
  9459. || c == T(':')
  9460. || c == T('.');
  9461. }
  9462. #define isXmlIdentifierChar(c) \
  9463. ((c > 0 && c <= 127) ? identifierLookupTable [(int) c] : isXmlIdentifierChar_Slow (c))
  9464. XmlDocument::XmlDocument (const String& documentText) throw()
  9465. : originalText (documentText),
  9466. inputSource (0)
  9467. {
  9468. }
  9469. XmlDocument::XmlDocument (const File& file)
  9470. {
  9471. inputSource = new FileInputSource (file);
  9472. }
  9473. XmlDocument::~XmlDocument() throw()
  9474. {
  9475. delete inputSource;
  9476. }
  9477. void XmlDocument::setInputSource (InputSource* const newSource) throw()
  9478. {
  9479. if (inputSource != newSource)
  9480. {
  9481. delete inputSource;
  9482. inputSource = newSource;
  9483. }
  9484. }
  9485. XmlElement* XmlDocument::getDocumentElement (const bool onlyReadOuterDocumentElement)
  9486. {
  9487. String textToParse (originalText);
  9488. if (textToParse.isEmpty() && inputSource != 0)
  9489. {
  9490. InputStream* const in = inputSource->createInputStream();
  9491. if (in != 0)
  9492. {
  9493. MemoryBlock data;
  9494. in->readIntoMemoryBlock (data, onlyReadOuterDocumentElement ? 8192 : -1);
  9495. delete in;
  9496. if (data.getSize() >= 2
  9497. && ((data[0] == (char)-2 && data[1] == (char)-1)
  9498. || (data[0] == (char)-1 && data[1] == (char)-2)))
  9499. {
  9500. textToParse = String::createStringFromData ((const char*) data.getData(), data.getSize());
  9501. }
  9502. else
  9503. {
  9504. textToParse = String::fromUTF8 ((const uint8*) data.getData(), data.getSize());
  9505. }
  9506. if (! onlyReadOuterDocumentElement)
  9507. originalText = textToParse;
  9508. }
  9509. }
  9510. input = textToParse;
  9511. lastError = String::empty;
  9512. errorOccurred = false;
  9513. outOfData = false;
  9514. needToLoadDTD = true;
  9515. for (int i = 0; i < 128; ++i)
  9516. identifierLookupTable[i] = isXmlIdentifierChar_Slow ((tchar) i);
  9517. if (textToParse.isEmpty())
  9518. {
  9519. lastError = "not enough input";
  9520. }
  9521. else
  9522. {
  9523. skipHeader();
  9524. if (input != 0)
  9525. {
  9526. XmlElement* const result = readNextElement (! onlyReadOuterDocumentElement);
  9527. if (errorOccurred)
  9528. delete result;
  9529. else
  9530. return result;
  9531. }
  9532. else
  9533. {
  9534. lastError = "incorrect xml header";
  9535. }
  9536. }
  9537. return 0;
  9538. }
  9539. const String& XmlDocument::getLastParseError() const throw()
  9540. {
  9541. return lastError;
  9542. }
  9543. void XmlDocument::setLastError (const String& desc, const bool carryOn) throw()
  9544. {
  9545. lastError = desc;
  9546. errorOccurred = ! carryOn;
  9547. }
  9548. const String XmlDocument::getFileContents (const String& filename) const
  9549. {
  9550. String result;
  9551. if (inputSource != 0)
  9552. {
  9553. InputStream* const in = inputSource->createInputStreamFor (filename.trim().unquoted());
  9554. if (in != 0)
  9555. {
  9556. result = in->readEntireStreamAsString();
  9557. delete in;
  9558. }
  9559. }
  9560. return result;
  9561. }
  9562. tchar XmlDocument::readNextChar() throw()
  9563. {
  9564. if (*input != 0)
  9565. {
  9566. return *input++;
  9567. }
  9568. else
  9569. {
  9570. outOfData = true;
  9571. return 0;
  9572. }
  9573. }
  9574. int XmlDocument::findNextTokenLength() throw()
  9575. {
  9576. int len = 0;
  9577. tchar c = *input;
  9578. while (isXmlIdentifierChar (c))
  9579. c = input [++len];
  9580. return len;
  9581. }
  9582. void XmlDocument::skipHeader() throw()
  9583. {
  9584. const tchar* const found = CharacterFunctions::find (input, T("<?xml"));
  9585. if (found != 0)
  9586. {
  9587. input = found;
  9588. input = CharacterFunctions::find (input, T("?>"));
  9589. if (input == 0)
  9590. return;
  9591. input += 2;
  9592. }
  9593. skipNextWhiteSpace();
  9594. const tchar* docType = CharacterFunctions::find (input, T("<!DOCTYPE"));
  9595. if (docType == 0)
  9596. return;
  9597. input = docType + 9;
  9598. int n = 1;
  9599. while (n > 0)
  9600. {
  9601. const tchar c = readNextChar();
  9602. if (outOfData)
  9603. return;
  9604. if (c == T('<'))
  9605. ++n;
  9606. else if (c == T('>'))
  9607. --n;
  9608. }
  9609. docType += 9;
  9610. dtdText = String (docType, (int) (input - (docType + 1))).trim();
  9611. }
  9612. void XmlDocument::skipNextWhiteSpace() throw()
  9613. {
  9614. for (;;)
  9615. {
  9616. tchar c = *input;
  9617. while (CharacterFunctions::isWhitespace (c))
  9618. c = *++input;
  9619. if (c == 0)
  9620. {
  9621. outOfData = true;
  9622. break;
  9623. }
  9624. else if (c == T('<'))
  9625. {
  9626. if (input[1] == T('!')
  9627. && input[2] == T('-')
  9628. && input[3] == T('-'))
  9629. {
  9630. const tchar* const closeComment = CharacterFunctions::find (input, T("-->"));
  9631. if (closeComment == 0)
  9632. {
  9633. outOfData = true;
  9634. break;
  9635. }
  9636. input = closeComment + 3;
  9637. continue;
  9638. }
  9639. else if (input[1] == T('?'))
  9640. {
  9641. const tchar* const closeBracket = CharacterFunctions::find (input, T("?>"));
  9642. if (closeBracket == 0)
  9643. {
  9644. outOfData = true;
  9645. break;
  9646. }
  9647. input = closeBracket + 2;
  9648. continue;
  9649. }
  9650. }
  9651. break;
  9652. }
  9653. }
  9654. void XmlDocument::readQuotedString (String& result) throw()
  9655. {
  9656. const tchar quote = readNextChar();
  9657. while (! outOfData)
  9658. {
  9659. const tchar character = readNextChar();
  9660. if (character == quote)
  9661. break;
  9662. if (character == T('&'))
  9663. {
  9664. --input;
  9665. readEntity (result);
  9666. }
  9667. else
  9668. {
  9669. --input;
  9670. const tchar* const start = input;
  9671. for (;;)
  9672. {
  9673. const tchar character = *input;
  9674. if (character == quote)
  9675. {
  9676. result.append (start, (int) (input - start));
  9677. ++input;
  9678. return;
  9679. }
  9680. else if (character == T('&'))
  9681. {
  9682. result.append (start, (int) (input - start));
  9683. break;
  9684. }
  9685. else if (character == 0)
  9686. {
  9687. outOfData = true;
  9688. setLastError ("unmatched quotes", false);
  9689. break;
  9690. }
  9691. ++input;
  9692. }
  9693. }
  9694. }
  9695. }
  9696. XmlElement* XmlDocument::readNextElement (const bool alsoParseSubElements) throw()
  9697. {
  9698. XmlElement* node = 0;
  9699. skipNextWhiteSpace();
  9700. if (outOfData)
  9701. return 0;
  9702. input = CharacterFunctions::find (input, T("<"));
  9703. if (input != 0)
  9704. {
  9705. ++input;
  9706. int tagLen = findNextTokenLength();
  9707. if (tagLen == 0)
  9708. {
  9709. // no tag name - but allow for a gap after the '<' before giving an error
  9710. skipNextWhiteSpace();
  9711. tagLen = findNextTokenLength();
  9712. if (tagLen == 0)
  9713. {
  9714. setLastError ("tag name missing", false);
  9715. return node;
  9716. }
  9717. }
  9718. node = new XmlElement (input, tagLen);
  9719. input += tagLen;
  9720. XmlElement::XmlAttributeNode* lastAttribute = 0;
  9721. // look for attributes
  9722. for (;;)
  9723. {
  9724. skipNextWhiteSpace();
  9725. const tchar c = *input;
  9726. // empty tag..
  9727. if (c == T('/') && input[1] == T('>'))
  9728. {
  9729. input += 2;
  9730. break;
  9731. }
  9732. // parse the guts of the element..
  9733. if (c == T('>'))
  9734. {
  9735. ++input;
  9736. skipNextWhiteSpace();
  9737. if (alsoParseSubElements)
  9738. readChildElements (node);
  9739. break;
  9740. }
  9741. // get an attribute..
  9742. if (isXmlIdentifierChar (c))
  9743. {
  9744. const int attNameLen = findNextTokenLength();
  9745. if (attNameLen > 0)
  9746. {
  9747. const tchar* attNameStart = input;
  9748. input += attNameLen;
  9749. skipNextWhiteSpace();
  9750. if (readNextChar() == T('='))
  9751. {
  9752. skipNextWhiteSpace();
  9753. const tchar c = *input;
  9754. if (c == T('"') || c == T('\''))
  9755. {
  9756. XmlElement::XmlAttributeNode* const newAtt
  9757. = new XmlElement::XmlAttributeNode (String (attNameStart, attNameLen),
  9758. String::empty);
  9759. readQuotedString (newAtt->value);
  9760. if (lastAttribute == 0)
  9761. node->attributes = newAtt;
  9762. else
  9763. lastAttribute->next = newAtt;
  9764. lastAttribute = newAtt;
  9765. continue;
  9766. }
  9767. }
  9768. }
  9769. }
  9770. else
  9771. {
  9772. if (! outOfData)
  9773. setLastError ("illegal character found in " + node->getTagName() + ": '" + c + "'", false);
  9774. }
  9775. break;
  9776. }
  9777. }
  9778. return node;
  9779. }
  9780. void XmlDocument::readChildElements (XmlElement* parent) throw()
  9781. {
  9782. XmlElement* lastChildNode = 0;
  9783. for (;;)
  9784. {
  9785. skipNextWhiteSpace();
  9786. if (outOfData)
  9787. {
  9788. setLastError ("unmatched tags", false);
  9789. break;
  9790. }
  9791. if (*input == T('<'))
  9792. {
  9793. if (input[1] == T('/'))
  9794. {
  9795. // our close tag..
  9796. input = CharacterFunctions::find (input, T(">"));
  9797. ++input;
  9798. break;
  9799. }
  9800. else if (input[1] == T('!')
  9801. && input[2] == T('[')
  9802. && input[3] == T('C')
  9803. && input[4] == T('D')
  9804. && input[5] == T('A')
  9805. && input[6] == T('T')
  9806. && input[7] == T('A')
  9807. && input[8] == T('['))
  9808. {
  9809. input += 9;
  9810. const tchar* const inputStart = input;
  9811. int len = 0;
  9812. for (;;)
  9813. {
  9814. if (*input == 0)
  9815. {
  9816. setLastError ("unterminated CDATA section", false);
  9817. outOfData = true;
  9818. break;
  9819. }
  9820. else if (input[0] == T(']')
  9821. && input[1] == T(']')
  9822. && input[2] == T('>'))
  9823. {
  9824. input += 3;
  9825. break;
  9826. }
  9827. ++input;
  9828. ++len;
  9829. }
  9830. XmlElement* const e = new XmlElement ((int) 0);
  9831. e->setText (String (inputStart, len));
  9832. if (lastChildNode != 0)
  9833. lastChildNode->nextElement = e;
  9834. else
  9835. parent->addChildElement (e);
  9836. lastChildNode = e;
  9837. }
  9838. else
  9839. {
  9840. // this is some other element, so parse and add it..
  9841. XmlElement* const n = readNextElement (true);
  9842. if (n != 0)
  9843. {
  9844. if (lastChildNode == 0)
  9845. parent->addChildElement (n);
  9846. else
  9847. lastChildNode->nextElement = n;
  9848. lastChildNode = n;
  9849. }
  9850. else
  9851. {
  9852. return;
  9853. }
  9854. }
  9855. }
  9856. else
  9857. {
  9858. // read character block..
  9859. XmlElement* const e = new XmlElement ((int)0);
  9860. if (lastChildNode != 0)
  9861. lastChildNode->nextElement = e;
  9862. else
  9863. parent->addChildElement (e);
  9864. lastChildNode = e;
  9865. String textElementContent;
  9866. for (;;)
  9867. {
  9868. const tchar c = *input;
  9869. if (c == T('<'))
  9870. break;
  9871. if (c == 0)
  9872. {
  9873. setLastError ("unmatched tags", false);
  9874. outOfData = true;
  9875. return;
  9876. }
  9877. if (c == T('&'))
  9878. {
  9879. String entity;
  9880. readEntity (entity);
  9881. if (entity.startsWithChar (T('<')) && entity [1] != 0)
  9882. {
  9883. const tchar* const oldInput = input;
  9884. const bool oldOutOfData = outOfData;
  9885. input = (const tchar*) entity;
  9886. outOfData = false;
  9887. for (;;)
  9888. {
  9889. XmlElement* const n = readNextElement (true);
  9890. if (n == 0)
  9891. break;
  9892. if (lastChildNode == 0)
  9893. parent->addChildElement (n);
  9894. else
  9895. lastChildNode->nextElement = n;
  9896. lastChildNode = n;
  9897. }
  9898. input = oldInput;
  9899. outOfData = oldOutOfData;
  9900. }
  9901. else
  9902. {
  9903. textElementContent += entity;
  9904. }
  9905. }
  9906. else
  9907. {
  9908. const tchar* start = input;
  9909. int len = 0;
  9910. for (;;)
  9911. {
  9912. const tchar c = *input;
  9913. if (c == T('<') || c == T('&'))
  9914. {
  9915. break;
  9916. }
  9917. else if (c == 0)
  9918. {
  9919. setLastError ("unmatched tags", false);
  9920. outOfData = true;
  9921. return;
  9922. }
  9923. ++input;
  9924. ++len;
  9925. }
  9926. textElementContent.append (start, len);
  9927. }
  9928. }
  9929. textElementContent = textElementContent.trim();
  9930. if (textElementContent.isNotEmpty())
  9931. e->setText (textElementContent);
  9932. }
  9933. }
  9934. }
  9935. void XmlDocument::readEntity (String& result) throw()
  9936. {
  9937. // skip over the ampersand
  9938. ++input;
  9939. if (CharacterFunctions::compareIgnoreCase (input, T("amp;"), 4) == 0)
  9940. {
  9941. input += 4;
  9942. result += T("&");
  9943. }
  9944. else if (CharacterFunctions::compareIgnoreCase (input, T("quot;"), 5) == 0)
  9945. {
  9946. input += 5;
  9947. result += T("\"");
  9948. }
  9949. else if (CharacterFunctions::compareIgnoreCase (input, T("apos;"), 5) == 0)
  9950. {
  9951. input += 5;
  9952. result += T("\'");
  9953. }
  9954. else if (CharacterFunctions::compareIgnoreCase (input, T("lt;"), 3) == 0)
  9955. {
  9956. input += 3;
  9957. result += T("<");
  9958. }
  9959. else if (CharacterFunctions::compareIgnoreCase (input, T("gt;"), 3) == 0)
  9960. {
  9961. input += 3;
  9962. result += T(">");
  9963. }
  9964. else if (*input == T('#'))
  9965. {
  9966. int charCode = 0;
  9967. ++input;
  9968. if (*input == T('x') || *input == T('X'))
  9969. {
  9970. ++input;
  9971. int numChars = 0;
  9972. while (input[0] != T(';'))
  9973. {
  9974. const int hexValue = CharacterFunctions::getHexDigitValue (input[0]);
  9975. if (hexValue < 0 || ++numChars > 8)
  9976. {
  9977. setLastError ("illegal escape sequence", true);
  9978. break;
  9979. }
  9980. charCode = (charCode << 4) | hexValue;
  9981. ++input;
  9982. }
  9983. ++input;
  9984. }
  9985. else if (input[0] >= T('0') && input[0] <= T('9'))
  9986. {
  9987. int numChars = 0;
  9988. while (input[0] != T(';'))
  9989. {
  9990. if (++numChars > 12)
  9991. {
  9992. setLastError ("illegal escape sequence", true);
  9993. break;
  9994. }
  9995. charCode = charCode * 10 + (input[0] - T('0'));
  9996. ++input;
  9997. }
  9998. ++input;
  9999. }
  10000. else
  10001. {
  10002. setLastError ("illegal escape sequence", true);
  10003. result += T("&");
  10004. return;
  10005. }
  10006. result << (tchar) charCode;
  10007. }
  10008. else
  10009. {
  10010. const tchar* const entityNameStart = input;
  10011. const tchar* const closingSemiColon = CharacterFunctions::find (input, T(";"));
  10012. if (closingSemiColon == 0)
  10013. {
  10014. outOfData = true;
  10015. result += T("&");
  10016. }
  10017. else
  10018. {
  10019. input = closingSemiColon + 1;
  10020. result += expandExternalEntity (String (entityNameStart,
  10021. (int) (closingSemiColon - entityNameStart)));
  10022. }
  10023. }
  10024. }
  10025. const String XmlDocument::expandEntity (const String& ent)
  10026. {
  10027. if (ent.equalsIgnoreCase (T("amp")))
  10028. {
  10029. return T("&");
  10030. }
  10031. else if (ent.equalsIgnoreCase (T("quot")))
  10032. {
  10033. return T("\"");
  10034. }
  10035. else if (ent.equalsIgnoreCase (T("apos")))
  10036. {
  10037. return T("\'");
  10038. }
  10039. else if (ent.equalsIgnoreCase (T("lt")))
  10040. {
  10041. return T("<");
  10042. }
  10043. else if (ent.equalsIgnoreCase (T("gt")))
  10044. {
  10045. return T(">");
  10046. }
  10047. else if (ent[0] == T('#'))
  10048. {
  10049. if (ent[1] == T('x') || ent[1] == T('X'))
  10050. {
  10051. return String::charToString ((tchar) ent.substring (2).getHexValue32());
  10052. }
  10053. else if (ent[1] >= T('0') && ent[1] <= T('9'))
  10054. {
  10055. return String::charToString ((tchar) ent.substring (1).getIntValue());
  10056. }
  10057. setLastError ("illegal escape sequence", false);
  10058. return T("&");
  10059. }
  10060. else
  10061. {
  10062. return expandExternalEntity (ent);
  10063. }
  10064. }
  10065. const String XmlDocument::expandExternalEntity (const String& entity)
  10066. {
  10067. if (needToLoadDTD)
  10068. {
  10069. if (dtdText.isNotEmpty())
  10070. {
  10071. while (dtdText.endsWithChar (T('>')))
  10072. dtdText = dtdText.dropLastCharacters (1);
  10073. tokenisedDTD.addTokens (dtdText, true);
  10074. if (tokenisedDTD [tokenisedDTD.size() - 2].equalsIgnoreCase (T("system"))
  10075. && tokenisedDTD [tokenisedDTD.size() - 1].isQuotedString())
  10076. {
  10077. const String fn (tokenisedDTD [tokenisedDTD.size() - 1]);
  10078. tokenisedDTD.clear();
  10079. tokenisedDTD.addTokens (getFileContents (fn), true);
  10080. }
  10081. else
  10082. {
  10083. tokenisedDTD.clear();
  10084. const int openBracket = dtdText.indexOfChar (T('['));
  10085. if (openBracket > 0)
  10086. {
  10087. const int closeBracket = dtdText.lastIndexOfChar (T(']'));
  10088. if (closeBracket > openBracket)
  10089. tokenisedDTD.addTokens (dtdText.substring (openBracket + 1,
  10090. closeBracket), true);
  10091. }
  10092. }
  10093. for (int i = tokenisedDTD.size(); --i >= 0;)
  10094. {
  10095. if (tokenisedDTD[i].startsWithChar (T('%'))
  10096. && tokenisedDTD[i].endsWithChar (T(';')))
  10097. {
  10098. const String parsed (getParameterEntity (tokenisedDTD[i].substring (1, tokenisedDTD[i].length() - 1)));
  10099. StringArray newToks;
  10100. newToks.addTokens (parsed, true);
  10101. tokenisedDTD.remove (i);
  10102. for (int j = newToks.size(); --j >= 0;)
  10103. tokenisedDTD.insert (i, newToks[j]);
  10104. }
  10105. }
  10106. }
  10107. needToLoadDTD = false;
  10108. }
  10109. for (int i = 0; i < tokenisedDTD.size(); ++i)
  10110. {
  10111. if (tokenisedDTD[i] == entity)
  10112. {
  10113. if (tokenisedDTD[i - 1].equalsIgnoreCase (T("<!entity")))
  10114. {
  10115. String ent (tokenisedDTD [i + 1]);
  10116. while (ent.endsWithChar (T('>')))
  10117. ent = ent.dropLastCharacters (1);
  10118. ent = ent.trim().unquoted();
  10119. // check for sub-entities..
  10120. int ampersand = ent.indexOfChar (T('&'));
  10121. while (ampersand >= 0)
  10122. {
  10123. const int semiColon = ent.indexOf (i + 1, T(";"));
  10124. if (semiColon < 0)
  10125. {
  10126. setLastError ("entity without terminating semi-colon", false);
  10127. break;
  10128. }
  10129. const String resolved (expandEntity (ent.substring (i + 1, semiColon)));
  10130. ent = ent.substring (0, ampersand)
  10131. + resolved
  10132. + ent.substring (semiColon + 1);
  10133. ampersand = ent.indexOfChar (semiColon + 1, T('&'));
  10134. }
  10135. return ent;
  10136. }
  10137. }
  10138. }
  10139. setLastError ("unknown entity", true);
  10140. return entity;
  10141. }
  10142. const String XmlDocument::getParameterEntity (const String& entity)
  10143. {
  10144. for (int i = 0; i < tokenisedDTD.size(); ++i)
  10145. {
  10146. if (tokenisedDTD[i] == entity)
  10147. {
  10148. if (tokenisedDTD [i - 1] == T("%")
  10149. && tokenisedDTD [i - 2].equalsIgnoreCase (T("<!entity")))
  10150. {
  10151. String ent (tokenisedDTD [i + 1]);
  10152. while (ent.endsWithChar (T('>')))
  10153. ent = ent.dropLastCharacters (1);
  10154. if (ent.equalsIgnoreCase (T("system")))
  10155. {
  10156. String filename (tokenisedDTD [i + 2]);
  10157. while (filename.endsWithChar (T('>')))
  10158. filename = filename.dropLastCharacters (1);
  10159. return getFileContents (filename);
  10160. }
  10161. else
  10162. {
  10163. return ent.trim().unquoted();
  10164. }
  10165. }
  10166. }
  10167. }
  10168. return entity;
  10169. }
  10170. END_JUCE_NAMESPACE
  10171. /********* End of inlined file: juce_XmlDocument.cpp *********/
  10172. /********* Start of inlined file: juce_XmlElement.cpp *********/
  10173. BEGIN_JUCE_NAMESPACE
  10174. XmlElement::XmlAttributeNode::XmlAttributeNode (const XmlAttributeNode& other) throw()
  10175. : name (other.name),
  10176. value (other.value),
  10177. next (0)
  10178. {
  10179. }
  10180. XmlElement::XmlAttributeNode::XmlAttributeNode (const String& name_,
  10181. const String& value_) throw()
  10182. : name (name_),
  10183. value (value_),
  10184. next (0)
  10185. {
  10186. }
  10187. XmlElement::XmlElement (const String& tagName_) throw()
  10188. : tagName (tagName_),
  10189. firstChildElement (0),
  10190. nextElement (0),
  10191. attributes (0)
  10192. {
  10193. // the tag name mustn't be empty, or it'll look like a text element!
  10194. jassert (tagName_.trim().isNotEmpty())
  10195. }
  10196. XmlElement::XmlElement (int /*dummy*/) throw()
  10197. : firstChildElement (0),
  10198. nextElement (0),
  10199. attributes (0)
  10200. {
  10201. }
  10202. XmlElement::XmlElement (const tchar* const tagName_,
  10203. const int nameLen) throw()
  10204. : tagName (tagName_, nameLen),
  10205. firstChildElement (0),
  10206. nextElement (0),
  10207. attributes (0)
  10208. {
  10209. }
  10210. XmlElement::XmlElement (const XmlElement& other) throw()
  10211. : tagName (other.tagName),
  10212. firstChildElement (0),
  10213. nextElement (0),
  10214. attributes (0)
  10215. {
  10216. copyChildrenAndAttributesFrom (other);
  10217. }
  10218. const XmlElement& XmlElement::operator= (const XmlElement& other) throw()
  10219. {
  10220. if (this != &other)
  10221. {
  10222. removeAllAttributes();
  10223. deleteAllChildElements();
  10224. tagName = other.tagName;
  10225. copyChildrenAndAttributesFrom (other);
  10226. }
  10227. return *this;
  10228. }
  10229. void XmlElement::copyChildrenAndAttributesFrom (const XmlElement& other) throw()
  10230. {
  10231. XmlElement* child = other.firstChildElement;
  10232. XmlElement* lastChild = 0;
  10233. while (child != 0)
  10234. {
  10235. XmlElement* const copiedChild = new XmlElement (*child);
  10236. if (lastChild != 0)
  10237. lastChild->nextElement = copiedChild;
  10238. else
  10239. firstChildElement = copiedChild;
  10240. lastChild = copiedChild;
  10241. child = child->nextElement;
  10242. }
  10243. const XmlAttributeNode* att = other.attributes;
  10244. XmlAttributeNode* lastAtt = 0;
  10245. while (att != 0)
  10246. {
  10247. XmlAttributeNode* const newAtt = new XmlAttributeNode (*att);
  10248. if (lastAtt != 0)
  10249. lastAtt->next = newAtt;
  10250. else
  10251. attributes = newAtt;
  10252. lastAtt = newAtt;
  10253. att = att->next;
  10254. }
  10255. }
  10256. XmlElement::~XmlElement() throw()
  10257. {
  10258. XmlElement* child = firstChildElement;
  10259. while (child != 0)
  10260. {
  10261. XmlElement* const nextChild = child->nextElement;
  10262. delete child;
  10263. child = nextChild;
  10264. }
  10265. XmlAttributeNode* att = attributes;
  10266. while (att != 0)
  10267. {
  10268. XmlAttributeNode* const nextAtt = att->next;
  10269. delete att;
  10270. att = nextAtt;
  10271. }
  10272. }
  10273. static bool isLegalXmlChar (const juce_wchar character)
  10274. {
  10275. if ((character >= 'a' && character <= 'z')
  10276. || (character >= 'A' && character <= 'Z')
  10277. || (character >= '0' && character <= '9'))
  10278. return true;
  10279. const char* t = " .,;:-()_+=?!'#@[]/\\*%~{}";
  10280. do
  10281. {
  10282. if (((juce_wchar) (uint8) *t) == character)
  10283. return true;
  10284. }
  10285. while (*++t != 0);
  10286. return false;
  10287. }
  10288. static void escapeIllegalXmlChars (OutputStream& outputStream,
  10289. const String& text,
  10290. const bool changeNewLines) throw()
  10291. {
  10292. const juce_wchar* t = (const juce_wchar*) text;
  10293. for (;;)
  10294. {
  10295. const juce_wchar character = *t++;
  10296. if (character == 0)
  10297. {
  10298. break;
  10299. }
  10300. else if (isLegalXmlChar (character))
  10301. {
  10302. outputStream.writeByte ((char) character);
  10303. }
  10304. else
  10305. {
  10306. switch (character)
  10307. {
  10308. case '&':
  10309. outputStream.write ("&amp;", 5);
  10310. break;
  10311. case '"':
  10312. outputStream.write ("&quot;", 6);
  10313. break;
  10314. case '>':
  10315. outputStream.write ("&gt;", 4);
  10316. break;
  10317. case '<':
  10318. outputStream.write ("&lt;", 4);
  10319. break;
  10320. case '\n':
  10321. if (changeNewLines)
  10322. outputStream.write ("&#10;", 5);
  10323. else
  10324. outputStream.writeByte ((char) character);
  10325. break;
  10326. case '\r':
  10327. if (changeNewLines)
  10328. outputStream.write ("&#13;", 5);
  10329. else
  10330. outputStream.writeByte ((char) character);
  10331. break;
  10332. default:
  10333. {
  10334. String encoded (T("&#"));
  10335. encoded << String ((int) (unsigned int) character).trim()
  10336. << T(';');
  10337. outputStream.write ((const char*) encoded, encoded.length());
  10338. }
  10339. }
  10340. }
  10341. }
  10342. }
  10343. static void writeSpaces (OutputStream& out, int numSpaces) throw()
  10344. {
  10345. if (numSpaces > 0)
  10346. {
  10347. const char* const blanks = " ";
  10348. const int blankSize = (int) sizeof (blanks) - 1;
  10349. while (numSpaces > blankSize)
  10350. {
  10351. out.write (blanks, blankSize);
  10352. numSpaces -= blankSize;
  10353. }
  10354. out.write (blanks, numSpaces);
  10355. }
  10356. }
  10357. void XmlElement::writeElementAsText (OutputStream& outputStream,
  10358. const int indentationLevel) const throw()
  10359. {
  10360. writeSpaces (outputStream, indentationLevel);
  10361. if (! isTextElement())
  10362. {
  10363. outputStream.writeByte ('<');
  10364. const int nameLen = tagName.length();
  10365. outputStream.write ((const char*) tagName, nameLen);
  10366. const int attIndent = indentationLevel + nameLen + 1;
  10367. int lineLen = 0;
  10368. const XmlAttributeNode* att = attributes;
  10369. while (att != 0)
  10370. {
  10371. if (lineLen > 60 && indentationLevel >= 0)
  10372. {
  10373. outputStream.write ("\r\n", 2);
  10374. writeSpaces (outputStream, attIndent);
  10375. lineLen = 0;
  10376. }
  10377. const int attNameLen = att->name.length();
  10378. outputStream.writeByte (' ');
  10379. outputStream.write ((const char*) (att->name), attNameLen);
  10380. outputStream.write ("=\"", 2);
  10381. escapeIllegalXmlChars (outputStream, att->value, true);
  10382. outputStream.writeByte ('"');
  10383. lineLen += 4 + attNameLen + att->value.length();
  10384. att = att->next;
  10385. }
  10386. if (firstChildElement != 0)
  10387. {
  10388. XmlElement* child = firstChildElement;
  10389. if (child->nextElement == 0 && child->isTextElement())
  10390. {
  10391. outputStream.writeByte ('>');
  10392. escapeIllegalXmlChars (outputStream, child->getText(), false);
  10393. }
  10394. else
  10395. {
  10396. if (indentationLevel >= 0)
  10397. outputStream.write (">\r\n", 3);
  10398. else
  10399. outputStream.writeByte ('>');
  10400. bool lastWasTextNode = false;
  10401. while (child != 0)
  10402. {
  10403. if (child->isTextElement())
  10404. {
  10405. if ((! lastWasTextNode) && (indentationLevel >= 0))
  10406. writeSpaces (outputStream, indentationLevel + 2);
  10407. escapeIllegalXmlChars (outputStream, child->getText(), false);
  10408. lastWasTextNode = true;
  10409. }
  10410. else
  10411. {
  10412. if (indentationLevel >= 0)
  10413. {
  10414. if (lastWasTextNode)
  10415. outputStream.write ("\r\n", 2);
  10416. child->writeElementAsText (outputStream, indentationLevel + 2);
  10417. }
  10418. else
  10419. {
  10420. child->writeElementAsText (outputStream, indentationLevel);
  10421. }
  10422. lastWasTextNode = false;
  10423. }
  10424. child = child->nextElement;
  10425. }
  10426. if (indentationLevel >= 0)
  10427. {
  10428. if (lastWasTextNode)
  10429. outputStream.write ("\r\n", 2);
  10430. writeSpaces (outputStream, indentationLevel);
  10431. }
  10432. }
  10433. outputStream.write ("</", 2);
  10434. outputStream.write ((const char*) tagName, nameLen);
  10435. if (indentationLevel >= 0)
  10436. outputStream.write (">\r\n", 3);
  10437. else
  10438. outputStream.writeByte ('>');
  10439. }
  10440. else
  10441. {
  10442. if (indentationLevel >= 0)
  10443. outputStream.write ("/>\r\n", 4);
  10444. else
  10445. outputStream.write ("/>", 2);
  10446. }
  10447. }
  10448. else
  10449. {
  10450. if (indentationLevel >= 0)
  10451. writeSpaces (outputStream, indentationLevel + 2);
  10452. escapeIllegalXmlChars (outputStream, getText(), false);
  10453. }
  10454. }
  10455. const String XmlElement::createDocument (const String& dtd,
  10456. const bool allOnOneLine,
  10457. const bool includeXmlHeader,
  10458. const tchar* const encoding) const throw()
  10459. {
  10460. String doc;
  10461. doc.preallocateStorage (1024);
  10462. if (includeXmlHeader)
  10463. {
  10464. doc << "<?xml version=\"1.0\" encoding=\""
  10465. << encoding;
  10466. if (allOnOneLine)
  10467. doc += "\"?> ";
  10468. else
  10469. doc += "\"?>\n\n";
  10470. }
  10471. if (dtd.isNotEmpty())
  10472. {
  10473. if (allOnOneLine)
  10474. doc << dtd << " ";
  10475. else
  10476. doc << dtd << "\r\n";
  10477. }
  10478. MemoryOutputStream mem (2048, 4096);
  10479. writeElementAsText (mem, allOnOneLine ? -1 : 0);
  10480. return doc + String (mem.getData(),
  10481. mem.getDataSize());
  10482. }
  10483. bool XmlElement::writeToFile (const File& f,
  10484. const String& dtd,
  10485. const tchar* const encoding) const throw()
  10486. {
  10487. if (f.hasWriteAccess())
  10488. {
  10489. const File tempFile (f.getNonexistentSibling());
  10490. FileOutputStream* const out = tempFile.createOutputStream();
  10491. if (out != 0)
  10492. {
  10493. *out << "<?xml version=\"1.0\" encoding=\"" << encoding << "\"?>\r\n\r\n"
  10494. << dtd << "\r\n";
  10495. writeElementAsText (*out, 0);
  10496. delete out;
  10497. if (tempFile.moveFileTo (f))
  10498. return true;
  10499. tempFile.deleteFile();
  10500. }
  10501. }
  10502. return false;
  10503. }
  10504. bool XmlElement::hasTagName (const tchar* const tagNameWanted) const throw()
  10505. {
  10506. #ifdef JUCE_DEBUG
  10507. // if debugging, check that the case is actually the same, because
  10508. // valid xml is case-sensitive, and although this lets it pass, it's
  10509. // better not to..
  10510. if (tagName.equalsIgnoreCase (tagNameWanted))
  10511. {
  10512. jassert (tagName == tagNameWanted);
  10513. return true;
  10514. }
  10515. else
  10516. {
  10517. return false;
  10518. }
  10519. #else
  10520. return tagName.equalsIgnoreCase (tagNameWanted);
  10521. #endif
  10522. }
  10523. XmlElement* XmlElement::getNextElementWithTagName (const tchar* const requiredTagName) const
  10524. {
  10525. XmlElement* e = nextElement;
  10526. while (e != 0 && ! e->hasTagName (requiredTagName))
  10527. e = e->nextElement;
  10528. return e;
  10529. }
  10530. int XmlElement::getNumAttributes() const throw()
  10531. {
  10532. const XmlAttributeNode* att = attributes;
  10533. int count = 0;
  10534. while (att != 0)
  10535. {
  10536. att = att->next;
  10537. ++count;
  10538. }
  10539. return count;
  10540. }
  10541. const String& XmlElement::getAttributeName (const int index) const throw()
  10542. {
  10543. const XmlAttributeNode* att = attributes;
  10544. int count = 0;
  10545. while (att != 0)
  10546. {
  10547. if (count == index)
  10548. return att->name;
  10549. att = att->next;
  10550. ++count;
  10551. }
  10552. return String::empty;
  10553. }
  10554. const String& XmlElement::getAttributeValue (const int index) const throw()
  10555. {
  10556. const XmlAttributeNode* att = attributes;
  10557. int count = 0;
  10558. while (att != 0)
  10559. {
  10560. if (count == index)
  10561. return att->value;
  10562. att = att->next;
  10563. ++count;
  10564. }
  10565. return String::empty;
  10566. }
  10567. bool XmlElement::hasAttribute (const tchar* const attributeName) const throw()
  10568. {
  10569. const XmlAttributeNode* att = attributes;
  10570. while (att != 0)
  10571. {
  10572. if (att->name.equalsIgnoreCase (attributeName))
  10573. return true;
  10574. att = att->next;
  10575. }
  10576. return false;
  10577. }
  10578. const String XmlElement::getStringAttribute (const tchar* const attributeName,
  10579. const tchar* const defaultReturnValue) const throw()
  10580. {
  10581. const XmlAttributeNode* att = attributes;
  10582. while (att != 0)
  10583. {
  10584. if (att->name.equalsIgnoreCase (attributeName))
  10585. return att->value;
  10586. att = att->next;
  10587. }
  10588. return defaultReturnValue;
  10589. }
  10590. int XmlElement::getIntAttribute (const tchar* const attributeName,
  10591. const int defaultReturnValue) const throw()
  10592. {
  10593. const XmlAttributeNode* att = attributes;
  10594. while (att != 0)
  10595. {
  10596. if (att->name.equalsIgnoreCase (attributeName))
  10597. return att->value.getIntValue();
  10598. att = att->next;
  10599. }
  10600. return defaultReturnValue;
  10601. }
  10602. double XmlElement::getDoubleAttribute (const tchar* const attributeName,
  10603. const double defaultReturnValue) const throw()
  10604. {
  10605. const XmlAttributeNode* att = attributes;
  10606. while (att != 0)
  10607. {
  10608. if (att->name.equalsIgnoreCase (attributeName))
  10609. return att->value.getDoubleValue();
  10610. att = att->next;
  10611. }
  10612. return defaultReturnValue;
  10613. }
  10614. bool XmlElement::getBoolAttribute (const tchar* const attributeName,
  10615. const bool defaultReturnValue) const throw()
  10616. {
  10617. const XmlAttributeNode* att = attributes;
  10618. while (att != 0)
  10619. {
  10620. if (att->name.equalsIgnoreCase (attributeName))
  10621. {
  10622. tchar firstChar = att->value[0];
  10623. if (CharacterFunctions::isWhitespace (firstChar))
  10624. firstChar = att->value.trimStart() [0];
  10625. return firstChar == T('1')
  10626. || firstChar == T('t')
  10627. || firstChar == T('y')
  10628. || firstChar == T('T')
  10629. || firstChar == T('Y');
  10630. }
  10631. att = att->next;
  10632. }
  10633. return defaultReturnValue;
  10634. }
  10635. bool XmlElement::compareAttribute (const tchar* const attributeName,
  10636. const tchar* const stringToCompareAgainst,
  10637. const bool ignoreCase) const throw()
  10638. {
  10639. const XmlAttributeNode* att = attributes;
  10640. while (att != 0)
  10641. {
  10642. if (att->name.equalsIgnoreCase (attributeName))
  10643. {
  10644. if (ignoreCase)
  10645. return att->value.equalsIgnoreCase (stringToCompareAgainst);
  10646. else
  10647. return att->value == stringToCompareAgainst;
  10648. }
  10649. att = att->next;
  10650. }
  10651. return false;
  10652. }
  10653. void XmlElement::setAttribute (const tchar* const attributeName,
  10654. const String& value) throw()
  10655. {
  10656. #ifdef JUCE_DEBUG
  10657. // check the identifier being passed in is legal..
  10658. const tchar* t = attributeName;
  10659. while (*t != 0)
  10660. {
  10661. jassert (CharacterFunctions::isLetterOrDigit (*t)
  10662. || *t == T('_')
  10663. || *t == T('-')
  10664. || *t == T(':'));
  10665. ++t;
  10666. }
  10667. #endif
  10668. if (attributes == 0)
  10669. {
  10670. attributes = new XmlAttributeNode (attributeName, value);
  10671. }
  10672. else
  10673. {
  10674. XmlAttributeNode* att = attributes;
  10675. for (;;)
  10676. {
  10677. if (att->name.equalsIgnoreCase (attributeName))
  10678. {
  10679. att->value = value;
  10680. break;
  10681. }
  10682. else if (att->next == 0)
  10683. {
  10684. att->next = new XmlAttributeNode (attributeName, value);
  10685. break;
  10686. }
  10687. att = att->next;
  10688. }
  10689. }
  10690. }
  10691. void XmlElement::setAttribute (const tchar* const attributeName,
  10692. const tchar* const text) throw()
  10693. {
  10694. setAttribute (attributeName, String (text));
  10695. }
  10696. void XmlElement::setAttribute (const tchar* const attributeName,
  10697. const int number) throw()
  10698. {
  10699. setAttribute (attributeName, String (number));
  10700. }
  10701. void XmlElement::setAttribute (const tchar* const attributeName,
  10702. const double number) throw()
  10703. {
  10704. tchar buffer [40];
  10705. CharacterFunctions::printf (buffer, numElementsInArray (buffer), T("%.9g"), number);
  10706. setAttribute (attributeName, buffer);
  10707. }
  10708. void XmlElement::removeAttribute (const tchar* const attributeName) throw()
  10709. {
  10710. XmlAttributeNode* att = attributes;
  10711. XmlAttributeNode* lastAtt = 0;
  10712. while (att != 0)
  10713. {
  10714. if (att->name.equalsIgnoreCase (attributeName))
  10715. {
  10716. if (lastAtt == 0)
  10717. attributes = att->next;
  10718. else
  10719. lastAtt->next = att->next;
  10720. delete att;
  10721. break;
  10722. }
  10723. lastAtt = att;
  10724. att = att->next;
  10725. }
  10726. }
  10727. void XmlElement::removeAllAttributes() throw()
  10728. {
  10729. while (attributes != 0)
  10730. {
  10731. XmlAttributeNode* const nextAtt = attributes->next;
  10732. delete attributes;
  10733. attributes = nextAtt;
  10734. }
  10735. }
  10736. int XmlElement::getNumChildElements() const throw()
  10737. {
  10738. int count = 0;
  10739. const XmlElement* child = firstChildElement;
  10740. while (child != 0)
  10741. {
  10742. ++count;
  10743. child = child->nextElement;
  10744. }
  10745. return count;
  10746. }
  10747. XmlElement* XmlElement::getChildElement (const int index) const throw()
  10748. {
  10749. int count = 0;
  10750. XmlElement* child = firstChildElement;
  10751. while (child != 0 && count < index)
  10752. {
  10753. child = child->nextElement;
  10754. ++count;
  10755. }
  10756. return child;
  10757. }
  10758. XmlElement* XmlElement::getChildByName (const tchar* const childName) const throw()
  10759. {
  10760. XmlElement* child = firstChildElement;
  10761. while (child != 0)
  10762. {
  10763. if (child->hasTagName (childName))
  10764. break;
  10765. child = child->nextElement;
  10766. }
  10767. return child;
  10768. }
  10769. void XmlElement::addChildElement (XmlElement* const newNode) throw()
  10770. {
  10771. if (newNode != 0)
  10772. {
  10773. if (firstChildElement == 0)
  10774. {
  10775. firstChildElement = newNode;
  10776. }
  10777. else
  10778. {
  10779. XmlElement* child = firstChildElement;
  10780. while (child->nextElement != 0)
  10781. child = child->nextElement;
  10782. child->nextElement = newNode;
  10783. // if this is non-zero, then something's probably
  10784. // gone wrong..
  10785. jassert (newNode->nextElement == 0);
  10786. }
  10787. }
  10788. }
  10789. void XmlElement::insertChildElement (XmlElement* const newNode,
  10790. int indexToInsertAt) throw()
  10791. {
  10792. if (newNode != 0)
  10793. {
  10794. removeChildElement (newNode, false);
  10795. if (indexToInsertAt == 0)
  10796. {
  10797. newNode->nextElement = firstChildElement;
  10798. firstChildElement = newNode;
  10799. }
  10800. else
  10801. {
  10802. if (firstChildElement == 0)
  10803. {
  10804. firstChildElement = newNode;
  10805. }
  10806. else
  10807. {
  10808. if (indexToInsertAt < 0)
  10809. indexToInsertAt = INT_MAX;
  10810. XmlElement* child = firstChildElement;
  10811. while (child->nextElement != 0 && --indexToInsertAt > 0)
  10812. child = child->nextElement;
  10813. newNode->nextElement = child->nextElement;
  10814. child->nextElement = newNode;
  10815. }
  10816. }
  10817. }
  10818. }
  10819. bool XmlElement::replaceChildElement (XmlElement* const currentChildElement,
  10820. XmlElement* const newNode) throw()
  10821. {
  10822. if (newNode != 0)
  10823. {
  10824. XmlElement* child = firstChildElement;
  10825. XmlElement* previousNode = 0;
  10826. while (child != 0)
  10827. {
  10828. if (child == currentChildElement)
  10829. {
  10830. if (child != newNode)
  10831. {
  10832. if (previousNode == 0)
  10833. firstChildElement = newNode;
  10834. else
  10835. previousNode->nextElement = newNode;
  10836. newNode->nextElement = child->nextElement;
  10837. delete child;
  10838. }
  10839. return true;
  10840. }
  10841. previousNode = child;
  10842. child = child->nextElement;
  10843. }
  10844. }
  10845. return false;
  10846. }
  10847. void XmlElement::removeChildElement (XmlElement* const childToRemove,
  10848. const bool shouldDeleteTheChild) throw()
  10849. {
  10850. if (childToRemove != 0)
  10851. {
  10852. if (firstChildElement == childToRemove)
  10853. {
  10854. firstChildElement = childToRemove->nextElement;
  10855. childToRemove->nextElement = 0;
  10856. }
  10857. else
  10858. {
  10859. XmlElement* child = firstChildElement;
  10860. XmlElement* last = 0;
  10861. while (child != 0)
  10862. {
  10863. if (child == childToRemove)
  10864. {
  10865. if (last == 0)
  10866. firstChildElement = child->nextElement;
  10867. else
  10868. last->nextElement = child->nextElement;
  10869. childToRemove->nextElement = 0;
  10870. break;
  10871. }
  10872. last = child;
  10873. child = child->nextElement;
  10874. }
  10875. }
  10876. if (shouldDeleteTheChild)
  10877. delete childToRemove;
  10878. }
  10879. }
  10880. bool XmlElement::isEquivalentTo (const XmlElement* const other,
  10881. const bool ignoreOrderOfAttributes) const throw()
  10882. {
  10883. if (this != other)
  10884. {
  10885. if (other == 0 || tagName != other->tagName)
  10886. {
  10887. return false;
  10888. }
  10889. if (ignoreOrderOfAttributes)
  10890. {
  10891. int totalAtts = 0;
  10892. const XmlAttributeNode* att = attributes;
  10893. while (att != 0)
  10894. {
  10895. if (! other->compareAttribute (att->name, att->value))
  10896. return false;
  10897. att = att->next;
  10898. ++totalAtts;
  10899. }
  10900. if (totalAtts != other->getNumAttributes())
  10901. return false;
  10902. }
  10903. else
  10904. {
  10905. const XmlAttributeNode* thisAtt = attributes;
  10906. const XmlAttributeNode* otherAtt = other->attributes;
  10907. for (;;)
  10908. {
  10909. if (thisAtt == 0 || otherAtt == 0)
  10910. {
  10911. if (thisAtt == otherAtt) // both 0, so it's a match
  10912. break;
  10913. return false;
  10914. }
  10915. if (thisAtt->name != otherAtt->name
  10916. || thisAtt->value != otherAtt->value)
  10917. {
  10918. return false;
  10919. }
  10920. thisAtt = thisAtt->next;
  10921. otherAtt = otherAtt->next;
  10922. }
  10923. }
  10924. const XmlElement* thisChild = firstChildElement;
  10925. const XmlElement* otherChild = other->firstChildElement;
  10926. for (;;)
  10927. {
  10928. if (thisChild == 0 || otherChild == 0)
  10929. {
  10930. if (thisChild == otherChild) // both 0, so it's a match
  10931. break;
  10932. return false;
  10933. }
  10934. if (! thisChild->isEquivalentTo (otherChild, ignoreOrderOfAttributes))
  10935. return false;
  10936. thisChild = thisChild->nextElement;
  10937. otherChild = otherChild->nextElement;
  10938. }
  10939. }
  10940. return true;
  10941. }
  10942. void XmlElement::deleteAllChildElements() throw()
  10943. {
  10944. while (firstChildElement != 0)
  10945. {
  10946. XmlElement* const nextChild = firstChildElement->nextElement;
  10947. delete firstChildElement;
  10948. firstChildElement = nextChild;
  10949. }
  10950. }
  10951. void XmlElement::deleteAllChildElementsWithTagName (const tchar* const name) throw()
  10952. {
  10953. XmlElement* child = firstChildElement;
  10954. while (child != 0)
  10955. {
  10956. if (child->hasTagName (name))
  10957. {
  10958. XmlElement* const nextChild = child->nextElement;
  10959. removeChildElement (child, true);
  10960. child = nextChild;
  10961. }
  10962. else
  10963. {
  10964. child = child->nextElement;
  10965. }
  10966. }
  10967. }
  10968. bool XmlElement::containsChildElement (const XmlElement* const possibleChild) const throw()
  10969. {
  10970. const XmlElement* child = firstChildElement;
  10971. while (child != 0)
  10972. {
  10973. if (child == possibleChild)
  10974. return true;
  10975. child = child->nextElement;
  10976. }
  10977. return false;
  10978. }
  10979. XmlElement* XmlElement::findParentElementOf (const XmlElement* const elementToLookFor) throw()
  10980. {
  10981. if (this == elementToLookFor || elementToLookFor == 0)
  10982. return 0;
  10983. XmlElement* child = firstChildElement;
  10984. while (child != 0)
  10985. {
  10986. if (elementToLookFor == child)
  10987. return this;
  10988. XmlElement* const found = child->findParentElementOf (elementToLookFor);
  10989. if (found != 0)
  10990. return found;
  10991. child = child->nextElement;
  10992. }
  10993. return 0;
  10994. }
  10995. XmlElement** XmlElement::getChildElementsAsArray (const int num) const throw()
  10996. {
  10997. XmlElement** const elems = new XmlElement* [num];
  10998. XmlElement* e = firstChildElement;
  10999. int i = 0;
  11000. while (e != 0)
  11001. {
  11002. elems [i++] = e;
  11003. e = e->nextElement;
  11004. }
  11005. return elems;
  11006. }
  11007. void XmlElement::reorderChildElements (XmlElement** const elems, const int num) throw()
  11008. {
  11009. XmlElement* e = firstChildElement = elems[0];
  11010. for (int i = 1; i < num; ++i)
  11011. {
  11012. e->nextElement = elems[i];
  11013. e = e->nextElement;
  11014. }
  11015. e->nextElement = 0;
  11016. }
  11017. bool XmlElement::isTextElement() const throw()
  11018. {
  11019. return tagName.isEmpty();
  11020. }
  11021. static const tchar* const juce_xmltextContentAttributeName = T("text");
  11022. const String XmlElement::getText() const throw()
  11023. {
  11024. jassert (isTextElement()); // you're trying to get the text from an element that
  11025. // isn't actually a text element.. If this contains text sub-nodes, you
  11026. // can use getAllSubText instead to
  11027. return getStringAttribute (juce_xmltextContentAttributeName);
  11028. }
  11029. void XmlElement::setText (const String& newText) throw()
  11030. {
  11031. if (isTextElement())
  11032. {
  11033. setAttribute (juce_xmltextContentAttributeName, newText);
  11034. }
  11035. else
  11036. {
  11037. jassertfalse // you can only change the text in a text element, not a normal one.
  11038. }
  11039. }
  11040. const String XmlElement::getAllSubText() const throw()
  11041. {
  11042. String result;
  11043. const XmlElement* child = firstChildElement;
  11044. while (child != 0)
  11045. {
  11046. if (child->isTextElement())
  11047. result += child->getText();
  11048. child = child->nextElement;
  11049. }
  11050. return result;
  11051. }
  11052. const String XmlElement::getChildElementAllSubText (const tchar* const childTagName,
  11053. const String& defaultReturnValue) const throw()
  11054. {
  11055. const XmlElement* const child = getChildByName (childTagName);
  11056. if (child != 0)
  11057. return child->getAllSubText();
  11058. return defaultReturnValue;
  11059. }
  11060. XmlElement* XmlElement::createTextElement (const String& text) throw()
  11061. {
  11062. XmlElement* const e = new XmlElement ((int) 0);
  11063. e->setAttribute (juce_xmltextContentAttributeName, text);
  11064. return e;
  11065. }
  11066. void XmlElement::addTextElement (const String& text) throw()
  11067. {
  11068. addChildElement (createTextElement (text));
  11069. }
  11070. void XmlElement::deleteAllTextElements() throw()
  11071. {
  11072. XmlElement* child = firstChildElement;
  11073. while (child != 0)
  11074. {
  11075. XmlElement* const next = child->nextElement;
  11076. if (child->isTextElement())
  11077. removeChildElement (child, true);
  11078. child = next;
  11079. }
  11080. }
  11081. END_JUCE_NAMESPACE
  11082. /********* End of inlined file: juce_XmlElement.cpp *********/
  11083. /********* Start of inlined file: juce_InterProcessLock.cpp *********/
  11084. BEGIN_JUCE_NAMESPACE
  11085. // (implemented in the platform-specific code files)
  11086. END_JUCE_NAMESPACE
  11087. /********* End of inlined file: juce_InterProcessLock.cpp *********/
  11088. /********* Start of inlined file: juce_ReadWriteLock.cpp *********/
  11089. BEGIN_JUCE_NAMESPACE
  11090. ReadWriteLock::ReadWriteLock() throw()
  11091. : numWaitingWriters (0),
  11092. numWriters (0),
  11093. writerThreadId (0)
  11094. {
  11095. }
  11096. ReadWriteLock::~ReadWriteLock() throw()
  11097. {
  11098. jassert (readerThreads.size() == 0);
  11099. jassert (numWriters == 0);
  11100. }
  11101. void ReadWriteLock::enterRead() const throw()
  11102. {
  11103. const int threadId = Thread::getCurrentThreadId();
  11104. const ScopedLock sl (accessLock);
  11105. for (;;)
  11106. {
  11107. jassert (readerThreads.size() % 2 == 0);
  11108. int i;
  11109. for (i = 0; i < readerThreads.size(); i += 2)
  11110. if (readerThreads.getUnchecked(i) == threadId)
  11111. break;
  11112. if (i < readerThreads.size()
  11113. || numWriters + numWaitingWriters == 0
  11114. || (threadId == writerThreadId && numWriters > 0))
  11115. {
  11116. if (i < readerThreads.size())
  11117. {
  11118. readerThreads.set (i + 1, readerThreads.getUnchecked (i + 1) + 1);
  11119. }
  11120. else
  11121. {
  11122. readerThreads.add (threadId);
  11123. readerThreads.add (1);
  11124. }
  11125. return;
  11126. }
  11127. const ScopedUnlock ul (accessLock);
  11128. waitEvent.wait (100);
  11129. }
  11130. }
  11131. void ReadWriteLock::exitRead() const throw()
  11132. {
  11133. const int threadId = Thread::getCurrentThreadId();
  11134. const ScopedLock sl (accessLock);
  11135. for (int i = 0; i < readerThreads.size(); i += 2)
  11136. {
  11137. if (readerThreads.getUnchecked(i) == threadId)
  11138. {
  11139. const int newCount = readerThreads.getUnchecked (i + 1) - 1;
  11140. if (newCount == 0)
  11141. {
  11142. readerThreads.removeRange (i, 2);
  11143. waitEvent.signal();
  11144. }
  11145. else
  11146. {
  11147. readerThreads.set (i + 1, newCount);
  11148. }
  11149. return;
  11150. }
  11151. }
  11152. jassertfalse // unlocking a lock that wasn't locked..
  11153. }
  11154. void ReadWriteLock::enterWrite() const throw()
  11155. {
  11156. const int threadId = Thread::getCurrentThreadId();
  11157. const ScopedLock sl (accessLock);
  11158. for (;;)
  11159. {
  11160. if (readerThreads.size() + numWriters == 0
  11161. || threadId == writerThreadId
  11162. || (readerThreads.size() == 2
  11163. && readerThreads.getUnchecked(0) == threadId))
  11164. {
  11165. writerThreadId = threadId;
  11166. ++numWriters;
  11167. break;
  11168. }
  11169. ++numWaitingWriters;
  11170. accessLock.exit();
  11171. waitEvent.wait (100);
  11172. accessLock.enter();
  11173. --numWaitingWriters;
  11174. }
  11175. }
  11176. bool ReadWriteLock::tryEnterWrite() const throw()
  11177. {
  11178. const int threadId = Thread::getCurrentThreadId();
  11179. const ScopedLock sl (accessLock);
  11180. if (readerThreads.size() + numWriters == 0
  11181. || threadId == writerThreadId
  11182. || (readerThreads.size() == 2
  11183. && readerThreads.getUnchecked(0) == threadId))
  11184. {
  11185. writerThreadId = threadId;
  11186. ++numWriters;
  11187. return true;
  11188. }
  11189. return false;
  11190. }
  11191. void ReadWriteLock::exitWrite() const throw()
  11192. {
  11193. const ScopedLock sl (accessLock);
  11194. // check this thread actually had the lock..
  11195. jassert (numWriters > 0 && writerThreadId == Thread::getCurrentThreadId());
  11196. if (--numWriters == 0)
  11197. {
  11198. writerThreadId = 0;
  11199. waitEvent.signal();
  11200. }
  11201. }
  11202. END_JUCE_NAMESPACE
  11203. /********* End of inlined file: juce_ReadWriteLock.cpp *********/
  11204. /********* Start of inlined file: juce_Thread.cpp *********/
  11205. BEGIN_JUCE_NAMESPACE
  11206. // these functions are implemented in the platform-specific code.
  11207. void* juce_createThread (void* userData) throw();
  11208. void juce_killThread (void* handle) throw();
  11209. void juce_setThreadPriority (void* handle, int priority) throw();
  11210. void juce_setCurrentThreadName (const String& name) throw();
  11211. #if JUCE_WIN32
  11212. void juce_CloseThreadHandle (void* handle) throw();
  11213. #endif
  11214. static VoidArray runningThreads (4);
  11215. static CriticalSection runningThreadsLock;
  11216. void Thread::threadEntryPoint (Thread* const thread) throw()
  11217. {
  11218. runningThreadsLock.enter();
  11219. runningThreads.add (thread);
  11220. runningThreadsLock.exit();
  11221. JUCE_TRY
  11222. {
  11223. thread->threadId_ = Thread::getCurrentThreadId();
  11224. if (thread->threadName_.isNotEmpty())
  11225. juce_setCurrentThreadName (thread->threadName_);
  11226. if (thread->startSuspensionEvent_.wait (10000))
  11227. {
  11228. if (thread->affinityMask_ != 0)
  11229. setCurrentThreadAffinityMask (thread->affinityMask_);
  11230. thread->run();
  11231. }
  11232. }
  11233. JUCE_CATCH_ALL_ASSERT
  11234. runningThreadsLock.enter();
  11235. jassert (runningThreads.contains (thread));
  11236. runningThreads.removeValue (thread);
  11237. runningThreadsLock.exit();
  11238. #if JUCE_WIN32
  11239. juce_CloseThreadHandle (thread->threadHandle_);
  11240. #endif
  11241. thread->threadHandle_ = 0;
  11242. thread->threadId_ = 0;
  11243. }
  11244. // used to wrap the incoming call from the platform-specific code
  11245. void JUCE_API juce_threadEntryPoint (void* userData)
  11246. {
  11247. Thread::threadEntryPoint ((Thread*) userData);
  11248. }
  11249. Thread::Thread (const String& threadName)
  11250. : threadName_ (threadName),
  11251. threadHandle_ (0),
  11252. threadPriority_ (5),
  11253. threadId_ (0),
  11254. affinityMask_ (0),
  11255. threadShouldExit_ (false)
  11256. {
  11257. }
  11258. Thread::~Thread()
  11259. {
  11260. stopThread (100);
  11261. }
  11262. void Thread::startThread() throw()
  11263. {
  11264. const ScopedLock sl (startStopLock);
  11265. threadShouldExit_ = false;
  11266. if (threadHandle_ == 0)
  11267. {
  11268. threadHandle_ = juce_createThread ((void*) this);
  11269. juce_setThreadPriority (threadHandle_, threadPriority_);
  11270. startSuspensionEvent_.signal();
  11271. }
  11272. }
  11273. void Thread::startThread (const int priority) throw()
  11274. {
  11275. const ScopedLock sl (startStopLock);
  11276. if (threadHandle_ == 0)
  11277. {
  11278. threadPriority_ = priority;
  11279. startThread();
  11280. }
  11281. else
  11282. {
  11283. setPriority (priority);
  11284. }
  11285. }
  11286. bool Thread::isThreadRunning() const throw()
  11287. {
  11288. return threadHandle_ != 0;
  11289. }
  11290. void Thread::signalThreadShouldExit() throw()
  11291. {
  11292. threadShouldExit_ = true;
  11293. }
  11294. bool Thread::waitForThreadToExit (const int timeOutMilliseconds) const throw()
  11295. {
  11296. // Doh! So how exactly do you expect this thread to wait for itself to stop??
  11297. jassert (getThreadId() != getCurrentThreadId());
  11298. const int sleepMsPerIteration = 5;
  11299. int count = timeOutMilliseconds / sleepMsPerIteration;
  11300. while (isThreadRunning())
  11301. {
  11302. if (timeOutMilliseconds > 0 && --count < 0)
  11303. return false;
  11304. sleep (sleepMsPerIteration);
  11305. }
  11306. return true;
  11307. }
  11308. void Thread::stopThread (const int timeOutMilliseconds) throw()
  11309. {
  11310. // agh! You can't stop the thread that's calling this method! How on earth
  11311. // would that work??
  11312. jassert (getCurrentThreadId() != getThreadId());
  11313. const ScopedLock sl (startStopLock);
  11314. if (isThreadRunning())
  11315. {
  11316. signalThreadShouldExit();
  11317. notify();
  11318. if (timeOutMilliseconds != 0)
  11319. waitForThreadToExit (timeOutMilliseconds);
  11320. if (isThreadRunning())
  11321. {
  11322. // very bad karma if this point is reached, as
  11323. // there are bound to be locks and events left in
  11324. // silly states when a thread is killed by force..
  11325. jassertfalse
  11326. Logger::writeToLog ("!! killing thread by force !!");
  11327. juce_killThread (threadHandle_);
  11328. threadHandle_ = 0;
  11329. threadId_ = 0;
  11330. const ScopedLock sl (runningThreadsLock);
  11331. runningThreads.removeValue (this);
  11332. }
  11333. }
  11334. }
  11335. void Thread::setPriority (const int priority) throw()
  11336. {
  11337. const ScopedLock sl (startStopLock);
  11338. threadPriority_ = priority;
  11339. juce_setThreadPriority (threadHandle_, priority);
  11340. }
  11341. void Thread::setCurrentThreadPriority (const int priority) throw()
  11342. {
  11343. juce_setThreadPriority (0, priority);
  11344. }
  11345. void Thread::setAffinityMask (const uint32 affinityMask) throw()
  11346. {
  11347. affinityMask_ = affinityMask;
  11348. }
  11349. int Thread::getThreadId() const throw()
  11350. {
  11351. return threadId_;
  11352. }
  11353. bool Thread::wait (const int timeOutMilliseconds) const throw()
  11354. {
  11355. return defaultEvent_.wait (timeOutMilliseconds);
  11356. }
  11357. void Thread::notify() const throw()
  11358. {
  11359. defaultEvent_.signal();
  11360. }
  11361. int Thread::getNumRunningThreads() throw()
  11362. {
  11363. return runningThreads.size();
  11364. }
  11365. Thread* Thread::getCurrentThread() throw()
  11366. {
  11367. const int thisId = getCurrentThreadId();
  11368. Thread* result = 0;
  11369. runningThreadsLock.enter();
  11370. for (int i = runningThreads.size(); --i >= 0;)
  11371. {
  11372. Thread* const t = (Thread*) (runningThreads.getUnchecked(i));
  11373. if (t->threadId_ == thisId)
  11374. {
  11375. result = t;
  11376. break;
  11377. }
  11378. }
  11379. runningThreadsLock.exit();
  11380. return result;
  11381. }
  11382. void Thread::stopAllThreads (const int timeOutMilliseconds) throw()
  11383. {
  11384. runningThreadsLock.enter();
  11385. for (int i = runningThreads.size(); --i >= 0;)
  11386. ((Thread*) runningThreads.getUnchecked(i))->signalThreadShouldExit();
  11387. runningThreadsLock.exit();
  11388. for (;;)
  11389. {
  11390. runningThreadsLock.enter();
  11391. Thread* const t = (Thread*) runningThreads[0];
  11392. runningThreadsLock.exit();
  11393. if (t == 0)
  11394. break;
  11395. t->stopThread (timeOutMilliseconds);
  11396. }
  11397. }
  11398. END_JUCE_NAMESPACE
  11399. /********* End of inlined file: juce_Thread.cpp *********/
  11400. /********* Start of inlined file: juce_ThreadPool.cpp *********/
  11401. BEGIN_JUCE_NAMESPACE
  11402. ThreadPoolJob::ThreadPoolJob (const String& name)
  11403. : jobName (name),
  11404. pool (0),
  11405. shouldStop (false),
  11406. isActive (false),
  11407. shouldBeDeleted (false)
  11408. {
  11409. }
  11410. ThreadPoolJob::~ThreadPoolJob()
  11411. {
  11412. // you mustn't delete a job while it's still in a pool! Use ThreadPool::removeJob()
  11413. // to remove it first!
  11414. jassert (pool == 0 || ! pool->contains (this));
  11415. }
  11416. const String ThreadPoolJob::getJobName() const
  11417. {
  11418. return jobName;
  11419. }
  11420. void ThreadPoolJob::setJobName (const String& newName)
  11421. {
  11422. jobName = newName;
  11423. }
  11424. void ThreadPoolJob::signalJobShouldExit()
  11425. {
  11426. shouldStop = true;
  11427. }
  11428. class ThreadPoolThread : public Thread
  11429. {
  11430. ThreadPool& pool;
  11431. bool volatile busy;
  11432. ThreadPoolThread (const ThreadPoolThread&);
  11433. const ThreadPoolThread& operator= (const ThreadPoolThread&);
  11434. public:
  11435. ThreadPoolThread (ThreadPool& pool_)
  11436. : Thread (T("Pool")),
  11437. pool (pool_),
  11438. busy (false)
  11439. {
  11440. }
  11441. ~ThreadPoolThread()
  11442. {
  11443. }
  11444. void run()
  11445. {
  11446. while (! threadShouldExit())
  11447. {
  11448. if (! pool.runNextJob())
  11449. wait (500);
  11450. }
  11451. }
  11452. };
  11453. ThreadPool::ThreadPool (const int numThreads_,
  11454. const bool startThreadsOnlyWhenNeeded,
  11455. const int stopThreadsWhenNotUsedTimeoutMs)
  11456. : numThreads (jmax (1, numThreads_)),
  11457. threadStopTimeout (stopThreadsWhenNotUsedTimeoutMs),
  11458. priority (5)
  11459. {
  11460. jassert (numThreads_ > 0); // not much point having one of these with no threads in it.
  11461. threads = (Thread**) juce_calloc (sizeof (Thread*) * numThreads);
  11462. for (int i = numThreads; --i >= 0;)
  11463. {
  11464. threads[i] = new ThreadPoolThread (*this);
  11465. if (! startThreadsOnlyWhenNeeded)
  11466. threads[i]->startThread();
  11467. }
  11468. }
  11469. ThreadPool::~ThreadPool()
  11470. {
  11471. removeAllJobs (true, 4000);
  11472. int i;
  11473. for (i = numThreads; --i >= 0;)
  11474. threads[i]->signalThreadShouldExit();
  11475. for (i = numThreads; --i >= 0;)
  11476. {
  11477. threads[i]->stopThread (500);
  11478. delete threads[i];
  11479. }
  11480. juce_free (threads);
  11481. }
  11482. void ThreadPool::addJob (ThreadPoolJob* const job)
  11483. {
  11484. jassert (job->pool == 0);
  11485. if (job->pool == 0)
  11486. {
  11487. job->pool = this;
  11488. job->shouldStop = false;
  11489. job->isActive = false;
  11490. lock.enter();
  11491. jobs.add (job);
  11492. int numRunning = 0;
  11493. int i;
  11494. for (i = numThreads; --i >= 0;)
  11495. if (threads[i]->isThreadRunning() && ! threads[i]->threadShouldExit())
  11496. ++numRunning;
  11497. if (numRunning < numThreads)
  11498. {
  11499. bool startedOne = false;
  11500. int n = 1000;
  11501. while (--n >= 0 && ! startedOne)
  11502. {
  11503. for (int i = numThreads; --i >= 0;)
  11504. {
  11505. if (! threads[i]->isThreadRunning())
  11506. {
  11507. threads[i]->startThread();
  11508. startedOne = true;
  11509. }
  11510. }
  11511. if (! startedOne)
  11512. Thread::sleep (5);
  11513. }
  11514. }
  11515. lock.exit();
  11516. for (i = numThreads; --i >= 0;)
  11517. threads[i]->notify();
  11518. }
  11519. }
  11520. int ThreadPool::getNumJobs() const throw()
  11521. {
  11522. return jobs.size();
  11523. }
  11524. ThreadPoolJob* ThreadPool::getJob (const int index) const
  11525. {
  11526. const ScopedLock sl (lock);
  11527. return (ThreadPoolJob*) jobs [index];
  11528. }
  11529. bool ThreadPool::contains (const ThreadPoolJob* const job) const throw()
  11530. {
  11531. const ScopedLock sl (lock);
  11532. return jobs.contains ((void*) job);
  11533. }
  11534. bool ThreadPool::isJobRunning (const ThreadPoolJob* const job) const
  11535. {
  11536. const ScopedLock sl (lock);
  11537. return jobs.contains ((void*) job) && job->isActive;
  11538. }
  11539. bool ThreadPool::waitForJobToFinish (const ThreadPoolJob* const job,
  11540. const int timeOutMs) const
  11541. {
  11542. if (job != 0)
  11543. {
  11544. const uint32 start = Time::getMillisecondCounter();
  11545. while (contains (job))
  11546. {
  11547. if (timeOutMs >= 0 && Time::getMillisecondCounter() >= start + timeOutMs)
  11548. return false;
  11549. Thread::sleep (2);
  11550. }
  11551. }
  11552. return true;
  11553. }
  11554. bool ThreadPool::removeJob (ThreadPoolJob* const job,
  11555. const bool interruptIfRunning,
  11556. const int timeOutMs)
  11557. {
  11558. if (job != 0)
  11559. {
  11560. lock.enter();
  11561. if (jobs.contains (job))
  11562. {
  11563. if (job->isActive)
  11564. {
  11565. if (interruptIfRunning)
  11566. job->signalJobShouldExit();
  11567. lock.exit();
  11568. return waitForJobToFinish (job, timeOutMs);
  11569. }
  11570. else
  11571. {
  11572. jobs.removeValue (job);
  11573. }
  11574. }
  11575. lock.exit();
  11576. }
  11577. return true;
  11578. }
  11579. bool ThreadPool::removeAllJobs (const bool interruptRunningJobs,
  11580. const int timeOutMs)
  11581. {
  11582. lock.enter();
  11583. for (int i = jobs.size(); --i >= 0;)
  11584. {
  11585. ThreadPoolJob* const job = (ThreadPoolJob*) jobs.getUnchecked(i);
  11586. if (job->isActive)
  11587. {
  11588. if (interruptRunningJobs)
  11589. job->signalJobShouldExit();
  11590. }
  11591. else
  11592. {
  11593. jobs.remove (i);
  11594. }
  11595. }
  11596. lock.exit();
  11597. const uint32 start = Time::getMillisecondCounter();
  11598. while (jobs.size() > 0)
  11599. {
  11600. if (timeOutMs >= 0 && Time::getMillisecondCounter() >= start + timeOutMs)
  11601. return false;
  11602. Thread::sleep (2);
  11603. }
  11604. return true;
  11605. }
  11606. const StringArray ThreadPool::getNamesOfAllJobs (const bool onlyReturnActiveJobs) const
  11607. {
  11608. StringArray s;
  11609. const ScopedLock sl (lock);
  11610. for (int i = 0; i < jobs.size(); ++i)
  11611. {
  11612. const ThreadPoolJob* const job = (const ThreadPoolJob*) jobs.getUnchecked(i);
  11613. if (job->isActive || ! onlyReturnActiveJobs)
  11614. s.add (job->getJobName());
  11615. }
  11616. return s;
  11617. }
  11618. void ThreadPool::setThreadPriorities (const int newPriority)
  11619. {
  11620. if (priority != newPriority)
  11621. {
  11622. priority = newPriority;
  11623. for (int i = numThreads; --i >= 0;)
  11624. threads[i]->setPriority (newPriority);
  11625. }
  11626. }
  11627. bool ThreadPool::runNextJob()
  11628. {
  11629. lock.enter();
  11630. ThreadPoolJob* job = 0;
  11631. for (int i = 0; i < jobs.size(); ++i)
  11632. {
  11633. job = (ThreadPoolJob*) jobs [i];
  11634. if (job != 0 && ! (job->isActive || job->shouldStop))
  11635. break;
  11636. job = 0;
  11637. }
  11638. if (job != 0)
  11639. {
  11640. job->isActive = true;
  11641. lock.exit();
  11642. JUCE_TRY
  11643. {
  11644. ThreadPoolJob::JobStatus result = job->runJob();
  11645. lastJobEndTime = Time::getApproximateMillisecondCounter();
  11646. const ScopedLock sl (lock);
  11647. if (jobs.contains (job))
  11648. {
  11649. job->isActive = false;
  11650. if (result != ThreadPoolJob::jobNeedsRunningAgain || job->shouldStop)
  11651. {
  11652. job->pool = 0;
  11653. job->shouldStop = true;
  11654. jobs.removeValue (job);
  11655. if (result == ThreadPoolJob::jobHasFinishedAndShouldBeDeleted)
  11656. delete job;
  11657. }
  11658. else
  11659. {
  11660. // move the job to the end of the queue if it wants another go
  11661. jobs.move (jobs.indexOf (job), -1);
  11662. }
  11663. }
  11664. }
  11665. #if JUCE_CATCH_UNHANDLED_EXCEPTIONS
  11666. catch (...)
  11667. {
  11668. lock.enter();
  11669. jobs.removeValue (job);
  11670. lock.exit();
  11671. }
  11672. #endif
  11673. }
  11674. else
  11675. {
  11676. lock.exit();
  11677. if (threadStopTimeout > 0
  11678. && Time::getApproximateMillisecondCounter() > lastJobEndTime + threadStopTimeout)
  11679. {
  11680. lock.enter();
  11681. if (jobs.size() == 0)
  11682. {
  11683. for (int i = numThreads; --i >= 0;)
  11684. threads[i]->signalThreadShouldExit();
  11685. }
  11686. lock.exit();
  11687. }
  11688. else
  11689. {
  11690. return false;
  11691. }
  11692. }
  11693. return true;
  11694. }
  11695. END_JUCE_NAMESPACE
  11696. /********* End of inlined file: juce_ThreadPool.cpp *********/
  11697. /********* Start of inlined file: juce_TimeSliceThread.cpp *********/
  11698. BEGIN_JUCE_NAMESPACE
  11699. TimeSliceThread::TimeSliceThread (const String& threadName)
  11700. : Thread (threadName),
  11701. index (0),
  11702. clientBeingCalled (0),
  11703. clientsChanged (false)
  11704. {
  11705. }
  11706. TimeSliceThread::~TimeSliceThread()
  11707. {
  11708. stopThread (2000);
  11709. }
  11710. void TimeSliceThread::addTimeSliceClient (TimeSliceClient* const client)
  11711. {
  11712. const ScopedLock sl (listLock);
  11713. clients.addIfNotAlreadyThere (client);
  11714. clientsChanged = true;
  11715. notify();
  11716. }
  11717. void TimeSliceThread::removeTimeSliceClient (TimeSliceClient* const client)
  11718. {
  11719. const ScopedLock sl1 (listLock);
  11720. clientsChanged = true;
  11721. // if there's a chance we're in the middle of calling this client, we need to
  11722. // also lock the outer lock..
  11723. if (clientBeingCalled == client)
  11724. {
  11725. const ScopedUnlock ul (listLock); // unlock first to get the order right..
  11726. const ScopedLock sl1 (callbackLock);
  11727. const ScopedLock sl2 (listLock);
  11728. clients.removeValue (client);
  11729. }
  11730. else
  11731. {
  11732. clients.removeValue (client);
  11733. }
  11734. }
  11735. int TimeSliceThread::getNumClients() const throw()
  11736. {
  11737. return clients.size();
  11738. }
  11739. TimeSliceClient* TimeSliceThread::getClient (const int index) const throw()
  11740. {
  11741. const ScopedLock sl (listLock);
  11742. return clients [index];
  11743. }
  11744. void TimeSliceThread::run()
  11745. {
  11746. int numCallsSinceBusy = 0;
  11747. while (! threadShouldExit())
  11748. {
  11749. int timeToWait = 500;
  11750. {
  11751. const ScopedLock sl (callbackLock);
  11752. {
  11753. const ScopedLock sl (listLock);
  11754. if (clients.size() > 0)
  11755. {
  11756. index = (index + 1) % clients.size();
  11757. clientBeingCalled = clients [index];
  11758. }
  11759. else
  11760. {
  11761. index = 0;
  11762. clientBeingCalled = 0;
  11763. }
  11764. if (clientsChanged)
  11765. {
  11766. clientsChanged = false;
  11767. numCallsSinceBusy = 0;
  11768. }
  11769. }
  11770. if (clientBeingCalled != 0)
  11771. {
  11772. if (clientBeingCalled->useTimeSlice())
  11773. numCallsSinceBusy = 0;
  11774. else
  11775. ++numCallsSinceBusy;
  11776. if (numCallsSinceBusy >= clients.size())
  11777. timeToWait = 500;
  11778. else if (index == 0)
  11779. timeToWait = 1; // throw in an occasional pause, to stop everything locking up
  11780. else
  11781. timeToWait = 0;
  11782. }
  11783. }
  11784. if (timeToWait > 0)
  11785. wait (timeToWait);
  11786. }
  11787. }
  11788. END_JUCE_NAMESPACE
  11789. /********* End of inlined file: juce_TimeSliceThread.cpp *********/
  11790. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  11791. /********* Start of inlined file: juce_Application.cpp *********/
  11792. #if JUCE_MSVC
  11793. #pragma warning (push)
  11794. #pragma warning (disable: 4245 4514 4100)
  11795. #include <crtdbg.h>
  11796. #pragma warning (pop)
  11797. #endif
  11798. BEGIN_JUCE_NAMESPACE
  11799. void juce_setCurrentExecutableFileName (const String& filename) throw();
  11800. void juce_setCurrentThreadName (const String& name) throw();
  11801. static JUCEApplication* appInstance = 0;
  11802. JUCEApplication::JUCEApplication()
  11803. : appReturnValue (0),
  11804. stillInitialising (true)
  11805. {
  11806. }
  11807. JUCEApplication::~JUCEApplication()
  11808. {
  11809. }
  11810. JUCEApplication* JUCEApplication::getInstance() throw()
  11811. {
  11812. return appInstance;
  11813. }
  11814. bool JUCEApplication::isInitialising() const throw()
  11815. {
  11816. return stillInitialising;
  11817. }
  11818. const String JUCEApplication::getApplicationVersion()
  11819. {
  11820. return String::empty;
  11821. }
  11822. bool JUCEApplication::moreThanOneInstanceAllowed()
  11823. {
  11824. return true;
  11825. }
  11826. void JUCEApplication::anotherInstanceStarted (const String&)
  11827. {
  11828. }
  11829. void JUCEApplication::systemRequestedQuit()
  11830. {
  11831. quit();
  11832. }
  11833. void JUCEApplication::quit (const bool useMaximumForce)
  11834. {
  11835. MessageManager::getInstance()->postQuitMessage (useMaximumForce);
  11836. }
  11837. void JUCEApplication::setApplicationReturnValue (const int newReturnValue) throw()
  11838. {
  11839. appReturnValue = newReturnValue;
  11840. }
  11841. void JUCEApplication::unhandledException (const std::exception*,
  11842. const String&,
  11843. const int)
  11844. {
  11845. jassertfalse
  11846. }
  11847. void JUCEApplication::sendUnhandledException (const std::exception* const e,
  11848. const char* const sourceFile,
  11849. const int lineNumber)
  11850. {
  11851. if (appInstance != 0)
  11852. appInstance->unhandledException (e, sourceFile, lineNumber);
  11853. }
  11854. ApplicationCommandTarget* JUCEApplication::getNextCommandTarget()
  11855. {
  11856. return 0;
  11857. }
  11858. void JUCEApplication::getAllCommands (Array <CommandID>& commands)
  11859. {
  11860. commands.add (StandardApplicationCommandIDs::quit);
  11861. }
  11862. void JUCEApplication::getCommandInfo (const CommandID commandID, ApplicationCommandInfo& result)
  11863. {
  11864. if (commandID == StandardApplicationCommandIDs::quit)
  11865. {
  11866. result.setInfo ("Quit",
  11867. "Quits the application",
  11868. "Application",
  11869. 0);
  11870. result.defaultKeypresses.add (KeyPress (T('q'), ModifierKeys::commandModifier, 0));
  11871. }
  11872. }
  11873. bool JUCEApplication::perform (const InvocationInfo& info)
  11874. {
  11875. if (info.commandID == StandardApplicationCommandIDs::quit)
  11876. {
  11877. systemRequestedQuit();
  11878. return true;
  11879. }
  11880. return false;
  11881. }
  11882. int JUCEApplication::main (String& commandLine, JUCEApplication* const app)
  11883. {
  11884. jassert (appInstance == 0);
  11885. appInstance = app;
  11886. bool useForce = true;
  11887. initialiseJuce_GUI();
  11888. InterProcessLock* appLock = 0;
  11889. if (! app->moreThanOneInstanceAllowed())
  11890. {
  11891. appLock = new InterProcessLock ("juceAppLock_" + app->getApplicationName());
  11892. if (! appLock->enter(0))
  11893. {
  11894. MessageManager::broadcastMessage (app->getApplicationName() + "/" + commandLine);
  11895. delete appInstance;
  11896. appInstance = 0;
  11897. commandLine = String::empty;
  11898. DBG ("Another instance is running - quitting...");
  11899. return 0;
  11900. }
  11901. }
  11902. JUCE_TRY
  11903. {
  11904. juce_setCurrentThreadName ("Juce Message Thread");
  11905. // let the app do its setting-up..
  11906. app->initialise (commandLine.trim());
  11907. commandLine = String::empty;
  11908. // register for broadcast new app messages
  11909. MessageManager::getInstance()->registerBroadcastListener (app);
  11910. app->stillInitialising = false;
  11911. // now loop until a quit message is received..
  11912. useForce = MessageManager::getInstance()->runDispatchLoop();
  11913. MessageManager::getInstance()->deregisterBroadcastListener (app);
  11914. if (appLock != 0)
  11915. {
  11916. appLock->exit();
  11917. delete appLock;
  11918. }
  11919. }
  11920. #if JUCE_CATCH_UNHANDLED_EXCEPTIONS
  11921. catch (const std::exception& e)
  11922. {
  11923. app->unhandledException (&e, __FILE__, __LINE__);
  11924. }
  11925. catch (...)
  11926. {
  11927. app->unhandledException (0, __FILE__, __LINE__);
  11928. }
  11929. #endif
  11930. return shutdownAppAndClearUp (useForce);
  11931. }
  11932. int JUCEApplication::shutdownAppAndClearUp (const bool useMaximumForce)
  11933. {
  11934. jassert (appInstance != 0);
  11935. JUCEApplication* const app = appInstance;
  11936. int returnValue = 0;
  11937. static bool reentrancyCheck = false;
  11938. if (! reentrancyCheck)
  11939. {
  11940. reentrancyCheck = true;
  11941. JUCE_TRY
  11942. {
  11943. // give the app a chance to clean up..
  11944. app->shutdown();
  11945. }
  11946. #if JUCE_CATCH_UNHANDLED_EXCEPTIONS
  11947. catch (const std::exception& e)
  11948. {
  11949. app->unhandledException (&e, __FILE__, __LINE__);
  11950. }
  11951. catch (...)
  11952. {
  11953. app->unhandledException (0, __FILE__, __LINE__);
  11954. }
  11955. #endif
  11956. JUCE_TRY
  11957. {
  11958. shutdownJuce_GUI();
  11959. returnValue = app->getApplicationReturnValue();
  11960. appInstance = 0;
  11961. delete app;
  11962. }
  11963. JUCE_CATCH_ALL_ASSERT
  11964. if (useMaximumForce)
  11965. {
  11966. Process::terminate();
  11967. }
  11968. reentrancyCheck = false;
  11969. }
  11970. return returnValue;
  11971. }
  11972. int JUCEApplication::main (int argc, char* argv[],
  11973. JUCEApplication* const newApp)
  11974. {
  11975. juce_setCurrentExecutableFileName (String::fromUTF8 ((const uint8*) argv[0]));
  11976. String cmd;
  11977. for (int i = 1; i < argc; ++i)
  11978. cmd << String::fromUTF8 ((const uint8*) argv[i]) << T(' ');
  11979. return JUCEApplication::main (cmd, newApp);
  11980. }
  11981. void JUCEApplication::actionListenerCallback (const String& message)
  11982. {
  11983. if (message.startsWith (getApplicationName() + "/"))
  11984. anotherInstanceStarted (message.substring (getApplicationName().length() + 1));
  11985. }
  11986. static bool juceInitialisedGUI = false;
  11987. void JUCE_PUBLIC_FUNCTION initialiseJuce_GUI()
  11988. {
  11989. if (! juceInitialisedGUI)
  11990. {
  11991. juceInitialisedGUI = true;
  11992. initialiseJuce_NonGUI();
  11993. MessageManager::getInstance();
  11994. Font::initialiseDefaultFontNames();
  11995. LookAndFeel::setDefaultLookAndFeel (0);
  11996. #if JUCE_WIN32 && JUCE_DEBUG
  11997. // This section is just for catching people who mess up their project settings and
  11998. // turn RTTI off..
  11999. try
  12000. {
  12001. TextButton tb (String::empty);
  12002. Component* c = &tb;
  12003. // Got an exception here? Then TURN ON RTTI in your compiler settings!!
  12004. c = dynamic_cast <Button*> (c);
  12005. }
  12006. catch (...)
  12007. {
  12008. // Ended up here? If so, TURN ON RTTI in your compiler settings!! And if you
  12009. // got as far as this catch statement, then why haven't you got exception catching
  12010. // turned on in the debugger???
  12011. jassertfalse
  12012. }
  12013. #endif
  12014. }
  12015. }
  12016. void JUCE_PUBLIC_FUNCTION shutdownJuce_GUI()
  12017. {
  12018. if (juceInitialisedGUI)
  12019. {
  12020. DeletedAtShutdown::deleteAll();
  12021. LookAndFeel::clearDefaultLookAndFeel();
  12022. shutdownJuce_NonGUI();
  12023. juceInitialisedGUI = false;
  12024. }
  12025. }
  12026. END_JUCE_NAMESPACE
  12027. /********* End of inlined file: juce_Application.cpp *********/
  12028. /********* Start of inlined file: juce_ApplicationCommandInfo.cpp *********/
  12029. BEGIN_JUCE_NAMESPACE
  12030. ApplicationCommandInfo::ApplicationCommandInfo (const CommandID commandID_) throw()
  12031. : commandID (commandID_),
  12032. flags (0)
  12033. {
  12034. }
  12035. void ApplicationCommandInfo::setInfo (const String& shortName_,
  12036. const String& description_,
  12037. const String& categoryName_,
  12038. const int flags_) throw()
  12039. {
  12040. shortName = shortName_;
  12041. description = description_;
  12042. categoryName = categoryName_;
  12043. flags = flags_;
  12044. }
  12045. void ApplicationCommandInfo::setActive (const bool b) throw()
  12046. {
  12047. if (b)
  12048. flags &= ~isDisabled;
  12049. else
  12050. flags |= isDisabled;
  12051. }
  12052. void ApplicationCommandInfo::setTicked (const bool b) throw()
  12053. {
  12054. if (b)
  12055. flags |= isTicked;
  12056. else
  12057. flags &= ~isTicked;
  12058. }
  12059. void ApplicationCommandInfo::addDefaultKeypress (const int keyCode, const ModifierKeys& modifiers) throw()
  12060. {
  12061. defaultKeypresses.add (KeyPress (keyCode, modifiers, 0));
  12062. }
  12063. END_JUCE_NAMESPACE
  12064. /********* End of inlined file: juce_ApplicationCommandInfo.cpp *********/
  12065. /********* Start of inlined file: juce_ApplicationCommandManager.cpp *********/
  12066. BEGIN_JUCE_NAMESPACE
  12067. ApplicationCommandManager::ApplicationCommandManager()
  12068. : listeners (8),
  12069. firstTarget (0)
  12070. {
  12071. keyMappings = new KeyPressMappingSet (this);
  12072. Desktop::getInstance().addFocusChangeListener (this);
  12073. }
  12074. ApplicationCommandManager::~ApplicationCommandManager()
  12075. {
  12076. Desktop::getInstance().removeFocusChangeListener (this);
  12077. deleteAndZero (keyMappings);
  12078. }
  12079. void ApplicationCommandManager::clearCommands()
  12080. {
  12081. commands.clear();
  12082. keyMappings->clearAllKeyPresses();
  12083. triggerAsyncUpdate();
  12084. }
  12085. void ApplicationCommandManager::registerCommand (const ApplicationCommandInfo& newCommand)
  12086. {
  12087. // zero isn't a valid command ID!
  12088. jassert (newCommand.commandID != 0);
  12089. // the name isn't optional!
  12090. jassert (newCommand.shortName.isNotEmpty());
  12091. if (getCommandForID (newCommand.commandID) == 0)
  12092. {
  12093. ApplicationCommandInfo* const newInfo = new ApplicationCommandInfo (newCommand);
  12094. newInfo->flags &= ~ApplicationCommandInfo::isTicked;
  12095. commands.add (newInfo);
  12096. keyMappings->resetToDefaultMapping (newCommand.commandID);
  12097. triggerAsyncUpdate();
  12098. }
  12099. else
  12100. {
  12101. // trying to re-register the same command with different parameters?
  12102. jassert (newCommand.shortName == getCommandForID (newCommand.commandID)->shortName
  12103. && (newCommand.description == getCommandForID (newCommand.commandID)->description || newCommand.description.isEmpty())
  12104. && newCommand.categoryName == getCommandForID (newCommand.commandID)->categoryName
  12105. && newCommand.defaultKeypresses == getCommandForID (newCommand.commandID)->defaultKeypresses
  12106. && (newCommand.flags & (ApplicationCommandInfo::wantsKeyUpDownCallbacks | ApplicationCommandInfo::hiddenFromKeyEditor | ApplicationCommandInfo::readOnlyInKeyEditor))
  12107. == (getCommandForID (newCommand.commandID)->flags & (ApplicationCommandInfo::wantsKeyUpDownCallbacks | ApplicationCommandInfo::hiddenFromKeyEditor | ApplicationCommandInfo::readOnlyInKeyEditor)));
  12108. }
  12109. }
  12110. void ApplicationCommandManager::registerAllCommandsForTarget (ApplicationCommandTarget* target)
  12111. {
  12112. if (target != 0)
  12113. {
  12114. Array <CommandID> commandIDs;
  12115. target->getAllCommands (commandIDs);
  12116. for (int i = 0; i < commandIDs.size(); ++i)
  12117. {
  12118. ApplicationCommandInfo info (commandIDs.getUnchecked(i));
  12119. target->getCommandInfo (info.commandID, info);
  12120. registerCommand (info);
  12121. }
  12122. }
  12123. }
  12124. void ApplicationCommandManager::removeCommand (const CommandID commandID)
  12125. {
  12126. for (int i = commands.size(); --i >= 0;)
  12127. {
  12128. if (commands.getUnchecked (i)->commandID == commandID)
  12129. {
  12130. commands.remove (i);
  12131. triggerAsyncUpdate();
  12132. const Array <KeyPress> keys (keyMappings->getKeyPressesAssignedToCommand (commandID));
  12133. for (int j = keys.size(); --j >= 0;)
  12134. keyMappings->removeKeyPress (keys.getReference (j));
  12135. }
  12136. }
  12137. }
  12138. void ApplicationCommandManager::commandStatusChanged()
  12139. {
  12140. triggerAsyncUpdate();
  12141. }
  12142. const ApplicationCommandInfo* ApplicationCommandManager::getCommandForID (const CommandID commandID) const throw()
  12143. {
  12144. for (int i = commands.size(); --i >= 0;)
  12145. if (commands.getUnchecked(i)->commandID == commandID)
  12146. return commands.getUnchecked(i);
  12147. return 0;
  12148. }
  12149. const String ApplicationCommandManager::getNameOfCommand (const CommandID commandID) const throw()
  12150. {
  12151. const ApplicationCommandInfo* const ci = getCommandForID (commandID);
  12152. return (ci != 0) ? ci->shortName : String::empty;
  12153. }
  12154. const String ApplicationCommandManager::getDescriptionOfCommand (const CommandID commandID) const throw()
  12155. {
  12156. const ApplicationCommandInfo* const ci = getCommandForID (commandID);
  12157. return (ci != 0) ? (ci->description.isNotEmpty() ? ci->description : ci->shortName)
  12158. : String::empty;
  12159. }
  12160. const StringArray ApplicationCommandManager::getCommandCategories() const throw()
  12161. {
  12162. StringArray s;
  12163. for (int i = 0; i < commands.size(); ++i)
  12164. s.addIfNotAlreadyThere (commands.getUnchecked(i)->categoryName, false);
  12165. return s;
  12166. }
  12167. const Array <CommandID> ApplicationCommandManager::getCommandsInCategory (const String& categoryName) const throw()
  12168. {
  12169. Array <CommandID> results (4);
  12170. for (int i = 0; i < commands.size(); ++i)
  12171. if (commands.getUnchecked(i)->categoryName == categoryName)
  12172. results.add (commands.getUnchecked(i)->commandID);
  12173. return results;
  12174. }
  12175. bool ApplicationCommandManager::invokeDirectly (const CommandID commandID, const bool asynchronously)
  12176. {
  12177. ApplicationCommandTarget::InvocationInfo info (commandID);
  12178. info.invocationMethod = ApplicationCommandTarget::InvocationInfo::direct;
  12179. return invoke (info, asynchronously);
  12180. }
  12181. bool ApplicationCommandManager::invoke (const ApplicationCommandTarget::InvocationInfo& info_, const bool asynchronously)
  12182. {
  12183. // This call isn't thread-safe for use from a non-UI thread without locking the message
  12184. // manager first..
  12185. jassert (MessageManager::getInstance()->currentThreadHasLockedMessageManager());
  12186. ApplicationCommandTarget* const target = getFirstCommandTarget (info_.commandID);
  12187. if (target == 0)
  12188. return false;
  12189. ApplicationCommandInfo commandInfo (0);
  12190. target->getCommandInfo (info_.commandID, commandInfo);
  12191. ApplicationCommandTarget::InvocationInfo info (info_);
  12192. info.commandFlags = commandInfo.flags;
  12193. sendListenerInvokeCallback (info);
  12194. const bool ok = target->invoke (info, asynchronously);
  12195. commandStatusChanged();
  12196. return ok;
  12197. }
  12198. ApplicationCommandTarget* ApplicationCommandManager::getFirstCommandTarget (const CommandID)
  12199. {
  12200. return firstTarget != 0 ? firstTarget
  12201. : findDefaultComponentTarget();
  12202. }
  12203. void ApplicationCommandManager::setFirstCommandTarget (ApplicationCommandTarget* const newTarget) throw()
  12204. {
  12205. firstTarget = newTarget;
  12206. }
  12207. ApplicationCommandTarget* ApplicationCommandManager::getTargetForCommand (const CommandID commandID,
  12208. ApplicationCommandInfo& upToDateInfo)
  12209. {
  12210. ApplicationCommandTarget* target = getFirstCommandTarget (commandID);
  12211. if (target == 0)
  12212. target = JUCEApplication::getInstance();
  12213. if (target != 0)
  12214. target = target->getTargetForCommand (commandID);
  12215. if (target != 0)
  12216. target->getCommandInfo (commandID, upToDateInfo);
  12217. return target;
  12218. }
  12219. ApplicationCommandTarget* ApplicationCommandManager::findTargetForComponent (Component* c)
  12220. {
  12221. ApplicationCommandTarget* target = dynamic_cast <ApplicationCommandTarget*> (c);
  12222. if (target == 0 && c != 0)
  12223. // (unable to use the syntax findParentComponentOfClass <ApplicationCommandTarget> () because of a VC6 compiler bug)
  12224. target = c->findParentComponentOfClass ((ApplicationCommandTarget*) 0);
  12225. return target;
  12226. }
  12227. ApplicationCommandTarget* ApplicationCommandManager::findDefaultComponentTarget()
  12228. {
  12229. Component* c = Component::getCurrentlyFocusedComponent();
  12230. if (c == 0)
  12231. {
  12232. TopLevelWindow* const activeWindow = TopLevelWindow::getActiveTopLevelWindow();
  12233. if (activeWindow != 0)
  12234. {
  12235. c = activeWindow->getPeer()->getLastFocusedSubcomponent();
  12236. if (c == 0)
  12237. c = activeWindow;
  12238. }
  12239. }
  12240. if (c == 0)
  12241. {
  12242. // getting a bit desperate now - try all desktop comps..
  12243. for (int i = Desktop::getInstance().getNumComponents(); --i >= 0;)
  12244. {
  12245. ApplicationCommandTarget* const target
  12246. = findTargetForComponent (Desktop::getInstance().getComponent (i)
  12247. ->getPeer()->getLastFocusedSubcomponent());
  12248. if (target != 0)
  12249. return target;
  12250. }
  12251. }
  12252. if (c != 0)
  12253. {
  12254. ResizableWindow* const resizableWindow = dynamic_cast <ResizableWindow*> (c);
  12255. // if we're focused on a ResizableWindow, chances are that it's the content
  12256. // component that really should get the event. And if not, the event will
  12257. // still be passed up to the top level window anyway, so let's send it to the
  12258. // content comp.
  12259. if (resizableWindow != 0 && resizableWindow->getContentComponent() != 0)
  12260. c = resizableWindow->getContentComponent();
  12261. ApplicationCommandTarget* const target = findTargetForComponent (c);
  12262. if (target != 0)
  12263. return target;
  12264. }
  12265. return JUCEApplication::getInstance();
  12266. }
  12267. void ApplicationCommandManager::addListener (ApplicationCommandManagerListener* const listener) throw()
  12268. {
  12269. jassert (listener != 0);
  12270. if (listener != 0)
  12271. listeners.add (listener);
  12272. }
  12273. void ApplicationCommandManager::removeListener (ApplicationCommandManagerListener* const listener) throw()
  12274. {
  12275. listeners.removeValue (listener);
  12276. }
  12277. void ApplicationCommandManager::sendListenerInvokeCallback (const ApplicationCommandTarget::InvocationInfo& info) const
  12278. {
  12279. for (int i = listeners.size(); --i >= 0;)
  12280. {
  12281. ((ApplicationCommandManagerListener*) listeners.getUnchecked (i))->applicationCommandInvoked (info);
  12282. i = jmin (i, listeners.size());
  12283. }
  12284. }
  12285. void ApplicationCommandManager::handleAsyncUpdate()
  12286. {
  12287. for (int i = listeners.size(); --i >= 0;)
  12288. {
  12289. ((ApplicationCommandManagerListener*) listeners.getUnchecked (i))->applicationCommandListChanged();
  12290. i = jmin (i, listeners.size());
  12291. }
  12292. }
  12293. void ApplicationCommandManager::globalFocusChanged (Component*)
  12294. {
  12295. commandStatusChanged();
  12296. }
  12297. END_JUCE_NAMESPACE
  12298. /********* End of inlined file: juce_ApplicationCommandManager.cpp *********/
  12299. /********* Start of inlined file: juce_ApplicationCommandTarget.cpp *********/
  12300. BEGIN_JUCE_NAMESPACE
  12301. ApplicationCommandTarget::ApplicationCommandTarget()
  12302. : messageInvoker (0)
  12303. {
  12304. }
  12305. ApplicationCommandTarget::~ApplicationCommandTarget()
  12306. {
  12307. deleteAndZero (messageInvoker);
  12308. }
  12309. bool ApplicationCommandTarget::tryToInvoke (const InvocationInfo& info, const bool async)
  12310. {
  12311. if (isCommandActive (info.commandID))
  12312. {
  12313. if (async)
  12314. {
  12315. if (messageInvoker == 0)
  12316. messageInvoker = new CommandTargetMessageInvoker (this);
  12317. messageInvoker->postMessage (new Message (0, 0, 0, new ApplicationCommandTarget::InvocationInfo (info)));
  12318. return true;
  12319. }
  12320. else
  12321. {
  12322. const bool success = perform (info);
  12323. jassert (success); // hmm - your target should have been able to perform this command. If it can't
  12324. // do it at the moment for some reason, it should clear the 'isActive' flag when it
  12325. // returns the command's info.
  12326. return success;
  12327. }
  12328. }
  12329. return false;
  12330. }
  12331. ApplicationCommandTarget* ApplicationCommandTarget::findFirstTargetParentComponent()
  12332. {
  12333. Component* c = dynamic_cast <Component*> (this);
  12334. if (c != 0)
  12335. // (unable to use the syntax findParentComponentOfClass <ApplicationCommandTarget> () because of a VC6 compiler bug)
  12336. return c->findParentComponentOfClass ((ApplicationCommandTarget*) 0);
  12337. return 0;
  12338. }
  12339. ApplicationCommandTarget* ApplicationCommandTarget::getTargetForCommand (const CommandID commandID)
  12340. {
  12341. ApplicationCommandTarget* target = this;
  12342. int depth = 0;
  12343. while (target != 0)
  12344. {
  12345. Array <CommandID> commandIDs;
  12346. target->getAllCommands (commandIDs);
  12347. if (commandIDs.contains (commandID))
  12348. return target;
  12349. target = target->getNextCommandTarget();
  12350. ++depth;
  12351. jassert (depth < 100); // could be a recursive command chain??
  12352. jassert (target != this); // definitely a recursive command chain!
  12353. if (depth > 100 || target == this)
  12354. break;
  12355. }
  12356. if (target == 0)
  12357. {
  12358. target = JUCEApplication::getInstance();
  12359. if (target != 0)
  12360. {
  12361. Array <CommandID> commandIDs;
  12362. target->getAllCommands (commandIDs);
  12363. if (commandIDs.contains (commandID))
  12364. return target;
  12365. }
  12366. }
  12367. return 0;
  12368. }
  12369. bool ApplicationCommandTarget::isCommandActive (const CommandID commandID)
  12370. {
  12371. ApplicationCommandInfo info (commandID);
  12372. info.flags = ApplicationCommandInfo::isDisabled;
  12373. getCommandInfo (commandID, info);
  12374. return (info.flags & ApplicationCommandInfo::isDisabled) == 0;
  12375. }
  12376. bool ApplicationCommandTarget::invoke (const InvocationInfo& info, const bool async)
  12377. {
  12378. ApplicationCommandTarget* target = this;
  12379. int depth = 0;
  12380. while (target != 0)
  12381. {
  12382. if (target->tryToInvoke (info, async))
  12383. return true;
  12384. target = target->getNextCommandTarget();
  12385. ++depth;
  12386. jassert (depth < 100); // could be a recursive command chain??
  12387. jassert (target != this); // definitely a recursive command chain!
  12388. if (depth > 100 || target == this)
  12389. break;
  12390. }
  12391. if (target == 0)
  12392. {
  12393. target = JUCEApplication::getInstance();
  12394. if (target != 0)
  12395. return target->tryToInvoke (info, async);
  12396. }
  12397. return false;
  12398. }
  12399. bool ApplicationCommandTarget::invokeDirectly (const CommandID commandID, const bool asynchronously)
  12400. {
  12401. ApplicationCommandTarget::InvocationInfo info (commandID);
  12402. info.invocationMethod = ApplicationCommandTarget::InvocationInfo::direct;
  12403. return invoke (info, asynchronously);
  12404. }
  12405. ApplicationCommandTarget::InvocationInfo::InvocationInfo (const CommandID commandID_) throw()
  12406. : commandID (commandID_),
  12407. commandFlags (0),
  12408. invocationMethod (direct),
  12409. originatingComponent (0),
  12410. isKeyDown (false),
  12411. millisecsSinceKeyPressed (0)
  12412. {
  12413. }
  12414. ApplicationCommandTarget::CommandTargetMessageInvoker::CommandTargetMessageInvoker (ApplicationCommandTarget* const owner_)
  12415. : owner (owner_)
  12416. {
  12417. }
  12418. ApplicationCommandTarget::CommandTargetMessageInvoker::~CommandTargetMessageInvoker()
  12419. {
  12420. }
  12421. void ApplicationCommandTarget::CommandTargetMessageInvoker::handleMessage (const Message& message)
  12422. {
  12423. InvocationInfo* const info = (InvocationInfo*) message.pointerParameter;
  12424. owner->tryToInvoke (*info, false);
  12425. delete info;
  12426. }
  12427. END_JUCE_NAMESPACE
  12428. /********* End of inlined file: juce_ApplicationCommandTarget.cpp *********/
  12429. /********* Start of inlined file: juce_ApplicationProperties.cpp *********/
  12430. BEGIN_JUCE_NAMESPACE
  12431. juce_ImplementSingleton (ApplicationProperties)
  12432. ApplicationProperties::ApplicationProperties() throw()
  12433. : userProps (0),
  12434. commonProps (0),
  12435. msBeforeSaving (3000),
  12436. options (PropertiesFile::storeAsBinary),
  12437. commonSettingsAreReadOnly (0)
  12438. {
  12439. }
  12440. ApplicationProperties::~ApplicationProperties()
  12441. {
  12442. closeFiles();
  12443. clearSingletonInstance();
  12444. }
  12445. void ApplicationProperties::setStorageParameters (const String& applicationName,
  12446. const String& fileNameSuffix,
  12447. const String& folderName_,
  12448. const int millisecondsBeforeSaving,
  12449. const int propertiesFileOptions) throw()
  12450. {
  12451. appName = applicationName;
  12452. fileSuffix = fileNameSuffix;
  12453. folderName = folderName_;
  12454. msBeforeSaving = millisecondsBeforeSaving;
  12455. options = propertiesFileOptions;
  12456. }
  12457. bool ApplicationProperties::testWriteAccess (const bool testUserSettings,
  12458. const bool testCommonSettings,
  12459. const bool showWarningDialogOnFailure)
  12460. {
  12461. const bool userOk = (! testUserSettings) || getUserSettings()->save();
  12462. const bool commonOk = (! testCommonSettings) || getCommonSettings (false)->save();
  12463. if (! (userOk && commonOk))
  12464. {
  12465. if (showWarningDialogOnFailure)
  12466. {
  12467. String filenames;
  12468. if (userProps != 0 && ! userOk)
  12469. filenames << '\n' << userProps->getFile().getFullPathName();
  12470. if (commonProps != 0 && ! commonOk)
  12471. filenames << '\n' << commonProps->getFile().getFullPathName();
  12472. AlertWindow::showMessageBox (AlertWindow::WarningIcon,
  12473. appName + TRANS(" - Unable to save settings"),
  12474. TRANS("An error occurred when trying to save the application's settings file...\n\nIn order to save and restore its settings, ")
  12475. + appName + TRANS(" needs to be able to write to the following files:\n")
  12476. + filenames
  12477. + TRANS("\n\nMake sure that these files aren't read-only, and that the disk isn't full."));
  12478. }
  12479. return false;
  12480. }
  12481. return true;
  12482. }
  12483. void ApplicationProperties::openFiles() throw()
  12484. {
  12485. // You need to call setStorageParameters() before trying to get hold of the
  12486. // properties!
  12487. jassert (appName.isNotEmpty());
  12488. if (appName.isNotEmpty())
  12489. {
  12490. if (userProps == 0)
  12491. userProps = PropertiesFile::createDefaultAppPropertiesFile (appName, fileSuffix, folderName,
  12492. false, msBeforeSaving, options);
  12493. if (commonProps == 0)
  12494. commonProps = PropertiesFile::createDefaultAppPropertiesFile (appName, fileSuffix, folderName,
  12495. true, msBeforeSaving, options);
  12496. userProps->setFallbackPropertySet (commonProps);
  12497. }
  12498. }
  12499. PropertiesFile* ApplicationProperties::getUserSettings() throw()
  12500. {
  12501. if (userProps == 0)
  12502. openFiles();
  12503. return userProps;
  12504. }
  12505. PropertiesFile* ApplicationProperties::getCommonSettings (const bool returnUserPropsIfReadOnly) throw()
  12506. {
  12507. if (commonProps == 0)
  12508. openFiles();
  12509. if (returnUserPropsIfReadOnly)
  12510. {
  12511. if (commonSettingsAreReadOnly == 0)
  12512. commonSettingsAreReadOnly = commonProps->save() ? -1 : 1;
  12513. if (commonSettingsAreReadOnly > 0)
  12514. return userProps;
  12515. }
  12516. return commonProps;
  12517. }
  12518. bool ApplicationProperties::saveIfNeeded()
  12519. {
  12520. return (userProps == 0 || userProps->saveIfNeeded())
  12521. && (commonProps == 0 || commonProps->saveIfNeeded());
  12522. }
  12523. void ApplicationProperties::closeFiles()
  12524. {
  12525. deleteAndZero (userProps);
  12526. deleteAndZero (commonProps);
  12527. }
  12528. END_JUCE_NAMESPACE
  12529. /********* End of inlined file: juce_ApplicationProperties.cpp *********/
  12530. /********* Start of inlined file: juce_DeletedAtShutdown.cpp *********/
  12531. BEGIN_JUCE_NAMESPACE
  12532. static VoidArray objectsToDelete (16);
  12533. static CriticalSection lock;
  12534. DeletedAtShutdown::DeletedAtShutdown() throw()
  12535. {
  12536. const ScopedLock sl (lock);
  12537. objectsToDelete.add (this);
  12538. }
  12539. DeletedAtShutdown::~DeletedAtShutdown()
  12540. {
  12541. const ScopedLock sl (lock);
  12542. objectsToDelete.removeValue (this);
  12543. }
  12544. void DeletedAtShutdown::deleteAll()
  12545. {
  12546. // make a local copy of the array, so it can't get into a loop if something
  12547. // creates another DeletedAtShutdown object during its destructor.
  12548. lock.enter();
  12549. const VoidArray localCopy (objectsToDelete);
  12550. lock.exit();
  12551. for (int i = localCopy.size(); --i >= 0;)
  12552. {
  12553. JUCE_TRY
  12554. {
  12555. DeletedAtShutdown* const deletee = (DeletedAtShutdown*) localCopy.getUnchecked(i);
  12556. // double-check that it's not already been deleted during another object's destructor.
  12557. lock.enter();
  12558. const bool okToDelete = objectsToDelete.contains (deletee);
  12559. lock.exit();
  12560. if (okToDelete)
  12561. delete deletee;
  12562. }
  12563. JUCE_CATCH_EXCEPTION
  12564. }
  12565. // if no objects got re-created during shutdown, this should have been emptied by their
  12566. // destructors
  12567. jassert (objectsToDelete.size() == 0);
  12568. objectsToDelete.clear(); // just to make sure the array doesn't have any memory still allocated
  12569. }
  12570. END_JUCE_NAMESPACE
  12571. /********* End of inlined file: juce_DeletedAtShutdown.cpp *********/
  12572. /********* Start of inlined file: juce_PropertiesFile.cpp *********/
  12573. BEGIN_JUCE_NAMESPACE
  12574. static const int propFileMagicNumber = ((int) littleEndianInt ("PROP"));
  12575. static const int propFileMagicNumberCompressed = ((int) littleEndianInt ("CPRP"));
  12576. static const tchar* const propertyFileXmlTag = T("PROPERTIES");
  12577. static const tchar* const propertyTagName = T("VALUE");
  12578. PropertiesFile::PropertiesFile (const File& f,
  12579. const int millisecondsBeforeSaving,
  12580. const int options_) throw()
  12581. : PropertySet (ignoreCaseOfKeyNames),
  12582. file (f),
  12583. timerInterval (millisecondsBeforeSaving),
  12584. options (options_),
  12585. needsWriting (false)
  12586. {
  12587. // You need to correctly specify just one storage format for the file
  12588. jassert ((options_ & (storeAsBinary | storeAsCompressedBinary | storeAsXML)) == storeAsBinary
  12589. || (options_ & (storeAsBinary | storeAsCompressedBinary | storeAsXML)) == storeAsCompressedBinary
  12590. || (options_ & (storeAsBinary | storeAsCompressedBinary | storeAsXML)) == storeAsXML);
  12591. InputStream* fileStream = f.createInputStream();
  12592. if (fileStream != 0)
  12593. {
  12594. int magicNumber = fileStream->readInt();
  12595. if (magicNumber == propFileMagicNumberCompressed)
  12596. {
  12597. fileStream = new SubregionStream (fileStream, 4, -1, true);
  12598. fileStream = new GZIPDecompressorInputStream (fileStream, true);
  12599. magicNumber = propFileMagicNumber;
  12600. }
  12601. if (magicNumber == propFileMagicNumber)
  12602. {
  12603. BufferedInputStream in (fileStream, 2048, true);
  12604. int numValues = in.readInt();
  12605. while (--numValues >= 0 && ! in.isExhausted())
  12606. {
  12607. const String key (in.readString());
  12608. const String value (in.readString());
  12609. jassert (key.isNotEmpty());
  12610. if (key.isNotEmpty())
  12611. getAllProperties().set (key, value);
  12612. }
  12613. }
  12614. else
  12615. {
  12616. // Not a binary props file - let's see if it's XML..
  12617. delete fileStream;
  12618. XmlDocument parser (f);
  12619. XmlElement* doc = parser.getDocumentElement (true);
  12620. if (doc != 0 && doc->hasTagName (propertyFileXmlTag))
  12621. {
  12622. delete doc;
  12623. doc = parser.getDocumentElement();
  12624. if (doc != 0)
  12625. {
  12626. forEachXmlChildElementWithTagName (*doc, e, propertyTagName)
  12627. {
  12628. const String name (e->getStringAttribute (T("name")));
  12629. if (name.isNotEmpty())
  12630. {
  12631. getAllProperties().set (name,
  12632. e->getFirstChildElement() != 0
  12633. ? e->getFirstChildElement()->createDocument (String::empty, true)
  12634. : e->getStringAttribute (T("val")));
  12635. }
  12636. }
  12637. }
  12638. else
  12639. {
  12640. // must be a pretty broken XML file we're trying to parse here!
  12641. jassertfalse
  12642. }
  12643. delete doc;
  12644. }
  12645. }
  12646. }
  12647. }
  12648. PropertiesFile::~PropertiesFile()
  12649. {
  12650. saveIfNeeded();
  12651. }
  12652. bool PropertiesFile::saveIfNeeded()
  12653. {
  12654. const ScopedLock sl (getLock());
  12655. return (! needsWriting) || save();
  12656. }
  12657. bool PropertiesFile::needsToBeSaved() const throw()
  12658. {
  12659. const ScopedLock sl (getLock());
  12660. return needsWriting;
  12661. }
  12662. bool PropertiesFile::save()
  12663. {
  12664. const ScopedLock sl (getLock());
  12665. stopTimer();
  12666. if (file == File::nonexistent
  12667. || file.isDirectory()
  12668. || ! file.getParentDirectory().createDirectory())
  12669. return false;
  12670. if ((options & storeAsXML) != 0)
  12671. {
  12672. XmlElement* const doc = new XmlElement (propertyFileXmlTag);
  12673. for (int i = 0; i < getAllProperties().size(); ++i)
  12674. {
  12675. XmlElement* const e = new XmlElement (propertyTagName);
  12676. e->setAttribute (T("name"), getAllProperties().getAllKeys() [i]);
  12677. // if the value seems to contain xml, store it as such..
  12678. XmlDocument xmlContent (getAllProperties().getAllValues() [i]);
  12679. XmlElement* const childElement = xmlContent.getDocumentElement();
  12680. if (childElement != 0)
  12681. e->addChildElement (childElement);
  12682. else
  12683. e->setAttribute (T("val"), getAllProperties().getAllValues() [i]);
  12684. doc->addChildElement (e);
  12685. }
  12686. const bool ok = doc->writeToFile (file, String::empty);
  12687. delete doc;
  12688. return ok;
  12689. }
  12690. else
  12691. {
  12692. const File tempFile (file.getNonexistentSibling (false));
  12693. OutputStream* out = tempFile.createOutputStream();
  12694. if (out != 0)
  12695. {
  12696. if ((options & storeAsCompressedBinary) != 0)
  12697. {
  12698. out->writeInt (propFileMagicNumberCompressed);
  12699. out->flush();
  12700. out = new GZIPCompressorOutputStream (out, 9, true);
  12701. }
  12702. else
  12703. {
  12704. // have you set up the storage option flags correctly?
  12705. jassert ((options & storeAsBinary) != 0);
  12706. out->writeInt (propFileMagicNumber);
  12707. }
  12708. const int numProperties = getAllProperties().size();
  12709. out->writeInt (numProperties);
  12710. for (int i = 0; i < numProperties; ++i)
  12711. {
  12712. out->writeString (getAllProperties().getAllKeys() [i]);
  12713. out->writeString (getAllProperties().getAllValues() [i]);
  12714. }
  12715. out->flush();
  12716. delete out;
  12717. if (tempFile.moveFileTo (file))
  12718. {
  12719. needsWriting = false;
  12720. return true;
  12721. }
  12722. tempFile.deleteFile();
  12723. }
  12724. }
  12725. return false;
  12726. }
  12727. void PropertiesFile::timerCallback()
  12728. {
  12729. saveIfNeeded();
  12730. }
  12731. void PropertiesFile::propertyChanged()
  12732. {
  12733. sendChangeMessage (this);
  12734. needsWriting = true;
  12735. if (timerInterval > 0)
  12736. startTimer (timerInterval);
  12737. else if (timerInterval == 0)
  12738. saveIfNeeded();
  12739. }
  12740. const File PropertiesFile::getFile() const throw()
  12741. {
  12742. return file;
  12743. }
  12744. const File PropertiesFile::getDefaultAppSettingsFile (const String& applicationName,
  12745. const String& fileNameSuffix,
  12746. const String& folderName,
  12747. const bool commonToAllUsers)
  12748. {
  12749. // mustn't have illegal characters in this name..
  12750. jassert (applicationName == File::createLegalFileName (applicationName));
  12751. #if JUCE_MAC
  12752. File dir (commonToAllUsers ? "/Library/Preferences"
  12753. : "~/Library/Preferences");
  12754. if (folderName.isNotEmpty())
  12755. dir = dir.getChildFile (folderName);
  12756. #endif
  12757. #ifdef JUCE_LINUX
  12758. const File dir ((commonToAllUsers ? T("/var/") : T("~/"))
  12759. + (folderName.isNotEmpty() ? folderName
  12760. : (T(".") + applicationName)));
  12761. #endif
  12762. #if JUCE_WIN32
  12763. File dir (File::getSpecialLocation (commonToAllUsers ? File::commonApplicationDataDirectory
  12764. : File::userApplicationDataDirectory));
  12765. if (dir == File::nonexistent)
  12766. return File::nonexistent;
  12767. dir = dir.getChildFile (folderName.isNotEmpty() ? folderName
  12768. : applicationName);
  12769. #endif
  12770. return dir.getChildFile (applicationName)
  12771. .withFileExtension (fileNameSuffix);
  12772. }
  12773. PropertiesFile* PropertiesFile::createDefaultAppPropertiesFile (const String& applicationName,
  12774. const String& fileNameSuffix,
  12775. const String& folderName,
  12776. const bool commonToAllUsers,
  12777. const int millisecondsBeforeSaving,
  12778. const int propertiesFileOptions)
  12779. {
  12780. const File file (getDefaultAppSettingsFile (applicationName,
  12781. fileNameSuffix,
  12782. folderName,
  12783. commonToAllUsers));
  12784. jassert (file != File::nonexistent);
  12785. if (file == File::nonexistent)
  12786. return 0;
  12787. return new PropertiesFile (file, millisecondsBeforeSaving, propertiesFileOptions);
  12788. }
  12789. END_JUCE_NAMESPACE
  12790. /********* End of inlined file: juce_PropertiesFile.cpp *********/
  12791. /********* Start of inlined file: juce_AiffAudioFormat.cpp *********/
  12792. BEGIN_JUCE_NAMESPACE
  12793. #undef chunkName
  12794. #define chunkName(a) (int)littleEndianInt(a)
  12795. #define aiffFormatName TRANS("AIFF file")
  12796. static const tchar* const aiffExtensions[] = { T(".aiff"), T(".aif"), 0 };
  12797. class AiffAudioFormatReader : public AudioFormatReader
  12798. {
  12799. public:
  12800. int bytesPerFrame;
  12801. int64 dataChunkStart;
  12802. bool littleEndian;
  12803. AiffAudioFormatReader (InputStream* in)
  12804. : AudioFormatReader (in, aiffFormatName)
  12805. {
  12806. if (input->readInt() == chunkName ("FORM"))
  12807. {
  12808. const int len = input->readIntBigEndian();
  12809. const int64 end = input->getPosition() + len;
  12810. const int nextType = input->readInt();
  12811. if (nextType == chunkName ("AIFF") || nextType == chunkName ("AIFC"))
  12812. {
  12813. bool hasGotVer = false;
  12814. bool hasGotData = false;
  12815. bool hasGotType = false;
  12816. while (input->getPosition() < end)
  12817. {
  12818. const int type = input->readInt();
  12819. const uint32 length = (uint32) input->readIntBigEndian();
  12820. const int64 chunkEnd = input->getPosition() + length;
  12821. if (type == chunkName ("FVER"))
  12822. {
  12823. hasGotVer = true;
  12824. const int ver = input->readIntBigEndian();
  12825. if (ver != 0 && ver != (int)0xa2805140)
  12826. break;
  12827. }
  12828. else if (type == chunkName ("COMM"))
  12829. {
  12830. hasGotType = true;
  12831. numChannels = (unsigned int)input->readShortBigEndian();
  12832. lengthInSamples = input->readIntBigEndian();
  12833. bitsPerSample = input->readShortBigEndian();
  12834. bytesPerFrame = (numChannels * bitsPerSample) >> 3;
  12835. unsigned char sampleRateBytes[10];
  12836. input->read (sampleRateBytes, 10);
  12837. const int byte0 = sampleRateBytes[0];
  12838. if ((byte0 & 0x80) != 0
  12839. || byte0 <= 0x3F || byte0 > 0x40
  12840. || (byte0 == 0x40 && sampleRateBytes[1] > 0x1C))
  12841. break;
  12842. unsigned int sampRate = bigEndianInt ((char*) sampleRateBytes + 2);
  12843. sampRate >>= (16414 - bigEndianShort ((char*) sampleRateBytes));
  12844. sampleRate = (int)sampRate;
  12845. if (length <= 18)
  12846. {
  12847. // some types don't have a chunk large enough to include a compression
  12848. // type, so assume it's just big-endian pcm
  12849. littleEndian = false;
  12850. }
  12851. else
  12852. {
  12853. const int compType = input->readInt();
  12854. if (compType == chunkName ("NONE") || compType == chunkName ("twos"))
  12855. {
  12856. littleEndian = false;
  12857. }
  12858. else if (compType == chunkName ("sowt"))
  12859. {
  12860. littleEndian = true;
  12861. }
  12862. else
  12863. {
  12864. sampleRate = 0;
  12865. break;
  12866. }
  12867. }
  12868. }
  12869. else if (type == chunkName ("SSND"))
  12870. {
  12871. hasGotData = true;
  12872. const int offset = input->readIntBigEndian();
  12873. dataChunkStart = input->getPosition() + 4 + offset;
  12874. lengthInSamples = (bytesPerFrame > 0) ? jmin (lengthInSamples, (int64) (length / bytesPerFrame)) : 0;
  12875. }
  12876. else if ((hasGotVer && hasGotData && hasGotType)
  12877. || chunkEnd < input->getPosition()
  12878. || input->isExhausted())
  12879. {
  12880. break;
  12881. }
  12882. input->setPosition (chunkEnd);
  12883. }
  12884. }
  12885. }
  12886. }
  12887. ~AiffAudioFormatReader()
  12888. {
  12889. }
  12890. bool read (int** destSamples,
  12891. int64 startSampleInFile,
  12892. int numSamples)
  12893. {
  12894. int64 start = startSampleInFile;
  12895. int startOffsetInDestBuffer = 0;
  12896. if (startSampleInFile < 0)
  12897. {
  12898. const int silence = (int) jmin (-startSampleInFile, (int64) numSamples);
  12899. int** destChan = destSamples;
  12900. for (int i = 2; --i >= 0;)
  12901. {
  12902. if (*destChan != 0)
  12903. {
  12904. zeromem (*destChan, sizeof (int) * silence);
  12905. ++destChan;
  12906. }
  12907. }
  12908. startOffsetInDestBuffer += silence;
  12909. numSamples -= silence;
  12910. start = 0;
  12911. }
  12912. int numToDo = jlimit (0, numSamples, (int) (lengthInSamples - start));
  12913. if (numToDo > 0)
  12914. {
  12915. input->setPosition (dataChunkStart + start * bytesPerFrame);
  12916. int num = numToDo;
  12917. int* left = destSamples[0];
  12918. if (left != 0)
  12919. left += startOffsetInDestBuffer;
  12920. int* right = destSamples[1];
  12921. if (right != 0)
  12922. right += startOffsetInDestBuffer;
  12923. // (keep this a multiple of 3)
  12924. const int tempBufSize = 1440 * 4;
  12925. char tempBuffer [tempBufSize];
  12926. while (num > 0)
  12927. {
  12928. const int numThisTime = jmin (tempBufSize / bytesPerFrame, num);
  12929. const int bytesRead = input->read (tempBuffer, numThisTime * bytesPerFrame);
  12930. if (bytesRead < numThisTime * bytesPerFrame)
  12931. zeromem (tempBuffer + bytesRead, numThisTime * bytesPerFrame - bytesRead);
  12932. if (bitsPerSample == 16)
  12933. {
  12934. if (littleEndian)
  12935. {
  12936. const short* src = (const short*) tempBuffer;
  12937. if (numChannels > 1)
  12938. {
  12939. if (left == 0)
  12940. {
  12941. for (int i = numThisTime; --i >= 0;)
  12942. {
  12943. *right++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  12944. ++src;
  12945. }
  12946. }
  12947. else if (right == 0)
  12948. {
  12949. for (int i = numThisTime; --i >= 0;)
  12950. {
  12951. ++src;
  12952. *left++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  12953. }
  12954. }
  12955. else
  12956. {
  12957. for (int i = numThisTime; --i >= 0;)
  12958. {
  12959. *left++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  12960. *right++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  12961. }
  12962. }
  12963. }
  12964. else
  12965. {
  12966. for (int i = numThisTime; --i >= 0;)
  12967. {
  12968. *left++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  12969. }
  12970. }
  12971. }
  12972. else
  12973. {
  12974. const char* src = (const char*) tempBuffer;
  12975. if (numChannels > 1)
  12976. {
  12977. if (left == 0)
  12978. {
  12979. for (int i = numThisTime; --i >= 0;)
  12980. {
  12981. *right++ = bigEndianShort (src) << 16;
  12982. src += 4;
  12983. }
  12984. }
  12985. else if (right == 0)
  12986. {
  12987. for (int i = numThisTime; --i >= 0;)
  12988. {
  12989. src += 2;
  12990. *left++ = bigEndianShort (src) << 16;
  12991. src += 2;
  12992. }
  12993. }
  12994. else
  12995. {
  12996. for (int i = numThisTime; --i >= 0;)
  12997. {
  12998. *left++ = bigEndianShort (src) << 16;
  12999. src += 2;
  13000. *right++ = bigEndianShort (src) << 16;
  13001. src += 2;
  13002. }
  13003. }
  13004. }
  13005. else
  13006. {
  13007. for (int i = numThisTime; --i >= 0;)
  13008. {
  13009. *left++ = bigEndianShort (src) << 16;
  13010. src += 2;
  13011. }
  13012. }
  13013. }
  13014. }
  13015. else if (bitsPerSample == 24)
  13016. {
  13017. const char* src = (const char*)tempBuffer;
  13018. if (littleEndian)
  13019. {
  13020. if (numChannels > 1)
  13021. {
  13022. if (left == 0)
  13023. {
  13024. for (int i = numThisTime; --i >= 0;)
  13025. {
  13026. *right++ = littleEndian24Bit (src) << 8;
  13027. src += 6;
  13028. }
  13029. }
  13030. else if (right == 0)
  13031. {
  13032. for (int i = numThisTime; --i >= 0;)
  13033. {
  13034. src += 3;
  13035. *left++ = littleEndian24Bit (src) << 8;
  13036. src += 3;
  13037. }
  13038. }
  13039. else
  13040. {
  13041. for (int i = numThisTime; --i >= 0;)
  13042. {
  13043. *left++ = littleEndian24Bit (src) << 8;
  13044. src += 3;
  13045. *right++ = littleEndian24Bit (src) << 8;
  13046. src += 3;
  13047. }
  13048. }
  13049. }
  13050. else
  13051. {
  13052. for (int i = numThisTime; --i >= 0;)
  13053. {
  13054. *left++ = littleEndian24Bit (src) << 8;
  13055. src += 3;
  13056. }
  13057. }
  13058. }
  13059. else
  13060. {
  13061. if (numChannels > 1)
  13062. {
  13063. if (left == 0)
  13064. {
  13065. for (int i = numThisTime; --i >= 0;)
  13066. {
  13067. *right++ = bigEndian24Bit (src) << 8;
  13068. src += 6;
  13069. }
  13070. }
  13071. else if (right == 0)
  13072. {
  13073. for (int i = numThisTime; --i >= 0;)
  13074. {
  13075. src += 3;
  13076. *left++ = bigEndian24Bit (src) << 8;
  13077. src += 3;
  13078. }
  13079. }
  13080. else
  13081. {
  13082. for (int i = numThisTime; --i >= 0;)
  13083. {
  13084. *left++ = bigEndian24Bit (src) << 8;
  13085. src += 3;
  13086. *right++ = bigEndian24Bit (src) << 8;
  13087. src += 3;
  13088. }
  13089. }
  13090. }
  13091. else
  13092. {
  13093. for (int i = numThisTime; --i >= 0;)
  13094. {
  13095. *left++ = bigEndian24Bit (src) << 8;
  13096. src += 3;
  13097. }
  13098. }
  13099. }
  13100. }
  13101. else if (bitsPerSample == 32)
  13102. {
  13103. const unsigned int* src = (const unsigned int*) tempBuffer;
  13104. unsigned int* l = (unsigned int*) left;
  13105. unsigned int* r = (unsigned int*) right;
  13106. if (littleEndian)
  13107. {
  13108. if (numChannels > 1)
  13109. {
  13110. if (l == 0)
  13111. {
  13112. for (int i = numThisTime; --i >= 0;)
  13113. {
  13114. ++src;
  13115. *r++ = swapIfBigEndian (*src++);
  13116. }
  13117. }
  13118. else if (r == 0)
  13119. {
  13120. for (int i = numThisTime; --i >= 0;)
  13121. {
  13122. *l++ = swapIfBigEndian (*src++);
  13123. ++src;
  13124. }
  13125. }
  13126. else
  13127. {
  13128. for (int i = numThisTime; --i >= 0;)
  13129. {
  13130. *l++ = swapIfBigEndian (*src++);
  13131. *r++ = swapIfBigEndian (*src++);
  13132. }
  13133. }
  13134. }
  13135. else
  13136. {
  13137. for (int i = numThisTime; --i >= 0;)
  13138. {
  13139. *l++ = swapIfBigEndian (*src++);
  13140. }
  13141. }
  13142. }
  13143. else
  13144. {
  13145. if (numChannels > 1)
  13146. {
  13147. if (l == 0)
  13148. {
  13149. for (int i = numThisTime; --i >= 0;)
  13150. {
  13151. ++src;
  13152. *r++ = swapIfLittleEndian (*src++);
  13153. }
  13154. }
  13155. else if (r == 0)
  13156. {
  13157. for (int i = numThisTime; --i >= 0;)
  13158. {
  13159. *l++ = swapIfLittleEndian (*src++);
  13160. ++src;
  13161. }
  13162. }
  13163. else
  13164. {
  13165. for (int i = numThisTime; --i >= 0;)
  13166. {
  13167. *l++ = swapIfLittleEndian (*src++);
  13168. *r++ = swapIfLittleEndian (*src++);
  13169. }
  13170. }
  13171. }
  13172. else
  13173. {
  13174. for (int i = numThisTime; --i >= 0;)
  13175. {
  13176. *l++ = swapIfLittleEndian (*src++);
  13177. }
  13178. }
  13179. }
  13180. left = (int*) l;
  13181. right = (int*) r;
  13182. }
  13183. else if (bitsPerSample == 8)
  13184. {
  13185. const char* src = (const char*) tempBuffer;
  13186. if (numChannels > 1)
  13187. {
  13188. if (left == 0)
  13189. {
  13190. for (int i = numThisTime; --i >= 0;)
  13191. {
  13192. *right++ = ((int) *src++) << 24;
  13193. ++src;
  13194. }
  13195. }
  13196. else if (right == 0)
  13197. {
  13198. for (int i = numThisTime; --i >= 0;)
  13199. {
  13200. ++src;
  13201. *left++ = ((int) *src++) << 24;
  13202. }
  13203. }
  13204. else
  13205. {
  13206. for (int i = numThisTime; --i >= 0;)
  13207. {
  13208. *left++ = ((int) *src++) << 24;
  13209. *right++ = ((int) *src++) << 24;
  13210. }
  13211. }
  13212. }
  13213. else
  13214. {
  13215. for (int i = numThisTime; --i >= 0;)
  13216. {
  13217. *left++ = ((int) *src++) << 24;
  13218. }
  13219. }
  13220. }
  13221. num -= numThisTime;
  13222. }
  13223. }
  13224. if (numToDo < numSamples)
  13225. {
  13226. int** destChan = destSamples;
  13227. while (*destChan != 0)
  13228. {
  13229. zeromem ((*destChan) + (startOffsetInDestBuffer + numToDo),
  13230. sizeof (int) * (numSamples - numToDo));
  13231. ++destChan;
  13232. }
  13233. }
  13234. return true;
  13235. }
  13236. juce_UseDebuggingNewOperator
  13237. private:
  13238. AiffAudioFormatReader (const AiffAudioFormatReader&);
  13239. const AiffAudioFormatReader& operator= (const AiffAudioFormatReader&);
  13240. };
  13241. class AiffAudioFormatWriter : public AudioFormatWriter
  13242. {
  13243. MemoryBlock tempBlock;
  13244. uint32 lengthInSamples, bytesWritten;
  13245. int64 headerPosition;
  13246. bool writeFailed;
  13247. AiffAudioFormatWriter (const AiffAudioFormatWriter&);
  13248. const AiffAudioFormatWriter& operator= (const AiffAudioFormatWriter&);
  13249. void writeHeader()
  13250. {
  13251. const bool couldSeekOk = output->setPosition (headerPosition);
  13252. (void) couldSeekOk;
  13253. // if this fails, you've given it an output stream that can't seek! It needs
  13254. // to be able to seek back to write the header
  13255. jassert (couldSeekOk);
  13256. const int headerLen = 54;
  13257. int audioBytes = lengthInSamples * ((bitsPerSample * numChannels) / 8);
  13258. audioBytes += (audioBytes & 1);
  13259. output->writeInt (chunkName ("FORM"));
  13260. output->writeIntBigEndian (headerLen + audioBytes - 8);
  13261. output->writeInt (chunkName ("AIFF"));
  13262. output->writeInt (chunkName ("COMM"));
  13263. output->writeIntBigEndian (18);
  13264. output->writeShortBigEndian ((short) numChannels);
  13265. output->writeIntBigEndian (lengthInSamples);
  13266. output->writeShortBigEndian ((short) bitsPerSample);
  13267. uint8 sampleRateBytes[10];
  13268. zeromem (sampleRateBytes, 10);
  13269. if (sampleRate <= 1)
  13270. {
  13271. sampleRateBytes[0] = 0x3f;
  13272. sampleRateBytes[1] = 0xff;
  13273. sampleRateBytes[2] = 0x80;
  13274. }
  13275. else
  13276. {
  13277. int mask = 0x40000000;
  13278. sampleRateBytes[0] = 0x40;
  13279. if (sampleRate >= mask)
  13280. {
  13281. jassertfalse
  13282. sampleRateBytes[1] = 0x1d;
  13283. }
  13284. else
  13285. {
  13286. int n = (int) sampleRate;
  13287. int i;
  13288. for (i = 0; i <= 32 ; ++i)
  13289. {
  13290. if ((n & mask) != 0)
  13291. break;
  13292. mask >>= 1;
  13293. }
  13294. n = n << (i + 1);
  13295. sampleRateBytes[1] = (uint8) (29 - i);
  13296. sampleRateBytes[2] = (uint8) ((n >> 24) & 0xff);
  13297. sampleRateBytes[3] = (uint8) ((n >> 16) & 0xff);
  13298. sampleRateBytes[4] = (uint8) ((n >> 8) & 0xff);
  13299. sampleRateBytes[5] = (uint8) (n & 0xff);
  13300. }
  13301. }
  13302. output->write (sampleRateBytes, 10);
  13303. output->writeInt (chunkName ("SSND"));
  13304. output->writeIntBigEndian (audioBytes + 8);
  13305. output->writeInt (0);
  13306. output->writeInt (0);
  13307. jassert (output->getPosition() == headerLen);
  13308. }
  13309. public:
  13310. AiffAudioFormatWriter (OutputStream* out,
  13311. const double sampleRate,
  13312. const unsigned int chans,
  13313. const int bits)
  13314. : AudioFormatWriter (out,
  13315. aiffFormatName,
  13316. sampleRate,
  13317. chans,
  13318. bits),
  13319. lengthInSamples (0),
  13320. bytesWritten (0),
  13321. writeFailed (false)
  13322. {
  13323. headerPosition = out->getPosition();
  13324. writeHeader();
  13325. }
  13326. ~AiffAudioFormatWriter()
  13327. {
  13328. if ((bytesWritten & 1) != 0)
  13329. output->writeByte (0);
  13330. writeHeader();
  13331. }
  13332. bool write (const int** data, int numSamples)
  13333. {
  13334. if (writeFailed)
  13335. return false;
  13336. const int bytes = numChannels * numSamples * bitsPerSample / 8;
  13337. tempBlock.ensureSize (bytes, false);
  13338. char* buffer = (char*) tempBlock.getData();
  13339. const int* left = data[0];
  13340. const int* right = data[1];
  13341. if (right == 0)
  13342. right = left;
  13343. if (bitsPerSample == 16)
  13344. {
  13345. short* b = (short*) buffer;
  13346. if (numChannels > 1)
  13347. {
  13348. for (int i = numSamples; --i >= 0;)
  13349. {
  13350. *b++ = (short) swapIfLittleEndian ((unsigned short) (*left++ >> 16));
  13351. *b++ = (short) swapIfLittleEndian ((unsigned short) (*right++ >> 16));
  13352. }
  13353. }
  13354. else
  13355. {
  13356. for (int i = numSamples; --i >= 0;)
  13357. {
  13358. *b++ = (short) swapIfLittleEndian ((unsigned short) (*left++ >> 16));
  13359. }
  13360. }
  13361. }
  13362. else if (bitsPerSample == 24)
  13363. {
  13364. char* b = (char*) buffer;
  13365. if (numChannels > 1)
  13366. {
  13367. for (int i = numSamples; --i >= 0;)
  13368. {
  13369. bigEndian24BitToChars (*left++ >> 8, b);
  13370. b += 3;
  13371. bigEndian24BitToChars (*right++ >> 8, b);
  13372. b += 3;
  13373. }
  13374. }
  13375. else
  13376. {
  13377. for (int i = numSamples; --i >= 0;)
  13378. {
  13379. bigEndian24BitToChars (*left++ >> 8, b);
  13380. b += 3;
  13381. }
  13382. }
  13383. }
  13384. else if (bitsPerSample == 32)
  13385. {
  13386. unsigned int* b = (unsigned int*) buffer;
  13387. if (numChannels > 1)
  13388. {
  13389. for (int i = numSamples; --i >= 0;)
  13390. {
  13391. *b++ = swapIfLittleEndian ((unsigned int) *left++);
  13392. *b++ = swapIfLittleEndian ((unsigned int) *right++);
  13393. }
  13394. }
  13395. else
  13396. {
  13397. for (int i = numSamples; --i >= 0;)
  13398. {
  13399. *b++ = swapIfLittleEndian ((unsigned int) *left++);
  13400. }
  13401. }
  13402. }
  13403. else if (bitsPerSample == 8)
  13404. {
  13405. char* b = (char*)buffer;
  13406. if (numChannels > 1)
  13407. {
  13408. for (int i = numSamples; --i >= 0;)
  13409. {
  13410. *b++ = (char) (*left++ >> 24);
  13411. *b++ = (char) (*right++ >> 24);
  13412. }
  13413. }
  13414. else
  13415. {
  13416. for (int i = numSamples; --i >= 0;)
  13417. {
  13418. *b++ = (char) (*left++ >> 24);
  13419. }
  13420. }
  13421. }
  13422. if (bytesWritten + bytes >= (uint32) 0xfff00000
  13423. || ! output->write (buffer, bytes))
  13424. {
  13425. // failed to write to disk, so let's try writing the header.
  13426. // If it's just run out of disk space, then if it does manage
  13427. // to write the header, we'll still have a useable file..
  13428. writeHeader();
  13429. writeFailed = true;
  13430. return false;
  13431. }
  13432. else
  13433. {
  13434. bytesWritten += bytes;
  13435. lengthInSamples += numSamples;
  13436. return true;
  13437. }
  13438. }
  13439. juce_UseDebuggingNewOperator
  13440. };
  13441. AiffAudioFormat::AiffAudioFormat()
  13442. : AudioFormat (aiffFormatName, (const tchar**) aiffExtensions)
  13443. {
  13444. }
  13445. AiffAudioFormat::~AiffAudioFormat()
  13446. {
  13447. }
  13448. const Array <int> AiffAudioFormat::getPossibleSampleRates()
  13449. {
  13450. const int rates[] = { 22050, 32000, 44100, 48000, 88200, 96000, 176400, 192000, 0 };
  13451. return Array <int> (rates);
  13452. }
  13453. const Array <int> AiffAudioFormat::getPossibleBitDepths()
  13454. {
  13455. const int depths[] = { 8, 16, 24, 0 };
  13456. return Array <int> (depths);
  13457. }
  13458. bool AiffAudioFormat::canDoStereo()
  13459. {
  13460. return true;
  13461. }
  13462. bool AiffAudioFormat::canDoMono()
  13463. {
  13464. return true;
  13465. }
  13466. #if JUCE_MAC
  13467. bool AiffAudioFormat::canHandleFile (const File& f)
  13468. {
  13469. if (AudioFormat::canHandleFile (f))
  13470. return true;
  13471. const OSType type = PlatformUtilities::getTypeOfFile (f.getFullPathName());
  13472. return type == 'AIFF' || type == 'AIFC'
  13473. || type == 'aiff' || type == 'aifc';
  13474. }
  13475. #endif
  13476. AudioFormatReader* AiffAudioFormat::createReaderFor (InputStream* sourceStream,
  13477. const bool deleteStreamIfOpeningFails)
  13478. {
  13479. AiffAudioFormatReader* w = new AiffAudioFormatReader (sourceStream);
  13480. if (w->sampleRate == 0)
  13481. {
  13482. if (! deleteStreamIfOpeningFails)
  13483. w->input = 0;
  13484. deleteAndZero (w);
  13485. }
  13486. return w;
  13487. }
  13488. AudioFormatWriter* AiffAudioFormat::createWriterFor (OutputStream* out,
  13489. double sampleRate,
  13490. unsigned int chans,
  13491. int bitsPerSample,
  13492. const StringPairArray& /*metadataValues*/,
  13493. int /*qualityOptionIndex*/)
  13494. {
  13495. if (getPossibleBitDepths().contains (bitsPerSample))
  13496. {
  13497. return new AiffAudioFormatWriter (out,
  13498. sampleRate,
  13499. chans,
  13500. bitsPerSample);
  13501. }
  13502. return 0;
  13503. }
  13504. END_JUCE_NAMESPACE
  13505. /********* End of inlined file: juce_AiffAudioFormat.cpp *********/
  13506. /********* Start of inlined file: juce_AudioCDReader.cpp *********/
  13507. BEGIN_JUCE_NAMESPACE
  13508. #if JUCE_MAC
  13509. // Mac version doesn't need any native code because it's all done with files..
  13510. // Windows + Linux versions are in the platform-dependent code sections.
  13511. static void findCDs (OwnedArray<File>& cds)
  13512. {
  13513. File volumes ("/Volumes");
  13514. volumes.findChildFiles (cds, File::findDirectories, false);
  13515. for (int i = cds.size(); --i >= 0;)
  13516. if (! cds[i]->getChildFile (".TOC.plist").exists())
  13517. cds.remove (i);
  13518. }
  13519. const StringArray AudioCDReader::getAvailableCDNames()
  13520. {
  13521. OwnedArray<File> cds;
  13522. findCDs (cds);
  13523. StringArray names;
  13524. for (int i = 0; i < cds.size(); ++i)
  13525. names.add (cds[i]->getFileName());
  13526. return names;
  13527. }
  13528. AudioCDReader* AudioCDReader::createReaderForCD (const int index)
  13529. {
  13530. OwnedArray<File> cds;
  13531. findCDs (cds);
  13532. if (cds[index] != 0)
  13533. return new AudioCDReader (*cds[index]);
  13534. else
  13535. return 0;
  13536. }
  13537. AudioCDReader::AudioCDReader (const File& volume)
  13538. : AudioFormatReader (0, "CD Audio"),
  13539. volumeDir (volume),
  13540. currentReaderTrack (-1),
  13541. reader (0)
  13542. {
  13543. sampleRate = 44100.0;
  13544. bitsPerSample = 16;
  13545. numChannels = 2;
  13546. usesFloatingPointData = false;
  13547. refreshTrackLengths();
  13548. }
  13549. AudioCDReader::~AudioCDReader()
  13550. {
  13551. if (reader != 0)
  13552. delete reader;
  13553. }
  13554. static int getTrackNumber (const File& file)
  13555. {
  13556. return file.getFileName()
  13557. .initialSectionContainingOnly (T("0123456789"))
  13558. .getIntValue();
  13559. }
  13560. int AudioCDReader::compareElements (const File* const first, const File* const second) throw()
  13561. {
  13562. const int firstTrack = getTrackNumber (*first);
  13563. const int secondTrack = getTrackNumber (*second);
  13564. jassert (firstTrack > 0 && secondTrack > 0);
  13565. return firstTrack - secondTrack;
  13566. }
  13567. void AudioCDReader::refreshTrackLengths()
  13568. {
  13569. tracks.clear();
  13570. trackStartSamples.clear();
  13571. volumeDir.findChildFiles (tracks, File::findFiles | File::ignoreHiddenFiles, false, T("*.aiff"));
  13572. tracks.sort (*this);
  13573. AiffAudioFormat format;
  13574. int sample = 0;
  13575. for (int i = 0; i < tracks.size(); ++i)
  13576. {
  13577. trackStartSamples.add (sample);
  13578. FileInputStream* const in = tracks[i]->createInputStream();
  13579. if (in != 0)
  13580. {
  13581. AudioFormatReader* const r = format.createReaderFor (in, true);
  13582. if (r != 0)
  13583. {
  13584. sample += r->lengthInSamples;
  13585. delete r;
  13586. }
  13587. }
  13588. }
  13589. trackStartSamples.add (sample);
  13590. lengthInSamples = sample;
  13591. }
  13592. bool AudioCDReader::read (int** destSamples,
  13593. int64 startSampleInFile,
  13594. int numSamples)
  13595. {
  13596. while (numSamples > 0)
  13597. {
  13598. int track = -1;
  13599. for (int i = 0; i < trackStartSamples.size() - 1; ++i)
  13600. {
  13601. if (startSampleInFile < trackStartSamples.getUnchecked (i + 1))
  13602. {
  13603. track = i;
  13604. break;
  13605. }
  13606. }
  13607. if (track < 0)
  13608. return false;
  13609. if (track != currentReaderTrack)
  13610. {
  13611. deleteAndZero (reader);
  13612. if (tracks [track] != 0)
  13613. {
  13614. FileInputStream* const in = tracks [track]->createInputStream();
  13615. if (in != 0)
  13616. {
  13617. BufferedInputStream* const bin = new BufferedInputStream (in, 65536, true);
  13618. AiffAudioFormat format;
  13619. reader = format.createReaderFor (bin, true);
  13620. if (reader == 0)
  13621. currentReaderTrack = -1;
  13622. else
  13623. currentReaderTrack = track;
  13624. }
  13625. }
  13626. }
  13627. if (reader == 0)
  13628. return false;
  13629. const int startPos = (int) (startSampleInFile - trackStartSamples.getUnchecked (track));
  13630. const int numAvailable = (int) jmin ((int64) numSamples, reader->lengthInSamples - startPos);
  13631. reader->read (destSamples, startPos, numAvailable);
  13632. numSamples -= numAvailable;
  13633. startSampleInFile += numAvailable;
  13634. }
  13635. return true;
  13636. }
  13637. bool AudioCDReader::isCDStillPresent() const
  13638. {
  13639. return volumeDir.exists();
  13640. }
  13641. int AudioCDReader::getNumTracks() const
  13642. {
  13643. return tracks.size();
  13644. }
  13645. int AudioCDReader::getPositionOfTrackStart (int trackNum) const
  13646. {
  13647. return trackStartSamples [trackNum];
  13648. }
  13649. bool AudioCDReader::isTrackAudio (int trackNum) const
  13650. {
  13651. return tracks [trackNum] != 0;
  13652. }
  13653. void AudioCDReader::enableIndexScanning (bool b)
  13654. {
  13655. // any way to do this on a Mac??
  13656. }
  13657. int AudioCDReader::getLastIndex() const
  13658. {
  13659. return 0;
  13660. }
  13661. const Array <int> AudioCDReader::findIndexesInTrack (const int trackNumber)
  13662. {
  13663. return Array <int>();
  13664. }
  13665. int AudioCDReader::getCDDBId()
  13666. {
  13667. return 0; //xxx
  13668. }
  13669. #endif
  13670. END_JUCE_NAMESPACE
  13671. /********* End of inlined file: juce_AudioCDReader.cpp *********/
  13672. /********* Start of inlined file: juce_AudioFormat.cpp *********/
  13673. BEGIN_JUCE_NAMESPACE
  13674. AudioFormatReader::AudioFormatReader (InputStream* const in,
  13675. const String& formatName_)
  13676. : sampleRate (0),
  13677. bitsPerSample (0),
  13678. lengthInSamples (0),
  13679. numChannels (0),
  13680. usesFloatingPointData (false),
  13681. input (in),
  13682. formatName (formatName_)
  13683. {
  13684. }
  13685. AudioFormatReader::~AudioFormatReader()
  13686. {
  13687. delete input;
  13688. }
  13689. static void findMaxMin (const float* src, const int num,
  13690. float& maxVal, float& minVal)
  13691. {
  13692. float mn = src[0];
  13693. float mx = mn;
  13694. for (int i = 1; i < num; ++i)
  13695. {
  13696. const float s = src[i];
  13697. if (s > mx)
  13698. mx = s;
  13699. if (s < mn)
  13700. mn = s;
  13701. }
  13702. maxVal = mx;
  13703. minVal = mn;
  13704. }
  13705. void AudioFormatReader::readMaxLevels (int64 startSampleInFile,
  13706. int64 numSamples,
  13707. float& lowestLeft, float& highestLeft,
  13708. float& lowestRight, float& highestRight)
  13709. {
  13710. if (numSamples <= 0)
  13711. {
  13712. lowestLeft = 0;
  13713. lowestRight = 0;
  13714. highestLeft = 0;
  13715. highestRight = 0;
  13716. return;
  13717. }
  13718. const int bufferSize = (int) jmin (numSamples, (int64) 4096);
  13719. MemoryBlock tempSpace (bufferSize * sizeof (int) * 2 + 64);
  13720. int* tempBuffer[3];
  13721. tempBuffer[0] = (int*) tempSpace.getData();
  13722. tempBuffer[1] = ((int*) tempSpace.getData()) + bufferSize;
  13723. tempBuffer[2] = 0;
  13724. if (usesFloatingPointData)
  13725. {
  13726. float lmin = 1.0e6;
  13727. float lmax = -lmin;
  13728. float rmin = lmin;
  13729. float rmax = lmax;
  13730. while (numSamples > 0)
  13731. {
  13732. const int numToDo = (int) jmin (numSamples, (int64) bufferSize);
  13733. read ((int**) tempBuffer, startSampleInFile, numToDo);
  13734. numSamples -= numToDo;
  13735. float bufmin, bufmax;
  13736. findMaxMin ((float*) tempBuffer[0], numToDo, bufmax, bufmin);
  13737. lmin = jmin (lmin, bufmin);
  13738. lmax = jmax (lmax, bufmax);
  13739. if (numChannels > 1)
  13740. {
  13741. findMaxMin ((float*) tempBuffer[1], numToDo, bufmax, bufmin);
  13742. rmin = jmin (rmin, bufmin);
  13743. rmax = jmax (rmax, bufmax);
  13744. }
  13745. }
  13746. if (numChannels <= 1)
  13747. {
  13748. rmax = lmax;
  13749. rmin = lmin;
  13750. }
  13751. lowestLeft = lmin;
  13752. highestLeft = lmax;
  13753. lowestRight = rmin;
  13754. highestRight = rmax;
  13755. }
  13756. else
  13757. {
  13758. int lmax = INT_MIN;
  13759. int lmin = INT_MAX;
  13760. int rmax = INT_MIN;
  13761. int rmin = INT_MAX;
  13762. while (numSamples > 0)
  13763. {
  13764. const int numToDo = (int) jmin (numSamples, (int64) bufferSize);
  13765. read ((int**) tempBuffer, startSampleInFile, numToDo);
  13766. numSamples -= numToDo;
  13767. for (int j = numChannels; --j >= 0;)
  13768. {
  13769. int bufMax = INT_MIN;
  13770. int bufMin = INT_MAX;
  13771. const int* const b = tempBuffer[j];
  13772. for (int i = 0; i < numToDo; ++i)
  13773. {
  13774. const int samp = b[i];
  13775. if (samp < bufMin)
  13776. bufMin = samp;
  13777. if (samp > bufMax)
  13778. bufMax = samp;
  13779. }
  13780. if (j == 0)
  13781. {
  13782. lmax = jmax (lmax, bufMax);
  13783. lmin = jmin (lmin, bufMin);
  13784. }
  13785. else
  13786. {
  13787. rmax = jmax (rmax, bufMax);
  13788. rmin = jmin (rmin, bufMin);
  13789. }
  13790. }
  13791. }
  13792. if (numChannels <= 1)
  13793. {
  13794. rmax = lmax;
  13795. rmin = lmin;
  13796. }
  13797. lowestLeft = lmin / (float)INT_MAX;
  13798. highestLeft = lmax / (float)INT_MAX;
  13799. lowestRight = rmin / (float)INT_MAX;
  13800. highestRight = rmax / (float)INT_MAX;
  13801. }
  13802. }
  13803. int64 AudioFormatReader::searchForLevel (int64 startSample,
  13804. int64 numSamplesToSearch,
  13805. const double magnitudeRangeMinimum,
  13806. const double magnitudeRangeMaximum,
  13807. const int minimumConsecutiveSamples)
  13808. {
  13809. if (numSamplesToSearch == 0)
  13810. return -1;
  13811. const int bufferSize = 4096;
  13812. MemoryBlock tempSpace (bufferSize * sizeof (int) * 2 + 64);
  13813. int* tempBuffer[3];
  13814. tempBuffer[0] = (int*) tempSpace.getData();
  13815. tempBuffer[1] = ((int*) tempSpace.getData()) + bufferSize;
  13816. tempBuffer[2] = 0;
  13817. int consecutive = 0;
  13818. int64 firstMatchPos = -1;
  13819. jassert (magnitudeRangeMaximum > magnitudeRangeMinimum);
  13820. const double doubleMin = jlimit (0.0, (double) INT_MAX, magnitudeRangeMinimum * INT_MAX);
  13821. const double doubleMax = jlimit (doubleMin, (double) INT_MAX, magnitudeRangeMaximum * INT_MAX);
  13822. const int intMagnitudeRangeMinimum = roundDoubleToInt (doubleMin);
  13823. const int intMagnitudeRangeMaximum = roundDoubleToInt (doubleMax);
  13824. while (numSamplesToSearch != 0)
  13825. {
  13826. const int numThisTime = (int) jmin (abs64 (numSamplesToSearch), (int64) bufferSize);
  13827. int64 bufferStart = startSample;
  13828. if (numSamplesToSearch < 0)
  13829. bufferStart -= numThisTime;
  13830. if (bufferStart >= (int) lengthInSamples)
  13831. break;
  13832. read ((int**) tempBuffer, bufferStart, numThisTime);
  13833. int num = numThisTime;
  13834. while (--num >= 0)
  13835. {
  13836. if (numSamplesToSearch < 0)
  13837. --startSample;
  13838. bool matches = false;
  13839. const int index = (int) (startSample - bufferStart);
  13840. if (usesFloatingPointData)
  13841. {
  13842. const float sample1 = fabsf (((float*) tempBuffer[0]) [index]);
  13843. if (sample1 >= magnitudeRangeMinimum
  13844. && sample1 <= magnitudeRangeMaximum)
  13845. {
  13846. matches = true;
  13847. }
  13848. else if (numChannels > 1)
  13849. {
  13850. const float sample2 = fabsf (((float*) tempBuffer[1]) [index]);
  13851. matches = (sample2 >= magnitudeRangeMinimum
  13852. && sample2 <= magnitudeRangeMaximum);
  13853. }
  13854. }
  13855. else
  13856. {
  13857. const int sample1 = abs (tempBuffer[0] [index]);
  13858. if (sample1 >= intMagnitudeRangeMinimum
  13859. && sample1 <= intMagnitudeRangeMaximum)
  13860. {
  13861. matches = true;
  13862. }
  13863. else if (numChannels > 1)
  13864. {
  13865. const int sample2 = abs (tempBuffer[1][index]);
  13866. matches = (sample2 >= intMagnitudeRangeMinimum
  13867. && sample2 <= intMagnitudeRangeMaximum);
  13868. }
  13869. }
  13870. if (matches)
  13871. {
  13872. if (firstMatchPos < 0)
  13873. firstMatchPos = startSample;
  13874. if (++consecutive >= minimumConsecutiveSamples)
  13875. {
  13876. if (firstMatchPos < 0 || firstMatchPos >= lengthInSamples)
  13877. return -1;
  13878. return firstMatchPos;
  13879. }
  13880. }
  13881. else
  13882. {
  13883. consecutive = 0;
  13884. firstMatchPos = -1;
  13885. }
  13886. if (numSamplesToSearch > 0)
  13887. ++startSample;
  13888. }
  13889. if (numSamplesToSearch > 0)
  13890. numSamplesToSearch -= numThisTime;
  13891. else
  13892. numSamplesToSearch += numThisTime;
  13893. }
  13894. return -1;
  13895. }
  13896. AudioFormatWriter::AudioFormatWriter (OutputStream* const out,
  13897. const String& formatName_,
  13898. const double rate,
  13899. const unsigned int numChannels_,
  13900. const unsigned int bitsPerSample_)
  13901. : sampleRate (rate),
  13902. numChannels (numChannels_),
  13903. bitsPerSample (bitsPerSample_),
  13904. usesFloatingPointData (false),
  13905. output (out),
  13906. formatName (formatName_)
  13907. {
  13908. }
  13909. AudioFormatWriter::~AudioFormatWriter()
  13910. {
  13911. delete output;
  13912. }
  13913. bool AudioFormatWriter::writeFromAudioReader (AudioFormatReader& reader,
  13914. int64 startSample,
  13915. int numSamplesToRead)
  13916. {
  13917. const int bufferSize = 16384;
  13918. const int maxChans = 128;
  13919. AudioSampleBuffer tempBuffer (reader.numChannels, bufferSize);
  13920. int* buffers [maxChans];
  13921. for (int i = maxChans; --i >= 0;)
  13922. buffers[i] = 0;
  13923. while (numSamplesToRead > 0)
  13924. {
  13925. const int numToDo = jmin (numSamplesToRead, bufferSize);
  13926. for (int i = tempBuffer.getNumChannels(); --i >= 0;)
  13927. buffers[i] = (int*) tempBuffer.getSampleData (i, 0);
  13928. if (! reader.read (buffers, startSample, numToDo))
  13929. return false;
  13930. if (reader.usesFloatingPointData != isFloatingPoint())
  13931. {
  13932. int** bufferChan = buffers;
  13933. while (*bufferChan != 0)
  13934. {
  13935. int* b = *bufferChan++;
  13936. if (isFloatingPoint())
  13937. {
  13938. // int -> float
  13939. const double factor = 1.0 / INT_MAX;
  13940. for (int i = 0; i < numToDo; ++i)
  13941. ((float*)b)[i] = (float) (factor * b[i]);
  13942. }
  13943. else
  13944. {
  13945. // float -> int
  13946. for (int i = 0; i < numToDo; ++i)
  13947. {
  13948. const double samp = *(const float*) b;
  13949. if (samp <= -1.0)
  13950. *b++ = INT_MIN;
  13951. else if (samp >= 1.0)
  13952. *b++ = INT_MAX;
  13953. else
  13954. *b++ = roundDoubleToInt (INT_MAX * samp);
  13955. }
  13956. }
  13957. }
  13958. }
  13959. if (! write ((const int**) buffers, numToDo))
  13960. return false;
  13961. numSamplesToRead -= numToDo;
  13962. startSample += numToDo;
  13963. }
  13964. return true;
  13965. }
  13966. bool AudioFormatWriter::writeFromAudioSource (AudioSource& source,
  13967. int numSamplesToRead,
  13968. const int samplesPerBlock)
  13969. {
  13970. const int maxChans = 128;
  13971. AudioSampleBuffer tempBuffer (getNumChannels(), samplesPerBlock);
  13972. int* buffers [maxChans];
  13973. while (numSamplesToRead > 0)
  13974. {
  13975. const int numToDo = jmin (numSamplesToRead, samplesPerBlock);
  13976. AudioSourceChannelInfo info;
  13977. info.buffer = &tempBuffer;
  13978. info.startSample = 0;
  13979. info.numSamples = numToDo;
  13980. info.clearActiveBufferRegion();
  13981. source.getNextAudioBlock (info);
  13982. int i;
  13983. for (i = maxChans; --i >= 0;)
  13984. buffers[i] = 0;
  13985. for (i = tempBuffer.getNumChannels(); --i >= 0;)
  13986. buffers[i] = (int*) tempBuffer.getSampleData (i, 0);
  13987. if (! isFloatingPoint())
  13988. {
  13989. int** bufferChan = buffers;
  13990. while (*bufferChan != 0)
  13991. {
  13992. int* b = *bufferChan++;
  13993. // float -> int
  13994. for (int j = numToDo; --j >= 0;)
  13995. {
  13996. const double samp = *(const float*) b;
  13997. if (samp <= -1.0)
  13998. *b++ = INT_MIN;
  13999. else if (samp >= 1.0)
  14000. *b++ = INT_MAX;
  14001. else
  14002. *b++ = roundDoubleToInt (INT_MAX * samp);
  14003. }
  14004. }
  14005. }
  14006. if (! write ((const int**) buffers, numToDo))
  14007. return false;
  14008. numSamplesToRead -= numToDo;
  14009. }
  14010. return true;
  14011. }
  14012. AudioFormat::AudioFormat (const String& name,
  14013. const tchar** const extensions)
  14014. : formatName (name),
  14015. fileExtensions (extensions)
  14016. {
  14017. }
  14018. AudioFormat::~AudioFormat()
  14019. {
  14020. }
  14021. const String& AudioFormat::getFormatName() const
  14022. {
  14023. return formatName;
  14024. }
  14025. const StringArray& AudioFormat::getFileExtensions() const
  14026. {
  14027. return fileExtensions;
  14028. }
  14029. bool AudioFormat::canHandleFile (const File& f)
  14030. {
  14031. for (int i = 0; i < fileExtensions.size(); ++i)
  14032. if (f.hasFileExtension (fileExtensions[i]))
  14033. return true;
  14034. return false;
  14035. }
  14036. bool AudioFormat::isCompressed()
  14037. {
  14038. return false;
  14039. }
  14040. const StringArray AudioFormat::getQualityOptions()
  14041. {
  14042. return StringArray();
  14043. }
  14044. END_JUCE_NAMESPACE
  14045. /********* End of inlined file: juce_AudioFormat.cpp *********/
  14046. /********* Start of inlined file: juce_AudioFormatManager.cpp *********/
  14047. BEGIN_JUCE_NAMESPACE
  14048. AudioFormatManager::AudioFormatManager()
  14049. : knownFormats (4),
  14050. defaultFormatIndex (0)
  14051. {
  14052. }
  14053. AudioFormatManager::~AudioFormatManager()
  14054. {
  14055. clearFormats();
  14056. clearSingletonInstance();
  14057. }
  14058. juce_ImplementSingleton (AudioFormatManager);
  14059. void AudioFormatManager::registerFormat (AudioFormat* newFormat,
  14060. const bool makeThisTheDefaultFormat)
  14061. {
  14062. jassert (newFormat != 0);
  14063. if (newFormat != 0)
  14064. {
  14065. #ifdef JUCE_DEBUG
  14066. for (int i = getNumKnownFormats(); --i >= 0;)
  14067. {
  14068. if (getKnownFormat (i)->getFormatName() == newFormat->getFormatName())
  14069. {
  14070. jassertfalse // trying to add the same format twice!
  14071. }
  14072. }
  14073. #endif
  14074. if (makeThisTheDefaultFormat)
  14075. defaultFormatIndex = knownFormats.size();
  14076. knownFormats.add (newFormat);
  14077. }
  14078. }
  14079. void AudioFormatManager::registerBasicFormats()
  14080. {
  14081. #if JUCE_MAC
  14082. registerFormat (new AiffAudioFormat(), true);
  14083. registerFormat (new WavAudioFormat(), false);
  14084. #else
  14085. registerFormat (new WavAudioFormat(), true);
  14086. registerFormat (new AiffAudioFormat(), false);
  14087. #endif
  14088. #if JUCE_USE_FLAC
  14089. registerFormat (new FlacAudioFormat(), false);
  14090. #endif
  14091. #if JUCE_USE_OGGVORBIS
  14092. registerFormat (new OggVorbisAudioFormat(), false);
  14093. #endif
  14094. }
  14095. void AudioFormatManager::clearFormats()
  14096. {
  14097. for (int i = getNumKnownFormats(); --i >= 0;)
  14098. {
  14099. AudioFormat* const af = getKnownFormat(i);
  14100. delete af;
  14101. }
  14102. knownFormats.clear();
  14103. defaultFormatIndex = 0;
  14104. }
  14105. int AudioFormatManager::getNumKnownFormats() const
  14106. {
  14107. return knownFormats.size();
  14108. }
  14109. AudioFormat* AudioFormatManager::getKnownFormat (const int index) const
  14110. {
  14111. return (AudioFormat*) knownFormats [index];
  14112. }
  14113. AudioFormat* AudioFormatManager::getDefaultFormat() const
  14114. {
  14115. return getKnownFormat (defaultFormatIndex);
  14116. }
  14117. AudioFormat* AudioFormatManager::findFormatForFileExtension (const String& fileExtension) const
  14118. {
  14119. String e (fileExtension);
  14120. if (! e.startsWithChar (T('.')))
  14121. e = T(".") + e;
  14122. for (int i = 0; i < getNumKnownFormats(); ++i)
  14123. if (getKnownFormat(i)->getFileExtensions().contains (e, true))
  14124. return getKnownFormat(i);
  14125. return 0;
  14126. }
  14127. const String AudioFormatManager::getWildcardForAllFormats() const
  14128. {
  14129. StringArray allExtensions;
  14130. int i;
  14131. for (i = 0; i < getNumKnownFormats(); ++i)
  14132. allExtensions.addArray (getKnownFormat (i)->getFileExtensions());
  14133. allExtensions.trim();
  14134. allExtensions.removeEmptyStrings();
  14135. String s;
  14136. for (i = 0; i < allExtensions.size(); ++i)
  14137. {
  14138. s << T('*');
  14139. if (! allExtensions[i].startsWithChar (T('.')))
  14140. s << T('.');
  14141. s << allExtensions[i];
  14142. if (i < allExtensions.size() - 1)
  14143. s << T(';');
  14144. }
  14145. return s;
  14146. }
  14147. AudioFormatReader* AudioFormatManager::createReaderFor (const File& file)
  14148. {
  14149. // you need to actually register some formats before the manager can
  14150. // use them to open a file!
  14151. jassert (knownFormats.size() > 0);
  14152. for (int i = 0; i < getNumKnownFormats(); ++i)
  14153. {
  14154. AudioFormat* const af = getKnownFormat(i);
  14155. if (af->canHandleFile (file))
  14156. {
  14157. InputStream* const in = file.createInputStream();
  14158. if (in != 0)
  14159. {
  14160. AudioFormatReader* const r = af->createReaderFor (in, true);
  14161. if (r != 0)
  14162. return r;
  14163. }
  14164. }
  14165. }
  14166. return 0;
  14167. }
  14168. AudioFormatReader* AudioFormatManager::createReaderFor (InputStream* in)
  14169. {
  14170. // you need to actually register some formats before the manager can
  14171. // use them to open a file!
  14172. jassert (knownFormats.size() > 0);
  14173. if (in != 0)
  14174. {
  14175. const int64 originalStreamPos = in->getPosition();
  14176. for (int i = 0; i < getNumKnownFormats(); ++i)
  14177. {
  14178. AudioFormatReader* const r = getKnownFormat(i)->createReaderFor (in, false);
  14179. if (r != 0)
  14180. return r;
  14181. in->setPosition (originalStreamPos);
  14182. // the stream that is passed-in must be capable of being repositioned so
  14183. // that all the formats can have a go at opening it.
  14184. jassert (in->getPosition() == originalStreamPos);
  14185. }
  14186. delete in;
  14187. }
  14188. return 0;
  14189. }
  14190. END_JUCE_NAMESPACE
  14191. /********* End of inlined file: juce_AudioFormatManager.cpp *********/
  14192. /********* Start of inlined file: juce_AudioSubsectionReader.cpp *********/
  14193. BEGIN_JUCE_NAMESPACE
  14194. AudioSubsectionReader::AudioSubsectionReader (AudioFormatReader* const source_,
  14195. const int64 startSample_,
  14196. const int64 length_,
  14197. const bool deleteSourceWhenDeleted_)
  14198. : AudioFormatReader (0, source_->getFormatName()),
  14199. source (source_),
  14200. startSample (startSample_),
  14201. deleteSourceWhenDeleted (deleteSourceWhenDeleted_)
  14202. {
  14203. length = jmin (jmax ((int64) 0, source->lengthInSamples - startSample), length_);
  14204. sampleRate = source->sampleRate;
  14205. bitsPerSample = source->bitsPerSample;
  14206. lengthInSamples = length;
  14207. numChannels = source->numChannels;
  14208. usesFloatingPointData = source->usesFloatingPointData;
  14209. }
  14210. AudioSubsectionReader::~AudioSubsectionReader()
  14211. {
  14212. if (deleteSourceWhenDeleted)
  14213. delete source;
  14214. }
  14215. bool AudioSubsectionReader::read (int** destSamples,
  14216. int64 startSampleInFile,
  14217. int numSamples)
  14218. {
  14219. if (startSampleInFile < 0 || startSampleInFile + numSamples > length)
  14220. {
  14221. int** d = destSamples;
  14222. while (*d != 0)
  14223. {
  14224. zeromem (*d, sizeof (int) * numSamples);
  14225. ++d;
  14226. }
  14227. startSampleInFile = jmax ((int64) 0, startSampleInFile);
  14228. numSamples = jmax (0, jmin (numSamples, (int) (length - startSampleInFile)));
  14229. }
  14230. return source->read (destSamples,
  14231. startSampleInFile + startSample,
  14232. numSamples);
  14233. }
  14234. void AudioSubsectionReader::readMaxLevels (int64 startSampleInFile,
  14235. int64 numSamples,
  14236. float& lowestLeft,
  14237. float& highestLeft,
  14238. float& lowestRight,
  14239. float& highestRight)
  14240. {
  14241. startSampleInFile = jmax ((int64) 0, startSampleInFile);
  14242. numSamples = jmax ((int64) 0, jmin (numSamples, length - startSampleInFile));
  14243. source->readMaxLevels (startSampleInFile + startSample,
  14244. numSamples,
  14245. lowestLeft,
  14246. highestLeft,
  14247. lowestRight,
  14248. highestRight);
  14249. }
  14250. END_JUCE_NAMESPACE
  14251. /********* End of inlined file: juce_AudioSubsectionReader.cpp *********/
  14252. /********* Start of inlined file: juce_AudioThumbnail.cpp *********/
  14253. BEGIN_JUCE_NAMESPACE
  14254. const int timeBeforeDeletingReader = 2000;
  14255. struct AudioThumbnailDataFormat
  14256. {
  14257. char thumbnailMagic[4];
  14258. int samplesPerThumbSample;
  14259. int64 totalSamples; // source samples
  14260. int64 numFinishedSamples; // source samples
  14261. int numThumbnailSamples;
  14262. int numChannels;
  14263. int sampleRate;
  14264. char future[16];
  14265. char data[1];
  14266. };
  14267. #if JUCE_BIG_ENDIAN
  14268. static void swap (int& n) { n = (int) swapByteOrder ((uint32) n); }
  14269. static void swap (int64& n) { n = (int64) swapByteOrder ((uint64) n); }
  14270. #endif
  14271. static void swapEndiannessIfNeeded (AudioThumbnailDataFormat* const d)
  14272. {
  14273. (void) d;
  14274. #if JUCE_BIG_ENDIAN
  14275. swap (d->samplesPerThumbSample);
  14276. swap (d->totalSamples);
  14277. swap (d->numFinishedSamples);
  14278. swap (d->numThumbnailSamples);
  14279. swap (d->numChannels);
  14280. swap (d->sampleRate);
  14281. #endif
  14282. }
  14283. AudioThumbnail::AudioThumbnail (const int orginalSamplesPerThumbnailSample_,
  14284. AudioFormatManager& formatManagerToUse_,
  14285. AudioThumbnailCache& cacheToUse)
  14286. : formatManagerToUse (formatManagerToUse_),
  14287. cache (cacheToUse),
  14288. source (0),
  14289. reader (0),
  14290. orginalSamplesPerThumbnailSample (orginalSamplesPerThumbnailSample_)
  14291. {
  14292. clear();
  14293. }
  14294. AudioThumbnail::~AudioThumbnail()
  14295. {
  14296. cache.removeThumbnail (this);
  14297. const ScopedLock sl (readerLock);
  14298. deleteAndZero (reader);
  14299. delete source;
  14300. }
  14301. void AudioThumbnail::setSource (InputSource* const newSource)
  14302. {
  14303. cache.removeThumbnail (this);
  14304. timerCallback(); // stops the timer and deletes the reader
  14305. delete source;
  14306. source = newSource;
  14307. clear();
  14308. if (! (cache.loadThumb (*this, newSource->hashCode())
  14309. && isFullyLoaded()))
  14310. {
  14311. {
  14312. const ScopedLock sl (readerLock);
  14313. reader = createReader();
  14314. }
  14315. if (reader != 0)
  14316. {
  14317. initialiseFromAudioFile (*reader);
  14318. cache.addThumbnail (this);
  14319. }
  14320. }
  14321. sendChangeMessage (this);
  14322. }
  14323. bool AudioThumbnail::useTimeSlice()
  14324. {
  14325. const ScopedLock sl (readerLock);
  14326. if (isFullyLoaded())
  14327. {
  14328. if (reader != 0)
  14329. startTimer (timeBeforeDeletingReader);
  14330. cache.removeThumbnail (this);
  14331. return false;
  14332. }
  14333. if (reader == 0)
  14334. reader = createReader();
  14335. if (reader != 0)
  14336. {
  14337. readNextBlockFromAudioFile (*reader);
  14338. stopTimer();
  14339. sendChangeMessage (this);
  14340. const bool justFinished = isFullyLoaded();
  14341. if (justFinished)
  14342. cache.storeThumb (*this, source->hashCode());
  14343. return ! justFinished;
  14344. }
  14345. return false;
  14346. }
  14347. AudioFormatReader* AudioThumbnail::createReader() const
  14348. {
  14349. if (source != 0)
  14350. {
  14351. InputStream* const audioFileStream = source->createInputStream();
  14352. if (audioFileStream != 0)
  14353. return formatManagerToUse.createReaderFor (audioFileStream);
  14354. }
  14355. return 0;
  14356. }
  14357. void AudioThumbnail::timerCallback()
  14358. {
  14359. stopTimer();
  14360. const ScopedLock sl (readerLock);
  14361. deleteAndZero (reader);
  14362. }
  14363. void AudioThumbnail::clear()
  14364. {
  14365. data.setSize (sizeof (AudioThumbnailDataFormat) + 3);
  14366. AudioThumbnailDataFormat* const d = (AudioThumbnailDataFormat*) data.getData();
  14367. d->thumbnailMagic[0] = 'j';
  14368. d->thumbnailMagic[1] = 'a';
  14369. d->thumbnailMagic[2] = 't';
  14370. d->thumbnailMagic[3] = 'm';
  14371. d->samplesPerThumbSample = orginalSamplesPerThumbnailSample;
  14372. d->totalSamples = 0;
  14373. d->numFinishedSamples = 0;
  14374. d->numThumbnailSamples = 0;
  14375. d->numChannels = 0;
  14376. d->sampleRate = 0;
  14377. numSamplesCached = 0;
  14378. cacheNeedsRefilling = true;
  14379. }
  14380. void AudioThumbnail::loadFrom (InputStream& input)
  14381. {
  14382. data.setSize (0);
  14383. input.readIntoMemoryBlock (data);
  14384. AudioThumbnailDataFormat* const d = (AudioThumbnailDataFormat*) data.getData();
  14385. swapEndiannessIfNeeded (d);
  14386. if (! (d->thumbnailMagic[0] == 'j'
  14387. && d->thumbnailMagic[1] == 'a'
  14388. && d->thumbnailMagic[2] == 't'
  14389. && d->thumbnailMagic[3] == 'm'))
  14390. {
  14391. clear();
  14392. }
  14393. numSamplesCached = 0;
  14394. cacheNeedsRefilling = true;
  14395. }
  14396. void AudioThumbnail::saveTo (OutputStream& output) const
  14397. {
  14398. AudioThumbnailDataFormat* const d = (AudioThumbnailDataFormat*) data.getData();
  14399. swapEndiannessIfNeeded (d);
  14400. output.write (data.getData(), data.getSize());
  14401. swapEndiannessIfNeeded (d);
  14402. }
  14403. bool AudioThumbnail::initialiseFromAudioFile (AudioFormatReader& reader)
  14404. {
  14405. AudioThumbnailDataFormat* d = (AudioThumbnailDataFormat*) data.getData();
  14406. d->totalSamples = reader.lengthInSamples;
  14407. d->numChannels = jmin (2, reader.numChannels);
  14408. d->numFinishedSamples = 0;
  14409. d->sampleRate = roundDoubleToInt (reader.sampleRate);
  14410. d->numThumbnailSamples = (int) (d->totalSamples / d->samplesPerThumbSample) + 1;
  14411. data.setSize (sizeof (AudioThumbnailDataFormat) + 3 + d->numThumbnailSamples * d->numChannels * 2);
  14412. d = (AudioThumbnailDataFormat*) data.getData();
  14413. zeromem (&(d->data[0]), d->numThumbnailSamples * d->numChannels * 2);
  14414. return d->totalSamples > 0;
  14415. }
  14416. bool AudioThumbnail::readNextBlockFromAudioFile (AudioFormatReader& reader)
  14417. {
  14418. AudioThumbnailDataFormat* const d = (AudioThumbnailDataFormat*) data.getData();
  14419. if (d->numFinishedSamples < d->totalSamples)
  14420. {
  14421. const int numToDo = (int) jmin ((int64) 65536, d->totalSamples - d->numFinishedSamples);
  14422. generateSection (reader,
  14423. d->numFinishedSamples,
  14424. numToDo);
  14425. d->numFinishedSamples += numToDo;
  14426. }
  14427. cacheNeedsRefilling = true;
  14428. return (d->numFinishedSamples < d->totalSamples);
  14429. }
  14430. int AudioThumbnail::getNumChannels() const throw()
  14431. {
  14432. const AudioThumbnailDataFormat* const d = (const AudioThumbnailDataFormat*) data.getData();
  14433. jassert (d != 0);
  14434. return d->numChannels;
  14435. }
  14436. double AudioThumbnail::getTotalLength() const throw()
  14437. {
  14438. const AudioThumbnailDataFormat* const d = (const AudioThumbnailDataFormat*) data.getData();
  14439. jassert (d != 0);
  14440. if (d->sampleRate > 0)
  14441. return d->totalSamples / (double)d->sampleRate;
  14442. else
  14443. return 0.0;
  14444. }
  14445. void AudioThumbnail::generateSection (AudioFormatReader& reader,
  14446. int64 startSample,
  14447. int numSamples)
  14448. {
  14449. AudioThumbnailDataFormat* const d = (AudioThumbnailDataFormat*) data.getData();
  14450. jassert (d != 0);
  14451. int firstDataPos = (int) (startSample / d->samplesPerThumbSample);
  14452. int lastDataPos = (int) ((startSample + numSamples) / d->samplesPerThumbSample);
  14453. char* l = getChannelData (0);
  14454. char* r = getChannelData (1);
  14455. for (int i = firstDataPos; i < lastDataPos; ++i)
  14456. {
  14457. const int sourceStart = i * d->samplesPerThumbSample;
  14458. const int sourceEnd = sourceStart + d->samplesPerThumbSample;
  14459. float lowestLeft, highestLeft, lowestRight, highestRight;
  14460. reader.readMaxLevels (sourceStart,
  14461. sourceEnd - sourceStart,
  14462. lowestLeft,
  14463. highestLeft,
  14464. lowestRight,
  14465. highestRight);
  14466. int n = i * 2;
  14467. if (r != 0)
  14468. {
  14469. l [n] = (char) jlimit (-128.0f, 127.0f, lowestLeft * 127.0f);
  14470. r [n++] = (char) jlimit (-128.0f, 127.0f, lowestRight * 127.0f);
  14471. l [n] = (char) jlimit (-128.0f, 127.0f, highestLeft * 127.0f);
  14472. r [n++] = (char) jlimit (-128.0f, 127.0f, highestRight * 127.0f);
  14473. }
  14474. else
  14475. {
  14476. l [n++] = (char) jlimit (-128.0f, 127.0f, lowestLeft * 127.0f);
  14477. l [n++] = (char) jlimit (-128.0f, 127.0f, highestLeft * 127.0f);
  14478. }
  14479. }
  14480. }
  14481. char* AudioThumbnail::getChannelData (int channel) const
  14482. {
  14483. AudioThumbnailDataFormat* const d = (AudioThumbnailDataFormat*) data.getData();
  14484. jassert (d != 0);
  14485. if (channel >= 0 && channel < d->numChannels)
  14486. return d->data + (channel * 2 * d->numThumbnailSamples);
  14487. return 0;
  14488. }
  14489. bool AudioThumbnail::isFullyLoaded() const throw()
  14490. {
  14491. const AudioThumbnailDataFormat* const d = (const AudioThumbnailDataFormat*) data.getData();
  14492. jassert (d != 0);
  14493. return d->numFinishedSamples >= d->totalSamples;
  14494. }
  14495. void AudioThumbnail::refillCache (const int numSamples,
  14496. double startTime,
  14497. const double timePerPixel)
  14498. {
  14499. const AudioThumbnailDataFormat* const d = (const AudioThumbnailDataFormat*) data.getData();
  14500. jassert (d != 0);
  14501. if (numSamples <= 0
  14502. || timePerPixel <= 0.0
  14503. || d->sampleRate <= 0)
  14504. {
  14505. numSamplesCached = 0;
  14506. cacheNeedsRefilling = true;
  14507. return;
  14508. }
  14509. if (numSamples == numSamplesCached
  14510. && numChannelsCached == d->numChannels
  14511. && startTime == cachedStart
  14512. && timePerPixel == cachedTimePerPixel
  14513. && ! cacheNeedsRefilling)
  14514. {
  14515. return;
  14516. }
  14517. numSamplesCached = numSamples;
  14518. numChannelsCached = d->numChannels;
  14519. cachedStart = startTime;
  14520. cachedTimePerPixel = timePerPixel;
  14521. cachedLevels.ensureSize (2 * numChannelsCached * numSamples);
  14522. const bool needExtraDetail = (timePerPixel * d->sampleRate <= d->samplesPerThumbSample);
  14523. const ScopedLock sl (readerLock);
  14524. cacheNeedsRefilling = false;
  14525. if (needExtraDetail && reader == 0)
  14526. reader = createReader();
  14527. if (reader != 0 && timePerPixel * d->sampleRate <= d->samplesPerThumbSample)
  14528. {
  14529. startTimer (timeBeforeDeletingReader);
  14530. char* cacheData = (char*) cachedLevels.getData();
  14531. int sample = roundDoubleToInt (startTime * d->sampleRate);
  14532. for (int i = numSamples; --i >= 0;)
  14533. {
  14534. const int nextSample = roundDoubleToInt ((startTime + timePerPixel) * d->sampleRate);
  14535. if (sample >= 0)
  14536. {
  14537. if (sample >= reader->lengthInSamples)
  14538. break;
  14539. float lmin, lmax, rmin, rmax;
  14540. reader->readMaxLevels (sample,
  14541. jmax (1, nextSample - sample),
  14542. lmin, lmax, rmin, rmax);
  14543. cacheData[0] = (char) jlimit (-128, 127, roundFloatToInt (lmin * 127.0f));
  14544. cacheData[1] = (char) jlimit (-128, 127, roundFloatToInt (lmax * 127.0f));
  14545. if (numChannelsCached > 1)
  14546. {
  14547. cacheData[2] = (char) jlimit (-128, 127, roundFloatToInt (rmin * 127.0f));
  14548. cacheData[3] = (char) jlimit (-128, 127, roundFloatToInt (rmax * 127.0f));
  14549. }
  14550. cacheData += 2 * numChannelsCached;
  14551. }
  14552. startTime += timePerPixel;
  14553. sample = nextSample;
  14554. }
  14555. }
  14556. else
  14557. {
  14558. for (int channelNum = 0; channelNum < numChannelsCached; ++channelNum)
  14559. {
  14560. char* const data = getChannelData (channelNum);
  14561. char* cacheData = ((char*) cachedLevels.getData()) + channelNum * 2;
  14562. const double timeToThumbSampleFactor = d->sampleRate / (double) d->samplesPerThumbSample;
  14563. startTime = cachedStart;
  14564. int sample = roundDoubleToInt (startTime * timeToThumbSampleFactor);
  14565. const int numFinished = (int) (d->numFinishedSamples / d->samplesPerThumbSample);
  14566. for (int i = numSamples; --i >= 0;)
  14567. {
  14568. const int nextSample = roundDoubleToInt ((startTime + timePerPixel) * timeToThumbSampleFactor);
  14569. if (sample >= 0 && data != 0)
  14570. {
  14571. char mx = -128;
  14572. char mn = 127;
  14573. while (sample <= nextSample)
  14574. {
  14575. if (sample >= numFinished)
  14576. break;
  14577. const int n = sample << 1;
  14578. const char sampMin = data [n];
  14579. const char sampMax = data [n + 1];
  14580. if (sampMin < mn)
  14581. mn = sampMin;
  14582. if (sampMax > mx)
  14583. mx = sampMax;
  14584. ++sample;
  14585. }
  14586. if (mn <= mx)
  14587. {
  14588. cacheData[0] = mn;
  14589. cacheData[1] = mx;
  14590. }
  14591. else
  14592. {
  14593. cacheData[0] = 1;
  14594. cacheData[1] = 0;
  14595. }
  14596. }
  14597. else
  14598. {
  14599. cacheData[0] = 1;
  14600. cacheData[1] = 0;
  14601. }
  14602. cacheData += numChannelsCached * 2;
  14603. startTime += timePerPixel;
  14604. sample = nextSample;
  14605. }
  14606. }
  14607. }
  14608. }
  14609. void AudioThumbnail::drawChannel (Graphics& g,
  14610. int x, int y, int w, int h,
  14611. double startTime,
  14612. double endTime,
  14613. int channelNum,
  14614. const float verticalZoomFactor)
  14615. {
  14616. refillCache (w, startTime, (endTime - startTime) / w);
  14617. if (numSamplesCached >= w
  14618. && channelNum >= 0
  14619. && channelNum < numChannelsCached)
  14620. {
  14621. const float topY = (float) y;
  14622. const float bottomY = topY + h;
  14623. const float midY = topY + h * 0.5f;
  14624. const float vscale = verticalZoomFactor * h / 256.0f;
  14625. const Rectangle clip (g.getClipBounds());
  14626. const int skipLeft = clip.getX() - x;
  14627. w -= skipLeft;
  14628. x += skipLeft;
  14629. const char* cacheData = ((const char*) cachedLevels.getData())
  14630. + (channelNum << 1)
  14631. + skipLeft * (numChannelsCached << 1);
  14632. while (--w >= 0)
  14633. {
  14634. const char mn = cacheData[0];
  14635. const char mx = cacheData[1];
  14636. cacheData += numChannelsCached << 1;
  14637. if (mn <= mx) // if the wrong way round, signifies that the sample's not yet known
  14638. g.drawLine ((float) x, jmax (midY - mx * vscale - 0.3f, topY),
  14639. (float) x, jmin (midY - mn * vscale + 0.3f, bottomY));
  14640. ++x;
  14641. if (x >= clip.getRight())
  14642. break;
  14643. }
  14644. }
  14645. }
  14646. END_JUCE_NAMESPACE
  14647. /********* End of inlined file: juce_AudioThumbnail.cpp *********/
  14648. /********* Start of inlined file: juce_AudioThumbnailCache.cpp *********/
  14649. BEGIN_JUCE_NAMESPACE
  14650. struct ThumbnailCacheEntry
  14651. {
  14652. int64 hash;
  14653. uint32 lastUsed;
  14654. MemoryBlock data;
  14655. juce_UseDebuggingNewOperator
  14656. };
  14657. AudioThumbnailCache::AudioThumbnailCache (const int maxNumThumbsToStore_)
  14658. : TimeSliceThread (T("thumb cache")),
  14659. maxNumThumbsToStore (maxNumThumbsToStore_)
  14660. {
  14661. startThread (2);
  14662. }
  14663. AudioThumbnailCache::~AudioThumbnailCache()
  14664. {
  14665. }
  14666. bool AudioThumbnailCache::loadThumb (AudioThumbnail& thumb, const int64 hashCode)
  14667. {
  14668. for (int i = thumbs.size(); --i >= 0;)
  14669. {
  14670. if (thumbs[i]->hash == hashCode)
  14671. {
  14672. MemoryInputStream in ((const char*) thumbs[i]->data.getData(),
  14673. thumbs[i]->data.getSize(),
  14674. false);
  14675. thumb.loadFrom (in);
  14676. thumbs[i]->lastUsed = Time::getMillisecondCounter();
  14677. return true;
  14678. }
  14679. }
  14680. return false;
  14681. }
  14682. void AudioThumbnailCache::storeThumb (const AudioThumbnail& thumb,
  14683. const int64 hashCode)
  14684. {
  14685. MemoryOutputStream out;
  14686. thumb.saveTo (out);
  14687. ThumbnailCacheEntry* te = 0;
  14688. for (int i = thumbs.size(); --i >= 0;)
  14689. {
  14690. if (thumbs[i]->hash == hashCode)
  14691. {
  14692. te = thumbs[i];
  14693. break;
  14694. }
  14695. }
  14696. if (te == 0)
  14697. {
  14698. te = new ThumbnailCacheEntry();
  14699. te->hash = hashCode;
  14700. if (thumbs.size() < maxNumThumbsToStore)
  14701. {
  14702. thumbs.add (te);
  14703. }
  14704. else
  14705. {
  14706. int oldest = 0;
  14707. unsigned int oldestTime = Time::getMillisecondCounter() + 1;
  14708. int i;
  14709. for (i = thumbs.size(); --i >= 0;)
  14710. if (thumbs[i]->lastUsed < oldestTime)
  14711. oldest = i;
  14712. thumbs.set (i, te);
  14713. }
  14714. }
  14715. te->lastUsed = Time::getMillisecondCounter();
  14716. te->data.setSize (0);
  14717. te->data.append (out.getData(), out.getDataSize());
  14718. }
  14719. void AudioThumbnailCache::clear()
  14720. {
  14721. thumbs.clear();
  14722. }
  14723. void AudioThumbnailCache::addThumbnail (AudioThumbnail* const thumb)
  14724. {
  14725. addTimeSliceClient (thumb);
  14726. }
  14727. void AudioThumbnailCache::removeThumbnail (AudioThumbnail* const thumb)
  14728. {
  14729. removeTimeSliceClient (thumb);
  14730. }
  14731. END_JUCE_NAMESPACE
  14732. /********* End of inlined file: juce_AudioThumbnailCache.cpp *********/
  14733. /********* Start of inlined file: juce_QuickTimeAudioFormat.cpp *********/
  14734. #if JUCE_QUICKTIME
  14735. #if ! defined (_WIN32)
  14736. #include <Quicktime/Movies.h>
  14737. #include <Quicktime/QTML.h>
  14738. #include <Quicktime/QuickTimeComponents.h>
  14739. #include <Quicktime/MediaHandlers.h>
  14740. #include <Quicktime/ImageCodec.h>
  14741. #else
  14742. #ifdef _MSC_VER
  14743. #pragma warning (push)
  14744. #pragma warning (disable : 4100)
  14745. #endif
  14746. /* If you've got an include error here, you probably need to install the QuickTime SDK and
  14747. add its header directory to your include path.
  14748. Alternatively, if you don't need any QuickTime services, just turn off the JUC_QUICKTIME
  14749. flag in juce_Config.h
  14750. */
  14751. #include <Movies.h>
  14752. #include <QTML.h>
  14753. #include <QuickTimeComponents.h>
  14754. #include <MediaHandlers.h>
  14755. #include <ImageCodec.h>
  14756. #ifdef _MSC_VER
  14757. #pragma warning (pop)
  14758. #endif
  14759. #endif
  14760. BEGIN_JUCE_NAMESPACE
  14761. bool juce_OpenQuickTimeMovieFromStream (InputStream* input, Movie& movie, Handle& dataHandle);
  14762. #define quickTimeFormatName TRANS("QuickTime file")
  14763. static const tchar* const quickTimeExtensions[] = { T(".mov"), T(".mp3"), T(".mp4"), 0 };
  14764. class QTAudioReader : public AudioFormatReader
  14765. {
  14766. public:
  14767. QTAudioReader (InputStream* const input_, const int trackNum_)
  14768. : AudioFormatReader (input_, quickTimeFormatName),
  14769. ok (false),
  14770. movie (0),
  14771. trackNum (trackNum_),
  14772. extractor (0),
  14773. lastSampleRead (0),
  14774. lastThreadId (0),
  14775. dataHandle (0)
  14776. {
  14777. bufferList = (AudioBufferList*) juce_calloc (256);
  14778. #ifdef WIN32
  14779. if (InitializeQTML (0) != noErr)
  14780. return;
  14781. #elif JUCE_MAC
  14782. EnterMoviesOnThread (0);
  14783. #endif
  14784. if (EnterMovies() != noErr)
  14785. return;
  14786. bool opened = juce_OpenQuickTimeMovieFromStream (input_, movie, dataHandle);
  14787. if (! opened)
  14788. return;
  14789. {
  14790. const int numTracks = GetMovieTrackCount (movie);
  14791. int trackCount = 0;
  14792. for (int i = 1; i <= numTracks; ++i)
  14793. {
  14794. track = GetMovieIndTrack (movie, i);
  14795. media = GetTrackMedia (track);
  14796. OSType mediaType;
  14797. GetMediaHandlerDescription (media, &mediaType, 0, 0);
  14798. if (mediaType == SoundMediaType
  14799. && trackCount++ == trackNum_)
  14800. {
  14801. ok = true;
  14802. break;
  14803. }
  14804. }
  14805. }
  14806. if (! ok)
  14807. return;
  14808. ok = false;
  14809. lengthInSamples = GetMediaDecodeDuration (media);
  14810. usesFloatingPointData = false;
  14811. samplesPerFrame = (int) (GetMediaDecodeDuration (media) / GetMediaSampleCount (media));
  14812. trackUnitsPerFrame = GetMovieTimeScale (movie) * samplesPerFrame
  14813. / GetMediaTimeScale (media);
  14814. OSStatus err = MovieAudioExtractionBegin (movie, 0, &extractor);
  14815. unsigned long output_layout_size;
  14816. err = MovieAudioExtractionGetPropertyInfo (extractor,
  14817. kQTPropertyClass_MovieAudioExtraction_Audio,
  14818. kQTMovieAudioExtractionAudioPropertyID_AudioChannelLayout,
  14819. 0, &output_layout_size, 0);
  14820. if (err != noErr)
  14821. return;
  14822. AudioChannelLayout* const qt_audio_channel_layout
  14823. = (AudioChannelLayout*) juce_calloc (output_layout_size);
  14824. err = MovieAudioExtractionGetProperty (extractor,
  14825. kQTPropertyClass_MovieAudioExtraction_Audio,
  14826. kQTMovieAudioExtractionAudioPropertyID_AudioChannelLayout,
  14827. output_layout_size, qt_audio_channel_layout, 0);
  14828. qt_audio_channel_layout->mChannelLayoutTag = kAudioChannelLayoutTag_Stereo;
  14829. err = MovieAudioExtractionSetProperty (extractor,
  14830. kQTPropertyClass_MovieAudioExtraction_Audio,
  14831. kQTMovieAudioExtractionAudioPropertyID_AudioChannelLayout,
  14832. sizeof (qt_audio_channel_layout),
  14833. qt_audio_channel_layout);
  14834. juce_free (qt_audio_channel_layout);
  14835. err = MovieAudioExtractionGetProperty (extractor,
  14836. kQTPropertyClass_MovieAudioExtraction_Audio,
  14837. kQTMovieAudioExtractionAudioPropertyID_AudioStreamBasicDescription,
  14838. sizeof (inputStreamDesc),
  14839. &inputStreamDesc, 0);
  14840. if (err != noErr)
  14841. return;
  14842. inputStreamDesc.mFormatFlags = kAudioFormatFlagIsSignedInteger
  14843. | kAudioFormatFlagIsPacked
  14844. | kAudioFormatFlagsNativeEndian;
  14845. inputStreamDesc.mBitsPerChannel = sizeof (SInt16) * 8;
  14846. inputStreamDesc.mChannelsPerFrame = jmin (2, inputStreamDesc.mChannelsPerFrame);
  14847. inputStreamDesc.mBytesPerFrame = sizeof (SInt16) * inputStreamDesc.mChannelsPerFrame;
  14848. inputStreamDesc.mBytesPerPacket = inputStreamDesc.mBytesPerFrame;
  14849. err = MovieAudioExtractionSetProperty (extractor,
  14850. kQTPropertyClass_MovieAudioExtraction_Audio,
  14851. kQTMovieAudioExtractionAudioPropertyID_AudioStreamBasicDescription,
  14852. sizeof (inputStreamDesc),
  14853. &inputStreamDesc);
  14854. if (err != noErr)
  14855. return;
  14856. Boolean allChannelsDiscrete = false;
  14857. err = MovieAudioExtractionSetProperty (extractor,
  14858. kQTPropertyClass_MovieAudioExtraction_Movie,
  14859. kQTMovieAudioExtractionMoviePropertyID_AllChannelsDiscrete,
  14860. sizeof (allChannelsDiscrete),
  14861. &allChannelsDiscrete);
  14862. if (err != noErr)
  14863. return;
  14864. bufferList->mNumberBuffers = 1;
  14865. bufferList->mBuffers[0].mNumberChannels = inputStreamDesc.mChannelsPerFrame;
  14866. bufferList->mBuffers[0].mDataByteSize = (UInt32) (samplesPerFrame * inputStreamDesc.mBytesPerFrame) + 16;
  14867. bufferList->mBuffers[0].mData = malloc (bufferList->mBuffers[0].mDataByteSize);
  14868. sampleRate = inputStreamDesc.mSampleRate;
  14869. bitsPerSample = 16;
  14870. numChannels = inputStreamDesc.mChannelsPerFrame;
  14871. detachThread();
  14872. ok = true;
  14873. }
  14874. ~QTAudioReader()
  14875. {
  14876. if (dataHandle != 0)
  14877. DisposeHandle (dataHandle);
  14878. if (extractor != 0)
  14879. {
  14880. MovieAudioExtractionEnd (extractor);
  14881. extractor = 0;
  14882. }
  14883. checkThreadIsAttached();
  14884. DisposeMovie (movie);
  14885. juce_free (bufferList->mBuffers[0].mData);
  14886. juce_free (bufferList);
  14887. #if JUCE_MAC
  14888. ExitMoviesOnThread ();
  14889. #endif
  14890. }
  14891. bool read (int** destSamples,
  14892. int64 startSample,
  14893. int numSamples)
  14894. {
  14895. checkThreadIsAttached();
  14896. int done = 0;
  14897. while (numSamples > 0)
  14898. {
  14899. if (! loadFrame ((int) startSample))
  14900. return false;
  14901. const int numToDo = jmin (numSamples, samplesPerFrame);
  14902. for (unsigned int j = 0; j < inputStreamDesc.mChannelsPerFrame; ++j)
  14903. {
  14904. if (destSamples[j] != 0)
  14905. {
  14906. const short* const src = ((const short*) bufferList->mBuffers[0].mData) + j;
  14907. for (int i = 0; i < numToDo; ++i)
  14908. destSamples[j][done + i] = src [i << 1] << 16;
  14909. }
  14910. }
  14911. done += numToDo;
  14912. startSample += numToDo;
  14913. numSamples -= numToDo;
  14914. }
  14915. detachThread();
  14916. return true;
  14917. }
  14918. bool loadFrame (const int sampleNum)
  14919. {
  14920. if (lastSampleRead != sampleNum)
  14921. {
  14922. TimeRecord time;
  14923. time.scale = (TimeScale) inputStreamDesc.mSampleRate;
  14924. time.base = 0;
  14925. time.value.hi = 0;
  14926. time.value.lo = (UInt32) sampleNum;
  14927. OSStatus err = MovieAudioExtractionSetProperty (extractor,
  14928. kQTPropertyClass_MovieAudioExtraction_Movie,
  14929. kQTMovieAudioExtractionMoviePropertyID_CurrentTime,
  14930. sizeof (time), &time);
  14931. if (err != noErr)
  14932. return false;
  14933. }
  14934. bufferList->mBuffers[0].mDataByteSize = inputStreamDesc.mBytesPerFrame * samplesPerFrame;
  14935. UInt32 outFlags = 0;
  14936. UInt32 actualNumSamples = samplesPerFrame;
  14937. OSStatus err = MovieAudioExtractionFillBuffer (extractor, &actualNumSamples,
  14938. bufferList, &outFlags);
  14939. lastSampleRead = sampleNum + samplesPerFrame;
  14940. return err == noErr;
  14941. }
  14942. juce_UseDebuggingNewOperator
  14943. bool ok;
  14944. private:
  14945. Movie movie;
  14946. Media media;
  14947. Track track;
  14948. const int trackNum;
  14949. double trackUnitsPerFrame;
  14950. int samplesPerFrame;
  14951. int lastSampleRead, lastThreadId;
  14952. MovieAudioExtractionRef extractor;
  14953. AudioStreamBasicDescription inputStreamDesc;
  14954. AudioBufferList* bufferList;
  14955. Handle dataHandle;
  14956. /*OSErr readMovieStream (long offset, long size, void* dataPtr)
  14957. {
  14958. input->setPosition (offset);
  14959. input->read (dataPtr, size);
  14960. return noErr;
  14961. }
  14962. static OSErr readMovieStreamProc (long offset, long size, void* dataPtr, void* userRef)
  14963. {
  14964. return ((QTAudioReader*) userRef)->readMovieStream (offset, size, dataPtr);
  14965. }*/
  14966. void checkThreadIsAttached()
  14967. {
  14968. #if JUCE_MAC
  14969. if (Thread::getCurrentThreadId() != lastThreadId)
  14970. EnterMoviesOnThread (0);
  14971. AttachMovieToCurrentThread (movie);
  14972. #endif
  14973. }
  14974. void detachThread()
  14975. {
  14976. #if JUCE_MAC
  14977. DetachMovieFromCurrentThread (movie);
  14978. #endif
  14979. }
  14980. };
  14981. QuickTimeAudioFormat::QuickTimeAudioFormat()
  14982. : AudioFormat (quickTimeFormatName, (const tchar**) quickTimeExtensions)
  14983. {
  14984. }
  14985. QuickTimeAudioFormat::~QuickTimeAudioFormat()
  14986. {
  14987. }
  14988. const Array <int> QuickTimeAudioFormat::getPossibleSampleRates()
  14989. {
  14990. return Array<int>();
  14991. }
  14992. const Array <int> QuickTimeAudioFormat::getPossibleBitDepths()
  14993. {
  14994. return Array<int>();
  14995. }
  14996. bool QuickTimeAudioFormat::canDoStereo()
  14997. {
  14998. return true;
  14999. }
  15000. bool QuickTimeAudioFormat::canDoMono()
  15001. {
  15002. return true;
  15003. }
  15004. AudioFormatReader* QuickTimeAudioFormat::createReaderFor (InputStream* sourceStream,
  15005. const bool deleteStreamIfOpeningFails)
  15006. {
  15007. QTAudioReader* r = new QTAudioReader (sourceStream, 0);
  15008. if (! r->ok)
  15009. {
  15010. if (! deleteStreamIfOpeningFails)
  15011. r->input = 0;
  15012. deleteAndZero (r);
  15013. }
  15014. return r;
  15015. }
  15016. AudioFormatWriter* QuickTimeAudioFormat::createWriterFor (OutputStream* /*streamToWriteTo*/,
  15017. double /*sampleRateToUse*/,
  15018. unsigned int /*numberOfChannels*/,
  15019. int /*bitsPerSample*/,
  15020. const StringPairArray& /*metadataValues*/,
  15021. int /*qualityOptionIndex*/)
  15022. {
  15023. jassertfalse // not yet implemented!
  15024. return 0;
  15025. }
  15026. END_JUCE_NAMESPACE
  15027. #endif
  15028. /********* End of inlined file: juce_QuickTimeAudioFormat.cpp *********/
  15029. /********* Start of inlined file: juce_WavAudioFormat.cpp *********/
  15030. BEGIN_JUCE_NAMESPACE
  15031. #define wavFormatName TRANS("WAV file")
  15032. static const tchar* const wavExtensions[] = { T(".wav"), T(".bwf"), 0 };
  15033. const tchar* const WavAudioFormat::bwavDescription = T("bwav description");
  15034. const tchar* const WavAudioFormat::bwavOriginator = T("bwav originator");
  15035. const tchar* const WavAudioFormat::bwavOriginatorRef = T("bwav originator ref");
  15036. const tchar* const WavAudioFormat::bwavOriginationDate = T("bwav origination date");
  15037. const tchar* const WavAudioFormat::bwavOriginationTime = T("bwav origination time");
  15038. const tchar* const WavAudioFormat::bwavTimeReference = T("bwav time reference");
  15039. const tchar* const WavAudioFormat::bwavCodingHistory = T("bwav coding history");
  15040. const StringPairArray WavAudioFormat::createBWAVMetadata (const String& description,
  15041. const String& originator,
  15042. const String& originatorRef,
  15043. const Time& date,
  15044. const int64 timeReferenceSamples,
  15045. const String& codingHistory)
  15046. {
  15047. StringPairArray m;
  15048. m.set (bwavDescription, description);
  15049. m.set (bwavOriginator, originator);
  15050. m.set (bwavOriginatorRef, originatorRef);
  15051. m.set (bwavOriginationDate, date.formatted (T("%Y-%m-%d")));
  15052. m.set (bwavOriginationTime, date.formatted (T("%H:%M:%S")));
  15053. m.set (bwavTimeReference, String (timeReferenceSamples));
  15054. m.set (bwavCodingHistory, codingHistory);
  15055. return m;
  15056. }
  15057. #if JUCE_MSVC
  15058. #pragma pack (push, 1)
  15059. #define PACKED
  15060. #elif defined (JUCE_GCC)
  15061. #define PACKED __attribute__((packed))
  15062. #else
  15063. #define PACKED
  15064. #endif
  15065. struct BWAVChunk
  15066. {
  15067. char description [256];
  15068. char originator [32];
  15069. char originatorRef [32];
  15070. char originationDate [10];
  15071. char originationTime [8];
  15072. uint32 timeRefLow;
  15073. uint32 timeRefHigh;
  15074. uint16 version;
  15075. uint8 umid[64];
  15076. uint8 reserved[190];
  15077. char codingHistory[1];
  15078. void copyTo (StringPairArray& values) const
  15079. {
  15080. values.set (WavAudioFormat::bwavDescription, String (description, 256));
  15081. values.set (WavAudioFormat::bwavOriginator, String (originator, 32));
  15082. values.set (WavAudioFormat::bwavOriginatorRef, String (originatorRef, 32));
  15083. values.set (WavAudioFormat::bwavOriginationDate, String (originationDate, 10));
  15084. values.set (WavAudioFormat::bwavOriginationTime, String (originationTime, 8));
  15085. const uint32 timeLow = swapIfBigEndian (timeRefLow);
  15086. const uint32 timeHigh = swapIfBigEndian (timeRefHigh);
  15087. const int64 time = (((int64)timeHigh) << 32) + timeLow;
  15088. values.set (WavAudioFormat::bwavTimeReference, String (time));
  15089. values.set (WavAudioFormat::bwavCodingHistory, String (codingHistory));
  15090. }
  15091. static MemoryBlock createFrom (const StringPairArray& values)
  15092. {
  15093. const int sizeNeeded = sizeof (BWAVChunk) + values [WavAudioFormat::bwavCodingHistory].length();
  15094. MemoryBlock data ((sizeNeeded + 3) & ~3);
  15095. data.fillWith (0);
  15096. BWAVChunk* b = (BWAVChunk*) data.getData();
  15097. // although copyToBuffer may overrun by one byte, that's ok as long as these
  15098. // operations get done in the right order
  15099. values [WavAudioFormat::bwavDescription].copyToBuffer (b->description, 256);
  15100. values [WavAudioFormat::bwavOriginator].copyToBuffer (b->originator, 32);
  15101. values [WavAudioFormat::bwavOriginatorRef].copyToBuffer (b->originatorRef, 32);
  15102. values [WavAudioFormat::bwavOriginationDate].copyToBuffer (b->originationDate, 10);
  15103. values [WavAudioFormat::bwavOriginationTime].copyToBuffer (b->originationTime, 8);
  15104. const int64 time = values [WavAudioFormat::bwavTimeReference].getLargeIntValue();
  15105. b->timeRefLow = swapIfBigEndian ((uint32) (time & 0xffffffff));
  15106. b->timeRefHigh = swapIfBigEndian ((uint32) (time >> 32));
  15107. values [WavAudioFormat::bwavCodingHistory].copyToBuffer (b->codingHistory, 256 * 1024);
  15108. if (b->description[0] != 0
  15109. || b->originator[0] != 0
  15110. || b->originationDate[0] != 0
  15111. || b->originationTime[0] != 0
  15112. || b->codingHistory[0] != 0
  15113. || time != 0)
  15114. {
  15115. return data;
  15116. }
  15117. return MemoryBlock();
  15118. }
  15119. } PACKED;
  15120. #if JUCE_MSVC
  15121. #pragma pack (pop)
  15122. #endif
  15123. #undef PACKED
  15124. #undef chunkName
  15125. #define chunkName(a) ((int) littleEndianInt(a))
  15126. class WavAudioFormatReader : public AudioFormatReader
  15127. {
  15128. int bytesPerFrame;
  15129. int64 dataChunkStart, dataLength;
  15130. WavAudioFormatReader (const WavAudioFormatReader&);
  15131. const WavAudioFormatReader& operator= (const WavAudioFormatReader&);
  15132. public:
  15133. WavAudioFormatReader (InputStream* const in)
  15134. : AudioFormatReader (in, wavFormatName),
  15135. dataLength (0)
  15136. {
  15137. if (input->readInt() == chunkName ("RIFF"))
  15138. {
  15139. const uint32 len = (uint32) input->readInt();
  15140. const int64 end = input->getPosition() + len;
  15141. bool hasGotType = false;
  15142. bool hasGotData = false;
  15143. if (input->readInt() == chunkName ("WAVE"))
  15144. {
  15145. while (input->getPosition() < end
  15146. && ! input->isExhausted())
  15147. {
  15148. const int chunkType = input->readInt();
  15149. uint32 length = (uint32) input->readInt();
  15150. const int64 chunkEnd = input->getPosition() + length + (length & 1);
  15151. if (chunkType == chunkName ("fmt "))
  15152. {
  15153. // read the format chunk
  15154. const short format = input->readShort();
  15155. const short numChans = input->readShort();
  15156. sampleRate = input->readInt();
  15157. const int bytesPerSec = input->readInt();
  15158. numChannels = numChans;
  15159. bytesPerFrame = bytesPerSec / (int)sampleRate;
  15160. bitsPerSample = 8 * bytesPerFrame / numChans;
  15161. if (format == 3)
  15162. usesFloatingPointData = true;
  15163. else if (format != 1)
  15164. bytesPerFrame = 0;
  15165. hasGotType = true;
  15166. }
  15167. else if (chunkType == chunkName ("data"))
  15168. {
  15169. // get the data chunk's position
  15170. dataLength = length;
  15171. dataChunkStart = input->getPosition();
  15172. lengthInSamples = (bytesPerFrame > 0) ? (dataLength / bytesPerFrame) : 0;
  15173. hasGotData = true;
  15174. }
  15175. else if (chunkType == chunkName ("bext"))
  15176. {
  15177. // Broadcast-wav extension chunk..
  15178. BWAVChunk* const bwav = (BWAVChunk*) juce_calloc (jmax (length + 1, (int) sizeof (BWAVChunk)));
  15179. if (bwav != 0)
  15180. {
  15181. input->read (bwav, length);
  15182. bwav->copyTo (metadataValues);
  15183. juce_free (bwav);
  15184. }
  15185. }
  15186. else if ((hasGotType && hasGotData) || chunkEnd <= input->getPosition())
  15187. {
  15188. break;
  15189. }
  15190. input->setPosition (chunkEnd);
  15191. }
  15192. }
  15193. }
  15194. }
  15195. ~WavAudioFormatReader()
  15196. {
  15197. }
  15198. bool read (int** destSamples,
  15199. int64 startSampleInFile,
  15200. int numSamples)
  15201. {
  15202. int64 start = startSampleInFile;
  15203. int startOffsetInDestBuffer = 0;
  15204. if (startSampleInFile < 0)
  15205. {
  15206. const int silence = (int) jmin (-startSampleInFile, (int64) numSamples);
  15207. int** destChan = destSamples;
  15208. for (int i = 2; --i >= 0;)
  15209. {
  15210. if (*destChan != 0)
  15211. {
  15212. zeromem (*destChan, sizeof (int) * silence);
  15213. ++destChan;
  15214. }
  15215. }
  15216. startOffsetInDestBuffer += silence;
  15217. numSamples -= silence;
  15218. start = 0;
  15219. }
  15220. const int numToDo = (int) jlimit ((int64) 0, (int64) numSamples, lengthInSamples - start);
  15221. if (numToDo > 0)
  15222. {
  15223. input->setPosition (dataChunkStart + start * bytesPerFrame);
  15224. int num = numToDo;
  15225. int* left = destSamples[0];
  15226. if (left != 0)
  15227. left += startOffsetInDestBuffer;
  15228. int* right = destSamples[1];
  15229. if (right != 0)
  15230. right += startOffsetInDestBuffer;
  15231. // (keep this a multiple of 3)
  15232. const int tempBufSize = 1440 * 4;
  15233. char tempBuffer [tempBufSize];
  15234. while (num > 0)
  15235. {
  15236. const int numThisTime = jmin (tempBufSize / bytesPerFrame, num);
  15237. const int bytesRead = input->read (tempBuffer, numThisTime * bytesPerFrame);
  15238. if (bytesRead < numThisTime * bytesPerFrame)
  15239. zeromem (tempBuffer + bytesRead, numThisTime * bytesPerFrame - bytesRead);
  15240. if (bitsPerSample == 16)
  15241. {
  15242. const short* src = (const short*) tempBuffer;
  15243. if (numChannels > 1)
  15244. {
  15245. if (left == 0)
  15246. {
  15247. for (int i = numThisTime; --i >= 0;)
  15248. {
  15249. ++src;
  15250. *right++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  15251. }
  15252. }
  15253. else if (right == 0)
  15254. {
  15255. for (int i = numThisTime; --i >= 0;)
  15256. {
  15257. *left++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  15258. ++src;
  15259. }
  15260. }
  15261. else
  15262. {
  15263. for (int i = numThisTime; --i >= 0;)
  15264. {
  15265. *left++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  15266. *right++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  15267. }
  15268. }
  15269. }
  15270. else
  15271. {
  15272. for (int i = numThisTime; --i >= 0;)
  15273. {
  15274. *left++ = (int) swapIfBigEndian ((unsigned short) *src++) << 16;
  15275. }
  15276. }
  15277. }
  15278. else if (bitsPerSample == 24)
  15279. {
  15280. const char* src = (const char*) tempBuffer;
  15281. if (numChannels > 1)
  15282. {
  15283. if (left == 0)
  15284. {
  15285. for (int i = numThisTime; --i >= 0;)
  15286. {
  15287. src += 6;
  15288. *right++ = littleEndian24Bit (src) << 8;
  15289. }
  15290. }
  15291. else if (right == 0)
  15292. {
  15293. for (int i = numThisTime; --i >= 0;)
  15294. {
  15295. *left++ = littleEndian24Bit (src) << 8;
  15296. src += 6;
  15297. }
  15298. }
  15299. else
  15300. {
  15301. for (int i = 0; i < numThisTime; ++i)
  15302. {
  15303. *left++ = littleEndian24Bit (src) << 8;
  15304. src += 3;
  15305. *right++ = littleEndian24Bit (src) << 8;
  15306. src += 3;
  15307. }
  15308. }
  15309. }
  15310. else
  15311. {
  15312. for (int i = 0; i < numThisTime; ++i)
  15313. {
  15314. *left++ = littleEndian24Bit (src) << 8;
  15315. src += 3;
  15316. }
  15317. }
  15318. }
  15319. else if (bitsPerSample == 32)
  15320. {
  15321. const unsigned int* src = (const unsigned int*) tempBuffer;
  15322. unsigned int* l = (unsigned int*) left;
  15323. unsigned int* r = (unsigned int*) right;
  15324. if (numChannels > 1)
  15325. {
  15326. if (l == 0)
  15327. {
  15328. for (int i = numThisTime; --i >= 0;)
  15329. {
  15330. ++src;
  15331. *r++ = swapIfBigEndian (*src++);
  15332. }
  15333. }
  15334. else if (r == 0)
  15335. {
  15336. for (int i = numThisTime; --i >= 0;)
  15337. {
  15338. *l++ = swapIfBigEndian (*src++);
  15339. ++src;
  15340. }
  15341. }
  15342. else
  15343. {
  15344. for (int i = numThisTime; --i >= 0;)
  15345. {
  15346. *l++ = swapIfBigEndian (*src++);
  15347. *r++ = swapIfBigEndian (*src++);
  15348. }
  15349. }
  15350. }
  15351. else
  15352. {
  15353. for (int i = numThisTime; --i >= 0;)
  15354. {
  15355. *l++ = swapIfBigEndian (*src++);
  15356. }
  15357. }
  15358. left = (int*)l;
  15359. right = (int*)r;
  15360. }
  15361. else if (bitsPerSample == 8)
  15362. {
  15363. const unsigned char* src = (const unsigned char*) tempBuffer;
  15364. if (numChannels > 1)
  15365. {
  15366. if (left == 0)
  15367. {
  15368. for (int i = numThisTime; --i >= 0;)
  15369. {
  15370. ++src;
  15371. *right++ = ((int) *src++ - 128) << 24;
  15372. }
  15373. }
  15374. else if (right == 0)
  15375. {
  15376. for (int i = numThisTime; --i >= 0;)
  15377. {
  15378. *left++ = ((int) *src++ - 128) << 24;
  15379. ++src;
  15380. }
  15381. }
  15382. else
  15383. {
  15384. for (int i = numThisTime; --i >= 0;)
  15385. {
  15386. *left++ = ((int) *src++ - 128) << 24;
  15387. *right++ = ((int) *src++ - 128) << 24;
  15388. }
  15389. }
  15390. }
  15391. else
  15392. {
  15393. for (int i = numThisTime; --i >= 0;)
  15394. {
  15395. *left++ = ((int)*src++ - 128) << 24;
  15396. }
  15397. }
  15398. }
  15399. num -= numThisTime;
  15400. }
  15401. }
  15402. if (numToDo < numSamples)
  15403. {
  15404. int** destChan = destSamples;
  15405. while (*destChan != 0)
  15406. {
  15407. zeromem ((*destChan) + (startOffsetInDestBuffer + numToDo),
  15408. sizeof (int) * (numSamples - numToDo));
  15409. ++destChan;
  15410. }
  15411. }
  15412. return true;
  15413. }
  15414. juce_UseDebuggingNewOperator
  15415. };
  15416. class WavAudioFormatWriter : public AudioFormatWriter
  15417. {
  15418. MemoryBlock tempBlock, bwavChunk;
  15419. uint32 lengthInSamples, bytesWritten;
  15420. int64 headerPosition;
  15421. bool writeFailed;
  15422. WavAudioFormatWriter (const WavAudioFormatWriter&);
  15423. const WavAudioFormatWriter& operator= (const WavAudioFormatWriter&);
  15424. void writeHeader()
  15425. {
  15426. const bool seekedOk = output->setPosition (headerPosition);
  15427. (void) seekedOk;
  15428. // if this fails, you've given it an output stream that can't seek! It needs
  15429. // to be able to seek back to write the header
  15430. jassert (seekedOk);
  15431. const int bytesPerFrame = numChannels * bitsPerSample / 8;
  15432. output->writeInt (chunkName ("RIFF"));
  15433. output->writeInt (lengthInSamples * bytesPerFrame
  15434. + ((bwavChunk.getSize() > 0) ? (44 + bwavChunk.getSize()) : 36));
  15435. output->writeInt (chunkName ("WAVE"));
  15436. output->writeInt (chunkName ("fmt "));
  15437. output->writeInt (16);
  15438. output->writeShort ((bitsPerSample < 32) ? (short) 1 /*WAVE_FORMAT_PCM*/
  15439. : (short) 3 /*WAVE_FORMAT_IEEE_FLOAT*/);
  15440. output->writeShort ((short) numChannels);
  15441. output->writeInt ((int) sampleRate);
  15442. output->writeInt (bytesPerFrame * (int) sampleRate);
  15443. output->writeShort ((short) bytesPerFrame);
  15444. output->writeShort ((short) bitsPerSample);
  15445. if (bwavChunk.getSize() > 0)
  15446. {
  15447. output->writeInt (chunkName ("bext"));
  15448. output->writeInt (bwavChunk.getSize());
  15449. output->write (bwavChunk.getData(), bwavChunk.getSize());
  15450. }
  15451. output->writeInt (chunkName ("data"));
  15452. output->writeInt (lengthInSamples * bytesPerFrame);
  15453. usesFloatingPointData = (bitsPerSample == 32);
  15454. }
  15455. public:
  15456. WavAudioFormatWriter (OutputStream* const out,
  15457. const double sampleRate,
  15458. const unsigned int numChannels_,
  15459. const int bits,
  15460. const StringPairArray& metadataValues)
  15461. : AudioFormatWriter (out,
  15462. wavFormatName,
  15463. sampleRate,
  15464. numChannels_,
  15465. bits),
  15466. lengthInSamples (0),
  15467. bytesWritten (0),
  15468. writeFailed (false)
  15469. {
  15470. if (metadataValues.size() > 0)
  15471. bwavChunk = BWAVChunk::createFrom (metadataValues);
  15472. headerPosition = out->getPosition();
  15473. writeHeader();
  15474. }
  15475. ~WavAudioFormatWriter()
  15476. {
  15477. writeHeader();
  15478. }
  15479. bool write (const int** data, int numSamples)
  15480. {
  15481. if (writeFailed)
  15482. return false;
  15483. const int bytes = numChannels * numSamples * bitsPerSample / 8;
  15484. tempBlock.ensureSize (bytes, false);
  15485. char* buffer = (char*) tempBlock.getData();
  15486. const int* left = data[0];
  15487. const int* right = data[1];
  15488. if (right == 0)
  15489. right = left;
  15490. if (bitsPerSample == 16)
  15491. {
  15492. short* b = (short*) buffer;
  15493. if (numChannels > 1)
  15494. {
  15495. for (int i = numSamples; --i >= 0;)
  15496. {
  15497. *b++ = (short) swapIfBigEndian ((unsigned short) (*left++ >> 16));
  15498. *b++ = (short) swapIfBigEndian ((unsigned short) (*right++ >> 16));
  15499. }
  15500. }
  15501. else
  15502. {
  15503. for (int i = numSamples; --i >= 0;)
  15504. {
  15505. *b++ = (short) swapIfBigEndian ((unsigned short) (*left++ >> 16));
  15506. }
  15507. }
  15508. }
  15509. else if (bitsPerSample == 24)
  15510. {
  15511. char* b = (char*) buffer;
  15512. if (numChannels > 1)
  15513. {
  15514. for (int i = numSamples; --i >= 0;)
  15515. {
  15516. littleEndian24BitToChars ((*left++) >> 8, b);
  15517. b += 3;
  15518. littleEndian24BitToChars ((*right++) >> 8, b);
  15519. b += 3;
  15520. }
  15521. }
  15522. else
  15523. {
  15524. for (int i = numSamples; --i >= 0;)
  15525. {
  15526. littleEndian24BitToChars ((*left++) >> 8, b);
  15527. b += 3;
  15528. }
  15529. }
  15530. }
  15531. else if (bitsPerSample == 32)
  15532. {
  15533. unsigned int* b = (unsigned int*) buffer;
  15534. if (numChannels > 1)
  15535. {
  15536. for (int i = numSamples; --i >= 0;)
  15537. {
  15538. *b++ = swapIfBigEndian ((unsigned int) *left++);
  15539. *b++ = swapIfBigEndian ((unsigned int) *right++);
  15540. }
  15541. }
  15542. else
  15543. {
  15544. for (int i = numSamples; --i >= 0;)
  15545. {
  15546. *b++ = swapIfBigEndian ((unsigned int) *left++);
  15547. }
  15548. }
  15549. }
  15550. else if (bitsPerSample == 8)
  15551. {
  15552. unsigned char* b = (unsigned char*) buffer;
  15553. if (numChannels > 1)
  15554. {
  15555. for (int i = numSamples; --i >= 0;)
  15556. {
  15557. *b++ = (unsigned char) (128 + (*left++ >> 24));
  15558. *b++ = (unsigned char) (128 + (*right++ >> 24));
  15559. }
  15560. }
  15561. else
  15562. {
  15563. for (int i = numSamples; --i >= 0;)
  15564. {
  15565. *b++ = (unsigned char) (128 + (*left++ >> 24));
  15566. }
  15567. }
  15568. }
  15569. if (bytesWritten + bytes >= (uint32) 0xfff00000
  15570. || ! output->write (buffer, bytes))
  15571. {
  15572. // failed to write to disk, so let's try writing the header.
  15573. // If it's just run out of disk space, then if it does manage
  15574. // to write the header, we'll still have a useable file..
  15575. writeHeader();
  15576. writeFailed = true;
  15577. return false;
  15578. }
  15579. else
  15580. {
  15581. bytesWritten += bytes;
  15582. lengthInSamples += numSamples;
  15583. return true;
  15584. }
  15585. }
  15586. juce_UseDebuggingNewOperator
  15587. };
  15588. WavAudioFormat::WavAudioFormat()
  15589. : AudioFormat (wavFormatName, (const tchar**) wavExtensions)
  15590. {
  15591. }
  15592. WavAudioFormat::~WavAudioFormat()
  15593. {
  15594. }
  15595. const Array <int> WavAudioFormat::getPossibleSampleRates()
  15596. {
  15597. const int rates[] = { 22050, 32000, 44100, 48000, 88200, 96000, 176400, 192000, 0 };
  15598. return Array <int> (rates);
  15599. }
  15600. const Array <int> WavAudioFormat::getPossibleBitDepths()
  15601. {
  15602. const int depths[] = { 8, 16, 24, 32, 0 };
  15603. return Array <int> (depths);
  15604. }
  15605. bool WavAudioFormat::canDoStereo()
  15606. {
  15607. return true;
  15608. }
  15609. bool WavAudioFormat::canDoMono()
  15610. {
  15611. return true;
  15612. }
  15613. AudioFormatReader* WavAudioFormat::createReaderFor (InputStream* sourceStream,
  15614. const bool deleteStreamIfOpeningFails)
  15615. {
  15616. WavAudioFormatReader* r = new WavAudioFormatReader (sourceStream);
  15617. if (r->sampleRate == 0)
  15618. {
  15619. if (! deleteStreamIfOpeningFails)
  15620. r->input = 0;
  15621. deleteAndZero (r);
  15622. }
  15623. return r;
  15624. }
  15625. AudioFormatWriter* WavAudioFormat::createWriterFor (OutputStream* out,
  15626. double sampleRate,
  15627. unsigned int numChannels,
  15628. int bitsPerSample,
  15629. const StringPairArray& metadataValues,
  15630. int /*qualityOptionIndex*/)
  15631. {
  15632. if (getPossibleBitDepths().contains (bitsPerSample))
  15633. {
  15634. return new WavAudioFormatWriter (out,
  15635. sampleRate,
  15636. numChannels,
  15637. bitsPerSample,
  15638. metadataValues);
  15639. }
  15640. return 0;
  15641. }
  15642. END_JUCE_NAMESPACE
  15643. /********* End of inlined file: juce_WavAudioFormat.cpp *********/
  15644. /********* Start of inlined file: juce_AudioFormatReaderSource.cpp *********/
  15645. BEGIN_JUCE_NAMESPACE
  15646. AudioFormatReaderSource::AudioFormatReaderSource (AudioFormatReader* const reader_,
  15647. const bool deleteReaderWhenThisIsDeleted)
  15648. : reader (reader_),
  15649. deleteReader (deleteReaderWhenThisIsDeleted),
  15650. nextPlayPos (0),
  15651. looping (false)
  15652. {
  15653. jassert (reader != 0);
  15654. }
  15655. AudioFormatReaderSource::~AudioFormatReaderSource()
  15656. {
  15657. releaseResources();
  15658. if (deleteReader)
  15659. delete reader;
  15660. }
  15661. void AudioFormatReaderSource::setNextReadPosition (int newPosition)
  15662. {
  15663. nextPlayPos = newPosition;
  15664. }
  15665. void AudioFormatReaderSource::setLooping (const bool shouldLoop) throw()
  15666. {
  15667. looping = shouldLoop;
  15668. }
  15669. int AudioFormatReaderSource::getNextReadPosition() const
  15670. {
  15671. return (looping) ? (nextPlayPos % (int) reader->lengthInSamples)
  15672. : nextPlayPos;
  15673. }
  15674. int AudioFormatReaderSource::getTotalLength() const
  15675. {
  15676. return (int) reader->lengthInSamples;
  15677. }
  15678. void AudioFormatReaderSource::prepareToPlay (int /*samplesPerBlockExpected*/,
  15679. double /*sampleRate*/)
  15680. {
  15681. }
  15682. void AudioFormatReaderSource::releaseResources()
  15683. {
  15684. }
  15685. void AudioFormatReaderSource::getNextAudioBlock (const AudioSourceChannelInfo& info)
  15686. {
  15687. if (info.numSamples > 0)
  15688. {
  15689. const int start = nextPlayPos;
  15690. if (looping)
  15691. {
  15692. const int newStart = start % (int) reader->lengthInSamples;
  15693. const int newEnd = (start + info.numSamples) % (int) reader->lengthInSamples;
  15694. if (newEnd > newStart)
  15695. {
  15696. info.buffer->readFromAudioReader (reader,
  15697. info.startSample,
  15698. newEnd - newStart,
  15699. newStart,
  15700. true, true);
  15701. }
  15702. else
  15703. {
  15704. const int endSamps = (int) reader->lengthInSamples - newStart;
  15705. info.buffer->readFromAudioReader (reader,
  15706. info.startSample,
  15707. endSamps,
  15708. newStart,
  15709. true, true);
  15710. info.buffer->readFromAudioReader (reader,
  15711. info.startSample + endSamps,
  15712. newEnd,
  15713. 0,
  15714. true, true);
  15715. }
  15716. nextPlayPos = newEnd;
  15717. }
  15718. else
  15719. {
  15720. info.buffer->readFromAudioReader (reader,
  15721. info.startSample,
  15722. info.numSamples,
  15723. start,
  15724. true, true);
  15725. nextPlayPos += info.numSamples;
  15726. }
  15727. }
  15728. }
  15729. END_JUCE_NAMESPACE
  15730. /********* End of inlined file: juce_AudioFormatReaderSource.cpp *********/
  15731. /********* Start of inlined file: juce_AudioSourcePlayer.cpp *********/
  15732. BEGIN_JUCE_NAMESPACE
  15733. AudioSourcePlayer::AudioSourcePlayer()
  15734. : source (0),
  15735. sampleRate (0),
  15736. bufferSize (0),
  15737. tempBuffer (2, 8),
  15738. lastGain (1.0f),
  15739. gain (1.0f)
  15740. {
  15741. }
  15742. AudioSourcePlayer::~AudioSourcePlayer()
  15743. {
  15744. setSource (0);
  15745. }
  15746. void AudioSourcePlayer::setSource (AudioSource* newSource)
  15747. {
  15748. if (source != newSource)
  15749. {
  15750. AudioSource* const oldSource = source;
  15751. if (newSource != 0 && bufferSize > 0 && sampleRate > 0)
  15752. newSource->prepareToPlay (bufferSize, sampleRate);
  15753. {
  15754. const ScopedLock sl (readLock);
  15755. source = newSource;
  15756. }
  15757. if (oldSource != 0)
  15758. oldSource->releaseResources();
  15759. }
  15760. }
  15761. void AudioSourcePlayer::setGain (const float newGain) throw()
  15762. {
  15763. gain = newGain;
  15764. }
  15765. void AudioSourcePlayer::audioDeviceIOCallback (const float** inputChannelData,
  15766. int totalNumInputChannels,
  15767. float** outputChannelData,
  15768. int totalNumOutputChannels,
  15769. int numSamples)
  15770. {
  15771. // these should have been prepared by audioDeviceAboutToStart()...
  15772. jassert (sampleRate > 0 && bufferSize > 0);
  15773. const ScopedLock sl (readLock);
  15774. if (source != 0)
  15775. {
  15776. AudioSourceChannelInfo info;
  15777. int i, numActiveChans = 0, numInputs = 0, numOutputs = 0;
  15778. // messy stuff needed to compact the channels down into an array
  15779. // of non-zero pointers..
  15780. for (i = 0; i < totalNumInputChannels; ++i)
  15781. {
  15782. if (inputChannelData[i] != 0)
  15783. {
  15784. inputChans [numInputs++] = inputChannelData[i];
  15785. if (numInputs >= numElementsInArray (inputChans))
  15786. break;
  15787. }
  15788. }
  15789. for (i = 0; i < totalNumOutputChannels; ++i)
  15790. {
  15791. if (outputChannelData[i] != 0)
  15792. {
  15793. outputChans [numOutputs++] = outputChannelData[i];
  15794. if (numOutputs >= numElementsInArray (outputChans))
  15795. break;
  15796. }
  15797. }
  15798. if (numInputs > numOutputs)
  15799. {
  15800. // if there aren't enough output channels for the number of
  15801. // inputs, we need to create some temporary extra ones (can't
  15802. // use the input data in case it gets written to)
  15803. tempBuffer.setSize (numInputs - numOutputs, numSamples,
  15804. false, false, true);
  15805. for (i = 0; i < numOutputs; ++i)
  15806. {
  15807. channels[numActiveChans] = outputChans[i];
  15808. memcpy (channels[numActiveChans], inputChans[i], sizeof (float) * numSamples);
  15809. ++numActiveChans;
  15810. }
  15811. for (i = numOutputs; i < numInputs; ++i)
  15812. {
  15813. channels[numActiveChans] = tempBuffer.getSampleData (i - numOutputs, 0);
  15814. memcpy (channels[numActiveChans], inputChans[i], sizeof (float) * numSamples);
  15815. ++numActiveChans;
  15816. }
  15817. }
  15818. else
  15819. {
  15820. for (i = 0; i < numInputs; ++i)
  15821. {
  15822. channels[numActiveChans] = outputChans[i];
  15823. memcpy (channels[numActiveChans], inputChans[i], sizeof (float) * numSamples);
  15824. ++numActiveChans;
  15825. }
  15826. for (i = numInputs; i < numOutputs; ++i)
  15827. {
  15828. channels[numActiveChans] = outputChans[i];
  15829. zeromem (channels[numActiveChans], sizeof (float) * numSamples);
  15830. ++numActiveChans;
  15831. }
  15832. }
  15833. AudioSampleBuffer buffer (channels, numActiveChans, numSamples);
  15834. info.buffer = &buffer;
  15835. info.startSample = 0;
  15836. info.numSamples = numSamples;
  15837. source->getNextAudioBlock (info);
  15838. for (i = info.buffer->getNumChannels(); --i >= 0;)
  15839. info.buffer->applyGainRamp (i, info.startSample, info.numSamples, lastGain, gain);
  15840. lastGain = gain;
  15841. }
  15842. else
  15843. {
  15844. for (int i = 0; i < totalNumOutputChannels; ++i)
  15845. if (outputChannelData[i] != 0)
  15846. zeromem (outputChannelData[i], sizeof (float) * numSamples);
  15847. }
  15848. }
  15849. void AudioSourcePlayer::audioDeviceAboutToStart (AudioIODevice* device)
  15850. {
  15851. sampleRate = device->getCurrentSampleRate();
  15852. bufferSize = device->getCurrentBufferSizeSamples();
  15853. zeromem (channels, sizeof (channels));
  15854. if (source != 0)
  15855. source->prepareToPlay (bufferSize, sampleRate);
  15856. }
  15857. void AudioSourcePlayer::audioDeviceStopped()
  15858. {
  15859. if (source != 0)
  15860. source->releaseResources();
  15861. sampleRate = 0.0;
  15862. bufferSize = 0;
  15863. tempBuffer.setSize (2, 8);
  15864. }
  15865. END_JUCE_NAMESPACE
  15866. /********* End of inlined file: juce_AudioSourcePlayer.cpp *********/
  15867. /********* Start of inlined file: juce_AudioTransportSource.cpp *********/
  15868. BEGIN_JUCE_NAMESPACE
  15869. AudioTransportSource::AudioTransportSource()
  15870. : source (0),
  15871. resamplerSource (0),
  15872. bufferingSource (0),
  15873. positionableSource (0),
  15874. masterSource (0),
  15875. gain (1.0f),
  15876. lastGain (1.0f),
  15877. playing (false),
  15878. stopped (true),
  15879. sampleRate (44100.0),
  15880. sourceSampleRate (0.0),
  15881. blockSize (128),
  15882. readAheadBufferSize (0),
  15883. isPrepared (false),
  15884. inputStreamEOF (false)
  15885. {
  15886. }
  15887. AudioTransportSource::~AudioTransportSource()
  15888. {
  15889. setSource (0);
  15890. releaseResources();
  15891. }
  15892. void AudioTransportSource::setSource (PositionableAudioSource* const newSource,
  15893. int readAheadBufferSize_,
  15894. double sourceSampleRateToCorrectFor)
  15895. {
  15896. if (source == newSource)
  15897. {
  15898. if (source == 0)
  15899. return;
  15900. setSource (0, 0, 0); // deselect and reselect to avoid releasing resources wrongly
  15901. }
  15902. readAheadBufferSize = readAheadBufferSize_;
  15903. sourceSampleRate = sourceSampleRateToCorrectFor;
  15904. ResamplingAudioSource* newResamplerSource = 0;
  15905. BufferingAudioSource* newBufferingSource = 0;
  15906. PositionableAudioSource* newPositionableSource = 0;
  15907. AudioSource* newMasterSource = 0;
  15908. ResamplingAudioSource* oldResamplerSource = resamplerSource;
  15909. BufferingAudioSource* oldBufferingSource = bufferingSource;
  15910. AudioSource* oldMasterSource = masterSource;
  15911. if (newSource != 0)
  15912. {
  15913. newPositionableSource = newSource;
  15914. if (readAheadBufferSize_ > 0)
  15915. newPositionableSource = newBufferingSource
  15916. = new BufferingAudioSource (newPositionableSource, false, readAheadBufferSize_);
  15917. newPositionableSource->setNextReadPosition (0);
  15918. if (sourceSampleRateToCorrectFor != 0)
  15919. newMasterSource = newResamplerSource
  15920. = new ResamplingAudioSource (newPositionableSource, false);
  15921. else
  15922. newMasterSource = newPositionableSource;
  15923. if (isPrepared)
  15924. {
  15925. if (newResamplerSource != 0 && sourceSampleRate > 0 && sampleRate > 0)
  15926. newResamplerSource->setResamplingRatio (sourceSampleRate / sampleRate);
  15927. newMasterSource->prepareToPlay (blockSize, sampleRate);
  15928. }
  15929. }
  15930. {
  15931. const ScopedLock sl (callbackLock);
  15932. source = newSource;
  15933. resamplerSource = newResamplerSource;
  15934. bufferingSource = newBufferingSource;
  15935. masterSource = newMasterSource;
  15936. positionableSource = newPositionableSource;
  15937. playing = false;
  15938. }
  15939. if (oldMasterSource != 0)
  15940. oldMasterSource->releaseResources();
  15941. if (oldResamplerSource != 0)
  15942. delete oldResamplerSource;
  15943. if (oldBufferingSource != 0)
  15944. delete oldBufferingSource;
  15945. }
  15946. void AudioTransportSource::start()
  15947. {
  15948. if ((! playing) && masterSource != 0)
  15949. {
  15950. callbackLock.enter();
  15951. playing = true;
  15952. stopped = false;
  15953. inputStreamEOF = false;
  15954. callbackLock.exit();
  15955. sendChangeMessage (this);
  15956. }
  15957. }
  15958. void AudioTransportSource::stop()
  15959. {
  15960. if (playing)
  15961. {
  15962. callbackLock.enter();
  15963. playing = false;
  15964. callbackLock.exit();
  15965. int n = 500;
  15966. while (--n >= 0 && ! stopped)
  15967. Thread::sleep (2);
  15968. sendChangeMessage (this);
  15969. }
  15970. }
  15971. void AudioTransportSource::setPosition (double newPosition)
  15972. {
  15973. if (sampleRate > 0.0)
  15974. setNextReadPosition (roundDoubleToInt (newPosition * sampleRate));
  15975. }
  15976. double AudioTransportSource::getCurrentPosition() const
  15977. {
  15978. if (sampleRate > 0.0)
  15979. return getNextReadPosition() / sampleRate;
  15980. else
  15981. return 0.0;
  15982. }
  15983. void AudioTransportSource::setNextReadPosition (int newPosition)
  15984. {
  15985. if (positionableSource != 0)
  15986. {
  15987. if (sampleRate > 0 && sourceSampleRate > 0)
  15988. newPosition = roundDoubleToInt (newPosition * sourceSampleRate / sampleRate);
  15989. positionableSource->setNextReadPosition (newPosition);
  15990. }
  15991. }
  15992. int AudioTransportSource::getNextReadPosition() const
  15993. {
  15994. if (positionableSource != 0)
  15995. {
  15996. const double ratio = (sampleRate > 0 && sourceSampleRate > 0) ? sampleRate / sourceSampleRate : 1.0;
  15997. return roundDoubleToInt (positionableSource->getNextReadPosition() * ratio);
  15998. }
  15999. return 0;
  16000. }
  16001. int AudioTransportSource::getTotalLength() const
  16002. {
  16003. const ScopedLock sl (callbackLock);
  16004. if (positionableSource != 0)
  16005. {
  16006. const double ratio = (sampleRate > 0 && sourceSampleRate > 0) ? sampleRate / sourceSampleRate : 1.0;
  16007. return roundDoubleToInt (positionableSource->getTotalLength() * ratio);
  16008. }
  16009. return 0;
  16010. }
  16011. bool AudioTransportSource::isLooping() const
  16012. {
  16013. const ScopedLock sl (callbackLock);
  16014. return positionableSource != 0
  16015. && positionableSource->isLooping();
  16016. }
  16017. void AudioTransportSource::setGain (const float newGain) throw()
  16018. {
  16019. gain = newGain;
  16020. }
  16021. void AudioTransportSource::prepareToPlay (int samplesPerBlockExpected,
  16022. double sampleRate_)
  16023. {
  16024. const ScopedLock sl (callbackLock);
  16025. sampleRate = sampleRate_;
  16026. blockSize = samplesPerBlockExpected;
  16027. if (masterSource != 0)
  16028. masterSource->prepareToPlay (samplesPerBlockExpected, sampleRate);
  16029. if (resamplerSource != 0 && sourceSampleRate != 0)
  16030. resamplerSource->setResamplingRatio (sourceSampleRate / sampleRate);
  16031. isPrepared = true;
  16032. }
  16033. void AudioTransportSource::releaseResources()
  16034. {
  16035. const ScopedLock sl (callbackLock);
  16036. if (masterSource != 0)
  16037. masterSource->releaseResources();
  16038. isPrepared = false;
  16039. }
  16040. void AudioTransportSource::getNextAudioBlock (const AudioSourceChannelInfo& info)
  16041. {
  16042. const ScopedLock sl (callbackLock);
  16043. inputStreamEOF = false;
  16044. if (masterSource != 0 && ! stopped)
  16045. {
  16046. masterSource->getNextAudioBlock (info);
  16047. if (! playing)
  16048. {
  16049. // just stopped playing, so fade out the last block..
  16050. for (int i = info.buffer->getNumChannels(); --i >= 0;)
  16051. info.buffer->applyGainRamp (i, info.startSample, jmin (256, info.numSamples), 1.0f, 0.0f);
  16052. if (info.numSamples > 256)
  16053. info.buffer->clear (info.startSample + 256, info.numSamples - 256);
  16054. }
  16055. if (positionableSource->getNextReadPosition() > positionableSource->getTotalLength() + 1
  16056. && ! positionableSource->isLooping())
  16057. {
  16058. playing = false;
  16059. inputStreamEOF = true;
  16060. sendChangeMessage (this);
  16061. }
  16062. stopped = ! playing;
  16063. for (int i = info.buffer->getNumChannels(); --i >= 0;)
  16064. {
  16065. info.buffer->applyGainRamp (i, info.startSample, info.numSamples,
  16066. lastGain, gain);
  16067. }
  16068. }
  16069. else
  16070. {
  16071. info.clearActiveBufferRegion();
  16072. stopped = true;
  16073. }
  16074. lastGain = gain;
  16075. }
  16076. END_JUCE_NAMESPACE
  16077. /********* End of inlined file: juce_AudioTransportSource.cpp *********/
  16078. /********* Start of inlined file: juce_BufferingAudioSource.cpp *********/
  16079. BEGIN_JUCE_NAMESPACE
  16080. class SharedBufferingAudioSourceThread : public DeletedAtShutdown,
  16081. public Thread,
  16082. private Timer
  16083. {
  16084. public:
  16085. SharedBufferingAudioSourceThread()
  16086. : Thread ("Audio Buffer"),
  16087. sources (8)
  16088. {
  16089. }
  16090. ~SharedBufferingAudioSourceThread()
  16091. {
  16092. stopThread (10000);
  16093. clearSingletonInstance();
  16094. }
  16095. juce_DeclareSingleton (SharedBufferingAudioSourceThread, false)
  16096. void addSource (BufferingAudioSource* source)
  16097. {
  16098. const ScopedLock sl (lock);
  16099. if (! sources.contains ((void*) source))
  16100. {
  16101. sources.add ((void*) source);
  16102. startThread();
  16103. stopTimer();
  16104. }
  16105. notify();
  16106. }
  16107. void removeSource (BufferingAudioSource* source)
  16108. {
  16109. const ScopedLock sl (lock);
  16110. sources.removeValue ((void*) source);
  16111. if (sources.size() == 0)
  16112. startTimer (5000);
  16113. }
  16114. private:
  16115. VoidArray sources;
  16116. CriticalSection lock;
  16117. void run()
  16118. {
  16119. while (! threadShouldExit())
  16120. {
  16121. bool busy = false;
  16122. for (int i = sources.size(); --i >= 0;)
  16123. {
  16124. if (threadShouldExit())
  16125. return;
  16126. const ScopedLock sl (lock);
  16127. BufferingAudioSource* const b = (BufferingAudioSource*) sources[i];
  16128. if (b != 0 && b->readNextBufferChunk())
  16129. busy = true;
  16130. }
  16131. if (! busy)
  16132. wait (500);
  16133. }
  16134. }
  16135. void timerCallback()
  16136. {
  16137. stopTimer();
  16138. if (sources.size() == 0)
  16139. deleteInstance();
  16140. }
  16141. SharedBufferingAudioSourceThread (const SharedBufferingAudioSourceThread&);
  16142. const SharedBufferingAudioSourceThread& operator= (const SharedBufferingAudioSourceThread&);
  16143. };
  16144. juce_ImplementSingleton (SharedBufferingAudioSourceThread)
  16145. BufferingAudioSource::BufferingAudioSource (PositionableAudioSource* source_,
  16146. const bool deleteSourceWhenDeleted_,
  16147. int numberOfSamplesToBuffer_)
  16148. : source (source_),
  16149. deleteSourceWhenDeleted (deleteSourceWhenDeleted_),
  16150. numberOfSamplesToBuffer (jmax (1024, numberOfSamplesToBuffer_)),
  16151. buffer (2, 0),
  16152. bufferValidStart (0),
  16153. bufferValidEnd (0),
  16154. nextPlayPos (0),
  16155. wasSourceLooping (false)
  16156. {
  16157. jassert (source_ != 0);
  16158. jassert (numberOfSamplesToBuffer_ > 1024); // not much point using this class if you're
  16159. // not using a larger buffer..
  16160. }
  16161. BufferingAudioSource::~BufferingAudioSource()
  16162. {
  16163. SharedBufferingAudioSourceThread* const thread = SharedBufferingAudioSourceThread::getInstanceWithoutCreating();
  16164. if (thread != 0)
  16165. thread->removeSource (this);
  16166. if (deleteSourceWhenDeleted)
  16167. delete source;
  16168. }
  16169. void BufferingAudioSource::prepareToPlay (int samplesPerBlockExpected, double sampleRate_)
  16170. {
  16171. source->prepareToPlay (samplesPerBlockExpected, sampleRate_);
  16172. sampleRate = sampleRate_;
  16173. buffer.setSize (2, jmax (samplesPerBlockExpected * 2, numberOfSamplesToBuffer));
  16174. buffer.clear();
  16175. bufferValidStart = 0;
  16176. bufferValidEnd = 0;
  16177. SharedBufferingAudioSourceThread::getInstance()->addSource (this);
  16178. while (bufferValidEnd - bufferValidStart < jmin (((int) sampleRate_) / 4,
  16179. buffer.getNumSamples() / 2))
  16180. {
  16181. SharedBufferingAudioSourceThread::getInstance()->notify();
  16182. Thread::sleep (5);
  16183. }
  16184. }
  16185. void BufferingAudioSource::releaseResources()
  16186. {
  16187. SharedBufferingAudioSourceThread* const thread = SharedBufferingAudioSourceThread::getInstanceWithoutCreating();
  16188. if (thread != 0)
  16189. thread->removeSource (this);
  16190. buffer.setSize (2, 0);
  16191. source->releaseResources();
  16192. }
  16193. void BufferingAudioSource::getNextAudioBlock (const AudioSourceChannelInfo& info)
  16194. {
  16195. const ScopedLock sl (bufferStartPosLock);
  16196. const int validStart = jlimit (bufferValidStart, bufferValidEnd, nextPlayPos) - nextPlayPos;
  16197. const int validEnd = jlimit (bufferValidStart, bufferValidEnd, nextPlayPos + info.numSamples) - nextPlayPos;
  16198. if (validStart == validEnd)
  16199. {
  16200. // total cache miss
  16201. info.clearActiveBufferRegion();
  16202. }
  16203. else
  16204. {
  16205. if (validStart > 0)
  16206. info.buffer->clear (info.startSample, validStart); // partial cache miss at start
  16207. if (validEnd < info.numSamples)
  16208. info.buffer->clear (info.startSample + validEnd,
  16209. info.numSamples - validEnd); // partial cache miss at end
  16210. if (validStart < validEnd)
  16211. {
  16212. for (int chan = jmin (2, info.buffer->getNumChannels()); --chan >= 0;)
  16213. {
  16214. const int startBufferIndex = (validStart + nextPlayPos) % buffer.getNumSamples();
  16215. const int endBufferIndex = (validEnd + nextPlayPos) % buffer.getNumSamples();
  16216. if (startBufferIndex < endBufferIndex)
  16217. {
  16218. info.buffer->copyFrom (chan, info.startSample + validStart,
  16219. buffer,
  16220. chan, startBufferIndex,
  16221. validEnd - validStart);
  16222. }
  16223. else
  16224. {
  16225. const int initialSize = buffer.getNumSamples() - startBufferIndex;
  16226. info.buffer->copyFrom (chan, info.startSample + validStart,
  16227. buffer,
  16228. chan, startBufferIndex,
  16229. initialSize);
  16230. info.buffer->copyFrom (chan, info.startSample + validStart + initialSize,
  16231. buffer,
  16232. chan, 0,
  16233. (validEnd - validStart) - initialSize);
  16234. }
  16235. }
  16236. }
  16237. nextPlayPos += info.numSamples;
  16238. }
  16239. SharedBufferingAudioSourceThread* const thread = SharedBufferingAudioSourceThread::getInstanceWithoutCreating();
  16240. if (thread != 0)
  16241. thread->notify();
  16242. }
  16243. int BufferingAudioSource::getNextReadPosition() const
  16244. {
  16245. return (source->isLooping() && nextPlayPos > 0)
  16246. ? nextPlayPos % source->getTotalLength()
  16247. : nextPlayPos;
  16248. }
  16249. void BufferingAudioSource::setNextReadPosition (int newPosition)
  16250. {
  16251. const ScopedLock sl (bufferStartPosLock);
  16252. nextPlayPos = newPosition;
  16253. SharedBufferingAudioSourceThread* const thread = SharedBufferingAudioSourceThread::getInstanceWithoutCreating();
  16254. if (thread != 0)
  16255. thread->notify();
  16256. }
  16257. bool BufferingAudioSource::readNextBufferChunk()
  16258. {
  16259. bufferStartPosLock.enter();
  16260. if (wasSourceLooping != isLooping())
  16261. {
  16262. wasSourceLooping = isLooping();
  16263. bufferValidStart = 0;
  16264. bufferValidEnd = 0;
  16265. }
  16266. int newBVS = jmax (0, nextPlayPos);
  16267. int newBVE = newBVS + buffer.getNumSamples() - 4;
  16268. int sectionToReadStart = 0;
  16269. int sectionToReadEnd = 0;
  16270. const int maxChunkSize = 2048;
  16271. if (newBVS < bufferValidStart || newBVS >= bufferValidEnd)
  16272. {
  16273. newBVE = jmin (newBVE, newBVS + maxChunkSize);
  16274. sectionToReadStart = newBVS;
  16275. sectionToReadEnd = newBVE;
  16276. bufferValidStart = 0;
  16277. bufferValidEnd = 0;
  16278. }
  16279. else if (abs (newBVS - bufferValidStart) > 512
  16280. || abs (newBVE - bufferValidEnd) > 512)
  16281. {
  16282. newBVE = jmin (newBVE, bufferValidEnd + maxChunkSize);
  16283. sectionToReadStart = bufferValidEnd;
  16284. sectionToReadEnd = newBVE;
  16285. bufferValidStart = newBVS;
  16286. bufferValidEnd = jmin (bufferValidEnd, newBVE);
  16287. }
  16288. bufferStartPosLock.exit();
  16289. if (sectionToReadStart != sectionToReadEnd)
  16290. {
  16291. const int bufferIndexStart = sectionToReadStart % buffer.getNumSamples();
  16292. const int bufferIndexEnd = sectionToReadEnd % buffer.getNumSamples();
  16293. if (bufferIndexStart < bufferIndexEnd)
  16294. {
  16295. readBufferSection (sectionToReadStart,
  16296. sectionToReadEnd - sectionToReadStart,
  16297. bufferIndexStart);
  16298. }
  16299. else
  16300. {
  16301. const int initialSize = buffer.getNumSamples() - bufferIndexStart;
  16302. readBufferSection (sectionToReadStart,
  16303. initialSize,
  16304. bufferIndexStart);
  16305. readBufferSection (sectionToReadStart + initialSize,
  16306. (sectionToReadEnd - sectionToReadStart) - initialSize,
  16307. 0);
  16308. }
  16309. const ScopedLock sl2 (bufferStartPosLock);
  16310. bufferValidStart = newBVS;
  16311. bufferValidEnd = newBVE;
  16312. return true;
  16313. }
  16314. else
  16315. {
  16316. return false;
  16317. }
  16318. }
  16319. void BufferingAudioSource::readBufferSection (int start, int length, int bufferOffset)
  16320. {
  16321. if (source->getNextReadPosition() != start)
  16322. source->setNextReadPosition (start);
  16323. AudioSourceChannelInfo info;
  16324. info.buffer = &buffer;
  16325. info.startSample = bufferOffset;
  16326. info.numSamples = length;
  16327. source->getNextAudioBlock (info);
  16328. }
  16329. END_JUCE_NAMESPACE
  16330. /********* End of inlined file: juce_BufferingAudioSource.cpp *********/
  16331. /********* Start of inlined file: juce_ChannelRemappingAudioSource.cpp *********/
  16332. BEGIN_JUCE_NAMESPACE
  16333. ChannelRemappingAudioSource::ChannelRemappingAudioSource (AudioSource* const source_,
  16334. const bool deleteSourceWhenDeleted_)
  16335. : requiredNumberOfChannels (2),
  16336. source (source_),
  16337. deleteSourceWhenDeleted (deleteSourceWhenDeleted_),
  16338. buffer (2, 16)
  16339. {
  16340. remappedInfo.buffer = &buffer;
  16341. remappedInfo.startSample = 0;
  16342. }
  16343. ChannelRemappingAudioSource::~ChannelRemappingAudioSource()
  16344. {
  16345. if (deleteSourceWhenDeleted)
  16346. delete source;
  16347. }
  16348. void ChannelRemappingAudioSource::setNumberOfChannelsToProduce (const int requiredNumberOfChannels_) throw()
  16349. {
  16350. const ScopedLock sl (lock);
  16351. requiredNumberOfChannels = requiredNumberOfChannels_;
  16352. }
  16353. void ChannelRemappingAudioSource::clearAllMappings() throw()
  16354. {
  16355. const ScopedLock sl (lock);
  16356. remappedInputs.clear();
  16357. remappedOutputs.clear();
  16358. }
  16359. void ChannelRemappingAudioSource::setInputChannelMapping (const int destIndex, const int sourceIndex) throw()
  16360. {
  16361. const ScopedLock sl (lock);
  16362. while (remappedInputs.size() < destIndex)
  16363. remappedInputs.add (-1);
  16364. remappedInputs.set (destIndex, sourceIndex);
  16365. }
  16366. void ChannelRemappingAudioSource::setOutputChannelMapping (const int sourceIndex, const int destIndex) throw()
  16367. {
  16368. const ScopedLock sl (lock);
  16369. while (remappedOutputs.size() < sourceIndex)
  16370. remappedOutputs.add (-1);
  16371. remappedOutputs.set (sourceIndex, destIndex);
  16372. }
  16373. int ChannelRemappingAudioSource::getRemappedInputChannel (const int inputChannelIndex) const throw()
  16374. {
  16375. const ScopedLock sl (lock);
  16376. if (inputChannelIndex >= 0 && inputChannelIndex < remappedInputs.size())
  16377. return remappedInputs.getUnchecked (inputChannelIndex);
  16378. return -1;
  16379. }
  16380. int ChannelRemappingAudioSource::getRemappedOutputChannel (const int outputChannelIndex) const throw()
  16381. {
  16382. const ScopedLock sl (lock);
  16383. if (outputChannelIndex >= 0 && outputChannelIndex < remappedOutputs.size())
  16384. return remappedOutputs .getUnchecked (outputChannelIndex);
  16385. return -1;
  16386. }
  16387. void ChannelRemappingAudioSource::prepareToPlay (int samplesPerBlockExpected, double sampleRate)
  16388. {
  16389. source->prepareToPlay (samplesPerBlockExpected, sampleRate);
  16390. }
  16391. void ChannelRemappingAudioSource::releaseResources()
  16392. {
  16393. source->releaseResources();
  16394. }
  16395. void ChannelRemappingAudioSource::getNextAudioBlock (const AudioSourceChannelInfo& bufferToFill)
  16396. {
  16397. const ScopedLock sl (lock);
  16398. buffer.setSize (requiredNumberOfChannels, bufferToFill.numSamples, false, false, true);
  16399. const int numChans = bufferToFill.buffer->getNumChannels();
  16400. int i;
  16401. for (i = 0; i < buffer.getNumChannels(); ++i)
  16402. {
  16403. const int remappedChan = getRemappedInputChannel (i);
  16404. if (remappedChan >= 0 && remappedChan < numChans)
  16405. {
  16406. buffer.copyFrom (i, 0, *bufferToFill.buffer,
  16407. remappedChan,
  16408. bufferToFill.startSample,
  16409. bufferToFill.numSamples);
  16410. }
  16411. else
  16412. {
  16413. buffer.clear (i, 0, bufferToFill.numSamples);
  16414. }
  16415. }
  16416. remappedInfo.numSamples = bufferToFill.numSamples;
  16417. source->getNextAudioBlock (remappedInfo);
  16418. bufferToFill.clearActiveBufferRegion();
  16419. for (i = 0; i < requiredNumberOfChannels; ++i)
  16420. {
  16421. const int remappedChan = getRemappedOutputChannel (i);
  16422. if (remappedChan >= 0 && remappedChan < numChans)
  16423. {
  16424. bufferToFill.buffer->addFrom (remappedChan, bufferToFill.startSample,
  16425. buffer, i, 0, bufferToFill.numSamples);
  16426. }
  16427. }
  16428. }
  16429. XmlElement* ChannelRemappingAudioSource::createXml() const throw()
  16430. {
  16431. XmlElement* e = new XmlElement (T("MAPPINGS"));
  16432. String ins, outs;
  16433. int i;
  16434. const ScopedLock sl (lock);
  16435. for (i = 0; i < remappedInputs.size(); ++i)
  16436. ins << remappedInputs.getUnchecked(i) << T(' ');
  16437. for (i = 0; i < remappedOutputs.size(); ++i)
  16438. outs << remappedOutputs.getUnchecked(i) << T(' ');
  16439. e->setAttribute (T("inputs"), ins.trimEnd());
  16440. e->setAttribute (T("outputs"), outs.trimEnd());
  16441. return e;
  16442. }
  16443. void ChannelRemappingAudioSource::restoreFromXml (const XmlElement& e) throw()
  16444. {
  16445. if (e.hasTagName (T("MAPPINGS")))
  16446. {
  16447. const ScopedLock sl (lock);
  16448. clearAllMappings();
  16449. StringArray ins, outs;
  16450. ins.addTokens (e.getStringAttribute (T("inputs")), false);
  16451. outs.addTokens (e.getStringAttribute (T("outputs")), false);
  16452. int i;
  16453. for (i = 0; i < ins.size(); ++i)
  16454. remappedInputs.add (ins[i].getIntValue());
  16455. for (i = 0; i < outs.size(); ++i)
  16456. remappedOutputs.add (outs[i].getIntValue());
  16457. }
  16458. }
  16459. END_JUCE_NAMESPACE
  16460. /********* End of inlined file: juce_ChannelRemappingAudioSource.cpp *********/
  16461. /********* Start of inlined file: juce_IIRFilterAudioSource.cpp *********/
  16462. BEGIN_JUCE_NAMESPACE
  16463. IIRFilterAudioSource::IIRFilterAudioSource (AudioSource* const inputSource,
  16464. const bool deleteInputWhenDeleted_)
  16465. : input (inputSource),
  16466. deleteInputWhenDeleted (deleteInputWhenDeleted_)
  16467. {
  16468. jassert (inputSource != 0);
  16469. for (int i = 2; --i >= 0;)
  16470. iirFilters.add (new IIRFilter());
  16471. }
  16472. IIRFilterAudioSource::~IIRFilterAudioSource()
  16473. {
  16474. if (deleteInputWhenDeleted)
  16475. delete input;
  16476. }
  16477. void IIRFilterAudioSource::setFilterParameters (const IIRFilter& newSettings)
  16478. {
  16479. for (int i = iirFilters.size(); --i >= 0;)
  16480. iirFilters.getUnchecked(i)->copyCoefficientsFrom (newSettings);
  16481. }
  16482. void IIRFilterAudioSource::prepareToPlay (int samplesPerBlockExpected, double sampleRate)
  16483. {
  16484. input->prepareToPlay (samplesPerBlockExpected, sampleRate);
  16485. for (int i = iirFilters.size(); --i >= 0;)
  16486. iirFilters.getUnchecked(i)->reset();
  16487. }
  16488. void IIRFilterAudioSource::releaseResources()
  16489. {
  16490. input->releaseResources();
  16491. }
  16492. void IIRFilterAudioSource::getNextAudioBlock (const AudioSourceChannelInfo& bufferToFill)
  16493. {
  16494. input->getNextAudioBlock (bufferToFill);
  16495. const int numChannels = bufferToFill.buffer->getNumChannels();
  16496. while (numChannels > iirFilters.size())
  16497. iirFilters.add (new IIRFilter (*iirFilters.getUnchecked (0)));
  16498. for (int i = 0; i < numChannels; ++i)
  16499. iirFilters.getUnchecked(i)
  16500. ->processSamples (bufferToFill.buffer->getSampleData (i, bufferToFill.startSample),
  16501. bufferToFill.numSamples);
  16502. }
  16503. END_JUCE_NAMESPACE
  16504. /********* End of inlined file: juce_IIRFilterAudioSource.cpp *********/
  16505. /********* Start of inlined file: juce_MixerAudioSource.cpp *********/
  16506. BEGIN_JUCE_NAMESPACE
  16507. MixerAudioSource::MixerAudioSource()
  16508. : tempBuffer (2, 0),
  16509. currentSampleRate (0.0),
  16510. bufferSizeExpected (0)
  16511. {
  16512. }
  16513. MixerAudioSource::~MixerAudioSource()
  16514. {
  16515. removeAllInputs();
  16516. }
  16517. void MixerAudioSource::addInputSource (AudioSource* input, const bool deleteWhenRemoved)
  16518. {
  16519. if (input != 0 && ! inputs.contains (input))
  16520. {
  16521. lock.enter();
  16522. double localRate = currentSampleRate;
  16523. int localBufferSize = bufferSizeExpected;
  16524. lock.exit();
  16525. if (localRate != 0.0)
  16526. input->prepareToPlay (localBufferSize, localRate);
  16527. const ScopedLock sl (lock);
  16528. inputsToDelete.setBit (inputs.size(), deleteWhenRemoved);
  16529. inputs.add (input);
  16530. }
  16531. }
  16532. void MixerAudioSource::removeInputSource (AudioSource* input, const bool deleteInput)
  16533. {
  16534. if (input != 0)
  16535. {
  16536. lock.enter();
  16537. const int index = inputs.indexOf ((void*) input);
  16538. if (index >= 0)
  16539. {
  16540. inputsToDelete.shiftBits (index, 1);
  16541. inputs.remove (index);
  16542. }
  16543. lock.exit();
  16544. if (index >= 0)
  16545. {
  16546. input->releaseResources();
  16547. if (deleteInput)
  16548. delete input;
  16549. }
  16550. }
  16551. }
  16552. void MixerAudioSource::removeAllInputs()
  16553. {
  16554. lock.enter();
  16555. VoidArray inputsCopy (inputs);
  16556. BitArray inputsToDeleteCopy (inputsToDelete);
  16557. inputs.clear();
  16558. lock.exit();
  16559. for (int i = inputsCopy.size(); --i >= 0;)
  16560. if (inputsToDeleteCopy[i])
  16561. delete (AudioSource*) inputsCopy[i];
  16562. }
  16563. void MixerAudioSource::prepareToPlay (int samplesPerBlockExpected, double sampleRate)
  16564. {
  16565. tempBuffer.setSize (2, samplesPerBlockExpected);
  16566. const ScopedLock sl (lock);
  16567. currentSampleRate = sampleRate;
  16568. bufferSizeExpected = samplesPerBlockExpected;
  16569. for (int i = inputs.size(); --i >= 0;)
  16570. ((AudioSource*) inputs.getUnchecked(i))->prepareToPlay (samplesPerBlockExpected,
  16571. sampleRate);
  16572. }
  16573. void MixerAudioSource::releaseResources()
  16574. {
  16575. const ScopedLock sl (lock);
  16576. for (int i = inputs.size(); --i >= 0;)
  16577. ((AudioSource*) inputs.getUnchecked(i))->releaseResources();
  16578. tempBuffer.setSize (2, 0);
  16579. currentSampleRate = 0;
  16580. bufferSizeExpected = 0;
  16581. }
  16582. void MixerAudioSource::getNextAudioBlock (const AudioSourceChannelInfo& info)
  16583. {
  16584. const ScopedLock sl (lock);
  16585. if (inputs.size() > 0)
  16586. {
  16587. ((AudioSource*) inputs.getUnchecked(0))->getNextAudioBlock (info);
  16588. if (inputs.size() > 1)
  16589. {
  16590. tempBuffer.setSize (jmax (1, info.buffer->getNumChannels()),
  16591. info.buffer->getNumSamples());
  16592. AudioSourceChannelInfo info2;
  16593. info2.buffer = &tempBuffer;
  16594. info2.numSamples = info.numSamples;
  16595. info2.startSample = 0;
  16596. for (int i = 1; i < inputs.size(); ++i)
  16597. {
  16598. ((AudioSource*) inputs.getUnchecked(i))->getNextAudioBlock (info2);
  16599. for (int chan = 0; chan < info.buffer->getNumChannels(); ++chan)
  16600. info.buffer->addFrom (chan, info.startSample, tempBuffer, chan, 0, info.numSamples);
  16601. }
  16602. }
  16603. }
  16604. else
  16605. {
  16606. info.clearActiveBufferRegion();
  16607. }
  16608. }
  16609. END_JUCE_NAMESPACE
  16610. /********* End of inlined file: juce_MixerAudioSource.cpp *********/
  16611. /********* Start of inlined file: juce_ResamplingAudioSource.cpp *********/
  16612. BEGIN_JUCE_NAMESPACE
  16613. ResamplingAudioSource::ResamplingAudioSource (AudioSource* const inputSource,
  16614. const bool deleteInputWhenDeleted_)
  16615. : input (inputSource),
  16616. deleteInputWhenDeleted (deleteInputWhenDeleted_),
  16617. ratio (1.0),
  16618. lastRatio (1.0),
  16619. buffer (2, 0),
  16620. sampsInBuffer (0)
  16621. {
  16622. jassert (input != 0);
  16623. }
  16624. ResamplingAudioSource::~ResamplingAudioSource()
  16625. {
  16626. if (deleteInputWhenDeleted)
  16627. delete input;
  16628. }
  16629. void ResamplingAudioSource::setResamplingRatio (const double samplesInPerOutputSample)
  16630. {
  16631. jassert (samplesInPerOutputSample > 0);
  16632. const ScopedLock sl (ratioLock);
  16633. ratio = jmax (0.0, samplesInPerOutputSample);
  16634. }
  16635. void ResamplingAudioSource::prepareToPlay (int samplesPerBlockExpected,
  16636. double sampleRate)
  16637. {
  16638. const ScopedLock sl (ratioLock);
  16639. input->prepareToPlay (samplesPerBlockExpected, sampleRate);
  16640. buffer.setSize (2, roundDoubleToInt (samplesPerBlockExpected * ratio) + 32);
  16641. buffer.clear();
  16642. sampsInBuffer = 0;
  16643. bufferPos = 0;
  16644. subSampleOffset = 0.0;
  16645. createLowPass (ratio);
  16646. resetFilters();
  16647. }
  16648. void ResamplingAudioSource::releaseResources()
  16649. {
  16650. input->releaseResources();
  16651. buffer.setSize (2, 0);
  16652. }
  16653. void ResamplingAudioSource::getNextAudioBlock (const AudioSourceChannelInfo& info)
  16654. {
  16655. const ScopedLock sl (ratioLock);
  16656. if (lastRatio != ratio)
  16657. {
  16658. createLowPass (ratio);
  16659. lastRatio = ratio;
  16660. }
  16661. const int sampsNeeded = roundDoubleToInt (info.numSamples * ratio) + 2;
  16662. int bufferSize = buffer.getNumSamples();
  16663. if (bufferSize < sampsNeeded + 8)
  16664. {
  16665. bufferPos %= bufferSize;
  16666. bufferSize = sampsNeeded + 32;
  16667. buffer.setSize (buffer.getNumChannels(), bufferSize, true, true);
  16668. }
  16669. bufferPos %= bufferSize;
  16670. int endOfBufferPos = bufferPos + sampsInBuffer;
  16671. while (sampsNeeded > sampsInBuffer)
  16672. {
  16673. endOfBufferPos %= bufferSize;
  16674. int numToDo = jmin (sampsNeeded - sampsInBuffer,
  16675. bufferSize - endOfBufferPos);
  16676. AudioSourceChannelInfo readInfo;
  16677. readInfo.buffer = &buffer;
  16678. readInfo.numSamples = numToDo;
  16679. readInfo.startSample = endOfBufferPos;
  16680. input->getNextAudioBlock (readInfo);
  16681. if (ratio > 1.0)
  16682. {
  16683. // for down-sampling, pre-apply the filter..
  16684. for (int i = jmin (2, info.buffer->getNumChannels()); --i >= 0;)
  16685. applyFilter (buffer.getSampleData (i, endOfBufferPos), numToDo, filterStates[i]);
  16686. }
  16687. sampsInBuffer += numToDo;
  16688. endOfBufferPos += numToDo;
  16689. }
  16690. float* dl = info.buffer->getSampleData (0, info.startSample);
  16691. float* dr = (info.buffer->getNumChannels() > 1) ? info.buffer->getSampleData (1, info.startSample) : 0;
  16692. const float* const bl = buffer.getSampleData (0, 0);
  16693. const float* const br = buffer.getSampleData (1, 0);
  16694. int nextPos = (bufferPos + 1) % bufferSize;
  16695. for (int m = info.numSamples; --m >= 0;)
  16696. {
  16697. const float alpha = (float) subSampleOffset;
  16698. const float invAlpha = 1.0f - alpha;
  16699. *dl++ = bl [bufferPos] * invAlpha + bl [nextPos] * alpha;
  16700. if (dr != 0)
  16701. *dr++ = br [bufferPos] * invAlpha + br [nextPos] * alpha;
  16702. subSampleOffset += ratio;
  16703. jassert (sampsInBuffer > 0);
  16704. while (subSampleOffset >= 1.0)
  16705. {
  16706. if (++bufferPos >= bufferSize)
  16707. bufferPos = 0;
  16708. --sampsInBuffer;
  16709. nextPos = (bufferPos + 1) % bufferSize;
  16710. subSampleOffset -= 1.0;
  16711. }
  16712. }
  16713. if (ratio < 1.0)
  16714. {
  16715. // for up-sampling, apply the filter after transposing..
  16716. for (int i = jmin (2, info.buffer->getNumChannels()); --i >= 0;)
  16717. applyFilter (info.buffer->getSampleData (i, info.startSample), info.numSamples, filterStates[i]);
  16718. }
  16719. jassert (sampsInBuffer >= 0);
  16720. }
  16721. void ResamplingAudioSource::createLowPass (const double ratio)
  16722. {
  16723. const double proportionalRate = (ratio > 1.0) ? 0.5 / ratio
  16724. : 0.5 * ratio;
  16725. const double n = 1.0 / tan (double_Pi * jmax (0.001, proportionalRate));
  16726. const double nSquared = n * n;
  16727. const double c1 = 1.0 / (1.0 + sqrt (2.0) * n + nSquared);
  16728. setFilterCoefficients (c1,
  16729. c1 * 2.0f,
  16730. c1,
  16731. 1.0,
  16732. c1 * 2.0 * (1.0 - nSquared),
  16733. c1 * (1.0 - sqrt (2.0) * n + nSquared));
  16734. }
  16735. void ResamplingAudioSource::setFilterCoefficients (double c1, double c2, double c3, double c4, double c5, double c6)
  16736. {
  16737. const double a = 1.0 / c4;
  16738. c1 *= a;
  16739. c2 *= a;
  16740. c3 *= a;
  16741. c5 *= a;
  16742. c6 *= a;
  16743. coefficients[0] = c1;
  16744. coefficients[1] = c2;
  16745. coefficients[2] = c3;
  16746. coefficients[3] = c4;
  16747. coefficients[4] = c5;
  16748. coefficients[5] = c6;
  16749. }
  16750. void ResamplingAudioSource::resetFilters()
  16751. {
  16752. zeromem (filterStates, sizeof (filterStates));
  16753. }
  16754. void ResamplingAudioSource::applyFilter (float* samples, int num, FilterState& fs)
  16755. {
  16756. while (--num >= 0)
  16757. {
  16758. const double in = *samples;
  16759. double out = coefficients[0] * in
  16760. + coefficients[1] * fs.x1
  16761. + coefficients[2] * fs.x2
  16762. - coefficients[4] * fs.y1
  16763. - coefficients[5] * fs.y2;
  16764. #if JUCE_INTEL
  16765. if (! (out < -1.0e-8 || out > 1.0e-8))
  16766. out = 0;
  16767. #endif
  16768. fs.x2 = fs.x1;
  16769. fs.x1 = in;
  16770. fs.y2 = fs.y1;
  16771. fs.y1 = out;
  16772. *samples++ = (float) out;
  16773. }
  16774. }
  16775. END_JUCE_NAMESPACE
  16776. /********* End of inlined file: juce_ResamplingAudioSource.cpp *********/
  16777. /********* Start of inlined file: juce_ToneGeneratorAudioSource.cpp *********/
  16778. BEGIN_JUCE_NAMESPACE
  16779. ToneGeneratorAudioSource::ToneGeneratorAudioSource()
  16780. : frequency (1000.0),
  16781. sampleRate (44100.0),
  16782. currentPhase (0.0),
  16783. phasePerSample (0.0),
  16784. amplitude (0.5f)
  16785. {
  16786. }
  16787. ToneGeneratorAudioSource::~ToneGeneratorAudioSource()
  16788. {
  16789. }
  16790. void ToneGeneratorAudioSource::setAmplitude (const float newAmplitude)
  16791. {
  16792. amplitude = newAmplitude;
  16793. }
  16794. void ToneGeneratorAudioSource::setFrequency (const double newFrequencyHz)
  16795. {
  16796. frequency = newFrequencyHz;
  16797. phasePerSample = 0.0;
  16798. }
  16799. void ToneGeneratorAudioSource::prepareToPlay (int /*samplesPerBlockExpected*/,
  16800. double sampleRate_)
  16801. {
  16802. currentPhase = 0.0;
  16803. phasePerSample = 0.0;
  16804. sampleRate = sampleRate_;
  16805. }
  16806. void ToneGeneratorAudioSource::releaseResources()
  16807. {
  16808. }
  16809. void ToneGeneratorAudioSource::getNextAudioBlock (const AudioSourceChannelInfo& info)
  16810. {
  16811. if (phasePerSample == 0.0)
  16812. phasePerSample = double_Pi * 2.0 / (sampleRate / frequency);
  16813. for (int i = 0; i < info.numSamples; ++i)
  16814. {
  16815. const float sample = amplitude * (float) sin (currentPhase);
  16816. currentPhase += phasePerSample;
  16817. for (int j = info.buffer->getNumChannels(); --j >= 0;)
  16818. *info.buffer->getSampleData (j, info.startSample + i) = sample;
  16819. }
  16820. }
  16821. END_JUCE_NAMESPACE
  16822. /********* End of inlined file: juce_ToneGeneratorAudioSource.cpp *********/
  16823. /********* Start of inlined file: juce_AudioDeviceManager.cpp *********/
  16824. BEGIN_JUCE_NAMESPACE
  16825. AudioDeviceManager::AudioDeviceSetup::AudioDeviceSetup()
  16826. : sampleRate (0),
  16827. bufferSize (0),
  16828. useDefaultInputChannels (true),
  16829. useDefaultOutputChannels (true)
  16830. {
  16831. }
  16832. bool AudioDeviceManager::AudioDeviceSetup::operator== (const AudioDeviceManager::AudioDeviceSetup& other) const
  16833. {
  16834. return outputDeviceName == other.outputDeviceName
  16835. && inputDeviceName == other.inputDeviceName
  16836. && sampleRate == other.sampleRate
  16837. && bufferSize == other.bufferSize
  16838. && inputChannels == other.inputChannels
  16839. && useDefaultInputChannels == other.useDefaultInputChannels
  16840. && outputChannels == other.outputChannels
  16841. && useDefaultOutputChannels == other.useDefaultOutputChannels;
  16842. }
  16843. AudioDeviceManager::AudioDeviceManager()
  16844. : currentAudioDevice (0),
  16845. currentCallback (0),
  16846. numInputChansNeeded (0),
  16847. numOutputChansNeeded (2),
  16848. lastExplicitSettings (0),
  16849. listNeedsScanning (true),
  16850. useInputNames (false),
  16851. inputLevelMeasurementEnabled (false),
  16852. inputLevel (0),
  16853. testSound (0),
  16854. enabledMidiInputs (4),
  16855. midiCallbacks (4),
  16856. midiCallbackDevices (4),
  16857. defaultMidiOutput (0),
  16858. cpuUsageMs (0),
  16859. timeToCpuScale (0)
  16860. {
  16861. callbackHandler.owner = this;
  16862. }
  16863. AudioDeviceManager::~AudioDeviceManager()
  16864. {
  16865. deleteAndZero (currentAudioDevice);
  16866. deleteAndZero (defaultMidiOutput);
  16867. delete lastExplicitSettings;
  16868. delete testSound;
  16869. }
  16870. void AudioDeviceManager::createDeviceTypesIfNeeded()
  16871. {
  16872. if (availableDeviceTypes.size() == 0)
  16873. {
  16874. createAudioDeviceTypes (availableDeviceTypes);
  16875. while (lastDeviceTypeConfigs.size() < availableDeviceTypes.size())
  16876. lastDeviceTypeConfigs.add (new AudioDeviceSetup());
  16877. if (availableDeviceTypes.size() > 0)
  16878. currentDeviceType = availableDeviceTypes.getUnchecked(0)->getTypeName();
  16879. }
  16880. }
  16881. const OwnedArray <AudioIODeviceType>& AudioDeviceManager::getAvailableDeviceTypes()
  16882. {
  16883. scanDevicesIfNeeded();
  16884. return availableDeviceTypes;
  16885. }
  16886. extern AudioIODeviceType* juce_createDefaultAudioIODeviceType();
  16887. #if JUCE_WIN32 && JUCE_ASIO
  16888. extern AudioIODeviceType* juce_createASIOAudioIODeviceType();
  16889. #endif
  16890. #if JUCE_WIN32 && JUCE_WDM_AUDIO
  16891. extern AudioIODeviceType* juce_createWDMAudioIODeviceType();
  16892. #endif
  16893. void AudioDeviceManager::createAudioDeviceTypes (OwnedArray <AudioIODeviceType>& list)
  16894. {
  16895. AudioIODeviceType* const defaultDeviceType = juce_createDefaultAudioIODeviceType();
  16896. if (defaultDeviceType != 0)
  16897. list.add (defaultDeviceType);
  16898. #if JUCE_WIN32 && JUCE_ASIO
  16899. list.add (juce_createASIOAudioIODeviceType());
  16900. #endif
  16901. #if JUCE_WIN32 && JUCE_WDM_AUDIO
  16902. list.add (juce_createWDMAudioIODeviceType());
  16903. #endif
  16904. }
  16905. const String AudioDeviceManager::initialise (const int numInputChannelsNeeded,
  16906. const int numOutputChannelsNeeded,
  16907. const XmlElement* const e,
  16908. const bool selectDefaultDeviceOnFailure,
  16909. const String& preferredDefaultDeviceName)
  16910. {
  16911. scanDevicesIfNeeded();
  16912. numInputChansNeeded = numInputChannelsNeeded;
  16913. numOutputChansNeeded = numOutputChannelsNeeded;
  16914. if (e != 0 && e->hasTagName (T("DEVICESETUP")))
  16915. {
  16916. delete lastExplicitSettings;
  16917. lastExplicitSettings = new XmlElement (*e);
  16918. String error;
  16919. AudioDeviceSetup setup;
  16920. if (e->getStringAttribute (T("audioDeviceName")).isNotEmpty())
  16921. {
  16922. setup.inputDeviceName = setup.outputDeviceName
  16923. = e->getStringAttribute (T("audioDeviceName"));
  16924. }
  16925. else
  16926. {
  16927. setup.inputDeviceName = e->getStringAttribute (T("audioInputDeviceName"));
  16928. setup.outputDeviceName = e->getStringAttribute (T("audioOutputDeviceName"));
  16929. }
  16930. currentDeviceType = e->getStringAttribute (T("deviceType"));
  16931. if (currentDeviceType.isEmpty())
  16932. {
  16933. AudioIODeviceType* const type = findType (setup.inputDeviceName, setup.outputDeviceName);
  16934. if (type != 0)
  16935. currentDeviceType = type->getTypeName();
  16936. else if (availableDeviceTypes.size() > 0)
  16937. currentDeviceType = availableDeviceTypes[0]->getTypeName();
  16938. }
  16939. setup.bufferSize = e->getIntAttribute (T("audioDeviceBufferSize"));
  16940. setup.sampleRate = e->getDoubleAttribute (T("audioDeviceRate"));
  16941. setup.inputChannels.parseString (e->getStringAttribute (T("audioDeviceInChans"), T("11")), 2);
  16942. setup.outputChannels.parseString (e->getStringAttribute (T("audioDeviceOutChans"), T("11")), 2);
  16943. setup.useDefaultInputChannels = ! e->hasAttribute (T("audioDeviceInChans"));
  16944. setup.useDefaultOutputChannels = ! e->hasAttribute (T("audioDeviceOutChans"));
  16945. error = setAudioDeviceSetup (setup, true);
  16946. midiInsFromXml.clear();
  16947. forEachXmlChildElementWithTagName (*e, c, T("MIDIINPUT"))
  16948. midiInsFromXml.add (c->getStringAttribute (T("name")));
  16949. const StringArray allMidiIns (MidiInput::getDevices());
  16950. for (int i = allMidiIns.size(); --i >= 0;)
  16951. setMidiInputEnabled (allMidiIns[i], midiInsFromXml.contains (allMidiIns[i]));
  16952. if (error.isNotEmpty() && selectDefaultDeviceOnFailure)
  16953. error = initialise (numInputChannelsNeeded, numOutputChannelsNeeded, 0,
  16954. false, preferredDefaultDeviceName);
  16955. setDefaultMidiOutput (e->getStringAttribute (T("defaultMidiOutput")));
  16956. return error;
  16957. }
  16958. else
  16959. {
  16960. AudioDeviceSetup setup;
  16961. if (preferredDefaultDeviceName.isNotEmpty())
  16962. {
  16963. for (int j = availableDeviceTypes.size(); --j >= 0;)
  16964. {
  16965. AudioIODeviceType* const type = availableDeviceTypes.getUnchecked(j);
  16966. StringArray outs (type->getDeviceNames (false));
  16967. int i;
  16968. for (i = 0; i < outs.size(); ++i)
  16969. {
  16970. if (outs[i].matchesWildcard (preferredDefaultDeviceName, true))
  16971. {
  16972. setup.outputDeviceName = outs[i];
  16973. break;
  16974. }
  16975. }
  16976. StringArray ins (type->getDeviceNames (true));
  16977. for (i = 0; i < ins.size(); ++i)
  16978. {
  16979. if (ins[i].matchesWildcard (preferredDefaultDeviceName, true))
  16980. {
  16981. setup.inputDeviceName = ins[i];
  16982. break;
  16983. }
  16984. }
  16985. }
  16986. }
  16987. insertDefaultDeviceNames (setup);
  16988. return setAudioDeviceSetup (setup, false);
  16989. }
  16990. }
  16991. void AudioDeviceManager::insertDefaultDeviceNames (AudioDeviceSetup& setup) const
  16992. {
  16993. AudioIODeviceType* type = getCurrentDeviceTypeObject();
  16994. if (type != 0)
  16995. {
  16996. if (setup.outputDeviceName.isEmpty())
  16997. setup.outputDeviceName = type->getDeviceNames (false) [type->getDefaultDeviceIndex (false)];
  16998. if (setup.inputDeviceName.isEmpty())
  16999. setup.inputDeviceName = type->getDeviceNames (true) [type->getDefaultDeviceIndex (true)];
  17000. }
  17001. }
  17002. XmlElement* AudioDeviceManager::createStateXml() const
  17003. {
  17004. return lastExplicitSettings != 0 ? new XmlElement (*lastExplicitSettings) : 0;
  17005. }
  17006. void AudioDeviceManager::scanDevicesIfNeeded()
  17007. {
  17008. if (listNeedsScanning)
  17009. {
  17010. listNeedsScanning = false;
  17011. createDeviceTypesIfNeeded();
  17012. for (int i = availableDeviceTypes.size(); --i >= 0;)
  17013. availableDeviceTypes.getUnchecked(i)->scanForDevices();
  17014. }
  17015. }
  17016. AudioIODeviceType* AudioDeviceManager::findType (const String& inputName, const String& outputName)
  17017. {
  17018. scanDevicesIfNeeded();
  17019. for (int i = availableDeviceTypes.size(); --i >= 0;)
  17020. {
  17021. AudioIODeviceType* const type = availableDeviceTypes.getUnchecked(i);
  17022. if ((inputName.isNotEmpty() && type->getDeviceNames (true).contains (inputName, true))
  17023. || (outputName.isNotEmpty() && type->getDeviceNames (false).contains (outputName, true)))
  17024. {
  17025. return type;
  17026. }
  17027. }
  17028. return 0;
  17029. }
  17030. void AudioDeviceManager::getAudioDeviceSetup (AudioDeviceSetup& setup)
  17031. {
  17032. setup = currentSetup;
  17033. }
  17034. void AudioDeviceManager::deleteCurrentDevice()
  17035. {
  17036. deleteAndZero (currentAudioDevice);
  17037. currentSetup.inputDeviceName = String::empty;
  17038. currentSetup.outputDeviceName = String::empty;
  17039. }
  17040. void AudioDeviceManager::setCurrentAudioDeviceType (const String& type,
  17041. const bool treatAsChosenDevice)
  17042. {
  17043. for (int i = 0; i < availableDeviceTypes.size(); ++i)
  17044. {
  17045. if (availableDeviceTypes.getUnchecked(i)->getTypeName() == type
  17046. && currentDeviceType != type)
  17047. {
  17048. currentDeviceType = type;
  17049. AudioDeviceSetup s (*lastDeviceTypeConfigs.getUnchecked(i));
  17050. insertDefaultDeviceNames (s);
  17051. setAudioDeviceSetup (s, treatAsChosenDevice);
  17052. sendChangeMessage (this);
  17053. break;
  17054. }
  17055. }
  17056. }
  17057. AudioIODeviceType* AudioDeviceManager::getCurrentDeviceTypeObject() const
  17058. {
  17059. for (int i = 0; i < availableDeviceTypes.size(); ++i)
  17060. if (availableDeviceTypes[i]->getTypeName() == currentDeviceType)
  17061. return availableDeviceTypes[i];
  17062. return availableDeviceTypes[0];
  17063. }
  17064. const String AudioDeviceManager::setAudioDeviceSetup (const AudioDeviceSetup& newSetup,
  17065. const bool treatAsChosenDevice)
  17066. {
  17067. jassert (&newSetup != &currentSetup); // this will have no effect
  17068. if (newSetup == currentSetup && currentAudioDevice != 0)
  17069. return String::empty;
  17070. if (! (newSetup == currentSetup))
  17071. sendChangeMessage (this);
  17072. stopDevice();
  17073. String error;
  17074. AudioIODeviceType* type = getCurrentDeviceTypeObject();
  17075. if (type == 0 || (newSetup.inputDeviceName.isEmpty()
  17076. && newSetup.outputDeviceName.isEmpty()))
  17077. {
  17078. deleteCurrentDevice();
  17079. if (treatAsChosenDevice)
  17080. updateXml();
  17081. return String::empty;
  17082. }
  17083. if (currentSetup.inputDeviceName != newSetup.inputDeviceName
  17084. || currentSetup.outputDeviceName != newSetup.outputDeviceName
  17085. || currentAudioDevice == 0)
  17086. {
  17087. deleteCurrentDevice();
  17088. scanDevicesIfNeeded();
  17089. if (newSetup.outputDeviceName.isNotEmpty()
  17090. && ! type->getDeviceNames (false).contains (newSetup.outputDeviceName))
  17091. {
  17092. return "No such device: " + newSetup.outputDeviceName;
  17093. }
  17094. if (newSetup.inputDeviceName.isNotEmpty()
  17095. && ! type->getDeviceNames (true).contains (newSetup.inputDeviceName))
  17096. {
  17097. return "No such device: " + newSetup.outputDeviceName;
  17098. }
  17099. currentAudioDevice = type->createDevice (newSetup.outputDeviceName,
  17100. newSetup.inputDeviceName);
  17101. if (currentAudioDevice == 0)
  17102. error = "Can't open device";
  17103. else
  17104. error = currentAudioDevice->getLastError();
  17105. if (error.isNotEmpty())
  17106. {
  17107. deleteCurrentDevice();
  17108. return error;
  17109. }
  17110. if (newSetup.useDefaultInputChannels)
  17111. {
  17112. inputChannels.clear();
  17113. inputChannels.setRange (0, numInputChansNeeded, true);
  17114. }
  17115. if (newSetup.useDefaultOutputChannels)
  17116. {
  17117. outputChannels.clear();
  17118. outputChannels.setRange (0, numOutputChansNeeded, true);
  17119. }
  17120. }
  17121. if (! newSetup.useDefaultInputChannels)
  17122. inputChannels = newSetup.inputChannels;
  17123. if (! newSetup.useDefaultOutputChannels)
  17124. outputChannels = newSetup.outputChannels;
  17125. currentSetup = newSetup;
  17126. currentSetup.sampleRate = chooseBestSampleRate (newSetup.sampleRate);
  17127. error = currentAudioDevice->open (inputChannels,
  17128. outputChannels,
  17129. currentSetup.sampleRate,
  17130. currentSetup.bufferSize);
  17131. if (error.isEmpty())
  17132. {
  17133. currentDeviceType = currentAudioDevice->getTypeName();
  17134. currentAudioDevice->start (&callbackHandler);
  17135. currentSetup.sampleRate = currentAudioDevice->getCurrentSampleRate();
  17136. currentSetup.bufferSize = currentAudioDevice->getCurrentBufferSizeSamples();
  17137. currentSetup.inputChannels = currentAudioDevice->getActiveInputChannels();
  17138. currentSetup.outputChannels = currentAudioDevice->getActiveOutputChannels();
  17139. for (int i = 0; i < availableDeviceTypes.size(); ++i)
  17140. if (availableDeviceTypes.getUnchecked (i)->getTypeName() == currentDeviceType)
  17141. *(lastDeviceTypeConfigs.getUnchecked (i)) = currentSetup;
  17142. if (treatAsChosenDevice)
  17143. updateXml();
  17144. }
  17145. else
  17146. {
  17147. deleteCurrentDevice();
  17148. }
  17149. return error;
  17150. }
  17151. double AudioDeviceManager::chooseBestSampleRate (double rate) const
  17152. {
  17153. jassert (currentAudioDevice != 0);
  17154. if (rate > 0)
  17155. {
  17156. bool ok = false;
  17157. for (int i = currentAudioDevice->getNumSampleRates(); --i >= 0;)
  17158. {
  17159. const double sr = currentAudioDevice->getSampleRate (i);
  17160. if (sr == rate)
  17161. ok = true;
  17162. }
  17163. if (! ok)
  17164. rate = 0;
  17165. }
  17166. if (rate == 0)
  17167. {
  17168. double lowestAbove44 = 0.0;
  17169. for (int i = currentAudioDevice->getNumSampleRates(); --i >= 0;)
  17170. {
  17171. const double sr = currentAudioDevice->getSampleRate (i);
  17172. if (sr >= 44100.0 && (lowestAbove44 == 0 || sr < lowestAbove44))
  17173. lowestAbove44 = sr;
  17174. }
  17175. if (lowestAbove44 == 0.0)
  17176. rate = currentAudioDevice->getSampleRate (0);
  17177. else
  17178. rate = lowestAbove44;
  17179. }
  17180. return rate;
  17181. }
  17182. void AudioDeviceManager::stopDevice()
  17183. {
  17184. if (currentAudioDevice != 0)
  17185. currentAudioDevice->stop();
  17186. }
  17187. void AudioDeviceManager::closeAudioDevice()
  17188. {
  17189. stopDevice();
  17190. deleteAndZero (currentAudioDevice);
  17191. }
  17192. void AudioDeviceManager::restartLastAudioDevice()
  17193. {
  17194. if (currentAudioDevice == 0)
  17195. {
  17196. if (currentSetup.inputDeviceName.isEmpty()
  17197. && currentSetup.outputDeviceName.isEmpty())
  17198. {
  17199. // This method will only reload the last device that was running
  17200. // before closeAudioDevice() was called - you need to actually open
  17201. // one first, with setAudioDevice().
  17202. jassertfalse
  17203. return;
  17204. }
  17205. AudioDeviceSetup s (currentSetup);
  17206. setAudioDeviceSetup (s, false);
  17207. }
  17208. }
  17209. void AudioDeviceManager::updateXml()
  17210. {
  17211. delete lastExplicitSettings;
  17212. lastExplicitSettings = new XmlElement (T("DEVICESETUP"));
  17213. lastExplicitSettings->setAttribute (T("deviceType"), currentDeviceType);
  17214. lastExplicitSettings->setAttribute (T("audioOutputDeviceName"), currentSetup.outputDeviceName);
  17215. lastExplicitSettings->setAttribute (T("audioInputDeviceName"), currentSetup.inputDeviceName);
  17216. if (currentAudioDevice != 0)
  17217. {
  17218. lastExplicitSettings->setAttribute (T("audioDeviceRate"), currentAudioDevice->getCurrentSampleRate());
  17219. if (currentAudioDevice->getDefaultBufferSize() != currentAudioDevice->getCurrentBufferSizeSamples())
  17220. lastExplicitSettings->setAttribute (T("audioDeviceBufferSize"), currentAudioDevice->getCurrentBufferSizeSamples());
  17221. if (! currentSetup.useDefaultInputChannels)
  17222. lastExplicitSettings->setAttribute (T("audioDeviceInChans"), currentSetup.inputChannels.toString (2));
  17223. if (! currentSetup.useDefaultOutputChannels)
  17224. lastExplicitSettings->setAttribute (T("audioDeviceOutChans"), currentSetup.outputChannels.toString (2));
  17225. }
  17226. for (int i = 0; i < enabledMidiInputs.size(); ++i)
  17227. {
  17228. XmlElement* const m = new XmlElement (T("MIDIINPUT"));
  17229. m->setAttribute (T("name"), enabledMidiInputs[i]->getName());
  17230. lastExplicitSettings->addChildElement (m);
  17231. }
  17232. if (midiInsFromXml.size() > 0)
  17233. {
  17234. // Add any midi devices that have been enabled before, but which aren't currently
  17235. // open because the device has been disconnected.
  17236. const StringArray availableMidiDevices (MidiInput::getDevices());
  17237. for (int i = 0; i < midiInsFromXml.size(); ++i)
  17238. {
  17239. if (! availableMidiDevices.contains (midiInsFromXml[i], true))
  17240. {
  17241. XmlElement* const m = new XmlElement (T("MIDIINPUT"));
  17242. m->setAttribute (T("name"), midiInsFromXml[i]);
  17243. lastExplicitSettings->addChildElement (m);
  17244. }
  17245. }
  17246. }
  17247. if (defaultMidiOutputName.isNotEmpty())
  17248. lastExplicitSettings->setAttribute (T("defaultMidiOutput"), defaultMidiOutputName);
  17249. }
  17250. void AudioDeviceManager::setAudioCallback (AudioIODeviceCallback* newCallback)
  17251. {
  17252. if (newCallback != currentCallback)
  17253. {
  17254. AudioIODeviceCallback* lastCallback = currentCallback;
  17255. audioCallbackLock.enter();
  17256. currentCallback = 0;
  17257. audioCallbackLock.exit();
  17258. if (currentAudioDevice != 0)
  17259. {
  17260. if (lastCallback != 0)
  17261. lastCallback->audioDeviceStopped();
  17262. if (newCallback != 0)
  17263. newCallback->audioDeviceAboutToStart (currentAudioDevice);
  17264. }
  17265. currentCallback = newCallback;
  17266. }
  17267. }
  17268. void AudioDeviceManager::audioDeviceIOCallbackInt (const float** inputChannelData,
  17269. int numInputChannels,
  17270. float** outputChannelData,
  17271. int numOutputChannels,
  17272. int numSamples)
  17273. {
  17274. const ScopedLock sl (audioCallbackLock);
  17275. if (inputLevelMeasurementEnabled)
  17276. {
  17277. for (int j = 0; j < numSamples; ++j)
  17278. {
  17279. float s = 0;
  17280. for (int i = 0; i < numInputChannels; ++i)
  17281. s += fabsf (inputChannelData[i][j]);
  17282. s /= numInputChannels;
  17283. const double decayFactor = 0.99992;
  17284. if (s > inputLevel)
  17285. inputLevel = s;
  17286. else if (inputLevel > 0.001f)
  17287. inputLevel *= decayFactor;
  17288. else
  17289. inputLevel = 0;
  17290. }
  17291. }
  17292. if (currentCallback != 0)
  17293. {
  17294. const double callbackStartTime = Time::getMillisecondCounterHiRes();
  17295. currentCallback->audioDeviceIOCallback (inputChannelData,
  17296. numInputChannels,
  17297. outputChannelData,
  17298. numOutputChannels,
  17299. numSamples);
  17300. const double msTaken = Time::getMillisecondCounterHiRes() - callbackStartTime;
  17301. const double filterAmount = 0.2;
  17302. cpuUsageMs += filterAmount * (msTaken - cpuUsageMs);
  17303. }
  17304. else
  17305. {
  17306. for (int i = 0; i < numOutputChannels; ++i)
  17307. zeromem (outputChannelData[i], sizeof (float) * numSamples);
  17308. }
  17309. if (testSound != 0)
  17310. {
  17311. const int numSamps = jmin (numSamples, testSound->getNumSamples() - testSoundPosition);
  17312. const float* const src = testSound->getSampleData (0, testSoundPosition);
  17313. for (int i = 0; i < numOutputChannels; ++i)
  17314. for (int j = 0; j < numSamps; ++j)
  17315. outputChannelData [i][j] += src[j];
  17316. testSoundPosition += numSamps;
  17317. if (testSoundPosition >= testSound->getNumSamples())
  17318. {
  17319. delete testSound;
  17320. testSound = 0;
  17321. }
  17322. }
  17323. }
  17324. void AudioDeviceManager::audioDeviceAboutToStartInt (AudioIODevice* const device)
  17325. {
  17326. cpuUsageMs = 0;
  17327. const double sampleRate = device->getCurrentSampleRate();
  17328. const int blockSize = device->getCurrentBufferSizeSamples();
  17329. if (sampleRate > 0.0 && blockSize > 0)
  17330. {
  17331. const double msPerBlock = 1000.0 * blockSize / sampleRate;
  17332. timeToCpuScale = (msPerBlock > 0.0) ? (1.0 / msPerBlock) : 0.0;
  17333. }
  17334. if (currentCallback != 0)
  17335. currentCallback->audioDeviceAboutToStart (device);
  17336. sendChangeMessage (this);
  17337. }
  17338. void AudioDeviceManager::audioDeviceStoppedInt()
  17339. {
  17340. cpuUsageMs = 0;
  17341. timeToCpuScale = 0;
  17342. sendChangeMessage (this);
  17343. if (currentCallback != 0)
  17344. currentCallback->audioDeviceStopped();
  17345. }
  17346. double AudioDeviceManager::getCpuUsage() const
  17347. {
  17348. return jlimit (0.0, 1.0, timeToCpuScale * cpuUsageMs);
  17349. }
  17350. void AudioDeviceManager::setMidiInputEnabled (const String& name,
  17351. const bool enabled)
  17352. {
  17353. if (enabled != isMidiInputEnabled (name))
  17354. {
  17355. if (enabled)
  17356. {
  17357. const int index = MidiInput::getDevices().indexOf (name);
  17358. if (index >= 0)
  17359. {
  17360. MidiInput* const min = MidiInput::openDevice (index, &callbackHandler);
  17361. if (min != 0)
  17362. {
  17363. enabledMidiInputs.add (min);
  17364. min->start();
  17365. }
  17366. }
  17367. }
  17368. else
  17369. {
  17370. for (int i = enabledMidiInputs.size(); --i >= 0;)
  17371. if (enabledMidiInputs[i]->getName() == name)
  17372. enabledMidiInputs.remove (i);
  17373. }
  17374. updateXml();
  17375. sendChangeMessage (this);
  17376. }
  17377. }
  17378. bool AudioDeviceManager::isMidiInputEnabled (const String& name) const
  17379. {
  17380. for (int i = enabledMidiInputs.size(); --i >= 0;)
  17381. if (enabledMidiInputs[i]->getName() == name)
  17382. return true;
  17383. return false;
  17384. }
  17385. void AudioDeviceManager::addMidiInputCallback (const String& name,
  17386. MidiInputCallback* callback)
  17387. {
  17388. removeMidiInputCallback (name, callback);
  17389. if (name.isEmpty())
  17390. {
  17391. midiCallbacks.add (callback);
  17392. midiCallbackDevices.add (0);
  17393. }
  17394. else
  17395. {
  17396. for (int i = enabledMidiInputs.size(); --i >= 0;)
  17397. {
  17398. if (enabledMidiInputs[i]->getName() == name)
  17399. {
  17400. const ScopedLock sl (midiCallbackLock);
  17401. midiCallbacks.add (callback);
  17402. midiCallbackDevices.add (enabledMidiInputs[i]);
  17403. break;
  17404. }
  17405. }
  17406. }
  17407. }
  17408. void AudioDeviceManager::removeMidiInputCallback (const String& name,
  17409. MidiInputCallback* /*callback*/)
  17410. {
  17411. const ScopedLock sl (midiCallbackLock);
  17412. for (int i = midiCallbacks.size(); --i >= 0;)
  17413. {
  17414. String devName;
  17415. if (midiCallbackDevices.getUnchecked(i) != 0)
  17416. devName = midiCallbackDevices.getUnchecked(i)->getName();
  17417. if (devName == name)
  17418. {
  17419. midiCallbacks.remove (i);
  17420. midiCallbackDevices.remove (i);
  17421. }
  17422. }
  17423. }
  17424. void AudioDeviceManager::handleIncomingMidiMessageInt (MidiInput* source,
  17425. const MidiMessage& message)
  17426. {
  17427. if (! message.isActiveSense())
  17428. {
  17429. const bool isDefaultSource = (source == 0 || source == enabledMidiInputs.getFirst());
  17430. const ScopedLock sl (midiCallbackLock);
  17431. for (int i = midiCallbackDevices.size(); --i >= 0;)
  17432. {
  17433. MidiInput* const md = midiCallbackDevices.getUnchecked(i);
  17434. if (md == source || (md == 0 && isDefaultSource))
  17435. midiCallbacks.getUnchecked(i)->handleIncomingMidiMessage (source, message);
  17436. }
  17437. }
  17438. }
  17439. void AudioDeviceManager::setDefaultMidiOutput (const String& deviceName)
  17440. {
  17441. if (defaultMidiOutputName != deviceName)
  17442. {
  17443. deleteAndZero (defaultMidiOutput);
  17444. defaultMidiOutputName = deviceName;
  17445. if (deviceName.isNotEmpty())
  17446. defaultMidiOutput = MidiOutput::openDevice (MidiOutput::getDevices().indexOf (deviceName));
  17447. updateXml();
  17448. sendChangeMessage (this);
  17449. }
  17450. }
  17451. void AudioDeviceManager::CallbackHandler::audioDeviceIOCallback (const float** inputChannelData,
  17452. int numInputChannels,
  17453. float** outputChannelData,
  17454. int numOutputChannels,
  17455. int numSamples)
  17456. {
  17457. owner->audioDeviceIOCallbackInt (inputChannelData, numInputChannels, outputChannelData, numOutputChannels, numSamples);
  17458. }
  17459. void AudioDeviceManager::CallbackHandler::audioDeviceAboutToStart (AudioIODevice* device)
  17460. {
  17461. owner->audioDeviceAboutToStartInt (device);
  17462. }
  17463. void AudioDeviceManager::CallbackHandler::audioDeviceStopped()
  17464. {
  17465. owner->audioDeviceStoppedInt();
  17466. }
  17467. void AudioDeviceManager::CallbackHandler::handleIncomingMidiMessage (MidiInput* source, const MidiMessage& message)
  17468. {
  17469. owner->handleIncomingMidiMessageInt (source, message);
  17470. }
  17471. void AudioDeviceManager::playTestSound()
  17472. {
  17473. audioCallbackLock.enter();
  17474. AudioSampleBuffer* oldSound = testSound;
  17475. testSound = 0;
  17476. audioCallbackLock.exit();
  17477. delete oldSound;
  17478. testSoundPosition = 0;
  17479. if (currentAudioDevice != 0)
  17480. {
  17481. const double sampleRate = currentAudioDevice->getCurrentSampleRate();
  17482. const int soundLength = (int) sampleRate;
  17483. AudioSampleBuffer* const newSound = new AudioSampleBuffer (1, soundLength);
  17484. float* samples = newSound->getSampleData (0);
  17485. const double frequency = MidiMessage::getMidiNoteInHertz (80);
  17486. const float amplitude = 0.5f;
  17487. const double phasePerSample = double_Pi * 2.0 / (sampleRate / frequency);
  17488. for (int i = 0; i < soundLength; ++i)
  17489. samples[i] = amplitude * (float) sin (i * phasePerSample);
  17490. newSound->applyGainRamp (0, 0, soundLength / 10, 0.0f, 1.0f);
  17491. newSound->applyGainRamp (0, soundLength - soundLength / 4, soundLength / 4, 1.0f, 0.0f);
  17492. const ScopedLock sl (audioCallbackLock);
  17493. testSound = newSound;
  17494. }
  17495. }
  17496. void AudioDeviceManager::enableInputLevelMeasurement (const bool enableMeasurement)
  17497. {
  17498. if (inputLevelMeasurementEnabled != enableMeasurement)
  17499. {
  17500. const ScopedLock sl (audioCallbackLock);
  17501. inputLevelMeasurementEnabled = enableMeasurement;
  17502. inputLevel = 0;
  17503. }
  17504. }
  17505. double AudioDeviceManager::getCurrentInputLevel() const
  17506. {
  17507. jassert (inputLevelMeasurementEnabled); // you need to call enableInputLevelMeasurement() before using this!
  17508. return inputLevel;
  17509. }
  17510. END_JUCE_NAMESPACE
  17511. /********* End of inlined file: juce_AudioDeviceManager.cpp *********/
  17512. /********* Start of inlined file: juce_AudioIODevice.cpp *********/
  17513. BEGIN_JUCE_NAMESPACE
  17514. AudioIODevice::AudioIODevice (const String& deviceName, const String& typeName_)
  17515. : name (deviceName),
  17516. typeName (typeName_)
  17517. {
  17518. }
  17519. AudioIODevice::~AudioIODevice()
  17520. {
  17521. }
  17522. bool AudioIODevice::hasControlPanel() const
  17523. {
  17524. return false;
  17525. }
  17526. bool AudioIODevice::showControlPanel()
  17527. {
  17528. jassertfalse // this should only be called for devices which return true from
  17529. // their hasControlPanel() method.
  17530. return false;
  17531. }
  17532. END_JUCE_NAMESPACE
  17533. /********* End of inlined file: juce_AudioIODevice.cpp *********/
  17534. /********* Start of inlined file: juce_AudioIODeviceType.cpp *********/
  17535. BEGIN_JUCE_NAMESPACE
  17536. AudioIODeviceType::AudioIODeviceType (const tchar* const name)
  17537. : typeName (name)
  17538. {
  17539. }
  17540. AudioIODeviceType::~AudioIODeviceType()
  17541. {
  17542. }
  17543. END_JUCE_NAMESPACE
  17544. /********* End of inlined file: juce_AudioIODeviceType.cpp *********/
  17545. /********* Start of inlined file: juce_MidiOutput.cpp *********/
  17546. BEGIN_JUCE_NAMESPACE
  17547. MidiOutput::MidiOutput() throw()
  17548. : Thread ("midi out"),
  17549. internal (0),
  17550. firstMessage (0)
  17551. {
  17552. }
  17553. MidiOutput::PendingMessage::PendingMessage (const uint8* const data,
  17554. const int len,
  17555. const double sampleNumber) throw()
  17556. : message (data, len, sampleNumber)
  17557. {
  17558. }
  17559. void MidiOutput::sendBlockOfMessages (const MidiBuffer& buffer,
  17560. const double millisecondCounterToStartAt,
  17561. double samplesPerSecondForBuffer) throw()
  17562. {
  17563. // You've got to call startBackgroundThread() for this to actually work..
  17564. jassert (isThreadRunning());
  17565. // this needs to be a value in the future - RTFM for this method!
  17566. jassert (millisecondCounterToStartAt > 0);
  17567. samplesPerSecondForBuffer *= 0.001;
  17568. MidiBuffer::Iterator i (buffer);
  17569. const uint8* data;
  17570. int len, time;
  17571. while (i.getNextEvent (data, len, time))
  17572. {
  17573. const double eventTime = millisecondCounterToStartAt + samplesPerSecondForBuffer * time;
  17574. PendingMessage* const m
  17575. = new PendingMessage (data, len, eventTime);
  17576. const ScopedLock sl (lock);
  17577. if (firstMessage == 0 || firstMessage->message.getTimeStamp() > eventTime)
  17578. {
  17579. m->next = firstMessage;
  17580. firstMessage = m;
  17581. }
  17582. else
  17583. {
  17584. PendingMessage* mm = firstMessage;
  17585. while (mm->next != 0 && mm->next->message.getTimeStamp() <= eventTime)
  17586. mm = mm->next;
  17587. m->next = mm->next;
  17588. mm->next = m;
  17589. }
  17590. }
  17591. notify();
  17592. }
  17593. void MidiOutput::clearAllPendingMessages() throw()
  17594. {
  17595. const ScopedLock sl (lock);
  17596. while (firstMessage != 0)
  17597. {
  17598. PendingMessage* const m = firstMessage;
  17599. firstMessage = firstMessage->next;
  17600. delete m;
  17601. }
  17602. }
  17603. void MidiOutput::startBackgroundThread() throw()
  17604. {
  17605. startThread (9);
  17606. }
  17607. void MidiOutput::stopBackgroundThread() throw()
  17608. {
  17609. stopThread (5000);
  17610. }
  17611. void MidiOutput::run()
  17612. {
  17613. while (! threadShouldExit())
  17614. {
  17615. uint32 now = Time::getMillisecondCounter();
  17616. uint32 eventTime = 0;
  17617. uint32 timeToWait = 500;
  17618. lock.enter();
  17619. PendingMessage* message = firstMessage;
  17620. if (message != 0)
  17621. {
  17622. eventTime = roundDoubleToInt (message->message.getTimeStamp());
  17623. if (eventTime > now + 20)
  17624. {
  17625. timeToWait = jmax (10, eventTime - now - 100);
  17626. message = 0;
  17627. }
  17628. else
  17629. {
  17630. firstMessage = message->next;
  17631. }
  17632. }
  17633. lock.exit();
  17634. if (message != 0)
  17635. {
  17636. if (eventTime > now)
  17637. {
  17638. Time::waitForMillisecondCounter (eventTime);
  17639. if (threadShouldExit())
  17640. break;
  17641. }
  17642. if (eventTime > now - 200)
  17643. sendMessageNow (message->message);
  17644. delete message;
  17645. }
  17646. else
  17647. {
  17648. jassert (timeToWait < 1000 * 30);
  17649. wait (timeToWait);
  17650. }
  17651. }
  17652. clearAllPendingMessages();
  17653. }
  17654. END_JUCE_NAMESPACE
  17655. /********* End of inlined file: juce_MidiOutput.cpp *********/
  17656. /********* Start of inlined file: juce_AudioDataConverters.cpp *********/
  17657. BEGIN_JUCE_NAMESPACE
  17658. void AudioDataConverters::convertFloatToInt16LE (const float* source, void* dest, int numSamples, const int destBytesPerSample)
  17659. {
  17660. const double maxVal = (double) 0x7fff;
  17661. char* intData = (char*) dest;
  17662. for (int i = 0; i < numSamples; ++i)
  17663. {
  17664. *(uint16*)intData = swapIfBigEndian ((uint16) (short) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * source[i])));
  17665. intData += destBytesPerSample;
  17666. }
  17667. }
  17668. void AudioDataConverters::convertFloatToInt16BE (const float* source, void* dest, int numSamples, const int destBytesPerSample)
  17669. {
  17670. const double maxVal = (double) 0x7fff;
  17671. char* intData = (char*) dest;
  17672. for (int i = 0; i < numSamples; ++i)
  17673. {
  17674. *(uint16*)intData = swapIfLittleEndian ((uint16) (short) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * source[i])));
  17675. intData += destBytesPerSample;
  17676. }
  17677. }
  17678. void AudioDataConverters::convertFloatToInt24LE (const float* source, void* dest, int numSamples, const int destBytesPerSample)
  17679. {
  17680. const double maxVal = (double) 0x7fffff;
  17681. char* intData = (char*) dest;
  17682. for (int i = 0; i < numSamples; ++i)
  17683. {
  17684. littleEndian24BitToChars ((uint32) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * source[i])), intData);
  17685. intData += destBytesPerSample;
  17686. }
  17687. }
  17688. void AudioDataConverters::convertFloatToInt24BE (const float* source, void* dest, int numSamples, const int destBytesPerSample)
  17689. {
  17690. const double maxVal = (double) 0x7fffff;
  17691. char* intData = (char*) dest;
  17692. for (int i = 0; i < numSamples; ++i)
  17693. {
  17694. bigEndian24BitToChars ((uint32) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * source[i])), intData);
  17695. intData += destBytesPerSample;
  17696. }
  17697. }
  17698. void AudioDataConverters::convertFloatToInt32LE (const float* source, void* dest, int numSamples, const int destBytesPerSample)
  17699. {
  17700. const double maxVal = (double) 0x7fffffff;
  17701. char* intData = (char*) dest;
  17702. for (int i = 0; i < numSamples; ++i)
  17703. {
  17704. *(uint32*)intData = swapIfBigEndian ((uint32) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * source[i])));
  17705. intData += destBytesPerSample;
  17706. }
  17707. }
  17708. void AudioDataConverters::convertFloatToInt32BE (const float* source, void* dest, int numSamples, const int destBytesPerSample)
  17709. {
  17710. const double maxVal = (double) 0x7fffffff;
  17711. char* intData = (char*) dest;
  17712. for (int i = 0; i < numSamples; ++i)
  17713. {
  17714. *(uint32*)intData = swapIfLittleEndian ((uint32) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * source[i])));
  17715. intData += destBytesPerSample;
  17716. }
  17717. }
  17718. void AudioDataConverters::convertFloatToFloat32LE (const float* source, void* dest, int numSamples, const int destBytesPerSample)
  17719. {
  17720. char* d = (char*) dest;
  17721. for (int i = 0; i < numSamples; ++i)
  17722. {
  17723. *(float*)d = source[i];
  17724. #if JUCE_BIG_ENDIAN
  17725. *(uint32*)d = swapByteOrder (*(uint32*)d);
  17726. #endif
  17727. d += destBytesPerSample;
  17728. }
  17729. }
  17730. void AudioDataConverters::convertFloatToFloat32BE (const float* source, void* dest, int numSamples, const int destBytesPerSample)
  17731. {
  17732. char* d = (char*) dest;
  17733. for (int i = 0; i < numSamples; ++i)
  17734. {
  17735. *(float*)d = source[i];
  17736. #if JUCE_LITTLE_ENDIAN
  17737. *(uint32*)d = swapByteOrder (*(uint32*)d);
  17738. #endif
  17739. d += destBytesPerSample;
  17740. }
  17741. }
  17742. void AudioDataConverters::convertInt16LEToFloat (const void* const source, float* const dest, int numSamples, const int srcBytesPerSample)
  17743. {
  17744. const float scale = 1.0f / 0x7fff;
  17745. const char* intData = (const char*) source;
  17746. for (int i = 0; i < numSamples; ++i)
  17747. {
  17748. dest[i] = scale * (short) swapIfBigEndian (*(uint16*)intData);
  17749. intData += srcBytesPerSample;
  17750. }
  17751. }
  17752. void AudioDataConverters::convertInt16BEToFloat (const void* const source, float* const dest, int numSamples, const int srcBytesPerSample)
  17753. {
  17754. const float scale = 1.0f / 0x7fff;
  17755. const char* intData = (const char*) source;
  17756. for (int i = 0; i < numSamples; ++i)
  17757. {
  17758. dest[i] = scale * (short) swapIfLittleEndian (*(uint16*)intData);
  17759. intData += srcBytesPerSample;
  17760. }
  17761. }
  17762. void AudioDataConverters::convertInt24LEToFloat (const void* const source, float* const dest, int numSamples, const int srcBytesPerSample)
  17763. {
  17764. const float scale = 1.0f / 0x7fffff;
  17765. const char* intData = (const char*) source;
  17766. for (int i = 0; i < numSamples; ++i)
  17767. {
  17768. dest[i] = scale * (short) littleEndian24Bit (intData);
  17769. intData += srcBytesPerSample;
  17770. }
  17771. }
  17772. void AudioDataConverters::convertInt24BEToFloat (const void* const source, float* const dest, int numSamples, const int srcBytesPerSample)
  17773. {
  17774. const float scale = 1.0f / 0x7fffff;
  17775. const char* intData = (const char*) source;
  17776. for (int i = 0; i < numSamples; ++i)
  17777. {
  17778. dest[i] = scale * (short) bigEndian24Bit (intData);
  17779. intData += srcBytesPerSample;
  17780. }
  17781. }
  17782. void AudioDataConverters::convertInt32LEToFloat (const void* const source, float* const dest, int numSamples, const int srcBytesPerSample)
  17783. {
  17784. const float scale = 1.0f / 0x7fffffff;
  17785. const char* intData = (const char*) source;
  17786. for (int i = 0; i < numSamples; ++i)
  17787. {
  17788. dest[i] = scale * (int) swapIfBigEndian (*(uint32*) intData);
  17789. intData += srcBytesPerSample;
  17790. }
  17791. }
  17792. void AudioDataConverters::convertInt32BEToFloat (const void* const source, float* const dest, int numSamples, const int srcBytesPerSample)
  17793. {
  17794. const float scale = 1.0f / 0x7fffffff;
  17795. const char* intData = (const char*) source;
  17796. for (int i = 0; i < numSamples; ++i)
  17797. {
  17798. dest[i] = scale * (int) (swapIfLittleEndian (*(uint32*) intData));
  17799. intData += srcBytesPerSample;
  17800. }
  17801. }
  17802. void AudioDataConverters::convertFloat32LEToFloat (const void* const source, float* const dest, int numSamples, const int srcBytesPerSample)
  17803. {
  17804. const char* s = (const char*) source;
  17805. for (int i = 0; i < numSamples; ++i)
  17806. {
  17807. dest[i] = *(float*)s;
  17808. #if JUCE_BIG_ENDIAN
  17809. uint32* const d = (uint32*) (dest + i);
  17810. *d = swapByteOrder (*d);
  17811. #endif
  17812. s += srcBytesPerSample;
  17813. }
  17814. }
  17815. void AudioDataConverters::convertFloat32BEToFloat (const void* const source, float* const dest, int numSamples, const int srcBytesPerSample)
  17816. {
  17817. const char* s = (const char*) source;
  17818. for (int i = 0; i < numSamples; ++i)
  17819. {
  17820. dest[i] = *(float*)s;
  17821. #if JUCE_LITTLE_ENDIAN
  17822. uint32* const d = (uint32*) (dest + i);
  17823. *d = swapByteOrder (*d);
  17824. #endif
  17825. s += srcBytesPerSample;
  17826. }
  17827. }
  17828. void AudioDataConverters::convertFloatToFormat (const DataFormat destFormat,
  17829. const float* const source,
  17830. void* const dest,
  17831. const int numSamples)
  17832. {
  17833. switch (destFormat)
  17834. {
  17835. case int16LE:
  17836. convertFloatToInt16LE (source, dest, numSamples);
  17837. break;
  17838. case int16BE:
  17839. convertFloatToInt16BE (source, dest, numSamples);
  17840. break;
  17841. case int24LE:
  17842. convertFloatToInt24LE (source, dest, numSamples);
  17843. break;
  17844. case int24BE:
  17845. convertFloatToInt24BE (source, dest, numSamples);
  17846. break;
  17847. case int32LE:
  17848. convertFloatToInt32LE (source, dest, numSamples);
  17849. break;
  17850. case int32BE:
  17851. convertFloatToInt32BE (source, dest, numSamples);
  17852. break;
  17853. case float32LE:
  17854. convertFloatToFloat32LE (source, dest, numSamples);
  17855. break;
  17856. case float32BE:
  17857. convertFloatToFloat32BE (source, dest, numSamples);
  17858. break;
  17859. default:
  17860. jassertfalse
  17861. break;
  17862. }
  17863. }
  17864. void AudioDataConverters::convertFormatToFloat (const DataFormat sourceFormat,
  17865. const void* const source,
  17866. float* const dest,
  17867. const int numSamples)
  17868. {
  17869. switch (sourceFormat)
  17870. {
  17871. case int16LE:
  17872. convertInt16LEToFloat (source, dest, numSamples);
  17873. break;
  17874. case int16BE:
  17875. convertInt16BEToFloat (source, dest, numSamples);
  17876. break;
  17877. case int24LE:
  17878. convertInt24LEToFloat (source, dest, numSamples);
  17879. break;
  17880. case int24BE:
  17881. convertInt24BEToFloat (source, dest, numSamples);
  17882. break;
  17883. case int32LE:
  17884. convertInt32LEToFloat (source, dest, numSamples);
  17885. break;
  17886. case int32BE:
  17887. convertInt32BEToFloat (source, dest, numSamples);
  17888. break;
  17889. case float32LE:
  17890. convertFloat32LEToFloat (source, dest, numSamples);
  17891. break;
  17892. case float32BE:
  17893. convertFloat32BEToFloat (source, dest, numSamples);
  17894. break;
  17895. default:
  17896. jassertfalse
  17897. break;
  17898. }
  17899. }
  17900. void AudioDataConverters::interleaveSamples (const float** const source,
  17901. float* const dest,
  17902. const int numSamples,
  17903. const int numChannels)
  17904. {
  17905. for (int chan = 0; chan < numChannels; ++chan)
  17906. {
  17907. int i = chan;
  17908. const float* src = source [chan];
  17909. for (int j = 0; j < numSamples; ++j)
  17910. {
  17911. dest [i] = src [j];
  17912. i += numChannels;
  17913. }
  17914. }
  17915. }
  17916. void AudioDataConverters::deinterleaveSamples (const float* const source,
  17917. float** const dest,
  17918. const int numSamples,
  17919. const int numChannels)
  17920. {
  17921. for (int chan = 0; chan < numChannels; ++chan)
  17922. {
  17923. int i = chan;
  17924. float* dst = dest [chan];
  17925. for (int j = 0; j < numSamples; ++j)
  17926. {
  17927. dst [j] = source [i];
  17928. i += numChannels;
  17929. }
  17930. }
  17931. }
  17932. END_JUCE_NAMESPACE
  17933. /********* End of inlined file: juce_AudioDataConverters.cpp *********/
  17934. /********* Start of inlined file: juce_AudioSampleBuffer.cpp *********/
  17935. BEGIN_JUCE_NAMESPACE
  17936. AudioSampleBuffer::AudioSampleBuffer (const int numChannels_,
  17937. const int numSamples) throw()
  17938. : numChannels (numChannels_),
  17939. size (numSamples)
  17940. {
  17941. jassert (numSamples >= 0);
  17942. jassert (numChannels_ > 0 && numChannels_ <= maxNumAudioSampleBufferChannels);
  17943. allocatedBytes = numChannels * numSamples * sizeof (float) + 32;
  17944. allocatedData = (float*) juce_malloc (allocatedBytes);
  17945. float* chan = allocatedData;
  17946. for (int i = 0; i < numChannels_; ++i)
  17947. {
  17948. channels[i] = chan;
  17949. chan += numSamples;
  17950. }
  17951. channels [numChannels_] = 0;
  17952. }
  17953. AudioSampleBuffer::AudioSampleBuffer (float** dataToReferTo,
  17954. const int numChannels_,
  17955. const int numSamples) throw()
  17956. : numChannels (numChannels_),
  17957. size (numSamples),
  17958. allocatedBytes (0),
  17959. allocatedData (0)
  17960. {
  17961. jassert (((unsigned int) numChannels_) <= (unsigned int) maxNumAudioSampleBufferChannels);
  17962. for (int i = 0; i < numChannels_; ++i)
  17963. {
  17964. // you have to pass in the same number of valid pointers as numChannels
  17965. jassert (dataToReferTo[i] != 0);
  17966. channels[i] = dataToReferTo[i];
  17967. }
  17968. channels [numChannels_] = 0;
  17969. }
  17970. void AudioSampleBuffer::setDataToReferTo (float** dataToReferTo,
  17971. const int numChannels_,
  17972. const int numSamples) throw()
  17973. {
  17974. jassert (((unsigned int) numChannels_) <= (unsigned int) maxNumAudioSampleBufferChannels);
  17975. juce_free (allocatedData);
  17976. allocatedData = 0;
  17977. allocatedBytes = 0;
  17978. numChannels = numChannels_;
  17979. size = numSamples;
  17980. for (int i = 0; i < numChannels_; ++i)
  17981. {
  17982. // you have to pass in the same number of valid pointers as numChannels
  17983. jassert (dataToReferTo[i] != 0);
  17984. channels[i] = dataToReferTo[i];
  17985. }
  17986. channels [numChannels_] = 0;
  17987. }
  17988. AudioSampleBuffer::AudioSampleBuffer (const AudioSampleBuffer& other) throw()
  17989. : numChannels (other.numChannels),
  17990. size (other.size)
  17991. {
  17992. if (other.allocatedData != 0)
  17993. {
  17994. allocatedBytes = numChannels * size * sizeof (float) + 32;
  17995. allocatedData = (float*) juce_malloc (allocatedBytes);
  17996. memcpy (allocatedData, other.allocatedData, allocatedBytes);
  17997. float* chan = allocatedData;
  17998. for (int i = 0; i < numChannels; ++i)
  17999. {
  18000. channels[i] = chan;
  18001. chan += size;
  18002. }
  18003. channels [numChannels] = 0;
  18004. }
  18005. else
  18006. {
  18007. allocatedData = 0;
  18008. allocatedBytes = 0;
  18009. memcpy (channels, other.channels, sizeof (channels));
  18010. }
  18011. }
  18012. const AudioSampleBuffer& AudioSampleBuffer::operator= (const AudioSampleBuffer& other) throw()
  18013. {
  18014. if (this != &other)
  18015. {
  18016. setSize (other.getNumChannels(), other.getNumSamples(), false, false, false);
  18017. const int numBytes = size * sizeof (float);
  18018. for (int i = 0; i < numChannels; ++i)
  18019. memcpy (channels[i], other.channels[i], numBytes);
  18020. }
  18021. return *this;
  18022. }
  18023. AudioSampleBuffer::~AudioSampleBuffer() throw()
  18024. {
  18025. juce_free (allocatedData);
  18026. }
  18027. float* AudioSampleBuffer::getSampleData (const int channelNumber,
  18028. const int sampleOffset) const throw()
  18029. {
  18030. jassert (((unsigned int) channelNumber) < (unsigned int) numChannels);
  18031. jassert (((unsigned int) sampleOffset) < (unsigned int) size);
  18032. return channels [channelNumber] + sampleOffset;
  18033. }
  18034. void AudioSampleBuffer::setSize (const int newNumChannels,
  18035. const int newNumSamples,
  18036. const bool keepExistingContent,
  18037. const bool clearExtraSpace,
  18038. const bool avoidReallocating) throw()
  18039. {
  18040. jassert (newNumChannels > 0 && newNumChannels <= maxNumAudioSampleBufferChannels);
  18041. if (newNumSamples != size || newNumChannels != numChannels)
  18042. {
  18043. const int newTotalBytes = newNumChannels * newNumSamples * sizeof (float) + 32;
  18044. if (keepExistingContent)
  18045. {
  18046. float* const newData = (clearExtraSpace) ? (float*) juce_calloc (newTotalBytes)
  18047. : (float*) juce_malloc (newTotalBytes);
  18048. const int sizeToCopy = sizeof (float) * jmin (newNumSamples, size);
  18049. for (int i = jmin (newNumChannels, numChannels); --i >= 0;)
  18050. {
  18051. memcpy (newData + i * newNumSamples,
  18052. channels[i],
  18053. sizeToCopy);
  18054. }
  18055. juce_free (allocatedData);
  18056. allocatedData = newData;
  18057. allocatedBytes = newTotalBytes;
  18058. }
  18059. else
  18060. {
  18061. if (avoidReallocating && allocatedBytes >= newTotalBytes)
  18062. {
  18063. if (clearExtraSpace)
  18064. zeromem (allocatedData, newTotalBytes);
  18065. }
  18066. else
  18067. {
  18068. juce_free (allocatedData);
  18069. allocatedData = (clearExtraSpace) ? (float*) juce_calloc (newTotalBytes)
  18070. : (float*) juce_malloc (newTotalBytes);
  18071. allocatedBytes = newTotalBytes;
  18072. }
  18073. }
  18074. size = newNumSamples;
  18075. numChannels = newNumChannels;
  18076. float* chan = allocatedData;
  18077. for (int i = 0; i < newNumChannels; ++i)
  18078. {
  18079. channels[i] = chan;
  18080. chan += size;
  18081. }
  18082. channels [newNumChannels] = 0;
  18083. }
  18084. }
  18085. void AudioSampleBuffer::clear() throw()
  18086. {
  18087. for (int i = 0; i < numChannels; ++i)
  18088. zeromem (channels[i], size * sizeof (float));
  18089. }
  18090. void AudioSampleBuffer::clear (const int startSample,
  18091. const int numSamples) throw()
  18092. {
  18093. jassert (startSample >= 0 && startSample + numSamples <= size);
  18094. for (int i = 0; i < numChannels; ++i)
  18095. zeromem (channels [i] + startSample, numSamples * sizeof (float));
  18096. }
  18097. void AudioSampleBuffer::clear (const int channel,
  18098. const int startSample,
  18099. const int numSamples) throw()
  18100. {
  18101. jassert (((unsigned int) channel) < (unsigned int) numChannels);
  18102. jassert (startSample >= 0 && startSample + numSamples <= size);
  18103. zeromem (channels [channel] + startSample, numSamples * sizeof (float));
  18104. }
  18105. void AudioSampleBuffer::applyGain (const int channel,
  18106. const int startSample,
  18107. int numSamples,
  18108. const float gain) throw()
  18109. {
  18110. jassert (((unsigned int) channel) < (unsigned int) numChannels);
  18111. jassert (startSample >= 0 && startSample + numSamples <= size);
  18112. if (gain != 1.0f)
  18113. {
  18114. float* d = channels [channel] + startSample;
  18115. if (gain == 0.0f)
  18116. {
  18117. zeromem (d, sizeof (float) * numSamples);
  18118. }
  18119. else
  18120. {
  18121. while (--numSamples >= 0)
  18122. *d++ *= gain;
  18123. }
  18124. }
  18125. }
  18126. void AudioSampleBuffer::applyGainRamp (const int channel,
  18127. const int startSample,
  18128. int numSamples,
  18129. float startGain,
  18130. float endGain) throw()
  18131. {
  18132. if (startGain == endGain)
  18133. {
  18134. applyGain (channel, startSample, numSamples, startGain);
  18135. }
  18136. else
  18137. {
  18138. jassert (((unsigned int) channel) < (unsigned int) numChannels);
  18139. jassert (startSample >= 0 && startSample + numSamples <= size);
  18140. const float increment = (endGain - startGain) / numSamples;
  18141. float* d = channels [channel] + startSample;
  18142. while (--numSamples >= 0)
  18143. {
  18144. *d++ *= startGain;
  18145. startGain += increment;
  18146. }
  18147. }
  18148. }
  18149. void AudioSampleBuffer::applyGain (const int startSample,
  18150. const int numSamples,
  18151. const float gain) throw()
  18152. {
  18153. for (int i = 0; i < numChannels; ++i)
  18154. applyGain (i, startSample, numSamples, gain);
  18155. }
  18156. void AudioSampleBuffer::addFrom (const int destChannel,
  18157. const int destStartSample,
  18158. const AudioSampleBuffer& source,
  18159. const int sourceChannel,
  18160. const int sourceStartSample,
  18161. int numSamples,
  18162. const float gain) throw()
  18163. {
  18164. jassert (&source != this || sourceChannel != destChannel);
  18165. jassert (((unsigned int) destChannel) < (unsigned int) numChannels);
  18166. jassert (destStartSample >= 0 && destStartSample + numSamples <= size);
  18167. jassert (((unsigned int) sourceChannel) < (unsigned int) source.numChannels);
  18168. jassert (sourceStartSample >= 0 && sourceStartSample + numSamples <= source.size);
  18169. if (gain != 0.0f && numSamples > 0)
  18170. {
  18171. float* d = channels [destChannel] + destStartSample;
  18172. const float* s = source.channels [sourceChannel] + sourceStartSample;
  18173. if (gain != 1.0f)
  18174. {
  18175. while (--numSamples >= 0)
  18176. *d++ += gain * *s++;
  18177. }
  18178. else
  18179. {
  18180. while (--numSamples >= 0)
  18181. *d++ += *s++;
  18182. }
  18183. }
  18184. }
  18185. void AudioSampleBuffer::addFrom (const int destChannel,
  18186. const int destStartSample,
  18187. const float* source,
  18188. int numSamples,
  18189. const float gain) throw()
  18190. {
  18191. jassert (((unsigned int) destChannel) < (unsigned int) numChannels);
  18192. jassert (destStartSample >= 0 && destStartSample + numSamples <= size);
  18193. jassert (source != 0);
  18194. if (gain != 0.0f && numSamples > 0)
  18195. {
  18196. float* d = channels [destChannel] + destStartSample;
  18197. if (gain != 1.0f)
  18198. {
  18199. while (--numSamples >= 0)
  18200. *d++ += gain * *source++;
  18201. }
  18202. else
  18203. {
  18204. while (--numSamples >= 0)
  18205. *d++ += *source++;
  18206. }
  18207. }
  18208. }
  18209. void AudioSampleBuffer::addFromWithRamp (const int destChannel,
  18210. const int destStartSample,
  18211. const float* source,
  18212. int numSamples,
  18213. float startGain,
  18214. const float endGain) throw()
  18215. {
  18216. jassert (((unsigned int) destChannel) < (unsigned int) numChannels);
  18217. jassert (destStartSample >= 0 && destStartSample + numSamples <= size);
  18218. jassert (source != 0);
  18219. if (startGain == endGain)
  18220. {
  18221. addFrom (destChannel,
  18222. destStartSample,
  18223. source,
  18224. numSamples,
  18225. startGain);
  18226. }
  18227. else
  18228. {
  18229. if (numSamples > 0 && (startGain != 0.0f || endGain != 0.0f))
  18230. {
  18231. const float increment = (endGain - startGain) / numSamples;
  18232. float* d = channels [destChannel] + destStartSample;
  18233. while (--numSamples >= 0)
  18234. {
  18235. *d++ += startGain * *source++;
  18236. startGain += increment;
  18237. }
  18238. }
  18239. }
  18240. }
  18241. void AudioSampleBuffer::copyFrom (const int destChannel,
  18242. const int destStartSample,
  18243. const AudioSampleBuffer& source,
  18244. const int sourceChannel,
  18245. const int sourceStartSample,
  18246. int numSamples) throw()
  18247. {
  18248. jassert (&source != this || sourceChannel != destChannel);
  18249. jassert (((unsigned int) destChannel) < (unsigned int) numChannels);
  18250. jassert (destStartSample >= 0 && destStartSample + numSamples <= size);
  18251. jassert (((unsigned int) sourceChannel) < (unsigned int) source.numChannels);
  18252. jassert (sourceStartSample >= 0 && sourceStartSample + numSamples <= source.size);
  18253. if (numSamples > 0)
  18254. {
  18255. memcpy (channels [destChannel] + destStartSample,
  18256. source.channels [sourceChannel] + sourceStartSample,
  18257. sizeof (float) * numSamples);
  18258. }
  18259. }
  18260. void AudioSampleBuffer::copyFrom (const int destChannel,
  18261. const int destStartSample,
  18262. const float* source,
  18263. int numSamples) throw()
  18264. {
  18265. jassert (((unsigned int) destChannel) < (unsigned int) numChannels);
  18266. jassert (destStartSample >= 0 && destStartSample + numSamples <= size);
  18267. jassert (source != 0);
  18268. if (numSamples > 0)
  18269. {
  18270. memcpy (channels [destChannel] + destStartSample,
  18271. source,
  18272. sizeof (float) * numSamples);
  18273. }
  18274. }
  18275. void AudioSampleBuffer::findMinMax (const int channel,
  18276. const int startSample,
  18277. int numSamples,
  18278. float& minVal,
  18279. float& maxVal) const throw()
  18280. {
  18281. jassert (((unsigned int) channel) < (unsigned int) numChannels);
  18282. jassert (startSample >= 0 && startSample + numSamples <= size);
  18283. if (numSamples <= 0)
  18284. {
  18285. minVal = 0.0f;
  18286. maxVal = 0.0f;
  18287. }
  18288. else
  18289. {
  18290. const float* d = channels [channel] + startSample;
  18291. float mn = *d++;
  18292. float mx = mn;
  18293. while (--numSamples > 0) // (> 0 rather than >= 0 because we've already taken the first sample)
  18294. {
  18295. const float samp = *d++;
  18296. if (samp > mx)
  18297. mx = samp;
  18298. if (samp < mn)
  18299. mn = samp;
  18300. }
  18301. maxVal = mx;
  18302. minVal = mn;
  18303. }
  18304. }
  18305. float AudioSampleBuffer::getMagnitude (const int channel,
  18306. const int startSample,
  18307. const int numSamples) const throw()
  18308. {
  18309. jassert (((unsigned int) channel) < (unsigned int) numChannels);
  18310. jassert (startSample >= 0 && startSample + numSamples <= size);
  18311. float mn, mx;
  18312. findMinMax (channel, startSample, numSamples, mn, mx);
  18313. return jmax (mn, -mn, mx, -mx);
  18314. }
  18315. float AudioSampleBuffer::getMagnitude (const int startSample,
  18316. const int numSamples) const throw()
  18317. {
  18318. float mag = 0.0f;
  18319. for (int i = 0; i < numChannels; ++i)
  18320. mag = jmax (mag, getMagnitude (i, startSample, numSamples));
  18321. return mag;
  18322. }
  18323. float AudioSampleBuffer::getRMSLevel (const int channel,
  18324. const int startSample,
  18325. const int numSamples) const throw()
  18326. {
  18327. jassert (((unsigned int) channel) < (unsigned int) numChannels);
  18328. jassert (startSample >= 0 && startSample + numSamples <= size);
  18329. if (numSamples <= 0 || channel < 0 || channel >= numChannels)
  18330. return 0.0f;
  18331. const float* const data = channels [channel] + startSample;
  18332. double sum = 0.0;
  18333. for (int i = 0; i < numSamples; ++i)
  18334. {
  18335. const float sample = data [i];
  18336. sum += sample * sample;
  18337. }
  18338. return (float) sqrt (sum / numSamples);
  18339. }
  18340. void AudioSampleBuffer::readFromAudioReader (AudioFormatReader* reader,
  18341. const int startSample,
  18342. const int numSamples,
  18343. const int readerStartSample,
  18344. const bool useLeftChan,
  18345. const bool useRightChan) throw()
  18346. {
  18347. jassert (reader != 0);
  18348. jassert (startSample >= 0 && startSample + numSamples <= size);
  18349. if (numSamples > 0)
  18350. {
  18351. int* chans[3];
  18352. if (useLeftChan == useRightChan)
  18353. {
  18354. chans[0] = (int*) getSampleData (0, startSample);
  18355. chans[1] = (reader->numChannels > 1 && getNumChannels() > 1) ? (int*) getSampleData (1, startSample) : 0;
  18356. }
  18357. else if (useLeftChan || (reader->numChannels == 1))
  18358. {
  18359. chans[0] = (int*) getSampleData (0, startSample);
  18360. chans[1] = 0;
  18361. }
  18362. else if (useRightChan)
  18363. {
  18364. chans[0] = 0;
  18365. chans[1] = (int*) getSampleData (0, startSample);
  18366. }
  18367. chans[2] = 0;
  18368. reader->read (chans, readerStartSample, numSamples);
  18369. if (! reader->usesFloatingPointData)
  18370. {
  18371. for (int j = 0; j < 2; ++j)
  18372. {
  18373. float* const d = (float*) (chans[j]);
  18374. if (d != 0)
  18375. {
  18376. const float multiplier = 1.0f / 0x7fffffff;
  18377. for (int i = 0; i < numSamples; ++i)
  18378. d[i] = *(int*)(d + i) * multiplier;
  18379. }
  18380. }
  18381. }
  18382. if (numChannels > 1 && (chans[0] == 0 || chans[1] == 0))
  18383. {
  18384. // if this is a stereo buffer and the source was mono, dupe the first channel..
  18385. memcpy (getSampleData (1, startSample),
  18386. getSampleData (0, startSample),
  18387. sizeof (float) * numSamples);
  18388. }
  18389. }
  18390. }
  18391. void AudioSampleBuffer::writeToAudioWriter (AudioFormatWriter* writer,
  18392. const int startSample,
  18393. const int numSamples) const throw()
  18394. {
  18395. jassert (startSample >= 0 && startSample + numSamples <= size);
  18396. if (numSamples > 0)
  18397. {
  18398. int* chans [3];
  18399. if (writer->isFloatingPoint())
  18400. {
  18401. chans[0] = (int*) getSampleData (0, startSample);
  18402. if (numChannels > 1)
  18403. chans[1] = (int*) getSampleData (1, startSample);
  18404. else
  18405. chans[1] = 0;
  18406. chans[2] = 0;
  18407. writer->write ((const int**) chans, numSamples);
  18408. }
  18409. else
  18410. {
  18411. chans[0] = (int*) juce_malloc (sizeof (int) * numSamples * 2);
  18412. if (numChannels > 1)
  18413. chans[1] = chans[0] + numSamples;
  18414. else
  18415. chans[1] = 0;
  18416. chans[2] = 0;
  18417. for (int j = 0; j < 2; ++j)
  18418. {
  18419. int* const dest = chans[j];
  18420. if (dest != 0)
  18421. {
  18422. const float* const src = channels [j] + startSample;
  18423. for (int i = 0; i < numSamples; ++i)
  18424. {
  18425. const double samp = src[i];
  18426. if (samp <= -1.0)
  18427. dest[i] = INT_MIN;
  18428. else if (samp >= 1.0)
  18429. dest[i] = INT_MAX;
  18430. else
  18431. dest[i] = roundDoubleToInt (INT_MAX * samp);
  18432. }
  18433. }
  18434. }
  18435. writer->write ((const int**) chans, numSamples);
  18436. juce_free (chans[0]);
  18437. }
  18438. }
  18439. }
  18440. END_JUCE_NAMESPACE
  18441. /********* End of inlined file: juce_AudioSampleBuffer.cpp *********/
  18442. /********* Start of inlined file: juce_IIRFilter.cpp *********/
  18443. BEGIN_JUCE_NAMESPACE
  18444. IIRFilter::IIRFilter() throw()
  18445. : active (false)
  18446. {
  18447. reset();
  18448. }
  18449. IIRFilter::IIRFilter (const IIRFilter& other) throw()
  18450. : active (other.active)
  18451. {
  18452. const ScopedLock sl (other.processLock);
  18453. memcpy (coefficients, other.coefficients, sizeof (coefficients));
  18454. reset();
  18455. }
  18456. IIRFilter::~IIRFilter() throw()
  18457. {
  18458. }
  18459. void IIRFilter::reset() throw()
  18460. {
  18461. const ScopedLock sl (processLock);
  18462. x1 = 0;
  18463. x2 = 0;
  18464. y1 = 0;
  18465. y2 = 0;
  18466. }
  18467. void IIRFilter::processSamples (float* const samples,
  18468. const int numSamples) throw()
  18469. {
  18470. const ScopedLock sl (processLock);
  18471. if (active)
  18472. {
  18473. for (int i = 0; i < numSamples; ++i)
  18474. {
  18475. const float in = samples[i];
  18476. float out = coefficients[0] * in
  18477. + coefficients[1] * x1
  18478. + coefficients[2] * x2
  18479. - coefficients[4] * y1
  18480. - coefficients[5] * y2;
  18481. #if JUCE_INTEL
  18482. if (! (out < -1.0e-8 || out > 1.0e-8))
  18483. out = 0;
  18484. #endif
  18485. x2 = x1;
  18486. x1 = in;
  18487. y2 = y1;
  18488. y1 = out;
  18489. samples[i] = out;
  18490. }
  18491. }
  18492. }
  18493. void IIRFilter::makeLowPass (const double sampleRate,
  18494. const double frequency) throw()
  18495. {
  18496. jassert (sampleRate > 0);
  18497. const double n = 1.0 / tan (double_Pi * frequency / sampleRate);
  18498. const double nSquared = n * n;
  18499. const double c1 = 1.0 / (1.0 + sqrt (2.0) * n + nSquared);
  18500. setCoefficients (c1,
  18501. c1 * 2.0f,
  18502. c1,
  18503. 1.0,
  18504. c1 * 2.0 * (1.0 - nSquared),
  18505. c1 * (1.0 - sqrt (2.0) * n + nSquared));
  18506. }
  18507. void IIRFilter::makeHighPass (const double sampleRate,
  18508. const double frequency) throw()
  18509. {
  18510. const double n = tan (double_Pi * frequency / sampleRate);
  18511. const double nSquared = n * n;
  18512. const double c1 = 1.0 / (1.0 + sqrt (2.0) * n + nSquared);
  18513. setCoefficients (c1,
  18514. c1 * -2.0f,
  18515. c1,
  18516. 1.0,
  18517. c1 * 2.0 * (nSquared - 1.0),
  18518. c1 * (1.0 - sqrt (2.0) * n + nSquared));
  18519. }
  18520. void IIRFilter::makeLowShelf (const double sampleRate,
  18521. const double cutOffFrequency,
  18522. const double Q,
  18523. const float gainFactor) throw()
  18524. {
  18525. jassert (sampleRate > 0);
  18526. jassert (Q > 0);
  18527. const double A = jmax (0.0f, gainFactor);
  18528. const double aminus1 = A - 1.0;
  18529. const double aplus1 = A + 1.0;
  18530. const double omega = (double_Pi * 2.0 * jmax (cutOffFrequency, 2.0)) / sampleRate;
  18531. const double coso = cos (omega);
  18532. const double beta = sin (omega) * sqrt (A) / Q;
  18533. const double aminus1TimesCoso = aminus1 * coso;
  18534. setCoefficients (A * (aplus1 - aminus1TimesCoso + beta),
  18535. A * 2.0 * (aminus1 - aplus1 * coso),
  18536. A * (aplus1 - aminus1TimesCoso - beta),
  18537. aplus1 + aminus1TimesCoso + beta,
  18538. -2.0 * (aminus1 + aplus1 * coso),
  18539. aplus1 + aminus1TimesCoso - beta);
  18540. }
  18541. void IIRFilter::makeHighShelf (const double sampleRate,
  18542. const double cutOffFrequency,
  18543. const double Q,
  18544. const float gainFactor) throw()
  18545. {
  18546. jassert (sampleRate > 0);
  18547. jassert (Q > 0);
  18548. const double A = jmax (0.0f, gainFactor);
  18549. const double aminus1 = A - 1.0;
  18550. const double aplus1 = A + 1.0;
  18551. const double omega = (double_Pi * 2.0 * jmax (cutOffFrequency, 2.0)) / sampleRate;
  18552. const double coso = cos (omega);
  18553. const double beta = sin (omega) * sqrt (A) / Q;
  18554. const double aminus1TimesCoso = aminus1 * coso;
  18555. setCoefficients (A * (aplus1 + aminus1TimesCoso + beta),
  18556. A * -2.0 * (aminus1 + aplus1 * coso),
  18557. A * (aplus1 + aminus1TimesCoso - beta),
  18558. aplus1 - aminus1TimesCoso + beta,
  18559. 2.0 * (aminus1 - aplus1 * coso),
  18560. aplus1 - aminus1TimesCoso - beta);
  18561. }
  18562. void IIRFilter::makeBandPass (const double sampleRate,
  18563. const double centreFrequency,
  18564. const double Q,
  18565. const float gainFactor) throw()
  18566. {
  18567. jassert (sampleRate > 0);
  18568. jassert (Q > 0);
  18569. const double A = jmax (0.0f, gainFactor);
  18570. const double omega = (double_Pi * 2.0 * jmax (centreFrequency, 2.0)) / sampleRate;
  18571. const double alpha = 0.5 * sin (omega) / Q;
  18572. const double c2 = -2.0 * cos (omega);
  18573. const double alphaTimesA = alpha * A;
  18574. const double alphaOverA = alpha / A;
  18575. setCoefficients (1.0 + alphaTimesA,
  18576. c2,
  18577. 1.0 - alphaTimesA,
  18578. 1.0 + alphaOverA,
  18579. c2,
  18580. 1.0 - alphaOverA);
  18581. }
  18582. void IIRFilter::makeInactive() throw()
  18583. {
  18584. const ScopedLock sl (processLock);
  18585. active = false;
  18586. }
  18587. void IIRFilter::copyCoefficientsFrom (const IIRFilter& other) throw()
  18588. {
  18589. const ScopedLock sl (processLock);
  18590. memcpy (coefficients, other.coefficients, sizeof (coefficients));
  18591. active = other.active;
  18592. }
  18593. void IIRFilter::setCoefficients (double c1,
  18594. double c2,
  18595. double c3,
  18596. double c4,
  18597. double c5,
  18598. double c6) throw()
  18599. {
  18600. const double a = 1.0 / c4;
  18601. c1 *= a;
  18602. c2 *= a;
  18603. c3 *= a;
  18604. c5 *= a;
  18605. c6 *= a;
  18606. const ScopedLock sl (processLock);
  18607. coefficients[0] = (float) c1;
  18608. coefficients[1] = (float) c2;
  18609. coefficients[2] = (float) c3;
  18610. coefficients[3] = (float) c4;
  18611. coefficients[4] = (float) c5;
  18612. coefficients[5] = (float) c6;
  18613. active = true;
  18614. }
  18615. END_JUCE_NAMESPACE
  18616. /********* End of inlined file: juce_IIRFilter.cpp *********/
  18617. /********* Start of inlined file: juce_MidiBuffer.cpp *********/
  18618. BEGIN_JUCE_NAMESPACE
  18619. MidiBuffer::MidiBuffer() throw()
  18620. : ArrayAllocationBase <uint8> (32),
  18621. bytesUsed (0)
  18622. {
  18623. }
  18624. MidiBuffer::MidiBuffer (const MidiBuffer& other) throw()
  18625. : ArrayAllocationBase <uint8> (32),
  18626. bytesUsed (other.bytesUsed)
  18627. {
  18628. ensureAllocatedSize (bytesUsed);
  18629. memcpy (elements, other.elements, bytesUsed);
  18630. }
  18631. const MidiBuffer& MidiBuffer::operator= (const MidiBuffer& other) throw()
  18632. {
  18633. if (this != &other)
  18634. {
  18635. bytesUsed = other.bytesUsed;
  18636. ensureAllocatedSize (bytesUsed);
  18637. if (bytesUsed > 0)
  18638. memcpy (elements, other.elements, bytesUsed);
  18639. }
  18640. return *this;
  18641. }
  18642. MidiBuffer::~MidiBuffer() throw()
  18643. {
  18644. }
  18645. void MidiBuffer::clear() throw()
  18646. {
  18647. bytesUsed = 0;
  18648. }
  18649. void MidiBuffer::clear (const int startSample,
  18650. const int numSamples) throw()
  18651. {
  18652. uint8* const start = findEventAfter (elements, startSample - 1);
  18653. uint8* const end = findEventAfter (start, startSample + numSamples - 1);
  18654. if (end > start)
  18655. {
  18656. const size_t bytesToMove = (size_t) (bytesUsed - (end - elements));
  18657. if (bytesToMove > 0)
  18658. memmove (start, end, bytesToMove);
  18659. bytesUsed -= (int) (end - start);
  18660. }
  18661. }
  18662. void MidiBuffer::addEvent (const MidiMessage& m,
  18663. const int sampleNumber) throw()
  18664. {
  18665. addEvent (m.getRawData(), m.getRawDataSize(), sampleNumber);
  18666. }
  18667. static int findActualEventLength (const uint8* const data,
  18668. const int maxBytes) throw()
  18669. {
  18670. unsigned int byte = (unsigned int) *data;
  18671. int size = 0;
  18672. if (byte == 0xf0 || byte == 0xf7)
  18673. {
  18674. const uint8* d = data + 1;
  18675. while (d < data + maxBytes)
  18676. if (*d++ == 0xf7)
  18677. break;
  18678. size = (int) (d - data);
  18679. }
  18680. else if (byte == 0xff)
  18681. {
  18682. int n;
  18683. const int bytesLeft = MidiMessage::readVariableLengthVal (data + 1, n);
  18684. size = jmin (maxBytes, n + 2 + bytesLeft);
  18685. }
  18686. else if (byte >= 0x80)
  18687. {
  18688. size = jmin (maxBytes, MidiMessage::getMessageLengthFromFirstByte ((uint8) byte));
  18689. }
  18690. return size;
  18691. }
  18692. void MidiBuffer::addEvent (const uint8* const newData,
  18693. const int maxBytes,
  18694. const int sampleNumber) throw()
  18695. {
  18696. const int numBytes = findActualEventLength (newData, maxBytes);
  18697. if (numBytes > 0)
  18698. {
  18699. ensureAllocatedSize (bytesUsed + numBytes + 6);
  18700. uint8* d = findEventAfter (elements, sampleNumber);
  18701. const size_t bytesToMove = (size_t) (bytesUsed - (d - elements));
  18702. if (bytesToMove > 0)
  18703. memmove (d + numBytes + 6,
  18704. d,
  18705. bytesToMove);
  18706. *(int*) d = sampleNumber;
  18707. d += 4;
  18708. *(uint16*) d = (uint16) numBytes;
  18709. d += 2;
  18710. memcpy (d, newData, numBytes);
  18711. bytesUsed += numBytes + 6;
  18712. }
  18713. }
  18714. void MidiBuffer::addEvents (const MidiBuffer& otherBuffer,
  18715. const int startSample,
  18716. const int numSamples,
  18717. const int sampleDeltaToAdd) throw()
  18718. {
  18719. Iterator i (otherBuffer);
  18720. i.setNextSamplePosition (startSample);
  18721. const uint8* data;
  18722. int size, position;
  18723. while (i.getNextEvent (data, size, position)
  18724. && (position < startSample + numSamples || numSamples < 0))
  18725. {
  18726. addEvent (data, size, position + sampleDeltaToAdd);
  18727. }
  18728. }
  18729. bool MidiBuffer::isEmpty() const throw()
  18730. {
  18731. return bytesUsed == 0;
  18732. }
  18733. int MidiBuffer::getNumEvents() const throw()
  18734. {
  18735. int n = 0;
  18736. const uint8* d = elements;
  18737. const uint8* const end = elements + bytesUsed;
  18738. while (d < end)
  18739. {
  18740. d += 4;
  18741. d += 2 + *(const uint16*) d;
  18742. ++n;
  18743. }
  18744. return n;
  18745. }
  18746. int MidiBuffer::getFirstEventTime() const throw()
  18747. {
  18748. return (bytesUsed > 0) ? *(const int*) elements : 0;
  18749. }
  18750. int MidiBuffer::getLastEventTime() const throw()
  18751. {
  18752. if (bytesUsed == 0)
  18753. return 0;
  18754. const uint8* d = elements;
  18755. const uint8* const endData = d + bytesUsed;
  18756. for (;;)
  18757. {
  18758. const uint8* nextOne = d + 6 + * (const uint16*) (d + 4);
  18759. if (nextOne >= endData)
  18760. return *(const int*) d;
  18761. d = nextOne;
  18762. }
  18763. }
  18764. uint8* MidiBuffer::findEventAfter (uint8* d, const int samplePosition) const throw()
  18765. {
  18766. const uint8* const endData = elements + bytesUsed;
  18767. while (d < endData && *(int*) d <= samplePosition)
  18768. {
  18769. d += 4;
  18770. d += 2 + *(uint16*) d;
  18771. }
  18772. return d;
  18773. }
  18774. MidiBuffer::Iterator::Iterator (const MidiBuffer& buffer) throw()
  18775. : buffer (buffer),
  18776. data (buffer.elements)
  18777. {
  18778. }
  18779. MidiBuffer::Iterator::~Iterator() throw()
  18780. {
  18781. }
  18782. void MidiBuffer::Iterator::setNextSamplePosition (const int samplePosition) throw()
  18783. {
  18784. data = buffer.elements;
  18785. const uint8* dataEnd = buffer.elements + buffer.bytesUsed;
  18786. while (data < dataEnd && *(int*) data < samplePosition)
  18787. {
  18788. data += 4;
  18789. data += 2 + *(uint16*) data;
  18790. }
  18791. }
  18792. bool MidiBuffer::Iterator::getNextEvent (const uint8* &midiData,
  18793. int& numBytes,
  18794. int& samplePosition) throw()
  18795. {
  18796. if (data >= buffer.elements + buffer.bytesUsed)
  18797. return false;
  18798. samplePosition = *(int*) data;
  18799. data += 4;
  18800. numBytes = *(uint16*) data;
  18801. data += 2;
  18802. midiData = data;
  18803. data += numBytes;
  18804. return true;
  18805. }
  18806. bool MidiBuffer::Iterator::getNextEvent (MidiMessage& result,
  18807. int& samplePosition) throw()
  18808. {
  18809. if (data >= buffer.elements + buffer.bytesUsed)
  18810. return false;
  18811. samplePosition = *(int*) data;
  18812. data += 4;
  18813. const int numBytes = *(uint16*) data;
  18814. data += 2;
  18815. result = MidiMessage (data, numBytes, samplePosition);
  18816. data += numBytes;
  18817. return true;
  18818. }
  18819. END_JUCE_NAMESPACE
  18820. /********* End of inlined file: juce_MidiBuffer.cpp *********/
  18821. /********* Start of inlined file: juce_MidiFile.cpp *********/
  18822. BEGIN_JUCE_NAMESPACE
  18823. struct TempoInfo
  18824. {
  18825. double bpm, timestamp;
  18826. };
  18827. struct TimeSigInfo
  18828. {
  18829. int numerator, denominator;
  18830. double timestamp;
  18831. };
  18832. MidiFile::MidiFile() throw()
  18833. : numTracks (0),
  18834. timeFormat ((short)(unsigned short)0xe728)
  18835. {
  18836. }
  18837. MidiFile::~MidiFile() throw()
  18838. {
  18839. clear();
  18840. }
  18841. void MidiFile::clear() throw()
  18842. {
  18843. while (numTracks > 0)
  18844. delete tracks [--numTracks];
  18845. }
  18846. int MidiFile::getNumTracks() const throw()
  18847. {
  18848. return numTracks;
  18849. }
  18850. const MidiMessageSequence* MidiFile::getTrack (const int index) const throw()
  18851. {
  18852. return (((unsigned int) index) < (unsigned int) numTracks) ? tracks[index] : 0;
  18853. }
  18854. void MidiFile::addTrack (const MidiMessageSequence& trackSequence) throw()
  18855. {
  18856. jassert (numTracks < numElementsInArray (tracks));
  18857. if (numTracks < numElementsInArray (tracks))
  18858. tracks [numTracks++] = new MidiMessageSequence (trackSequence);
  18859. }
  18860. short MidiFile::getTimeFormat() const throw()
  18861. {
  18862. return timeFormat;
  18863. }
  18864. void MidiFile::setTicksPerQuarterNote (const int ticks) throw()
  18865. {
  18866. timeFormat = (short)ticks;
  18867. }
  18868. void MidiFile::setSmpteTimeFormat (const int framesPerSecond,
  18869. const int subframeResolution) throw()
  18870. {
  18871. timeFormat = (short) (((-framesPerSecond) << 8) | subframeResolution);
  18872. }
  18873. void MidiFile::findAllTempoEvents (MidiMessageSequence& tempoChangeEvents) const
  18874. {
  18875. for (int i = numTracks; --i >= 0;)
  18876. {
  18877. const int numEvents = tracks[i]->getNumEvents();
  18878. for (int j = 0; j < numEvents; ++j)
  18879. {
  18880. const MidiMessage& m = tracks[i]->getEventPointer (j)->message;
  18881. if (m.isTempoMetaEvent())
  18882. tempoChangeEvents.addEvent (m);
  18883. }
  18884. }
  18885. }
  18886. void MidiFile::findAllTimeSigEvents (MidiMessageSequence& timeSigEvents) const
  18887. {
  18888. for (int i = numTracks; --i >= 0;)
  18889. {
  18890. const int numEvents = tracks[i]->getNumEvents();
  18891. for (int j = 0; j < numEvents; ++j)
  18892. {
  18893. const MidiMessage& m = tracks[i]->getEventPointer (j)->message;
  18894. if (m.isTimeSignatureMetaEvent())
  18895. timeSigEvents.addEvent (m);
  18896. }
  18897. }
  18898. }
  18899. double MidiFile::getLastTimestamp() const
  18900. {
  18901. double t = 0.0;
  18902. for (int i = numTracks; --i >= 0;)
  18903. t = jmax (t, tracks[i]->getEndTime());
  18904. return t;
  18905. }
  18906. static bool parseMidiHeader (const char* &data,
  18907. short& timeFormat,
  18908. short& fileType,
  18909. short& numberOfTracks)
  18910. {
  18911. unsigned int ch = (int) bigEndianInt (data);
  18912. data += 4;
  18913. if (ch != bigEndianInt ("MThd"))
  18914. {
  18915. bool ok = false;
  18916. if (ch == bigEndianInt ("RIFF"))
  18917. {
  18918. for (int i = 0; i < 8; ++i)
  18919. {
  18920. ch = bigEndianInt (data);
  18921. data += 4;
  18922. if (ch == bigEndianInt ("MThd"))
  18923. {
  18924. ok = true;
  18925. break;
  18926. }
  18927. }
  18928. }
  18929. if (! ok)
  18930. return false;
  18931. }
  18932. unsigned int bytesRemaining = bigEndianInt (data);
  18933. data += 4;
  18934. fileType = (short)bigEndianShort (data);
  18935. data += 2;
  18936. numberOfTracks = (short)bigEndianShort (data);
  18937. data += 2;
  18938. timeFormat = (short)bigEndianShort (data);
  18939. data += 2;
  18940. bytesRemaining -= 6;
  18941. data += bytesRemaining;
  18942. return true;
  18943. }
  18944. bool MidiFile::readFrom (InputStream& sourceStream)
  18945. {
  18946. clear();
  18947. MemoryBlock data;
  18948. const int maxSensibleMidiFileSize = 2 * 1024 * 1024;
  18949. // (put a sanity-check on the file size, as midi files are generally small)
  18950. if (sourceStream.readIntoMemoryBlock (data, maxSensibleMidiFileSize))
  18951. {
  18952. int size = data.getSize();
  18953. const char* d = (char*) data.getData();
  18954. short fileType, expectedTracks;
  18955. if (size > 16 && parseMidiHeader (d, timeFormat, fileType, expectedTracks))
  18956. {
  18957. size -= (int) (d - (char*) data.getData());
  18958. int track = 0;
  18959. while (size > 0 && track < expectedTracks)
  18960. {
  18961. const int chunkType = (int)bigEndianInt (d);
  18962. d += 4;
  18963. const int chunkSize = (int)bigEndianInt (d);
  18964. d += 4;
  18965. if (chunkSize <= 0)
  18966. break;
  18967. if (size < 0)
  18968. return false;
  18969. if (chunkType == (int)bigEndianInt ("MTrk"))
  18970. {
  18971. readNextTrack (d, chunkSize);
  18972. }
  18973. size -= chunkSize + 8;
  18974. d += chunkSize;
  18975. ++track;
  18976. }
  18977. return true;
  18978. }
  18979. }
  18980. return false;
  18981. }
  18982. // a comparator that puts all the note-offs before note-ons that have the same time
  18983. int MidiFile::compareElements (const MidiMessageSequence::MidiEventHolder* const first,
  18984. const MidiMessageSequence::MidiEventHolder* const second) throw()
  18985. {
  18986. const double diff = (first->message.getTimeStamp() - second->message.getTimeStamp());
  18987. if (diff == 0)
  18988. {
  18989. if (first->message.isNoteOff() && second->message.isNoteOn())
  18990. return -1;
  18991. else if (first->message.isNoteOn() && second->message.isNoteOff())
  18992. return 1;
  18993. else
  18994. return 0;
  18995. }
  18996. else
  18997. {
  18998. return (diff > 0) ? 1 : -1;
  18999. }
  19000. }
  19001. void MidiFile::readNextTrack (const char* data, int size)
  19002. {
  19003. double time = 0;
  19004. char lastStatusByte = 0;
  19005. MidiMessageSequence result;
  19006. while (size > 0)
  19007. {
  19008. int bytesUsed;
  19009. const int delay = MidiMessage::readVariableLengthVal ((const uint8*) data, bytesUsed);
  19010. data += bytesUsed;
  19011. size -= bytesUsed;
  19012. time += delay;
  19013. int messSize = 0;
  19014. const MidiMessage mm ((const uint8*) data, size, messSize, lastStatusByte, time);
  19015. if (messSize <= 0)
  19016. break;
  19017. size -= messSize;
  19018. data += messSize;
  19019. result.addEvent (mm);
  19020. const char firstByte = *(mm.getRawData());
  19021. if ((firstByte & 0xf0) != 0xf0)
  19022. lastStatusByte = firstByte;
  19023. }
  19024. // use a sort that puts all the note-offs before note-ons that have the same time
  19025. result.list.sort (*this, true);
  19026. result.updateMatchedPairs();
  19027. addTrack (result);
  19028. }
  19029. static double convertTicksToSeconds (const double time,
  19030. const MidiMessageSequence& tempoEvents,
  19031. const int timeFormat)
  19032. {
  19033. if (timeFormat > 0)
  19034. {
  19035. int numer = 4, denom = 4;
  19036. double tempoTime = 0.0, correctedTempoTime = 0.0;
  19037. const double tickLen = 1.0 / (timeFormat & 0x7fff);
  19038. double secsPerTick = 0.5 * tickLen;
  19039. const int numEvents = tempoEvents.getNumEvents();
  19040. for (int i = 0; i < numEvents; ++i)
  19041. {
  19042. const MidiMessage& m = tempoEvents.getEventPointer(i)->message;
  19043. if (time <= m.getTimeStamp())
  19044. break;
  19045. if (timeFormat > 0)
  19046. {
  19047. correctedTempoTime = correctedTempoTime
  19048. + (m.getTimeStamp() - tempoTime) * secsPerTick;
  19049. }
  19050. else
  19051. {
  19052. correctedTempoTime = tickLen * m.getTimeStamp() / (((timeFormat & 0x7fff) >> 8) * (timeFormat & 0xff));
  19053. }
  19054. tempoTime = m.getTimeStamp();
  19055. if (m.isTempoMetaEvent())
  19056. secsPerTick = tickLen * m.getTempoSecondsPerQuarterNote();
  19057. else if (m.isTimeSignatureMetaEvent())
  19058. m.getTimeSignatureInfo (numer, denom);
  19059. while (i + 1 < numEvents)
  19060. {
  19061. const MidiMessage& m2 = tempoEvents.getEventPointer(i + 1)->message;
  19062. if (m2.getTimeStamp() == tempoTime)
  19063. {
  19064. ++i;
  19065. if (m2.isTempoMetaEvent())
  19066. secsPerTick = tickLen * m2.getTempoSecondsPerQuarterNote();
  19067. else if (m2.isTimeSignatureMetaEvent())
  19068. m2.getTimeSignatureInfo (numer, denom);
  19069. }
  19070. else
  19071. {
  19072. break;
  19073. }
  19074. }
  19075. }
  19076. return correctedTempoTime + (time - tempoTime) * secsPerTick;
  19077. }
  19078. else
  19079. {
  19080. return time / (((timeFormat & 0x7fff) >> 8) * (timeFormat & 0xff));
  19081. }
  19082. }
  19083. void MidiFile::convertTimestampTicksToSeconds()
  19084. {
  19085. MidiMessageSequence tempoEvents;
  19086. findAllTempoEvents (tempoEvents);
  19087. findAllTimeSigEvents (tempoEvents);
  19088. for (int i = 0; i < numTracks; ++i)
  19089. {
  19090. MidiMessageSequence& ms = *tracks[i];
  19091. for (int j = ms.getNumEvents(); --j >= 0;)
  19092. {
  19093. MidiMessage& m = ms.getEventPointer(j)->message;
  19094. m.setTimeStamp (convertTicksToSeconds (m.getTimeStamp(),
  19095. tempoEvents,
  19096. timeFormat));
  19097. }
  19098. }
  19099. }
  19100. static void writeVariableLengthInt (OutputStream& out, unsigned int v)
  19101. {
  19102. unsigned int buffer = v & 0x7F;
  19103. while ((v >>= 7) != 0)
  19104. {
  19105. buffer <<= 8;
  19106. buffer |= ((v & 0x7F) | 0x80);
  19107. }
  19108. for (;;)
  19109. {
  19110. out.writeByte ((char) buffer);
  19111. if (buffer & 0x80)
  19112. buffer >>= 8;
  19113. else
  19114. break;
  19115. }
  19116. }
  19117. bool MidiFile::writeTo (OutputStream& out)
  19118. {
  19119. out.writeIntBigEndian ((int) bigEndianInt ("MThd"));
  19120. out.writeIntBigEndian (6);
  19121. out.writeShortBigEndian (1); // type
  19122. out.writeShortBigEndian (numTracks);
  19123. out.writeShortBigEndian (timeFormat);
  19124. for (int i = 0; i < numTracks; ++i)
  19125. writeTrack (out, i);
  19126. out.flush();
  19127. return true;
  19128. }
  19129. void MidiFile::writeTrack (OutputStream& mainOut,
  19130. const int trackNum)
  19131. {
  19132. MemoryOutputStream out;
  19133. const MidiMessageSequence& ms = *tracks[trackNum];
  19134. int lastTick = 0;
  19135. char lastStatusByte = 0;
  19136. for (int i = 0; i < ms.getNumEvents(); ++i)
  19137. {
  19138. const MidiMessage& mm = ms.getEventPointer(i)->message;
  19139. const int tick = roundDoubleToInt (mm.getTimeStamp());
  19140. const int delta = jmax (0, tick - lastTick);
  19141. writeVariableLengthInt (out, delta);
  19142. lastTick = tick;
  19143. const char statusByte = *(mm.getRawData());
  19144. if ((statusByte == lastStatusByte)
  19145. && ((statusByte & 0xf0) != 0xf0)
  19146. && i > 0
  19147. && mm.getRawDataSize() > 1)
  19148. {
  19149. out.write (mm.getRawData() + 1, mm.getRawDataSize() - 1);
  19150. }
  19151. else
  19152. {
  19153. out.write (mm.getRawData(), mm.getRawDataSize());
  19154. }
  19155. lastStatusByte = statusByte;
  19156. }
  19157. out.writeByte (0);
  19158. const MidiMessage m (MidiMessage::endOfTrack());
  19159. out.write (m.getRawData(),
  19160. m.getRawDataSize());
  19161. mainOut.writeIntBigEndian ((int)bigEndianInt ("MTrk"));
  19162. mainOut.writeIntBigEndian (out.getDataSize());
  19163. mainOut.write (out.getData(), out.getDataSize());
  19164. }
  19165. END_JUCE_NAMESPACE
  19166. /********* End of inlined file: juce_MidiFile.cpp *********/
  19167. /********* Start of inlined file: juce_MidiKeyboardState.cpp *********/
  19168. BEGIN_JUCE_NAMESPACE
  19169. MidiKeyboardState::MidiKeyboardState()
  19170. : listeners (2)
  19171. {
  19172. zeromem (noteStates, sizeof (noteStates));
  19173. }
  19174. MidiKeyboardState::~MidiKeyboardState()
  19175. {
  19176. }
  19177. void MidiKeyboardState::reset()
  19178. {
  19179. const ScopedLock sl (lock);
  19180. zeromem (noteStates, sizeof (noteStates));
  19181. eventsToAdd.clear();
  19182. }
  19183. bool MidiKeyboardState::isNoteOn (const int midiChannel, const int n) const throw()
  19184. {
  19185. jassert (midiChannel >= 0 && midiChannel <= 16);
  19186. return ((unsigned int) n) < 128
  19187. && (noteStates[n] & (1 << (midiChannel - 1))) != 0;
  19188. }
  19189. bool MidiKeyboardState::isNoteOnForChannels (const int midiChannelMask, const int n) const throw()
  19190. {
  19191. return ((unsigned int) n) < 128
  19192. && (noteStates[n] & midiChannelMask) != 0;
  19193. }
  19194. void MidiKeyboardState::noteOn (const int midiChannel, const int midiNoteNumber, const float velocity)
  19195. {
  19196. jassert (midiChannel >= 0 && midiChannel <= 16);
  19197. jassert (((unsigned int) midiNoteNumber) < 128);
  19198. const ScopedLock sl (lock);
  19199. if (((unsigned int) midiNoteNumber) < 128)
  19200. {
  19201. const int timeNow = (int) Time::getMillisecondCounter();
  19202. eventsToAdd.addEvent (MidiMessage::noteOn (midiChannel, midiNoteNumber, velocity), timeNow);
  19203. eventsToAdd.clear (0, timeNow - 500);
  19204. noteOnInternal (midiChannel, midiNoteNumber, velocity);
  19205. }
  19206. }
  19207. void MidiKeyboardState::noteOnInternal (const int midiChannel, const int midiNoteNumber, const float velocity)
  19208. {
  19209. if (((unsigned int) midiNoteNumber) < 128)
  19210. {
  19211. noteStates [midiNoteNumber] |= (1 << (midiChannel - 1));
  19212. for (int i = listeners.size(); --i >= 0;)
  19213. ((MidiKeyboardStateListener*) listeners.getUnchecked(i))
  19214. ->handleNoteOn (this, midiChannel, midiNoteNumber, velocity);
  19215. }
  19216. }
  19217. void MidiKeyboardState::noteOff (const int midiChannel, const int midiNoteNumber)
  19218. {
  19219. const ScopedLock sl (lock);
  19220. if (isNoteOn (midiChannel, midiNoteNumber))
  19221. {
  19222. const int timeNow = (int) Time::getMillisecondCounter();
  19223. eventsToAdd.addEvent (MidiMessage::noteOff (midiChannel, midiNoteNumber), timeNow);
  19224. eventsToAdd.clear (0, timeNow - 500);
  19225. noteOffInternal (midiChannel, midiNoteNumber);
  19226. }
  19227. }
  19228. void MidiKeyboardState::noteOffInternal (const int midiChannel, const int midiNoteNumber)
  19229. {
  19230. if (isNoteOn (midiChannel, midiNoteNumber))
  19231. {
  19232. noteStates [midiNoteNumber] &= ~(1 << (midiChannel - 1));
  19233. for (int i = listeners.size(); --i >= 0;)
  19234. ((MidiKeyboardStateListener*) listeners.getUnchecked(i))
  19235. ->handleNoteOff (this, midiChannel, midiNoteNumber);
  19236. }
  19237. }
  19238. void MidiKeyboardState::allNotesOff (const int midiChannel)
  19239. {
  19240. const ScopedLock sl (lock);
  19241. if (midiChannel <= 0)
  19242. {
  19243. for (int i = 1; i <= 16; ++i)
  19244. allNotesOff (i);
  19245. }
  19246. else
  19247. {
  19248. for (int i = 0; i < 128; ++i)
  19249. noteOff (midiChannel, i);
  19250. }
  19251. }
  19252. void MidiKeyboardState::processNextMidiEvent (const MidiMessage& message)
  19253. {
  19254. if (message.isNoteOn())
  19255. {
  19256. noteOnInternal (message.getChannel(), message.getNoteNumber(), message.getFloatVelocity());
  19257. }
  19258. else if (message.isNoteOff())
  19259. {
  19260. noteOffInternal (message.getChannel(), message.getNoteNumber());
  19261. }
  19262. else if (message.isAllNotesOff())
  19263. {
  19264. for (int i = 0; i < 128; ++i)
  19265. noteOffInternal (message.getChannel(), i);
  19266. }
  19267. }
  19268. void MidiKeyboardState::processNextMidiBuffer (MidiBuffer& buffer,
  19269. const int startSample,
  19270. const int numSamples,
  19271. const bool injectIndirectEvents)
  19272. {
  19273. MidiBuffer::Iterator i (buffer);
  19274. MidiMessage message (0xf4, 0.0);
  19275. int time;
  19276. const ScopedLock sl (lock);
  19277. while (i.getNextEvent (message, time))
  19278. processNextMidiEvent (message);
  19279. if (injectIndirectEvents)
  19280. {
  19281. MidiBuffer::Iterator i2 (eventsToAdd);
  19282. const int firstEventToAdd = eventsToAdd.getFirstEventTime();
  19283. const double scaleFactor = numSamples / (double) (eventsToAdd.getLastEventTime() + 1 - firstEventToAdd);
  19284. while (i2.getNextEvent (message, time))
  19285. {
  19286. const int pos = jlimit (0, numSamples - 1, roundDoubleToInt ((time - firstEventToAdd) * scaleFactor));
  19287. buffer.addEvent (message, startSample + pos);
  19288. }
  19289. }
  19290. eventsToAdd.clear();
  19291. }
  19292. void MidiKeyboardState::addListener (MidiKeyboardStateListener* const listener) throw()
  19293. {
  19294. const ScopedLock sl (lock);
  19295. listeners.addIfNotAlreadyThere (listener);
  19296. }
  19297. void MidiKeyboardState::removeListener (MidiKeyboardStateListener* const listener) throw()
  19298. {
  19299. const ScopedLock sl (lock);
  19300. listeners.removeValue (listener);
  19301. }
  19302. END_JUCE_NAMESPACE
  19303. /********* End of inlined file: juce_MidiKeyboardState.cpp *********/
  19304. /********* Start of inlined file: juce_MidiMessage.cpp *********/
  19305. BEGIN_JUCE_NAMESPACE
  19306. int MidiMessage::readVariableLengthVal (const uint8* data,
  19307. int& numBytesUsed) throw()
  19308. {
  19309. numBytesUsed = 0;
  19310. int v = 0;
  19311. int i;
  19312. do
  19313. {
  19314. i = (int) *data++;
  19315. if (++numBytesUsed > 6)
  19316. break;
  19317. v = (v << 7) + (i & 0x7f);
  19318. } while (i & 0x80);
  19319. return v;
  19320. }
  19321. int MidiMessage::getMessageLengthFromFirstByte (const uint8 firstByte) throw()
  19322. {
  19323. // this method only works for valid starting bytes of a short midi message
  19324. jassert (firstByte >= 0x80
  19325. && firstByte != 0xff
  19326. && firstByte != 0xf0
  19327. && firstByte != 0xf7);
  19328. static const char messageLengths[] =
  19329. {
  19330. 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3,
  19331. 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3,
  19332. 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3,
  19333. 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3,
  19334. 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2,
  19335. 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2,
  19336. 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3,
  19337. 1, 2, 3, 2, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1
  19338. };
  19339. return messageLengths [firstByte & 0x7f];
  19340. }
  19341. MidiMessage::MidiMessage (const uint8* const d,
  19342. const int dataSize,
  19343. const double t) throw()
  19344. : timeStamp (t),
  19345. message (0),
  19346. size (dataSize)
  19347. {
  19348. jassert (dataSize > 0);
  19349. if (dataSize <= 4)
  19350. data = (uint8*) &message;
  19351. else
  19352. data = (uint8*) juce_malloc (dataSize);
  19353. memcpy (data, d, dataSize);
  19354. // check that the length matches the data..
  19355. jassert (size > 3 || *d >= 0xf0 || getMessageLengthFromFirstByte (*d) == size);
  19356. }
  19357. MidiMessage::MidiMessage (const int byte1,
  19358. const double t) throw()
  19359. : timeStamp (t),
  19360. data ((uint8*) &message),
  19361. size (1)
  19362. {
  19363. data[0] = (uint8) byte1;
  19364. // check that the length matches the data..
  19365. jassert (byte1 >= 0xf0 || getMessageLengthFromFirstByte ((uint8) byte1) == 1);
  19366. }
  19367. MidiMessage::MidiMessage (const int byte1,
  19368. const int byte2,
  19369. const double t) throw()
  19370. : timeStamp (t),
  19371. data ((uint8*) &message),
  19372. size (2)
  19373. {
  19374. data[0] = (uint8) byte1;
  19375. data[1] = (uint8) byte2;
  19376. // check that the length matches the data..
  19377. jassert (byte1 >= 0xf0 || getMessageLengthFromFirstByte ((uint8) byte1) == 2);
  19378. }
  19379. MidiMessage::MidiMessage (const int byte1,
  19380. const int byte2,
  19381. const int byte3,
  19382. const double t) throw()
  19383. : timeStamp (t),
  19384. data ((uint8*) &message),
  19385. size (3)
  19386. {
  19387. data[0] = (uint8) byte1;
  19388. data[1] = (uint8) byte2;
  19389. data[2] = (uint8) byte3;
  19390. // check that the length matches the data..
  19391. jassert (byte1 >= 0xf0 || getMessageLengthFromFirstByte ((uint8) byte1) == 3);
  19392. }
  19393. MidiMessage::MidiMessage (const MidiMessage& other) throw()
  19394. : timeStamp (other.timeStamp),
  19395. message (other.message),
  19396. size (other.size)
  19397. {
  19398. if (other.data != (uint8*) &other.message)
  19399. {
  19400. data = (uint8*) juce_malloc (size);
  19401. memcpy (data, other.data, size);
  19402. }
  19403. else
  19404. {
  19405. data = (uint8*) &message;
  19406. }
  19407. }
  19408. MidiMessage::MidiMessage (const MidiMessage& other,
  19409. const double newTimeStamp) throw()
  19410. : timeStamp (newTimeStamp),
  19411. message (other.message),
  19412. size (other.size)
  19413. {
  19414. if (other.data != (uint8*) &other.message)
  19415. {
  19416. data = (uint8*) juce_malloc (size);
  19417. memcpy (data, other.data, size);
  19418. }
  19419. else
  19420. {
  19421. data = (uint8*) &message;
  19422. }
  19423. }
  19424. MidiMessage::MidiMessage (const uint8* src,
  19425. int sz,
  19426. int& numBytesUsed,
  19427. const uint8 lastStatusByte,
  19428. double t) throw()
  19429. : timeStamp (t),
  19430. data ((uint8*) &message),
  19431. message (0)
  19432. {
  19433. unsigned int byte = (unsigned int) *src;
  19434. if (byte < 0x80)
  19435. {
  19436. byte = (unsigned int) (uint8) lastStatusByte;
  19437. numBytesUsed = -1;
  19438. }
  19439. else
  19440. {
  19441. numBytesUsed = 0;
  19442. --sz;
  19443. ++src;
  19444. }
  19445. if (byte >= 0x80)
  19446. {
  19447. if (byte == 0xf0)
  19448. {
  19449. const uint8* d = (const uint8*) src;
  19450. while (d < src + sz)
  19451. {
  19452. if (*d >= 0x80) // stop if we hit a status byte, and don't include it in this message
  19453. {
  19454. if (*d == 0xf7) // include an 0xf7 if we hit one
  19455. ++d;
  19456. break;
  19457. }
  19458. ++d;
  19459. }
  19460. size = 1 + (int) (d - src);
  19461. data = (uint8*) juce_malloc (size);
  19462. *data = (uint8) byte;
  19463. memcpy (data + 1, src, size - 1);
  19464. }
  19465. else if (byte == 0xff)
  19466. {
  19467. int n;
  19468. const int bytesLeft = readVariableLengthVal (src + 1, n);
  19469. size = jmin (sz + 1, n + 2 + bytesLeft);
  19470. data = (uint8*) juce_malloc (size);
  19471. *data = (uint8) byte;
  19472. memcpy (data + 1, src, size - 1);
  19473. }
  19474. else
  19475. {
  19476. size = getMessageLengthFromFirstByte ((uint8) byte);
  19477. *data = (uint8) byte;
  19478. if (size > 1)
  19479. {
  19480. data[1] = src[0];
  19481. if (size > 2)
  19482. data[2] = src[1];
  19483. }
  19484. }
  19485. numBytesUsed += size;
  19486. }
  19487. else
  19488. {
  19489. message = 0;
  19490. size = 0;
  19491. }
  19492. }
  19493. const MidiMessage& MidiMessage::operator= (const MidiMessage& other) throw()
  19494. {
  19495. if (this == &other)
  19496. return *this;
  19497. timeStamp = other.timeStamp;
  19498. size = other.size;
  19499. message = other.message;
  19500. if (data != (uint8*) &message)
  19501. juce_free (data);
  19502. if (other.data != (uint8*) &other.message)
  19503. {
  19504. data = (uint8*) juce_malloc (size);
  19505. memcpy (data, other.data, size);
  19506. }
  19507. else
  19508. {
  19509. data = (uint8*) &message;
  19510. }
  19511. return *this;
  19512. }
  19513. MidiMessage::~MidiMessage() throw()
  19514. {
  19515. if (data != (uint8*) &message)
  19516. juce_free (data);
  19517. }
  19518. int MidiMessage::getChannel() const throw()
  19519. {
  19520. if ((data[0] & 0xf0) != 0xf0)
  19521. return (data[0] & 0xf) + 1;
  19522. else
  19523. return 0;
  19524. }
  19525. bool MidiMessage::isForChannel (const int channel) const throw()
  19526. {
  19527. return ((data[0] & 0xf) == channel - 1)
  19528. && ((data[0] & 0xf0) != 0xf0);
  19529. }
  19530. void MidiMessage::setChannel (const int channel) throw()
  19531. {
  19532. if ((data[0] & 0xf0) != (uint8) 0xf0)
  19533. data[0] = (uint8) ((data[0] & (uint8)0xf0)
  19534. | (uint8)(channel - 1));
  19535. }
  19536. bool MidiMessage::isNoteOn() const throw()
  19537. {
  19538. return ((data[0] & 0xf0) == 0x90)
  19539. && (data[2] != 0);
  19540. }
  19541. bool MidiMessage::isNoteOff() const throw()
  19542. {
  19543. return ((data[0] & 0xf0) == 0x80)
  19544. || ((data[2] == 0) && ((data[0] & 0xf0) == 0x90));
  19545. }
  19546. bool MidiMessage::isNoteOnOrOff() const throw()
  19547. {
  19548. const int d = data[0] & 0xf0;
  19549. return (d == 0x90) || (d == 0x80);
  19550. }
  19551. int MidiMessage::getNoteNumber() const throw()
  19552. {
  19553. return data[1];
  19554. }
  19555. void MidiMessage::setNoteNumber (const int newNoteNumber) throw()
  19556. {
  19557. if (isNoteOnOrOff())
  19558. data[1] = (uint8) jlimit (0, 127, newNoteNumber);
  19559. }
  19560. uint8 MidiMessage::getVelocity() const throw()
  19561. {
  19562. if (isNoteOnOrOff())
  19563. return data[2];
  19564. else
  19565. return 0;
  19566. }
  19567. float MidiMessage::getFloatVelocity() const throw()
  19568. {
  19569. return getVelocity() * (1.0f / 127.0f);
  19570. }
  19571. void MidiMessage::setVelocity (const float newVelocity) throw()
  19572. {
  19573. if (isNoteOnOrOff())
  19574. data[2] = (uint8) jlimit (0, 0x7f, roundFloatToInt (newVelocity * 127.0f));
  19575. }
  19576. void MidiMessage::multiplyVelocity (const float scaleFactor) throw()
  19577. {
  19578. if (isNoteOnOrOff())
  19579. data[2] = (uint8) jlimit (0, 0x7f, roundFloatToInt (scaleFactor * data[2]));
  19580. }
  19581. bool MidiMessage::isAftertouch() const throw()
  19582. {
  19583. return (data[0] & 0xf0) == 0xa0;
  19584. }
  19585. int MidiMessage::getAfterTouchValue() const throw()
  19586. {
  19587. return data[2];
  19588. }
  19589. const MidiMessage MidiMessage::aftertouchChange (const int channel,
  19590. const int noteNum,
  19591. const int aftertouchValue) throw()
  19592. {
  19593. jassert (channel > 0 && channel <= 16);
  19594. jassert (((unsigned int) noteNum) <= 127);
  19595. jassert (((unsigned int) aftertouchValue) <= 127);
  19596. return MidiMessage (0xa0 | jlimit (0, 15, channel - 1),
  19597. noteNum & 0x7f,
  19598. aftertouchValue & 0x7f);
  19599. }
  19600. bool MidiMessage::isChannelPressure() const throw()
  19601. {
  19602. return (data[0] & 0xf0) == 0xd0;
  19603. }
  19604. int MidiMessage::getChannelPressureValue() const throw()
  19605. {
  19606. jassert (isChannelPressure());
  19607. return data[1];
  19608. }
  19609. const MidiMessage MidiMessage::channelPressureChange (const int channel,
  19610. const int pressure) throw()
  19611. {
  19612. jassert (channel > 0 && channel <= 16);
  19613. jassert (((unsigned int) pressure) <= 127);
  19614. return MidiMessage (0xd0 | jlimit (0, 15, channel - 1),
  19615. pressure & 0x7f);
  19616. }
  19617. bool MidiMessage::isProgramChange() const throw()
  19618. {
  19619. return (data[0] & 0xf0) == 0xc0;
  19620. }
  19621. int MidiMessage::getProgramChangeNumber() const throw()
  19622. {
  19623. return data[1];
  19624. }
  19625. const MidiMessage MidiMessage::programChange (const int channel,
  19626. const int programNumber) throw()
  19627. {
  19628. jassert (channel > 0 && channel <= 16);
  19629. return MidiMessage (0xc0 | jlimit (0, 15, channel - 1),
  19630. programNumber & 0x7f);
  19631. }
  19632. bool MidiMessage::isPitchWheel() const throw()
  19633. {
  19634. return (data[0] & 0xf0) == 0xe0;
  19635. }
  19636. int MidiMessage::getPitchWheelValue() const throw()
  19637. {
  19638. return data[1] | (data[2] << 7);
  19639. }
  19640. const MidiMessage MidiMessage::pitchWheel (const int channel,
  19641. const int position) throw()
  19642. {
  19643. jassert (channel > 0 && channel <= 16);
  19644. jassert (((unsigned int) position) <= 0x3fff);
  19645. return MidiMessage (0xe0 | jlimit (0, 15, channel - 1),
  19646. position & 127,
  19647. (position >> 7) & 127);
  19648. }
  19649. bool MidiMessage::isController() const throw()
  19650. {
  19651. return (data[0] & 0xf0) == 0xb0;
  19652. }
  19653. int MidiMessage::getControllerNumber() const throw()
  19654. {
  19655. jassert (isController());
  19656. return data[1];
  19657. }
  19658. int MidiMessage::getControllerValue() const throw()
  19659. {
  19660. jassert (isController());
  19661. return data[2];
  19662. }
  19663. const MidiMessage MidiMessage::controllerEvent (const int channel,
  19664. const int controllerType,
  19665. const int value) throw()
  19666. {
  19667. // the channel must be between 1 and 16 inclusive
  19668. jassert (channel > 0 && channel <= 16);
  19669. return MidiMessage (0xb0 | jlimit (0, 15, channel - 1),
  19670. controllerType & 127,
  19671. value & 127);
  19672. }
  19673. const MidiMessage MidiMessage::noteOn (const int channel,
  19674. const int noteNumber,
  19675. const float velocity) throw()
  19676. {
  19677. return noteOn (channel, noteNumber, (uint8)(velocity * 127.0f));
  19678. }
  19679. const MidiMessage MidiMessage::noteOn (const int channel,
  19680. const int noteNumber,
  19681. const uint8 velocity) throw()
  19682. {
  19683. jassert (channel > 0 && channel <= 16);
  19684. jassert (((unsigned int) noteNumber) <= 127);
  19685. return MidiMessage (0x90 | jlimit (0, 15, channel - 1),
  19686. noteNumber & 127,
  19687. jlimit (0, 127, roundFloatToInt (velocity)));
  19688. }
  19689. const MidiMessage MidiMessage::noteOff (const int channel,
  19690. const int noteNumber) throw()
  19691. {
  19692. jassert (channel > 0 && channel <= 16);
  19693. jassert (((unsigned int) noteNumber) <= 127);
  19694. return MidiMessage (0x80 | jlimit (0, 15, channel - 1), noteNumber & 127, 0);
  19695. }
  19696. const MidiMessage MidiMessage::allNotesOff (const int channel) throw()
  19697. {
  19698. jassert (channel > 0 && channel <= 16);
  19699. return controllerEvent (channel, 123, 0);
  19700. }
  19701. bool MidiMessage::isAllNotesOff() const throw()
  19702. {
  19703. return (data[0] & 0xf0) == 0xb0
  19704. && data[1] == 123;
  19705. }
  19706. const MidiMessage MidiMessage::allSoundOff (const int channel) throw()
  19707. {
  19708. return controllerEvent (channel, 120, 0);
  19709. }
  19710. bool MidiMessage::isAllSoundOff() const throw()
  19711. {
  19712. return (data[0] & 0xf0) == 0xb0
  19713. && data[1] == 120;
  19714. }
  19715. const MidiMessage MidiMessage::allControllersOff (const int channel) throw()
  19716. {
  19717. return controllerEvent (channel, 121, 0);
  19718. }
  19719. const MidiMessage MidiMessage::masterVolume (const float volume) throw()
  19720. {
  19721. const int vol = jlimit (0, 0x3fff, roundFloatToInt (volume * 0x4000));
  19722. uint8 buf[8];
  19723. buf[0] = 0xf0;
  19724. buf[1] = 0x7f;
  19725. buf[2] = 0x7f;
  19726. buf[3] = 0x04;
  19727. buf[4] = 0x01;
  19728. buf[5] = (uint8) (vol & 0x7f);
  19729. buf[6] = (uint8) (vol >> 7);
  19730. buf[7] = 0xf7;
  19731. return MidiMessage (buf, 8);
  19732. }
  19733. bool MidiMessage::isSysEx() const throw()
  19734. {
  19735. return *data == 0xf0;
  19736. }
  19737. const MidiMessage MidiMessage::createSysExMessage (const uint8* sysexData,
  19738. const int dataSize) throw()
  19739. {
  19740. MemoryBlock mm (dataSize + 2);
  19741. uint8* const m = (uint8*) mm.getData();
  19742. m[0] = 0xf0;
  19743. memcpy (m + 1, sysexData, dataSize);
  19744. m[dataSize + 1] = 0xf7;
  19745. return MidiMessage (m, dataSize + 2);
  19746. }
  19747. const uint8* MidiMessage::getSysExData() const throw()
  19748. {
  19749. return (isSysEx()) ? getRawData() + 1
  19750. : 0;
  19751. }
  19752. int MidiMessage::getSysExDataSize() const throw()
  19753. {
  19754. return (isSysEx()) ? size - 2
  19755. : 0;
  19756. }
  19757. bool MidiMessage::isMetaEvent() const throw()
  19758. {
  19759. return *data == 0xff;
  19760. }
  19761. bool MidiMessage::isActiveSense() const throw()
  19762. {
  19763. return *data == 0xfe;
  19764. }
  19765. int MidiMessage::getMetaEventType() const throw()
  19766. {
  19767. if (*data != 0xff)
  19768. return -1;
  19769. else
  19770. return data[1];
  19771. }
  19772. int MidiMessage::getMetaEventLength() const throw()
  19773. {
  19774. if (*data == 0xff)
  19775. {
  19776. int n;
  19777. return jmin (size - 2, readVariableLengthVal (data + 2, n));
  19778. }
  19779. return 0;
  19780. }
  19781. const uint8* MidiMessage::getMetaEventData() const throw()
  19782. {
  19783. int n;
  19784. const uint8* d = data + 2;
  19785. readVariableLengthVal (d, n);
  19786. return d + n;
  19787. }
  19788. bool MidiMessage::isTrackMetaEvent() const throw()
  19789. {
  19790. return getMetaEventType() == 0;
  19791. }
  19792. bool MidiMessage::isEndOfTrackMetaEvent() const throw()
  19793. {
  19794. return getMetaEventType() == 47;
  19795. }
  19796. bool MidiMessage::isTextMetaEvent() const throw()
  19797. {
  19798. const int t = getMetaEventType();
  19799. return t > 0 && t < 16;
  19800. }
  19801. const String MidiMessage::getTextFromTextMetaEvent() const throw()
  19802. {
  19803. return String ((const char*) getMetaEventData(),
  19804. getMetaEventLength());
  19805. }
  19806. bool MidiMessage::isTrackNameEvent() const throw()
  19807. {
  19808. return (data[1] == 3)
  19809. && (*data == 0xff);
  19810. }
  19811. bool MidiMessage::isTempoMetaEvent() const throw()
  19812. {
  19813. return (data[1] == 81)
  19814. && (*data == 0xff);
  19815. }
  19816. bool MidiMessage::isMidiChannelMetaEvent() const throw()
  19817. {
  19818. return (data[1] == 0x20)
  19819. && (*data == 0xff)
  19820. && (data[2] == 1);
  19821. }
  19822. int MidiMessage::getMidiChannelMetaEventChannel() const throw()
  19823. {
  19824. return data[3] + 1;
  19825. }
  19826. double MidiMessage::getTempoSecondsPerQuarterNote() const throw()
  19827. {
  19828. if (! isTempoMetaEvent())
  19829. return 0.0;
  19830. const uint8* const d = getMetaEventData();
  19831. return (((unsigned int) d[0] << 16)
  19832. | ((unsigned int) d[1] << 8)
  19833. | d[2])
  19834. / 1000000.0;
  19835. }
  19836. double MidiMessage::getTempoMetaEventTickLength (const short timeFormat) const throw()
  19837. {
  19838. if (timeFormat > 0)
  19839. {
  19840. if (! isTempoMetaEvent())
  19841. return 0.5 / timeFormat;
  19842. return getTempoSecondsPerQuarterNote() / timeFormat;
  19843. }
  19844. else
  19845. {
  19846. const int frameCode = (-timeFormat) >> 8;
  19847. double framesPerSecond;
  19848. switch (frameCode)
  19849. {
  19850. case 24: framesPerSecond = 24.0; break;
  19851. case 25: framesPerSecond = 25.0; break;
  19852. case 29: framesPerSecond = 29.97; break;
  19853. case 30: framesPerSecond = 30.0; break;
  19854. default: framesPerSecond = 30.0; break;
  19855. }
  19856. return (1.0 / framesPerSecond) / (timeFormat & 0xff);
  19857. }
  19858. }
  19859. const MidiMessage MidiMessage::tempoMetaEvent (int microsecondsPerQuarterNote) throw()
  19860. {
  19861. uint8 d[8];
  19862. d[0] = 0xff;
  19863. d[1] = 81;
  19864. d[2] = 3;
  19865. d[3] = (uint8) (microsecondsPerQuarterNote >> 16);
  19866. d[4] = (uint8) ((microsecondsPerQuarterNote >> 8) & 0xff);
  19867. d[5] = (uint8) (microsecondsPerQuarterNote & 0xff);
  19868. return MidiMessage (d, 6, 0.0);
  19869. }
  19870. bool MidiMessage::isTimeSignatureMetaEvent() const throw()
  19871. {
  19872. return (data[1] == 0x58)
  19873. && (*data == (uint8) 0xff);
  19874. }
  19875. void MidiMessage::getTimeSignatureInfo (int& numerator,
  19876. int& denominator) const throw()
  19877. {
  19878. if (isTimeSignatureMetaEvent())
  19879. {
  19880. const uint8* const d = getMetaEventData();
  19881. numerator = d[0];
  19882. denominator = 1 << d[1];
  19883. }
  19884. else
  19885. {
  19886. numerator = 4;
  19887. denominator = 4;
  19888. }
  19889. }
  19890. const MidiMessage MidiMessage::timeSignatureMetaEvent (const int numerator,
  19891. const int denominator) throw()
  19892. {
  19893. uint8 d[8];
  19894. d[0] = 0xff;
  19895. d[1] = 0x58;
  19896. d[2] = 0x04;
  19897. d[3] = (uint8) numerator;
  19898. int n = 1;
  19899. int powerOfTwo = 0;
  19900. while (n < denominator)
  19901. {
  19902. n <<= 1;
  19903. ++powerOfTwo;
  19904. }
  19905. d[4] = (uint8) powerOfTwo;
  19906. d[5] = 0x01;
  19907. d[6] = 96;
  19908. return MidiMessage (d, 7, 0.0);
  19909. }
  19910. const MidiMessage MidiMessage::midiChannelMetaEvent (const int channel) throw()
  19911. {
  19912. uint8 d[8];
  19913. d[0] = 0xff;
  19914. d[1] = 0x20;
  19915. d[2] = 0x01;
  19916. d[3] = (uint8) jlimit (0, 0xff, channel - 1);
  19917. return MidiMessage (d, 4, 0.0);
  19918. }
  19919. bool MidiMessage::isKeySignatureMetaEvent() const throw()
  19920. {
  19921. return getMetaEventType() == 89;
  19922. }
  19923. int MidiMessage::getKeySignatureNumberOfSharpsOrFlats() const throw()
  19924. {
  19925. return (int) *getMetaEventData();
  19926. }
  19927. const MidiMessage MidiMessage::endOfTrack() throw()
  19928. {
  19929. return MidiMessage (0xff, 0x2f, 0, 0.0);
  19930. }
  19931. bool MidiMessage::isSongPositionPointer() const throw()
  19932. {
  19933. return *data == 0xf2;
  19934. }
  19935. int MidiMessage::getSongPositionPointerMidiBeat() const throw()
  19936. {
  19937. return data[1] | (data[2] << 7);
  19938. }
  19939. const MidiMessage MidiMessage::songPositionPointer (const int positionInMidiBeats) throw()
  19940. {
  19941. return MidiMessage (0xf2,
  19942. positionInMidiBeats & 127,
  19943. (positionInMidiBeats >> 7) & 127);
  19944. }
  19945. bool MidiMessage::isMidiStart() const throw()
  19946. {
  19947. return *data == 0xfa;
  19948. }
  19949. const MidiMessage MidiMessage::midiStart() throw()
  19950. {
  19951. return MidiMessage (0xfa);
  19952. }
  19953. bool MidiMessage::isMidiContinue() const throw()
  19954. {
  19955. return *data == 0xfb;
  19956. }
  19957. const MidiMessage MidiMessage::midiContinue() throw()
  19958. {
  19959. return MidiMessage (0xfb);
  19960. }
  19961. bool MidiMessage::isMidiStop() const throw()
  19962. {
  19963. return *data == 0xfc;
  19964. }
  19965. const MidiMessage MidiMessage::midiStop() throw()
  19966. {
  19967. return MidiMessage (0xfc);
  19968. }
  19969. bool MidiMessage::isMidiClock() const throw()
  19970. {
  19971. return *data == 0xf8;
  19972. }
  19973. const MidiMessage MidiMessage::midiClock() throw()
  19974. {
  19975. return MidiMessage (0xf8);
  19976. }
  19977. bool MidiMessage::isQuarterFrame() const throw()
  19978. {
  19979. return *data == 0xf1;
  19980. }
  19981. int MidiMessage::getQuarterFrameSequenceNumber() const throw()
  19982. {
  19983. return ((int) data[1]) >> 4;
  19984. }
  19985. int MidiMessage::getQuarterFrameValue() const throw()
  19986. {
  19987. return ((int) data[1]) & 0x0f;
  19988. }
  19989. const MidiMessage MidiMessage::quarterFrame (const int sequenceNumber,
  19990. const int value) throw()
  19991. {
  19992. return MidiMessage (0xf1, (sequenceNumber << 4) | value);
  19993. }
  19994. bool MidiMessage::isFullFrame() const throw()
  19995. {
  19996. return data[0] == 0xf0
  19997. && data[1] == 0x7f
  19998. && size >= 10
  19999. && data[3] == 0x01
  20000. && data[4] == 0x01;
  20001. }
  20002. void MidiMessage::getFullFrameParameters (int& hours,
  20003. int& minutes,
  20004. int& seconds,
  20005. int& frames,
  20006. MidiMessage::SmpteTimecodeType& timecodeType) const throw()
  20007. {
  20008. jassert (isFullFrame());
  20009. timecodeType = (SmpteTimecodeType) (data[5] >> 5);
  20010. hours = data[5] & 0x1f;
  20011. minutes = data[6];
  20012. seconds = data[7];
  20013. frames = data[8];
  20014. }
  20015. const MidiMessage MidiMessage::fullFrame (const int hours,
  20016. const int minutes,
  20017. const int seconds,
  20018. const int frames,
  20019. MidiMessage::SmpteTimecodeType timecodeType)
  20020. {
  20021. uint8 d[10];
  20022. d[0] = 0xf0;
  20023. d[1] = 0x7f;
  20024. d[2] = 0x7f;
  20025. d[3] = 0x01;
  20026. d[4] = 0x01;
  20027. d[5] = (uint8) ((hours & 0x01f) | (timecodeType << 5));
  20028. d[6] = (uint8) minutes;
  20029. d[7] = (uint8) seconds;
  20030. d[8] = (uint8) frames;
  20031. d[9] = 0xf7;
  20032. return MidiMessage (d, 10, 0.0);
  20033. }
  20034. bool MidiMessage::isMidiMachineControlMessage() const throw()
  20035. {
  20036. return data[0] == 0xf0
  20037. && data[1] == 0x7f
  20038. && data[3] == 0x06
  20039. && size > 5;
  20040. }
  20041. MidiMessage::MidiMachineControlCommand MidiMessage::getMidiMachineControlCommand() const throw()
  20042. {
  20043. jassert (isMidiMachineControlMessage());
  20044. return (MidiMachineControlCommand) data[4];
  20045. }
  20046. const MidiMessage MidiMessage::midiMachineControlCommand (MidiMessage::MidiMachineControlCommand command)
  20047. {
  20048. uint8 d[6];
  20049. d[0] = 0xf0;
  20050. d[1] = 0x7f;
  20051. d[2] = 0x00;
  20052. d[3] = 0x06;
  20053. d[4] = (uint8) command;
  20054. d[5] = 0xf7;
  20055. return MidiMessage (d, 6, 0.0);
  20056. }
  20057. bool MidiMessage::isMidiMachineControlGoto (int& hours,
  20058. int& minutes,
  20059. int& seconds,
  20060. int& frames) const throw()
  20061. {
  20062. if (size >= 12
  20063. && data[0] == 0xf0
  20064. && data[1] == 0x7f
  20065. && data[3] == 0x06
  20066. && data[4] == 0x44
  20067. && data[5] == 0x06
  20068. && data[6] == 0x01)
  20069. {
  20070. hours = data[7] % 24; // (that some machines send out hours > 24)
  20071. minutes = data[8];
  20072. seconds = data[9];
  20073. frames = data[10];
  20074. return true;
  20075. }
  20076. return false;
  20077. }
  20078. const MidiMessage MidiMessage::midiMachineControlGoto (int hours,
  20079. int minutes,
  20080. int seconds,
  20081. int frames)
  20082. {
  20083. uint8 d[12];
  20084. d[0] = 0xf0;
  20085. d[1] = 0x7f;
  20086. d[2] = 0x00;
  20087. d[3] = 0x06;
  20088. d[4] = 0x44;
  20089. d[5] = 0x06;
  20090. d[6] = 0x01;
  20091. d[7] = (uint8) hours;
  20092. d[8] = (uint8) minutes;
  20093. d[9] = (uint8) seconds;
  20094. d[10] = (uint8) frames;
  20095. d[11] = 0xf7;
  20096. return MidiMessage (d, 12, 0.0);
  20097. }
  20098. const String MidiMessage::getMidiNoteName (int note,
  20099. bool useSharps,
  20100. bool includeOctaveNumber,
  20101. int octaveNumForMiddleC) throw()
  20102. {
  20103. static const char* const sharpNoteNames[] = { "C", "C#", "D", "D#", "E",
  20104. "F", "F#", "G", "G#", "A",
  20105. "A#", "B" };
  20106. static const char* const flatNoteNames[] = { "C", "Db", "D", "Eb", "E",
  20107. "F", "Gb", "G", "Ab", "A",
  20108. "Bb", "B" };
  20109. if (((unsigned int) note) < 128)
  20110. {
  20111. const String s ((useSharps) ? sharpNoteNames [note % 12]
  20112. : flatNoteNames [note % 12]);
  20113. if (includeOctaveNumber)
  20114. return s + String (note / 12 + (octaveNumForMiddleC - 5));
  20115. else
  20116. return s;
  20117. }
  20118. return String::empty;
  20119. }
  20120. const double MidiMessage::getMidiNoteInHertz (int noteNumber) throw()
  20121. {
  20122. noteNumber -= 12 * 6 + 9; // now 0 = A440
  20123. return 440.0 * pow (2.0, noteNumber / 12.0);
  20124. }
  20125. const String MidiMessage::getGMInstrumentName (int n) throw()
  20126. {
  20127. const char *names[] =
  20128. {
  20129. "Acoustic Grand Piano", "Bright Acoustic Piano", "Electric Grand Piano", "Honky-tonk Piano",
  20130. "Electric Piano 1", "Electric Piano 2", "Harpsichord", "Clavinet", "Celesta", "Glockenspiel",
  20131. "Music Box", "Vibraphone", "Marimba", "Xylophone", "Tubular Bells", "Dulcimer", "Drawbar Organ",
  20132. "Percussive Organ", "Rock Organ", "Church Organ", "Reed Organ", "Accordion", "Harmonica",
  20133. "Tango Accordion", "Acoustic Guitar (nylon)", "Acoustic Guitar (steel)", "Electric Guitar (jazz)",
  20134. "Electric Guitar (clean)", "Electric Guitar (mute)", "Overdriven Guitar", "Distortion Guitar",
  20135. "Guitar Harmonics", "Acoustic Bass", "Electric Bass (finger)", "Electric Bass (pick)",
  20136. "Fretless Bass", "Slap Bass 1", "Slap Bass 2", "Synth Bass 1", "Synth Bass 2", "Violin",
  20137. "Viola", "Cello", "Contrabass", "Tremolo Strings", "Pizzicato Strings", "Orchestral Harp",
  20138. "Timpani", "String Ensemble 1", "String Ensemble 2", "SynthStrings 1", "SynthStrings 2",
  20139. "Choir Aahs", "Voice Oohs", "Synth Voice", "Orchestra Hit", "Trumpet", "Trombone", "Tuba",
  20140. "Muted Trumpet", "French Horn", "Brass Section", "SynthBrass 1", "SynthBrass 2", "Soprano Sax",
  20141. "Alto Sax", "Tenor Sax", "Baritone Sax", "Oboe", "English Horn", "Bassoon", "Clarinet",
  20142. "Piccolo", "Flute", "Recorder", "Pan Flute", "Blown Bottle", "Shakuhachi", "Whistle",
  20143. "Ocarina", "Lead 1 (square)", "Lead 2 (sawtooth)", "Lead 3 (calliope)", "Lead 4 (chiff)",
  20144. "Lead 5 (charang)", "Lead 6 (voice)", "Lead 7 (fifths)", "Lead 8 (bass+lead)", "Pad 1 (new age)",
  20145. "Pad 2 (warm)", "Pad 3 (polysynth)", "Pad 4 (choir)", "Pad 5 (bowed)", "Pad 6 (metallic)",
  20146. "Pad 7 (halo)", "Pad 8 (sweep)", "FX 1 (rain)", "FX 2 (soundtrack)", "FX 3 (crystal)",
  20147. "FX 4 (atmosphere)", "FX 5 (brightness)", "FX 6 (goblins)", "FX 7 (echoes)", "FX 8 (sci-fi)",
  20148. "Sitar", "Banjo", "Shamisen", "Koto", "Kalimba", "Bag pipe", "Fiddle", "Shanai", "Tinkle Bell",
  20149. "Agogo", "Steel Drums", "Woodblock", "Taiko Drum", "Melodic Tom", "Synth Drum", "Reverse Cymbal",
  20150. "Guitar Fret Noise", "Breath Noise", "Seashore", "Bird Tweet", "Telephone Ring", "Helicopter",
  20151. "Applause", "Gunshot"
  20152. };
  20153. return (((unsigned int) n) < 128) ? names[n]
  20154. : (const char*)0;
  20155. }
  20156. const String MidiMessage::getGMInstrumentBankName (int n) throw()
  20157. {
  20158. const char* names[] =
  20159. {
  20160. "Piano", "Chromatic Percussion", "Organ", "Guitar",
  20161. "Bass", "Strings", "Ensemble", "Brass",
  20162. "Reed", "Pipe", "Synth Lead", "Synth Pad",
  20163. "Synth Effects", "Ethnic", "Percussive", "Sound Effects"
  20164. };
  20165. return (((unsigned int) n) <= 15) ? names[n]
  20166. : (const char*)0;
  20167. }
  20168. const String MidiMessage::getRhythmInstrumentName (int n) throw()
  20169. {
  20170. const char* names[] =
  20171. {
  20172. "Acoustic Bass Drum", "Bass Drum 1", "Side Stick", "Acoustic Snare",
  20173. "Hand Clap", "Electric Snare", "Low Floor Tom", "Closed Hi-Hat", "High Floor Tom",
  20174. "Pedal Hi-Hat", "Low Tom", "Open Hi-Hat", "Low-Mid Tom", "Hi-Mid Tom", "Crash Cymbal 1",
  20175. "High Tom", "Ride Cymbal 1", "Chinese Cymbal", "Ride Bell", "Tambourine", "Splash Cymbal",
  20176. "Cowbell", "Crash Cymbal 2", "Vibraslap", "Ride Cymbal 2", "Hi Bongo", "Low Bongo",
  20177. "Mute Hi Conga", "Open Hi Conga", "Low Conga", "High Timbale", "Low Timbale", "High Agogo",
  20178. "Low Agogo", "Cabasa", "Maracas", "Short Whistle", "Long Whistle", "Short Guiro",
  20179. "Long Guiro", "Claves", "Hi Wood Block", "Low Wood Block", "Mute Cuica", "Open Cuica",
  20180. "Mute Triangle", "Open Triangle"
  20181. };
  20182. return (n >= 35 && n <= 81) ? names [n - 35]
  20183. : (const char*)0;
  20184. }
  20185. const String MidiMessage::getControllerName (int n) throw()
  20186. {
  20187. const char* names[] =
  20188. {
  20189. "Bank Select", "Modulation Wheel (coarse)", "Breath controller (coarse)",
  20190. 0, "Foot Pedal (coarse)", "Portamento Time (coarse)",
  20191. "Data Entry (coarse)", "Volume (coarse)", "Balance (coarse)",
  20192. 0, "Pan position (coarse)", "Expression (coarse)", "Effect Control 1 (coarse)",
  20193. "Effect Control 2 (coarse)", 0, 0, "General Purpose Slider 1", "General Purpose Slider 2",
  20194. "General Purpose Slider 3", "General Purpose Slider 4", 0, 0, 0, 0, 0, 0, 0, 0,
  20195. 0, 0, 0, 0, "Bank Select (fine)", "Modulation Wheel (fine)", "Breath controller (fine)",
  20196. 0, "Foot Pedal (fine)", "Portamento Time (fine)", "Data Entry (fine)", "Volume (fine)",
  20197. "Balance (fine)", 0, "Pan position (fine)", "Expression (fine)", "Effect Control 1 (fine)",
  20198. "Effect Control 2 (fine)", 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  20199. "Hold Pedal (on/off)", "Portamento (on/off)", "Sustenuto Pedal (on/off)", "Soft Pedal (on/off)",
  20200. "Legato Pedal (on/off)", "Hold 2 Pedal (on/off)", "Sound Variation", "Sound Timbre",
  20201. "Sound Release Time", "Sound Attack Time", "Sound Brightness", "Sound Control 6",
  20202. "Sound Control 7", "Sound Control 8", "Sound Control 9", "Sound Control 10",
  20203. "General Purpose Button 1 (on/off)", "General Purpose Button 2 (on/off)",
  20204. "General Purpose Button 3 (on/off)", "General Purpose Button 4 (on/off)",
  20205. 0, 0, 0, 0, 0, 0, 0, "Reverb Level", "Tremolo Level", "Chorus Level", "Celeste Level",
  20206. "Phaser Level", "Data Button increment", "Data Button decrement", "Non-registered Parameter (fine)",
  20207. "Non-registered Parameter (coarse)", "Registered Parameter (fine)", "Registered Parameter (coarse)",
  20208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, "All Sound Off", "All Controllers Off",
  20209. "Local Keyboard (on/off)", "All Notes Off", "Omni Mode Off", "Omni Mode On", "Mono Operation",
  20210. "Poly Operation"
  20211. };
  20212. return (((unsigned int) n) < 128) ? names[n]
  20213. : (const char*)0;
  20214. }
  20215. END_JUCE_NAMESPACE
  20216. /********* End of inlined file: juce_MidiMessage.cpp *********/
  20217. /********* Start of inlined file: juce_MidiMessageCollector.cpp *********/
  20218. BEGIN_JUCE_NAMESPACE
  20219. MidiMessageCollector::MidiMessageCollector()
  20220. : lastCallbackTime (0),
  20221. sampleRate (44100.0001)
  20222. {
  20223. }
  20224. MidiMessageCollector::~MidiMessageCollector()
  20225. {
  20226. }
  20227. void MidiMessageCollector::reset (const double sampleRate_)
  20228. {
  20229. jassert (sampleRate_ > 0);
  20230. const ScopedLock sl (midiCallbackLock);
  20231. sampleRate = sampleRate_;
  20232. incomingMessages.clear();
  20233. lastCallbackTime = Time::getMillisecondCounterHiRes();
  20234. }
  20235. void MidiMessageCollector::addMessageToQueue (const MidiMessage& message)
  20236. {
  20237. // you need to call reset() to set the correct sample rate before using this object
  20238. jassert (sampleRate != 44100.0001);
  20239. // the messages that come in here need to be time-stamped correctly - see MidiInput
  20240. // for details of what the number should be.
  20241. jassert (message.getTimeStamp() != 0);
  20242. const ScopedLock sl (midiCallbackLock);
  20243. const int sampleNumber
  20244. = (int) ((message.getTimeStamp() - 0.001 * lastCallbackTime) * sampleRate);
  20245. incomingMessages.addEvent (message, sampleNumber);
  20246. // if the messages don't get used for over a second, we'd better
  20247. // get rid of any old ones to avoid the queue getting too big
  20248. if (sampleNumber > sampleRate)
  20249. incomingMessages.clear (0, sampleNumber - (int) sampleRate);
  20250. }
  20251. void MidiMessageCollector::removeNextBlockOfMessages (MidiBuffer& destBuffer,
  20252. const int numSamples)
  20253. {
  20254. // you need to call reset() to set the correct sample rate before using this object
  20255. jassert (sampleRate != 44100.0001);
  20256. const double timeNow = Time::getMillisecondCounterHiRes();
  20257. const double msElapsed = timeNow - lastCallbackTime;
  20258. const ScopedLock sl (midiCallbackLock);
  20259. lastCallbackTime = timeNow;
  20260. if (! incomingMessages.isEmpty())
  20261. {
  20262. int numSourceSamples = jmax (1, roundDoubleToInt (msElapsed * 0.001 * sampleRate));
  20263. int startSample = 0;
  20264. int scale = 1 << 16;
  20265. const uint8* midiData;
  20266. int numBytes, samplePosition;
  20267. MidiBuffer::Iterator iter (incomingMessages);
  20268. if (numSourceSamples > numSamples)
  20269. {
  20270. // if our list of events is longer than the buffer we're being
  20271. // asked for, scale them down to squeeze them all in..
  20272. const int maxBlockLengthToUse = numSamples << 3;
  20273. if (numSourceSamples > maxBlockLengthToUse)
  20274. {
  20275. startSample = numSourceSamples - maxBlockLengthToUse;
  20276. numSourceSamples = maxBlockLengthToUse;
  20277. iter.setNextSamplePosition (startSample);
  20278. }
  20279. scale = (numSamples << 10) / numSourceSamples;
  20280. while (iter.getNextEvent (midiData, numBytes, samplePosition))
  20281. {
  20282. samplePosition = ((samplePosition - startSample) * scale) >> 10;
  20283. destBuffer.addEvent (midiData, numBytes,
  20284. jlimit (0, numSamples - 1, samplePosition));
  20285. }
  20286. }
  20287. else
  20288. {
  20289. // if our event list is shorter than the number we need, put them
  20290. // towards the end of the buffer
  20291. startSample = numSamples - numSourceSamples;
  20292. while (iter.getNextEvent (midiData, numBytes, samplePosition))
  20293. {
  20294. destBuffer.addEvent (midiData, numBytes,
  20295. jlimit (0, numSamples - 1, samplePosition + startSample));
  20296. }
  20297. }
  20298. incomingMessages.clear();
  20299. }
  20300. }
  20301. void MidiMessageCollector::handleNoteOn (MidiKeyboardState*, int midiChannel, int midiNoteNumber, float velocity)
  20302. {
  20303. MidiMessage m (MidiMessage::noteOn (midiChannel, midiNoteNumber, velocity));
  20304. m.setTimeStamp (Time::getMillisecondCounter() * 0.001);
  20305. addMessageToQueue (m);
  20306. }
  20307. void MidiMessageCollector::handleNoteOff (MidiKeyboardState*, int midiChannel, int midiNoteNumber)
  20308. {
  20309. MidiMessage m (MidiMessage::noteOff (midiChannel, midiNoteNumber));
  20310. m.setTimeStamp (Time::getMillisecondCounter() * 0.001);
  20311. addMessageToQueue (m);
  20312. }
  20313. void MidiMessageCollector::handleIncomingMidiMessage (MidiInput*, const MidiMessage& message)
  20314. {
  20315. addMessageToQueue (message);
  20316. }
  20317. END_JUCE_NAMESPACE
  20318. /********* End of inlined file: juce_MidiMessageCollector.cpp *********/
  20319. /********* Start of inlined file: juce_MidiMessageSequence.cpp *********/
  20320. BEGIN_JUCE_NAMESPACE
  20321. MidiMessageSequence::MidiMessageSequence()
  20322. {
  20323. }
  20324. MidiMessageSequence::MidiMessageSequence (const MidiMessageSequence& other)
  20325. {
  20326. list.ensureStorageAllocated (other.list.size());
  20327. for (int i = 0; i < other.list.size(); ++i)
  20328. list.add (new MidiEventHolder (other.list.getUnchecked(i)->message));
  20329. }
  20330. const MidiMessageSequence& MidiMessageSequence::operator= (const MidiMessageSequence& other)
  20331. {
  20332. if (this != &other)
  20333. {
  20334. clear();
  20335. for (int i = 0; i < other.list.size(); ++i)
  20336. list.add (new MidiEventHolder (other.list.getUnchecked(i)->message));
  20337. }
  20338. return *this;
  20339. }
  20340. MidiMessageSequence::~MidiMessageSequence()
  20341. {
  20342. }
  20343. void MidiMessageSequence::clear()
  20344. {
  20345. list.clear();
  20346. }
  20347. int MidiMessageSequence::getNumEvents() const
  20348. {
  20349. return list.size();
  20350. }
  20351. MidiMessageSequence::MidiEventHolder* MidiMessageSequence::getEventPointer (const int index) const
  20352. {
  20353. return list [index];
  20354. }
  20355. double MidiMessageSequence::getTimeOfMatchingKeyUp (const int index) const
  20356. {
  20357. const MidiEventHolder* const meh = list [index];
  20358. if (meh != 0 && meh->noteOffObject != 0)
  20359. return meh->noteOffObject->message.getTimeStamp();
  20360. else
  20361. return 0.0;
  20362. }
  20363. int MidiMessageSequence::getIndexOfMatchingKeyUp (const int index) const
  20364. {
  20365. const MidiEventHolder* const meh = list [index];
  20366. return (meh != 0) ? list.indexOf (meh->noteOffObject) : -1;
  20367. }
  20368. int MidiMessageSequence::getIndexOf (MidiEventHolder* const event) const
  20369. {
  20370. return list.indexOf (event);
  20371. }
  20372. int MidiMessageSequence::getNextIndexAtTime (const double timeStamp) const
  20373. {
  20374. const int numEvents = list.size();
  20375. int i;
  20376. for (i = 0; i < numEvents; ++i)
  20377. if (list.getUnchecked(i)->message.getTimeStamp() >= timeStamp)
  20378. break;
  20379. return i;
  20380. }
  20381. double MidiMessageSequence::getStartTime() const
  20382. {
  20383. if (list.size() > 0)
  20384. return list.getUnchecked(0)->message.getTimeStamp();
  20385. else
  20386. return 0;
  20387. }
  20388. double MidiMessageSequence::getEndTime() const
  20389. {
  20390. if (list.size() > 0)
  20391. return list.getLast()->message.getTimeStamp();
  20392. else
  20393. return 0;
  20394. }
  20395. double MidiMessageSequence::getEventTime (const int index) const
  20396. {
  20397. if (((unsigned int) index) < (unsigned int) list.size())
  20398. return list.getUnchecked (index)->message.getTimeStamp();
  20399. return 0.0;
  20400. }
  20401. void MidiMessageSequence::addEvent (const MidiMessage& newMessage,
  20402. double timeAdjustment)
  20403. {
  20404. MidiEventHolder* const newOne = new MidiEventHolder (newMessage);
  20405. timeAdjustment += newMessage.getTimeStamp();
  20406. newOne->message.setTimeStamp (timeAdjustment);
  20407. int i;
  20408. for (i = list.size(); --i >= 0;)
  20409. if (list.getUnchecked(i)->message.getTimeStamp() <= timeAdjustment)
  20410. break;
  20411. list.insert (i + 1, newOne);
  20412. }
  20413. void MidiMessageSequence::deleteEvent (const int index,
  20414. const bool deleteMatchingNoteUp)
  20415. {
  20416. if (((unsigned int) index) < (unsigned int) list.size())
  20417. {
  20418. if (deleteMatchingNoteUp)
  20419. deleteEvent (getIndexOfMatchingKeyUp (index), false);
  20420. list.remove (index);
  20421. }
  20422. }
  20423. void MidiMessageSequence::addSequence (const MidiMessageSequence& other,
  20424. double timeAdjustment,
  20425. double firstAllowableTime,
  20426. double endOfAllowableDestTimes)
  20427. {
  20428. firstAllowableTime -= timeAdjustment;
  20429. endOfAllowableDestTimes -= timeAdjustment;
  20430. for (int i = 0; i < other.list.size(); ++i)
  20431. {
  20432. const MidiMessage& m = other.list.getUnchecked(i)->message;
  20433. const double t = m.getTimeStamp();
  20434. if (t >= firstAllowableTime && t < endOfAllowableDestTimes)
  20435. {
  20436. MidiEventHolder* const newOne = new MidiEventHolder (m);
  20437. newOne->message.setTimeStamp (timeAdjustment + t);
  20438. list.add (newOne);
  20439. }
  20440. }
  20441. sort();
  20442. }
  20443. int MidiMessageSequence::compareElements (const MidiMessageSequence::MidiEventHolder* const first,
  20444. const MidiMessageSequence::MidiEventHolder* const second) throw()
  20445. {
  20446. const double diff = first->message.getTimeStamp()
  20447. - second->message.getTimeStamp();
  20448. return (diff == 0) ? 0
  20449. : ((diff > 0) ? 1
  20450. : -1);
  20451. }
  20452. void MidiMessageSequence::sort()
  20453. {
  20454. list.sort (*this, true);
  20455. }
  20456. void MidiMessageSequence::updateMatchedPairs()
  20457. {
  20458. for (int i = 0; i < list.size(); ++i)
  20459. {
  20460. const MidiMessage& m1 = list.getUnchecked(i)->message;
  20461. if (m1.isNoteOn())
  20462. {
  20463. list.getUnchecked(i)->noteOffObject = 0;
  20464. const int note = m1.getNoteNumber();
  20465. const int chan = m1.getChannel();
  20466. const int len = list.size();
  20467. for (int j = i + 1; j < len; ++j)
  20468. {
  20469. const MidiMessage& m = list.getUnchecked(j)->message;
  20470. if (m.getNoteNumber() == note && m.getChannel() == chan)
  20471. {
  20472. if (m.isNoteOff())
  20473. {
  20474. list.getUnchecked(i)->noteOffObject = list[j];
  20475. break;
  20476. }
  20477. else if (m.isNoteOn())
  20478. {
  20479. list.insert (j, new MidiEventHolder (MidiMessage::noteOff (chan, note)));
  20480. list.getUnchecked(j)->message.setTimeStamp (m.getTimeStamp());
  20481. list.getUnchecked(i)->noteOffObject = list[j];
  20482. break;
  20483. }
  20484. }
  20485. }
  20486. }
  20487. }
  20488. }
  20489. void MidiMessageSequence::addTimeToMessages (const double delta)
  20490. {
  20491. for (int i = list.size(); --i >= 0;)
  20492. list.getUnchecked (i)->message.setTimeStamp (list.getUnchecked (i)->message.getTimeStamp()
  20493. + delta);
  20494. }
  20495. void MidiMessageSequence::extractMidiChannelMessages (const int channelNumberToExtract,
  20496. MidiMessageSequence& destSequence,
  20497. const bool alsoIncludeMetaEvents) const
  20498. {
  20499. for (int i = 0; i < list.size(); ++i)
  20500. {
  20501. const MidiMessage& mm = list.getUnchecked(i)->message;
  20502. if (mm.isForChannel (channelNumberToExtract)
  20503. || (alsoIncludeMetaEvents && mm.isMetaEvent()))
  20504. {
  20505. destSequence.addEvent (mm);
  20506. }
  20507. }
  20508. }
  20509. void MidiMessageSequence::extractSysExMessages (MidiMessageSequence& destSequence) const
  20510. {
  20511. for (int i = 0; i < list.size(); ++i)
  20512. {
  20513. const MidiMessage& mm = list.getUnchecked(i)->message;
  20514. if (mm.isSysEx())
  20515. destSequence.addEvent (mm);
  20516. }
  20517. }
  20518. void MidiMessageSequence::deleteMidiChannelMessages (const int channelNumberToRemove)
  20519. {
  20520. for (int i = list.size(); --i >= 0;)
  20521. if (list.getUnchecked(i)->message.isForChannel (channelNumberToRemove))
  20522. list.remove(i);
  20523. }
  20524. void MidiMessageSequence::deleteSysExMessages()
  20525. {
  20526. for (int i = list.size(); --i >= 0;)
  20527. if (list.getUnchecked(i)->message.isSysEx())
  20528. list.remove(i);
  20529. }
  20530. void MidiMessageSequence::createControllerUpdatesForTime (const int channelNumber,
  20531. const double time,
  20532. OwnedArray<MidiMessage>& dest)
  20533. {
  20534. bool doneProg = false;
  20535. bool donePitchWheel = false;
  20536. Array <int> doneControllers (32);
  20537. for (int i = list.size(); --i >= 0;)
  20538. {
  20539. const MidiMessage& mm = list.getUnchecked(i)->message;
  20540. if (mm.isForChannel (channelNumber)
  20541. && mm.getTimeStamp() <= time)
  20542. {
  20543. if (mm.isProgramChange())
  20544. {
  20545. if (! doneProg)
  20546. {
  20547. dest.add (new MidiMessage (mm, 0.0));
  20548. doneProg = true;
  20549. }
  20550. }
  20551. else if (mm.isController())
  20552. {
  20553. if (! doneControllers.contains (mm.getControllerNumber()))
  20554. {
  20555. dest.add (new MidiMessage (mm, 0.0));
  20556. doneControllers.add (mm.getControllerNumber());
  20557. }
  20558. }
  20559. else if (mm.isPitchWheel())
  20560. {
  20561. if (! donePitchWheel)
  20562. {
  20563. dest.add (new MidiMessage (mm, 0.0));
  20564. donePitchWheel = true;
  20565. }
  20566. }
  20567. }
  20568. }
  20569. }
  20570. MidiMessageSequence::MidiEventHolder::MidiEventHolder (const MidiMessage& message_)
  20571. : message (message_),
  20572. noteOffObject (0)
  20573. {
  20574. }
  20575. MidiMessageSequence::MidiEventHolder::~MidiEventHolder()
  20576. {
  20577. }
  20578. END_JUCE_NAMESPACE
  20579. /********* End of inlined file: juce_MidiMessageSequence.cpp *********/
  20580. /********* Start of inlined file: juce_AudioPluginFormat.cpp *********/
  20581. BEGIN_JUCE_NAMESPACE
  20582. AudioPluginFormat::AudioPluginFormat() throw()
  20583. {
  20584. }
  20585. AudioPluginFormat::~AudioPluginFormat()
  20586. {
  20587. }
  20588. END_JUCE_NAMESPACE
  20589. /********* End of inlined file: juce_AudioPluginFormat.cpp *********/
  20590. /********* Start of inlined file: juce_AudioPluginFormatManager.cpp *********/
  20591. BEGIN_JUCE_NAMESPACE
  20592. AudioPluginFormatManager::AudioPluginFormatManager() throw()
  20593. {
  20594. }
  20595. AudioPluginFormatManager::~AudioPluginFormatManager() throw()
  20596. {
  20597. }
  20598. juce_ImplementSingleton_SingleThreaded (AudioPluginFormatManager);
  20599. void AudioPluginFormatManager::addDefaultFormats()
  20600. {
  20601. #ifdef JUCE_DEBUG
  20602. // you should only call this method once!
  20603. for (int i = formats.size(); --i >= 0;)
  20604. {
  20605. #if JUCE_PLUGINHOST_VST
  20606. jassert (dynamic_cast <VSTPluginFormat*> (formats[i]) == 0);
  20607. #endif
  20608. #if JUCE_PLUGINHOST_AU && JUCE_MAC
  20609. jassert (dynamic_cast <AudioUnitPluginFormat*> (formats[i]) == 0);
  20610. #endif
  20611. #if JUCE_PLUGINHOST_DX && JUCE_WIN32
  20612. jassert (dynamic_cast <DirectXPluginFormat*> (formats[i]) == 0);
  20613. #endif
  20614. #if JUCE_PLUGINHOST_LADSPA && JUCE_LINUX
  20615. jassert (dynamic_cast <LADSPAPluginFormat*> (formats[i]) == 0);
  20616. #endif
  20617. }
  20618. #endif
  20619. #if JUCE_PLUGINHOST_VST
  20620. formats.add (new VSTPluginFormat());
  20621. #endif
  20622. #if JUCE_PLUGINHOST_AU && JUCE_MAC
  20623. formats.add (new AudioUnitPluginFormat());
  20624. #endif
  20625. #if JUCE_PLUGINHOST_DX && JUCE_WIN32
  20626. formats.add (new DirectXPluginFormat());
  20627. #endif
  20628. #if JUCE_PLUGINHOST_LADSPA && JUCE_LINUX
  20629. formats.add (new LADSPAPluginFormat());
  20630. #endif
  20631. }
  20632. int AudioPluginFormatManager::getNumFormats() throw()
  20633. {
  20634. return formats.size();
  20635. }
  20636. AudioPluginFormat* AudioPluginFormatManager::getFormat (const int index) throw()
  20637. {
  20638. return formats [index];
  20639. }
  20640. void AudioPluginFormatManager::addFormat (AudioPluginFormat* const format) throw()
  20641. {
  20642. formats.add (format);
  20643. }
  20644. AudioPluginInstance* AudioPluginFormatManager::createPluginInstance (const PluginDescription& description,
  20645. String& errorMessage) const
  20646. {
  20647. AudioPluginInstance* result = 0;
  20648. for (int i = 0; i < formats.size(); ++i)
  20649. {
  20650. result = formats.getUnchecked(i)->createInstanceFromDescription (description);
  20651. if (result != 0)
  20652. break;
  20653. }
  20654. if (result == 0)
  20655. {
  20656. if (description.file != File::nonexistent && ! description.file.exists())
  20657. errorMessage = TRANS ("This plug-in file no longer exists");
  20658. else
  20659. errorMessage = TRANS ("This plug-in failed to load correctly");
  20660. }
  20661. return result;
  20662. }
  20663. END_JUCE_NAMESPACE
  20664. /********* End of inlined file: juce_AudioPluginFormatManager.cpp *********/
  20665. /********* Start of inlined file: juce_AudioPluginInstance.cpp *********/
  20666. #define JUCE_PLUGIN_HOST 1
  20667. BEGIN_JUCE_NAMESPACE
  20668. AudioPluginInstance::AudioPluginInstance()
  20669. {
  20670. }
  20671. AudioPluginInstance::~AudioPluginInstance()
  20672. {
  20673. }
  20674. END_JUCE_NAMESPACE
  20675. /********* End of inlined file: juce_AudioPluginInstance.cpp *********/
  20676. /********* Start of inlined file: juce_KnownPluginList.cpp *********/
  20677. BEGIN_JUCE_NAMESPACE
  20678. KnownPluginList::KnownPluginList()
  20679. {
  20680. }
  20681. KnownPluginList::~KnownPluginList()
  20682. {
  20683. }
  20684. void KnownPluginList::clear()
  20685. {
  20686. if (types.size() > 0)
  20687. {
  20688. types.clear();
  20689. sendChangeMessage (this);
  20690. }
  20691. }
  20692. PluginDescription* KnownPluginList::getTypeForFile (const File& file) const throw()
  20693. {
  20694. for (int i = 0; i < types.size(); ++i)
  20695. if (types.getUnchecked(i)->file == file)
  20696. return types.getUnchecked(i);
  20697. return 0;
  20698. }
  20699. PluginDescription* KnownPluginList::getTypeForIdentifierString (const String& identifierString) const throw()
  20700. {
  20701. for (int i = 0; i < types.size(); ++i)
  20702. if (types.getUnchecked(i)->createIdentifierString() == identifierString)
  20703. return types.getUnchecked(i);
  20704. return 0;
  20705. }
  20706. bool KnownPluginList::addType (const PluginDescription& type)
  20707. {
  20708. for (int i = types.size(); --i >= 0;)
  20709. {
  20710. if (types.getUnchecked(i)->isDuplicateOf (type))
  20711. {
  20712. // strange - found a duplicate plugin with different info..
  20713. jassert (types.getUnchecked(i)->name == type.name);
  20714. jassert (types.getUnchecked(i)->isInstrument == type.isInstrument);
  20715. *types.getUnchecked(i) = type;
  20716. return false;
  20717. }
  20718. }
  20719. types.add (new PluginDescription (type));
  20720. sendChangeMessage (this);
  20721. return true;
  20722. }
  20723. void KnownPluginList::removeType (const int index) throw()
  20724. {
  20725. types.remove (index);
  20726. sendChangeMessage (this);
  20727. }
  20728. bool KnownPluginList::isListingUpToDate (const File& possiblePluginFile) const throw()
  20729. {
  20730. if (getTypeForFile (possiblePluginFile) == 0)
  20731. return false;
  20732. for (int i = types.size(); --i >= 0;)
  20733. {
  20734. const PluginDescription* const d = types.getUnchecked(i);
  20735. if (d->file == possiblePluginFile
  20736. && d->lastFileModTime != possiblePluginFile.getLastModificationTime())
  20737. {
  20738. return false;
  20739. }
  20740. }
  20741. return true;
  20742. }
  20743. bool KnownPluginList::scanAndAddFile (const File& possiblePluginFile,
  20744. const bool dontRescanIfAlreadyInList,
  20745. OwnedArray <PluginDescription>& typesFound)
  20746. {
  20747. bool addedOne = false;
  20748. if (dontRescanIfAlreadyInList
  20749. && getTypeForFile (possiblePluginFile) != 0)
  20750. {
  20751. bool needsRescanning = false;
  20752. for (int i = types.size(); --i >= 0;)
  20753. {
  20754. const PluginDescription* const d = types.getUnchecked(i);
  20755. if (d->file == possiblePluginFile)
  20756. {
  20757. if (d->lastFileModTime != possiblePluginFile.getLastModificationTime())
  20758. needsRescanning = true;
  20759. else
  20760. typesFound.add (new PluginDescription (*d));
  20761. }
  20762. }
  20763. if (! needsRescanning)
  20764. return false;
  20765. }
  20766. for (int i = 0; i < AudioPluginFormatManager::getInstance()->getNumFormats(); ++i)
  20767. {
  20768. AudioPluginFormat* const format = AudioPluginFormatManager::getInstance()->getFormat (i);
  20769. OwnedArray <PluginDescription> found;
  20770. format->findAllTypesForFile (found, possiblePluginFile);
  20771. for (int i = 0; i < found.size(); ++i)
  20772. {
  20773. PluginDescription* const desc = found.getUnchecked(i);
  20774. jassert (desc != 0);
  20775. if (addType (*desc))
  20776. addedOne = true;
  20777. typesFound.add (new PluginDescription (*desc));
  20778. }
  20779. }
  20780. return addedOne;
  20781. }
  20782. void KnownPluginList::scanAndAddDragAndDroppedFiles (const StringArray& files,
  20783. OwnedArray <PluginDescription>& typesFound)
  20784. {
  20785. for (int i = 0; i < files.size(); ++i)
  20786. {
  20787. const File f (files [i]);
  20788. if (! scanAndAddFile (f, true, typesFound))
  20789. {
  20790. if (f.isDirectory())
  20791. {
  20792. StringArray s;
  20793. {
  20794. OwnedArray <File> subFiles;
  20795. f.findChildFiles (subFiles, File::findFilesAndDirectories, false);
  20796. for (int j = 0; j < subFiles.size(); ++j)
  20797. s.add (subFiles.getUnchecked (j)->getFullPathName());
  20798. }
  20799. scanAndAddDragAndDroppedFiles (s, typesFound);
  20800. }
  20801. }
  20802. }
  20803. }
  20804. class PluginSorter
  20805. {
  20806. public:
  20807. KnownPluginList::SortMethod method;
  20808. PluginSorter() throw() {}
  20809. int compareElements (const PluginDescription* const first,
  20810. const PluginDescription* const second) const throw()
  20811. {
  20812. int diff = 0;
  20813. if (method == KnownPluginList::sortByCategory)
  20814. diff = first->category.compareLexicographically (second->category);
  20815. else if (method == KnownPluginList::sortByManufacturer)
  20816. diff = first->manufacturerName.compareLexicographically (second->manufacturerName);
  20817. else if (method == KnownPluginList::sortByFileSystemLocation)
  20818. diff = first->file.getParentDirectory().getFullPathName().compare (second->file.getParentDirectory().getFullPathName());
  20819. if (diff == 0)
  20820. diff = first->name.compareLexicographically (second->name);
  20821. return diff;
  20822. }
  20823. };
  20824. void KnownPluginList::sort (const SortMethod method)
  20825. {
  20826. if (method != defaultOrder)
  20827. {
  20828. PluginSorter sorter;
  20829. sorter.method = method;
  20830. types.sort (sorter, true);
  20831. sendChangeMessage (this);
  20832. }
  20833. }
  20834. XmlElement* KnownPluginList::createXml() const
  20835. {
  20836. XmlElement* const e = new XmlElement (T("KNOWNPLUGINS"));
  20837. for (int i = 0; i < types.size(); ++i)
  20838. e->addChildElement (types.getUnchecked(i)->createXml());
  20839. return e;
  20840. }
  20841. void KnownPluginList::recreateFromXml (const XmlElement& xml)
  20842. {
  20843. clear();
  20844. if (xml.hasTagName (T("KNOWNPLUGINS")))
  20845. {
  20846. forEachXmlChildElement (xml, e)
  20847. {
  20848. PluginDescription info;
  20849. if (info.loadFromXml (*e))
  20850. addType (info);
  20851. }
  20852. }
  20853. }
  20854. const int menuIdBase = 0x324503f4;
  20855. // This is used to turn a bunch of paths into a nested menu structure.
  20856. struct PluginFilesystemTree
  20857. {
  20858. private:
  20859. String folder;
  20860. OwnedArray <PluginFilesystemTree> subFolders;
  20861. Array <PluginDescription*> plugins;
  20862. void addPlugin (PluginDescription* const pd, const String& path)
  20863. {
  20864. if (path.isEmpty())
  20865. {
  20866. plugins.add (pd);
  20867. }
  20868. else
  20869. {
  20870. const String firstSubFolder (path.upToFirstOccurrenceOf (T("/"), false, false));
  20871. const String remainingPath (path.fromFirstOccurrenceOf (T("/"), false, false));
  20872. for (int i = subFolders.size(); --i >= 0;)
  20873. {
  20874. if (subFolders.getUnchecked(i)->folder.equalsIgnoreCase (firstSubFolder))
  20875. {
  20876. subFolders.getUnchecked(i)->addPlugin (pd, remainingPath);
  20877. return;
  20878. }
  20879. }
  20880. PluginFilesystemTree* const newFolder = new PluginFilesystemTree();
  20881. newFolder->folder = firstSubFolder;
  20882. subFolders.add (newFolder);
  20883. newFolder->addPlugin (pd, remainingPath);
  20884. }
  20885. }
  20886. // removes any deeply nested folders that don't contain any actual plugins
  20887. void optimise()
  20888. {
  20889. for (int i = subFolders.size(); --i >= 0;)
  20890. {
  20891. PluginFilesystemTree* const sub = subFolders.getUnchecked(i);
  20892. sub->optimise();
  20893. if (sub->plugins.size() == 0)
  20894. {
  20895. for (int j = 0; j < sub->subFolders.size(); ++j)
  20896. subFolders.add (sub->subFolders.getUnchecked(j));
  20897. sub->subFolders.clear (false);
  20898. subFolders.remove (i);
  20899. }
  20900. }
  20901. }
  20902. public:
  20903. void buildTree (const Array <PluginDescription*>& allPlugins)
  20904. {
  20905. for (int i = 0; i < allPlugins.size(); ++i)
  20906. {
  20907. String path (allPlugins.getUnchecked(i)->file.getParentDirectory().getFullPathName());
  20908. if (path.substring (1, 2) == T(":"))
  20909. path = path.substring (2);
  20910. path = path.replaceCharacter (T('\\'), T('/'));
  20911. addPlugin (allPlugins.getUnchecked(i), path);
  20912. }
  20913. optimise();
  20914. }
  20915. void addToMenu (PopupMenu& m, const OwnedArray <PluginDescription>& allPlugins) const
  20916. {
  20917. int i;
  20918. for (i = 0; i < subFolders.size(); ++i)
  20919. {
  20920. const PluginFilesystemTree* const sub = subFolders.getUnchecked(i);
  20921. PopupMenu subMenu;
  20922. sub->addToMenu (subMenu, allPlugins);
  20923. m.addSubMenu (sub->folder, subMenu);
  20924. }
  20925. for (i = 0; i < plugins.size(); ++i)
  20926. {
  20927. PluginDescription* const plugin = plugins.getUnchecked(i);
  20928. m.addItem (allPlugins.indexOf (plugin) + menuIdBase,
  20929. plugin->name, true, false);
  20930. }
  20931. }
  20932. };
  20933. void KnownPluginList::addToMenu (PopupMenu& menu, const SortMethod sortMethod) const
  20934. {
  20935. Array <PluginDescription*> sorted;
  20936. {
  20937. PluginSorter sorter;
  20938. sorter.method = sortMethod;
  20939. for (int i = 0; i < types.size(); ++i)
  20940. sorted.addSorted (sorter, types.getUnchecked(i));
  20941. }
  20942. if (sortMethod == sortByCategory
  20943. || sortMethod == sortByManufacturer)
  20944. {
  20945. String lastSubMenuName;
  20946. PopupMenu sub;
  20947. for (int i = 0; i < sorted.size(); ++i)
  20948. {
  20949. const PluginDescription* const pd = sorted.getUnchecked(i);
  20950. String thisSubMenuName (sortMethod == sortByCategory ? pd->category
  20951. : pd->manufacturerName);
  20952. if (thisSubMenuName.trim().isEmpty())
  20953. thisSubMenuName = T("Other");
  20954. if (thisSubMenuName != lastSubMenuName)
  20955. {
  20956. if (sub.getNumItems() > 0)
  20957. {
  20958. menu.addSubMenu (lastSubMenuName, sub);
  20959. sub.clear();
  20960. }
  20961. lastSubMenuName = thisSubMenuName;
  20962. }
  20963. sub.addItem (types.indexOf (pd) + menuIdBase, pd->name, true, false);
  20964. }
  20965. if (sub.getNumItems() > 0)
  20966. menu.addSubMenu (lastSubMenuName, sub);
  20967. }
  20968. else if (sortMethod == sortByFileSystemLocation)
  20969. {
  20970. PluginFilesystemTree root;
  20971. root.buildTree (sorted);
  20972. root.addToMenu (menu, types);
  20973. }
  20974. else
  20975. {
  20976. for (int i = 0; i < sorted.size(); ++i)
  20977. {
  20978. const PluginDescription* const pd = sorted.getUnchecked(i);
  20979. menu.addItem (types.indexOf (pd) + menuIdBase, pd->name, true, false);
  20980. }
  20981. }
  20982. }
  20983. int KnownPluginList::getIndexChosenByMenu (const int menuResultCode) const
  20984. {
  20985. const int i = menuResultCode - menuIdBase;
  20986. return (((unsigned int) i) < (unsigned int) types.size()) ? i : -1;
  20987. }
  20988. END_JUCE_NAMESPACE
  20989. /********* End of inlined file: juce_KnownPluginList.cpp *********/
  20990. /********* Start of inlined file: juce_PluginDescription.cpp *********/
  20991. BEGIN_JUCE_NAMESPACE
  20992. PluginDescription::PluginDescription() throw()
  20993. : uid (0),
  20994. isInstrument (false),
  20995. numInputChannels (0),
  20996. numOutputChannels (0)
  20997. {
  20998. }
  20999. PluginDescription::~PluginDescription() throw()
  21000. {
  21001. }
  21002. PluginDescription::PluginDescription (const PluginDescription& other) throw()
  21003. : name (other.name),
  21004. pluginFormatName (other.pluginFormatName),
  21005. category (other.category),
  21006. manufacturerName (other.manufacturerName),
  21007. version (other.version),
  21008. file (other.file),
  21009. lastFileModTime (other.lastFileModTime),
  21010. uid (other.uid),
  21011. isInstrument (other.isInstrument),
  21012. numInputChannels (other.numInputChannels),
  21013. numOutputChannels (other.numOutputChannels)
  21014. {
  21015. }
  21016. const PluginDescription& PluginDescription::operator= (const PluginDescription& other) throw()
  21017. {
  21018. name = other.name;
  21019. pluginFormatName = other.pluginFormatName;
  21020. category = other.category;
  21021. manufacturerName = other.manufacturerName;
  21022. version = other.version;
  21023. file = other.file;
  21024. uid = other.uid;
  21025. isInstrument = other.isInstrument;
  21026. lastFileModTime = other.lastFileModTime;
  21027. numInputChannels = other.numInputChannels;
  21028. numOutputChannels = other.numOutputChannels;
  21029. return *this;
  21030. }
  21031. bool PluginDescription::isDuplicateOf (const PluginDescription& other) const
  21032. {
  21033. return file == other.file
  21034. && uid == other.uid;
  21035. }
  21036. const String PluginDescription::createIdentifierString() const throw()
  21037. {
  21038. return pluginFormatName
  21039. + T("-") + name
  21040. + T("-") + String::toHexString (file.getFileName().hashCode())
  21041. + T("-") + String::toHexString (uid);
  21042. }
  21043. XmlElement* PluginDescription::createXml() const
  21044. {
  21045. XmlElement* const e = new XmlElement (T("PLUGIN"));
  21046. e->setAttribute (T("name"), name);
  21047. e->setAttribute (T("format"), pluginFormatName);
  21048. e->setAttribute (T("category"), category);
  21049. e->setAttribute (T("manufacturer"), manufacturerName);
  21050. e->setAttribute (T("version"), version);
  21051. e->setAttribute (T("file"), file.getFullPathName());
  21052. e->setAttribute (T("uid"), String::toHexString (uid));
  21053. e->setAttribute (T("isInstrument"), isInstrument);
  21054. e->setAttribute (T("fileTime"), String::toHexString (lastFileModTime.toMilliseconds()));
  21055. e->setAttribute (T("numInputs"), numInputChannels);
  21056. e->setAttribute (T("numOutputs"), numOutputChannels);
  21057. return e;
  21058. }
  21059. bool PluginDescription::loadFromXml (const XmlElement& xml)
  21060. {
  21061. if (xml.hasTagName (T("PLUGIN")))
  21062. {
  21063. name = xml.getStringAttribute (T("name"));
  21064. pluginFormatName = xml.getStringAttribute (T("format"));
  21065. category = xml.getStringAttribute (T("category"));
  21066. manufacturerName = xml.getStringAttribute (T("manufacturer"));
  21067. version = xml.getStringAttribute (T("version"));
  21068. file = File (xml.getStringAttribute (T("file")));
  21069. uid = xml.getStringAttribute (T("uid")).getHexValue32();
  21070. isInstrument = xml.getBoolAttribute (T("isInstrument"), false);
  21071. lastFileModTime = Time (xml.getStringAttribute (T("fileTime")).getHexValue64());
  21072. numInputChannels = xml.getIntAttribute (T("numInputs"));
  21073. numOutputChannels = xml.getIntAttribute (T("numOutputs"));
  21074. return true;
  21075. }
  21076. return false;
  21077. }
  21078. END_JUCE_NAMESPACE
  21079. /********* End of inlined file: juce_PluginDescription.cpp *********/
  21080. /********* Start of inlined file: juce_PluginDirectoryScanner.cpp *********/
  21081. BEGIN_JUCE_NAMESPACE
  21082. PluginDirectoryScanner::PluginDirectoryScanner (KnownPluginList& listToAddTo,
  21083. AudioPluginFormat& formatToLookFor,
  21084. FileSearchPath directoriesToSearch,
  21085. const bool recursive,
  21086. const File& deadMansPedalFile_)
  21087. : list (listToAddTo),
  21088. format (formatToLookFor),
  21089. deadMansPedalFile (deadMansPedalFile_),
  21090. nextIndex (0),
  21091. progress (0)
  21092. {
  21093. directoriesToSearch.removeRedundantPaths();
  21094. for (int j = 0; j < directoriesToSearch.getNumPaths(); ++j)
  21095. recursiveFileSearch (directoriesToSearch [j], recursive);
  21096. // If any plugins have crashed recently when being loaded, move them to the
  21097. // end of the list to give the others a chance to load correctly..
  21098. const StringArray crashedPlugins (getDeadMansPedalFile());
  21099. for (int i = 0; i < crashedPlugins.size(); ++i)
  21100. {
  21101. const File f (crashedPlugins[i]);
  21102. for (int j = filesToScan.size(); --j >= 0;)
  21103. if (f == *filesToScan.getUnchecked (j))
  21104. filesToScan.move (j, -1);
  21105. }
  21106. }
  21107. void PluginDirectoryScanner::recursiveFileSearch (const File& dir, const bool recursive)
  21108. {
  21109. // avoid allowing the dir iterator to be recursive, because we want to avoid letting it delve inside
  21110. // .component or .vst directories.
  21111. DirectoryIterator iter (dir, false, "*", File::findFilesAndDirectories);
  21112. while (iter.next())
  21113. {
  21114. const File f (iter.getFile());
  21115. bool isPlugin = false;
  21116. if (format.fileMightContainThisPluginType (f))
  21117. {
  21118. isPlugin = true;
  21119. filesToScan.add (new File (f));
  21120. }
  21121. if (recursive && (! isPlugin) && f.isDirectory())
  21122. recursiveFileSearch (f, true);
  21123. }
  21124. }
  21125. PluginDirectoryScanner::~PluginDirectoryScanner()
  21126. {
  21127. }
  21128. const File PluginDirectoryScanner::getNextPluginFileThatWillBeScanned() const throw()
  21129. {
  21130. File* const file = filesToScan [nextIndex];
  21131. if (file != 0)
  21132. return *file;
  21133. return File::nonexistent;
  21134. }
  21135. bool PluginDirectoryScanner::scanNextFile (const bool dontRescanIfAlreadyInList)
  21136. {
  21137. File* const file = filesToScan [nextIndex];
  21138. if (file != 0)
  21139. {
  21140. if (! list.isListingUpToDate (*file))
  21141. {
  21142. OwnedArray <PluginDescription> typesFound;
  21143. // Add this plugin to the end of the dead-man's pedal list in case it crashes...
  21144. StringArray crashedPlugins (getDeadMansPedalFile());
  21145. crashedPlugins.removeString (file->getFullPathName());
  21146. crashedPlugins.add (file->getFullPathName());
  21147. setDeadMansPedalFile (crashedPlugins);
  21148. list.scanAndAddFile (*file,
  21149. dontRescanIfAlreadyInList,
  21150. typesFound);
  21151. // Managed to load without crashing, so remove it from the dead-man's-pedal..
  21152. crashedPlugins.removeString (file->getFullPathName());
  21153. setDeadMansPedalFile (crashedPlugins);
  21154. if (typesFound.size() == 0)
  21155. failedFiles.add (file->getFullPathName());
  21156. }
  21157. ++nextIndex;
  21158. progress = nextIndex / (float) filesToScan.size();
  21159. }
  21160. return nextIndex < filesToScan.size();
  21161. }
  21162. const StringArray PluginDirectoryScanner::getDeadMansPedalFile() throw()
  21163. {
  21164. StringArray lines;
  21165. if (deadMansPedalFile != File::nonexistent)
  21166. {
  21167. lines.addLines (deadMansPedalFile.loadFileAsString());
  21168. lines.removeEmptyStrings();
  21169. }
  21170. return lines;
  21171. }
  21172. void PluginDirectoryScanner::setDeadMansPedalFile (const StringArray& newContents) throw()
  21173. {
  21174. if (deadMansPedalFile != File::nonexistent)
  21175. deadMansPedalFile.replaceWithText (newContents.joinIntoString ("\n"), true, true);
  21176. }
  21177. END_JUCE_NAMESPACE
  21178. /********* End of inlined file: juce_PluginDirectoryScanner.cpp *********/
  21179. /********* Start of inlined file: juce_PluginListComponent.cpp *********/
  21180. BEGIN_JUCE_NAMESPACE
  21181. PluginListComponent::PluginListComponent (KnownPluginList& listToEdit,
  21182. const File& deadMansPedalFile_,
  21183. PropertiesFile* const propertiesToUse_)
  21184. : list (listToEdit),
  21185. deadMansPedalFile (deadMansPedalFile_),
  21186. propertiesToUse (propertiesToUse_)
  21187. {
  21188. addAndMakeVisible (listBox = new ListBox (String::empty, this));
  21189. addAndMakeVisible (optionsButton = new TextButton ("Options..."));
  21190. optionsButton->addButtonListener (this);
  21191. optionsButton->setTriggeredOnMouseDown (true);
  21192. setSize (400, 600);
  21193. list.addChangeListener (this);
  21194. }
  21195. PluginListComponent::~PluginListComponent()
  21196. {
  21197. list.removeChangeListener (this);
  21198. deleteAllChildren();
  21199. }
  21200. void PluginListComponent::resized()
  21201. {
  21202. listBox->setBounds (0, 0, getWidth(), getHeight() - 30);
  21203. optionsButton->changeWidthToFitText (24);
  21204. optionsButton->setTopLeftPosition (8, getHeight() - 28);
  21205. }
  21206. void PluginListComponent::changeListenerCallback (void*)
  21207. {
  21208. listBox->updateContent();
  21209. listBox->repaint();
  21210. }
  21211. int PluginListComponent::getNumRows()
  21212. {
  21213. return list.getNumTypes();
  21214. }
  21215. void PluginListComponent::paintListBoxItem (int row,
  21216. Graphics& g,
  21217. int width, int height,
  21218. bool rowIsSelected)
  21219. {
  21220. if (rowIsSelected)
  21221. g.fillAll (findColour (TextEditor::highlightColourId));
  21222. const PluginDescription* const pd = list.getType (row);
  21223. if (pd != 0)
  21224. {
  21225. GlyphArrangement ga;
  21226. ga.addCurtailedLineOfText (Font (height * 0.7f, Font::bold), pd->name, 8.0f, height * 0.8f, width - 10.0f, true);
  21227. g.setColour (Colours::black);
  21228. ga.draw (g);
  21229. float x, y, r, b;
  21230. ga.getBoundingBox (0, -1, x, y, r, b, false);
  21231. String desc;
  21232. desc << pd->pluginFormatName
  21233. << (pd->isInstrument ? " instrument" : " effect")
  21234. << " - "
  21235. << pd->numInputChannels << (pd->numInputChannels == 1 ? " in" : " ins")
  21236. << " / "
  21237. << pd->numOutputChannels << (pd->numOutputChannels == 1 ? " out" : " outs");
  21238. if (pd->manufacturerName.isNotEmpty())
  21239. desc << " - " << pd->manufacturerName;
  21240. if (pd->version.isNotEmpty())
  21241. desc << " - " << pd->version;
  21242. if (pd->category.isNotEmpty())
  21243. desc << " - category: '" << pd->category << '\'';
  21244. g.setColour (Colours::grey);
  21245. ga.clear();
  21246. ga.addCurtailedLineOfText (Font (height * 0.6f), desc, r + 10.0f, height * 0.8f, width - r - 12.0f, true);
  21247. ga.draw (g);
  21248. }
  21249. }
  21250. void PluginListComponent::deleteKeyPressed (int lastRowSelected)
  21251. {
  21252. list.removeType (lastRowSelected);
  21253. }
  21254. void PluginListComponent::buttonClicked (Button* b)
  21255. {
  21256. if (optionsButton == b)
  21257. {
  21258. PopupMenu menu;
  21259. menu.addItem (1, TRANS("Clear list"));
  21260. menu.addItem (5, TRANS("Remove selected plugin from list"), listBox->getNumSelectedRows() > 0);
  21261. menu.addItem (6, TRANS("Show folder containing selected plugin"), listBox->getNumSelectedRows() > 0);
  21262. menu.addItem (7, TRANS("Remove any plugins whose files no longer exist"));
  21263. menu.addSeparator();
  21264. menu.addItem (2, TRANS("Sort alphabetically"));
  21265. menu.addItem (3, TRANS("Sort by category"));
  21266. menu.addItem (4, TRANS("Sort by manufacturer"));
  21267. menu.addSeparator();
  21268. for (int i = 0; i < AudioPluginFormatManager::getInstance()->getNumFormats(); ++i)
  21269. {
  21270. AudioPluginFormat* const format = AudioPluginFormatManager::getInstance()->getFormat (i);
  21271. if (format->getDefaultLocationsToSearch().getNumPaths() > 0)
  21272. menu.addItem (10 + i, "Scan for new or updated " + format->getName() + " plugins...");
  21273. }
  21274. const int r = menu.showAt (optionsButton);
  21275. if (r == 1)
  21276. {
  21277. list.clear();
  21278. }
  21279. else if (r == 2)
  21280. {
  21281. list.sort (KnownPluginList::sortAlphabetically);
  21282. }
  21283. else if (r == 3)
  21284. {
  21285. list.sort (KnownPluginList::sortByCategory);
  21286. }
  21287. else if (r == 4)
  21288. {
  21289. list.sort (KnownPluginList::sortByManufacturer);
  21290. }
  21291. else if (r == 5)
  21292. {
  21293. const SparseSet <int> selected (listBox->getSelectedRows());
  21294. for (int i = list.getNumTypes(); --i >= 0;)
  21295. if (selected.contains (i))
  21296. list.removeType (i);
  21297. }
  21298. else if (r == 6)
  21299. {
  21300. const PluginDescription* const desc = list.getType (listBox->getSelectedRow());
  21301. if (desc != 0)
  21302. desc->file.getParentDirectory().startAsProcess();
  21303. }
  21304. else if (r == 7)
  21305. {
  21306. for (int i = list.getNumTypes(); --i >= 0;)
  21307. {
  21308. if (list.getType (i)->file != File::nonexistent
  21309. && ! list.getType (i)->file.exists())
  21310. {
  21311. list.removeType (i);
  21312. }
  21313. }
  21314. }
  21315. else if (r != 0)
  21316. {
  21317. typeToScan = r - 10;
  21318. startTimer (1);
  21319. }
  21320. }
  21321. }
  21322. void PluginListComponent::timerCallback()
  21323. {
  21324. stopTimer();
  21325. scanFor (AudioPluginFormatManager::getInstance()->getFormat (typeToScan));
  21326. }
  21327. bool PluginListComponent::isInterestedInFileDrag (const StringArray& /*files*/)
  21328. {
  21329. return true;
  21330. }
  21331. void PluginListComponent::filesDropped (const StringArray& files, int, int)
  21332. {
  21333. OwnedArray <PluginDescription> typesFound;
  21334. list.scanAndAddDragAndDroppedFiles (files, typesFound);
  21335. }
  21336. void PluginListComponent::scanFor (AudioPluginFormat* format)
  21337. {
  21338. if (format == 0)
  21339. return;
  21340. FileSearchPath path (format->getDefaultLocationsToSearch());
  21341. if (propertiesToUse != 0)
  21342. path = propertiesToUse->getValue ("lastPluginScanPath_" + format->getName(), path.toString());
  21343. {
  21344. AlertWindow aw (TRANS("Select folders to scan..."), String::empty, AlertWindow::NoIcon);
  21345. FileSearchPathListComponent pathList;
  21346. pathList.setSize (500, 300);
  21347. pathList.setPath (path);
  21348. aw.addCustomComponent (&pathList);
  21349. aw.addButton (TRANS("Scan"), 1, KeyPress::returnKey);
  21350. aw.addButton (TRANS("Cancel"), 0, KeyPress (KeyPress::escapeKey));
  21351. if (aw.runModalLoop() == 0)
  21352. return;
  21353. path = pathList.getPath();
  21354. }
  21355. if (propertiesToUse != 0)
  21356. {
  21357. propertiesToUse->setValue ("lastPluginScanPath_" + format->getName(), path.toString());
  21358. propertiesToUse->saveIfNeeded();
  21359. }
  21360. double progress = 0.0;
  21361. AlertWindow aw (TRANS("Scanning for plugins..."),
  21362. TRANS("Searching for all possible plugin files..."), AlertWindow::NoIcon);
  21363. aw.addButton (TRANS("Cancel"), 0, KeyPress (KeyPress::escapeKey));
  21364. aw.addProgressBarComponent (progress);
  21365. aw.enterModalState();
  21366. MessageManager::getInstance()->dispatchPendingMessages();
  21367. PluginDirectoryScanner scanner (list, *format, path, true, deadMansPedalFile);
  21368. for (;;)
  21369. {
  21370. aw.setMessage (TRANS("Testing:\n\n")
  21371. + scanner.getNextPluginFileThatWillBeScanned().getFileName());
  21372. MessageManager::getInstance()->dispatchPendingMessages (500);
  21373. if (! scanner.scanNextFile (true))
  21374. break;
  21375. if (! aw.isCurrentlyModal())
  21376. break;
  21377. progress = scanner.getProgress();
  21378. }
  21379. if (scanner.getFailedFiles().size() > 0)
  21380. {
  21381. StringArray shortNames;
  21382. for (int i = 0; i < scanner.getFailedFiles().size(); ++i)
  21383. shortNames.add (File (scanner.getFailedFiles()[i]).getFileName());
  21384. AlertWindow::showMessageBox (AlertWindow::InfoIcon,
  21385. TRANS("Scan complete"),
  21386. TRANS("Note that the following files appeared to be plugin files, but failed to load correctly:\n\n")
  21387. + shortNames.joinIntoString (", "));
  21388. }
  21389. }
  21390. END_JUCE_NAMESPACE
  21391. /********* End of inlined file: juce_PluginListComponent.cpp *********/
  21392. /********* Start of inlined file: juce_AudioUnitPluginFormat.cpp *********/
  21393. #if JUCE_PLUGINHOST_AU && (! (defined (LINUX) || defined (_WIN32)))
  21394. #include <Carbon/Carbon.h>
  21395. #include <AudioToolbox/AudioToolbox.h>
  21396. #include <AudioUnit/AudioUnitCarbonView.h>
  21397. BEGIN_JUCE_NAMESPACE
  21398. #if JUCE_MAC
  21399. extern void juce_callAnyTimersSynchronously();
  21400. extern bool juce_isHIViewCreatedByJuce (HIViewRef view);
  21401. extern bool juce_isWindowCreatedByJuce (WindowRef window);
  21402. #if MACOS_10_3_OR_EARLIER
  21403. #define kAudioUnitType_Generator 'augn'
  21404. #endif
  21405. // Change this to disable logging of various activities
  21406. #ifndef AU_LOGGING
  21407. #define AU_LOGGING 1
  21408. #endif
  21409. #if AU_LOGGING
  21410. #define log(a) Logger::writeToLog(a);
  21411. #else
  21412. #define log(a)
  21413. #endif
  21414. static int insideCallback = 0;
  21415. class AudioUnitPluginWindow;
  21416. class AudioUnitPluginInstance : public AudioPluginInstance
  21417. {
  21418. public:
  21419. ~AudioUnitPluginInstance();
  21420. // AudioPluginInstance methods:
  21421. void fillInPluginDescription (PluginDescription& desc) const
  21422. {
  21423. desc.name = pluginName;
  21424. desc.file = file;
  21425. desc.uid = ((int) componentDesc.componentType)
  21426. ^ ((int) componentDesc.componentSubType)
  21427. ^ ((int) componentDesc.componentManufacturer);
  21428. desc.lastFileModTime = file.getLastModificationTime();
  21429. desc.pluginFormatName = "AudioUnit";
  21430. desc.category = getCategory();
  21431. desc.manufacturerName = manufacturer;
  21432. desc.version = version;
  21433. desc.numInputChannels = getNumInputChannels();
  21434. desc.numOutputChannels = getNumOutputChannels();
  21435. desc.isInstrument = (componentDesc.componentType == kAudioUnitType_MusicDevice);
  21436. }
  21437. const String getName() const { return pluginName; }
  21438. bool acceptsMidi() const { return wantsMidiMessages; }
  21439. bool producesMidi() const { return false; }
  21440. // AudioProcessor methods:
  21441. void prepareToPlay (double sampleRate, int estimatedSamplesPerBlock);
  21442. void releaseResources();
  21443. void processBlock (AudioSampleBuffer& buffer,
  21444. MidiBuffer& midiMessages);
  21445. AudioProcessorEditor* createEditor();
  21446. const String getInputChannelName (const int index) const;
  21447. bool isInputChannelStereoPair (int index) const;
  21448. const String getOutputChannelName (const int index) const;
  21449. bool isOutputChannelStereoPair (int index) const;
  21450. int getNumParameters();
  21451. float getParameter (int index);
  21452. void setParameter (int index, float newValue);
  21453. const String getParameterName (int index);
  21454. const String getParameterText (int index);
  21455. bool isParameterAutomatable (int index) const;
  21456. int getNumPrograms();
  21457. int getCurrentProgram();
  21458. void setCurrentProgram (int index);
  21459. const String getProgramName (int index);
  21460. void changeProgramName (int index, const String& newName);
  21461. void getStateInformation (MemoryBlock& destData);
  21462. void getCurrentProgramStateInformation (MemoryBlock& destData);
  21463. void setStateInformation (const void* data, int sizeInBytes);
  21464. void setCurrentProgramStateInformation (const void* data, int sizeInBytes);
  21465. juce_UseDebuggingNewOperator
  21466. private:
  21467. friend class AudioUnitPluginWindow;
  21468. friend class AudioUnitPluginFormat;
  21469. ComponentDescription componentDesc;
  21470. String pluginName, manufacturer, version;
  21471. File file;
  21472. CriticalSection lock;
  21473. bool initialised, wantsMidiMessages, wasPlaying;
  21474. AudioBufferList* outputBufferList;
  21475. AudioTimeStamp timeStamp;
  21476. AudioSampleBuffer* currentBuffer;
  21477. AudioUnit audioUnit;
  21478. Array <int> parameterIds;
  21479. bool getComponentDescFromFile (const File& file);
  21480. void initialise();
  21481. OSStatus renderGetInput (AudioUnitRenderActionFlags* ioActionFlags,
  21482. const AudioTimeStamp* inTimeStamp,
  21483. UInt32 inBusNumber,
  21484. UInt32 inNumberFrames,
  21485. AudioBufferList* ioData) const;
  21486. static OSStatus renderGetInputCallback (void* inRefCon,
  21487. AudioUnitRenderActionFlags* ioActionFlags,
  21488. const AudioTimeStamp* inTimeStamp,
  21489. UInt32 inBusNumber,
  21490. UInt32 inNumberFrames,
  21491. AudioBufferList* ioData)
  21492. {
  21493. return ((AudioUnitPluginInstance*) inRefCon)
  21494. ->renderGetInput (ioActionFlags, inTimeStamp, inBusNumber, inNumberFrames, ioData);
  21495. }
  21496. OSStatus getBeatAndTempo (Float64* outCurrentBeat, Float64* outCurrentTempo) const;
  21497. OSStatus getMusicalTimeLocation (UInt32* outDeltaSampleOffsetToNextBeat, Float32* outTimeSig_Numerator,
  21498. UInt32* outTimeSig_Denominator, Float64* outCurrentMeasureDownBeat) const;
  21499. OSStatus getTransportState (Boolean* outIsPlaying, Boolean* outTransportStateChanged,
  21500. Float64* outCurrentSampleInTimeLine, Boolean* outIsCycling,
  21501. Float64* outCycleStartBeat, Float64* outCycleEndBeat);
  21502. static OSStatus getBeatAndTempoCallback (void* inHostUserData, Float64* outCurrentBeat, Float64* outCurrentTempo)
  21503. {
  21504. return ((AudioUnitPluginInstance*) inHostUserData)->getBeatAndTempo (outCurrentBeat, outCurrentTempo);
  21505. }
  21506. static OSStatus getMusicalTimeLocationCallback (void* inHostUserData, UInt32* outDeltaSampleOffsetToNextBeat,
  21507. Float32* outTimeSig_Numerator, UInt32* outTimeSig_Denominator,
  21508. Float64* outCurrentMeasureDownBeat)
  21509. {
  21510. return ((AudioUnitPluginInstance*) inHostUserData)
  21511. ->getMusicalTimeLocation (outDeltaSampleOffsetToNextBeat, outTimeSig_Numerator,
  21512. outTimeSig_Denominator, outCurrentMeasureDownBeat);
  21513. }
  21514. static OSStatus getTransportStateCallback (void* inHostUserData, Boolean* outIsPlaying, Boolean* outTransportStateChanged,
  21515. Float64* outCurrentSampleInTimeLine, Boolean* outIsCycling,
  21516. Float64* outCycleStartBeat, Float64* outCycleEndBeat)
  21517. {
  21518. return ((AudioUnitPluginInstance*) inHostUserData)
  21519. ->getTransportState (outIsPlaying, outTransportStateChanged,
  21520. outCurrentSampleInTimeLine, outIsCycling,
  21521. outCycleStartBeat, outCycleEndBeat);
  21522. }
  21523. void getNumChannels (int& numIns, int& numOuts)
  21524. {
  21525. numIns = 0;
  21526. numOuts = 0;
  21527. AUChannelInfo supportedChannels [128];
  21528. UInt32 supportedChannelsSize = sizeof (supportedChannels);
  21529. if (AudioUnitGetProperty (audioUnit, kAudioUnitProperty_SupportedNumChannels, kAudioUnitScope_Global,
  21530. 0, supportedChannels, &supportedChannelsSize) == noErr
  21531. && supportedChannelsSize > 0)
  21532. {
  21533. for (int i = 0; i < supportedChannelsSize / sizeof (AUChannelInfo); ++i)
  21534. {
  21535. numIns = jmax (numIns, supportedChannels[i].inChannels);
  21536. numOuts = jmax (numOuts, supportedChannels[i].outChannels);
  21537. }
  21538. }
  21539. else
  21540. {
  21541. // (this really means the plugin will take any number of ins/outs as long
  21542. // as they are the same)
  21543. numIns = numOuts = 2;
  21544. }
  21545. }
  21546. const String getCategory() const;
  21547. AudioUnitPluginInstance (const File& file);
  21548. };
  21549. AudioUnitPluginInstance::AudioUnitPluginInstance (const File& file_)
  21550. : file (file_),
  21551. initialised (false),
  21552. wantsMidiMessages (false),
  21553. audioUnit (0),
  21554. outputBufferList (0),
  21555. currentBuffer (0)
  21556. {
  21557. try
  21558. {
  21559. ++insideCallback;
  21560. log (T("Opening AU: ") + file.getFullPathName());
  21561. if (getComponentDescFromFile (file))
  21562. {
  21563. ComponentRecord* const comp = FindNextComponent (0, &componentDesc);
  21564. if (comp != 0)
  21565. {
  21566. audioUnit = (AudioUnit) OpenComponent (comp);
  21567. wantsMidiMessages = componentDesc.componentType == kAudioUnitType_MusicDevice
  21568. || componentDesc.componentType == kAudioUnitType_MusicEffect;
  21569. }
  21570. }
  21571. --insideCallback;
  21572. }
  21573. catch (...)
  21574. {
  21575. --insideCallback;
  21576. }
  21577. }
  21578. AudioUnitPluginInstance::~AudioUnitPluginInstance()
  21579. {
  21580. {
  21581. const ScopedLock sl (lock);
  21582. jassert (insideCallback == 0);
  21583. if (audioUnit != 0)
  21584. {
  21585. AudioUnitUninitialize (audioUnit);
  21586. CloseComponent (audioUnit);
  21587. audioUnit = 0;
  21588. }
  21589. }
  21590. juce_free (outputBufferList);
  21591. }
  21592. bool AudioUnitPluginInstance::getComponentDescFromFile (const File& file)
  21593. {
  21594. zerostruct (componentDesc);
  21595. if (! file.hasFileExtension (T(".component")))
  21596. return false;
  21597. const String filename (file.getFullPathName());
  21598. const char* const utf8 = filename.toUTF8();
  21599. CFURLRef url = CFURLCreateFromFileSystemRepresentation (0, (const UInt8*) utf8,
  21600. strlen (utf8), file.isDirectory());
  21601. if (url != 0)
  21602. {
  21603. CFBundleRef bundleRef = CFBundleCreate (kCFAllocatorDefault, url);
  21604. CFRelease (url);
  21605. if (bundleRef != 0)
  21606. {
  21607. CFTypeRef name = CFBundleGetValueForInfoDictionaryKey (bundleRef, CFSTR("CFBundleName"));
  21608. if (name != 0 && CFGetTypeID (name) == CFStringGetTypeID())
  21609. pluginName = PlatformUtilities::cfStringToJuceString ((CFStringRef) name);
  21610. if (pluginName.isEmpty())
  21611. pluginName = file.getFileNameWithoutExtension();
  21612. CFTypeRef versionString = CFBundleGetValueForInfoDictionaryKey (bundleRef, CFSTR("CFBundleVersion"));
  21613. if (versionString != 0 && CFGetTypeID (versionString) == CFStringGetTypeID())
  21614. version = PlatformUtilities::cfStringToJuceString ((CFStringRef) versionString);
  21615. CFTypeRef manuString = CFBundleGetValueForInfoDictionaryKey (bundleRef, CFSTR("CFBundleGetInfoString"));
  21616. if (manuString != 0 && CFGetTypeID (manuString) == CFStringGetTypeID())
  21617. manufacturer = PlatformUtilities::cfStringToJuceString ((CFStringRef) manuString);
  21618. short resFileId = CFBundleOpenBundleResourceMap (bundleRef);
  21619. UseResFile (resFileId);
  21620. for (int i = 1; i <= Count1Resources ('thng'); ++i)
  21621. {
  21622. Handle h = Get1IndResource ('thng', i);
  21623. if (h != 0)
  21624. {
  21625. HLock (h);
  21626. const uint32* const types = (const uint32*) *h;
  21627. if (types[0] == kAudioUnitType_MusicDevice
  21628. || types[0] == kAudioUnitType_MusicEffect
  21629. || types[0] == kAudioUnitType_Effect
  21630. || types[0] == kAudioUnitType_Generator
  21631. || types[0] == kAudioUnitType_Panner)
  21632. {
  21633. componentDesc.componentType = types[0];
  21634. componentDesc.componentSubType = types[1];
  21635. componentDesc.componentManufacturer = types[2];
  21636. break;
  21637. }
  21638. HUnlock (h);
  21639. ReleaseResource (h);
  21640. }
  21641. }
  21642. CFBundleCloseBundleResourceMap (bundleRef, resFileId);
  21643. CFRelease (bundleRef);
  21644. }
  21645. }
  21646. return componentDesc.componentType != 0 && componentDesc.componentSubType != 0;
  21647. }
  21648. void AudioUnitPluginInstance::initialise()
  21649. {
  21650. if (initialised || audioUnit == 0)
  21651. return;
  21652. log (T("Initialising AU: ") + pluginName);
  21653. parameterIds.clear();
  21654. {
  21655. UInt32 paramListSize = 0;
  21656. AudioUnitGetProperty (audioUnit, kAudioUnitProperty_ParameterList, kAudioUnitScope_Global,
  21657. 0, 0, &paramListSize);
  21658. if (paramListSize > 0)
  21659. {
  21660. parameterIds.insertMultiple (0, 0, paramListSize / sizeof (int));
  21661. AudioUnitGetProperty (audioUnit, kAudioUnitProperty_ParameterList, kAudioUnitScope_Global,
  21662. 0, &parameterIds.getReference(0), &paramListSize);
  21663. }
  21664. }
  21665. {
  21666. AURenderCallbackStruct info;
  21667. zerostruct (info);
  21668. info.inputProcRefCon = this;
  21669. info.inputProc = renderGetInputCallback;
  21670. AudioUnitSetProperty (audioUnit, kAudioUnitProperty_SetRenderCallback, kAudioUnitScope_Input,
  21671. 0, &info, sizeof (info));
  21672. }
  21673. {
  21674. HostCallbackInfo info;
  21675. zerostruct (info);
  21676. info.hostUserData = this;
  21677. info.beatAndTempoProc = getBeatAndTempoCallback;
  21678. info.musicalTimeLocationProc = getMusicalTimeLocationCallback;
  21679. info.transportStateProc = getTransportStateCallback;
  21680. AudioUnitSetProperty (audioUnit, kAudioUnitProperty_HostCallbacks, kAudioUnitScope_Global,
  21681. 0, &info, sizeof (info));
  21682. }
  21683. int numIns, numOuts;
  21684. getNumChannels (numIns, numOuts);
  21685. setPlayConfigDetails (numIns, numOuts, 0, 0);
  21686. initialised = AudioUnitInitialize (audioUnit) == noErr;
  21687. setLatencySamples (0);
  21688. }
  21689. void AudioUnitPluginInstance::prepareToPlay (double sampleRate_,
  21690. int samplesPerBlockExpected)
  21691. {
  21692. initialise();
  21693. if (initialised)
  21694. {
  21695. int numIns, numOuts;
  21696. getNumChannels (numIns, numOuts);
  21697. setPlayConfigDetails (numIns, numOuts, sampleRate_, samplesPerBlockExpected);
  21698. Float64 latencySecs = 0.0;
  21699. UInt32 latencySize = sizeof (latencySecs);
  21700. AudioUnitGetProperty (audioUnit, kAudioUnitProperty_Latency, kAudioUnitScope_Global,
  21701. 0, &latencySecs, &latencySize);
  21702. setLatencySamples (roundDoubleToInt (latencySecs * sampleRate_));
  21703. AudioUnitReset (audioUnit, kAudioUnitScope_Input, 0);
  21704. AudioUnitReset (audioUnit, kAudioUnitScope_Output, 0);
  21705. AudioUnitReset (audioUnit, kAudioUnitScope_Global, 0);
  21706. AudioStreamBasicDescription stream;
  21707. zerostruct (stream);
  21708. stream.mSampleRate = sampleRate_;
  21709. stream.mFormatID = kAudioFormatLinearPCM;
  21710. stream.mFormatFlags = kAudioFormatFlagsNativeFloatPacked | kAudioFormatFlagIsNonInterleaved;
  21711. stream.mFramesPerPacket = 1;
  21712. stream.mBytesPerPacket = 4;
  21713. stream.mBytesPerFrame = 4;
  21714. stream.mBitsPerChannel = 32;
  21715. stream.mChannelsPerFrame = numIns;
  21716. OSStatus err = AudioUnitSetProperty (audioUnit,
  21717. kAudioUnitProperty_StreamFormat,
  21718. kAudioUnitScope_Input,
  21719. 0, &stream, sizeof (stream));
  21720. stream.mChannelsPerFrame = numOuts;
  21721. err = AudioUnitSetProperty (audioUnit,
  21722. kAudioUnitProperty_StreamFormat,
  21723. kAudioUnitScope_Output,
  21724. 0, &stream, sizeof (stream));
  21725. juce_free (outputBufferList);
  21726. outputBufferList = (AudioBufferList*) juce_calloc (sizeof (AudioBufferList) + sizeof (AudioBuffer) * (numOuts + 1));
  21727. outputBufferList->mNumberBuffers = numOuts;
  21728. for (int i = numOuts; --i >= 0;)
  21729. outputBufferList->mBuffers[i].mNumberChannels = 1;
  21730. zerostruct (timeStamp);
  21731. timeStamp.mSampleTime = 0;
  21732. timeStamp.mHostTime = AudioGetCurrentHostTime();
  21733. timeStamp.mFlags = kAudioTimeStampSampleTimeValid | kAudioTimeStampHostTimeValid;
  21734. currentBuffer = 0;
  21735. wasPlaying = false;
  21736. }
  21737. }
  21738. void AudioUnitPluginInstance::releaseResources()
  21739. {
  21740. if (initialised)
  21741. {
  21742. AudioUnitReset (audioUnit, kAudioUnitScope_Input, 0);
  21743. AudioUnitReset (audioUnit, kAudioUnitScope_Output, 0);
  21744. AudioUnitReset (audioUnit, kAudioUnitScope_Global, 0);
  21745. juce_free (outputBufferList);
  21746. outputBufferList = 0;
  21747. currentBuffer = 0;
  21748. }
  21749. }
  21750. OSStatus AudioUnitPluginInstance::renderGetInput (AudioUnitRenderActionFlags* ioActionFlags,
  21751. const AudioTimeStamp* inTimeStamp,
  21752. UInt32 inBusNumber,
  21753. UInt32 inNumberFrames,
  21754. AudioBufferList* ioData) const
  21755. {
  21756. if (inBusNumber == 0
  21757. && currentBuffer != 0)
  21758. {
  21759. jassert (inNumberFrames == currentBuffer->getNumSamples()); // if this ever happens, might need to add extra handling
  21760. for (int i = 0; i < ioData->mNumberBuffers; ++i)
  21761. {
  21762. if (i < currentBuffer->getNumChannels())
  21763. {
  21764. memcpy (ioData->mBuffers[i].mData,
  21765. currentBuffer->getSampleData (i, 0),
  21766. sizeof (float) * inNumberFrames);
  21767. }
  21768. else
  21769. {
  21770. zeromem (ioData->mBuffers[i].mData, sizeof (float) * inNumberFrames);
  21771. }
  21772. }
  21773. }
  21774. return noErr;
  21775. }
  21776. void AudioUnitPluginInstance::processBlock (AudioSampleBuffer& buffer,
  21777. MidiBuffer& midiMessages)
  21778. {
  21779. const int numSamples = buffer.getNumSamples();
  21780. if (initialised)
  21781. {
  21782. AudioUnitRenderActionFlags flags = 0;
  21783. timeStamp.mHostTime = AudioGetCurrentHostTime();
  21784. for (int i = getNumOutputChannels(); --i >= 0;)
  21785. {
  21786. outputBufferList->mBuffers[i].mDataByteSize = sizeof (float) * numSamples;
  21787. outputBufferList->mBuffers[i].mData = buffer.getSampleData (i, 0);
  21788. }
  21789. currentBuffer = &buffer;
  21790. if (wantsMidiMessages)
  21791. {
  21792. const uint8* midiEventData;
  21793. int midiEventSize, midiEventPosition;
  21794. MidiBuffer::Iterator i (midiMessages);
  21795. while (i.getNextEvent (midiEventData, midiEventSize, midiEventPosition))
  21796. {
  21797. if (midiEventSize <= 3)
  21798. MusicDeviceMIDIEvent (audioUnit,
  21799. midiEventData[0], midiEventData[1], midiEventData[2],
  21800. midiEventPosition);
  21801. else
  21802. MusicDeviceSysEx (audioUnit, midiEventData, midiEventSize);
  21803. }
  21804. midiMessages.clear();
  21805. }
  21806. AudioUnitRender (audioUnit, &flags, &timeStamp,
  21807. 0, numSamples, outputBufferList);
  21808. timeStamp.mSampleTime += numSamples;
  21809. }
  21810. else
  21811. {
  21812. // Not initialised, so just bypass..
  21813. for (int i = getNumInputChannels(); i < getNumOutputChannels(); ++i)
  21814. buffer.clear (i, 0, buffer.getNumSamples());
  21815. }
  21816. }
  21817. OSStatus AudioUnitPluginInstance::getBeatAndTempo (Float64* outCurrentBeat, Float64* outCurrentTempo) const
  21818. {
  21819. AudioPlayHead* const ph = getPlayHead();
  21820. AudioPlayHead::CurrentPositionInfo result;
  21821. if (ph != 0 && ph->getCurrentPosition (result))
  21822. {
  21823. *outCurrentBeat = result.ppqPosition;
  21824. *outCurrentTempo = result.bpm;
  21825. }
  21826. else
  21827. {
  21828. *outCurrentBeat = 0;
  21829. *outCurrentTempo = 120.0;
  21830. }
  21831. return noErr;
  21832. }
  21833. OSStatus AudioUnitPluginInstance::getMusicalTimeLocation (UInt32* outDeltaSampleOffsetToNextBeat,
  21834. Float32* outTimeSig_Numerator,
  21835. UInt32* outTimeSig_Denominator,
  21836. Float64* outCurrentMeasureDownBeat) const
  21837. {
  21838. AudioPlayHead* const ph = getPlayHead();
  21839. AudioPlayHead::CurrentPositionInfo result;
  21840. if (ph != 0 && ph->getCurrentPosition (result))
  21841. {
  21842. *outTimeSig_Numerator = result.timeSigNumerator;
  21843. *outTimeSig_Denominator = result.timeSigDenominator;
  21844. *outDeltaSampleOffsetToNextBeat = 0; //xxx
  21845. *outCurrentMeasureDownBeat = result.ppqPositionOfLastBarStart; //xxx wrong
  21846. }
  21847. else
  21848. {
  21849. *outDeltaSampleOffsetToNextBeat = 0;
  21850. *outTimeSig_Numerator = 4;
  21851. *outTimeSig_Denominator = 4;
  21852. *outCurrentMeasureDownBeat = 0;
  21853. }
  21854. return noErr;
  21855. }
  21856. OSStatus AudioUnitPluginInstance::getTransportState (Boolean* outIsPlaying,
  21857. Boolean* outTransportStateChanged,
  21858. Float64* outCurrentSampleInTimeLine,
  21859. Boolean* outIsCycling,
  21860. Float64* outCycleStartBeat,
  21861. Float64* outCycleEndBeat)
  21862. {
  21863. AudioPlayHead* const ph = getPlayHead();
  21864. AudioPlayHead::CurrentPositionInfo result;
  21865. if (ph != 0 && ph->getCurrentPosition (result))
  21866. {
  21867. *outIsPlaying = result.isPlaying;
  21868. *outTransportStateChanged = result.isPlaying != wasPlaying;
  21869. wasPlaying = result.isPlaying;
  21870. *outCurrentSampleInTimeLine = roundDoubleToInt (result.timeInSeconds * getSampleRate());
  21871. *outIsCycling = false;
  21872. *outCycleStartBeat = 0;
  21873. *outCycleEndBeat = 0;
  21874. }
  21875. else
  21876. {
  21877. *outIsPlaying = false;
  21878. *outTransportStateChanged = false;
  21879. *outCurrentSampleInTimeLine = 0;
  21880. *outIsCycling = false;
  21881. *outCycleStartBeat = 0;
  21882. *outCycleEndBeat = 0;
  21883. }
  21884. return noErr;
  21885. }
  21886. static VoidArray activeWindows;
  21887. class AudioUnitPluginWindow : public AudioProcessorEditor,
  21888. public Timer
  21889. {
  21890. public:
  21891. AudioUnitPluginWindow (AudioUnitPluginInstance& plugin_)
  21892. : AudioProcessorEditor (&plugin_),
  21893. plugin (plugin_),
  21894. isOpen (false),
  21895. pluginWantsKeys (false),
  21896. wasShowing (false),
  21897. recursiveResize (false),
  21898. viewComponent (0),
  21899. pluginViewRef (0)
  21900. {
  21901. movementWatcher = new CompMovementWatcher (this);
  21902. activeWindows.add (this);
  21903. setOpaque (true);
  21904. setVisible (true);
  21905. setSize (1, 1);
  21906. ComponentDescription viewList [16];
  21907. UInt32 viewListSize = sizeof (viewList);
  21908. AudioUnitGetProperty (plugin.audioUnit, kAudioUnitProperty_GetUIComponentList, kAudioUnitScope_Global,
  21909. 0, &viewList, &viewListSize);
  21910. componentRecord = FindNextComponent (0, &viewList[0]);
  21911. }
  21912. ~AudioUnitPluginWindow()
  21913. {
  21914. deleteAndZero (movementWatcher);
  21915. closePluginWindow();
  21916. activeWindows.removeValue (this);
  21917. plugin.editorBeingDeleted (this);
  21918. }
  21919. bool isValid() const throw() { return componentRecord != 0; }
  21920. void componentMovedOrResized()
  21921. {
  21922. if (recursiveResize)
  21923. return;
  21924. Component* const topComp = getTopLevelComponent();
  21925. if (topComp->getPeer() != 0)
  21926. {
  21927. int x = 0, y = 0;
  21928. relativePositionToOtherComponent (topComp, x, y);
  21929. recursiveResize = true;
  21930. if (pluginViewRef != 0)
  21931. {
  21932. HIRect r;
  21933. r.origin.x = (float) x;
  21934. r.origin.y = (float) y;
  21935. r.size.width = (float) getWidth();
  21936. r.size.height = (float) getHeight();
  21937. HIViewSetFrame (pluginViewRef, &r);
  21938. }
  21939. recursiveResize = false;
  21940. }
  21941. }
  21942. void componentVisibilityChanged()
  21943. {
  21944. const bool isShowingNow = isShowing();
  21945. if (wasShowing != isShowingNow)
  21946. {
  21947. wasShowing = isShowingNow;
  21948. if (isShowingNow)
  21949. openPluginWindow();
  21950. else
  21951. closePluginWindow();
  21952. }
  21953. componentMovedOrResized();
  21954. }
  21955. void componentPeerChanged()
  21956. {
  21957. closePluginWindow();
  21958. openPluginWindow();
  21959. }
  21960. void timerCallback()
  21961. {
  21962. if (pluginViewRef != 0)
  21963. {
  21964. HIRect bounds;
  21965. HIViewGetBounds (pluginViewRef, &bounds);
  21966. const int w = jmax (32, (int) bounds.size.width);
  21967. const int h = jmax (32, (int) bounds.size.height);
  21968. if (w != getWidth() || h != getHeight())
  21969. {
  21970. setSize (w, h);
  21971. startTimer (50);
  21972. }
  21973. else
  21974. {
  21975. startTimer (jlimit (50, 500, getTimerInterval() + 20));
  21976. }
  21977. }
  21978. }
  21979. bool keyStateChanged()
  21980. {
  21981. return pluginWantsKeys;
  21982. }
  21983. bool keyPressed (const KeyPress&)
  21984. {
  21985. return pluginWantsKeys;
  21986. }
  21987. void paint (Graphics& g)
  21988. {
  21989. if (isOpen)
  21990. {
  21991. ComponentPeer* const peer = getPeer();
  21992. if (peer != 0)
  21993. {
  21994. peer->addMaskedRegion (getScreenX() - peer->getScreenX(),
  21995. getScreenY() - peer->getScreenY(),
  21996. getWidth(), getHeight());
  21997. }
  21998. }
  21999. else
  22000. {
  22001. g.fillAll (Colours::black);
  22002. }
  22003. }
  22004. void broughtToFront()
  22005. {
  22006. activeWindows.removeValue (this);
  22007. activeWindows.add (this);
  22008. }
  22009. juce_UseDebuggingNewOperator
  22010. private:
  22011. AudioUnitPluginInstance& plugin;
  22012. bool isOpen, wasShowing, recursiveResize;
  22013. bool pluginWantsKeys;
  22014. ComponentRecord* componentRecord;
  22015. AudioUnitCarbonView viewComponent;
  22016. HIViewRef pluginViewRef;
  22017. void openPluginWindow()
  22018. {
  22019. if (isOpen || getWindowHandle() == 0 || componentRecord == 0)
  22020. return;
  22021. log (T("Opening AU GUI: ") + plugin.getName());
  22022. isOpen = true;
  22023. pluginWantsKeys = true; //xxx any way to find this out? Does it matter?
  22024. viewComponent = (AudioUnitCarbonView) OpenComponent (componentRecord);
  22025. if (viewComponent != 0)
  22026. {
  22027. Float32Point pos = { getScreenX() - getTopLevelComponent()->getScreenX(),
  22028. getScreenY() - getTopLevelComponent()->getScreenY() };
  22029. Float32Point size = { 250, 200 };
  22030. AudioUnitCarbonViewCreate (viewComponent,
  22031. plugin.audioUnit,
  22032. (WindowRef) getWindowHandle(),
  22033. HIViewGetRoot ((WindowRef) getWindowHandle()),
  22034. &pos, &size,
  22035. (ControlRef*) &pluginViewRef);
  22036. }
  22037. timerCallback(); // to set our comp to the right size
  22038. repaint();
  22039. }
  22040. void closePluginWindow()
  22041. {
  22042. stopTimer();
  22043. if (isOpen)
  22044. {
  22045. log (T("Closing AU GUI: ") + plugin.getName());
  22046. isOpen = false;
  22047. if (viewComponent != 0)
  22048. CloseComponent (viewComponent);
  22049. pluginViewRef = 0;
  22050. }
  22051. }
  22052. class CompMovementWatcher : public ComponentMovementWatcher
  22053. {
  22054. public:
  22055. CompMovementWatcher (AudioUnitPluginWindow* const owner_)
  22056. : ComponentMovementWatcher (owner_),
  22057. owner (owner_)
  22058. {
  22059. }
  22060. void componentMovedOrResized (bool /*wasMoved*/, bool /*wasResized*/)
  22061. {
  22062. owner->componentMovedOrResized();
  22063. }
  22064. void componentPeerChanged()
  22065. {
  22066. owner->componentPeerChanged();
  22067. }
  22068. void componentVisibilityChanged (Component&)
  22069. {
  22070. owner->componentVisibilityChanged();
  22071. }
  22072. private:
  22073. AudioUnitPluginWindow* const owner;
  22074. };
  22075. CompMovementWatcher* movementWatcher;
  22076. };
  22077. AudioProcessorEditor* AudioUnitPluginInstance::createEditor()
  22078. {
  22079. AudioUnitPluginWindow* w = new AudioUnitPluginWindow (*this);
  22080. if (! w->isValid())
  22081. deleteAndZero (w);
  22082. return w;
  22083. }
  22084. const String AudioUnitPluginInstance::getCategory() const
  22085. {
  22086. const char* result = 0;
  22087. switch (componentDesc.componentType)
  22088. {
  22089. case kAudioUnitType_Effect:
  22090. case kAudioUnitType_MusicEffect:
  22091. result = "Effect";
  22092. break;
  22093. case kAudioUnitType_MusicDevice:
  22094. result = "Synth";
  22095. break;
  22096. case kAudioUnitType_Generator:
  22097. result = "Generator";
  22098. break;
  22099. case kAudioUnitType_Panner:
  22100. result = "Panner";
  22101. break;
  22102. default:
  22103. break;
  22104. }
  22105. return result;
  22106. }
  22107. int AudioUnitPluginInstance::getNumParameters()
  22108. {
  22109. return parameterIds.size();
  22110. }
  22111. float AudioUnitPluginInstance::getParameter (int index)
  22112. {
  22113. const ScopedLock sl (lock);
  22114. Float32 value = 0.0f;
  22115. if (audioUnit != 0 && ((unsigned int) index) < (unsigned int) parameterIds.size())
  22116. {
  22117. AudioUnitGetParameter (audioUnit,
  22118. (UInt32) parameterIds.getUnchecked (index),
  22119. kAudioUnitScope_Global, 0,
  22120. &value);
  22121. }
  22122. return value;
  22123. }
  22124. void AudioUnitPluginInstance::setParameter (int index, float newValue)
  22125. {
  22126. const ScopedLock sl (lock);
  22127. if (audioUnit != 0 && ((unsigned int) index) < (unsigned int) parameterIds.size())
  22128. {
  22129. AudioUnitSetParameter (audioUnit,
  22130. (UInt32) parameterIds.getUnchecked (index),
  22131. kAudioUnitScope_Global, 0,
  22132. newValue, 0);
  22133. }
  22134. }
  22135. const String AudioUnitPluginInstance::getParameterName (int index)
  22136. {
  22137. AudioUnitParameterInfo info;
  22138. zerostruct (info);
  22139. UInt32 sz = sizeof (info);
  22140. String name;
  22141. if (AudioUnitGetProperty (audioUnit,
  22142. kAudioUnitProperty_ParameterInfo,
  22143. kAudioUnitScope_Global,
  22144. parameterIds [index], &info, &sz) == noErr)
  22145. {
  22146. if ((info.flags & kAudioUnitParameterFlag_HasCFNameString) != 0)
  22147. name = PlatformUtilities::cfStringToJuceString (info.cfNameString);
  22148. else
  22149. name = String (info.name, sizeof (info.name));
  22150. }
  22151. return name;
  22152. }
  22153. const String AudioUnitPluginInstance::getParameterText (int index)
  22154. {
  22155. return String (getParameter (index));
  22156. }
  22157. bool AudioUnitPluginInstance::isParameterAutomatable (int index) const
  22158. {
  22159. AudioUnitParameterInfo info;
  22160. UInt32 sz = sizeof (info);
  22161. if (AudioUnitGetProperty (audioUnit,
  22162. kAudioUnitProperty_ParameterInfo,
  22163. kAudioUnitScope_Global,
  22164. parameterIds [index], &info, &sz) == noErr)
  22165. {
  22166. return (info.flags & kAudioUnitParameterFlag_NonRealTime) == 0;
  22167. }
  22168. return true;
  22169. }
  22170. int AudioUnitPluginInstance::getNumPrograms()
  22171. {
  22172. CFArrayRef presets;
  22173. UInt32 sz = sizeof (CFArrayRef);
  22174. int num = 0;
  22175. if (AudioUnitGetProperty (audioUnit,
  22176. kAudioUnitProperty_FactoryPresets,
  22177. kAudioUnitScope_Global,
  22178. 0, &presets, &sz) == noErr)
  22179. {
  22180. num = (int) CFArrayGetCount (presets);
  22181. CFRelease (presets);
  22182. }
  22183. return num;
  22184. }
  22185. int AudioUnitPluginInstance::getCurrentProgram()
  22186. {
  22187. AUPreset current;
  22188. current.presetNumber = 0;
  22189. UInt32 sz = sizeof (AUPreset);
  22190. AudioUnitGetProperty (audioUnit,
  22191. kAudioUnitProperty_FactoryPresets,
  22192. kAudioUnitScope_Global,
  22193. 0, &current, &sz);
  22194. return current.presetNumber;
  22195. }
  22196. void AudioUnitPluginInstance::setCurrentProgram (int newIndex)
  22197. {
  22198. AUPreset current;
  22199. current.presetNumber = newIndex;
  22200. current.presetName = 0;
  22201. AudioUnitSetProperty (audioUnit,
  22202. kAudioUnitProperty_FactoryPresets,
  22203. kAudioUnitScope_Global,
  22204. 0, &current, sizeof (AUPreset));
  22205. }
  22206. const String AudioUnitPluginInstance::getProgramName (int index)
  22207. {
  22208. String s;
  22209. CFArrayRef presets;
  22210. UInt32 sz = sizeof (CFArrayRef);
  22211. if (AudioUnitGetProperty (audioUnit,
  22212. kAudioUnitProperty_FactoryPresets,
  22213. kAudioUnitScope_Global,
  22214. 0, &presets, &sz) == noErr)
  22215. {
  22216. for (CFIndex i = 0; i < CFArrayGetCount (presets); ++i)
  22217. {
  22218. const AUPreset* p = (const AUPreset*) CFArrayGetValueAtIndex (presets, i);
  22219. if (p != 0 && p->presetNumber == index)
  22220. {
  22221. s = PlatformUtilities::cfStringToJuceString (p->presetName);
  22222. break;
  22223. }
  22224. }
  22225. CFRelease (presets);
  22226. }
  22227. return s;
  22228. }
  22229. void AudioUnitPluginInstance::changeProgramName (int index, const String& newName)
  22230. {
  22231. jassertfalse // xxx not implemented!
  22232. }
  22233. const String AudioUnitPluginInstance::getInputChannelName (const int index) const
  22234. {
  22235. if (((unsigned int) index) < (unsigned int) getNumInputChannels())
  22236. return T("Input ") + String (index + 1);
  22237. return String::empty;
  22238. }
  22239. bool AudioUnitPluginInstance::isInputChannelStereoPair (int index) const
  22240. {
  22241. if (((unsigned int) index) >= (unsigned int) getNumInputChannels())
  22242. return false;
  22243. return true;
  22244. }
  22245. const String AudioUnitPluginInstance::getOutputChannelName (const int index) const
  22246. {
  22247. if (((unsigned int) index) < (unsigned int) getNumOutputChannels())
  22248. return T("Output ") + String (index + 1);
  22249. return String::empty;
  22250. }
  22251. bool AudioUnitPluginInstance::isOutputChannelStereoPair (int index) const
  22252. {
  22253. if (((unsigned int) index) >= (unsigned int) getNumOutputChannels())
  22254. return false;
  22255. return true;
  22256. }
  22257. void AudioUnitPluginInstance::getStateInformation (MemoryBlock& destData)
  22258. {
  22259. getCurrentProgramStateInformation (destData);
  22260. }
  22261. void AudioUnitPluginInstance::getCurrentProgramStateInformation (MemoryBlock& destData)
  22262. {
  22263. CFPropertyListRef propertyList = 0;
  22264. UInt32 sz = sizeof (CFPropertyListRef);
  22265. if (AudioUnitGetProperty (audioUnit,
  22266. kAudioUnitProperty_ClassInfo,
  22267. kAudioUnitScope_Global,
  22268. 0, &propertyList, &sz) == noErr)
  22269. {
  22270. CFWriteStreamRef stream = CFWriteStreamCreateWithAllocatedBuffers (kCFAllocatorDefault, kCFAllocatorDefault);
  22271. CFWriteStreamOpen (stream);
  22272. CFIndex bytesWritten = CFPropertyListWriteToStream (propertyList, stream, kCFPropertyListBinaryFormat_v1_0, 0);
  22273. CFWriteStreamClose (stream);
  22274. CFDataRef data = (CFDataRef) CFWriteStreamCopyProperty (stream, kCFStreamPropertyDataWritten);
  22275. destData.setSize (bytesWritten);
  22276. destData.copyFrom (CFDataGetBytePtr (data), 0, destData.getSize());
  22277. CFRelease (data);
  22278. CFRelease (stream);
  22279. CFRelease (propertyList);
  22280. }
  22281. }
  22282. void AudioUnitPluginInstance::setStateInformation (const void* data, int sizeInBytes)
  22283. {
  22284. setCurrentProgramStateInformation (data, sizeInBytes);
  22285. }
  22286. void AudioUnitPluginInstance::setCurrentProgramStateInformation (const void* data, int sizeInBytes)
  22287. {
  22288. CFReadStreamRef stream = CFReadStreamCreateWithBytesNoCopy (kCFAllocatorDefault,
  22289. (const UInt8*) data,
  22290. sizeInBytes,
  22291. kCFAllocatorNull);
  22292. CFReadStreamOpen (stream);
  22293. CFPropertyListFormat format = kCFPropertyListBinaryFormat_v1_0;
  22294. CFPropertyListRef propertyList = CFPropertyListCreateFromStream (kCFAllocatorDefault,
  22295. stream,
  22296. 0,
  22297. kCFPropertyListImmutable,
  22298. &format,
  22299. 0);
  22300. CFRelease (stream);
  22301. if (propertyList != 0)
  22302. AudioUnitSetProperty (audioUnit,
  22303. kAudioUnitProperty_ClassInfo,
  22304. kAudioUnitScope_Global,
  22305. 0, &propertyList, sizeof (propertyList));
  22306. }
  22307. AudioUnitPluginFormat::AudioUnitPluginFormat()
  22308. {
  22309. }
  22310. AudioUnitPluginFormat::~AudioUnitPluginFormat()
  22311. {
  22312. }
  22313. void AudioUnitPluginFormat::findAllTypesForFile (OwnedArray <PluginDescription>& results,
  22314. const File& file)
  22315. {
  22316. if (! fileMightContainThisPluginType (file))
  22317. return;
  22318. PluginDescription desc;
  22319. desc.file = file;
  22320. desc.uid = 0;
  22321. AudioUnitPluginInstance* instance = dynamic_cast <AudioUnitPluginInstance*> (createInstanceFromDescription (desc));
  22322. if (instance == 0)
  22323. return;
  22324. try
  22325. {
  22326. instance->fillInPluginDescription (desc);
  22327. results.add (new PluginDescription (desc));
  22328. }
  22329. catch (...)
  22330. {
  22331. // crashed while loading...
  22332. }
  22333. deleteAndZero (instance);
  22334. }
  22335. AudioPluginInstance* AudioUnitPluginFormat::createInstanceFromDescription (const PluginDescription& desc)
  22336. {
  22337. AudioUnitPluginInstance* result = 0;
  22338. if (fileMightContainThisPluginType (desc.file))
  22339. {
  22340. result = new AudioUnitPluginInstance (desc.file);
  22341. if (result->audioUnit != 0)
  22342. {
  22343. result->initialise();
  22344. }
  22345. else
  22346. {
  22347. deleteAndZero (result);
  22348. }
  22349. }
  22350. return result;
  22351. }
  22352. bool AudioUnitPluginFormat::fileMightContainThisPluginType (const File& f)
  22353. {
  22354. return f.hasFileExtension (T(".component"))
  22355. && f.isDirectory();
  22356. }
  22357. const FileSearchPath AudioUnitPluginFormat::getDefaultLocationsToSearch()
  22358. {
  22359. return FileSearchPath ("~/Library/Audio/Plug-Ins/Components;/Library/Audio/Plug-Ins/Components");
  22360. }
  22361. #endif
  22362. END_JUCE_NAMESPACE
  22363. #undef log
  22364. #endif
  22365. /********* End of inlined file: juce_AudioUnitPluginFormat.cpp *********/
  22366. /********* Start of inlined file: juce_VSTPluginFormat.cpp *********/
  22367. #if JUCE_PLUGINHOST_VST
  22368. #ifdef _WIN32
  22369. #undef _WIN32_WINNT
  22370. #define _WIN32_WINNT 0x500
  22371. #undef STRICT
  22372. #define STRICT
  22373. #include <windows.h>
  22374. #include <float.h>
  22375. #pragma warning (disable : 4312)
  22376. #elif defined (LINUX)
  22377. #include <float.h>
  22378. #include <sys/time.h>
  22379. #include <X11/Xlib.h>
  22380. #include <X11/Xutil.h>
  22381. #include <X11/Xatom.h>
  22382. #undef Font
  22383. #undef KeyPress
  22384. #undef Drawable
  22385. #undef Time
  22386. #else
  22387. #include <Carbon/Carbon.h>
  22388. #endif
  22389. BEGIN_JUCE_NAMESPACE
  22390. #undef PRAGMA_ALIGN_SUPPORTED
  22391. #define VST_FORCE_DEPRECATED 0
  22392. #ifdef _MSC_VER
  22393. #pragma warning (push)
  22394. #pragma warning (disable: 4996)
  22395. #endif
  22396. /* Obviously you're going to need the Steinberg vstsdk2.4 folder in
  22397. your include path if you want to add VST support.
  22398. If you're not interested in VSTs, you can disable them by changing the
  22399. JUCE_PLUGINHOST_VST flag in juce_Config.h
  22400. */
  22401. #include "pluginterfaces/vst2.x/aeffectx.h"
  22402. #ifdef _MSC_VER
  22403. #pragma warning (pop)
  22404. #endif
  22405. #if JUCE_LINUX
  22406. #define Font JUCE_NAMESPACE::Font
  22407. #define KeyPress JUCE_NAMESPACE::KeyPress
  22408. #define Drawable JUCE_NAMESPACE::Drawable
  22409. #define Time JUCE_NAMESPACE::Time
  22410. #endif
  22411. #if ! JUCE_WIN32
  22412. #define _fpreset()
  22413. #define _clearfp()
  22414. #endif
  22415. extern void juce_callAnyTimersSynchronously();
  22416. const int fxbVersionNum = 1;
  22417. struct fxProgram
  22418. {
  22419. long chunkMagic; // 'CcnK'
  22420. long byteSize; // of this chunk, excl. magic + byteSize
  22421. long fxMagic; // 'FxCk'
  22422. long version;
  22423. long fxID; // fx unique id
  22424. long fxVersion;
  22425. long numParams;
  22426. char prgName[28];
  22427. float params[1]; // variable no. of parameters
  22428. };
  22429. struct fxSet
  22430. {
  22431. long chunkMagic; // 'CcnK'
  22432. long byteSize; // of this chunk, excl. magic + byteSize
  22433. long fxMagic; // 'FxBk'
  22434. long version;
  22435. long fxID; // fx unique id
  22436. long fxVersion;
  22437. long numPrograms;
  22438. char future[128];
  22439. fxProgram programs[1]; // variable no. of programs
  22440. };
  22441. struct fxChunkSet
  22442. {
  22443. long chunkMagic; // 'CcnK'
  22444. long byteSize; // of this chunk, excl. magic + byteSize
  22445. long fxMagic; // 'FxCh', 'FPCh', or 'FBCh'
  22446. long version;
  22447. long fxID; // fx unique id
  22448. long fxVersion;
  22449. long numPrograms;
  22450. char future[128];
  22451. long chunkSize;
  22452. char chunk[8]; // variable
  22453. };
  22454. struct fxProgramSet
  22455. {
  22456. long chunkMagic; // 'CcnK'
  22457. long byteSize; // of this chunk, excl. magic + byteSize
  22458. long fxMagic; // 'FxCh', 'FPCh', or 'FBCh'
  22459. long version;
  22460. long fxID; // fx unique id
  22461. long fxVersion;
  22462. long numPrograms;
  22463. char name[28];
  22464. long chunkSize;
  22465. char chunk[8]; // variable
  22466. };
  22467. #ifdef JUCE_LITTLE_ENDIAN
  22468. static long vst_swap (const long x) throw() { return (long) swapByteOrder ((uint32) x); }
  22469. static float vst_swapFloat (const float x) throw()
  22470. {
  22471. union { uint32 asInt; float asFloat; } n;
  22472. n.asFloat = x;
  22473. n.asInt = swapByteOrder (n.asInt);
  22474. return n.asFloat;
  22475. }
  22476. #else
  22477. #define vst_swap(x) (x)
  22478. #define vst_swapFloat(x) (x)
  22479. #endif
  22480. typedef AEffect* (*MainCall) (audioMasterCallback);
  22481. static VstIntPtr VSTCALLBACK audioMaster (AEffect* effect, VstInt32 opcode, VstInt32 index, VstIntPtr value, void* ptr, float opt);
  22482. static int shellUIDToCreate = 0;
  22483. static int insideVSTCallback = 0;
  22484. class VSTPluginWindow;
  22485. // Change this to disable logging of various VST activities
  22486. #ifndef VST_LOGGING
  22487. #define VST_LOGGING 1
  22488. #endif
  22489. #if VST_LOGGING
  22490. #define log(a) Logger::writeToLog(a);
  22491. #else
  22492. #define log(a)
  22493. #endif
  22494. #if JUCE_MAC
  22495. extern bool juce_isHIViewCreatedByJuce (HIViewRef view);
  22496. extern bool juce_isWindowCreatedByJuce (WindowRef window);
  22497. #if JUCE_PPC
  22498. static void* NewCFMFromMachO (void* const machofp) throw()
  22499. {
  22500. void* result = juce_malloc (8);
  22501. ((void**) result)[0] = machofp;
  22502. ((void**) result)[1] = result;
  22503. return result;
  22504. }
  22505. #endif
  22506. #endif
  22507. #if JUCE_LINUX
  22508. extern Display* display;
  22509. extern XContext improbableNumber;
  22510. typedef void (*EventProcPtr) (XEvent* ev);
  22511. static bool xErrorTriggered;
  22512. static int temporaryErrorHandler (Display*, XErrorEvent*)
  22513. {
  22514. xErrorTriggered = true;
  22515. return 0;
  22516. }
  22517. static int getPropertyFromXWindow (Window handle, Atom atom)
  22518. {
  22519. XErrorHandler oldErrorHandler = XSetErrorHandler (temporaryErrorHandler);
  22520. xErrorTriggered = false;
  22521. int userSize;
  22522. unsigned long bytes, userCount;
  22523. unsigned char* data;
  22524. Atom userType;
  22525. XGetWindowProperty (display, handle, atom, 0, 1, false, AnyPropertyType,
  22526. &userType, &userSize, &userCount, &bytes, &data);
  22527. XSetErrorHandler (oldErrorHandler);
  22528. return (userCount == 1 && ! xErrorTriggered) ? *(int*) data
  22529. : 0;
  22530. }
  22531. static Window getChildWindow (Window windowToCheck)
  22532. {
  22533. Window rootWindow, parentWindow;
  22534. Window* childWindows;
  22535. unsigned int numChildren;
  22536. XQueryTree (display,
  22537. windowToCheck,
  22538. &rootWindow,
  22539. &parentWindow,
  22540. &childWindows,
  22541. &numChildren);
  22542. if (numChildren > 0)
  22543. return childWindows [0];
  22544. return 0;
  22545. }
  22546. static void translateJuceToXButtonModifiers (const MouseEvent& e, XEvent& ev) throw()
  22547. {
  22548. if (e.mods.isLeftButtonDown())
  22549. {
  22550. ev.xbutton.button = Button1;
  22551. ev.xbutton.state |= Button1Mask;
  22552. }
  22553. else if (e.mods.isRightButtonDown())
  22554. {
  22555. ev.xbutton.button = Button3;
  22556. ev.xbutton.state |= Button3Mask;
  22557. }
  22558. else if (e.mods.isMiddleButtonDown())
  22559. {
  22560. ev.xbutton.button = Button2;
  22561. ev.xbutton.state |= Button2Mask;
  22562. }
  22563. }
  22564. static void translateJuceToXMotionModifiers (const MouseEvent& e, XEvent& ev) throw()
  22565. {
  22566. if (e.mods.isLeftButtonDown())
  22567. ev.xmotion.state |= Button1Mask;
  22568. else if (e.mods.isRightButtonDown())
  22569. ev.xmotion.state |= Button3Mask;
  22570. else if (e.mods.isMiddleButtonDown())
  22571. ev.xmotion.state |= Button2Mask;
  22572. }
  22573. static void translateJuceToXCrossingModifiers (const MouseEvent& e, XEvent& ev) throw()
  22574. {
  22575. if (e.mods.isLeftButtonDown())
  22576. ev.xcrossing.state |= Button1Mask;
  22577. else if (e.mods.isRightButtonDown())
  22578. ev.xcrossing.state |= Button3Mask;
  22579. else if (e.mods.isMiddleButtonDown())
  22580. ev.xcrossing.state |= Button2Mask;
  22581. }
  22582. static void translateJuceToXMouseWheelModifiers (const MouseEvent& e, const float increment, XEvent& ev) throw()
  22583. {
  22584. if (increment < 0)
  22585. {
  22586. ev.xbutton.button = Button5;
  22587. ev.xbutton.state |= Button5Mask;
  22588. }
  22589. else if (increment > 0)
  22590. {
  22591. ev.xbutton.button = Button4;
  22592. ev.xbutton.state |= Button4Mask;
  22593. }
  22594. }
  22595. #endif
  22596. static VoidArray activeModules;
  22597. class ModuleHandle : public ReferenceCountedObject
  22598. {
  22599. public:
  22600. File file;
  22601. MainCall moduleMain;
  22602. String pluginName;
  22603. static ModuleHandle* findOrCreateModule (const File& file)
  22604. {
  22605. for (int i = activeModules.size(); --i >= 0;)
  22606. {
  22607. ModuleHandle* const module = (ModuleHandle*) activeModules.getUnchecked(i);
  22608. if (module->file == file)
  22609. return module;
  22610. }
  22611. _fpreset(); // (doesn't do any harm)
  22612. ++insideVSTCallback;
  22613. shellUIDToCreate = 0;
  22614. log ("Attempting to load VST: " + file.getFullPathName());
  22615. ModuleHandle* m = new ModuleHandle (file);
  22616. if (! m->open())
  22617. deleteAndZero (m);
  22618. --insideVSTCallback;
  22619. _fpreset(); // (doesn't do any harm)
  22620. return m;
  22621. }
  22622. ModuleHandle (const File& file_)
  22623. : file (file_),
  22624. moduleMain (0),
  22625. #if JUCE_WIN32 || JUCE_LINUX
  22626. hModule (0)
  22627. #elif JUCE_MAC
  22628. fragId (0),
  22629. resHandle (0),
  22630. bundleRef (0),
  22631. resFileId (0)
  22632. #endif
  22633. {
  22634. activeModules.add (this);
  22635. #if JUCE_WIN32 || JUCE_LINUX
  22636. fullParentDirectoryPathName = file_.getParentDirectory().getFullPathName();
  22637. #elif JUCE_MAC
  22638. PlatformUtilities::makeFSSpecFromPath (&parentDirFSSpec, file_.getParentDirectory().getFullPathName());
  22639. #endif
  22640. }
  22641. ~ModuleHandle()
  22642. {
  22643. activeModules.removeValue (this);
  22644. close();
  22645. }
  22646. juce_UseDebuggingNewOperator
  22647. #if JUCE_WIN32 || JUCE_LINUX
  22648. void* hModule;
  22649. String fullParentDirectoryPathName;
  22650. bool open()
  22651. {
  22652. #if JUCE_WIN32
  22653. static bool timePeriodSet = false;
  22654. if (! timePeriodSet)
  22655. {
  22656. timePeriodSet = true;
  22657. timeBeginPeriod (2);
  22658. }
  22659. #endif
  22660. pluginName = file.getFileNameWithoutExtension();
  22661. hModule = Process::loadDynamicLibrary (file.getFullPathName());
  22662. moduleMain = (MainCall) Process::getProcedureEntryPoint (hModule, "VSTPluginMain");
  22663. if (moduleMain == 0)
  22664. moduleMain = (MainCall) Process::getProcedureEntryPoint (hModule, "main");
  22665. return moduleMain != 0;
  22666. }
  22667. void close()
  22668. {
  22669. _fpreset(); // (doesn't do any harm)
  22670. Process::freeDynamicLibrary (hModule);
  22671. }
  22672. void closeEffect (AEffect* eff)
  22673. {
  22674. eff->dispatcher (eff, effClose, 0, 0, 0, 0);
  22675. }
  22676. #else
  22677. CFragConnectionID fragId;
  22678. Handle resHandle;
  22679. CFBundleRef bundleRef;
  22680. FSSpec parentDirFSSpec;
  22681. short resFileId;
  22682. bool open()
  22683. {
  22684. bool ok = false;
  22685. const String filename (file.getFullPathName());
  22686. if (file.hasFileExtension (T(".vst")))
  22687. {
  22688. const char* const utf8 = filename.toUTF8();
  22689. CFURLRef url = CFURLCreateFromFileSystemRepresentation (0, (const UInt8*) utf8,
  22690. strlen (utf8), file.isDirectory());
  22691. if (url != 0)
  22692. {
  22693. bundleRef = CFBundleCreate (kCFAllocatorDefault, url);
  22694. CFRelease (url);
  22695. if (bundleRef != 0)
  22696. {
  22697. if (CFBundleLoadExecutable (bundleRef))
  22698. {
  22699. moduleMain = (MainCall) CFBundleGetFunctionPointerForName (bundleRef, CFSTR("main_macho"));
  22700. if (moduleMain == 0)
  22701. moduleMain = (MainCall) CFBundleGetFunctionPointerForName (bundleRef, CFSTR("VSTPluginMain"));
  22702. if (moduleMain != 0)
  22703. {
  22704. CFTypeRef name = CFBundleGetValueForInfoDictionaryKey (bundleRef, CFSTR("CFBundleName"));
  22705. if (name != 0)
  22706. {
  22707. if (CFGetTypeID (name) == CFStringGetTypeID())
  22708. {
  22709. char buffer[1024];
  22710. if (CFStringGetCString ((CFStringRef) name, buffer, sizeof (buffer), CFStringGetSystemEncoding()))
  22711. pluginName = buffer;
  22712. }
  22713. }
  22714. if (pluginName.isEmpty())
  22715. pluginName = file.getFileNameWithoutExtension();
  22716. resFileId = CFBundleOpenBundleResourceMap (bundleRef);
  22717. ok = true;
  22718. }
  22719. }
  22720. if (! ok)
  22721. {
  22722. CFBundleUnloadExecutable (bundleRef);
  22723. CFRelease (bundleRef);
  22724. bundleRef = 0;
  22725. }
  22726. }
  22727. }
  22728. }
  22729. #if JUCE_PPC
  22730. else
  22731. {
  22732. FSRef fn;
  22733. if (FSPathMakeRef ((UInt8*) (const char*) filename, &fn, 0) == noErr)
  22734. {
  22735. resFileId = FSOpenResFile (&fn, fsRdPerm);
  22736. if (resFileId != -1)
  22737. {
  22738. const int numEffs = Count1Resources ('aEff');
  22739. for (int i = 0; i < numEffs; ++i)
  22740. {
  22741. resHandle = Get1IndResource ('aEff', i + 1);
  22742. if (resHandle != 0)
  22743. {
  22744. OSType type;
  22745. Str255 name;
  22746. SInt16 id;
  22747. GetResInfo (resHandle, &id, &type, name);
  22748. pluginName = String ((const char*) name + 1, name[0]);
  22749. DetachResource (resHandle);
  22750. HLock (resHandle);
  22751. Ptr ptr;
  22752. Str255 errorText;
  22753. OSErr err = GetMemFragment (*resHandle, GetHandleSize (resHandle),
  22754. name, kPrivateCFragCopy,
  22755. &fragId, &ptr, errorText);
  22756. if (err == noErr)
  22757. {
  22758. moduleMain = (MainCall) newMachOFromCFM (ptr);
  22759. ok = true;
  22760. }
  22761. else
  22762. {
  22763. HUnlock (resHandle);
  22764. }
  22765. break;
  22766. }
  22767. }
  22768. if (! ok)
  22769. CloseResFile (resFileId);
  22770. }
  22771. }
  22772. }
  22773. #endif
  22774. return ok;
  22775. }
  22776. void close()
  22777. {
  22778. #if JUCE_PPC
  22779. if (fragId != 0)
  22780. {
  22781. if (moduleMain != 0)
  22782. disposeMachOFromCFM ((void*) moduleMain);
  22783. CloseConnection (&fragId);
  22784. HUnlock (resHandle);
  22785. if (resFileId != 0)
  22786. CloseResFile (resFileId);
  22787. }
  22788. else
  22789. #endif
  22790. if (bundleRef != 0)
  22791. {
  22792. CFBundleCloseBundleResourceMap (bundleRef, resFileId);
  22793. if (CFGetRetainCount (bundleRef) == 1)
  22794. CFBundleUnloadExecutable (bundleRef);
  22795. if (CFGetRetainCount (bundleRef) > 0)
  22796. CFRelease (bundleRef);
  22797. }
  22798. }
  22799. void closeEffect (AEffect* eff)
  22800. {
  22801. #if JUCE_PPC
  22802. if (fragId != 0)
  22803. {
  22804. VoidArray thingsToDelete;
  22805. thingsToDelete.add ((void*) eff->dispatcher);
  22806. thingsToDelete.add ((void*) eff->process);
  22807. thingsToDelete.add ((void*) eff->setParameter);
  22808. thingsToDelete.add ((void*) eff->getParameter);
  22809. thingsToDelete.add ((void*) eff->processReplacing);
  22810. eff->dispatcher (eff, effClose, 0, 0, 0, 0);
  22811. for (int i = thingsToDelete.size(); --i >= 0;)
  22812. disposeMachOFromCFM (thingsToDelete[i]);
  22813. }
  22814. else
  22815. #endif
  22816. {
  22817. eff->dispatcher (eff, effClose, 0, 0, 0, 0);
  22818. }
  22819. }
  22820. #if JUCE_PPC
  22821. static void* newMachOFromCFM (void* cfmfp)
  22822. {
  22823. if (cfmfp == 0)
  22824. return 0;
  22825. UInt32* const mfp = (UInt32*) juce_malloc (sizeof (UInt32) * 6);
  22826. mfp[0] = 0x3d800000 | ((UInt32) cfmfp >> 16);
  22827. mfp[1] = 0x618c0000 | ((UInt32) cfmfp & 0xffff);
  22828. mfp[2] = 0x800c0000;
  22829. mfp[3] = 0x804c0004;
  22830. mfp[4] = 0x7c0903a6;
  22831. mfp[5] = 0x4e800420;
  22832. MakeDataExecutable (mfp, sizeof (UInt32) * 6);
  22833. return mfp;
  22834. }
  22835. static void disposeMachOFromCFM (void* ptr)
  22836. {
  22837. juce_free (ptr);
  22838. }
  22839. void coerceAEffectFunctionCalls (AEffect* eff)
  22840. {
  22841. if (fragId != 0)
  22842. {
  22843. eff->dispatcher = (AEffectDispatcherProc) newMachOFromCFM ((void*) eff->dispatcher);
  22844. eff->process = (AEffectProcessProc) newMachOFromCFM ((void*) eff->process);
  22845. eff->setParameter = (AEffectSetParameterProc) newMachOFromCFM ((void*) eff->setParameter);
  22846. eff->getParameter = (AEffectGetParameterProc) newMachOFromCFM ((void*) eff->getParameter);
  22847. eff->processReplacing = (AEffectProcessProc) newMachOFromCFM ((void*) eff->processReplacing);
  22848. }
  22849. }
  22850. #endif
  22851. #endif
  22852. };
  22853. /**
  22854. An instance of a plugin, created by a VSTPluginFormat.
  22855. */
  22856. class VSTPluginInstance : public AudioPluginInstance,
  22857. private Timer,
  22858. private AsyncUpdater
  22859. {
  22860. public:
  22861. ~VSTPluginInstance();
  22862. // AudioPluginInstance methods:
  22863. void fillInPluginDescription (PluginDescription& desc) const
  22864. {
  22865. desc.name = name;
  22866. desc.file = module->file;
  22867. desc.uid = getUID();
  22868. desc.lastFileModTime = desc.file.getLastModificationTime();
  22869. desc.pluginFormatName = "VST";
  22870. desc.category = getCategory();
  22871. {
  22872. char buffer [kVstMaxVendorStrLen + 8];
  22873. zerostruct (buffer);
  22874. dispatch (effGetVendorString, 0, 0, buffer, 0);
  22875. desc.manufacturerName = buffer;
  22876. }
  22877. desc.version = getVersion();
  22878. desc.numInputChannels = getNumInputChannels();
  22879. desc.numOutputChannels = getNumOutputChannels();
  22880. desc.isInstrument = (effect != 0 && (effect->flags & effFlagsIsSynth) != 0);
  22881. }
  22882. const String getName() const { return name; }
  22883. int getUID() const throw();
  22884. bool acceptsMidi() const { return wantsMidiMessages; }
  22885. bool producesMidi() const { return dispatch (effCanDo, 0, 0, (void*) "sendVstMidiEvent", 0) > 0; }
  22886. // AudioProcessor methods:
  22887. void prepareToPlay (double sampleRate, int estimatedSamplesPerBlock);
  22888. void releaseResources();
  22889. void processBlock (AudioSampleBuffer& buffer,
  22890. MidiBuffer& midiMessages);
  22891. AudioProcessorEditor* createEditor();
  22892. const String getInputChannelName (const int index) const;
  22893. bool isInputChannelStereoPair (int index) const;
  22894. const String getOutputChannelName (const int index) const;
  22895. bool isOutputChannelStereoPair (int index) const;
  22896. int getNumParameters() { return effect != 0 ? effect->numParams : 0; }
  22897. float getParameter (int index);
  22898. void setParameter (int index, float newValue);
  22899. const String getParameterName (int index);
  22900. const String getParameterText (int index);
  22901. bool isParameterAutomatable (int index) const;
  22902. int getNumPrograms() { return effect != 0 ? effect->numPrograms : 0; }
  22903. int getCurrentProgram() { return dispatch (effGetProgram, 0, 0, 0, 0); }
  22904. void setCurrentProgram (int index);
  22905. const String getProgramName (int index);
  22906. void changeProgramName (int index, const String& newName);
  22907. void getStateInformation (MemoryBlock& destData);
  22908. void getCurrentProgramStateInformation (MemoryBlock& destData);
  22909. void setStateInformation (const void* data, int sizeInBytes);
  22910. void setCurrentProgramStateInformation (const void* data, int sizeInBytes);
  22911. void timerCallback();
  22912. void handleAsyncUpdate();
  22913. VstIntPtr handleCallback (VstInt32 opcode, VstInt32 index, VstInt32 value, void *ptr, float opt);
  22914. juce_UseDebuggingNewOperator
  22915. private:
  22916. friend class VSTPluginWindow;
  22917. friend class VSTPluginFormat;
  22918. AEffect* effect;
  22919. String name;
  22920. CriticalSection lock;
  22921. bool wantsMidiMessages, initialised, isPowerOn;
  22922. mutable StringArray programNames;
  22923. AudioSampleBuffer tempBuffer;
  22924. CriticalSection midiInLock;
  22925. MidiBuffer incomingMidi;
  22926. void* midiEventsToSend;
  22927. int numAllocatedMidiEvents;
  22928. VstTimeInfo vstHostTime;
  22929. float** channels;
  22930. ReferenceCountedObjectPtr <ModuleHandle> module;
  22931. int dispatch (const int opcode, const int index, const int value, void* const ptr, float opt) const;
  22932. bool restoreProgramSettings (const fxProgram* const prog);
  22933. const String getCurrentProgramName();
  22934. void setParamsInProgramBlock (fxProgram* const prog) throw();
  22935. void updateStoredProgramNames();
  22936. void initialise();
  22937. void ensureMidiEventSize (int numEventsNeeded);
  22938. void freeMidiEvents();
  22939. void handleMidiFromPlugin (const VstEvents* const events);
  22940. void createTempParameterStore (MemoryBlock& dest);
  22941. void restoreFromTempParameterStore (const MemoryBlock& mb);
  22942. const String getParameterLabel (int index) const;
  22943. bool usesChunks() const throw() { return effect != 0 && (effect->flags & effFlagsProgramChunks) != 0; }
  22944. void getChunkData (MemoryBlock& mb, bool isPreset, int maxSizeMB) const;
  22945. void setChunkData (const char* data, int size, bool isPreset);
  22946. bool loadFromFXBFile (const void* data, int numBytes);
  22947. bool saveToFXBFile (MemoryBlock& dest, bool isFXB, int maxSizeMB);
  22948. int getVersionNumber() const throw() { return effect != 0 ? effect->version : 0; }
  22949. const String getVersion() const throw();
  22950. const String getCategory() const throw();
  22951. bool hasEditor() const throw() { return effect != 0 && (effect->flags & effFlagsHasEditor) != 0; }
  22952. void setPower (const bool on);
  22953. VSTPluginInstance (const ReferenceCountedObjectPtr <ModuleHandle>& module);
  22954. };
  22955. VSTPluginInstance::VSTPluginInstance (const ReferenceCountedObjectPtr <ModuleHandle>& module_)
  22956. : effect (0),
  22957. wantsMidiMessages (false),
  22958. initialised (false),
  22959. isPowerOn (false),
  22960. numAllocatedMidiEvents (0),
  22961. midiEventsToSend (0),
  22962. tempBuffer (1, 1),
  22963. channels (0),
  22964. module (module_)
  22965. {
  22966. try
  22967. {
  22968. _fpreset();
  22969. ++insideVSTCallback;
  22970. name = module->pluginName;
  22971. log (T("Creating VST instance: ") + name);
  22972. #if JUCE_MAC
  22973. if (module->resFileId != 0)
  22974. UseResFile (module->resFileId);
  22975. #if JUCE_PPC
  22976. if (module->fragId != 0)
  22977. {
  22978. static void* audioMasterCoerced = 0;
  22979. if (audioMasterCoerced == 0)
  22980. audioMasterCoerced = NewCFMFromMachO ((void*) &audioMaster);
  22981. effect = module->moduleMain ((audioMasterCallback) audioMasterCoerced);
  22982. }
  22983. else
  22984. #endif
  22985. #endif
  22986. {
  22987. effect = module->moduleMain (&audioMaster);
  22988. }
  22989. --insideVSTCallback;
  22990. if (effect != 0 && effect->magic == kEffectMagic)
  22991. {
  22992. #if JUCE_PPC
  22993. module->coerceAEffectFunctionCalls (effect);
  22994. #endif
  22995. jassert (effect->resvd2 == 0);
  22996. jassert (effect->object != 0);
  22997. _fpreset(); // some dodgy plugs fuck around with this
  22998. }
  22999. else
  23000. {
  23001. effect = 0;
  23002. }
  23003. }
  23004. catch (...)
  23005. {
  23006. --insideVSTCallback;
  23007. }
  23008. }
  23009. VSTPluginInstance::~VSTPluginInstance()
  23010. {
  23011. {
  23012. const ScopedLock sl (lock);
  23013. jassert (insideVSTCallback == 0);
  23014. if (effect != 0 && effect->magic == kEffectMagic)
  23015. {
  23016. try
  23017. {
  23018. #if JUCE_MAC
  23019. if (module->resFileId != 0)
  23020. UseResFile (module->resFileId);
  23021. #endif
  23022. // Must delete any editors before deleting the plugin instance!
  23023. jassert (getActiveEditor() == 0);
  23024. _fpreset(); // some dodgy plugs fuck around with this
  23025. module->closeEffect (effect);
  23026. }
  23027. catch (...)
  23028. {}
  23029. }
  23030. module = 0;
  23031. effect = 0;
  23032. }
  23033. freeMidiEvents();
  23034. juce_free (channels);
  23035. channels = 0;
  23036. }
  23037. void VSTPluginInstance::initialise()
  23038. {
  23039. if (initialised || effect == 0)
  23040. return;
  23041. log (T("Initialising VST: ") + module->pluginName);
  23042. initialised = true;
  23043. dispatch (effIdentify, 0, 0, 0, 0);
  23044. // this code would ask the plugin for its name, but so few plugins
  23045. // actually bother implementing this correctly, that it's better to
  23046. // just ignore it and use the file name instead.
  23047. /* {
  23048. char buffer [256];
  23049. zerostruct (buffer);
  23050. dispatch (effGetEffectName, 0, 0, buffer, 0);
  23051. name = String (buffer).trim();
  23052. if (name.isEmpty())
  23053. name = module->pluginName;
  23054. }
  23055. */
  23056. if (getSampleRate() > 0)
  23057. dispatch (effSetSampleRate, 0, 0, 0, (float) getSampleRate());
  23058. if (getBlockSize() > 0)
  23059. dispatch (effSetBlockSize, 0, jmax (32, getBlockSize()), 0, 0);
  23060. dispatch (effOpen, 0, 0, 0, 0);
  23061. setPlayConfigDetails (effect->numInputs, effect->numOutputs,
  23062. getSampleRate(), getBlockSize());
  23063. if (getNumPrograms() > 1)
  23064. setCurrentProgram (0);
  23065. else
  23066. dispatch (effSetProgram, 0, 0, 0, 0);
  23067. int i;
  23068. for (i = effect->numInputs; --i >= 0;)
  23069. dispatch (effConnectInput, i, 1, 0, 0);
  23070. for (i = effect->numOutputs; --i >= 0;)
  23071. dispatch (effConnectOutput, i, 1, 0, 0);
  23072. updateStoredProgramNames();
  23073. wantsMidiMessages = dispatch (effCanDo, 0, 0, (void*) "receiveVstMidiEvent", 0) > 0;
  23074. setLatencySamples (effect->initialDelay);
  23075. }
  23076. void VSTPluginInstance::prepareToPlay (double sampleRate_,
  23077. int samplesPerBlockExpected)
  23078. {
  23079. setPlayConfigDetails (effect->numInputs, effect->numOutputs,
  23080. sampleRate_, samplesPerBlockExpected);
  23081. setLatencySamples (effect->initialDelay);
  23082. juce_free (channels);
  23083. channels = (float**) juce_calloc (sizeof (float*) * jmax (16, getNumOutputChannels() + 2, getNumInputChannels() + 2));
  23084. vstHostTime.tempo = 120.0;
  23085. vstHostTime.timeSigNumerator = 4;
  23086. vstHostTime.timeSigDenominator = 4;
  23087. vstHostTime.sampleRate = sampleRate_;
  23088. vstHostTime.samplePos = 0;
  23089. vstHostTime.flags = kVstNanosValid; /*| kVstTransportPlaying | kVstTempoValid | kVstTimeSigValid*/;
  23090. initialise();
  23091. if (initialised)
  23092. {
  23093. wantsMidiMessages = wantsMidiMessages
  23094. || (dispatch (effCanDo, 0, 0, (void*) "receiveVstMidiEvent", 0) > 0);
  23095. if (wantsMidiMessages)
  23096. ensureMidiEventSize (256);
  23097. else
  23098. freeMidiEvents();
  23099. incomingMidi.clear();
  23100. dispatch (effSetSampleRate, 0, 0, 0, (float) sampleRate_);
  23101. dispatch (effSetBlockSize, 0, jmax (16, samplesPerBlockExpected), 0, 0);
  23102. tempBuffer.setSize (jmax (1, effect->numOutputs), samplesPerBlockExpected);
  23103. if (! isPowerOn)
  23104. setPower (true);
  23105. // dodgy hack to force some plugins to initialise the sample rate..
  23106. if ((! hasEditor()) && getNumParameters() > 0)
  23107. {
  23108. const float old = getParameter (0);
  23109. setParameter (0, (old < 0.5f) ? 1.0f : 0.0f);
  23110. setParameter (0, old);
  23111. }
  23112. dispatch (effStartProcess, 0, 0, 0, 0);
  23113. }
  23114. }
  23115. void VSTPluginInstance::releaseResources()
  23116. {
  23117. if (initialised)
  23118. {
  23119. dispatch (effStopProcess, 0, 0, 0, 0);
  23120. setPower (false);
  23121. }
  23122. tempBuffer.setSize (1, 1);
  23123. incomingMidi.clear();
  23124. freeMidiEvents();
  23125. juce_free (channels);
  23126. channels = 0;
  23127. }
  23128. void VSTPluginInstance::processBlock (AudioSampleBuffer& buffer,
  23129. MidiBuffer& midiMessages)
  23130. {
  23131. const int numSamples = buffer.getNumSamples();
  23132. if (initialised)
  23133. {
  23134. #if JUCE_WIN32
  23135. vstHostTime.nanoSeconds = timeGetTime() * 1000000.0;
  23136. #elif JUCE_LINUX
  23137. timeval micro;
  23138. gettimeofday (&micro, 0);
  23139. vstHostTime.nanoSeconds = micro.tv_usec * 1000.0;
  23140. #elif JUCE_MAC
  23141. UnsignedWide micro;
  23142. Microseconds (&micro);
  23143. vstHostTime.nanoSeconds = micro.lo * 1000.0;
  23144. #endif
  23145. if (wantsMidiMessages)
  23146. {
  23147. MidiBuffer::Iterator iter (midiMessages);
  23148. int eventIndex = 0;
  23149. const uint8* midiData;
  23150. int numBytesOfMidiData, samplePosition;
  23151. while (iter.getNextEvent (midiData, numBytesOfMidiData, samplePosition))
  23152. {
  23153. if (numBytesOfMidiData < 4)
  23154. {
  23155. ensureMidiEventSize (eventIndex);
  23156. VstMidiEvent* const e
  23157. = (VstMidiEvent*) ((VstEvents*) midiEventsToSend)->events [eventIndex++];
  23158. // check that some plugin hasn't messed up our objects
  23159. jassert (e->type == kVstMidiType);
  23160. jassert (e->byteSize == 24);
  23161. e->deltaFrames = jlimit (0, numSamples - 1, samplePosition);
  23162. e->noteLength = 0;
  23163. e->noteOffset = 0;
  23164. e->midiData[0] = midiData[0];
  23165. e->midiData[1] = midiData[1];
  23166. e->midiData[2] = midiData[2];
  23167. e->detune = 0;
  23168. e->noteOffVelocity = 0;
  23169. }
  23170. }
  23171. if (midiEventsToSend == 0)
  23172. ensureMidiEventSize (1);
  23173. ((VstEvents*) midiEventsToSend)->numEvents = eventIndex;
  23174. try
  23175. {
  23176. effect->dispatcher (effect, effProcessEvents, 0, 0, midiEventsToSend, 0);
  23177. }
  23178. catch (...)
  23179. {}
  23180. }
  23181. int i;
  23182. const int maxChans = jmax (effect->numInputs, effect->numOutputs);
  23183. for (i = 0; i < maxChans; ++i)
  23184. channels[i] = buffer.getSampleData (i);
  23185. channels [maxChans] = 0;
  23186. _clearfp();
  23187. if ((effect->flags & effFlagsCanReplacing) != 0)
  23188. {
  23189. try
  23190. {
  23191. effect->processReplacing (effect, channels, channels, numSamples);
  23192. }
  23193. catch (...)
  23194. {}
  23195. }
  23196. else
  23197. {
  23198. tempBuffer.setSize (effect->numOutputs, numSamples);
  23199. tempBuffer.clear();
  23200. float* outs [64];
  23201. for (i = effect->numOutputs; --i >= 0;)
  23202. outs[i] = tempBuffer.getSampleData (i);
  23203. outs [effect->numOutputs] = 0;
  23204. try
  23205. {
  23206. effect->process (effect, channels, outs, numSamples);
  23207. }
  23208. catch (...)
  23209. {}
  23210. for (i = effect->numOutputs; --i >= 0;)
  23211. buffer.copyFrom (i, 0, outs[i], numSamples);
  23212. }
  23213. }
  23214. else
  23215. {
  23216. // Not initialised, so just bypass..
  23217. for (int i = getNumInputChannels(); i < getNumOutputChannels(); ++i)
  23218. buffer.clear (i, 0, buffer.getNumSamples());
  23219. }
  23220. {
  23221. // copy any incoming midi..
  23222. const ScopedLock sl (midiInLock);
  23223. midiMessages = incomingMidi;
  23224. incomingMidi.clear();
  23225. }
  23226. }
  23227. void VSTPluginInstance::ensureMidiEventSize (int numEventsNeeded)
  23228. {
  23229. if (numEventsNeeded > numAllocatedMidiEvents)
  23230. {
  23231. numEventsNeeded = (numEventsNeeded + 32) & ~31;
  23232. const int size = 20 + sizeof (VstEvent*) * numEventsNeeded;
  23233. if (midiEventsToSend == 0)
  23234. midiEventsToSend = juce_calloc (size);
  23235. else
  23236. midiEventsToSend = juce_realloc (midiEventsToSend, size);
  23237. for (int i = numAllocatedMidiEvents; i < numEventsNeeded; ++i)
  23238. {
  23239. VstMidiEvent* const e = (VstMidiEvent*) juce_calloc (sizeof (VstMidiEvent));
  23240. e->type = kVstMidiType;
  23241. e->byteSize = 24;
  23242. ((VstEvents*) midiEventsToSend)->events[i] = (VstEvent*) e;
  23243. }
  23244. numAllocatedMidiEvents = numEventsNeeded;
  23245. }
  23246. }
  23247. void VSTPluginInstance::freeMidiEvents()
  23248. {
  23249. if (midiEventsToSend != 0)
  23250. {
  23251. for (int i = numAllocatedMidiEvents; --i >= 0;)
  23252. juce_free (((VstEvents*) midiEventsToSend)->events[i]);
  23253. juce_free (midiEventsToSend);
  23254. midiEventsToSend = 0;
  23255. numAllocatedMidiEvents = 0;
  23256. }
  23257. }
  23258. void VSTPluginInstance::handleMidiFromPlugin (const VstEvents* const events)
  23259. {
  23260. if (events != 0)
  23261. {
  23262. const ScopedLock sl (midiInLock);
  23263. for (int i = 0; i < events->numEvents; ++i)
  23264. {
  23265. const VstEvent* const e = events->events[i];
  23266. if (e->type == kVstMidiType)
  23267. {
  23268. incomingMidi.addEvent ((const uint8*) ((const VstMidiEvent*) e)->midiData,
  23269. 3, e->deltaFrames);
  23270. }
  23271. }
  23272. }
  23273. }
  23274. static Array <VSTPluginWindow*> activeVSTWindows;
  23275. class VSTPluginWindow : public AudioProcessorEditor,
  23276. public Timer
  23277. {
  23278. public:
  23279. VSTPluginWindow (VSTPluginInstance& plugin_)
  23280. : AudioProcessorEditor (&plugin_),
  23281. plugin (plugin_),
  23282. isOpen (false),
  23283. wasShowing (false),
  23284. pluginRefusesToResize (false),
  23285. pluginWantsKeys (false),
  23286. alreadyInside (false),
  23287. recursiveResize (false)
  23288. {
  23289. #if JUCE_WIN32
  23290. sizeCheckCount = 0;
  23291. pluginHWND = 0;
  23292. #elif JUCE_LINUX
  23293. pluginWindow = None;
  23294. pluginProc = None;
  23295. #else
  23296. pluginViewRef = 0;
  23297. #endif
  23298. movementWatcher = new CompMovementWatcher (this);
  23299. activeVSTWindows.add (this);
  23300. setSize (1, 1);
  23301. setOpaque (true);
  23302. setVisible (true);
  23303. }
  23304. ~VSTPluginWindow()
  23305. {
  23306. deleteAndZero (movementWatcher);
  23307. closePluginWindow();
  23308. activeVSTWindows.removeValue (this);
  23309. plugin.editorBeingDeleted (this);
  23310. }
  23311. void componentMovedOrResized()
  23312. {
  23313. if (recursiveResize)
  23314. return;
  23315. Component* const topComp = getTopLevelComponent();
  23316. if (topComp->getPeer() != 0)
  23317. {
  23318. int x = 0, y = 0;
  23319. relativePositionToOtherComponent (topComp, x, y);
  23320. recursiveResize = true;
  23321. #if JUCE_MAC
  23322. if (pluginViewRef != 0)
  23323. {
  23324. HIRect r;
  23325. r.origin.x = (float) x;
  23326. r.origin.y = (float) y;
  23327. r.size.width = (float) getWidth();
  23328. r.size.height = (float) getHeight();
  23329. HIViewSetFrame (pluginViewRef, &r);
  23330. }
  23331. else if (pluginWindowRef != 0)
  23332. {
  23333. Rect r;
  23334. r.left = getScreenX();
  23335. r.top = getScreenY();
  23336. r.right = r.left + getWidth();
  23337. r.bottom = r.top + getHeight();
  23338. WindowGroupRef group = GetWindowGroup (pluginWindowRef);
  23339. WindowGroupAttributes atts;
  23340. GetWindowGroupAttributes (group, &atts);
  23341. ChangeWindowGroupAttributes (group, 0, kWindowGroupAttrMoveTogether);
  23342. SetWindowBounds (pluginWindowRef, kWindowContentRgn, &r);
  23343. if ((atts & kWindowGroupAttrMoveTogether) != 0)
  23344. ChangeWindowGroupAttributes (group, kWindowGroupAttrMoveTogether, 0);
  23345. }
  23346. else
  23347. {
  23348. repaint();
  23349. }
  23350. #elif JUCE_WIN32
  23351. if (pluginHWND != 0)
  23352. MoveWindow (pluginHWND, x, y, getWidth(), getHeight(), TRUE);
  23353. #elif JUCE_LINUX
  23354. if (pluginWindow != 0)
  23355. {
  23356. XResizeWindow (display, pluginWindow, getWidth(), getHeight());
  23357. XMoveWindow (display, pluginWindow, x, y);
  23358. XMapRaised (display, pluginWindow);
  23359. }
  23360. #endif
  23361. recursiveResize = false;
  23362. }
  23363. }
  23364. void componentVisibilityChanged()
  23365. {
  23366. const bool isShowingNow = isShowing();
  23367. if (wasShowing != isShowingNow)
  23368. {
  23369. wasShowing = isShowingNow;
  23370. if (isShowingNow)
  23371. openPluginWindow();
  23372. else
  23373. closePluginWindow();
  23374. }
  23375. componentMovedOrResized();
  23376. }
  23377. void componentPeerChanged()
  23378. {
  23379. closePluginWindow();
  23380. openPluginWindow();
  23381. }
  23382. bool keyStateChanged()
  23383. {
  23384. return pluginWantsKeys;
  23385. }
  23386. bool keyPressed (const KeyPress&)
  23387. {
  23388. return pluginWantsKeys;
  23389. }
  23390. void paint (Graphics& g)
  23391. {
  23392. if (isOpen)
  23393. {
  23394. ComponentPeer* const peer = getPeer();
  23395. if (peer != 0)
  23396. {
  23397. peer->addMaskedRegion (getScreenX() - peer->getScreenX(),
  23398. getScreenY() - peer->getScreenY(),
  23399. getWidth(), getHeight());
  23400. #if JUCE_MAC
  23401. if (pluginViewRef == 0)
  23402. {
  23403. ERect r;
  23404. r.left = getScreenX() - peer->getScreenX();
  23405. r.right = r.left + getWidth();
  23406. r.top = getScreenY() - peer->getScreenY();
  23407. r.bottom = r.top + getHeight();
  23408. dispatch (effEditDraw, 0, 0, &r, 0);
  23409. }
  23410. #elif JUCE_LINUX
  23411. if (pluginWindow != 0)
  23412. {
  23413. const Rectangle clip (g.getClipBounds());
  23414. XEvent ev;
  23415. zerostruct (ev);
  23416. ev.xexpose.type = Expose;
  23417. ev.xexpose.display = display;
  23418. ev.xexpose.window = pluginWindow;
  23419. ev.xexpose.x = clip.getX();
  23420. ev.xexpose.y = clip.getY();
  23421. ev.xexpose.width = clip.getWidth();
  23422. ev.xexpose.height = clip.getHeight();
  23423. sendEventToChild (&ev);
  23424. }
  23425. #endif
  23426. }
  23427. }
  23428. else
  23429. {
  23430. g.fillAll (Colours::black);
  23431. }
  23432. }
  23433. void timerCallback()
  23434. {
  23435. #if JUCE_WIN32
  23436. if (--sizeCheckCount <= 0)
  23437. {
  23438. sizeCheckCount = 10;
  23439. checkPluginWindowSize();
  23440. }
  23441. #endif
  23442. try
  23443. {
  23444. static bool reentrant = false;
  23445. if (! reentrant)
  23446. {
  23447. reentrant = true;
  23448. plugin.dispatch (effEditIdle, 0, 0, 0, 0);
  23449. reentrant = false;
  23450. }
  23451. }
  23452. catch (...)
  23453. {}
  23454. }
  23455. void mouseDown (const MouseEvent& e)
  23456. {
  23457. #if JUCE_MAC
  23458. if (! alreadyInside)
  23459. {
  23460. alreadyInside = true;
  23461. toFront (true);
  23462. dispatch (effEditMouse, e.x, e.y, 0, 0);
  23463. alreadyInside = false;
  23464. }
  23465. else
  23466. {
  23467. PostEvent (::mouseDown, 0);
  23468. }
  23469. #elif JUCE_LINUX
  23470. if (pluginWindow == 0)
  23471. return;
  23472. toFront (true);
  23473. XEvent ev;
  23474. zerostruct (ev);
  23475. ev.xbutton.display = display;
  23476. ev.xbutton.type = ButtonPress;
  23477. ev.xbutton.window = pluginWindow;
  23478. ev.xbutton.root = RootWindow (display, DefaultScreen (display));
  23479. ev.xbutton.time = CurrentTime;
  23480. ev.xbutton.x = e.x;
  23481. ev.xbutton.y = e.y;
  23482. ev.xbutton.x_root = e.getScreenX();
  23483. ev.xbutton.y_root = e.getScreenY();
  23484. translateJuceToXButtonModifiers (e, ev);
  23485. sendEventToChild (&ev);
  23486. #else
  23487. (void) e;
  23488. toFront (true);
  23489. #endif
  23490. }
  23491. void broughtToFront()
  23492. {
  23493. activeVSTWindows.removeValue (this);
  23494. activeVSTWindows.add (this);
  23495. #if JUCE_MAC
  23496. dispatch (effEditTop, 0, 0, 0, 0);
  23497. #endif
  23498. }
  23499. juce_UseDebuggingNewOperator
  23500. private:
  23501. VSTPluginInstance& plugin;
  23502. bool isOpen, wasShowing, recursiveResize;
  23503. bool pluginWantsKeys, pluginRefusesToResize, alreadyInside;
  23504. #if JUCE_WIN32
  23505. HWND pluginHWND;
  23506. void* originalWndProc;
  23507. int sizeCheckCount;
  23508. #elif JUCE_MAC
  23509. HIViewRef pluginViewRef;
  23510. WindowRef pluginWindowRef;
  23511. #elif JUCE_LINUX
  23512. Window pluginWindow;
  23513. EventProcPtr pluginProc;
  23514. #endif
  23515. void openPluginWindow()
  23516. {
  23517. if (isOpen || getWindowHandle() == 0)
  23518. return;
  23519. log (T("Opening VST UI: ") + plugin.name);
  23520. isOpen = true;
  23521. ERect* rect = 0;
  23522. dispatch (effEditGetRect, 0, 0, &rect, 0);
  23523. dispatch (effEditOpen, 0, 0, getWindowHandle(), 0);
  23524. // do this before and after like in the steinberg example
  23525. dispatch (effEditGetRect, 0, 0, &rect, 0);
  23526. dispatch (effGetProgram, 0, 0, 0, 0); // also in steinberg code
  23527. // Install keyboard hooks
  23528. pluginWantsKeys = (dispatch (effKeysRequired, 0, 0, 0, 0) == 0);
  23529. #if JUCE_WIN32
  23530. originalWndProc = 0;
  23531. pluginHWND = GetWindow ((HWND) getWindowHandle(), GW_CHILD);
  23532. if (pluginHWND == 0)
  23533. {
  23534. isOpen = false;
  23535. setSize (300, 150);
  23536. return;
  23537. }
  23538. #pragma warning (push)
  23539. #pragma warning (disable: 4244)
  23540. originalWndProc = (void*) GetWindowLongPtr (pluginHWND, GWL_WNDPROC);
  23541. if (! pluginWantsKeys)
  23542. SetWindowLongPtr (pluginHWND, GWL_WNDPROC, (LONG_PTR) vstHookWndProc);
  23543. #pragma warning (pop)
  23544. int w, h;
  23545. RECT r;
  23546. GetWindowRect (pluginHWND, &r);
  23547. w = r.right - r.left;
  23548. h = r.bottom - r.top;
  23549. if (rect != 0)
  23550. {
  23551. const int rw = rect->right - rect->left;
  23552. const int rh = rect->bottom - rect->top;
  23553. if ((rw > 50 && rh > 50 && rw < 2000 && rh < 2000 && rw != w && rh != h)
  23554. || ((w == 0 && rw > 0) || (h == 0 && rh > 0)))
  23555. {
  23556. // very dodgy logic to decide which size is right.
  23557. if (abs (rw - w) > 350 || abs (rh - h) > 350)
  23558. {
  23559. SetWindowPos (pluginHWND, 0,
  23560. 0, 0, rw, rh,
  23561. SWP_NOMOVE | SWP_NOACTIVATE | SWP_NOOWNERZORDER | SWP_NOZORDER);
  23562. GetWindowRect (pluginHWND, &r);
  23563. w = r.right - r.left;
  23564. h = r.bottom - r.top;
  23565. pluginRefusesToResize = (w != rw) || (h != rh);
  23566. w = rw;
  23567. h = rh;
  23568. }
  23569. }
  23570. }
  23571. #elif JUCE_MAC
  23572. HIViewRef root = HIViewGetRoot ((WindowRef) getWindowHandle());
  23573. HIViewFindByID (root, kHIViewWindowContentID, &root);
  23574. pluginViewRef = HIViewGetFirstSubview (root);
  23575. while (pluginViewRef != 0 && juce_isHIViewCreatedByJuce (pluginViewRef))
  23576. pluginViewRef = HIViewGetNextView (pluginViewRef);
  23577. pluginWindowRef = 0;
  23578. if (pluginViewRef == 0)
  23579. {
  23580. WindowGroupRef ourGroup = GetWindowGroup ((WindowRef) getWindowHandle());
  23581. //DebugPrintWindowGroup (ourGroup);
  23582. //DebugPrintAllWindowGroups();
  23583. GetIndexedWindow (ourGroup, 1,
  23584. kWindowGroupContentsVisible,
  23585. &pluginWindowRef);
  23586. if (pluginWindowRef == (WindowRef) getWindowHandle()
  23587. || juce_isWindowCreatedByJuce (pluginWindowRef))
  23588. pluginWindowRef = 0;
  23589. }
  23590. int w = 250, h = 150;
  23591. if (rect != 0)
  23592. {
  23593. w = rect->right - rect->left;
  23594. h = rect->bottom - rect->top;
  23595. if (w == 0 || h == 0)
  23596. {
  23597. w = 250;
  23598. h = 150;
  23599. }
  23600. }
  23601. #elif JUCE_LINUX
  23602. pluginWindow = getChildWindow ((Window) getWindowHandle());
  23603. if (pluginWindow != 0)
  23604. pluginProc = (EventProcPtr) getPropertyFromXWindow (pluginWindow,
  23605. XInternAtom (display, "_XEventProc", False));
  23606. int w = 250, h = 150;
  23607. if (rect != 0)
  23608. {
  23609. w = rect->right - rect->left;
  23610. h = rect->bottom - rect->top;
  23611. if (w == 0 || h == 0)
  23612. {
  23613. w = 250;
  23614. h = 150;
  23615. }
  23616. }
  23617. if (pluginWindow != 0)
  23618. XMapRaised (display, pluginWindow);
  23619. #endif
  23620. // double-check it's not too tiny
  23621. w = jmax (w, 32);
  23622. h = jmax (h, 32);
  23623. setSize (w, h);
  23624. #if JUCE_WIN32
  23625. checkPluginWindowSize();
  23626. #endif
  23627. startTimer (18 + JUCE_NAMESPACE::Random::getSystemRandom().nextInt (5));
  23628. repaint();
  23629. }
  23630. void closePluginWindow()
  23631. {
  23632. if (isOpen)
  23633. {
  23634. log (T("Closing VST UI: ") + plugin.getName());
  23635. isOpen = false;
  23636. dispatch (effEditClose, 0, 0, 0, 0);
  23637. #if JUCE_WIN32
  23638. #pragma warning (push)
  23639. #pragma warning (disable: 4244)
  23640. if (pluginHWND != 0 && IsWindow (pluginHWND))
  23641. SetWindowLongPtr (pluginHWND, GWL_WNDPROC, (LONG_PTR) originalWndProc);
  23642. #pragma warning (pop)
  23643. stopTimer();
  23644. if (pluginHWND != 0 && IsWindow (pluginHWND))
  23645. DestroyWindow (pluginHWND);
  23646. pluginHWND = 0;
  23647. #elif JUCE_MAC
  23648. dispatch (effEditSleep, 0, 0, 0, 0);
  23649. pluginViewRef = 0;
  23650. stopTimer();
  23651. #elif JUCE_LINUX
  23652. stopTimer();
  23653. pluginWindow = 0;
  23654. pluginProc = 0;
  23655. #endif
  23656. }
  23657. }
  23658. #if JUCE_WIN32
  23659. void checkPluginWindowSize() throw()
  23660. {
  23661. RECT r;
  23662. GetWindowRect (pluginHWND, &r);
  23663. const int w = r.right - r.left;
  23664. const int h = r.bottom - r.top;
  23665. if (isShowing() && w > 0 && h > 0
  23666. && (w != getWidth() || h != getHeight())
  23667. && ! pluginRefusesToResize)
  23668. {
  23669. setSize (w, h);
  23670. sizeCheckCount = 0;
  23671. }
  23672. }
  23673. #endif
  23674. class CompMovementWatcher : public ComponentMovementWatcher
  23675. {
  23676. public:
  23677. CompMovementWatcher (VSTPluginWindow* const owner_)
  23678. : ComponentMovementWatcher (owner_),
  23679. owner (owner_)
  23680. {
  23681. }
  23682. void componentMovedOrResized (bool /*wasMoved*/, bool /*wasResized*/)
  23683. {
  23684. owner->componentMovedOrResized();
  23685. }
  23686. void componentPeerChanged()
  23687. {
  23688. owner->componentPeerChanged();
  23689. }
  23690. void componentVisibilityChanged (Component&)
  23691. {
  23692. owner->componentVisibilityChanged();
  23693. }
  23694. private:
  23695. VSTPluginWindow* const owner;
  23696. };
  23697. CompMovementWatcher* movementWatcher;
  23698. int dispatch (const int opcode, const int index, const int value, void* const ptr, float opt)
  23699. {
  23700. return plugin.dispatch (opcode, index, value, ptr, opt);
  23701. }
  23702. // hooks to get keyboard events from VST windows..
  23703. #if JUCE_WIN32
  23704. static LRESULT CALLBACK vstHookWndProc (HWND hW, UINT message, WPARAM wParam, LPARAM lParam)
  23705. {
  23706. for (int i = activeVSTWindows.size(); --i >= 0;)
  23707. {
  23708. const VSTPluginWindow* const w = (const VSTPluginWindow*) activeVSTWindows.getUnchecked (i);
  23709. if (w->pluginHWND == hW)
  23710. {
  23711. if (message == WM_CHAR
  23712. || message == WM_KEYDOWN
  23713. || message == WM_SYSKEYDOWN
  23714. || message == WM_KEYUP
  23715. || message == WM_SYSKEYUP
  23716. || message == WM_APPCOMMAND)
  23717. {
  23718. SendMessage ((HWND) w->getTopLevelComponent()->getWindowHandle(),
  23719. message, wParam, lParam);
  23720. }
  23721. return CallWindowProc ((WNDPROC) (w->originalWndProc),
  23722. (HWND) w->pluginHWND,
  23723. message,
  23724. wParam,
  23725. lParam);
  23726. }
  23727. }
  23728. return DefWindowProc (hW, message, wParam, lParam);
  23729. }
  23730. #endif
  23731. #if JUCE_LINUX
  23732. // overload mouse/keyboard events to forward them to the plugin's inner window..
  23733. void sendEventToChild (XEvent* event)
  23734. {
  23735. if (pluginProc != 0)
  23736. {
  23737. // if the plugin publishes an event procedure, pass the event directly..
  23738. pluginProc (event);
  23739. }
  23740. else if (pluginWindow != 0)
  23741. {
  23742. // if the plugin has a window, then send the event to the window so that
  23743. // its message thread will pick it up..
  23744. XSendEvent (display, pluginWindow, False, 0L, event);
  23745. XFlush (display);
  23746. }
  23747. }
  23748. void mouseEnter (const MouseEvent& e)
  23749. {
  23750. if (pluginWindow != 0)
  23751. {
  23752. XEvent ev;
  23753. zerostruct (ev);
  23754. ev.xcrossing.display = display;
  23755. ev.xcrossing.type = EnterNotify;
  23756. ev.xcrossing.window = pluginWindow;
  23757. ev.xcrossing.root = RootWindow (display, DefaultScreen (display));
  23758. ev.xcrossing.time = CurrentTime;
  23759. ev.xcrossing.x = e.x;
  23760. ev.xcrossing.y = e.y;
  23761. ev.xcrossing.x_root = e.getScreenX();
  23762. ev.xcrossing.y_root = e.getScreenY();
  23763. ev.xcrossing.mode = NotifyNormal; // NotifyGrab, NotifyUngrab
  23764. ev.xcrossing.detail = NotifyAncestor; // NotifyVirtual, NotifyInferior, NotifyNonlinear,NotifyNonlinearVirtual
  23765. translateJuceToXCrossingModifiers (e, ev);
  23766. sendEventToChild (&ev);
  23767. }
  23768. }
  23769. void mouseExit (const MouseEvent& e)
  23770. {
  23771. if (pluginWindow != 0)
  23772. {
  23773. XEvent ev;
  23774. zerostruct (ev);
  23775. ev.xcrossing.display = display;
  23776. ev.xcrossing.type = LeaveNotify;
  23777. ev.xcrossing.window = pluginWindow;
  23778. ev.xcrossing.root = RootWindow (display, DefaultScreen (display));
  23779. ev.xcrossing.time = CurrentTime;
  23780. ev.xcrossing.x = e.x;
  23781. ev.xcrossing.y = e.y;
  23782. ev.xcrossing.x_root = e.getScreenX();
  23783. ev.xcrossing.y_root = e.getScreenY();
  23784. ev.xcrossing.mode = NotifyNormal; // NotifyGrab, NotifyUngrab
  23785. ev.xcrossing.detail = NotifyAncestor; // NotifyVirtual, NotifyInferior, NotifyNonlinear,NotifyNonlinearVirtual
  23786. ev.xcrossing.focus = hasKeyboardFocus (true); // TODO - yes ?
  23787. translateJuceToXCrossingModifiers (e, ev);
  23788. sendEventToChild (&ev);
  23789. }
  23790. }
  23791. void mouseMove (const MouseEvent& e)
  23792. {
  23793. if (pluginWindow != 0)
  23794. {
  23795. XEvent ev;
  23796. zerostruct (ev);
  23797. ev.xmotion.display = display;
  23798. ev.xmotion.type = MotionNotify;
  23799. ev.xmotion.window = pluginWindow;
  23800. ev.xmotion.root = RootWindow (display, DefaultScreen (display));
  23801. ev.xmotion.time = CurrentTime;
  23802. ev.xmotion.is_hint = NotifyNormal;
  23803. ev.xmotion.x = e.x;
  23804. ev.xmotion.y = e.y;
  23805. ev.xmotion.x_root = e.getScreenX();
  23806. ev.xmotion.y_root = e.getScreenY();
  23807. sendEventToChild (&ev);
  23808. }
  23809. }
  23810. void mouseDrag (const MouseEvent& e)
  23811. {
  23812. if (pluginWindow != 0)
  23813. {
  23814. XEvent ev;
  23815. zerostruct (ev);
  23816. ev.xmotion.display = display;
  23817. ev.xmotion.type = MotionNotify;
  23818. ev.xmotion.window = pluginWindow;
  23819. ev.xmotion.root = RootWindow (display, DefaultScreen (display));
  23820. ev.xmotion.time = CurrentTime;
  23821. ev.xmotion.x = e.x ;
  23822. ev.xmotion.y = e.y;
  23823. ev.xmotion.x_root = e.getScreenX();
  23824. ev.xmotion.y_root = e.getScreenY();
  23825. ev.xmotion.is_hint = NotifyNormal;
  23826. translateJuceToXMotionModifiers (e, ev);
  23827. sendEventToChild (&ev);
  23828. }
  23829. }
  23830. void mouseUp (const MouseEvent& e)
  23831. {
  23832. if (pluginWindow != 0)
  23833. {
  23834. XEvent ev;
  23835. zerostruct (ev);
  23836. ev.xbutton.display = display;
  23837. ev.xbutton.type = ButtonRelease;
  23838. ev.xbutton.window = pluginWindow;
  23839. ev.xbutton.root = RootWindow (display, DefaultScreen (display));
  23840. ev.xbutton.time = CurrentTime;
  23841. ev.xbutton.x = e.x;
  23842. ev.xbutton.y = e.y;
  23843. ev.xbutton.x_root = e.getScreenX();
  23844. ev.xbutton.y_root = e.getScreenY();
  23845. translateJuceToXButtonModifiers (e, ev);
  23846. sendEventToChild (&ev);
  23847. }
  23848. }
  23849. void mouseWheelMove (const MouseEvent& e,
  23850. float incrementX,
  23851. float incrementY)
  23852. {
  23853. if (pluginWindow != 0)
  23854. {
  23855. XEvent ev;
  23856. zerostruct (ev);
  23857. ev.xbutton.display = display;
  23858. ev.xbutton.type = ButtonPress;
  23859. ev.xbutton.window = pluginWindow;
  23860. ev.xbutton.root = RootWindow (display, DefaultScreen (display));
  23861. ev.xbutton.time = CurrentTime;
  23862. ev.xbutton.x = e.x;
  23863. ev.xbutton.y = e.y;
  23864. ev.xbutton.x_root = e.getScreenX();
  23865. ev.xbutton.y_root = e.getScreenY();
  23866. translateJuceToXMouseWheelModifiers (e, incrementY, ev);
  23867. sendEventToChild (&ev);
  23868. // TODO - put a usleep here ?
  23869. ev.xbutton.type = ButtonRelease;
  23870. sendEventToChild (&ev);
  23871. }
  23872. }
  23873. #endif
  23874. };
  23875. AudioProcessorEditor* VSTPluginInstance::createEditor()
  23876. {
  23877. if (hasEditor())
  23878. return new VSTPluginWindow (*this);
  23879. return 0;
  23880. }
  23881. void VSTPluginInstance::handleAsyncUpdate()
  23882. {
  23883. // indicates that something about the plugin has changed..
  23884. updateHostDisplay();
  23885. }
  23886. bool VSTPluginInstance::restoreProgramSettings (const fxProgram* const prog)
  23887. {
  23888. if (vst_swap (prog->chunkMagic) == 'CcnK' && vst_swap (prog->fxMagic) == 'FxCk')
  23889. {
  23890. changeProgramName (getCurrentProgram(), prog->prgName);
  23891. for (int i = 0; i < vst_swap (prog->numParams); ++i)
  23892. setParameter (i, vst_swapFloat (prog->params[i]));
  23893. return true;
  23894. }
  23895. return false;
  23896. }
  23897. bool VSTPluginInstance::loadFromFXBFile (const void* const data,
  23898. const int dataSize)
  23899. {
  23900. if (dataSize < 28)
  23901. return false;
  23902. const fxSet* const set = (const fxSet*) data;
  23903. if ((vst_swap (set->chunkMagic) != 'CcnK' && vst_swap (set->chunkMagic) != 'KncC')
  23904. || vst_swap (set->version) > fxbVersionNum)
  23905. return false;
  23906. if (vst_swap (set->fxMagic) == 'FxBk')
  23907. {
  23908. // bank of programs
  23909. if (vst_swap (set->numPrograms) >= 0)
  23910. {
  23911. const int oldProg = getCurrentProgram();
  23912. const int numParams = vst_swap (((const fxProgram*) (set->programs))->numParams);
  23913. const int progLen = sizeof (fxProgram) + (numParams - 1) * sizeof (float);
  23914. for (int i = 0; i < vst_swap (set->numPrograms); ++i)
  23915. {
  23916. if (i != oldProg)
  23917. {
  23918. const fxProgram* const prog = (const fxProgram*) (((const char*) (set->programs)) + i * progLen);
  23919. if (((const char*) prog) - ((const char*) set) >= dataSize)
  23920. return false;
  23921. if (vst_swap (set->numPrograms) > 0)
  23922. setCurrentProgram (i);
  23923. if (! restoreProgramSettings (prog))
  23924. return false;
  23925. }
  23926. }
  23927. if (vst_swap (set->numPrograms) > 0)
  23928. setCurrentProgram (oldProg);
  23929. const fxProgram* const prog = (const fxProgram*) (((const char*) (set->programs)) + oldProg * progLen);
  23930. if (((const char*) prog) - ((const char*) set) >= dataSize)
  23931. return false;
  23932. if (! restoreProgramSettings (prog))
  23933. return false;
  23934. }
  23935. }
  23936. else if (vst_swap (set->fxMagic) == 'FxCk')
  23937. {
  23938. // single program
  23939. const fxProgram* const prog = (const fxProgram*) data;
  23940. if (vst_swap (prog->chunkMagic) != 'CcnK')
  23941. return false;
  23942. changeProgramName (getCurrentProgram(), prog->prgName);
  23943. for (int i = 0; i < vst_swap (prog->numParams); ++i)
  23944. setParameter (i, vst_swapFloat (prog->params[i]));
  23945. }
  23946. else if (vst_swap (set->fxMagic) == 'FBCh' || vst_swap (set->fxMagic) == 'hCBF')
  23947. {
  23948. // non-preset chunk
  23949. const fxChunkSet* const cset = (const fxChunkSet*) data;
  23950. if (vst_swap (cset->chunkSize) + sizeof (fxChunkSet) - 8 > (unsigned int) dataSize)
  23951. return false;
  23952. setChunkData (cset->chunk, vst_swap (cset->chunkSize), false);
  23953. }
  23954. else if (vst_swap (set->fxMagic) == 'FPCh' || vst_swap (set->fxMagic) == 'hCPF')
  23955. {
  23956. // preset chunk
  23957. const fxProgramSet* const cset = (const fxProgramSet*) data;
  23958. if (vst_swap (cset->chunkSize) + sizeof (fxProgramSet) - 8 > (unsigned int) dataSize)
  23959. return false;
  23960. setChunkData (cset->chunk, vst_swap (cset->chunkSize), true);
  23961. changeProgramName (getCurrentProgram(), cset->name);
  23962. }
  23963. else
  23964. {
  23965. return false;
  23966. }
  23967. return true;
  23968. }
  23969. void VSTPluginInstance::setParamsInProgramBlock (fxProgram* const prog) throw()
  23970. {
  23971. const int numParams = getNumParameters();
  23972. prog->chunkMagic = vst_swap ('CcnK');
  23973. prog->byteSize = 0;
  23974. prog->fxMagic = vst_swap ('FxCk');
  23975. prog->version = vst_swap (fxbVersionNum);
  23976. prog->fxID = vst_swap (getUID());
  23977. prog->fxVersion = vst_swap (getVersionNumber());
  23978. prog->numParams = vst_swap (numParams);
  23979. getCurrentProgramName().copyToBuffer (prog->prgName, sizeof (prog->prgName) - 1);
  23980. for (int i = 0; i < numParams; ++i)
  23981. prog->params[i] = vst_swapFloat (getParameter (i));
  23982. }
  23983. bool VSTPluginInstance::saveToFXBFile (MemoryBlock& dest, bool isFXB, int maxSizeMB)
  23984. {
  23985. const int numPrograms = getNumPrograms();
  23986. const int numParams = getNumParameters();
  23987. if (usesChunks())
  23988. {
  23989. if (isFXB)
  23990. {
  23991. MemoryBlock chunk;
  23992. getChunkData (chunk, false, maxSizeMB);
  23993. const int totalLen = sizeof (fxChunkSet) + chunk.getSize() - 8;
  23994. dest.setSize (totalLen, true);
  23995. fxChunkSet* const set = (fxChunkSet*) dest.getData();
  23996. set->chunkMagic = vst_swap ('CcnK');
  23997. set->byteSize = 0;
  23998. set->fxMagic = vst_swap ('FBCh');
  23999. set->version = vst_swap (fxbVersionNum);
  24000. set->fxID = vst_swap (getUID());
  24001. set->fxVersion = vst_swap (getVersionNumber());
  24002. set->numPrograms = vst_swap (numPrograms);
  24003. set->chunkSize = vst_swap (chunk.getSize());
  24004. chunk.copyTo (set->chunk, 0, chunk.getSize());
  24005. }
  24006. else
  24007. {
  24008. MemoryBlock chunk;
  24009. getChunkData (chunk, true, maxSizeMB);
  24010. const int totalLen = sizeof (fxProgramSet) + chunk.getSize() - 8;
  24011. dest.setSize (totalLen, true);
  24012. fxProgramSet* const set = (fxProgramSet*) dest.getData();
  24013. set->chunkMagic = vst_swap ('CcnK');
  24014. set->byteSize = 0;
  24015. set->fxMagic = vst_swap ('FPCh');
  24016. set->version = vst_swap (fxbVersionNum);
  24017. set->fxID = vst_swap (getUID());
  24018. set->fxVersion = vst_swap (getVersionNumber());
  24019. set->numPrograms = vst_swap (numPrograms);
  24020. set->chunkSize = vst_swap (chunk.getSize());
  24021. getCurrentProgramName().copyToBuffer (set->name, sizeof (set->name) - 1);
  24022. chunk.copyTo (set->chunk, 0, chunk.getSize());
  24023. }
  24024. }
  24025. else
  24026. {
  24027. if (isFXB)
  24028. {
  24029. const int progLen = sizeof (fxProgram) + (numParams - 1) * sizeof (float);
  24030. const int len = (sizeof (fxSet) - sizeof (fxProgram)) + progLen * jmax (1, numPrograms);
  24031. dest.setSize (len, true);
  24032. fxSet* const set = (fxSet*) dest.getData();
  24033. set->chunkMagic = vst_swap ('CcnK');
  24034. set->byteSize = 0;
  24035. set->fxMagic = vst_swap ('FxBk');
  24036. set->version = vst_swap (fxbVersionNum);
  24037. set->fxID = vst_swap (getUID());
  24038. set->fxVersion = vst_swap (getVersionNumber());
  24039. set->numPrograms = vst_swap (numPrograms);
  24040. const int oldProgram = getCurrentProgram();
  24041. MemoryBlock oldSettings;
  24042. createTempParameterStore (oldSettings);
  24043. setParamsInProgramBlock ((fxProgram*) (((char*) (set->programs)) + oldProgram * progLen));
  24044. for (int i = 0; i < numPrograms; ++i)
  24045. {
  24046. if (i != oldProgram)
  24047. {
  24048. setCurrentProgram (i);
  24049. setParamsInProgramBlock ((fxProgram*) (((char*) (set->programs)) + i * progLen));
  24050. }
  24051. }
  24052. setCurrentProgram (oldProgram);
  24053. restoreFromTempParameterStore (oldSettings);
  24054. }
  24055. else
  24056. {
  24057. const int totalLen = sizeof (fxProgram) + (numParams - 1) * sizeof (float);
  24058. dest.setSize (totalLen, true);
  24059. setParamsInProgramBlock ((fxProgram*) dest.getData());
  24060. }
  24061. }
  24062. return true;
  24063. }
  24064. void VSTPluginInstance::getChunkData (MemoryBlock& mb, bool isPreset, int maxSizeMB) const
  24065. {
  24066. if (usesChunks())
  24067. {
  24068. void* data = 0;
  24069. const int bytes = dispatch (effGetChunk, isPreset ? 1 : 0, 0, &data, 0.0f);
  24070. if (data != 0 && bytes <= maxSizeMB * 1024 * 1024)
  24071. {
  24072. mb.setSize (bytes);
  24073. mb.copyFrom (data, 0, bytes);
  24074. }
  24075. }
  24076. }
  24077. void VSTPluginInstance::setChunkData (const char* data, int size, bool isPreset)
  24078. {
  24079. if (size > 0 && usesChunks())
  24080. {
  24081. dispatch (effSetChunk, isPreset ? 1 : 0, size, (void*) data, 0.0f);
  24082. if (! isPreset)
  24083. updateStoredProgramNames();
  24084. }
  24085. }
  24086. void VSTPluginInstance::timerCallback()
  24087. {
  24088. if (dispatch (effIdle, 0, 0, 0, 0) == 0)
  24089. stopTimer();
  24090. }
  24091. int VSTPluginInstance::dispatch (const int opcode, const int index, const int value, void* const ptr, float opt) const
  24092. {
  24093. const ScopedLock sl (lock);
  24094. ++insideVSTCallback;
  24095. int result = 0;
  24096. try
  24097. {
  24098. if (effect != 0)
  24099. {
  24100. #if JUCE_MAC
  24101. if (module->resFileId != 0)
  24102. UseResFile (module->resFileId);
  24103. CGrafPtr oldPort;
  24104. if (getActiveEditor() != 0)
  24105. {
  24106. int x = 0, y = 0;
  24107. getActiveEditor()->relativePositionToOtherComponent (getActiveEditor()->getTopLevelComponent(), x, y);
  24108. GetPort (&oldPort);
  24109. SetPortWindowPort ((WindowRef) getActiveEditor()->getWindowHandle());
  24110. SetOrigin (-x, -y);
  24111. }
  24112. #endif
  24113. result = effect->dispatcher (effect, opcode, index, value, ptr, opt);
  24114. #if JUCE_MAC
  24115. if (getActiveEditor() != 0)
  24116. SetPort (oldPort);
  24117. module->resFileId = CurResFile();
  24118. #endif
  24119. --insideVSTCallback;
  24120. return result;
  24121. }
  24122. }
  24123. catch (...)
  24124. {
  24125. //char s[512];
  24126. //sprintf (s, "dispatcher (%d, %d, %d, %x, %f)", opcode, index, value, (int)ptr, opt);
  24127. }
  24128. --insideVSTCallback;
  24129. return result;
  24130. }
  24131. // handles non plugin-specific callbacks..
  24132. static VstIntPtr handleGeneralCallback (VstInt32 opcode, VstInt32 index, VstInt32 value, void *ptr, float opt)
  24133. {
  24134. (void) index;
  24135. (void) value;
  24136. (void) opt;
  24137. switch (opcode)
  24138. {
  24139. case audioMasterCanDo:
  24140. {
  24141. static const char* canDos[] = { "supplyIdle",
  24142. "sendVstEvents",
  24143. "sendVstMidiEvent",
  24144. "sendVstTimeInfo",
  24145. "receiveVstEvents",
  24146. "receiveVstMidiEvent",
  24147. "supportShell",
  24148. "shellCategory" };
  24149. for (int i = 0; i < numElementsInArray (canDos); ++i)
  24150. if (strcmp (canDos[i], (const char*) ptr) == 0)
  24151. return 1;
  24152. return 0;
  24153. }
  24154. case audioMasterVersion:
  24155. return 0x2400;
  24156. case audioMasterCurrentId:
  24157. return shellUIDToCreate;
  24158. case audioMasterGetNumAutomatableParameters:
  24159. return 0;
  24160. case audioMasterGetAutomationState:
  24161. return 1;
  24162. case audioMasterGetVendorVersion:
  24163. return 0x0101;
  24164. case audioMasterGetVendorString:
  24165. case audioMasterGetProductString:
  24166. {
  24167. String hostName ("Juce VST Host");
  24168. if (JUCEApplication::getInstance() != 0)
  24169. hostName = JUCEApplication::getInstance()->getApplicationName();
  24170. hostName.copyToBuffer ((char*) ptr, jmin (kVstMaxVendorStrLen, kVstMaxProductStrLen) - 1);
  24171. }
  24172. break;
  24173. case audioMasterGetSampleRate:
  24174. return 44100;
  24175. case audioMasterGetBlockSize:
  24176. return 512;
  24177. case audioMasterSetOutputSampleRate:
  24178. return 0;
  24179. default:
  24180. DBG ("*** Unhandled VST Callback: " + String ((int) opcode));
  24181. break;
  24182. }
  24183. return 0;
  24184. }
  24185. // handles callbacks for a specific plugin
  24186. VstIntPtr VSTPluginInstance::handleCallback (VstInt32 opcode, VstInt32 index, VstInt32 value, void *ptr, float opt)
  24187. {
  24188. switch (opcode)
  24189. {
  24190. case audioMasterAutomate:
  24191. sendParamChangeMessageToListeners (index, opt);
  24192. break;
  24193. case audioMasterProcessEvents:
  24194. handleMidiFromPlugin ((const VstEvents*) ptr);
  24195. break;
  24196. case audioMasterGetTime:
  24197. #ifdef _MSC_VER
  24198. #pragma warning (push)
  24199. #pragma warning (disable: 4311)
  24200. #endif
  24201. return (VstIntPtr) &vstHostTime;
  24202. #ifdef _MSC_VER
  24203. #pragma warning (pop)
  24204. #endif
  24205. break;
  24206. case audioMasterIdle:
  24207. if (insideVSTCallback == 0 && MessageManager::getInstance()->isThisTheMessageThread())
  24208. {
  24209. ++insideVSTCallback;
  24210. #if JUCE_MAC
  24211. if (getActiveEditor() != 0)
  24212. dispatch (effEditIdle, 0, 0, 0, 0);
  24213. #endif
  24214. const MessageManagerLock mml;
  24215. juce_callAnyTimersSynchronously();
  24216. handleUpdateNowIfNeeded();
  24217. for (int i = ComponentPeer::getNumPeers(); --i >= 0;)
  24218. ComponentPeer::getPeer (i)->performAnyPendingRepaintsNow();
  24219. --insideVSTCallback;
  24220. }
  24221. break;
  24222. case audioMasterUpdateDisplay:
  24223. triggerAsyncUpdate();
  24224. break;
  24225. case audioMasterTempoAt:
  24226. // returns (10000 * bpm)
  24227. break;
  24228. case audioMasterNeedIdle:
  24229. startTimer (50);
  24230. break;
  24231. case audioMasterSizeWindow:
  24232. if (getActiveEditor() != 0)
  24233. getActiveEditor()->setSize (index, value);
  24234. return 1;
  24235. case audioMasterGetSampleRate:
  24236. return (VstIntPtr) getSampleRate();
  24237. case audioMasterGetBlockSize:
  24238. return (VstIntPtr) getBlockSize();
  24239. case audioMasterWantMidi:
  24240. wantsMidiMessages = true;
  24241. break;
  24242. case audioMasterGetDirectory:
  24243. #if JUCE_MAC
  24244. return (VstIntPtr) (void*) &module->parentDirFSSpec;
  24245. #else
  24246. return (VstIntPtr) (pointer_sized_uint) (const char*) module->fullParentDirectoryPathName;
  24247. #endif
  24248. case audioMasterGetAutomationState:
  24249. // returns 0: not supported, 1: off, 2:read, 3:write, 4:read/write
  24250. break;
  24251. // none of these are handled (yet)..
  24252. case audioMasterBeginEdit:
  24253. case audioMasterEndEdit:
  24254. case audioMasterSetTime:
  24255. case audioMasterPinConnected:
  24256. case audioMasterGetParameterQuantization:
  24257. case audioMasterIOChanged:
  24258. case audioMasterGetInputLatency:
  24259. case audioMasterGetOutputLatency:
  24260. case audioMasterGetPreviousPlug:
  24261. case audioMasterGetNextPlug:
  24262. case audioMasterWillReplaceOrAccumulate:
  24263. case audioMasterGetCurrentProcessLevel:
  24264. case audioMasterOfflineStart:
  24265. case audioMasterOfflineRead:
  24266. case audioMasterOfflineWrite:
  24267. case audioMasterOfflineGetCurrentPass:
  24268. case audioMasterOfflineGetCurrentMetaPass:
  24269. case audioMasterVendorSpecific:
  24270. case audioMasterSetIcon:
  24271. case audioMasterGetLanguage:
  24272. case audioMasterOpenWindow:
  24273. case audioMasterCloseWindow:
  24274. break;
  24275. default:
  24276. return handleGeneralCallback (opcode, index, value, ptr, opt);
  24277. }
  24278. return 0;
  24279. }
  24280. // entry point for all callbacks from the plugin
  24281. static VstIntPtr VSTCALLBACK audioMaster (AEffect* effect, VstInt32 opcode, VstInt32 index, VstIntPtr value, void* ptr, float opt)
  24282. {
  24283. try
  24284. {
  24285. if (effect != 0 && effect->resvd2 != 0)
  24286. {
  24287. return ((VSTPluginInstance*)(effect->resvd2))
  24288. ->handleCallback (opcode, index, value, ptr, opt);
  24289. }
  24290. return handleGeneralCallback (opcode, index, value, ptr, opt);
  24291. }
  24292. catch (...)
  24293. {
  24294. return 0;
  24295. }
  24296. }
  24297. const String VSTPluginInstance::getVersion() const throw()
  24298. {
  24299. int v = dispatch (effGetVendorVersion, 0, 0, 0, 0);
  24300. String s;
  24301. if (v != 0)
  24302. {
  24303. int versionBits[4];
  24304. int n = 0;
  24305. while (v != 0)
  24306. {
  24307. versionBits [n++] = (v & 0xff);
  24308. v >>= 8;
  24309. }
  24310. s << 'V';
  24311. while (n > 0)
  24312. {
  24313. s << versionBits [--n];
  24314. if (n > 0)
  24315. s << '.';
  24316. }
  24317. }
  24318. return s;
  24319. }
  24320. int VSTPluginInstance::getUID() const throw()
  24321. {
  24322. int uid = effect != 0 ? effect->uniqueID : 0;
  24323. if (uid == 0)
  24324. uid = module->file.hashCode();
  24325. return uid;
  24326. }
  24327. const String VSTPluginInstance::getCategory() const throw()
  24328. {
  24329. const char* result = 0;
  24330. switch (dispatch (effGetPlugCategory, 0, 0, 0, 0))
  24331. {
  24332. case kPlugCategEffect:
  24333. result = "Effect";
  24334. break;
  24335. case kPlugCategSynth:
  24336. result = "Synth";
  24337. break;
  24338. case kPlugCategAnalysis:
  24339. result = "Anaylsis";
  24340. break;
  24341. case kPlugCategMastering:
  24342. result = "Mastering";
  24343. break;
  24344. case kPlugCategSpacializer:
  24345. result = "Spacial";
  24346. break;
  24347. case kPlugCategRoomFx:
  24348. result = "Reverb";
  24349. break;
  24350. case kPlugSurroundFx:
  24351. result = "Surround";
  24352. break;
  24353. case kPlugCategRestoration:
  24354. result = "Restoration";
  24355. break;
  24356. case kPlugCategGenerator:
  24357. result = "Tone generation";
  24358. break;
  24359. default:
  24360. break;
  24361. }
  24362. return result;
  24363. }
  24364. float VSTPluginInstance::getParameter (int index)
  24365. {
  24366. if (effect != 0 && ((unsigned int) index) < (unsigned int) effect->numParams)
  24367. {
  24368. try
  24369. {
  24370. const ScopedLock sl (lock);
  24371. return effect->getParameter (effect, index);
  24372. }
  24373. catch (...)
  24374. {
  24375. }
  24376. }
  24377. return 0.0f;
  24378. }
  24379. void VSTPluginInstance::setParameter (int index, float newValue)
  24380. {
  24381. if (effect != 0 && ((unsigned int) index) < (unsigned int) effect->numParams)
  24382. {
  24383. try
  24384. {
  24385. const ScopedLock sl (lock);
  24386. if (effect->getParameter (effect, index) != newValue)
  24387. effect->setParameter (effect, index, newValue);
  24388. }
  24389. catch (...)
  24390. {
  24391. }
  24392. }
  24393. }
  24394. const String VSTPluginInstance::getParameterName (int index)
  24395. {
  24396. if (effect != 0)
  24397. {
  24398. jassert (index >= 0 && index < effect->numParams);
  24399. char nm [256];
  24400. zerostruct (nm);
  24401. dispatch (effGetParamName, index, 0, nm, 0);
  24402. return String (nm).trim();
  24403. }
  24404. return String::empty;
  24405. }
  24406. const String VSTPluginInstance::getParameterLabel (int index) const
  24407. {
  24408. if (effect != 0)
  24409. {
  24410. jassert (index >= 0 && index < effect->numParams);
  24411. char nm [256];
  24412. zerostruct (nm);
  24413. dispatch (effGetParamLabel, index, 0, nm, 0);
  24414. return String (nm).trim();
  24415. }
  24416. return String::empty;
  24417. }
  24418. const String VSTPluginInstance::getParameterText (int index)
  24419. {
  24420. if (effect != 0)
  24421. {
  24422. jassert (index >= 0 && index < effect->numParams);
  24423. char nm [256];
  24424. zerostruct (nm);
  24425. dispatch (effGetParamDisplay, index, 0, nm, 0);
  24426. return String (nm).trim();
  24427. }
  24428. return String::empty;
  24429. }
  24430. bool VSTPluginInstance::isParameterAutomatable (int index) const
  24431. {
  24432. if (effect != 0)
  24433. {
  24434. jassert (index >= 0 && index < effect->numParams);
  24435. return dispatch (effCanBeAutomated, index, 0, 0, 0) != 0;
  24436. }
  24437. return false;
  24438. }
  24439. void VSTPluginInstance::createTempParameterStore (MemoryBlock& dest)
  24440. {
  24441. dest.setSize (64 + 4 * getNumParameters());
  24442. dest.fillWith (0);
  24443. getCurrentProgramName().copyToBuffer ((char*) dest.getData(), 63);
  24444. float* const p = (float*) (((char*) dest.getData()) + 64);
  24445. for (int i = 0; i < getNumParameters(); ++i)
  24446. p[i] = getParameter(i);
  24447. }
  24448. void VSTPluginInstance::restoreFromTempParameterStore (const MemoryBlock& m)
  24449. {
  24450. changeProgramName (getCurrentProgram(), (const char*) m.getData());
  24451. float* p = (float*) (((char*) m.getData()) + 64);
  24452. for (int i = 0; i < getNumParameters(); ++i)
  24453. setParameter (i, p[i]);
  24454. }
  24455. void VSTPluginInstance::setCurrentProgram (int newIndex)
  24456. {
  24457. if (getNumPrograms() > 0 && newIndex != getCurrentProgram())
  24458. dispatch (effSetProgram, 0, jlimit (0, getNumPrograms() - 1, newIndex), 0, 0);
  24459. }
  24460. const String VSTPluginInstance::getProgramName (int index)
  24461. {
  24462. if (index == getCurrentProgram())
  24463. {
  24464. return getCurrentProgramName();
  24465. }
  24466. else if (effect != 0)
  24467. {
  24468. char nm [256];
  24469. zerostruct (nm);
  24470. if (dispatch (effGetProgramNameIndexed,
  24471. jlimit (0, getNumPrograms(), index),
  24472. -1, nm, 0) != 0)
  24473. {
  24474. return String (nm).trim();
  24475. }
  24476. }
  24477. return programNames [index];
  24478. }
  24479. void VSTPluginInstance::changeProgramName (int index, const String& newName)
  24480. {
  24481. if (index == getCurrentProgram())
  24482. {
  24483. if (getNumPrograms() > 0 && newName != getCurrentProgramName())
  24484. dispatch (effSetProgramName, 0, 0, (void*) (const char*) newName.substring (0, 24), 0.0f);
  24485. }
  24486. else
  24487. {
  24488. jassertfalse // xxx not implemented!
  24489. }
  24490. }
  24491. void VSTPluginInstance::updateStoredProgramNames()
  24492. {
  24493. if (effect != 0 && getNumPrograms() > 0)
  24494. {
  24495. char nm [256];
  24496. zerostruct (nm);
  24497. // only do this if the plugin can't use indexed names..
  24498. if (dispatch (effGetProgramNameIndexed, 0, -1, nm, 0) == 0)
  24499. {
  24500. const int oldProgram = getCurrentProgram();
  24501. MemoryBlock oldSettings;
  24502. createTempParameterStore (oldSettings);
  24503. for (int i = 0; i < getNumPrograms(); ++i)
  24504. {
  24505. setCurrentProgram (i);
  24506. getCurrentProgramName(); // (this updates the list)
  24507. }
  24508. setCurrentProgram (oldProgram);
  24509. restoreFromTempParameterStore (oldSettings);
  24510. }
  24511. }
  24512. }
  24513. const String VSTPluginInstance::getCurrentProgramName()
  24514. {
  24515. if (effect != 0)
  24516. {
  24517. char nm [256];
  24518. zerostruct (nm);
  24519. dispatch (effGetProgramName, 0, 0, nm, 0);
  24520. const int index = getCurrentProgram();
  24521. if (programNames[index].isEmpty())
  24522. {
  24523. while (programNames.size() < index)
  24524. programNames.add (String::empty);
  24525. programNames.set (index, String (nm).trim());
  24526. }
  24527. return String (nm).trim();
  24528. }
  24529. return String::empty;
  24530. }
  24531. const String VSTPluginInstance::getInputChannelName (const int index) const
  24532. {
  24533. if (index >= 0 && index < getNumInputChannels())
  24534. {
  24535. VstPinProperties pinProps;
  24536. if (dispatch (effGetInputProperties, index, 0, &pinProps, 0.0f) != 0)
  24537. return String (pinProps.label, sizeof (pinProps.label));
  24538. }
  24539. return String::empty;
  24540. }
  24541. bool VSTPluginInstance::isInputChannelStereoPair (int index) const
  24542. {
  24543. if (index < 0 || index >= getNumInputChannels())
  24544. return false;
  24545. VstPinProperties pinProps;
  24546. if (dispatch (effGetInputProperties, index, 0, &pinProps, 0.0f) != 0)
  24547. return (pinProps.flags & kVstPinIsStereo) != 0;
  24548. return true;
  24549. }
  24550. const String VSTPluginInstance::getOutputChannelName (const int index) const
  24551. {
  24552. if (index >= 0 && index < getNumOutputChannels())
  24553. {
  24554. VstPinProperties pinProps;
  24555. if (dispatch (effGetOutputProperties, index, 0, &pinProps, 0.0f) != 0)
  24556. return String (pinProps.label, sizeof (pinProps.label));
  24557. }
  24558. return String::empty;
  24559. }
  24560. bool VSTPluginInstance::isOutputChannelStereoPair (int index) const
  24561. {
  24562. if (index < 0 || index >= getNumOutputChannels())
  24563. return false;
  24564. VstPinProperties pinProps;
  24565. if (dispatch (effGetOutputProperties, index, 0, &pinProps, 0.0f) != 0)
  24566. return (pinProps.flags & kVstPinIsStereo) != 0;
  24567. return true;
  24568. }
  24569. void VSTPluginInstance::setPower (const bool on)
  24570. {
  24571. dispatch (effMainsChanged, 0, on ? 1 : 0, 0, 0);
  24572. isPowerOn = on;
  24573. }
  24574. const int defaultMaxSizeMB = 64;
  24575. void VSTPluginInstance::getStateInformation (MemoryBlock& destData)
  24576. {
  24577. saveToFXBFile (destData, true, defaultMaxSizeMB);
  24578. }
  24579. void VSTPluginInstance::getCurrentProgramStateInformation (MemoryBlock& destData)
  24580. {
  24581. saveToFXBFile (destData, false, defaultMaxSizeMB);
  24582. }
  24583. void VSTPluginInstance::setStateInformation (const void* data, int sizeInBytes)
  24584. {
  24585. loadFromFXBFile (data, sizeInBytes);
  24586. }
  24587. void VSTPluginInstance::setCurrentProgramStateInformation (const void* data, int sizeInBytes)
  24588. {
  24589. loadFromFXBFile (data, sizeInBytes);
  24590. }
  24591. VSTPluginFormat::VSTPluginFormat()
  24592. {
  24593. }
  24594. VSTPluginFormat::~VSTPluginFormat()
  24595. {
  24596. }
  24597. void VSTPluginFormat::findAllTypesForFile (OwnedArray <PluginDescription>& results,
  24598. const File& file)
  24599. {
  24600. if (! fileMightContainThisPluginType (file))
  24601. return;
  24602. PluginDescription desc;
  24603. desc.file = file;
  24604. desc.uid = 0;
  24605. VSTPluginInstance* instance = dynamic_cast <VSTPluginInstance*> (createInstanceFromDescription (desc));
  24606. if (instance == 0)
  24607. return;
  24608. try
  24609. {
  24610. #if JUCE_MAC
  24611. if (instance->module->resFileId != 0)
  24612. UseResFile (instance->module->resFileId);
  24613. #endif
  24614. instance->fillInPluginDescription (desc);
  24615. VstPlugCategory category = (VstPlugCategory) instance->dispatch (effGetPlugCategory, 0, 0, 0, 0);
  24616. if (category != kPlugCategShell)
  24617. {
  24618. // Normal plugin...
  24619. results.add (new PluginDescription (desc));
  24620. ++insideVSTCallback;
  24621. instance->dispatch (effOpen, 0, 0, 0, 0);
  24622. --insideVSTCallback;
  24623. }
  24624. else
  24625. {
  24626. // It's a shell plugin, so iterate all the subtypes...
  24627. char shellEffectName [64];
  24628. for (;;)
  24629. {
  24630. zerostruct (shellEffectName);
  24631. const int uid = instance->dispatch (effShellGetNextPlugin, 0, 0, shellEffectName, 0);
  24632. if (uid == 0)
  24633. {
  24634. break;
  24635. }
  24636. else
  24637. {
  24638. desc.uid = uid;
  24639. desc.name = shellEffectName;
  24640. bool alreadyThere = false;
  24641. for (int i = results.size(); --i >= 0;)
  24642. {
  24643. PluginDescription* const d = results.getUnchecked(i);
  24644. if (d->isDuplicateOf (desc))
  24645. {
  24646. alreadyThere = true;
  24647. break;
  24648. }
  24649. }
  24650. if (! alreadyThere)
  24651. results.add (new PluginDescription (desc));
  24652. }
  24653. }
  24654. }
  24655. }
  24656. catch (...)
  24657. {
  24658. // crashed while loading...
  24659. }
  24660. deleteAndZero (instance);
  24661. }
  24662. AudioPluginInstance* VSTPluginFormat::createInstanceFromDescription (const PluginDescription& desc)
  24663. {
  24664. VSTPluginInstance* result = 0;
  24665. if (fileMightContainThisPluginType (desc.file))
  24666. {
  24667. const File previousWorkingDirectory (File::getCurrentWorkingDirectory());
  24668. desc.file.getParentDirectory().setAsCurrentWorkingDirectory();
  24669. const ReferenceCountedObjectPtr <ModuleHandle> module (ModuleHandle::findOrCreateModule (desc.file));
  24670. if (module != 0)
  24671. {
  24672. shellUIDToCreate = desc.uid;
  24673. result = new VSTPluginInstance (module);
  24674. if (result->effect != 0)
  24675. {
  24676. result->effect->resvd2 = (VstIntPtr) (pointer_sized_int) result;
  24677. result->initialise();
  24678. }
  24679. else
  24680. {
  24681. deleteAndZero (result);
  24682. }
  24683. }
  24684. previousWorkingDirectory.setAsCurrentWorkingDirectory();
  24685. }
  24686. return result;
  24687. }
  24688. bool VSTPluginFormat::fileMightContainThisPluginType (const File& f)
  24689. {
  24690. #if JUCE_MAC
  24691. if (f.isDirectory() && f.hasFileExtension (T(".vst")))
  24692. return true;
  24693. #if JUCE_PPC
  24694. FSRef fileRef;
  24695. if (PlatformUtilities::makeFSRefFromPath (&fileRef, f.getFullPathName()))
  24696. {
  24697. const short resFileId = FSOpenResFile (&fileRef, fsRdPerm);
  24698. if (resFileId != -1)
  24699. {
  24700. const int numEffects = Count1Resources ('aEff');
  24701. CloseResFile (resFileId);
  24702. if (numEffects > 0)
  24703. return true;
  24704. }
  24705. }
  24706. #endif
  24707. return false;
  24708. #elif JUCE_WIN32
  24709. return f.existsAsFile()
  24710. && f.hasFileExtension (T(".dll"));
  24711. #elif JUCE_LINUX
  24712. return f.existsAsFile()
  24713. && f.hasFileExtension (T(".so"));
  24714. #endif
  24715. }
  24716. const FileSearchPath VSTPluginFormat::getDefaultLocationsToSearch()
  24717. {
  24718. #if JUCE_MAC
  24719. return FileSearchPath ("~/Library/Audio/Plug-Ins/VST;/Library/Audio/Plug-Ins/VST");
  24720. #elif JUCE_WIN32
  24721. const String programFiles (File::getSpecialLocation (File::globalApplicationsDirectory).getFullPathName());
  24722. return FileSearchPath (programFiles + "\\Steinberg\\VstPlugins");
  24723. #elif JUCE_LINUX
  24724. return FileSearchPath ("/usr/lib/vst");
  24725. #endif
  24726. }
  24727. END_JUCE_NAMESPACE
  24728. #undef log
  24729. #endif
  24730. /********* End of inlined file: juce_VSTPluginFormat.cpp *********/
  24731. /********* Start of inlined file: juce_AudioProcessor.cpp *********/
  24732. BEGIN_JUCE_NAMESPACE
  24733. AudioProcessor::AudioProcessor()
  24734. : playHead (0),
  24735. activeEditor (0),
  24736. sampleRate (0),
  24737. blockSize (0),
  24738. numInputChannels (0),
  24739. numOutputChannels (0),
  24740. latencySamples (0),
  24741. suspended (false),
  24742. nonRealtime (false)
  24743. {
  24744. }
  24745. AudioProcessor::~AudioProcessor()
  24746. {
  24747. // ooh, nasty - the editor should have been deleted before the filter
  24748. // that it refers to is deleted..
  24749. jassert (activeEditor == 0);
  24750. #ifdef JUCE_DEBUG
  24751. // This will fail if you've called beginParameterChangeGesture() for one
  24752. // or more parameters without having made a corresponding call to endParameterChangeGesture...
  24753. jassert (changingParams.countNumberOfSetBits() == 0);
  24754. #endif
  24755. }
  24756. void AudioProcessor::setPlayHead (AudioPlayHead* const newPlayHead) throw()
  24757. {
  24758. playHead = newPlayHead;
  24759. }
  24760. void AudioProcessor::addListener (AudioProcessorListener* const newListener) throw()
  24761. {
  24762. const ScopedLock sl (listenerLock);
  24763. listeners.addIfNotAlreadyThere (newListener);
  24764. }
  24765. void AudioProcessor::removeListener (AudioProcessorListener* const listenerToRemove) throw()
  24766. {
  24767. const ScopedLock sl (listenerLock);
  24768. listeners.removeValue (listenerToRemove);
  24769. }
  24770. void AudioProcessor::setPlayConfigDetails (const int numIns,
  24771. const int numOuts,
  24772. const double sampleRate_,
  24773. const int blockSize_) throw()
  24774. {
  24775. numInputChannels = numIns;
  24776. numOutputChannels = numOuts;
  24777. sampleRate = sampleRate_;
  24778. blockSize = blockSize_;
  24779. }
  24780. void AudioProcessor::setNonRealtime (const bool nonRealtime_) throw()
  24781. {
  24782. nonRealtime = nonRealtime_;
  24783. }
  24784. void AudioProcessor::setLatencySamples (const int newLatency)
  24785. {
  24786. if (latencySamples != newLatency)
  24787. {
  24788. latencySamples = newLatency;
  24789. updateHostDisplay();
  24790. }
  24791. }
  24792. void AudioProcessor::setParameterNotifyingHost (const int parameterIndex,
  24793. const float newValue)
  24794. {
  24795. setParameter (parameterIndex, newValue);
  24796. sendParamChangeMessageToListeners (parameterIndex, newValue);
  24797. }
  24798. void AudioProcessor::sendParamChangeMessageToListeners (const int parameterIndex, const float newValue)
  24799. {
  24800. jassert (((unsigned int) parameterIndex) < (unsigned int) getNumParameters());
  24801. for (int i = listeners.size(); --i >= 0;)
  24802. {
  24803. listenerLock.enter();
  24804. AudioProcessorListener* const l = (AudioProcessorListener*) listeners [i];
  24805. listenerLock.exit();
  24806. if (l != 0)
  24807. l->audioProcessorParameterChanged (this, parameterIndex, newValue);
  24808. }
  24809. }
  24810. void AudioProcessor::beginParameterChangeGesture (int parameterIndex)
  24811. {
  24812. jassert (((unsigned int) parameterIndex) < (unsigned int) getNumParameters());
  24813. #ifdef JUCE_DEBUG
  24814. // This means you've called beginParameterChangeGesture twice in succession without a matching
  24815. // call to endParameterChangeGesture. That might be fine in most hosts, but better to avoid doing it.
  24816. jassert (! changingParams [parameterIndex]);
  24817. changingParams.setBit (parameterIndex);
  24818. #endif
  24819. for (int i = listeners.size(); --i >= 0;)
  24820. {
  24821. listenerLock.enter();
  24822. AudioProcessorListener* const l = (AudioProcessorListener*) listeners [i];
  24823. listenerLock.exit();
  24824. if (l != 0)
  24825. l->audioProcessorParameterChangeGestureBegin (this, parameterIndex);
  24826. }
  24827. }
  24828. void AudioProcessor::endParameterChangeGesture (int parameterIndex)
  24829. {
  24830. jassert (((unsigned int) parameterIndex) < (unsigned int) getNumParameters());
  24831. #ifdef JUCE_DEBUG
  24832. // This means you've called endParameterChangeGesture without having previously called
  24833. // endParameterChangeGesture. That might be fine in most hosts, but better to keep the
  24834. // calls matched correctly.
  24835. jassert (changingParams [parameterIndex]);
  24836. changingParams.clearBit (parameterIndex);
  24837. #endif
  24838. for (int i = listeners.size(); --i >= 0;)
  24839. {
  24840. listenerLock.enter();
  24841. AudioProcessorListener* const l = (AudioProcessorListener*) listeners [i];
  24842. listenerLock.exit();
  24843. if (l != 0)
  24844. l->audioProcessorParameterChangeGestureEnd (this, parameterIndex);
  24845. }
  24846. }
  24847. void AudioProcessor::updateHostDisplay()
  24848. {
  24849. for (int i = listeners.size(); --i >= 0;)
  24850. {
  24851. listenerLock.enter();
  24852. AudioProcessorListener* const l = (AudioProcessorListener*) listeners [i];
  24853. listenerLock.exit();
  24854. if (l != 0)
  24855. l->audioProcessorChanged (this);
  24856. }
  24857. }
  24858. bool AudioProcessor::isParameterAutomatable (int /*parameterIndex*/) const
  24859. {
  24860. return true;
  24861. }
  24862. bool AudioProcessor::isMetaParameter (int /*parameterIndex*/) const
  24863. {
  24864. return false;
  24865. }
  24866. void AudioProcessor::suspendProcessing (const bool shouldBeSuspended)
  24867. {
  24868. const ScopedLock sl (callbackLock);
  24869. suspended = shouldBeSuspended;
  24870. }
  24871. void AudioProcessor::reset()
  24872. {
  24873. }
  24874. void AudioProcessor::editorBeingDeleted (AudioProcessorEditor* const editor) throw()
  24875. {
  24876. const ScopedLock sl (callbackLock);
  24877. jassert (activeEditor == editor);
  24878. if (activeEditor == editor)
  24879. activeEditor = 0;
  24880. }
  24881. AudioProcessorEditor* AudioProcessor::createEditorIfNeeded()
  24882. {
  24883. if (activeEditor != 0)
  24884. return activeEditor;
  24885. AudioProcessorEditor* const ed = createEditor();
  24886. if (ed != 0)
  24887. {
  24888. // you must give your editor comp a size before returning it..
  24889. jassert (ed->getWidth() > 0 && ed->getHeight() > 0);
  24890. const ScopedLock sl (callbackLock);
  24891. activeEditor = ed;
  24892. }
  24893. return ed;
  24894. }
  24895. void AudioProcessor::getCurrentProgramStateInformation (JUCE_NAMESPACE::MemoryBlock& destData)
  24896. {
  24897. getStateInformation (destData);
  24898. }
  24899. void AudioProcessor::setCurrentProgramStateInformation (const void* data, int sizeInBytes)
  24900. {
  24901. setStateInformation (data, sizeInBytes);
  24902. }
  24903. // magic number to identify memory blocks that we've stored as XML
  24904. const uint32 magicXmlNumber = 0x21324356;
  24905. void AudioProcessor::copyXmlToBinary (const XmlElement& xml,
  24906. JUCE_NAMESPACE::MemoryBlock& destData)
  24907. {
  24908. const String xmlString (xml.createDocument (String::empty, true, false));
  24909. const int stringLength = xmlString.length();
  24910. destData.setSize (stringLength + 10);
  24911. char* const d = (char*) destData.getData();
  24912. *(uint32*) d = swapIfBigEndian ((const uint32) magicXmlNumber);
  24913. *(uint32*) (d + 4) = swapIfBigEndian ((const uint32) stringLength);
  24914. xmlString.copyToBuffer (d + 8, stringLength);
  24915. }
  24916. XmlElement* AudioProcessor::getXmlFromBinary (const void* data,
  24917. const int sizeInBytes)
  24918. {
  24919. if (sizeInBytes > 8
  24920. && littleEndianInt ((const char*) data) == magicXmlNumber)
  24921. {
  24922. const uint32 stringLength = littleEndianInt (((const char*) data) + 4);
  24923. if (stringLength > 0)
  24924. {
  24925. XmlDocument doc (String (((const char*) data) + 8,
  24926. jmin ((sizeInBytes - 8), stringLength)));
  24927. return doc.getDocumentElement();
  24928. }
  24929. }
  24930. return 0;
  24931. }
  24932. void AudioProcessorListener::audioProcessorParameterChangeGestureBegin (AudioProcessor*, int)
  24933. {
  24934. }
  24935. void AudioProcessorListener::audioProcessorParameterChangeGestureEnd (AudioProcessor*, int)
  24936. {
  24937. }
  24938. END_JUCE_NAMESPACE
  24939. /********* End of inlined file: juce_AudioProcessor.cpp *********/
  24940. /********* Start of inlined file: juce_AudioProcessorEditor.cpp *********/
  24941. BEGIN_JUCE_NAMESPACE
  24942. AudioProcessorEditor::AudioProcessorEditor (AudioProcessor* const owner_)
  24943. : owner (owner_)
  24944. {
  24945. // the filter must be valid..
  24946. jassert (owner != 0);
  24947. }
  24948. AudioProcessorEditor::~AudioProcessorEditor()
  24949. {
  24950. // if this fails, then the wrapper hasn't called editorBeingDeleted() on the
  24951. // filter for some reason..
  24952. jassert (owner->getActiveEditor() != this);
  24953. }
  24954. END_JUCE_NAMESPACE
  24955. /********* End of inlined file: juce_AudioProcessorEditor.cpp *********/
  24956. /********* Start of inlined file: juce_AudioProcessorGraph.cpp *********/
  24957. BEGIN_JUCE_NAMESPACE
  24958. const int AudioProcessorGraph::midiChannelIndex = 0x1000;
  24959. AudioProcessorGraph::Node::Node (const uint32 id_,
  24960. AudioProcessor* const processor_) throw()
  24961. : id (id_),
  24962. processor (processor_),
  24963. isPrepared (false)
  24964. {
  24965. jassert (processor_ != 0);
  24966. }
  24967. AudioProcessorGraph::Node::~Node()
  24968. {
  24969. delete processor;
  24970. }
  24971. void AudioProcessorGraph::Node::prepare (const double sampleRate, const int blockSize,
  24972. AudioProcessorGraph* const graph)
  24973. {
  24974. if (! isPrepared)
  24975. {
  24976. isPrepared = true;
  24977. AudioProcessorGraph::AudioGraphIOProcessor* const ioProc
  24978. = dynamic_cast <AudioProcessorGraph::AudioGraphIOProcessor*> (processor);
  24979. if (ioProc != 0)
  24980. ioProc->setParentGraph (graph);
  24981. processor->setPlayConfigDetails (processor->getNumInputChannels(),
  24982. processor->getNumOutputChannels(),
  24983. sampleRate, blockSize);
  24984. processor->prepareToPlay (sampleRate, blockSize);
  24985. }
  24986. }
  24987. void AudioProcessorGraph::Node::unprepare()
  24988. {
  24989. if (isPrepared)
  24990. {
  24991. isPrepared = false;
  24992. processor->releaseResources();
  24993. }
  24994. }
  24995. AudioProcessorGraph::AudioProcessorGraph()
  24996. : lastNodeId (0),
  24997. renderingBuffers (1, 1),
  24998. currentAudioOutputBuffer (1, 1)
  24999. {
  25000. }
  25001. AudioProcessorGraph::~AudioProcessorGraph()
  25002. {
  25003. clearRenderingSequence();
  25004. clear();
  25005. }
  25006. const String AudioProcessorGraph::getName() const
  25007. {
  25008. return "Audio Graph";
  25009. }
  25010. void AudioProcessorGraph::clear()
  25011. {
  25012. nodes.clear();
  25013. connections.clear();
  25014. triggerAsyncUpdate();
  25015. }
  25016. AudioProcessorGraph::Node* AudioProcessorGraph::getNodeForId (const uint32 nodeId) const throw()
  25017. {
  25018. for (int i = nodes.size(); --i >= 0;)
  25019. if (nodes.getUnchecked(i)->id == nodeId)
  25020. return nodes.getUnchecked(i);
  25021. return 0;
  25022. }
  25023. AudioProcessorGraph::Node* AudioProcessorGraph::addNode (AudioProcessor* const newProcessor,
  25024. uint32 nodeId)
  25025. {
  25026. if (newProcessor == 0)
  25027. {
  25028. jassertfalse
  25029. return 0;
  25030. }
  25031. if (nodeId == 0)
  25032. {
  25033. nodeId = ++lastNodeId;
  25034. }
  25035. else
  25036. {
  25037. // you can't add a node with an id that already exists in the graph..
  25038. jassert (getNodeForId (nodeId) == 0);
  25039. removeNode (nodeId);
  25040. }
  25041. lastNodeId = nodeId;
  25042. Node* const n = new Node (nodeId, newProcessor);
  25043. nodes.add (n);
  25044. triggerAsyncUpdate();
  25045. AudioProcessorGraph::AudioGraphIOProcessor* const ioProc
  25046. = dynamic_cast <AudioProcessorGraph::AudioGraphIOProcessor*> (n->processor);
  25047. if (ioProc != 0)
  25048. ioProc->setParentGraph (this);
  25049. return n;
  25050. }
  25051. bool AudioProcessorGraph::removeNode (const uint32 nodeId)
  25052. {
  25053. disconnectNode (nodeId);
  25054. for (int i = nodes.size(); --i >= 0;)
  25055. {
  25056. if (nodes.getUnchecked(i)->id == nodeId)
  25057. {
  25058. AudioProcessorGraph::AudioGraphIOProcessor* const ioProc
  25059. = dynamic_cast <AudioProcessorGraph::AudioGraphIOProcessor*> (nodes.getUnchecked(i)->processor);
  25060. if (ioProc != 0)
  25061. ioProc->setParentGraph (0);
  25062. nodes.remove (i);
  25063. triggerAsyncUpdate();
  25064. return true;
  25065. }
  25066. }
  25067. return false;
  25068. }
  25069. const AudioProcessorGraph::Connection* AudioProcessorGraph::getConnectionBetween (const uint32 sourceNodeId,
  25070. const int sourceChannelIndex,
  25071. const uint32 destNodeId,
  25072. const int destChannelIndex) const throw()
  25073. {
  25074. for (int i = connections.size(); --i >= 0;)
  25075. {
  25076. const Connection* const c = connections.getUnchecked(i);
  25077. if (c->sourceNodeId == sourceNodeId
  25078. && c->destNodeId == destNodeId
  25079. && c->sourceChannelIndex == sourceChannelIndex
  25080. && c->destChannelIndex == destChannelIndex)
  25081. {
  25082. return c;
  25083. }
  25084. }
  25085. return 0;
  25086. }
  25087. bool AudioProcessorGraph::isConnected (const uint32 possibleSourceNodeId,
  25088. const uint32 possibleDestNodeId) const throw()
  25089. {
  25090. for (int i = connections.size(); --i >= 0;)
  25091. {
  25092. const Connection* const c = connections.getUnchecked(i);
  25093. if (c->sourceNodeId == possibleSourceNodeId
  25094. && c->destNodeId == possibleDestNodeId)
  25095. {
  25096. return true;
  25097. }
  25098. }
  25099. return false;
  25100. }
  25101. bool AudioProcessorGraph::canConnect (const uint32 sourceNodeId,
  25102. const int sourceChannelIndex,
  25103. const uint32 destNodeId,
  25104. const int destChannelIndex) const throw()
  25105. {
  25106. if (sourceChannelIndex < 0
  25107. || destChannelIndex < 0
  25108. || sourceNodeId == destNodeId
  25109. || (destChannelIndex == midiChannelIndex) != (sourceChannelIndex == midiChannelIndex))
  25110. return false;
  25111. const Node* const source = getNodeForId (sourceNodeId);
  25112. if (source == 0
  25113. || (sourceChannelIndex != midiChannelIndex && sourceChannelIndex >= source->processor->getNumOutputChannels())
  25114. || (sourceChannelIndex == midiChannelIndex && ! source->processor->producesMidi()))
  25115. return false;
  25116. const Node* const dest = getNodeForId (destNodeId);
  25117. if (dest == 0
  25118. || (destChannelIndex != midiChannelIndex && destChannelIndex >= dest->processor->getNumInputChannels())
  25119. || (destChannelIndex == midiChannelIndex && ! dest->processor->acceptsMidi()))
  25120. return false;
  25121. return getConnectionBetween (sourceNodeId, sourceChannelIndex,
  25122. destNodeId, destChannelIndex) == 0;
  25123. }
  25124. bool AudioProcessorGraph::addConnection (const uint32 sourceNodeId,
  25125. const int sourceChannelIndex,
  25126. const uint32 destNodeId,
  25127. const int destChannelIndex)
  25128. {
  25129. if (! canConnect (sourceNodeId, sourceChannelIndex, destNodeId, destChannelIndex))
  25130. return false;
  25131. Connection* const c = new Connection();
  25132. c->sourceNodeId = sourceNodeId;
  25133. c->sourceChannelIndex = sourceChannelIndex;
  25134. c->destNodeId = destNodeId;
  25135. c->destChannelIndex = destChannelIndex;
  25136. connections.add (c);
  25137. triggerAsyncUpdate();
  25138. return true;
  25139. }
  25140. void AudioProcessorGraph::removeConnection (const int index)
  25141. {
  25142. connections.remove (index);
  25143. triggerAsyncUpdate();
  25144. }
  25145. bool AudioProcessorGraph::removeConnection (const uint32 sourceNodeId, const int sourceChannelIndex,
  25146. const uint32 destNodeId, const int destChannelIndex)
  25147. {
  25148. bool doneAnything = false;
  25149. for (int i = connections.size(); --i >= 0;)
  25150. {
  25151. const Connection* const c = connections.getUnchecked(i);
  25152. if (c->sourceNodeId == sourceNodeId
  25153. && c->destNodeId == destNodeId
  25154. && c->sourceChannelIndex == sourceChannelIndex
  25155. && c->destChannelIndex == destChannelIndex)
  25156. {
  25157. removeConnection (i);
  25158. doneAnything = true;
  25159. triggerAsyncUpdate();
  25160. }
  25161. }
  25162. return doneAnything;
  25163. }
  25164. bool AudioProcessorGraph::disconnectNode (const uint32 nodeId)
  25165. {
  25166. bool doneAnything = false;
  25167. for (int i = connections.size(); --i >= 0;)
  25168. {
  25169. const Connection* const c = connections.getUnchecked(i);
  25170. if (c->sourceNodeId == nodeId || c->destNodeId == nodeId)
  25171. {
  25172. removeConnection (i);
  25173. doneAnything = true;
  25174. triggerAsyncUpdate();
  25175. }
  25176. }
  25177. return doneAnything;
  25178. }
  25179. bool AudioProcessorGraph::removeIllegalConnections()
  25180. {
  25181. bool doneAnything = false;
  25182. for (int i = connections.size(); --i >= 0;)
  25183. {
  25184. const Connection* const c = connections.getUnchecked(i);
  25185. const Node* const source = getNodeForId (c->sourceNodeId);
  25186. const Node* const dest = getNodeForId (c->destNodeId);
  25187. if (source == 0 || dest == 0
  25188. || (c->sourceChannelIndex != midiChannelIndex
  25189. && (((unsigned int) c->sourceChannelIndex) >= (unsigned int) source->processor->getNumOutputChannels()))
  25190. || (c->sourceChannelIndex == midiChannelIndex
  25191. && ! source->processor->producesMidi())
  25192. || (c->destChannelIndex != midiChannelIndex
  25193. && (((unsigned int) c->destChannelIndex) >= (unsigned int) dest->processor->getNumInputChannels()))
  25194. || (c->destChannelIndex == midiChannelIndex
  25195. && ! dest->processor->acceptsMidi()))
  25196. {
  25197. removeConnection (i);
  25198. doneAnything = true;
  25199. triggerAsyncUpdate();
  25200. }
  25201. }
  25202. return doneAnything;
  25203. }
  25204. namespace GraphRenderingOps
  25205. {
  25206. class AudioGraphRenderingOp
  25207. {
  25208. public:
  25209. AudioGraphRenderingOp() throw() {}
  25210. virtual ~AudioGraphRenderingOp() throw() {}
  25211. virtual void perform (AudioSampleBuffer& sharedBufferChans,
  25212. const OwnedArray <MidiBuffer>& sharedMidiBuffers,
  25213. const int numSamples) throw() = 0;
  25214. juce_UseDebuggingNewOperator
  25215. };
  25216. class ClearChannelOp : public AudioGraphRenderingOp
  25217. {
  25218. public:
  25219. ClearChannelOp (const int channelNum_) throw()
  25220. : channelNum (channelNum_)
  25221. {}
  25222. ~ClearChannelOp() throw() {}
  25223. void perform (AudioSampleBuffer& sharedBufferChans, const OwnedArray <MidiBuffer>&, const int numSamples) throw()
  25224. {
  25225. sharedBufferChans.clear (channelNum, 0, numSamples);
  25226. }
  25227. private:
  25228. const int channelNum;
  25229. ClearChannelOp (const ClearChannelOp&);
  25230. const ClearChannelOp& operator= (const ClearChannelOp&);
  25231. };
  25232. class CopyChannelOp : public AudioGraphRenderingOp
  25233. {
  25234. public:
  25235. CopyChannelOp (const int srcChannelNum_, const int dstChannelNum_) throw()
  25236. : srcChannelNum (srcChannelNum_),
  25237. dstChannelNum (dstChannelNum_)
  25238. {}
  25239. ~CopyChannelOp() throw() {}
  25240. void perform (AudioSampleBuffer& sharedBufferChans, const OwnedArray <MidiBuffer>&, const int numSamples) throw()
  25241. {
  25242. sharedBufferChans.copyFrom (dstChannelNum, 0, sharedBufferChans, srcChannelNum, 0, numSamples);
  25243. }
  25244. private:
  25245. const int srcChannelNum, dstChannelNum;
  25246. CopyChannelOp (const CopyChannelOp&);
  25247. const CopyChannelOp& operator= (const CopyChannelOp&);
  25248. };
  25249. class AddChannelOp : public AudioGraphRenderingOp
  25250. {
  25251. public:
  25252. AddChannelOp (const int srcChannelNum_, const int dstChannelNum_) throw()
  25253. : srcChannelNum (srcChannelNum_),
  25254. dstChannelNum (dstChannelNum_)
  25255. {}
  25256. ~AddChannelOp() throw() {}
  25257. void perform (AudioSampleBuffer& sharedBufferChans, const OwnedArray <MidiBuffer>&, const int numSamples) throw()
  25258. {
  25259. sharedBufferChans.addFrom (dstChannelNum, 0, sharedBufferChans, srcChannelNum, 0, numSamples);
  25260. }
  25261. private:
  25262. const int srcChannelNum, dstChannelNum;
  25263. AddChannelOp (const AddChannelOp&);
  25264. const AddChannelOp& operator= (const AddChannelOp&);
  25265. };
  25266. class ClearMidiBufferOp : public AudioGraphRenderingOp
  25267. {
  25268. public:
  25269. ClearMidiBufferOp (const int bufferNum_) throw()
  25270. : bufferNum (bufferNum_)
  25271. {}
  25272. ~ClearMidiBufferOp() throw() {}
  25273. void perform (AudioSampleBuffer&, const OwnedArray <MidiBuffer>& sharedMidiBuffers, const int) throw()
  25274. {
  25275. sharedMidiBuffers.getUnchecked (bufferNum)->clear();
  25276. }
  25277. private:
  25278. const int bufferNum;
  25279. ClearMidiBufferOp (const ClearMidiBufferOp&);
  25280. const ClearMidiBufferOp& operator= (const ClearMidiBufferOp&);
  25281. };
  25282. class CopyMidiBufferOp : public AudioGraphRenderingOp
  25283. {
  25284. public:
  25285. CopyMidiBufferOp (const int srcBufferNum_, const int dstBufferNum_) throw()
  25286. : srcBufferNum (srcBufferNum_),
  25287. dstBufferNum (dstBufferNum_)
  25288. {}
  25289. ~CopyMidiBufferOp() throw() {}
  25290. void perform (AudioSampleBuffer&, const OwnedArray <MidiBuffer>& sharedMidiBuffers, const int) throw()
  25291. {
  25292. *sharedMidiBuffers.getUnchecked (dstBufferNum) = *sharedMidiBuffers.getUnchecked (srcBufferNum);
  25293. }
  25294. private:
  25295. const int srcBufferNum, dstBufferNum;
  25296. CopyMidiBufferOp (const CopyMidiBufferOp&);
  25297. const CopyMidiBufferOp& operator= (const CopyMidiBufferOp&);
  25298. };
  25299. class AddMidiBufferOp : public AudioGraphRenderingOp
  25300. {
  25301. public:
  25302. AddMidiBufferOp (const int srcBufferNum_, const int dstBufferNum_) throw()
  25303. : srcBufferNum (srcBufferNum_),
  25304. dstBufferNum (dstBufferNum_)
  25305. {}
  25306. ~AddMidiBufferOp() throw() {}
  25307. void perform (AudioSampleBuffer&, const OwnedArray <MidiBuffer>& sharedMidiBuffers, const int numSamples) throw()
  25308. {
  25309. sharedMidiBuffers.getUnchecked (dstBufferNum)
  25310. ->addEvents (*sharedMidiBuffers.getUnchecked (srcBufferNum), 0, numSamples, 0);
  25311. }
  25312. private:
  25313. const int srcBufferNum, dstBufferNum;
  25314. AddMidiBufferOp (const AddMidiBufferOp&);
  25315. const AddMidiBufferOp& operator= (const AddMidiBufferOp&);
  25316. };
  25317. class ProcessBufferOp : public AudioGraphRenderingOp
  25318. {
  25319. public:
  25320. ProcessBufferOp (const AudioProcessorGraph::Node::Ptr& node_,
  25321. const Array <int>& audioChannelsToUse_,
  25322. const int totalChans_,
  25323. const int midiBufferToUse_) throw()
  25324. : node (node_),
  25325. processor (node_->processor),
  25326. audioChannelsToUse (audioChannelsToUse_),
  25327. totalChans (totalChans_),
  25328. midiBufferToUse (midiBufferToUse_)
  25329. {
  25330. channels = (float**) juce_calloc (sizeof (float*) * totalChans_);
  25331. }
  25332. ~ProcessBufferOp() throw()
  25333. {
  25334. juce_free (channels);
  25335. }
  25336. void perform (AudioSampleBuffer& sharedBufferChans, const OwnedArray <MidiBuffer>& sharedMidiBuffers, const int numSamples) throw()
  25337. {
  25338. for (int i = totalChans; --i >= 0;)
  25339. channels[i] = sharedBufferChans.getSampleData (audioChannelsToUse.getUnchecked (i), 0);
  25340. AudioSampleBuffer buffer (channels, totalChans, numSamples);
  25341. processor->processBlock (buffer, *sharedMidiBuffers.getUnchecked (midiBufferToUse));
  25342. }
  25343. const AudioProcessorGraph::Node::Ptr node;
  25344. AudioProcessor* const processor;
  25345. private:
  25346. Array <int> audioChannelsToUse;
  25347. float** channels;
  25348. int totalChans;
  25349. int midiBufferToUse;
  25350. ProcessBufferOp (const ProcessBufferOp&);
  25351. const ProcessBufferOp& operator= (const ProcessBufferOp&);
  25352. };
  25353. /** Used to calculate the correct sequence of rendering ops needed, based on
  25354. the best re-use of shared buffers at each stage.
  25355. */
  25356. class RenderingOpSequenceCalculator
  25357. {
  25358. public:
  25359. RenderingOpSequenceCalculator (AudioProcessorGraph& graph_,
  25360. const VoidArray& orderedNodes_,
  25361. VoidArray& renderingOps)
  25362. : graph (graph_),
  25363. orderedNodes (orderedNodes_)
  25364. {
  25365. nodeIds.add (-2); // first buffer is read-only zeros
  25366. channels.add (0);
  25367. midiNodeIds.add (-2);
  25368. for (int i = 0; i < orderedNodes.size(); ++i)
  25369. {
  25370. createRenderingOpsForNode ((AudioProcessorGraph::Node*) orderedNodes.getUnchecked(i),
  25371. renderingOps, i);
  25372. markAnyUnusedBuffersAsFree (i);
  25373. }
  25374. }
  25375. int getNumBuffersNeeded() const throw() { return nodeIds.size(); }
  25376. int getNumMidiBuffersNeeded() const throw() { return midiNodeIds.size(); }
  25377. juce_UseDebuggingNewOperator
  25378. private:
  25379. AudioProcessorGraph& graph;
  25380. const VoidArray& orderedNodes;
  25381. Array <int> nodeIds, channels, midiNodeIds;
  25382. void createRenderingOpsForNode (AudioProcessorGraph::Node* const node,
  25383. VoidArray& renderingOps,
  25384. const int ourRenderingIndex)
  25385. {
  25386. const int numIns = node->processor->getNumInputChannels();
  25387. const int numOuts = node->processor->getNumOutputChannels();
  25388. const int totalChans = jmax (numIns, numOuts);
  25389. Array <int> audioChannelsToUse;
  25390. int midiBufferToUse = -1;
  25391. for (int inputChan = 0; inputChan < numIns; ++inputChan)
  25392. {
  25393. // get a list of all the inputs to this node
  25394. Array <int> sourceNodes, sourceOutputChans;
  25395. for (int i = graph.getNumConnections(); --i >= 0;)
  25396. {
  25397. const AudioProcessorGraph::Connection* const c = graph.getConnection (i);
  25398. if (c->destNodeId == node->id && c->destChannelIndex == inputChan)
  25399. {
  25400. sourceNodes.add (c->sourceNodeId);
  25401. sourceOutputChans.add (c->sourceChannelIndex);
  25402. }
  25403. }
  25404. int bufIndex = -1;
  25405. if (sourceNodes.size() == 0)
  25406. {
  25407. // unconnected input channel
  25408. if (inputChan >= numOuts)
  25409. {
  25410. bufIndex = getReadOnlyEmptyBuffer();
  25411. jassert (bufIndex >= 0);
  25412. }
  25413. else
  25414. {
  25415. bufIndex = getFreeBuffer (false);
  25416. renderingOps.add (new ClearChannelOp (bufIndex));
  25417. }
  25418. }
  25419. else if (sourceNodes.size() == 1)
  25420. {
  25421. // channel with a straightforward single input..
  25422. const int srcNode = sourceNodes.getUnchecked(0);
  25423. const int srcChan = sourceOutputChans.getUnchecked(0);
  25424. bufIndex = getBufferContaining (srcNode, srcChan);
  25425. if (bufIndex < 0)
  25426. {
  25427. // if not found, this is probably a feedback loop
  25428. bufIndex = getReadOnlyEmptyBuffer();
  25429. jassert (bufIndex >= 0);
  25430. }
  25431. if (inputChan < numOuts
  25432. && isBufferNeededLater (ourRenderingIndex,
  25433. inputChan,
  25434. srcNode, srcChan))
  25435. {
  25436. // can't mess up this channel because it's needed later by another node, so we
  25437. // need to use a copy of it..
  25438. const int newFreeBuffer = getFreeBuffer (false);
  25439. renderingOps.add (new CopyChannelOp (bufIndex, newFreeBuffer));
  25440. bufIndex = newFreeBuffer;
  25441. }
  25442. }
  25443. else
  25444. {
  25445. // channel with a mix of several inputs..
  25446. // try to find a re-usable channel from our inputs..
  25447. int reusableInputIndex = -1;
  25448. for (int i = 0; i < sourceNodes.size(); ++i)
  25449. {
  25450. const int sourceBufIndex = getBufferContaining (sourceNodes.getUnchecked(i),
  25451. sourceOutputChans.getUnchecked(i));
  25452. if (sourceBufIndex >= 0
  25453. && ! isBufferNeededLater (ourRenderingIndex,
  25454. inputChan,
  25455. sourceNodes.getUnchecked(i),
  25456. sourceOutputChans.getUnchecked(i)))
  25457. {
  25458. // we've found one of our input chans that can be re-used..
  25459. reusableInputIndex = i;
  25460. bufIndex = sourceBufIndex;
  25461. break;
  25462. }
  25463. }
  25464. if (reusableInputIndex < 0)
  25465. {
  25466. // can't re-use any of our input chans, so get a new one and copy everything into it..
  25467. bufIndex = getFreeBuffer (false);
  25468. jassert (bufIndex != 0);
  25469. const int srcIndex = getBufferContaining (sourceNodes.getUnchecked (0),
  25470. sourceOutputChans.getUnchecked (0));
  25471. if (srcIndex < 0)
  25472. {
  25473. // if not found, this is probably a feedback loop
  25474. renderingOps.add (new ClearChannelOp (bufIndex));
  25475. }
  25476. else
  25477. {
  25478. renderingOps.add (new CopyChannelOp (srcIndex, bufIndex));
  25479. }
  25480. reusableInputIndex = 0;
  25481. }
  25482. for (int j = 0; j < sourceNodes.size(); ++j)
  25483. {
  25484. if (j != reusableInputIndex)
  25485. {
  25486. const int srcIndex = getBufferContaining (sourceNodes.getUnchecked(j),
  25487. sourceOutputChans.getUnchecked(j));
  25488. if (srcIndex >= 0)
  25489. renderingOps.add (new AddChannelOp (srcIndex, bufIndex));
  25490. }
  25491. }
  25492. }
  25493. jassert (bufIndex >= 0);
  25494. audioChannelsToUse.add (bufIndex);
  25495. if (inputChan < numOuts)
  25496. markBufferAsContaining (bufIndex, node->id, inputChan);
  25497. }
  25498. for (int outputChan = numIns; outputChan < numOuts; ++outputChan)
  25499. {
  25500. const int bufIndex = getFreeBuffer (false);
  25501. jassert (bufIndex != 0);
  25502. audioChannelsToUse.add (bufIndex);
  25503. markBufferAsContaining (bufIndex, node->id, outputChan);
  25504. }
  25505. // Now the same thing for midi..
  25506. Array <int> midiSourceNodes;
  25507. for (int i = graph.getNumConnections(); --i >= 0;)
  25508. {
  25509. const AudioProcessorGraph::Connection* const c = graph.getConnection (i);
  25510. if (c->destNodeId == node->id && c->destChannelIndex == AudioProcessorGraph::midiChannelIndex)
  25511. midiSourceNodes.add (c->sourceNodeId);
  25512. }
  25513. if (midiSourceNodes.size() == 0)
  25514. {
  25515. // No midi inputs..
  25516. midiBufferToUse = getFreeBuffer (true); // need to pick a buffer even if the processor doesn't use midi
  25517. if (node->processor->acceptsMidi() || node->processor->producesMidi())
  25518. renderingOps.add (new ClearMidiBufferOp (midiBufferToUse));
  25519. }
  25520. else if (midiSourceNodes.size() == 1)
  25521. {
  25522. // One midi input..
  25523. midiBufferToUse = getBufferContaining (midiSourceNodes.getUnchecked(0),
  25524. AudioProcessorGraph::midiChannelIndex);
  25525. if (midiBufferToUse >= 0)
  25526. {
  25527. if (isBufferNeededLater (ourRenderingIndex,
  25528. AudioProcessorGraph::midiChannelIndex,
  25529. midiSourceNodes.getUnchecked(0),
  25530. AudioProcessorGraph::midiChannelIndex))
  25531. {
  25532. // can't mess up this channel because it's needed later by another node, so we
  25533. // need to use a copy of it..
  25534. const int newFreeBuffer = getFreeBuffer (true);
  25535. renderingOps.add (new CopyMidiBufferOp (midiBufferToUse, newFreeBuffer));
  25536. midiBufferToUse = newFreeBuffer;
  25537. }
  25538. }
  25539. else
  25540. {
  25541. // probably a feedback loop, so just use an empty one..
  25542. midiBufferToUse = getFreeBuffer (true); // need to pick a buffer even if the processor doesn't use midi
  25543. }
  25544. }
  25545. else
  25546. {
  25547. // More than one midi input being mixed..
  25548. int reusableInputIndex = -1;
  25549. for (int i = 0; i < midiSourceNodes.size(); ++i)
  25550. {
  25551. const int sourceBufIndex = getBufferContaining (midiSourceNodes.getUnchecked(i),
  25552. AudioProcessorGraph::midiChannelIndex);
  25553. if (sourceBufIndex >= 0
  25554. && ! isBufferNeededLater (ourRenderingIndex,
  25555. AudioProcessorGraph::midiChannelIndex,
  25556. midiSourceNodes.getUnchecked(i),
  25557. AudioProcessorGraph::midiChannelIndex))
  25558. {
  25559. // we've found one of our input buffers that can be re-used..
  25560. reusableInputIndex = i;
  25561. midiBufferToUse = sourceBufIndex;
  25562. break;
  25563. }
  25564. }
  25565. if (reusableInputIndex < 0)
  25566. {
  25567. // can't re-use any of our input buffers, so get a new one and copy everything into it..
  25568. midiBufferToUse = getFreeBuffer (true);
  25569. jassert (midiBufferToUse >= 0);
  25570. const int srcIndex = getBufferContaining (midiSourceNodes.getUnchecked(0),
  25571. AudioProcessorGraph::midiChannelIndex);
  25572. if (srcIndex >= 0)
  25573. renderingOps.add (new CopyMidiBufferOp (srcIndex, midiBufferToUse));
  25574. else
  25575. renderingOps.add (new ClearMidiBufferOp (midiBufferToUse));
  25576. reusableInputIndex = 0;
  25577. }
  25578. for (int j = 0; j < midiSourceNodes.size(); ++j)
  25579. {
  25580. if (j != reusableInputIndex)
  25581. {
  25582. const int srcIndex = getBufferContaining (midiSourceNodes.getUnchecked(j),
  25583. AudioProcessorGraph::midiChannelIndex);
  25584. if (srcIndex >= 0)
  25585. renderingOps.add (new AddMidiBufferOp (srcIndex, midiBufferToUse));
  25586. }
  25587. }
  25588. }
  25589. if (node->processor->producesMidi())
  25590. markBufferAsContaining (midiBufferToUse, node->id,
  25591. AudioProcessorGraph::midiChannelIndex);
  25592. renderingOps.add (new ProcessBufferOp (node, audioChannelsToUse,
  25593. totalChans, midiBufferToUse));
  25594. }
  25595. int getFreeBuffer (const bool forMidi)
  25596. {
  25597. if (forMidi)
  25598. {
  25599. for (int i = 1; i < midiNodeIds.size(); ++i)
  25600. if (midiNodeIds.getUnchecked(i) < 0)
  25601. return i;
  25602. midiNodeIds.add (-1);
  25603. return midiNodeIds.size() - 1;
  25604. }
  25605. else
  25606. {
  25607. for (int i = 1; i < nodeIds.size(); ++i)
  25608. if (nodeIds.getUnchecked(i) < 0)
  25609. return i;
  25610. nodeIds.add (-1);
  25611. channels.add (0);
  25612. return nodeIds.size() - 1;
  25613. }
  25614. }
  25615. int getReadOnlyEmptyBuffer() const throw()
  25616. {
  25617. return 0;
  25618. }
  25619. int getBufferContaining (const int nodeId, const int outputChannel) const throw()
  25620. {
  25621. if (outputChannel == AudioProcessorGraph::midiChannelIndex)
  25622. {
  25623. for (int i = midiNodeIds.size(); --i >= 0;)
  25624. if (midiNodeIds.getUnchecked(i) == nodeId)
  25625. return i;
  25626. }
  25627. else
  25628. {
  25629. for (int i = nodeIds.size(); --i >= 0;)
  25630. if (nodeIds.getUnchecked(i) == nodeId
  25631. && channels.getUnchecked(i) == outputChannel)
  25632. return i;
  25633. }
  25634. return -1;
  25635. }
  25636. void markAnyUnusedBuffersAsFree (const int stepIndex)
  25637. {
  25638. int i;
  25639. for (i = 0; i < nodeIds.size(); ++i)
  25640. {
  25641. if (nodeIds.getUnchecked(i) >= 0
  25642. && ! isBufferNeededLater (stepIndex, -1,
  25643. nodeIds.getUnchecked(i),
  25644. channels.getUnchecked(i)))
  25645. {
  25646. nodeIds.set (i, -1);
  25647. }
  25648. }
  25649. for (i = 0; i < midiNodeIds.size(); ++i)
  25650. {
  25651. if (midiNodeIds.getUnchecked(i) >= 0
  25652. && ! isBufferNeededLater (stepIndex, -1,
  25653. midiNodeIds.getUnchecked(i),
  25654. AudioProcessorGraph::midiChannelIndex))
  25655. {
  25656. midiNodeIds.set (i, -1);
  25657. }
  25658. }
  25659. }
  25660. bool isBufferNeededLater (int stepIndexToSearchFrom,
  25661. int inputChannelOfIndexToIgnore,
  25662. const int nodeId,
  25663. const int outputChanIndex) const throw()
  25664. {
  25665. while (stepIndexToSearchFrom < orderedNodes.size())
  25666. {
  25667. const AudioProcessorGraph::Node* const node = (const AudioProcessorGraph::Node*) orderedNodes.getUnchecked (stepIndexToSearchFrom);
  25668. if (outputChanIndex == AudioProcessorGraph::midiChannelIndex)
  25669. {
  25670. if (inputChannelOfIndexToIgnore != AudioProcessorGraph::midiChannelIndex
  25671. && graph.getConnectionBetween (nodeId, AudioProcessorGraph::midiChannelIndex,
  25672. node->id, AudioProcessorGraph::midiChannelIndex) != 0)
  25673. return true;
  25674. }
  25675. else
  25676. {
  25677. for (int i = 0; i < node->processor->getNumInputChannels(); ++i)
  25678. if (i != inputChannelOfIndexToIgnore
  25679. && graph.getConnectionBetween (nodeId, outputChanIndex,
  25680. node->id, i) != 0)
  25681. return true;
  25682. }
  25683. inputChannelOfIndexToIgnore = -1;
  25684. ++stepIndexToSearchFrom;
  25685. }
  25686. return false;
  25687. }
  25688. void markBufferAsContaining (int bufferNum, int nodeId, int outputIndex)
  25689. {
  25690. if (outputIndex == AudioProcessorGraph::midiChannelIndex)
  25691. {
  25692. jassert (bufferNum > 0 && bufferNum < midiNodeIds.size());
  25693. midiNodeIds.set (bufferNum, nodeId);
  25694. }
  25695. else
  25696. {
  25697. jassert (bufferNum >= 0 && bufferNum < nodeIds.size());
  25698. nodeIds.set (bufferNum, nodeId);
  25699. channels.set (bufferNum, outputIndex);
  25700. }
  25701. }
  25702. RenderingOpSequenceCalculator (const RenderingOpSequenceCalculator&);
  25703. const RenderingOpSequenceCalculator& operator= (const RenderingOpSequenceCalculator&);
  25704. };
  25705. }
  25706. void AudioProcessorGraph::clearRenderingSequence()
  25707. {
  25708. const ScopedLock sl (renderLock);
  25709. for (int i = renderingOps.size(); --i >= 0;)
  25710. {
  25711. GraphRenderingOps::AudioGraphRenderingOp* const r
  25712. = (GraphRenderingOps::AudioGraphRenderingOp*) renderingOps.getUnchecked(i);
  25713. renderingOps.remove (i);
  25714. delete r;
  25715. }
  25716. }
  25717. bool AudioProcessorGraph::isAnInputTo (const uint32 possibleInputId,
  25718. const uint32 possibleDestinationId,
  25719. const int recursionCheck) const throw()
  25720. {
  25721. if (recursionCheck > 0)
  25722. {
  25723. for (int i = connections.size(); --i >= 0;)
  25724. {
  25725. const AudioProcessorGraph::Connection* const c = connections.getUnchecked (i);
  25726. if (c->destNodeId == possibleDestinationId
  25727. && (c->sourceNodeId == possibleInputId
  25728. || isAnInputTo (possibleInputId, c->sourceNodeId, recursionCheck - 1)))
  25729. return true;
  25730. }
  25731. }
  25732. return false;
  25733. }
  25734. void AudioProcessorGraph::buildRenderingSequence()
  25735. {
  25736. VoidArray newRenderingOps;
  25737. int numRenderingBuffersNeeded = 2;
  25738. int numMidiBuffersNeeded = 1;
  25739. {
  25740. MessageManagerLock mml;
  25741. VoidArray orderedNodes;
  25742. int i;
  25743. for (i = 0; i < nodes.size(); ++i)
  25744. {
  25745. Node* const node = nodes.getUnchecked(i);
  25746. node->prepare (getSampleRate(), getBlockSize(), this);
  25747. int j = 0;
  25748. for (; j < orderedNodes.size(); ++j)
  25749. if (isAnInputTo (node->id,
  25750. ((Node*) orderedNodes.getUnchecked (j))->id,
  25751. nodes.size() + 1))
  25752. break;
  25753. orderedNodes.insert (j, node);
  25754. }
  25755. GraphRenderingOps::RenderingOpSequenceCalculator calculator (*this, orderedNodes, newRenderingOps);
  25756. numRenderingBuffersNeeded = calculator.getNumBuffersNeeded();
  25757. numMidiBuffersNeeded = calculator.getNumMidiBuffersNeeded();
  25758. }
  25759. VoidArray oldRenderingOps (renderingOps);
  25760. {
  25761. // swap over to the new rendering sequence..
  25762. const ScopedLock sl (renderLock);
  25763. renderingBuffers.setSize (numRenderingBuffersNeeded, getBlockSize());
  25764. renderingBuffers.clear();
  25765. for (int i = midiBuffers.size(); --i >= 0;)
  25766. midiBuffers.getUnchecked(i)->clear();
  25767. while (midiBuffers.size() < numMidiBuffersNeeded)
  25768. midiBuffers.add (new MidiBuffer());
  25769. renderingOps = newRenderingOps;
  25770. }
  25771. for (int i = oldRenderingOps.size(); --i >= 0;)
  25772. delete (GraphRenderingOps::AudioGraphRenderingOp*) oldRenderingOps.getUnchecked(i);
  25773. }
  25774. void AudioProcessorGraph::handleAsyncUpdate()
  25775. {
  25776. buildRenderingSequence();
  25777. }
  25778. void AudioProcessorGraph::prepareToPlay (double /*sampleRate*/, int estimatedSamplesPerBlock)
  25779. {
  25780. currentAudioInputBuffer = 0;
  25781. currentAudioOutputBuffer.setSize (jmax (1, getNumOutputChannels()), estimatedSamplesPerBlock);
  25782. currentMidiInputBuffer = 0;
  25783. currentMidiOutputBuffer.clear();
  25784. clearRenderingSequence();
  25785. buildRenderingSequence();
  25786. }
  25787. void AudioProcessorGraph::releaseResources()
  25788. {
  25789. for (int i = 0; i < nodes.size(); ++i)
  25790. nodes.getUnchecked(i)->unprepare();
  25791. renderingBuffers.setSize (1, 1);
  25792. midiBuffers.clear();
  25793. currentAudioInputBuffer = 0;
  25794. currentAudioOutputBuffer.setSize (1, 1);
  25795. currentMidiInputBuffer = 0;
  25796. currentMidiOutputBuffer.clear();
  25797. }
  25798. void AudioProcessorGraph::processBlock (AudioSampleBuffer& buffer, MidiBuffer& midiMessages)
  25799. {
  25800. const int numSamples = buffer.getNumSamples();
  25801. const ScopedLock sl (renderLock);
  25802. currentAudioInputBuffer = &buffer;
  25803. currentAudioOutputBuffer.setSize (jmax (1, buffer.getNumChannels()), numSamples);
  25804. currentAudioOutputBuffer.clear();
  25805. currentMidiInputBuffer = &midiMessages;
  25806. currentMidiOutputBuffer.clear();
  25807. int i;
  25808. for (i = 0; i < renderingOps.size(); ++i)
  25809. {
  25810. GraphRenderingOps::AudioGraphRenderingOp* const op
  25811. = (GraphRenderingOps::AudioGraphRenderingOp*) renderingOps.getUnchecked(i);
  25812. op->perform (renderingBuffers, midiBuffers, numSamples);
  25813. }
  25814. for (i = 0; i < buffer.getNumChannels(); ++i)
  25815. buffer.copyFrom (i, 0, currentAudioOutputBuffer, i, 0, numSamples);
  25816. }
  25817. const String AudioProcessorGraph::getInputChannelName (const int channelIndex) const
  25818. {
  25819. return "Input " + String (channelIndex + 1);
  25820. }
  25821. const String AudioProcessorGraph::getOutputChannelName (const int channelIndex) const
  25822. {
  25823. return "Output " + String (channelIndex + 1);
  25824. }
  25825. bool AudioProcessorGraph::isInputChannelStereoPair (int /*index*/) const
  25826. {
  25827. return true;
  25828. }
  25829. bool AudioProcessorGraph::isOutputChannelStereoPair (int /*index*/) const
  25830. {
  25831. return true;
  25832. }
  25833. bool AudioProcessorGraph::acceptsMidi() const
  25834. {
  25835. return true;
  25836. }
  25837. bool AudioProcessorGraph::producesMidi() const
  25838. {
  25839. return true;
  25840. }
  25841. void AudioProcessorGraph::getStateInformation (JUCE_NAMESPACE::MemoryBlock& /*destData*/)
  25842. {
  25843. }
  25844. void AudioProcessorGraph::setStateInformation (const void* /*data*/, int /*sizeInBytes*/)
  25845. {
  25846. }
  25847. AudioProcessorGraph::AudioGraphIOProcessor::AudioGraphIOProcessor (const IODeviceType type_)
  25848. : type (type_),
  25849. graph (0)
  25850. {
  25851. }
  25852. AudioProcessorGraph::AudioGraphIOProcessor::~AudioGraphIOProcessor()
  25853. {
  25854. }
  25855. const String AudioProcessorGraph::AudioGraphIOProcessor::getName() const
  25856. {
  25857. switch (type)
  25858. {
  25859. case audioOutputNode:
  25860. return "Audio Output";
  25861. case audioInputNode:
  25862. return "Audio Input";
  25863. case midiOutputNode:
  25864. return "Midi Output";
  25865. case midiInputNode:
  25866. return "Midi Input";
  25867. default:
  25868. break;
  25869. }
  25870. return String::empty;
  25871. }
  25872. void AudioProcessorGraph::AudioGraphIOProcessor::fillInPluginDescription (PluginDescription& d) const
  25873. {
  25874. d.name = getName();
  25875. d.uid = d.name.hashCode();
  25876. d.category = "I/O devices";
  25877. d.pluginFormatName = "Internal";
  25878. d.manufacturerName = "Raw Material Software";
  25879. d.version = "1.0";
  25880. d.isInstrument = false;
  25881. d.numInputChannels = getNumInputChannels();
  25882. if (type == audioOutputNode && graph != 0)
  25883. d.numInputChannels = graph->getNumInputChannels();
  25884. d.numOutputChannels = getNumOutputChannels();
  25885. if (type == audioInputNode && graph != 0)
  25886. d.numOutputChannels = graph->getNumOutputChannels();
  25887. }
  25888. void AudioProcessorGraph::AudioGraphIOProcessor::prepareToPlay (double, int)
  25889. {
  25890. jassert (graph != 0);
  25891. }
  25892. void AudioProcessorGraph::AudioGraphIOProcessor::releaseResources()
  25893. {
  25894. }
  25895. void AudioProcessorGraph::AudioGraphIOProcessor::processBlock (AudioSampleBuffer& buffer,
  25896. MidiBuffer& midiMessages)
  25897. {
  25898. jassert (graph != 0);
  25899. switch (type)
  25900. {
  25901. case audioOutputNode:
  25902. {
  25903. for (int i = jmin (graph->currentAudioOutputBuffer.getNumChannels(),
  25904. buffer.getNumChannels()); --i >= 0;)
  25905. {
  25906. graph->currentAudioOutputBuffer.addFrom (i, 0, buffer, i, 0, buffer.getNumSamples());
  25907. }
  25908. break;
  25909. }
  25910. case audioInputNode:
  25911. {
  25912. for (int i = jmin (graph->currentAudioInputBuffer->getNumChannels(),
  25913. buffer.getNumChannels()); --i >= 0;)
  25914. {
  25915. buffer.copyFrom (i, 0, *graph->currentAudioInputBuffer, i, 0, buffer.getNumSamples());
  25916. }
  25917. break;
  25918. }
  25919. case midiOutputNode:
  25920. graph->currentMidiOutputBuffer.addEvents (midiMessages, 0, buffer.getNumSamples(), 0);
  25921. break;
  25922. case midiInputNode:
  25923. midiMessages.addEvents (*graph->currentMidiInputBuffer, 0, buffer.getNumSamples(), 0);
  25924. break;
  25925. default:
  25926. break;
  25927. }
  25928. }
  25929. bool AudioProcessorGraph::AudioGraphIOProcessor::acceptsMidi() const
  25930. {
  25931. return type == midiOutputNode;
  25932. }
  25933. bool AudioProcessorGraph::AudioGraphIOProcessor::producesMidi() const
  25934. {
  25935. return type == midiInputNode;
  25936. }
  25937. const String AudioProcessorGraph::AudioGraphIOProcessor::getInputChannelName (const int channelIndex) const
  25938. {
  25939. switch (type)
  25940. {
  25941. case audioOutputNode:
  25942. return "Output " + String (channelIndex + 1);
  25943. case midiOutputNode:
  25944. return "Midi Output";
  25945. default:
  25946. break;
  25947. }
  25948. return String::empty;
  25949. }
  25950. const String AudioProcessorGraph::AudioGraphIOProcessor::getOutputChannelName (const int channelIndex) const
  25951. {
  25952. switch (type)
  25953. {
  25954. case audioInputNode:
  25955. return "Input " + String (channelIndex + 1);
  25956. case midiInputNode:
  25957. return "Midi Input";
  25958. default:
  25959. break;
  25960. }
  25961. return String::empty;
  25962. }
  25963. bool AudioProcessorGraph::AudioGraphIOProcessor::isInputChannelStereoPair (int /*index*/) const
  25964. {
  25965. return type == audioInputNode || type == audioOutputNode;
  25966. }
  25967. bool AudioProcessorGraph::AudioGraphIOProcessor::isOutputChannelStereoPair (int index) const
  25968. {
  25969. return isInputChannelStereoPair (index);
  25970. }
  25971. bool AudioProcessorGraph::AudioGraphIOProcessor::isInput() const throw()
  25972. {
  25973. return type == audioInputNode || type == midiInputNode;
  25974. }
  25975. bool AudioProcessorGraph::AudioGraphIOProcessor::isOutput() const throw()
  25976. {
  25977. return type == audioOutputNode || type == midiOutputNode;
  25978. }
  25979. AudioProcessorEditor* AudioProcessorGraph::AudioGraphIOProcessor::createEditor()
  25980. {
  25981. return 0;
  25982. }
  25983. int AudioProcessorGraph::AudioGraphIOProcessor::getNumParameters() { return 0; }
  25984. const String AudioProcessorGraph::AudioGraphIOProcessor::getParameterName (int) { return String::empty; }
  25985. float AudioProcessorGraph::AudioGraphIOProcessor::getParameter (int) { return 0.0f; }
  25986. const String AudioProcessorGraph::AudioGraphIOProcessor::getParameterText (int) { return String::empty; }
  25987. void AudioProcessorGraph::AudioGraphIOProcessor::setParameter (int, float) { }
  25988. int AudioProcessorGraph::AudioGraphIOProcessor::getNumPrograms() { return 0; }
  25989. int AudioProcessorGraph::AudioGraphIOProcessor::getCurrentProgram() { return 0; }
  25990. void AudioProcessorGraph::AudioGraphIOProcessor::setCurrentProgram (int) { }
  25991. const String AudioProcessorGraph::AudioGraphIOProcessor::getProgramName (int) { return String::empty; }
  25992. void AudioProcessorGraph::AudioGraphIOProcessor::changeProgramName (int, const String&) { }
  25993. void AudioProcessorGraph::AudioGraphIOProcessor::getStateInformation (JUCE_NAMESPACE::MemoryBlock&)
  25994. {
  25995. }
  25996. void AudioProcessorGraph::AudioGraphIOProcessor::setStateInformation (const void*, int)
  25997. {
  25998. }
  25999. void AudioProcessorGraph::AudioGraphIOProcessor::setParentGraph (AudioProcessorGraph* const newGraph) throw()
  26000. {
  26001. graph = newGraph;
  26002. if (graph != 0)
  26003. {
  26004. setPlayConfigDetails (type == audioOutputNode ? graph->getNumOutputChannels() : 0,
  26005. type == audioInputNode ? graph->getNumInputChannels() : 0,
  26006. getSampleRate(),
  26007. getBlockSize());
  26008. updateHostDisplay();
  26009. }
  26010. }
  26011. END_JUCE_NAMESPACE
  26012. /********* End of inlined file: juce_AudioProcessorGraph.cpp *********/
  26013. /********* Start of inlined file: juce_AudioProcessorPlayer.cpp *********/
  26014. BEGIN_JUCE_NAMESPACE
  26015. AudioProcessorPlayer::AudioProcessorPlayer()
  26016. : processor (0),
  26017. sampleRate (0),
  26018. blockSize (0),
  26019. isPrepared (false),
  26020. numInputChans (0),
  26021. numOutputChans (0),
  26022. tempBuffer (1, 1)
  26023. {
  26024. }
  26025. AudioProcessorPlayer::~AudioProcessorPlayer()
  26026. {
  26027. setProcessor (0);
  26028. }
  26029. void AudioProcessorPlayer::setProcessor (AudioProcessor* const processorToPlay)
  26030. {
  26031. if (processor != processorToPlay)
  26032. {
  26033. if (processorToPlay != 0 && sampleRate > 0 && blockSize > 0)
  26034. {
  26035. processorToPlay->setPlayConfigDetails (numInputChans, numOutputChans,
  26036. sampleRate, blockSize);
  26037. processorToPlay->prepareToPlay (sampleRate, blockSize);
  26038. }
  26039. lock.enter();
  26040. AudioProcessor* const oldOne = isPrepared ? processor : 0;
  26041. processor = processorToPlay;
  26042. isPrepared = true;
  26043. lock.exit();
  26044. if (oldOne != 0)
  26045. oldOne->releaseResources();
  26046. }
  26047. }
  26048. void AudioProcessorPlayer::audioDeviceIOCallback (const float** inputChannelData,
  26049. int numInputChannels,
  26050. float** outputChannelData,
  26051. int numOutputChannels,
  26052. int numSamples)
  26053. {
  26054. // these should have been prepared by audioDeviceAboutToStart()...
  26055. jassert (sampleRate > 0 && blockSize > 0);
  26056. incomingMidi.clear();
  26057. messageCollector.removeNextBlockOfMessages (incomingMidi, numSamples);
  26058. int i, totalNumChans = 0;
  26059. if (numInputChannels > numOutputChannels)
  26060. {
  26061. // if there aren't enough output channels for the number of
  26062. // inputs, we need to create some temporary extra ones (can't
  26063. // use the input data in case it gets written to)
  26064. tempBuffer.setSize (numInputChannels - numOutputChannels, numSamples,
  26065. false, false, true);
  26066. for (i = 0; i < numOutputChannels; ++i)
  26067. {
  26068. channels[totalNumChans] = outputChannelData[i];
  26069. memcpy (channels[totalNumChans], inputChannelData[i], sizeof (float) * numSamples);
  26070. ++totalNumChans;
  26071. }
  26072. for (i = numOutputChannels; i < numInputChannels; ++i)
  26073. {
  26074. channels[totalNumChans] = tempBuffer.getSampleData (i - numOutputChannels, 0);
  26075. memcpy (channels[totalNumChans], inputChannelData[i], sizeof (float) * numSamples);
  26076. ++totalNumChans;
  26077. }
  26078. }
  26079. else
  26080. {
  26081. for (i = 0; i < numInputChannels; ++i)
  26082. {
  26083. channels[totalNumChans] = outputChannelData[i];
  26084. memcpy (channels[totalNumChans], inputChannelData[i], sizeof (float) * numSamples);
  26085. ++totalNumChans;
  26086. }
  26087. for (i = numInputChannels; i < numOutputChannels; ++i)
  26088. {
  26089. channels[totalNumChans] = outputChannelData[i];
  26090. zeromem (channels[totalNumChans], sizeof (float) * numSamples);
  26091. ++totalNumChans;
  26092. }
  26093. }
  26094. AudioSampleBuffer buffer (channels, totalNumChans, numSamples);
  26095. const ScopedLock sl (lock);
  26096. if (processor != 0)
  26097. processor->processBlock (buffer, incomingMidi);
  26098. }
  26099. void AudioProcessorPlayer::audioDeviceAboutToStart (AudioIODevice* device)
  26100. {
  26101. const ScopedLock sl (lock);
  26102. sampleRate = device->getCurrentSampleRate();
  26103. blockSize = device->getCurrentBufferSizeSamples();
  26104. numInputChans = device->getActiveInputChannels().countNumberOfSetBits();
  26105. numOutputChans = device->getActiveOutputChannels().countNumberOfSetBits();
  26106. messageCollector.reset (sampleRate);
  26107. zeromem (channels, sizeof (channels));
  26108. if (processor != 0)
  26109. {
  26110. if (isPrepared)
  26111. processor->releaseResources();
  26112. AudioProcessor* const oldProcessor = processor;
  26113. setProcessor (0);
  26114. setProcessor (oldProcessor);
  26115. }
  26116. }
  26117. void AudioProcessorPlayer::audioDeviceStopped()
  26118. {
  26119. const ScopedLock sl (lock);
  26120. if (processor != 0 && isPrepared)
  26121. processor->releaseResources();
  26122. sampleRate = 0.0;
  26123. blockSize = 0;
  26124. isPrepared = false;
  26125. tempBuffer.setSize (1, 1);
  26126. }
  26127. void AudioProcessorPlayer::handleIncomingMidiMessage (MidiInput*, const MidiMessage& message)
  26128. {
  26129. messageCollector.addMessageToQueue (message);
  26130. }
  26131. END_JUCE_NAMESPACE
  26132. /********* End of inlined file: juce_AudioProcessorPlayer.cpp *********/
  26133. /********* Start of inlined file: juce_GenericAudioProcessorEditor.cpp *********/
  26134. BEGIN_JUCE_NAMESPACE
  26135. class ProcessorParameterPropertyComp : public PropertyComponent,
  26136. public AudioProcessorListener,
  26137. public AsyncUpdater
  26138. {
  26139. public:
  26140. ProcessorParameterPropertyComp (const String& name,
  26141. AudioProcessor* const owner_,
  26142. const int index_)
  26143. : PropertyComponent (name),
  26144. owner (owner_),
  26145. index (index_)
  26146. {
  26147. addAndMakeVisible (slider = new ParamSlider (owner_, index_));
  26148. owner_->addListener (this);
  26149. }
  26150. ~ProcessorParameterPropertyComp()
  26151. {
  26152. owner->removeListener (this);
  26153. deleteAllChildren();
  26154. }
  26155. void refresh()
  26156. {
  26157. slider->setValue (owner->getParameter (index), false);
  26158. }
  26159. void audioProcessorChanged (AudioProcessor*) {}
  26160. void audioProcessorParameterChanged (AudioProcessor*, int parameterIndex, float)
  26161. {
  26162. if (parameterIndex == index)
  26163. triggerAsyncUpdate();
  26164. }
  26165. void handleAsyncUpdate()
  26166. {
  26167. refresh();
  26168. }
  26169. juce_UseDebuggingNewOperator
  26170. private:
  26171. AudioProcessor* const owner;
  26172. const int index;
  26173. Slider* slider;
  26174. class ParamSlider : public Slider
  26175. {
  26176. public:
  26177. ParamSlider (AudioProcessor* const owner_, const int index_)
  26178. : Slider (String::empty),
  26179. owner (owner_),
  26180. index (index_)
  26181. {
  26182. setRange (0.0, 1.0, 0.0);
  26183. setSliderStyle (Slider::LinearBar);
  26184. setTextBoxIsEditable (false);
  26185. setScrollWheelEnabled (false);
  26186. }
  26187. ~ParamSlider()
  26188. {
  26189. }
  26190. void valueChanged()
  26191. {
  26192. const float newVal = (float) getValue();
  26193. if (owner->getParameter (index) != newVal)
  26194. owner->setParameter (index, newVal);
  26195. }
  26196. const String getTextFromValue (double /*value*/)
  26197. {
  26198. return owner->getParameterText (index);
  26199. }
  26200. juce_UseDebuggingNewOperator
  26201. private:
  26202. AudioProcessor* const owner;
  26203. const int index;
  26204. };
  26205. };
  26206. GenericAudioProcessorEditor::GenericAudioProcessorEditor (AudioProcessor* const owner)
  26207. : AudioProcessorEditor (owner)
  26208. {
  26209. setOpaque (true);
  26210. addAndMakeVisible (panel = new PropertyPanel());
  26211. Array <PropertyComponent*> params;
  26212. const int numParams = owner->getNumParameters();
  26213. int totalHeight = 0;
  26214. for (int i = 0; i < numParams; ++i)
  26215. {
  26216. String name (owner->getParameterName (i));
  26217. if (name.trim().isEmpty())
  26218. name = "Unnamed";
  26219. ProcessorParameterPropertyComp* const pc = new ProcessorParameterPropertyComp (name, owner, i);
  26220. params.add (pc);
  26221. totalHeight += pc->getPreferredHeight();
  26222. }
  26223. panel->addProperties (params);
  26224. setSize (400, jlimit (25, 400, totalHeight));
  26225. }
  26226. GenericAudioProcessorEditor::~GenericAudioProcessorEditor()
  26227. {
  26228. deleteAllChildren();
  26229. }
  26230. void GenericAudioProcessorEditor::paint (Graphics& g)
  26231. {
  26232. g.fillAll (Colours::white);
  26233. }
  26234. void GenericAudioProcessorEditor::resized()
  26235. {
  26236. panel->setSize (getWidth(), getHeight());
  26237. }
  26238. END_JUCE_NAMESPACE
  26239. /********* End of inlined file: juce_GenericAudioProcessorEditor.cpp *********/
  26240. /********* Start of inlined file: juce_Sampler.cpp *********/
  26241. BEGIN_JUCE_NAMESPACE
  26242. SamplerSound::SamplerSound (const String& name_,
  26243. AudioFormatReader& source,
  26244. const BitArray& midiNotes_,
  26245. const int midiNoteForNormalPitch,
  26246. const double attackTimeSecs,
  26247. const double releaseTimeSecs,
  26248. const double maxSampleLengthSeconds)
  26249. : name (name_),
  26250. midiNotes (midiNotes_),
  26251. midiRootNote (midiNoteForNormalPitch)
  26252. {
  26253. sourceSampleRate = source.sampleRate;
  26254. if (sourceSampleRate <= 0 || source.lengthInSamples <= 0)
  26255. {
  26256. data = 0;
  26257. length = 0;
  26258. attackSamples = 0;
  26259. releaseSamples = 0;
  26260. }
  26261. else
  26262. {
  26263. length = jmin ((int) source.lengthInSamples,
  26264. (int) (maxSampleLengthSeconds * sourceSampleRate));
  26265. data = new AudioSampleBuffer (jmin (2, source.numChannels), length + 4);
  26266. data->readFromAudioReader (&source, 0, length + 4, 0, true, true);
  26267. attackSamples = roundDoubleToInt (attackTimeSecs * sourceSampleRate);
  26268. releaseSamples = roundDoubleToInt (releaseTimeSecs * sourceSampleRate);
  26269. }
  26270. }
  26271. SamplerSound::~SamplerSound()
  26272. {
  26273. delete data;
  26274. data = 0;
  26275. }
  26276. bool SamplerSound::appliesToNote (const int midiNoteNumber)
  26277. {
  26278. return midiNotes [midiNoteNumber];
  26279. }
  26280. bool SamplerSound::appliesToChannel (const int /*midiChannel*/)
  26281. {
  26282. return true;
  26283. }
  26284. SamplerVoice::SamplerVoice()
  26285. : pitchRatio (0.0),
  26286. sourceSamplePosition (0.0),
  26287. lgain (0.0f),
  26288. rgain (0.0f),
  26289. isInAttack (false),
  26290. isInRelease (false)
  26291. {
  26292. }
  26293. SamplerVoice::~SamplerVoice()
  26294. {
  26295. }
  26296. bool SamplerVoice::canPlaySound (SynthesiserSound* sound)
  26297. {
  26298. return dynamic_cast <const SamplerSound*> (sound) != 0;
  26299. }
  26300. void SamplerVoice::startNote (const int midiNoteNumber,
  26301. const float velocity,
  26302. SynthesiserSound* s,
  26303. const int /*currentPitchWheelPosition*/)
  26304. {
  26305. const SamplerSound* const sound = dynamic_cast <const SamplerSound*> (s);
  26306. jassert (sound != 0); // this object can only play SamplerSounds!
  26307. if (sound != 0)
  26308. {
  26309. const double targetFreq = MidiMessage::getMidiNoteInHertz (midiNoteNumber);
  26310. const double naturalFreq = MidiMessage::getMidiNoteInHertz (sound->midiRootNote);
  26311. pitchRatio = (targetFreq * sound->sourceSampleRate) / (naturalFreq * getSampleRate());
  26312. sourceSamplePosition = 0.0;
  26313. lgain = velocity;
  26314. rgain = velocity;
  26315. isInAttack = (sound->attackSamples > 0);
  26316. isInRelease = false;
  26317. if (isInAttack)
  26318. {
  26319. attackReleaseLevel = 0.0f;
  26320. attackDelta = (float) (pitchRatio / sound->attackSamples);
  26321. }
  26322. else
  26323. {
  26324. attackReleaseLevel = 1.0f;
  26325. attackDelta = 0.0f;
  26326. }
  26327. if (sound->releaseSamples > 0)
  26328. {
  26329. releaseDelta = (float) (-pitchRatio / sound->releaseSamples);
  26330. }
  26331. else
  26332. {
  26333. releaseDelta = 0.0f;
  26334. }
  26335. }
  26336. }
  26337. void SamplerVoice::stopNote (const bool allowTailOff)
  26338. {
  26339. if (allowTailOff)
  26340. {
  26341. isInAttack = false;
  26342. isInRelease = true;
  26343. }
  26344. else
  26345. {
  26346. clearCurrentNote();
  26347. }
  26348. }
  26349. void SamplerVoice::pitchWheelMoved (const int /*newValue*/)
  26350. {
  26351. }
  26352. void SamplerVoice::controllerMoved (const int /*controllerNumber*/,
  26353. const int /*newValue*/)
  26354. {
  26355. }
  26356. void SamplerVoice::renderNextBlock (AudioSampleBuffer& outputBuffer, int startSample, int numSamples)
  26357. {
  26358. const SamplerSound* const playingSound = (SamplerSound*) (SynthesiserSound*) getCurrentlyPlayingSound();
  26359. if (playingSound != 0)
  26360. {
  26361. const float* const inL = playingSound->data->getSampleData (0, 0);
  26362. const float* const inR = playingSound->data->getNumChannels() > 1
  26363. ? playingSound->data->getSampleData (1, 0) : 0;
  26364. float* outL = outputBuffer.getSampleData (0, startSample);
  26365. float* outR = outputBuffer.getNumChannels() > 1 ? outputBuffer.getSampleData (1, startSample) : 0;
  26366. while (--numSamples >= 0)
  26367. {
  26368. const int pos = (int) sourceSamplePosition;
  26369. const float alpha = (float) (sourceSamplePosition - pos);
  26370. const float invAlpha = 1.0f - alpha;
  26371. // just using a very simple linear interpolation here..
  26372. float l = (inL [pos] * invAlpha + inL [pos + 1] * alpha);
  26373. float r = (inR != 0) ? (inR [pos] * invAlpha + inR [pos + 1] * alpha)
  26374. : l;
  26375. l *= lgain;
  26376. r *= rgain;
  26377. if (isInAttack)
  26378. {
  26379. l *= attackReleaseLevel;
  26380. r *= attackReleaseLevel;
  26381. attackReleaseLevel += attackDelta;
  26382. if (attackReleaseLevel >= 1.0f)
  26383. {
  26384. attackReleaseLevel = 1.0f;
  26385. isInAttack = false;
  26386. }
  26387. }
  26388. else if (isInRelease)
  26389. {
  26390. l *= attackReleaseLevel;
  26391. r *= attackReleaseLevel;
  26392. attackReleaseLevel += releaseDelta;
  26393. if (attackReleaseLevel <= 0.0f)
  26394. {
  26395. stopNote (false);
  26396. break;
  26397. }
  26398. }
  26399. if (outR != 0)
  26400. {
  26401. *outL++ += l;
  26402. *outR++ += r;
  26403. }
  26404. else
  26405. {
  26406. *outL++ += (l + r) * 0.5f;
  26407. }
  26408. sourceSamplePosition += pitchRatio;
  26409. if (sourceSamplePosition > playingSound->length)
  26410. {
  26411. stopNote (false);
  26412. break;
  26413. }
  26414. }
  26415. }
  26416. }
  26417. END_JUCE_NAMESPACE
  26418. /********* End of inlined file: juce_Sampler.cpp *********/
  26419. /********* Start of inlined file: juce_Synthesiser.cpp *********/
  26420. BEGIN_JUCE_NAMESPACE
  26421. SynthesiserSound::SynthesiserSound()
  26422. {
  26423. }
  26424. SynthesiserSound::~SynthesiserSound()
  26425. {
  26426. }
  26427. SynthesiserVoice::SynthesiserVoice()
  26428. : currentSampleRate (44100.0),
  26429. currentlyPlayingNote (-1),
  26430. noteOnTime (0),
  26431. currentlyPlayingSound (0)
  26432. {
  26433. }
  26434. SynthesiserVoice::~SynthesiserVoice()
  26435. {
  26436. }
  26437. bool SynthesiserVoice::isPlayingChannel (const int midiChannel) const
  26438. {
  26439. return currentlyPlayingSound != 0
  26440. && currentlyPlayingSound->appliesToChannel (midiChannel);
  26441. }
  26442. void SynthesiserVoice::setCurrentPlaybackSampleRate (const double newRate)
  26443. {
  26444. currentSampleRate = newRate;
  26445. }
  26446. void SynthesiserVoice::clearCurrentNote()
  26447. {
  26448. currentlyPlayingNote = -1;
  26449. currentlyPlayingSound = 0;
  26450. }
  26451. Synthesiser::Synthesiser()
  26452. : voices (2),
  26453. sounds (2),
  26454. sampleRate (0),
  26455. lastNoteOnCounter (0),
  26456. shouldStealNotes (true)
  26457. {
  26458. zeromem (lastPitchWheelValues, sizeof (lastPitchWheelValues));
  26459. }
  26460. Synthesiser::~Synthesiser()
  26461. {
  26462. }
  26463. SynthesiserVoice* Synthesiser::getVoice (const int index) const throw()
  26464. {
  26465. const ScopedLock sl (lock);
  26466. return voices [index];
  26467. }
  26468. void Synthesiser::clearVoices()
  26469. {
  26470. const ScopedLock sl (lock);
  26471. voices.clear();
  26472. }
  26473. void Synthesiser::addVoice (SynthesiserVoice* const newVoice)
  26474. {
  26475. const ScopedLock sl (lock);
  26476. voices.add (newVoice);
  26477. }
  26478. void Synthesiser::removeVoice (const int index)
  26479. {
  26480. const ScopedLock sl (lock);
  26481. voices.remove (index);
  26482. }
  26483. void Synthesiser::clearSounds()
  26484. {
  26485. const ScopedLock sl (lock);
  26486. sounds.clear();
  26487. }
  26488. void Synthesiser::addSound (const SynthesiserSound::Ptr& newSound)
  26489. {
  26490. const ScopedLock sl (lock);
  26491. sounds.add (newSound);
  26492. }
  26493. void Synthesiser::removeSound (const int index)
  26494. {
  26495. const ScopedLock sl (lock);
  26496. sounds.remove (index);
  26497. }
  26498. void Synthesiser::setNoteStealingEnabled (const bool shouldStealNotes_)
  26499. {
  26500. shouldStealNotes = shouldStealNotes_;
  26501. }
  26502. void Synthesiser::setCurrentPlaybackSampleRate (const double newRate)
  26503. {
  26504. if (sampleRate != newRate)
  26505. {
  26506. const ScopedLock sl (lock);
  26507. allNotesOff (0, false);
  26508. sampleRate = newRate;
  26509. for (int i = voices.size(); --i >= 0;)
  26510. voices.getUnchecked (i)->setCurrentPlaybackSampleRate (newRate);
  26511. }
  26512. }
  26513. void Synthesiser::renderNextBlock (AudioSampleBuffer& outputBuffer,
  26514. const MidiBuffer& midiData,
  26515. int startSample,
  26516. int numSamples)
  26517. {
  26518. // must set the sample rate before using this!
  26519. jassert (sampleRate != 0);
  26520. const ScopedLock sl (lock);
  26521. MidiBuffer::Iterator midiIterator (midiData);
  26522. midiIterator.setNextSamplePosition (startSample);
  26523. MidiMessage m (0xf4, 0.0);
  26524. while (numSamples > 0)
  26525. {
  26526. int midiEventPos;
  26527. const bool useEvent = midiIterator.getNextEvent (m, midiEventPos)
  26528. && midiEventPos < startSample + numSamples;
  26529. const int numThisTime = useEvent ? midiEventPos - startSample
  26530. : numSamples;
  26531. if (numThisTime > 0)
  26532. {
  26533. for (int i = voices.size(); --i >= 0;)
  26534. voices.getUnchecked (i)->renderNextBlock (outputBuffer, startSample, numThisTime);
  26535. }
  26536. if (useEvent)
  26537. {
  26538. if (m.isNoteOn())
  26539. {
  26540. const int channel = m.getChannel();
  26541. noteOn (channel,
  26542. m.getNoteNumber(),
  26543. m.getFloatVelocity());
  26544. }
  26545. else if (m.isNoteOff())
  26546. {
  26547. noteOff (m.getChannel(),
  26548. m.getNoteNumber(),
  26549. true);
  26550. }
  26551. else if (m.isAllNotesOff() || m.isAllSoundOff())
  26552. {
  26553. allNotesOff (m.getChannel(), true);
  26554. }
  26555. else if (m.isPitchWheel())
  26556. {
  26557. const int channel = m.getChannel();
  26558. const int wheelPos = m.getPitchWheelValue();
  26559. lastPitchWheelValues [channel - 1] = wheelPos;
  26560. handlePitchWheel (channel, wheelPos);
  26561. }
  26562. else if (m.isController())
  26563. {
  26564. handleController (m.getChannel(),
  26565. m.getControllerNumber(),
  26566. m.getControllerValue());
  26567. }
  26568. }
  26569. startSample += numThisTime;
  26570. numSamples -= numThisTime;
  26571. }
  26572. }
  26573. void Synthesiser::noteOn (const int midiChannel,
  26574. const int midiNoteNumber,
  26575. const float velocity)
  26576. {
  26577. const ScopedLock sl (lock);
  26578. for (int i = sounds.size(); --i >= 0;)
  26579. {
  26580. SynthesiserSound* const sound = sounds.getUnchecked(i);
  26581. if (sound->appliesToNote (midiNoteNumber)
  26582. && sound->appliesToChannel (midiChannel))
  26583. {
  26584. startVoice (findFreeVoice (sound, shouldStealNotes),
  26585. sound, midiChannel, midiNoteNumber, velocity);
  26586. }
  26587. }
  26588. }
  26589. void Synthesiser::startVoice (SynthesiserVoice* const voice,
  26590. SynthesiserSound* const sound,
  26591. const int midiChannel,
  26592. const int midiNoteNumber,
  26593. const float velocity)
  26594. {
  26595. if (voice != 0 && sound != 0)
  26596. {
  26597. if (voice->currentlyPlayingSound != 0)
  26598. voice->stopNote (false);
  26599. voice->startNote (midiNoteNumber,
  26600. velocity,
  26601. sound,
  26602. lastPitchWheelValues [midiChannel - 1]);
  26603. voice->currentlyPlayingNote = midiNoteNumber;
  26604. voice->noteOnTime = ++lastNoteOnCounter;
  26605. voice->currentlyPlayingSound = sound;
  26606. }
  26607. }
  26608. void Synthesiser::noteOff (const int midiChannel,
  26609. const int midiNoteNumber,
  26610. const bool allowTailOff)
  26611. {
  26612. const ScopedLock sl (lock);
  26613. for (int i = voices.size(); --i >= 0;)
  26614. {
  26615. SynthesiserVoice* const voice = voices.getUnchecked (i);
  26616. if (voice->getCurrentlyPlayingNote() == midiNoteNumber)
  26617. {
  26618. SynthesiserSound* const sound = voice->getCurrentlyPlayingSound();
  26619. if (sound != 0
  26620. && sound->appliesToNote (midiNoteNumber)
  26621. && sound->appliesToChannel (midiChannel))
  26622. {
  26623. voice->stopNote (allowTailOff);
  26624. // the subclass MUST call clearCurrentNote() if it's not tailing off! RTFM for stopNote()!
  26625. jassert (allowTailOff || (voice->getCurrentlyPlayingNote() < 0 && voice->getCurrentlyPlayingSound() == 0));
  26626. }
  26627. }
  26628. }
  26629. }
  26630. void Synthesiser::allNotesOff (const int midiChannel,
  26631. const bool allowTailOff)
  26632. {
  26633. const ScopedLock sl (lock);
  26634. for (int i = voices.size(); --i >= 0;)
  26635. {
  26636. SynthesiserVoice* const voice = voices.getUnchecked (i);
  26637. if (midiChannel <= 0 || voice->isPlayingChannel (midiChannel))
  26638. voice->stopNote (allowTailOff);
  26639. }
  26640. }
  26641. void Synthesiser::handlePitchWheel (const int midiChannel,
  26642. const int wheelValue)
  26643. {
  26644. const ScopedLock sl (lock);
  26645. for (int i = voices.size(); --i >= 0;)
  26646. {
  26647. SynthesiserVoice* const voice = voices.getUnchecked (i);
  26648. if (midiChannel <= 0 || voice->isPlayingChannel (midiChannel))
  26649. {
  26650. voice->pitchWheelMoved (wheelValue);
  26651. }
  26652. }
  26653. }
  26654. void Synthesiser::handleController (const int midiChannel,
  26655. const int controllerNumber,
  26656. const int controllerValue)
  26657. {
  26658. const ScopedLock sl (lock);
  26659. for (int i = voices.size(); --i >= 0;)
  26660. {
  26661. SynthesiserVoice* const voice = voices.getUnchecked (i);
  26662. if (midiChannel <= 0 || voice->isPlayingChannel (midiChannel))
  26663. voice->controllerMoved (controllerNumber, controllerValue);
  26664. }
  26665. }
  26666. SynthesiserVoice* Synthesiser::findFreeVoice (SynthesiserSound* soundToPlay,
  26667. const bool stealIfNoneAvailable) const
  26668. {
  26669. const ScopedLock sl (lock);
  26670. for (int i = voices.size(); --i >= 0;)
  26671. if (voices.getUnchecked (i)->getCurrentlyPlayingNote() < 0
  26672. && voices.getUnchecked (i)->canPlaySound (soundToPlay))
  26673. return voices.getUnchecked (i);
  26674. if (stealIfNoneAvailable)
  26675. {
  26676. // currently this just steals the one that's been playing the longest, but could be made a bit smarter..
  26677. SynthesiserVoice* oldest = 0;
  26678. for (int i = voices.size(); --i >= 0;)
  26679. {
  26680. SynthesiserVoice* const voice = voices.getUnchecked (i);
  26681. if (voice->canPlaySound (soundToPlay)
  26682. && (oldest == 0 || oldest->noteOnTime > voice->noteOnTime))
  26683. oldest = voice;
  26684. }
  26685. jassert (oldest != 0);
  26686. return oldest;
  26687. }
  26688. return 0;
  26689. }
  26690. END_JUCE_NAMESPACE
  26691. /********* End of inlined file: juce_Synthesiser.cpp *********/
  26692. /********* Start of inlined file: juce_FileBasedDocument.cpp *********/
  26693. BEGIN_JUCE_NAMESPACE
  26694. FileBasedDocument::FileBasedDocument (const String& fileExtension_,
  26695. const String& fileWildcard_,
  26696. const String& openFileDialogTitle_,
  26697. const String& saveFileDialogTitle_)
  26698. : changedSinceSave (false),
  26699. fileExtension (fileExtension_),
  26700. fileWildcard (fileWildcard_),
  26701. openFileDialogTitle (openFileDialogTitle_),
  26702. saveFileDialogTitle (saveFileDialogTitle_)
  26703. {
  26704. }
  26705. FileBasedDocument::~FileBasedDocument()
  26706. {
  26707. }
  26708. void FileBasedDocument::setChangedFlag (const bool hasChanged)
  26709. {
  26710. changedSinceSave = hasChanged;
  26711. }
  26712. void FileBasedDocument::changed()
  26713. {
  26714. changedSinceSave = true;
  26715. sendChangeMessage (this);
  26716. }
  26717. void FileBasedDocument::setFile (const File& newFile)
  26718. {
  26719. if (documentFile != newFile)
  26720. {
  26721. documentFile = newFile;
  26722. changedSinceSave = true;
  26723. }
  26724. }
  26725. bool FileBasedDocument::loadFrom (const File& newFile,
  26726. const bool showMessageOnFailure)
  26727. {
  26728. MouseCursor::showWaitCursor();
  26729. const File oldFile (documentFile);
  26730. documentFile = newFile;
  26731. String error;
  26732. if (newFile.existsAsFile())
  26733. {
  26734. error = loadDocument (newFile);
  26735. if (error.isEmpty())
  26736. {
  26737. setChangedFlag (false);
  26738. MouseCursor::hideWaitCursor();
  26739. setLastDocumentOpened (newFile);
  26740. return true;
  26741. }
  26742. }
  26743. else
  26744. {
  26745. error = "The file doesn't exist";
  26746. }
  26747. documentFile = oldFile;
  26748. MouseCursor::hideWaitCursor();
  26749. if (showMessageOnFailure)
  26750. {
  26751. AlertWindow::showMessageBox (AlertWindow::WarningIcon,
  26752. TRANS("Failed to open file..."),
  26753. TRANS("There was an error while trying to load the file:\n\n")
  26754. + newFile.getFullPathName()
  26755. + T("\n\n")
  26756. + error);
  26757. }
  26758. return false;
  26759. }
  26760. bool FileBasedDocument::loadFromUserSpecifiedFile (const bool showMessageOnFailure)
  26761. {
  26762. FileChooser fc (openFileDialogTitle,
  26763. getLastDocumentOpened(),
  26764. fileWildcard);
  26765. if (fc.browseForFileToOpen())
  26766. return loadFrom (fc.getResult(), showMessageOnFailure);
  26767. return false;
  26768. }
  26769. FileBasedDocument::SaveResult FileBasedDocument::save (const bool askUserForFileIfNotSpecified,
  26770. const bool showMessageOnFailure)
  26771. {
  26772. return saveAs (documentFile,
  26773. false,
  26774. askUserForFileIfNotSpecified,
  26775. showMessageOnFailure);
  26776. }
  26777. FileBasedDocument::SaveResult FileBasedDocument::saveAs (const File& newFile,
  26778. const bool warnAboutOverwritingExistingFiles,
  26779. const bool askUserForFileIfNotSpecified,
  26780. const bool showMessageOnFailure)
  26781. {
  26782. if (newFile == File::nonexistent)
  26783. {
  26784. if (askUserForFileIfNotSpecified)
  26785. {
  26786. return saveAsInteractive (true);
  26787. }
  26788. else
  26789. {
  26790. // can't save to an unspecified file
  26791. jassertfalse
  26792. return failedToWriteToFile;
  26793. }
  26794. }
  26795. if (warnAboutOverwritingExistingFiles && newFile.exists())
  26796. {
  26797. if (! AlertWindow::showOkCancelBox (AlertWindow::WarningIcon,
  26798. TRANS("File already exists"),
  26799. TRANS("There's already a file called:\n\n")
  26800. + newFile.getFullPathName()
  26801. + TRANS("\n\nAre you sure you want to overwrite it?"),
  26802. TRANS("overwrite"),
  26803. TRANS("cancel")))
  26804. {
  26805. return userCancelledSave;
  26806. }
  26807. }
  26808. MouseCursor::showWaitCursor();
  26809. const File oldFile (documentFile);
  26810. documentFile = newFile;
  26811. String error (saveDocument (newFile));
  26812. if (error.isEmpty())
  26813. {
  26814. setChangedFlag (false);
  26815. MouseCursor::hideWaitCursor();
  26816. return savedOk;
  26817. }
  26818. documentFile = oldFile;
  26819. MouseCursor::hideWaitCursor();
  26820. if (showMessageOnFailure)
  26821. {
  26822. AlertWindow::showMessageBox (AlertWindow::WarningIcon,
  26823. TRANS("Error writing to file..."),
  26824. TRANS("An error occurred while trying to save \"")
  26825. + getDocumentTitle()
  26826. + TRANS("\" to the file:\n\n")
  26827. + newFile.getFullPathName()
  26828. + T("\n\n")
  26829. + error);
  26830. }
  26831. return failedToWriteToFile;
  26832. }
  26833. FileBasedDocument::SaveResult FileBasedDocument::saveIfNeededAndUserAgrees()
  26834. {
  26835. if (! hasChangedSinceSaved())
  26836. return savedOk;
  26837. const int r = AlertWindow::showYesNoCancelBox (AlertWindow::QuestionIcon,
  26838. TRANS("Closing document..."),
  26839. TRANS("Do you want to save the changes to \"")
  26840. + getDocumentTitle() + T("\"?"),
  26841. TRANS("save"),
  26842. TRANS("discard changes"),
  26843. TRANS("cancel"));
  26844. if (r == 1)
  26845. {
  26846. // save changes
  26847. return save (true, true);
  26848. }
  26849. else if (r == 2)
  26850. {
  26851. // discard changes
  26852. return savedOk;
  26853. }
  26854. return userCancelledSave;
  26855. }
  26856. FileBasedDocument::SaveResult FileBasedDocument::saveAsInteractive (const bool warnAboutOverwritingExistingFiles)
  26857. {
  26858. File f;
  26859. if (documentFile.existsAsFile())
  26860. f = documentFile;
  26861. else
  26862. f = getLastDocumentOpened();
  26863. String legalFilename (File::createLegalFileName (getDocumentTitle()));
  26864. if (legalFilename.isEmpty())
  26865. legalFilename = "unnamed";
  26866. if (f.existsAsFile() || f.getParentDirectory().isDirectory())
  26867. f = f.getSiblingFile (legalFilename);
  26868. else
  26869. f = File::getSpecialLocation (File::userDocumentsDirectory).getChildFile (legalFilename);
  26870. f = f.withFileExtension (fileExtension)
  26871. .getNonexistentSibling (true);
  26872. FileChooser fc (saveFileDialogTitle, f, fileWildcard);
  26873. if (fc.browseForFileToSave (warnAboutOverwritingExistingFiles))
  26874. {
  26875. setLastDocumentOpened (fc.getResult());
  26876. File chosen (fc.getResult());
  26877. if (chosen.getFileExtension().isEmpty())
  26878. chosen = chosen.withFileExtension (fileExtension);
  26879. return saveAs (chosen, false, false, true);
  26880. }
  26881. return userCancelledSave;
  26882. }
  26883. END_JUCE_NAMESPACE
  26884. /********* End of inlined file: juce_FileBasedDocument.cpp *********/
  26885. /********* Start of inlined file: juce_RecentlyOpenedFilesList.cpp *********/
  26886. BEGIN_JUCE_NAMESPACE
  26887. RecentlyOpenedFilesList::RecentlyOpenedFilesList()
  26888. : maxNumberOfItems (10)
  26889. {
  26890. }
  26891. RecentlyOpenedFilesList::~RecentlyOpenedFilesList()
  26892. {
  26893. }
  26894. void RecentlyOpenedFilesList::setMaxNumberOfItems (const int newMaxNumber)
  26895. {
  26896. maxNumberOfItems = jmax (1, newMaxNumber);
  26897. while (getNumFiles() > maxNumberOfItems)
  26898. files.remove (getNumFiles() - 1);
  26899. }
  26900. int RecentlyOpenedFilesList::getNumFiles() const
  26901. {
  26902. return files.size();
  26903. }
  26904. const File RecentlyOpenedFilesList::getFile (const int index) const
  26905. {
  26906. return File (files [index]);
  26907. }
  26908. void RecentlyOpenedFilesList::clear()
  26909. {
  26910. files.clear();
  26911. }
  26912. void RecentlyOpenedFilesList::addFile (const File& file)
  26913. {
  26914. const String path (file.getFullPathName());
  26915. files.removeString (path, true);
  26916. files.insert (0, path);
  26917. setMaxNumberOfItems (maxNumberOfItems);
  26918. }
  26919. void RecentlyOpenedFilesList::removeNonExistentFiles()
  26920. {
  26921. for (int i = getNumFiles(); --i >= 0;)
  26922. if (! getFile(i).exists())
  26923. files.remove (i);
  26924. }
  26925. int RecentlyOpenedFilesList::createPopupMenuItems (PopupMenu& menuToAddTo,
  26926. const int baseItemId,
  26927. const bool showFullPaths,
  26928. const bool dontAddNonExistentFiles,
  26929. const File** filesToAvoid)
  26930. {
  26931. int num = 0;
  26932. for (int i = 0; i < getNumFiles(); ++i)
  26933. {
  26934. const File f (getFile(i));
  26935. if ((! dontAddNonExistentFiles) || f.exists())
  26936. {
  26937. bool needsAvoiding = false;
  26938. if (filesToAvoid != 0)
  26939. {
  26940. const File** files = filesToAvoid;
  26941. while (*files != 0)
  26942. {
  26943. if (f == **files)
  26944. {
  26945. needsAvoiding = true;
  26946. break;
  26947. }
  26948. ++files;
  26949. }
  26950. }
  26951. if (! needsAvoiding)
  26952. {
  26953. menuToAddTo.addItem (baseItemId + i,
  26954. showFullPaths ? f.getFullPathName()
  26955. : f.getFileName());
  26956. ++num;
  26957. }
  26958. }
  26959. }
  26960. return num;
  26961. }
  26962. const String RecentlyOpenedFilesList::toString() const
  26963. {
  26964. return files.joinIntoString (T("\n"));
  26965. }
  26966. void RecentlyOpenedFilesList::restoreFromString (const String& stringifiedVersion)
  26967. {
  26968. clear();
  26969. files.addLines (stringifiedVersion);
  26970. setMaxNumberOfItems (maxNumberOfItems);
  26971. }
  26972. END_JUCE_NAMESPACE
  26973. /********* End of inlined file: juce_RecentlyOpenedFilesList.cpp *********/
  26974. /********* Start of inlined file: juce_UndoManager.cpp *********/
  26975. BEGIN_JUCE_NAMESPACE
  26976. UndoManager::UndoManager (const int maxNumberOfUnitsToKeep,
  26977. const int minimumTransactions)
  26978. : totalUnitsStored (0),
  26979. nextIndex (0),
  26980. newTransaction (true),
  26981. reentrancyCheck (false)
  26982. {
  26983. setMaxNumberOfStoredUnits (maxNumberOfUnitsToKeep,
  26984. minimumTransactions);
  26985. }
  26986. UndoManager::~UndoManager()
  26987. {
  26988. clearUndoHistory();
  26989. }
  26990. void UndoManager::clearUndoHistory()
  26991. {
  26992. transactions.clear();
  26993. transactionNames.clear();
  26994. totalUnitsStored = 0;
  26995. nextIndex = 0;
  26996. sendChangeMessage (this);
  26997. }
  26998. int UndoManager::getNumberOfUnitsTakenUpByStoredCommands() const
  26999. {
  27000. return totalUnitsStored;
  27001. }
  27002. void UndoManager::setMaxNumberOfStoredUnits (const int maxNumberOfUnitsToKeep,
  27003. const int minimumTransactions)
  27004. {
  27005. maxNumUnitsToKeep = jmax (1, maxNumberOfUnitsToKeep);
  27006. minimumTransactionsToKeep = jmax (1, minimumTransactions);
  27007. }
  27008. bool UndoManager::perform (UndoableAction* const command, const String& actionName)
  27009. {
  27010. if (command != 0)
  27011. {
  27012. if (actionName.isNotEmpty())
  27013. currentTransactionName = actionName;
  27014. if (reentrancyCheck)
  27015. {
  27016. jassertfalse // don't call perform() recursively from the UndoableAction::perform() or
  27017. // undo() methods, or else these actions won't actually get done.
  27018. return false;
  27019. }
  27020. else
  27021. {
  27022. bool success = false;
  27023. JUCE_TRY
  27024. {
  27025. success = command->perform();
  27026. }
  27027. JUCE_CATCH_EXCEPTION
  27028. jassert (success);
  27029. if (success)
  27030. {
  27031. if (nextIndex > 0 && ! newTransaction)
  27032. {
  27033. OwnedArray<UndoableAction>* commandSet = transactions [nextIndex - 1];
  27034. jassert (commandSet != 0);
  27035. if (commandSet == 0)
  27036. return false;
  27037. commandSet->add (command);
  27038. }
  27039. else
  27040. {
  27041. OwnedArray<UndoableAction>* commandSet = new OwnedArray<UndoableAction>();
  27042. commandSet->add (command);
  27043. transactions.insert (nextIndex, commandSet);
  27044. transactionNames.insert (nextIndex, currentTransactionName);
  27045. ++nextIndex;
  27046. }
  27047. totalUnitsStored += command->getSizeInUnits();
  27048. newTransaction = false;
  27049. }
  27050. while (nextIndex < transactions.size())
  27051. {
  27052. const OwnedArray <UndoableAction>* const lastSet = transactions.getLast();
  27053. for (int i = lastSet->size(); --i >= 0;)
  27054. totalUnitsStored -= lastSet->getUnchecked (i)->getSizeInUnits();
  27055. transactions.removeLast();
  27056. transactionNames.remove (transactionNames.size() - 1);
  27057. }
  27058. while (nextIndex > 0
  27059. && totalUnitsStored > maxNumUnitsToKeep
  27060. && transactions.size() > minimumTransactionsToKeep)
  27061. {
  27062. const OwnedArray <UndoableAction>* const firstSet = transactions.getFirst();
  27063. for (int i = firstSet->size(); --i >= 0;)
  27064. totalUnitsStored -= firstSet->getUnchecked (i)->getSizeInUnits();
  27065. jassert (totalUnitsStored >= 0); // something fishy going on if this fails!
  27066. transactions.remove (0);
  27067. transactionNames.remove (0);
  27068. --nextIndex;
  27069. }
  27070. sendChangeMessage (this);
  27071. return success;
  27072. }
  27073. }
  27074. return false;
  27075. }
  27076. void UndoManager::beginNewTransaction (const String& actionName)
  27077. {
  27078. newTransaction = true;
  27079. currentTransactionName = actionName;
  27080. }
  27081. void UndoManager::setCurrentTransactionName (const String& newName)
  27082. {
  27083. currentTransactionName = newName;
  27084. }
  27085. bool UndoManager::canUndo() const
  27086. {
  27087. return nextIndex > 0;
  27088. }
  27089. bool UndoManager::canRedo() const
  27090. {
  27091. return nextIndex < transactions.size();
  27092. }
  27093. const String UndoManager::getUndoDescription() const
  27094. {
  27095. return transactionNames [nextIndex - 1];
  27096. }
  27097. const String UndoManager::getRedoDescription() const
  27098. {
  27099. return transactionNames [nextIndex];
  27100. }
  27101. bool UndoManager::undo()
  27102. {
  27103. const OwnedArray<UndoableAction>* const commandSet = transactions [nextIndex - 1];
  27104. if (commandSet == 0)
  27105. return false;
  27106. reentrancyCheck = true;
  27107. bool failed = false;
  27108. for (int i = commandSet->size(); --i >= 0;)
  27109. {
  27110. if (! commandSet->getUnchecked(i)->undo())
  27111. {
  27112. jassertfalse
  27113. failed = true;
  27114. break;
  27115. }
  27116. }
  27117. reentrancyCheck = false;
  27118. if (failed)
  27119. {
  27120. clearUndoHistory();
  27121. }
  27122. else
  27123. {
  27124. --nextIndex;
  27125. }
  27126. beginNewTransaction();
  27127. sendChangeMessage (this);
  27128. return true;
  27129. }
  27130. bool UndoManager::redo()
  27131. {
  27132. const OwnedArray<UndoableAction>* const commandSet = transactions [nextIndex];
  27133. if (commandSet == 0)
  27134. return false;
  27135. reentrancyCheck = true;
  27136. bool failed = false;
  27137. for (int i = 0; i < commandSet->size(); ++i)
  27138. {
  27139. if (! commandSet->getUnchecked(i)->perform())
  27140. {
  27141. jassertfalse
  27142. failed = true;
  27143. break;
  27144. }
  27145. }
  27146. reentrancyCheck = false;
  27147. if (failed)
  27148. {
  27149. clearUndoHistory();
  27150. }
  27151. else
  27152. {
  27153. ++nextIndex;
  27154. }
  27155. beginNewTransaction();
  27156. sendChangeMessage (this);
  27157. return true;
  27158. }
  27159. bool UndoManager::undoCurrentTransactionOnly()
  27160. {
  27161. return newTransaction ? false
  27162. : undo();
  27163. }
  27164. void UndoManager::getActionsInCurrentTransaction (Array <const UndoableAction*>& actionsFound) const
  27165. {
  27166. const OwnedArray <UndoableAction>* const commandSet = transactions [nextIndex - 1];
  27167. if (commandSet != 0 && ! newTransaction)
  27168. {
  27169. for (int i = 0; i < commandSet->size(); ++i)
  27170. actionsFound.add (commandSet->getUnchecked(i));
  27171. }
  27172. }
  27173. END_JUCE_NAMESPACE
  27174. /********* End of inlined file: juce_UndoManager.cpp *********/
  27175. /********* Start of inlined file: juce_ActionBroadcaster.cpp *********/
  27176. BEGIN_JUCE_NAMESPACE
  27177. ActionBroadcaster::ActionBroadcaster() throw()
  27178. {
  27179. // are you trying to create this object before or after juce has been intialised??
  27180. jassert (MessageManager::instance != 0);
  27181. }
  27182. ActionBroadcaster::~ActionBroadcaster()
  27183. {
  27184. // all event-based objects must be deleted BEFORE juce is shut down!
  27185. jassert (MessageManager::instance != 0);
  27186. }
  27187. void ActionBroadcaster::addActionListener (ActionListener* const listener)
  27188. {
  27189. actionListenerList.addActionListener (listener);
  27190. }
  27191. void ActionBroadcaster::removeActionListener (ActionListener* const listener)
  27192. {
  27193. jassert (actionListenerList.isValidMessageListener());
  27194. if (actionListenerList.isValidMessageListener())
  27195. actionListenerList.removeActionListener (listener);
  27196. }
  27197. void ActionBroadcaster::removeAllActionListeners()
  27198. {
  27199. actionListenerList.removeAllActionListeners();
  27200. }
  27201. void ActionBroadcaster::sendActionMessage (const String& message) const
  27202. {
  27203. actionListenerList.sendActionMessage (message);
  27204. }
  27205. END_JUCE_NAMESPACE
  27206. /********* End of inlined file: juce_ActionBroadcaster.cpp *********/
  27207. /********* Start of inlined file: juce_ActionListenerList.cpp *********/
  27208. BEGIN_JUCE_NAMESPACE
  27209. // special message of our own with a string in it
  27210. class ActionMessage : public Message
  27211. {
  27212. public:
  27213. const String message;
  27214. ActionMessage (const String& messageText,
  27215. void* const listener_) throw()
  27216. : message (messageText)
  27217. {
  27218. pointerParameter = listener_;
  27219. }
  27220. ~ActionMessage() throw()
  27221. {
  27222. }
  27223. private:
  27224. ActionMessage (const ActionMessage&);
  27225. const ActionMessage& operator= (const ActionMessage&);
  27226. };
  27227. ActionListenerList::ActionListenerList() throw()
  27228. {
  27229. }
  27230. ActionListenerList::~ActionListenerList() throw()
  27231. {
  27232. }
  27233. void ActionListenerList::addActionListener (ActionListener* const listener) throw()
  27234. {
  27235. const ScopedLock sl (actionListenerLock_);
  27236. jassert (listener != 0);
  27237. jassert (! actionListeners_.contains (listener)); // trying to add a listener to the list twice!
  27238. if (listener != 0)
  27239. actionListeners_.add (listener);
  27240. }
  27241. void ActionListenerList::removeActionListener (ActionListener* const listener) throw()
  27242. {
  27243. const ScopedLock sl (actionListenerLock_);
  27244. jassert (actionListeners_.contains (listener)); // trying to remove a listener that isn't on the list!
  27245. actionListeners_.removeValue (listener);
  27246. }
  27247. void ActionListenerList::removeAllActionListeners() throw()
  27248. {
  27249. const ScopedLock sl (actionListenerLock_);
  27250. actionListeners_.clear();
  27251. }
  27252. void ActionListenerList::sendActionMessage (const String& message) const
  27253. {
  27254. const ScopedLock sl (actionListenerLock_);
  27255. for (int i = actionListeners_.size(); --i >= 0;)
  27256. {
  27257. postMessage (new ActionMessage (message,
  27258. (ActionListener*) actionListeners_.getUnchecked(i)));
  27259. }
  27260. }
  27261. void ActionListenerList::handleMessage (const Message& message)
  27262. {
  27263. const ActionMessage& am = (const ActionMessage&) message;
  27264. if (actionListeners_.contains (am.pointerParameter))
  27265. ((ActionListener*) am.pointerParameter)->actionListenerCallback (am.message);
  27266. }
  27267. END_JUCE_NAMESPACE
  27268. /********* End of inlined file: juce_ActionListenerList.cpp *********/
  27269. /********* Start of inlined file: juce_AsyncUpdater.cpp *********/
  27270. BEGIN_JUCE_NAMESPACE
  27271. AsyncUpdater::AsyncUpdater() throw()
  27272. : asyncMessagePending (false)
  27273. {
  27274. internalAsyncHandler.owner = this;
  27275. }
  27276. AsyncUpdater::~AsyncUpdater()
  27277. {
  27278. }
  27279. void AsyncUpdater::triggerAsyncUpdate() throw()
  27280. {
  27281. if (! asyncMessagePending)
  27282. {
  27283. asyncMessagePending = true;
  27284. internalAsyncHandler.postMessage (new Message());
  27285. }
  27286. }
  27287. void AsyncUpdater::cancelPendingUpdate() throw()
  27288. {
  27289. asyncMessagePending = false;
  27290. }
  27291. void AsyncUpdater::handleUpdateNowIfNeeded()
  27292. {
  27293. if (asyncMessagePending)
  27294. {
  27295. asyncMessagePending = false;
  27296. handleAsyncUpdate();
  27297. }
  27298. }
  27299. void AsyncUpdater::AsyncUpdaterInternal::handleMessage (const Message&)
  27300. {
  27301. owner->handleUpdateNowIfNeeded();
  27302. }
  27303. END_JUCE_NAMESPACE
  27304. /********* End of inlined file: juce_AsyncUpdater.cpp *********/
  27305. /********* Start of inlined file: juce_ChangeBroadcaster.cpp *********/
  27306. BEGIN_JUCE_NAMESPACE
  27307. ChangeBroadcaster::ChangeBroadcaster() throw()
  27308. {
  27309. // are you trying to create this object before or after juce has been intialised??
  27310. jassert (MessageManager::instance != 0);
  27311. }
  27312. ChangeBroadcaster::~ChangeBroadcaster()
  27313. {
  27314. // all event-based objects must be deleted BEFORE juce is shut down!
  27315. jassert (MessageManager::instance != 0);
  27316. }
  27317. void ChangeBroadcaster::addChangeListener (ChangeListener* const listener) throw()
  27318. {
  27319. changeListenerList.addChangeListener (listener);
  27320. }
  27321. void ChangeBroadcaster::removeChangeListener (ChangeListener* const listener) throw()
  27322. {
  27323. jassert (changeListenerList.isValidMessageListener());
  27324. if (changeListenerList.isValidMessageListener())
  27325. changeListenerList.removeChangeListener (listener);
  27326. }
  27327. void ChangeBroadcaster::removeAllChangeListeners() throw()
  27328. {
  27329. changeListenerList.removeAllChangeListeners();
  27330. }
  27331. void ChangeBroadcaster::sendChangeMessage (void* objectThatHasChanged) throw()
  27332. {
  27333. changeListenerList.sendChangeMessage (objectThatHasChanged);
  27334. }
  27335. void ChangeBroadcaster::sendSynchronousChangeMessage (void* objectThatHasChanged)
  27336. {
  27337. changeListenerList.sendSynchronousChangeMessage (objectThatHasChanged);
  27338. }
  27339. void ChangeBroadcaster::dispatchPendingMessages()
  27340. {
  27341. changeListenerList.dispatchPendingMessages();
  27342. }
  27343. END_JUCE_NAMESPACE
  27344. /********* End of inlined file: juce_ChangeBroadcaster.cpp *********/
  27345. /********* Start of inlined file: juce_ChangeListenerList.cpp *********/
  27346. BEGIN_JUCE_NAMESPACE
  27347. ChangeListenerList::ChangeListenerList() throw()
  27348. : lastChangedObject (0),
  27349. messagePending (false)
  27350. {
  27351. }
  27352. ChangeListenerList::~ChangeListenerList() throw()
  27353. {
  27354. }
  27355. void ChangeListenerList::addChangeListener (ChangeListener* const listener) throw()
  27356. {
  27357. const ScopedLock sl (lock);
  27358. jassert (listener != 0);
  27359. if (listener != 0)
  27360. listeners.add (listener);
  27361. }
  27362. void ChangeListenerList::removeChangeListener (ChangeListener* const listener) throw()
  27363. {
  27364. const ScopedLock sl (lock);
  27365. listeners.removeValue (listener);
  27366. }
  27367. void ChangeListenerList::removeAllChangeListeners() throw()
  27368. {
  27369. const ScopedLock sl (lock);
  27370. listeners.clear();
  27371. }
  27372. void ChangeListenerList::sendChangeMessage (void* const objectThatHasChanged) throw()
  27373. {
  27374. const ScopedLock sl (lock);
  27375. if ((! messagePending) && (listeners.size() > 0))
  27376. {
  27377. lastChangedObject = objectThatHasChanged;
  27378. postMessage (new Message (0, 0, 0, objectThatHasChanged));
  27379. messagePending = true;
  27380. }
  27381. }
  27382. void ChangeListenerList::handleMessage (const Message& message)
  27383. {
  27384. sendSynchronousChangeMessage (message.pointerParameter);
  27385. }
  27386. void ChangeListenerList::sendSynchronousChangeMessage (void* const objectThatHasChanged)
  27387. {
  27388. const ScopedLock sl (lock);
  27389. messagePending = false;
  27390. for (int i = listeners.size(); --i >= 0;)
  27391. {
  27392. ChangeListener* const l = (ChangeListener*) listeners.getUnchecked (i);
  27393. {
  27394. const ScopedUnlock tempUnlocker (lock);
  27395. l->changeListenerCallback (objectThatHasChanged);
  27396. }
  27397. i = jmin (i, listeners.size());
  27398. }
  27399. }
  27400. void ChangeListenerList::dispatchPendingMessages()
  27401. {
  27402. if (messagePending)
  27403. sendSynchronousChangeMessage (lastChangedObject);
  27404. }
  27405. END_JUCE_NAMESPACE
  27406. /********* End of inlined file: juce_ChangeListenerList.cpp *********/
  27407. /********* Start of inlined file: juce_InterprocessConnection.cpp *********/
  27408. BEGIN_JUCE_NAMESPACE
  27409. InterprocessConnection::InterprocessConnection (const bool callbacksOnMessageThread,
  27410. const uint32 magicMessageHeaderNumber)
  27411. : Thread ("Juce IPC connection"),
  27412. socket (0),
  27413. pipe (0),
  27414. callbackConnectionState (false),
  27415. useMessageThread (callbacksOnMessageThread),
  27416. magicMessageHeader (magicMessageHeaderNumber),
  27417. pipeReceiveMessageTimeout (-1)
  27418. {
  27419. }
  27420. InterprocessConnection::~InterprocessConnection()
  27421. {
  27422. callbackConnectionState = false;
  27423. disconnect();
  27424. }
  27425. bool InterprocessConnection::connectToSocket (const String& hostName,
  27426. const int portNumber,
  27427. const int timeOutMillisecs)
  27428. {
  27429. disconnect();
  27430. const ScopedLock sl (pipeAndSocketLock);
  27431. socket = new StreamingSocket();
  27432. if (socket->connect (hostName, portNumber, timeOutMillisecs))
  27433. {
  27434. connectionMadeInt();
  27435. startThread();
  27436. return true;
  27437. }
  27438. else
  27439. {
  27440. deleteAndZero (socket);
  27441. return false;
  27442. }
  27443. }
  27444. bool InterprocessConnection::connectToPipe (const String& pipeName,
  27445. const int pipeReceiveMessageTimeoutMs)
  27446. {
  27447. disconnect();
  27448. NamedPipe* const newPipe = new NamedPipe();
  27449. if (newPipe->openExisting (pipeName))
  27450. {
  27451. const ScopedLock sl (pipeAndSocketLock);
  27452. pipeReceiveMessageTimeout = pipeReceiveMessageTimeoutMs;
  27453. initialiseWithPipe (newPipe);
  27454. return true;
  27455. }
  27456. else
  27457. {
  27458. delete newPipe;
  27459. return false;
  27460. }
  27461. }
  27462. bool InterprocessConnection::createPipe (const String& pipeName,
  27463. const int pipeReceiveMessageTimeoutMs)
  27464. {
  27465. disconnect();
  27466. NamedPipe* const newPipe = new NamedPipe();
  27467. if (newPipe->createNewPipe (pipeName))
  27468. {
  27469. const ScopedLock sl (pipeAndSocketLock);
  27470. pipeReceiveMessageTimeout = pipeReceiveMessageTimeoutMs;
  27471. initialiseWithPipe (newPipe);
  27472. return true;
  27473. }
  27474. else
  27475. {
  27476. delete newPipe;
  27477. return false;
  27478. }
  27479. }
  27480. void InterprocessConnection::disconnect()
  27481. {
  27482. if (socket != 0)
  27483. socket->close();
  27484. if (pipe != 0)
  27485. {
  27486. pipe->cancelPendingReads();
  27487. pipe->close();
  27488. }
  27489. stopThread (4000);
  27490. {
  27491. const ScopedLock sl (pipeAndSocketLock);
  27492. deleteAndZero (socket);
  27493. deleteAndZero (pipe);
  27494. }
  27495. connectionLostInt();
  27496. }
  27497. bool InterprocessConnection::isConnected() const
  27498. {
  27499. const ScopedLock sl (pipeAndSocketLock);
  27500. return ((socket != 0 && socket->isConnected())
  27501. || (pipe != 0 && pipe->isOpen()))
  27502. && isThreadRunning();
  27503. }
  27504. const String InterprocessConnection::getConnectedHostName() const
  27505. {
  27506. if (pipe != 0)
  27507. {
  27508. return "localhost";
  27509. }
  27510. else if (socket != 0)
  27511. {
  27512. if (! socket->isLocal())
  27513. return socket->getHostName();
  27514. return "localhost";
  27515. }
  27516. return String::empty;
  27517. }
  27518. bool InterprocessConnection::sendMessage (const MemoryBlock& message)
  27519. {
  27520. uint32 messageHeader[2];
  27521. messageHeader [0] = swapIfBigEndian (magicMessageHeader);
  27522. messageHeader [1] = swapIfBigEndian ((uint32) message.getSize());
  27523. MemoryBlock messageData (sizeof (messageHeader) + message.getSize());
  27524. messageData.copyFrom (messageHeader, 0, sizeof (messageHeader));
  27525. messageData.copyFrom (message.getData(), sizeof (messageHeader), message.getSize());
  27526. int bytesWritten = 0;
  27527. const ScopedLock sl (pipeAndSocketLock);
  27528. if (socket != 0)
  27529. {
  27530. bytesWritten = socket->write (messageData.getData(), messageData.getSize());
  27531. }
  27532. else if (pipe != 0)
  27533. {
  27534. bytesWritten = pipe->write (messageData.getData(), messageData.getSize());
  27535. }
  27536. if (bytesWritten < 0)
  27537. {
  27538. // error..
  27539. return false;
  27540. }
  27541. return (bytesWritten == messageData.getSize());
  27542. }
  27543. void InterprocessConnection::initialiseWithSocket (StreamingSocket* const socket_)
  27544. {
  27545. jassert (socket == 0);
  27546. socket = socket_;
  27547. connectionMadeInt();
  27548. startThread();
  27549. }
  27550. void InterprocessConnection::initialiseWithPipe (NamedPipe* const pipe_)
  27551. {
  27552. jassert (pipe == 0);
  27553. pipe = pipe_;
  27554. connectionMadeInt();
  27555. startThread();
  27556. }
  27557. const int messageMagicNumber = 0xb734128b;
  27558. void InterprocessConnection::handleMessage (const Message& message)
  27559. {
  27560. if (message.intParameter1 == messageMagicNumber)
  27561. {
  27562. switch (message.intParameter2)
  27563. {
  27564. case 0:
  27565. {
  27566. MemoryBlock* const data = (MemoryBlock*) message.pointerParameter;
  27567. messageReceived (*data);
  27568. delete data;
  27569. break;
  27570. }
  27571. case 1:
  27572. connectionMade();
  27573. break;
  27574. case 2:
  27575. connectionLost();
  27576. break;
  27577. }
  27578. }
  27579. }
  27580. void InterprocessConnection::connectionMadeInt()
  27581. {
  27582. if (! callbackConnectionState)
  27583. {
  27584. callbackConnectionState = true;
  27585. if (useMessageThread)
  27586. postMessage (new Message (messageMagicNumber, 1, 0, 0));
  27587. else
  27588. connectionMade();
  27589. }
  27590. }
  27591. void InterprocessConnection::connectionLostInt()
  27592. {
  27593. if (callbackConnectionState)
  27594. {
  27595. callbackConnectionState = false;
  27596. if (useMessageThread)
  27597. postMessage (new Message (messageMagicNumber, 2, 0, 0));
  27598. else
  27599. connectionLost();
  27600. }
  27601. }
  27602. void InterprocessConnection::deliverDataInt (const MemoryBlock& data)
  27603. {
  27604. jassert (callbackConnectionState);
  27605. if (useMessageThread)
  27606. postMessage (new Message (messageMagicNumber, 0, 0, new MemoryBlock (data)));
  27607. else
  27608. messageReceived (data);
  27609. }
  27610. bool InterprocessConnection::readNextMessageInt()
  27611. {
  27612. const int maximumMessageSize = 1024 * 1024 * 10; // sanity check
  27613. uint32 messageHeader[2];
  27614. const int bytes = (socket != 0) ? socket->read (messageHeader, sizeof (messageHeader))
  27615. : pipe->read (messageHeader, sizeof (messageHeader), pipeReceiveMessageTimeout);
  27616. if (bytes == sizeof (messageHeader)
  27617. && swapIfBigEndian (messageHeader[0]) == magicMessageHeader)
  27618. {
  27619. const int bytesInMessage = (int) swapIfBigEndian (messageHeader[1]);
  27620. if (bytesInMessage > 0 && bytesInMessage < maximumMessageSize)
  27621. {
  27622. MemoryBlock messageData (bytesInMessage, true);
  27623. int bytesRead = 0;
  27624. while (bytesRead < bytesInMessage)
  27625. {
  27626. if (threadShouldExit())
  27627. return false;
  27628. const int numThisTime = jmin (bytesInMessage, 65536);
  27629. const int bytesIn = (socket != 0) ? socket->read (((char*) messageData.getData()) + bytesRead, numThisTime)
  27630. : pipe->read (((char*) messageData.getData()) + bytesRead, numThisTime,
  27631. pipeReceiveMessageTimeout);
  27632. if (bytesIn <= 0)
  27633. break;
  27634. bytesRead += bytesIn;
  27635. }
  27636. if (bytesRead >= 0)
  27637. deliverDataInt (messageData);
  27638. }
  27639. }
  27640. else if (bytes < 0)
  27641. {
  27642. {
  27643. const ScopedLock sl (pipeAndSocketLock);
  27644. deleteAndZero (socket);
  27645. }
  27646. connectionLostInt();
  27647. return false;
  27648. }
  27649. return true;
  27650. }
  27651. void InterprocessConnection::run()
  27652. {
  27653. while (! threadShouldExit())
  27654. {
  27655. if (socket != 0)
  27656. {
  27657. const int ready = socket->waitUntilReady (true, 0);
  27658. if (ready < 0)
  27659. {
  27660. {
  27661. const ScopedLock sl (pipeAndSocketLock);
  27662. deleteAndZero (socket);
  27663. }
  27664. connectionLostInt();
  27665. break;
  27666. }
  27667. else if (ready > 0)
  27668. {
  27669. if (! readNextMessageInt())
  27670. break;
  27671. }
  27672. else
  27673. {
  27674. Thread::sleep (2);
  27675. }
  27676. }
  27677. else if (pipe != 0)
  27678. {
  27679. if (! pipe->isOpen())
  27680. {
  27681. {
  27682. const ScopedLock sl (pipeAndSocketLock);
  27683. deleteAndZero (pipe);
  27684. }
  27685. connectionLostInt();
  27686. break;
  27687. }
  27688. else
  27689. {
  27690. if (! readNextMessageInt())
  27691. break;
  27692. }
  27693. }
  27694. else
  27695. {
  27696. break;
  27697. }
  27698. }
  27699. }
  27700. END_JUCE_NAMESPACE
  27701. /********* End of inlined file: juce_InterprocessConnection.cpp *********/
  27702. /********* Start of inlined file: juce_InterprocessConnectionServer.cpp *********/
  27703. BEGIN_JUCE_NAMESPACE
  27704. InterprocessConnectionServer::InterprocessConnectionServer()
  27705. : Thread ("Juce IPC server"),
  27706. socket (0)
  27707. {
  27708. }
  27709. InterprocessConnectionServer::~InterprocessConnectionServer()
  27710. {
  27711. stop();
  27712. }
  27713. bool InterprocessConnectionServer::beginWaitingForSocket (const int portNumber)
  27714. {
  27715. stop();
  27716. socket = new StreamingSocket();
  27717. if (socket->createListener (portNumber))
  27718. {
  27719. startThread();
  27720. return true;
  27721. }
  27722. deleteAndZero (socket);
  27723. return false;
  27724. }
  27725. void InterprocessConnectionServer::stop()
  27726. {
  27727. signalThreadShouldExit();
  27728. if (socket != 0)
  27729. socket->close();
  27730. stopThread (4000);
  27731. deleteAndZero (socket);
  27732. }
  27733. void InterprocessConnectionServer::run()
  27734. {
  27735. while ((! threadShouldExit()) && socket != 0)
  27736. {
  27737. StreamingSocket* const clientSocket = socket->waitForNextConnection();
  27738. if (clientSocket != 0)
  27739. {
  27740. InterprocessConnection* newConnection = createConnectionObject();
  27741. if (newConnection != 0)
  27742. {
  27743. newConnection->initialiseWithSocket (clientSocket);
  27744. }
  27745. else
  27746. {
  27747. delete clientSocket;
  27748. }
  27749. }
  27750. }
  27751. }
  27752. END_JUCE_NAMESPACE
  27753. /********* End of inlined file: juce_InterprocessConnectionServer.cpp *********/
  27754. /********* Start of inlined file: juce_Message.cpp *********/
  27755. BEGIN_JUCE_NAMESPACE
  27756. Message::Message() throw()
  27757. {
  27758. }
  27759. Message::~Message() throw()
  27760. {
  27761. }
  27762. Message::Message (const int intParameter1_,
  27763. const int intParameter2_,
  27764. const int intParameter3_,
  27765. void* const pointerParameter_) throw()
  27766. : intParameter1 (intParameter1_),
  27767. intParameter2 (intParameter2_),
  27768. intParameter3 (intParameter3_),
  27769. pointerParameter (pointerParameter_)
  27770. {
  27771. }
  27772. END_JUCE_NAMESPACE
  27773. /********* End of inlined file: juce_Message.cpp *********/
  27774. /********* Start of inlined file: juce_MessageListener.cpp *********/
  27775. BEGIN_JUCE_NAMESPACE
  27776. MessageListener::MessageListener() throw()
  27777. {
  27778. // are you trying to create a messagelistener before or after juce has been intialised??
  27779. jassert (MessageManager::instance != 0);
  27780. if (MessageManager::instance != 0)
  27781. MessageManager::instance->messageListeners.add (this);
  27782. }
  27783. MessageListener::~MessageListener()
  27784. {
  27785. if (MessageManager::instance != 0)
  27786. MessageManager::instance->messageListeners.removeValue (this);
  27787. }
  27788. void MessageListener::postMessage (Message* const message) const throw()
  27789. {
  27790. message->messageRecipient = const_cast <MessageListener*> (this);
  27791. if (MessageManager::instance == 0)
  27792. MessageManager::getInstance();
  27793. MessageManager::instance->postMessageToQueue (message);
  27794. }
  27795. bool MessageListener::isValidMessageListener() const throw()
  27796. {
  27797. return (MessageManager::instance != 0)
  27798. && MessageManager::instance->messageListeners.contains (this);
  27799. }
  27800. END_JUCE_NAMESPACE
  27801. /********* End of inlined file: juce_MessageListener.cpp *********/
  27802. /********* Start of inlined file: juce_MessageManager.cpp *********/
  27803. BEGIN_JUCE_NAMESPACE
  27804. // platform-specific functions..
  27805. bool juce_dispatchNextMessageOnSystemQueue (bool returnIfNoPendingMessages);
  27806. bool juce_postMessageToSystemQueue (void* message);
  27807. MessageManager* MessageManager::instance = 0;
  27808. static const int quitMessageId = 0xfffff321;
  27809. MessageManager::MessageManager() throw()
  27810. : broadcastListeners (0),
  27811. quitMessagePosted (false),
  27812. quitMessageReceived (false),
  27813. useMaximumForceWhenQuitting (true),
  27814. messageCounter (0),
  27815. lastMessageCounter (-1),
  27816. isInMessageDispatcher (0),
  27817. needToGetRidOfWaitCursor (false),
  27818. timeBeforeWaitCursor (0),
  27819. lastActivityCheckOkTime (0)
  27820. {
  27821. currentLockingThreadId = messageThreadId = Thread::getCurrentThreadId();
  27822. }
  27823. MessageManager::~MessageManager() throw()
  27824. {
  27825. jassert (instance == this);
  27826. instance = 0;
  27827. deleteAndZero (broadcastListeners);
  27828. doPlatformSpecificShutdown();
  27829. }
  27830. MessageManager* MessageManager::getInstance() throw()
  27831. {
  27832. if (instance == 0)
  27833. {
  27834. instance = new MessageManager();
  27835. doPlatformSpecificInitialisation();
  27836. instance->setTimeBeforeShowingWaitCursor (500);
  27837. }
  27838. return instance;
  27839. }
  27840. void MessageManager::postMessageToQueue (Message* const message)
  27841. {
  27842. if (quitMessagePosted || ! juce_postMessageToSystemQueue (message))
  27843. delete message;
  27844. }
  27845. // not for public use..
  27846. void MessageManager::deliverMessage (void* message)
  27847. {
  27848. const MessageManagerLock lock;
  27849. Message* const m = (Message*) message;
  27850. MessageListener* const recipient = m->messageRecipient;
  27851. if (messageListeners.contains (recipient))
  27852. {
  27853. JUCE_TRY
  27854. {
  27855. recipient->handleMessage (*m);
  27856. }
  27857. JUCE_CATCH_EXCEPTION
  27858. if (needToGetRidOfWaitCursor)
  27859. {
  27860. needToGetRidOfWaitCursor = false;
  27861. MouseCursor::hideWaitCursor();
  27862. }
  27863. ++messageCounter;
  27864. }
  27865. else if (recipient == 0 && m->intParameter1 == quitMessageId)
  27866. {
  27867. quitMessageReceived = true;
  27868. useMaximumForceWhenQuitting = (m->intParameter2 != 0);
  27869. }
  27870. delete m;
  27871. }
  27872. bool MessageManager::dispatchNextMessage (const bool returnImmediatelyIfNoMessages,
  27873. bool* const wasAMessageDispatched)
  27874. {
  27875. if (quitMessageReceived)
  27876. {
  27877. if (wasAMessageDispatched != 0)
  27878. *wasAMessageDispatched = false;
  27879. return false;
  27880. }
  27881. ++isInMessageDispatcher;
  27882. bool result = false;
  27883. JUCE_TRY
  27884. {
  27885. result = juce_dispatchNextMessageOnSystemQueue (returnImmediatelyIfNoMessages);
  27886. if (wasAMessageDispatched != 0)
  27887. *wasAMessageDispatched = result;
  27888. if (instance == 0)
  27889. return false;
  27890. }
  27891. JUCE_CATCH_EXCEPTION
  27892. --isInMessageDispatcher;
  27893. ++messageCounter;
  27894. return result || ! returnImmediatelyIfNoMessages;
  27895. }
  27896. void MessageManager::dispatchPendingMessages (int maxNumberOfMessagesToDispatch)
  27897. {
  27898. jassert (isThisTheMessageThread()); // must only be called by the message thread
  27899. while (--maxNumberOfMessagesToDispatch >= 0 && ! quitMessageReceived)
  27900. {
  27901. ++isInMessageDispatcher;
  27902. bool carryOn = false;
  27903. JUCE_TRY
  27904. {
  27905. carryOn = juce_dispatchNextMessageOnSystemQueue (true);
  27906. }
  27907. JUCE_CATCH_EXCEPTION
  27908. --isInMessageDispatcher;
  27909. ++messageCounter;
  27910. if (! carryOn)
  27911. break;
  27912. }
  27913. }
  27914. bool MessageManager::runDispatchLoop()
  27915. {
  27916. jassert (isThisTheMessageThread()); // must only be called by the message thread
  27917. while (dispatchNextMessage())
  27918. {
  27919. }
  27920. return useMaximumForceWhenQuitting;
  27921. }
  27922. void MessageManager::postQuitMessage (const bool useMaximumForce)
  27923. {
  27924. Message* const m = new Message (quitMessageId, (useMaximumForce) ? 1 : 0, 0, 0);
  27925. m->messageRecipient = 0;
  27926. postMessageToQueue (m);
  27927. quitMessagePosted = true;
  27928. }
  27929. bool MessageManager::hasQuitMessageBeenPosted() const throw()
  27930. {
  27931. return quitMessagePosted;
  27932. }
  27933. void MessageManager::deliverBroadcastMessage (const String& value)
  27934. {
  27935. if (broadcastListeners != 0)
  27936. broadcastListeners->sendActionMessage (value);
  27937. }
  27938. void MessageManager::registerBroadcastListener (ActionListener* const listener) throw()
  27939. {
  27940. if (broadcastListeners == 0)
  27941. broadcastListeners = new ActionListenerList();
  27942. broadcastListeners->addActionListener (listener);
  27943. }
  27944. void MessageManager::deregisterBroadcastListener (ActionListener* const listener) throw()
  27945. {
  27946. if (broadcastListeners != 0)
  27947. broadcastListeners->removeActionListener (listener);
  27948. }
  27949. // This gets called occasionally by the timer thread (to save using an extra thread
  27950. // for it).
  27951. void MessageManager::inactivityCheckCallback() throw()
  27952. {
  27953. if (instance != 0)
  27954. instance->inactivityCheckCallbackInt();
  27955. }
  27956. void MessageManager::inactivityCheckCallbackInt() throw()
  27957. {
  27958. const unsigned int now = Time::getApproximateMillisecondCounter();
  27959. if (isInMessageDispatcher > 0
  27960. && lastMessageCounter == messageCounter
  27961. && timeBeforeWaitCursor > 0
  27962. && lastActivityCheckOkTime > 0
  27963. && ! ModifierKeys::getCurrentModifiersRealtime().isAnyMouseButtonDown())
  27964. {
  27965. if (now >= lastActivityCheckOkTime + timeBeforeWaitCursor
  27966. && ! needToGetRidOfWaitCursor)
  27967. {
  27968. // been in the same message call too long..
  27969. MouseCursor::showWaitCursor();
  27970. needToGetRidOfWaitCursor = true;
  27971. }
  27972. }
  27973. else
  27974. {
  27975. lastActivityCheckOkTime = now;
  27976. lastMessageCounter = messageCounter;
  27977. }
  27978. }
  27979. void MessageManager::delayWaitCursor() throw()
  27980. {
  27981. if (instance != 0)
  27982. {
  27983. instance->messageCounter++;
  27984. if (instance->needToGetRidOfWaitCursor)
  27985. {
  27986. instance->needToGetRidOfWaitCursor = false;
  27987. MouseCursor::hideWaitCursor();
  27988. }
  27989. }
  27990. }
  27991. void MessageManager::setTimeBeforeShowingWaitCursor (const int millisecs) throw()
  27992. {
  27993. // if this is a bit too small you'll get a lot of unwanted hourglass cursors..
  27994. jassert (millisecs <= 0 || millisecs > 200);
  27995. timeBeforeWaitCursor = millisecs;
  27996. if (millisecs > 0)
  27997. startTimer (millisecs / 2); // (see timerCallback() for explanation of this)
  27998. else
  27999. stopTimer();
  28000. }
  28001. void MessageManager::timerCallback()
  28002. {
  28003. // dummy callback - the message manager is just a Timer to ensure that there are always
  28004. // some events coming in - otherwise it'll show the egg-timer/beachball-of-death.
  28005. ++messageCounter;
  28006. }
  28007. int MessageManager::getTimeBeforeShowingWaitCursor() const throw()
  28008. {
  28009. return timeBeforeWaitCursor;
  28010. }
  28011. bool MessageManager::isThisTheMessageThread() const throw()
  28012. {
  28013. return Thread::getCurrentThreadId() == messageThreadId;
  28014. }
  28015. void MessageManager::setCurrentMessageThread (const int threadId) throw()
  28016. {
  28017. messageThreadId = threadId;
  28018. }
  28019. bool MessageManager::currentThreadHasLockedMessageManager() const throw()
  28020. {
  28021. return Thread::getCurrentThreadId() == currentLockingThreadId;
  28022. }
  28023. MessageManagerLock::MessageManagerLock() throw()
  28024. : locked (false)
  28025. {
  28026. if (MessageManager::instance != 0)
  28027. {
  28028. MessageManager::instance->messageDispatchLock.enter();
  28029. lastLockingThreadId = MessageManager::instance->currentLockingThreadId;
  28030. MessageManager::instance->currentLockingThreadId = Thread::getCurrentThreadId();
  28031. locked = true;
  28032. }
  28033. }
  28034. MessageManagerLock::MessageManagerLock (Thread* const thread) throw()
  28035. : locked (false)
  28036. {
  28037. jassert (thread != 0); // This will only work if you give it a valid thread!
  28038. if (MessageManager::instance != 0)
  28039. {
  28040. for (;;)
  28041. {
  28042. if (MessageManager::instance->messageDispatchLock.tryEnter())
  28043. {
  28044. locked = true;
  28045. lastLockingThreadId = MessageManager::instance->currentLockingThreadId;
  28046. MessageManager::instance->currentLockingThreadId = Thread::getCurrentThreadId();
  28047. break;
  28048. }
  28049. if (thread != 0 && thread->threadShouldExit())
  28050. break;
  28051. Thread::sleep (1);
  28052. }
  28053. }
  28054. }
  28055. MessageManagerLock::~MessageManagerLock() throw()
  28056. {
  28057. if (locked && MessageManager::instance != 0)
  28058. {
  28059. MessageManager::instance->currentLockingThreadId = lastLockingThreadId;
  28060. MessageManager::instance->messageDispatchLock.exit();
  28061. }
  28062. }
  28063. END_JUCE_NAMESPACE
  28064. /********* End of inlined file: juce_MessageManager.cpp *********/
  28065. /********* Start of inlined file: juce_MultiTimer.cpp *********/
  28066. BEGIN_JUCE_NAMESPACE
  28067. class InternalMultiTimerCallback : public Timer
  28068. {
  28069. public:
  28070. InternalMultiTimerCallback (const int timerId_, MultiTimer& owner_)
  28071. : timerId (timerId_),
  28072. owner (owner_)
  28073. {
  28074. }
  28075. ~InternalMultiTimerCallback()
  28076. {
  28077. }
  28078. void timerCallback()
  28079. {
  28080. owner.timerCallback (timerId);
  28081. }
  28082. const int timerId;
  28083. private:
  28084. MultiTimer& owner;
  28085. };
  28086. MultiTimer::MultiTimer() throw()
  28087. {
  28088. }
  28089. MultiTimer::MultiTimer (const MultiTimer&) throw()
  28090. {
  28091. }
  28092. MultiTimer::~MultiTimer()
  28093. {
  28094. const ScopedLock sl (timerListLock);
  28095. for (int i = timers.size(); --i >= 0;)
  28096. delete (InternalMultiTimerCallback*) timers.getUnchecked(i);
  28097. timers.clear();
  28098. }
  28099. void MultiTimer::startTimer (const int timerId, const int intervalInMilliseconds) throw()
  28100. {
  28101. const ScopedLock sl (timerListLock);
  28102. for (int i = timers.size(); --i >= 0;)
  28103. {
  28104. InternalMultiTimerCallback* const t = (InternalMultiTimerCallback*) timers.getUnchecked(i);
  28105. if (t->timerId == timerId)
  28106. {
  28107. t->startTimer (intervalInMilliseconds);
  28108. return;
  28109. }
  28110. }
  28111. InternalMultiTimerCallback* const newTimer = new InternalMultiTimerCallback (timerId, *this);
  28112. timers.add (newTimer);
  28113. newTimer->startTimer (intervalInMilliseconds);
  28114. }
  28115. void MultiTimer::stopTimer (const int timerId) throw()
  28116. {
  28117. const ScopedLock sl (timerListLock);
  28118. for (int i = timers.size(); --i >= 0;)
  28119. {
  28120. InternalMultiTimerCallback* const t = (InternalMultiTimerCallback*) timers.getUnchecked(i);
  28121. if (t->timerId == timerId)
  28122. t->stopTimer();
  28123. }
  28124. }
  28125. bool MultiTimer::isTimerRunning (const int timerId) const throw()
  28126. {
  28127. const ScopedLock sl (timerListLock);
  28128. for (int i = timers.size(); --i >= 0;)
  28129. {
  28130. const InternalMultiTimerCallback* const t = (InternalMultiTimerCallback*) timers.getUnchecked(i);
  28131. if (t->timerId == timerId)
  28132. return t->isTimerRunning();
  28133. }
  28134. return false;
  28135. }
  28136. int MultiTimer::getTimerInterval (const int timerId) const throw()
  28137. {
  28138. const ScopedLock sl (timerListLock);
  28139. for (int i = timers.size(); --i >= 0;)
  28140. {
  28141. const InternalMultiTimerCallback* const t = (InternalMultiTimerCallback*) timers.getUnchecked(i);
  28142. if (t->timerId == timerId)
  28143. return t->getTimerInterval();
  28144. }
  28145. return 0;
  28146. }
  28147. END_JUCE_NAMESPACE
  28148. /********* End of inlined file: juce_MultiTimer.cpp *********/
  28149. /********* Start of inlined file: juce_Timer.cpp *********/
  28150. BEGIN_JUCE_NAMESPACE
  28151. class InternalTimerThread : private Thread,
  28152. private MessageListener,
  28153. private DeletedAtShutdown,
  28154. private AsyncUpdater
  28155. {
  28156. private:
  28157. friend class Timer;
  28158. static InternalTimerThread* instance;
  28159. static CriticalSection lock;
  28160. Timer* volatile firstTimer;
  28161. bool volatile callbackNeeded;
  28162. InternalTimerThread (const InternalTimerThread&);
  28163. const InternalTimerThread& operator= (const InternalTimerThread&);
  28164. void addTimer (Timer* const t) throw()
  28165. {
  28166. #ifdef JUCE_DEBUG
  28167. Timer* tt = firstTimer;
  28168. while (tt != 0)
  28169. {
  28170. // trying to add a timer that's already here - shouldn't get to this point,
  28171. // so if you get this assertion, let me know!
  28172. jassert (tt != t);
  28173. tt = tt->next;
  28174. }
  28175. jassert (t->previous == 0 && t->next == 0);
  28176. #endif
  28177. Timer* i = firstTimer;
  28178. if (i == 0 || i->countdownMs > t->countdownMs)
  28179. {
  28180. t->next = firstTimer;
  28181. firstTimer = t;
  28182. }
  28183. else
  28184. {
  28185. while (i->next != 0 && i->next->countdownMs <= t->countdownMs)
  28186. i = i->next;
  28187. jassert (i != 0);
  28188. t->next = i->next;
  28189. t->previous = i;
  28190. i->next = t;
  28191. }
  28192. if (t->next != 0)
  28193. t->next->previous = t;
  28194. jassert ((t->next == 0 || t->next->countdownMs >= t->countdownMs)
  28195. && (t->previous == 0 || t->previous->countdownMs <= t->countdownMs));
  28196. notify();
  28197. }
  28198. void removeTimer (Timer* const t) throw()
  28199. {
  28200. #ifdef JUCE_DEBUG
  28201. Timer* tt = firstTimer;
  28202. bool found = false;
  28203. while (tt != 0)
  28204. {
  28205. if (tt == t)
  28206. {
  28207. found = true;
  28208. break;
  28209. }
  28210. tt = tt->next;
  28211. }
  28212. // trying to remove a timer that's not here - shouldn't get to this point,
  28213. // so if you get this assertion, let me know!
  28214. jassert (found);
  28215. #endif
  28216. if (t->previous != 0)
  28217. {
  28218. jassert (firstTimer != t);
  28219. t->previous->next = t->next;
  28220. }
  28221. else
  28222. {
  28223. jassert (firstTimer == t);
  28224. firstTimer = t->next;
  28225. }
  28226. if (t->next != 0)
  28227. t->next->previous = t->previous;
  28228. t->next = 0;
  28229. t->previous = 0;
  28230. }
  28231. void decrementAllCounters (const int numMillisecs) const
  28232. {
  28233. Timer* t = firstTimer;
  28234. while (t != 0)
  28235. {
  28236. t->countdownMs -= numMillisecs;
  28237. t = t->next;
  28238. }
  28239. }
  28240. void handleAsyncUpdate()
  28241. {
  28242. startThread (7);
  28243. }
  28244. public:
  28245. InternalTimerThread()
  28246. : Thread ("Juce Timer"),
  28247. firstTimer (0),
  28248. callbackNeeded (false)
  28249. {
  28250. triggerAsyncUpdate();
  28251. }
  28252. ~InternalTimerThread() throw()
  28253. {
  28254. stopThread (4000);
  28255. jassert (instance == this || instance == 0);
  28256. if (instance == this)
  28257. instance = 0;
  28258. }
  28259. void run()
  28260. {
  28261. uint32 lastTime = Time::getMillisecondCounter();
  28262. uint32 lastMessageManagerCallback = lastTime;
  28263. while (! threadShouldExit())
  28264. {
  28265. uint32 now = Time::getMillisecondCounter();
  28266. if (now <= lastTime)
  28267. {
  28268. wait (2);
  28269. continue;
  28270. }
  28271. const int elapsed = now - lastTime;
  28272. lastTime = now;
  28273. lock.enter();
  28274. decrementAllCounters (elapsed);
  28275. const int timeUntilFirstTimer = (firstTimer != 0) ? firstTimer->countdownMs
  28276. : 1000;
  28277. lock.exit();
  28278. if (timeUntilFirstTimer <= 0)
  28279. {
  28280. callbackNeeded = true;
  28281. postMessage (new Message());
  28282. // sometimes, our message could get discarded by the OS (particularly when running as an RTAS when the app has a modal loop),
  28283. // so this is how long to wait before assuming the message has been lost and trying again.
  28284. const uint32 messageDeliveryTimeout = now + 2000;
  28285. while (callbackNeeded)
  28286. {
  28287. wait (4);
  28288. if (threadShouldExit())
  28289. return;
  28290. now = Time::getMillisecondCounter();
  28291. if (now > lastMessageManagerCallback + 200)
  28292. {
  28293. lastMessageManagerCallback = now;
  28294. MessageManager::inactivityCheckCallback();
  28295. }
  28296. if (now > messageDeliveryTimeout)
  28297. break;
  28298. }
  28299. }
  28300. else
  28301. {
  28302. // don't wait for too long because running this loop also helps keep the
  28303. // Time::getApproximateMillisecondTimer value stay up-to-date
  28304. wait (jlimit (1, 50, timeUntilFirstTimer));
  28305. }
  28306. if (now > lastMessageManagerCallback + 200)
  28307. {
  28308. lastMessageManagerCallback = now;
  28309. MessageManager::inactivityCheckCallback();
  28310. }
  28311. }
  28312. }
  28313. void handleMessage (const Message&)
  28314. {
  28315. const ScopedLock sl (lock);
  28316. while (firstTimer != 0 && firstTimer->countdownMs <= 0)
  28317. {
  28318. Timer* const t = firstTimer;
  28319. t->countdownMs = t->periodMs;
  28320. removeTimer (t);
  28321. addTimer (t);
  28322. const ScopedUnlock ul (lock);
  28323. callbackNeeded = false;
  28324. JUCE_TRY
  28325. {
  28326. t->timerCallback();
  28327. }
  28328. JUCE_CATCH_EXCEPTION
  28329. }
  28330. callbackNeeded = false;
  28331. }
  28332. static void callAnyTimersSynchronously()
  28333. {
  28334. if (InternalTimerThread::instance != 0)
  28335. {
  28336. const Message m;
  28337. InternalTimerThread::instance->handleMessage (m);
  28338. }
  28339. }
  28340. static inline void add (Timer* const tim) throw()
  28341. {
  28342. if (instance == 0)
  28343. instance = new InternalTimerThread();
  28344. instance->addTimer (tim);
  28345. }
  28346. static inline void remove (Timer* const tim) throw()
  28347. {
  28348. if (instance != 0)
  28349. instance->removeTimer (tim);
  28350. }
  28351. static inline void resetCounter (Timer* const tim,
  28352. const int newCounter) throw()
  28353. {
  28354. if (instance != 0)
  28355. {
  28356. tim->countdownMs = newCounter;
  28357. tim->periodMs = newCounter;
  28358. if ((tim->next != 0 && tim->next->countdownMs < tim->countdownMs)
  28359. || (tim->previous != 0 && tim->previous->countdownMs > tim->countdownMs))
  28360. {
  28361. instance->removeTimer (tim);
  28362. instance->addTimer (tim);
  28363. }
  28364. }
  28365. }
  28366. };
  28367. InternalTimerThread* InternalTimerThread::instance = 0;
  28368. CriticalSection InternalTimerThread::lock;
  28369. void juce_callAnyTimersSynchronously()
  28370. {
  28371. InternalTimerThread::callAnyTimersSynchronously();
  28372. }
  28373. #ifdef JUCE_DEBUG
  28374. static SortedSet <Timer*> activeTimers;
  28375. #endif
  28376. Timer::Timer() throw()
  28377. : countdownMs (0),
  28378. periodMs (0),
  28379. previous (0),
  28380. next (0)
  28381. {
  28382. #ifdef JUCE_DEBUG
  28383. activeTimers.add (this);
  28384. #endif
  28385. }
  28386. Timer::Timer (const Timer&) throw()
  28387. : countdownMs (0),
  28388. periodMs (0),
  28389. previous (0),
  28390. next (0)
  28391. {
  28392. #ifdef JUCE_DEBUG
  28393. activeTimers.add (this);
  28394. #endif
  28395. }
  28396. Timer::~Timer()
  28397. {
  28398. stopTimer();
  28399. #ifdef JUCE_DEBUG
  28400. activeTimers.removeValue (this);
  28401. #endif
  28402. }
  28403. void Timer::startTimer (const int interval) throw()
  28404. {
  28405. const ScopedLock sl (InternalTimerThread::lock);
  28406. #ifdef JUCE_DEBUG
  28407. // this isn't a valid object! Your timer might be a dangling pointer or something..
  28408. jassert (activeTimers.contains (this));
  28409. #endif
  28410. if (periodMs == 0)
  28411. {
  28412. countdownMs = interval;
  28413. periodMs = jmax (1, interval);
  28414. InternalTimerThread::add (this);
  28415. }
  28416. else
  28417. {
  28418. InternalTimerThread::resetCounter (this, interval);
  28419. }
  28420. }
  28421. void Timer::stopTimer() throw()
  28422. {
  28423. const ScopedLock sl (InternalTimerThread::lock);
  28424. #ifdef JUCE_DEBUG
  28425. // this isn't a valid object! Your timer might be a dangling pointer or something..
  28426. jassert (activeTimers.contains (this));
  28427. #endif
  28428. if (periodMs > 0)
  28429. {
  28430. InternalTimerThread::remove (this);
  28431. periodMs = 0;
  28432. }
  28433. }
  28434. END_JUCE_NAMESPACE
  28435. /********* End of inlined file: juce_Timer.cpp *********/
  28436. /********* Start of inlined file: juce_Component.cpp *********/
  28437. BEGIN_JUCE_NAMESPACE
  28438. Component* Component::componentUnderMouse = 0;
  28439. Component* Component::currentlyFocusedComponent = 0;
  28440. static Array <Component*> modalComponentStack (4), modalComponentReturnValueKeys (4);
  28441. static Array <int> modalReturnValues (4);
  28442. static const int customCommandMessage = 0x7fff0001;
  28443. static const int exitModalStateMessage = 0x7fff0002;
  28444. // these are also used by ComponentPeer
  28445. int64 juce_recentMouseDownTimes [4] = { 0, 0, 0, 0 };
  28446. int juce_recentMouseDownX [4] = { 0, 0, 0, 0 };
  28447. int juce_recentMouseDownY [4] = { 0, 0, 0, 0 };
  28448. Component* juce_recentMouseDownComponent [4] = { 0, 0, 0, 0 };
  28449. int juce_LastMousePosX = 0;
  28450. int juce_LastMousePosY = 0;
  28451. int juce_MouseClickCounter = 0;
  28452. bool juce_MouseHasMovedSignificantlySincePressed = false;
  28453. static int countMouseClicks() throw()
  28454. {
  28455. int numClicks = 0;
  28456. if (juce_recentMouseDownTimes[0] != 0)
  28457. {
  28458. if (! juce_MouseHasMovedSignificantlySincePressed)
  28459. ++numClicks;
  28460. for (int i = 1; i < numElementsInArray (juce_recentMouseDownTimes); ++i)
  28461. {
  28462. if (juce_recentMouseDownTimes[0] - juce_recentMouseDownTimes [i]
  28463. < (int) (MouseEvent::getDoubleClickTimeout() * (1.0 + 0.25 * (i - 1)))
  28464. && abs (juce_recentMouseDownX[0] - juce_recentMouseDownX[i]) < 8
  28465. && abs (juce_recentMouseDownY[0] - juce_recentMouseDownY[i]) < 8
  28466. && juce_recentMouseDownComponent[0] == juce_recentMouseDownComponent [i])
  28467. {
  28468. ++numClicks;
  28469. }
  28470. else
  28471. {
  28472. break;
  28473. }
  28474. }
  28475. }
  28476. return numClicks;
  28477. }
  28478. static int unboundedMouseOffsetX = 0;
  28479. static int unboundedMouseOffsetY = 0;
  28480. static bool isUnboundedMouseModeOn = false;
  28481. static bool isCursorVisibleUntilOffscreen;
  28482. #define checkMessageManagerIsLocked jassert (MessageManager::getInstance()->currentThreadHasLockedMessageManager());
  28483. static uint32 nextComponentUID = 0;
  28484. Component::Component() throw()
  28485. : parentComponent_ (0),
  28486. componentUID (++nextComponentUID),
  28487. numDeepMouseListeners (0),
  28488. childComponentList_ (16),
  28489. lookAndFeel_ (0),
  28490. effect_ (0),
  28491. bufferedImage_ (0),
  28492. mouseListeners_ (0),
  28493. keyListeners_ (0),
  28494. componentListeners_ (0),
  28495. propertySet_ (0),
  28496. componentFlags_ (0)
  28497. {
  28498. }
  28499. Component::Component (const String& name) throw()
  28500. : componentName_ (name),
  28501. parentComponent_ (0),
  28502. componentUID (++nextComponentUID),
  28503. numDeepMouseListeners (0),
  28504. childComponentList_ (16),
  28505. lookAndFeel_ (0),
  28506. effect_ (0),
  28507. bufferedImage_ (0),
  28508. mouseListeners_ (0),
  28509. keyListeners_ (0),
  28510. componentListeners_ (0),
  28511. propertySet_ (0),
  28512. componentFlags_ (0)
  28513. {
  28514. }
  28515. Component::~Component()
  28516. {
  28517. if (parentComponent_ != 0)
  28518. {
  28519. parentComponent_->removeChildComponent (this);
  28520. }
  28521. else if ((currentlyFocusedComponent == this)
  28522. || isParentOf (currentlyFocusedComponent))
  28523. {
  28524. giveAwayFocus();
  28525. }
  28526. if (componentUnderMouse == this)
  28527. componentUnderMouse = 0;
  28528. if (flags.hasHeavyweightPeerFlag)
  28529. removeFromDesktop();
  28530. modalComponentStack.removeValue (this);
  28531. for (int i = childComponentList_.size(); --i >= 0;)
  28532. childComponentList_.getUnchecked(i)->parentComponent_ = 0;
  28533. delete bufferedImage_;
  28534. delete mouseListeners_;
  28535. delete keyListeners_;
  28536. delete componentListeners_;
  28537. delete propertySet_;
  28538. }
  28539. void Component::setName (const String& name)
  28540. {
  28541. // if component methods are being called from threads other than the message
  28542. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  28543. checkMessageManagerIsLocked
  28544. if (componentName_ != name)
  28545. {
  28546. componentName_ = name;
  28547. if (flags.hasHeavyweightPeerFlag)
  28548. {
  28549. ComponentPeer* const peer = getPeer();
  28550. jassert (peer != 0);
  28551. if (peer != 0)
  28552. peer->setTitle (name);
  28553. }
  28554. if (componentListeners_ != 0)
  28555. {
  28556. const ComponentDeletionWatcher deletionChecker (this);
  28557. for (int i = componentListeners_->size(); --i >= 0;)
  28558. {
  28559. ((ComponentListener*) componentListeners_->getUnchecked (i))
  28560. ->componentNameChanged (*this);
  28561. if (deletionChecker.hasBeenDeleted())
  28562. return;
  28563. i = jmin (i, componentListeners_->size());
  28564. }
  28565. }
  28566. }
  28567. }
  28568. void Component::setVisible (bool shouldBeVisible)
  28569. {
  28570. if (flags.visibleFlag != shouldBeVisible)
  28571. {
  28572. // if component methods are being called from threads other than the message
  28573. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  28574. checkMessageManagerIsLocked
  28575. const ComponentDeletionWatcher deletionChecker (this);
  28576. flags.visibleFlag = shouldBeVisible;
  28577. internalRepaint (0, 0, getWidth(), getHeight());
  28578. sendFakeMouseMove();
  28579. if (! shouldBeVisible)
  28580. {
  28581. if (currentlyFocusedComponent == this
  28582. || isParentOf (currentlyFocusedComponent))
  28583. {
  28584. if (parentComponent_ != 0)
  28585. parentComponent_->grabKeyboardFocus();
  28586. else
  28587. giveAwayFocus();
  28588. }
  28589. }
  28590. sendVisibilityChangeMessage();
  28591. if ((! deletionChecker.hasBeenDeleted()) && flags.hasHeavyweightPeerFlag)
  28592. {
  28593. ComponentPeer* const peer = getPeer();
  28594. jassert (peer != 0);
  28595. if (peer != 0)
  28596. {
  28597. peer->setVisible (shouldBeVisible);
  28598. internalHierarchyChanged();
  28599. }
  28600. }
  28601. }
  28602. }
  28603. void Component::visibilityChanged()
  28604. {
  28605. }
  28606. void Component::sendVisibilityChangeMessage()
  28607. {
  28608. const ComponentDeletionWatcher deletionChecker (this);
  28609. visibilityChanged();
  28610. if ((! deletionChecker.hasBeenDeleted()) && componentListeners_ != 0)
  28611. {
  28612. for (int i = componentListeners_->size(); --i >= 0;)
  28613. {
  28614. ((ComponentListener*) componentListeners_->getUnchecked (i))
  28615. ->componentVisibilityChanged (*this);
  28616. if (deletionChecker.hasBeenDeleted())
  28617. return;
  28618. i = jmin (i, componentListeners_->size());
  28619. }
  28620. }
  28621. }
  28622. bool Component::isShowing() const throw()
  28623. {
  28624. if (flags.visibleFlag)
  28625. {
  28626. if (parentComponent_ != 0)
  28627. {
  28628. return parentComponent_->isShowing();
  28629. }
  28630. else
  28631. {
  28632. const ComponentPeer* const peer = getPeer();
  28633. return peer != 0 && ! peer->isMinimised();
  28634. }
  28635. }
  28636. return false;
  28637. }
  28638. class FadeOutProxyComponent : public Component,
  28639. public Timer
  28640. {
  28641. public:
  28642. FadeOutProxyComponent (Component* comp,
  28643. const int fadeLengthMs,
  28644. const int deltaXToMove,
  28645. const int deltaYToMove,
  28646. const float scaleFactorAtEnd)
  28647. : lastTime (0),
  28648. alpha (1.0f),
  28649. scale (1.0f)
  28650. {
  28651. image = comp->createComponentSnapshot (Rectangle (0, 0, comp->getWidth(), comp->getHeight()));
  28652. setBounds (comp->getBounds());
  28653. comp->getParentComponent()->addAndMakeVisible (this);
  28654. toBehind (comp);
  28655. alphaChangePerMs = -1.0f / (float)fadeLengthMs;
  28656. centreX = comp->getX() + comp->getWidth() * 0.5f;
  28657. xChangePerMs = deltaXToMove / (float)fadeLengthMs;
  28658. centreY = comp->getY() + comp->getHeight() * 0.5f;
  28659. yChangePerMs = deltaYToMove / (float)fadeLengthMs;
  28660. scaleChangePerMs = (scaleFactorAtEnd - 1.0f) / (float)fadeLengthMs;
  28661. setInterceptsMouseClicks (false, false);
  28662. // 30 fps is enough for a fade, but we need a higher rate if it's moving as well..
  28663. startTimer (1000 / ((deltaXToMove == 0 && deltaYToMove == 0) ? 30 : 50));
  28664. }
  28665. ~FadeOutProxyComponent()
  28666. {
  28667. delete image;
  28668. }
  28669. void paint (Graphics& g)
  28670. {
  28671. g.setOpacity (alpha);
  28672. g.drawImage (image,
  28673. 0, 0, getWidth(), getHeight(),
  28674. 0, 0, image->getWidth(), image->getHeight());
  28675. }
  28676. void timerCallback()
  28677. {
  28678. const uint32 now = Time::getMillisecondCounter();
  28679. if (lastTime == 0)
  28680. lastTime = now;
  28681. const int msPassed = (now > lastTime) ? now - lastTime : 0;
  28682. lastTime = now;
  28683. alpha += alphaChangePerMs * msPassed;
  28684. if (alpha > 0)
  28685. {
  28686. if (xChangePerMs != 0.0f || yChangePerMs != 0.0f || scaleChangePerMs != 0.0f)
  28687. {
  28688. centreX += xChangePerMs * msPassed;
  28689. centreY += yChangePerMs * msPassed;
  28690. scale += scaleChangePerMs * msPassed;
  28691. const int w = roundFloatToInt (image->getWidth() * scale);
  28692. const int h = roundFloatToInt (image->getHeight() * scale);
  28693. setBounds (roundFloatToInt (centreX) - w / 2,
  28694. roundFloatToInt (centreY) - h / 2,
  28695. w, h);
  28696. }
  28697. repaint();
  28698. }
  28699. else
  28700. {
  28701. delete this;
  28702. }
  28703. }
  28704. juce_UseDebuggingNewOperator
  28705. private:
  28706. Image* image;
  28707. uint32 lastTime;
  28708. float alpha, alphaChangePerMs;
  28709. float centreX, xChangePerMs;
  28710. float centreY, yChangePerMs;
  28711. float scale, scaleChangePerMs;
  28712. FadeOutProxyComponent (const FadeOutProxyComponent&);
  28713. const FadeOutProxyComponent& operator= (const FadeOutProxyComponent&);
  28714. };
  28715. void Component::fadeOutComponent (const int millisecondsToFade,
  28716. const int deltaXToMove,
  28717. const int deltaYToMove,
  28718. const float scaleFactorAtEnd)
  28719. {
  28720. //xxx won't work for comps without parents
  28721. if (isShowing() && millisecondsToFade > 0)
  28722. new FadeOutProxyComponent (this, millisecondsToFade,
  28723. deltaXToMove, deltaYToMove, scaleFactorAtEnd);
  28724. setVisible (false);
  28725. }
  28726. bool Component::isValidComponent() const throw()
  28727. {
  28728. return (this != 0) && isValidMessageListener();
  28729. }
  28730. void* Component::getWindowHandle() const throw()
  28731. {
  28732. const ComponentPeer* const peer = getPeer();
  28733. if (peer != 0)
  28734. return peer->getNativeHandle();
  28735. return 0;
  28736. }
  28737. void Component::addToDesktop (int styleWanted, void* nativeWindowToAttachTo)
  28738. {
  28739. // if component methods are being called from threads other than the message
  28740. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  28741. checkMessageManagerIsLocked
  28742. if (! isOpaque())
  28743. styleWanted |= ComponentPeer::windowIsSemiTransparent;
  28744. int currentStyleFlags = 0;
  28745. // don't use getPeer(), so that we only get the peer that's specifically
  28746. // for this comp, and not for one of its parents.
  28747. ComponentPeer* peer = ComponentPeer::getPeerFor (this);
  28748. if (peer != 0)
  28749. currentStyleFlags = peer->getStyleFlags();
  28750. if (styleWanted != currentStyleFlags || ! flags.hasHeavyweightPeerFlag)
  28751. {
  28752. const ComponentDeletionWatcher deletionChecker (this);
  28753. #if JUCE_LINUX
  28754. // it's wise to give the component a non-zero size before
  28755. // putting it on the desktop, as X windows get confused by this, and
  28756. // a (1, 1) minimum size is enforced here.
  28757. setSize (jmax (1, getWidth()),
  28758. jmax (1, getHeight()));
  28759. #endif
  28760. int x = 0, y = 0;
  28761. relativePositionToGlobal (x, y);
  28762. bool wasFullscreen = false;
  28763. bool wasMinimised = false;
  28764. ComponentBoundsConstrainer* currentConstainer = 0;
  28765. Rectangle oldNonFullScreenBounds;
  28766. if (peer != 0)
  28767. {
  28768. wasFullscreen = peer->isFullScreen();
  28769. wasMinimised = peer->isMinimised();
  28770. currentConstainer = peer->getConstrainer();
  28771. oldNonFullScreenBounds = peer->getNonFullScreenBounds();
  28772. removeFromDesktop();
  28773. }
  28774. if (parentComponent_ != 0)
  28775. parentComponent_->removeChildComponent (this);
  28776. if (! deletionChecker.hasBeenDeleted())
  28777. {
  28778. flags.hasHeavyweightPeerFlag = true;
  28779. peer = createNewPeer (styleWanted, nativeWindowToAttachTo);
  28780. Desktop::getInstance().addDesktopComponent (this);
  28781. bounds_.setPosition (x, y);
  28782. peer->setBounds (x, y, getWidth(), getHeight(), false);
  28783. peer->setVisible (isVisible());
  28784. if (wasFullscreen)
  28785. {
  28786. peer->setFullScreen (true);
  28787. peer->setNonFullScreenBounds (oldNonFullScreenBounds);
  28788. }
  28789. if (wasMinimised)
  28790. peer->setMinimised (true);
  28791. if (isAlwaysOnTop())
  28792. peer->setAlwaysOnTop (true);
  28793. peer->setConstrainer (currentConstainer);
  28794. repaint();
  28795. }
  28796. internalHierarchyChanged();
  28797. }
  28798. }
  28799. void Component::removeFromDesktop()
  28800. {
  28801. // if component methods are being called from threads other than the message
  28802. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  28803. checkMessageManagerIsLocked
  28804. if (flags.hasHeavyweightPeerFlag)
  28805. {
  28806. ComponentPeer* const peer = ComponentPeer::getPeerFor (this);
  28807. flags.hasHeavyweightPeerFlag = false;
  28808. jassert (peer != 0);
  28809. delete peer;
  28810. Desktop::getInstance().removeDesktopComponent (this);
  28811. }
  28812. }
  28813. bool Component::isOnDesktop() const throw()
  28814. {
  28815. return flags.hasHeavyweightPeerFlag;
  28816. }
  28817. void Component::userTriedToCloseWindow()
  28818. {
  28819. /* This means that the user's trying to get rid of your window with the 'close window' system
  28820. menu option (on windows) or possibly the task manager - you should really handle this
  28821. and delete or hide your component in an appropriate way.
  28822. If you want to ignore the event and don't want to trigger this assertion, just override
  28823. this method and do nothing.
  28824. */
  28825. jassertfalse
  28826. }
  28827. void Component::minimisationStateChanged (bool)
  28828. {
  28829. }
  28830. void Component::setOpaque (const bool shouldBeOpaque) throw()
  28831. {
  28832. if (shouldBeOpaque != flags.opaqueFlag)
  28833. {
  28834. flags.opaqueFlag = shouldBeOpaque;
  28835. if (flags.hasHeavyweightPeerFlag)
  28836. {
  28837. const ComponentPeer* const peer = ComponentPeer::getPeerFor (this);
  28838. if (peer != 0)
  28839. {
  28840. // to make it recreate the heavyweight window
  28841. addToDesktop (peer->getStyleFlags());
  28842. }
  28843. }
  28844. repaint();
  28845. }
  28846. }
  28847. bool Component::isOpaque() const throw()
  28848. {
  28849. return flags.opaqueFlag;
  28850. }
  28851. void Component::setBufferedToImage (const bool shouldBeBuffered) throw()
  28852. {
  28853. if (shouldBeBuffered != flags.bufferToImageFlag)
  28854. {
  28855. deleteAndZero (bufferedImage_);
  28856. flags.bufferToImageFlag = shouldBeBuffered;
  28857. }
  28858. }
  28859. void Component::toFront (const bool setAsForeground)
  28860. {
  28861. // if component methods are being called from threads other than the message
  28862. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  28863. checkMessageManagerIsLocked
  28864. if (flags.hasHeavyweightPeerFlag)
  28865. {
  28866. ComponentPeer* const peer = getPeer();
  28867. if (peer != 0)
  28868. {
  28869. peer->toFront (setAsForeground);
  28870. if (setAsForeground && ! hasKeyboardFocus (true))
  28871. grabKeyboardFocus();
  28872. }
  28873. }
  28874. else if (parentComponent_ != 0)
  28875. {
  28876. if (parentComponent_->childComponentList_.getLast() != this)
  28877. {
  28878. const int index = parentComponent_->childComponentList_.indexOf (this);
  28879. if (index >= 0)
  28880. {
  28881. int insertIndex = -1;
  28882. if (! flags.alwaysOnTopFlag)
  28883. {
  28884. insertIndex = parentComponent_->childComponentList_.size() - 1;
  28885. while (insertIndex > 0
  28886. && parentComponent_->childComponentList_.getUnchecked (insertIndex)->isAlwaysOnTop())
  28887. {
  28888. --insertIndex;
  28889. }
  28890. }
  28891. if (index != insertIndex)
  28892. {
  28893. parentComponent_->childComponentList_.move (index, insertIndex);
  28894. sendFakeMouseMove();
  28895. repaintParent();
  28896. }
  28897. }
  28898. }
  28899. if (setAsForeground)
  28900. {
  28901. internalBroughtToFront();
  28902. grabKeyboardFocus();
  28903. }
  28904. }
  28905. }
  28906. void Component::toBehind (Component* const other)
  28907. {
  28908. if (other != 0)
  28909. {
  28910. // the two components must belong to the same parent..
  28911. jassert (parentComponent_ == other->parentComponent_);
  28912. if (parentComponent_ != 0)
  28913. {
  28914. const int index = parentComponent_->childComponentList_.indexOf (this);
  28915. int otherIndex = parentComponent_->childComponentList_.indexOf (other);
  28916. if (index >= 0
  28917. && otherIndex >= 0
  28918. && index != otherIndex - 1
  28919. && other != this)
  28920. {
  28921. if (index < otherIndex)
  28922. --otherIndex;
  28923. parentComponent_->childComponentList_.move (index, otherIndex);
  28924. sendFakeMouseMove();
  28925. repaintParent();
  28926. }
  28927. }
  28928. else if (isOnDesktop())
  28929. {
  28930. jassert (other->isOnDesktop());
  28931. if (other->isOnDesktop())
  28932. {
  28933. ComponentPeer* const us = getPeer();
  28934. ComponentPeer* const them = other->getPeer();
  28935. jassert (us != 0 && them != 0);
  28936. if (us != 0 && them != 0)
  28937. us->toBehind (them);
  28938. }
  28939. }
  28940. }
  28941. }
  28942. void Component::toBack()
  28943. {
  28944. if (isOnDesktop())
  28945. {
  28946. jassertfalse //xxx need to add this to native window
  28947. }
  28948. else if (parentComponent_ != 0
  28949. && parentComponent_->childComponentList_.getFirst() != this)
  28950. {
  28951. const int index = parentComponent_->childComponentList_.indexOf (this);
  28952. if (index > 0)
  28953. {
  28954. int insertIndex = 0;
  28955. if (flags.alwaysOnTopFlag)
  28956. {
  28957. while (insertIndex < parentComponent_->childComponentList_.size()
  28958. && ! parentComponent_->childComponentList_.getUnchecked (insertIndex)->isAlwaysOnTop())
  28959. {
  28960. ++insertIndex;
  28961. }
  28962. }
  28963. if (index != insertIndex)
  28964. {
  28965. parentComponent_->childComponentList_.move (index, insertIndex);
  28966. sendFakeMouseMove();
  28967. repaintParent();
  28968. }
  28969. }
  28970. }
  28971. }
  28972. void Component::setAlwaysOnTop (const bool shouldStayOnTop)
  28973. {
  28974. if (shouldStayOnTop != flags.alwaysOnTopFlag)
  28975. {
  28976. flags.alwaysOnTopFlag = shouldStayOnTop;
  28977. if (isOnDesktop())
  28978. {
  28979. ComponentPeer* const peer = getPeer();
  28980. jassert (peer != 0);
  28981. if (peer != 0)
  28982. {
  28983. if (! peer->setAlwaysOnTop (shouldStayOnTop))
  28984. {
  28985. // some kinds of peer can't change their always-on-top status, so
  28986. // for these, we'll need to create a new window
  28987. const int oldFlags = peer->getStyleFlags();
  28988. removeFromDesktop();
  28989. addToDesktop (oldFlags);
  28990. }
  28991. }
  28992. }
  28993. if (shouldStayOnTop)
  28994. toFront (false);
  28995. internalHierarchyChanged();
  28996. }
  28997. }
  28998. bool Component::isAlwaysOnTop() const throw()
  28999. {
  29000. return flags.alwaysOnTopFlag;
  29001. }
  29002. int Component::proportionOfWidth (const float proportion) const throw()
  29003. {
  29004. return roundDoubleToInt (proportion * bounds_.getWidth());
  29005. }
  29006. int Component::proportionOfHeight (const float proportion) const throw()
  29007. {
  29008. return roundDoubleToInt (proportion * bounds_.getHeight());
  29009. }
  29010. int Component::getParentWidth() const throw()
  29011. {
  29012. return (parentComponent_ != 0) ? parentComponent_->getWidth()
  29013. : getParentMonitorArea().getWidth();
  29014. }
  29015. int Component::getParentHeight() const throw()
  29016. {
  29017. return (parentComponent_ != 0) ? parentComponent_->getHeight()
  29018. : getParentMonitorArea().getHeight();
  29019. }
  29020. int Component::getScreenX() const throw()
  29021. {
  29022. return (parentComponent_ != 0) ? parentComponent_->getScreenX() + getX()
  29023. : (flags.hasHeavyweightPeerFlag ? getPeer()->getScreenX()
  29024. : getX());
  29025. }
  29026. int Component::getScreenY() const throw()
  29027. {
  29028. return (parentComponent_ != 0) ? parentComponent_->getScreenY() + getY()
  29029. : (flags.hasHeavyweightPeerFlag ? getPeer()->getScreenY()
  29030. : getY());
  29031. }
  29032. void Component::relativePositionToGlobal (int& x, int& y) const throw()
  29033. {
  29034. const Component* c = this;
  29035. do
  29036. {
  29037. if (c->flags.hasHeavyweightPeerFlag)
  29038. {
  29039. c->getPeer()->relativePositionToGlobal (x, y);
  29040. break;
  29041. }
  29042. x += c->getX();
  29043. y += c->getY();
  29044. c = c->parentComponent_;
  29045. }
  29046. while (c != 0);
  29047. }
  29048. void Component::globalPositionToRelative (int& x, int& y) const throw()
  29049. {
  29050. if (flags.hasHeavyweightPeerFlag)
  29051. {
  29052. getPeer()->globalPositionToRelative (x, y);
  29053. }
  29054. else
  29055. {
  29056. if (parentComponent_ != 0)
  29057. parentComponent_->globalPositionToRelative (x, y);
  29058. x -= getX();
  29059. y -= getY();
  29060. }
  29061. }
  29062. void Component::relativePositionToOtherComponent (const Component* const targetComponent, int& x, int& y) const throw()
  29063. {
  29064. if (targetComponent != 0)
  29065. {
  29066. const Component* c = this;
  29067. do
  29068. {
  29069. if (c == targetComponent)
  29070. return;
  29071. if (c->flags.hasHeavyweightPeerFlag)
  29072. {
  29073. c->getPeer()->relativePositionToGlobal (x, y);
  29074. break;
  29075. }
  29076. x += c->getX();
  29077. y += c->getY();
  29078. c = c->parentComponent_;
  29079. }
  29080. while (c != 0);
  29081. targetComponent->globalPositionToRelative (x, y);
  29082. }
  29083. }
  29084. void Component::setBounds (int x, int y, int w, int h)
  29085. {
  29086. // if component methods are being called from threads other than the message
  29087. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  29088. checkMessageManagerIsLocked
  29089. if (w < 0) w = 0;
  29090. if (h < 0) h = 0;
  29091. const bool wasResized = (getWidth() != w || getHeight() != h);
  29092. const bool wasMoved = (getX() != x || getY() != y);
  29093. #ifdef JUCE_DEBUG
  29094. // It's a very bad idea to try to resize a window during its paint() method!
  29095. jassert (! (flags.isInsidePaintCall && wasResized && isOnDesktop()));
  29096. #endif
  29097. if (wasMoved || wasResized)
  29098. {
  29099. if (flags.visibleFlag)
  29100. {
  29101. // send a fake mouse move to trigger enter/exit messages if needed..
  29102. sendFakeMouseMove();
  29103. if (! flags.hasHeavyweightPeerFlag)
  29104. repaintParent();
  29105. }
  29106. bounds_.setBounds (x, y, w, h);
  29107. if (wasResized)
  29108. repaint();
  29109. else if (! flags.hasHeavyweightPeerFlag)
  29110. repaintParent();
  29111. if (flags.hasHeavyweightPeerFlag)
  29112. {
  29113. ComponentPeer* const peer = getPeer();
  29114. if (peer != 0)
  29115. {
  29116. if (wasMoved && wasResized)
  29117. peer->setBounds (getX(), getY(), getWidth(), getHeight(), false);
  29118. else if (wasMoved)
  29119. peer->setPosition (getX(), getY());
  29120. else if (wasResized)
  29121. peer->setSize (getWidth(), getHeight());
  29122. }
  29123. }
  29124. sendMovedResizedMessages (wasMoved, wasResized);
  29125. }
  29126. }
  29127. void Component::sendMovedResizedMessages (const bool wasMoved, const bool wasResized)
  29128. {
  29129. JUCE_TRY
  29130. {
  29131. if (wasMoved)
  29132. moved();
  29133. if (wasResized)
  29134. {
  29135. resized();
  29136. for (int i = childComponentList_.size(); --i >= 0;)
  29137. {
  29138. childComponentList_.getUnchecked(i)->parentSizeChanged();
  29139. i = jmin (i, childComponentList_.size());
  29140. }
  29141. }
  29142. if (parentComponent_ != 0)
  29143. parentComponent_->childBoundsChanged (this);
  29144. if (componentListeners_ != 0)
  29145. {
  29146. const ComponentDeletionWatcher deletionChecker (this);
  29147. for (int i = componentListeners_->size(); --i >= 0;)
  29148. {
  29149. ((ComponentListener*) componentListeners_->getUnchecked (i))
  29150. ->componentMovedOrResized (*this, wasMoved, wasResized);
  29151. if (deletionChecker.hasBeenDeleted())
  29152. return;
  29153. i = jmin (i, componentListeners_->size());
  29154. }
  29155. }
  29156. }
  29157. JUCE_CATCH_EXCEPTION
  29158. }
  29159. void Component::setSize (const int w, const int h)
  29160. {
  29161. setBounds (getX(), getY(), w, h);
  29162. }
  29163. void Component::setTopLeftPosition (const int x, const int y)
  29164. {
  29165. setBounds (x, y, getWidth(), getHeight());
  29166. }
  29167. void Component::setTopRightPosition (const int x, const int y)
  29168. {
  29169. setTopLeftPosition (x - getWidth(), y);
  29170. }
  29171. void Component::setBounds (const Rectangle& r)
  29172. {
  29173. setBounds (r.getX(),
  29174. r.getY(),
  29175. r.getWidth(),
  29176. r.getHeight());
  29177. }
  29178. void Component::setBoundsRelative (const float x, const float y,
  29179. const float w, const float h)
  29180. {
  29181. const int pw = getParentWidth();
  29182. const int ph = getParentHeight();
  29183. setBounds (roundFloatToInt (x * pw),
  29184. roundFloatToInt (y * ph),
  29185. roundFloatToInt (w * pw),
  29186. roundFloatToInt (h * ph));
  29187. }
  29188. void Component::setCentrePosition (const int x, const int y)
  29189. {
  29190. setTopLeftPosition (x - getWidth() / 2,
  29191. y - getHeight() / 2);
  29192. }
  29193. void Component::setCentreRelative (const float x, const float y)
  29194. {
  29195. setCentrePosition (roundFloatToInt (getParentWidth() * x),
  29196. roundFloatToInt (getParentHeight() * y));
  29197. }
  29198. void Component::centreWithSize (const int width, const int height)
  29199. {
  29200. setBounds ((getParentWidth() - width) / 2,
  29201. (getParentHeight() - height) / 2,
  29202. width,
  29203. height);
  29204. }
  29205. void Component::setBoundsInset (const BorderSize& borders)
  29206. {
  29207. setBounds (borders.getLeft(),
  29208. borders.getTop(),
  29209. getParentWidth() - (borders.getLeftAndRight()),
  29210. getParentHeight() - (borders.getTopAndBottom()));
  29211. }
  29212. void Component::setBoundsToFit (int x, int y, int width, int height,
  29213. const Justification& justification,
  29214. const bool onlyReduceInSize)
  29215. {
  29216. // it's no good calling this method unless both the component and
  29217. // target rectangle have a finite size.
  29218. jassert (getWidth() > 0 && getHeight() > 0 && width > 0 && height > 0);
  29219. if (getWidth() > 0 && getHeight() > 0
  29220. && width > 0 && height > 0)
  29221. {
  29222. int newW, newH;
  29223. if (onlyReduceInSize && getWidth() <= width && getHeight() <= height)
  29224. {
  29225. newW = getWidth();
  29226. newH = getHeight();
  29227. }
  29228. else
  29229. {
  29230. const double imageRatio = getHeight() / (double) getWidth();
  29231. const double targetRatio = height / (double) width;
  29232. if (imageRatio <= targetRatio)
  29233. {
  29234. newW = width;
  29235. newH = jmin (height, roundDoubleToInt (newW * imageRatio));
  29236. }
  29237. else
  29238. {
  29239. newH = height;
  29240. newW = jmin (width, roundDoubleToInt (newH / imageRatio));
  29241. }
  29242. }
  29243. if (newW > 0 && newH > 0)
  29244. {
  29245. int newX, newY;
  29246. justification.applyToRectangle (newX, newY, newW, newH,
  29247. x, y, width, height);
  29248. setBounds (newX, newY, newW, newH);
  29249. }
  29250. }
  29251. }
  29252. bool Component::hitTest (int x, int y)
  29253. {
  29254. if (! flags.ignoresMouseClicksFlag)
  29255. return true;
  29256. if (flags.allowChildMouseClicksFlag)
  29257. {
  29258. for (int i = getNumChildComponents(); --i >= 0;)
  29259. {
  29260. Component* const c = getChildComponent (i);
  29261. if (c->isVisible()
  29262. && c->bounds_.contains (x, y)
  29263. && c->hitTest (x - c->getX(),
  29264. y - c->getY()))
  29265. {
  29266. return true;
  29267. }
  29268. }
  29269. }
  29270. return false;
  29271. }
  29272. void Component::setInterceptsMouseClicks (const bool allowClicks,
  29273. const bool allowClicksOnChildComponents) throw()
  29274. {
  29275. flags.ignoresMouseClicksFlag = ! allowClicks;
  29276. flags.allowChildMouseClicksFlag = allowClicksOnChildComponents;
  29277. }
  29278. void Component::getInterceptsMouseClicks (bool& allowsClicksOnThisComponent,
  29279. bool& allowsClicksOnChildComponents) const throw()
  29280. {
  29281. allowsClicksOnThisComponent = ! flags.ignoresMouseClicksFlag;
  29282. allowsClicksOnChildComponents = flags.allowChildMouseClicksFlag;
  29283. }
  29284. bool Component::contains (const int x, const int y)
  29285. {
  29286. if (((unsigned int) x) < (unsigned int) getWidth()
  29287. && ((unsigned int) y) < (unsigned int) getHeight()
  29288. && hitTest (x, y))
  29289. {
  29290. if (parentComponent_ != 0)
  29291. {
  29292. return parentComponent_->contains (x + getX(),
  29293. y + getY());
  29294. }
  29295. else if (flags.hasHeavyweightPeerFlag)
  29296. {
  29297. const ComponentPeer* const peer = getPeer();
  29298. if (peer != 0)
  29299. return peer->contains (x, y, true);
  29300. }
  29301. }
  29302. return false;
  29303. }
  29304. bool Component::reallyContains (int x, int y, const bool returnTrueIfWithinAChild)
  29305. {
  29306. if (! contains (x, y))
  29307. return false;
  29308. Component* p = this;
  29309. while (p->parentComponent_ != 0)
  29310. {
  29311. x += p->getX();
  29312. y += p->getY();
  29313. p = p->parentComponent_;
  29314. }
  29315. const Component* const c = p->getComponentAt (x, y);
  29316. return (c == this) || (returnTrueIfWithinAChild && isParentOf (c));
  29317. }
  29318. Component* Component::getComponentAt (const int x, const int y)
  29319. {
  29320. if (flags.visibleFlag
  29321. && ((unsigned int) x) < (unsigned int) getWidth()
  29322. && ((unsigned int) y) < (unsigned int) getHeight()
  29323. && hitTest (x, y))
  29324. {
  29325. for (int i = childComponentList_.size(); --i >= 0;)
  29326. {
  29327. Component* const child = childComponentList_.getUnchecked(i);
  29328. Component* const c = child->getComponentAt (x - child->getX(),
  29329. y - child->getY());
  29330. if (c != 0)
  29331. return c;
  29332. }
  29333. return this;
  29334. }
  29335. return 0;
  29336. }
  29337. void Component::addChildComponent (Component* const child, int zOrder)
  29338. {
  29339. // if component methods are being called from threads other than the message
  29340. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  29341. checkMessageManagerIsLocked
  29342. if (child != 0 && child->parentComponent_ != this)
  29343. {
  29344. if (child->parentComponent_ != 0)
  29345. child->parentComponent_->removeChildComponent (child);
  29346. else
  29347. child->removeFromDesktop();
  29348. child->parentComponent_ = this;
  29349. if (child->isVisible())
  29350. child->repaintParent();
  29351. if (! child->isAlwaysOnTop())
  29352. {
  29353. if (zOrder < 0 || zOrder > childComponentList_.size())
  29354. zOrder = childComponentList_.size();
  29355. while (zOrder > 0)
  29356. {
  29357. if (! childComponentList_.getUnchecked (zOrder - 1)->isAlwaysOnTop())
  29358. break;
  29359. --zOrder;
  29360. }
  29361. }
  29362. childComponentList_.insert (zOrder, child);
  29363. child->internalHierarchyChanged();
  29364. internalChildrenChanged();
  29365. }
  29366. }
  29367. void Component::addAndMakeVisible (Component* const child, int zOrder)
  29368. {
  29369. if (child != 0)
  29370. {
  29371. child->setVisible (true);
  29372. addChildComponent (child, zOrder);
  29373. }
  29374. }
  29375. void Component::removeChildComponent (Component* const child)
  29376. {
  29377. removeChildComponent (childComponentList_.indexOf (child));
  29378. }
  29379. Component* Component::removeChildComponent (const int index)
  29380. {
  29381. // if component methods are being called from threads other than the message
  29382. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  29383. checkMessageManagerIsLocked
  29384. Component* const child = childComponentList_ [index];
  29385. if (child != 0)
  29386. {
  29387. sendFakeMouseMove();
  29388. child->repaintParent();
  29389. childComponentList_.remove (index);
  29390. child->parentComponent_ = 0;
  29391. JUCE_TRY
  29392. {
  29393. if ((currentlyFocusedComponent == child)
  29394. || child->isParentOf (currentlyFocusedComponent))
  29395. {
  29396. // get rid first to force the grabKeyboardFocus to change to us.
  29397. giveAwayFocus();
  29398. grabKeyboardFocus();
  29399. }
  29400. }
  29401. #if JUCE_CATCH_UNHANDLED_EXCEPTIONS
  29402. catch (const std::exception& e)
  29403. {
  29404. currentlyFocusedComponent = 0;
  29405. Desktop::getInstance().triggerFocusCallback();
  29406. JUCEApplication::sendUnhandledException (&e, __FILE__, __LINE__);
  29407. }
  29408. catch (...)
  29409. {
  29410. currentlyFocusedComponent = 0;
  29411. Desktop::getInstance().triggerFocusCallback();
  29412. JUCEApplication::sendUnhandledException (0, __FILE__, __LINE__);
  29413. }
  29414. #endif
  29415. child->internalHierarchyChanged();
  29416. internalChildrenChanged();
  29417. }
  29418. return child;
  29419. }
  29420. void Component::removeAllChildren()
  29421. {
  29422. for (int i = childComponentList_.size(); --i >= 0;)
  29423. removeChildComponent (i);
  29424. }
  29425. void Component::deleteAllChildren()
  29426. {
  29427. for (int i = childComponentList_.size(); --i >= 0;)
  29428. delete (removeChildComponent (i));
  29429. }
  29430. int Component::getNumChildComponents() const throw()
  29431. {
  29432. return childComponentList_.size();
  29433. }
  29434. Component* Component::getChildComponent (const int index) const throw()
  29435. {
  29436. return childComponentList_ [index];
  29437. }
  29438. int Component::getIndexOfChildComponent (const Component* const child) const throw()
  29439. {
  29440. return childComponentList_.indexOf (const_cast <Component*> (child));
  29441. }
  29442. Component* Component::getTopLevelComponent() const throw()
  29443. {
  29444. const Component* comp = this;
  29445. while (comp->parentComponent_ != 0)
  29446. comp = comp->parentComponent_;
  29447. return (Component*) comp;
  29448. }
  29449. bool Component::isParentOf (const Component* possibleChild) const throw()
  29450. {
  29451. while (possibleChild->isValidComponent())
  29452. {
  29453. possibleChild = possibleChild->parentComponent_;
  29454. if (possibleChild == this)
  29455. return true;
  29456. }
  29457. return false;
  29458. }
  29459. void Component::parentHierarchyChanged()
  29460. {
  29461. }
  29462. void Component::childrenChanged()
  29463. {
  29464. }
  29465. void Component::internalChildrenChanged()
  29466. {
  29467. const ComponentDeletionWatcher deletionChecker (this);
  29468. const bool hasListeners = componentListeners_ != 0;
  29469. childrenChanged();
  29470. if (hasListeners)
  29471. {
  29472. if (deletionChecker.hasBeenDeleted())
  29473. return;
  29474. for (int i = componentListeners_->size(); --i >= 0;)
  29475. {
  29476. ((ComponentListener*) componentListeners_->getUnchecked (i))
  29477. ->componentChildrenChanged (*this);
  29478. if (deletionChecker.hasBeenDeleted())
  29479. return;
  29480. i = jmin (i, componentListeners_->size());
  29481. }
  29482. }
  29483. }
  29484. void Component::internalHierarchyChanged()
  29485. {
  29486. parentHierarchyChanged();
  29487. const ComponentDeletionWatcher deletionChecker (this);
  29488. if (componentListeners_ != 0)
  29489. {
  29490. for (int i = componentListeners_->size(); --i >= 0;)
  29491. {
  29492. ((ComponentListener*) componentListeners_->getUnchecked (i))
  29493. ->componentParentHierarchyChanged (*this);
  29494. if (deletionChecker.hasBeenDeleted())
  29495. return;
  29496. i = jmin (i, componentListeners_->size());
  29497. }
  29498. }
  29499. for (int i = childComponentList_.size(); --i >= 0;)
  29500. {
  29501. childComponentList_.getUnchecked (i)->internalHierarchyChanged();
  29502. // you really shouldn't delete the parent component during a callback telling you
  29503. // that it's changed..
  29504. jassert (! deletionChecker.hasBeenDeleted());
  29505. if (deletionChecker.hasBeenDeleted())
  29506. return;
  29507. i = jmin (i, childComponentList_.size());
  29508. }
  29509. }
  29510. void* Component::runModalLoopCallback (void* userData)
  29511. {
  29512. return (void*) (pointer_sized_int) ((Component*) userData)->runModalLoop();
  29513. }
  29514. int Component::runModalLoop()
  29515. {
  29516. if (! MessageManager::getInstance()->isThisTheMessageThread())
  29517. {
  29518. // use a callback so this can be called from non-gui threads
  29519. return (int) (pointer_sized_int)
  29520. MessageManager::getInstance()
  29521. ->callFunctionOnMessageThread (&runModalLoopCallback, (void*) this);
  29522. }
  29523. Component* const prevFocused = getCurrentlyFocusedComponent();
  29524. ComponentDeletionWatcher* deletionChecker = 0;
  29525. if (prevFocused != 0)
  29526. deletionChecker = new ComponentDeletionWatcher (prevFocused);
  29527. if (! isCurrentlyModal())
  29528. enterModalState();
  29529. JUCE_TRY
  29530. {
  29531. while (flags.currentlyModalFlag && flags.visibleFlag)
  29532. {
  29533. if (! MessageManager::getInstance()->dispatchNextMessage())
  29534. break;
  29535. // check whether this component was deleted during the last message
  29536. if (! isValidMessageListener())
  29537. break;
  29538. }
  29539. }
  29540. #if JUCE_CATCH_UNHANDLED_EXCEPTIONS
  29541. catch (const std::exception& e)
  29542. {
  29543. JUCEApplication::sendUnhandledException (&e, __FILE__, __LINE__);
  29544. return 0;
  29545. }
  29546. catch (...)
  29547. {
  29548. JUCEApplication::sendUnhandledException (0, __FILE__, __LINE__);
  29549. return 0;
  29550. }
  29551. #endif
  29552. const int modalIndex = modalComponentReturnValueKeys.indexOf (this);
  29553. int returnValue = 0;
  29554. if (modalIndex >= 0)
  29555. {
  29556. modalComponentReturnValueKeys.remove (modalIndex);
  29557. returnValue = modalReturnValues.remove (modalIndex);
  29558. }
  29559. modalComponentStack.removeValue (this);
  29560. if (deletionChecker != 0)
  29561. {
  29562. if (! deletionChecker->hasBeenDeleted())
  29563. prevFocused->grabKeyboardFocus();
  29564. delete deletionChecker;
  29565. }
  29566. return returnValue;
  29567. }
  29568. void Component::enterModalState (const bool takeKeyboardFocus)
  29569. {
  29570. // if component methods are being called from threads other than the message
  29571. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  29572. checkMessageManagerIsLocked
  29573. // Check for an attempt to make a component modal when it already is!
  29574. // This can cause nasty problems..
  29575. jassert (! flags.currentlyModalFlag);
  29576. if (! isCurrentlyModal())
  29577. {
  29578. modalComponentStack.add (this);
  29579. modalComponentReturnValueKeys.add (this);
  29580. modalReturnValues.add (0);
  29581. flags.currentlyModalFlag = true;
  29582. setVisible (true);
  29583. if (takeKeyboardFocus)
  29584. grabKeyboardFocus();
  29585. }
  29586. }
  29587. void Component::exitModalState (const int returnValue)
  29588. {
  29589. if (isCurrentlyModal())
  29590. {
  29591. if (MessageManager::getInstance()->isThisTheMessageThread())
  29592. {
  29593. const int modalIndex = modalComponentReturnValueKeys.indexOf (this);
  29594. if (modalIndex >= 0)
  29595. {
  29596. modalReturnValues.set (modalIndex, returnValue);
  29597. }
  29598. else
  29599. {
  29600. modalComponentReturnValueKeys.add (this);
  29601. modalReturnValues.add (returnValue);
  29602. }
  29603. modalComponentStack.removeValue (this);
  29604. flags.currentlyModalFlag = false;
  29605. }
  29606. else
  29607. {
  29608. postMessage (new Message (exitModalStateMessage, returnValue, 0, 0));
  29609. }
  29610. }
  29611. }
  29612. bool Component::isCurrentlyModal() const throw()
  29613. {
  29614. return flags.currentlyModalFlag
  29615. && getCurrentlyModalComponent() == this;
  29616. }
  29617. bool Component::isCurrentlyBlockedByAnotherModalComponent() const throw()
  29618. {
  29619. Component* const mc = getCurrentlyModalComponent();
  29620. return mc != 0
  29621. && mc != this
  29622. && (! mc->isParentOf (this))
  29623. && ! mc->canModalEventBeSentToComponent (this);
  29624. }
  29625. Component* JUCE_CALLTYPE Component::getCurrentlyModalComponent() throw()
  29626. {
  29627. Component* const c = (Component*) modalComponentStack.getLast();
  29628. return c->isValidComponent() ? c : 0;
  29629. }
  29630. void Component::setBroughtToFrontOnMouseClick (const bool shouldBeBroughtToFront) throw()
  29631. {
  29632. flags.bringToFrontOnClickFlag = shouldBeBroughtToFront;
  29633. }
  29634. bool Component::isBroughtToFrontOnMouseClick() const throw()
  29635. {
  29636. return flags.bringToFrontOnClickFlag;
  29637. }
  29638. void Component::setMouseCursor (const MouseCursor& cursor) throw()
  29639. {
  29640. cursor_ = cursor;
  29641. if (flags.visibleFlag)
  29642. {
  29643. int mx, my;
  29644. getMouseXYRelative (mx, my);
  29645. if (flags.draggingFlag || reallyContains (mx, my, false))
  29646. {
  29647. internalUpdateMouseCursor (false);
  29648. }
  29649. }
  29650. }
  29651. const MouseCursor Component::getMouseCursor()
  29652. {
  29653. return cursor_;
  29654. }
  29655. void Component::updateMouseCursor() const throw()
  29656. {
  29657. sendFakeMouseMove();
  29658. }
  29659. void Component::internalUpdateMouseCursor (const bool forcedUpdate) throw()
  29660. {
  29661. ComponentPeer* const peer = getPeer();
  29662. if (peer != 0)
  29663. {
  29664. MouseCursor mc (getMouseCursor());
  29665. if (isUnboundedMouseModeOn && (unboundedMouseOffsetX != 0
  29666. || unboundedMouseOffsetY != 0
  29667. || ! isCursorVisibleUntilOffscreen))
  29668. {
  29669. mc = MouseCursor::NoCursor;
  29670. }
  29671. static void* currentCursorHandle = 0;
  29672. if (forcedUpdate || mc.getHandle() != currentCursorHandle)
  29673. {
  29674. currentCursorHandle = mc.getHandle();
  29675. mc.showInWindow (peer);
  29676. }
  29677. }
  29678. }
  29679. void Component::setRepaintsOnMouseActivity (const bool shouldRepaint) throw()
  29680. {
  29681. flags.repaintOnMouseActivityFlag = shouldRepaint;
  29682. }
  29683. void Component::repaintParent() throw()
  29684. {
  29685. if (flags.visibleFlag)
  29686. internalRepaint (0, 0, getWidth(), getHeight());
  29687. }
  29688. void Component::repaint() throw()
  29689. {
  29690. repaint (0, 0, getWidth(), getHeight());
  29691. }
  29692. void Component::repaint (const int x, const int y,
  29693. const int w, const int h) throw()
  29694. {
  29695. deleteAndZero (bufferedImage_);
  29696. if (flags.visibleFlag)
  29697. internalRepaint (x, y, w, h);
  29698. }
  29699. void Component::internalRepaint (int x, int y, int w, int h)
  29700. {
  29701. // if component methods are being called from threads other than the message
  29702. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  29703. checkMessageManagerIsLocked
  29704. if (x < 0)
  29705. {
  29706. w += x;
  29707. x = 0;
  29708. }
  29709. if (x + w > getWidth())
  29710. w = getWidth() - x;
  29711. if (w > 0)
  29712. {
  29713. if (y < 0)
  29714. {
  29715. h += y;
  29716. y = 0;
  29717. }
  29718. if (y + h > getHeight())
  29719. h = getHeight() - y;
  29720. if (h > 0)
  29721. {
  29722. if (parentComponent_ != 0)
  29723. {
  29724. x += getX();
  29725. y += getY();
  29726. if (parentComponent_->flags.visibleFlag)
  29727. parentComponent_->internalRepaint (x, y, w, h);
  29728. }
  29729. else if (flags.hasHeavyweightPeerFlag)
  29730. {
  29731. ComponentPeer* const peer = getPeer();
  29732. if (peer != 0)
  29733. peer->repaint (x, y, w, h);
  29734. }
  29735. }
  29736. }
  29737. }
  29738. void Component::paintEntireComponent (Graphics& originalContext)
  29739. {
  29740. jassert (! originalContext.isClipEmpty());
  29741. #ifdef JUCE_DEBUG
  29742. flags.isInsidePaintCall = true;
  29743. #endif
  29744. Graphics* g = &originalContext;
  29745. Image* effectImage = 0;
  29746. if (effect_ != 0)
  29747. {
  29748. effectImage = new Image (flags.opaqueFlag ? Image::RGB : Image::ARGB,
  29749. getWidth(), getHeight(),
  29750. ! flags.opaqueFlag);
  29751. g = new Graphics (*effectImage);
  29752. }
  29753. g->saveState();
  29754. clipObscuredRegions (*g, g->getClipBounds(), 0, 0);
  29755. if (! g->isClipEmpty())
  29756. {
  29757. if (bufferedImage_ != 0)
  29758. {
  29759. g->setColour (Colours::black);
  29760. g->drawImageAt (bufferedImage_, 0, 0);
  29761. }
  29762. else
  29763. {
  29764. if (flags.bufferToImageFlag)
  29765. {
  29766. if (bufferedImage_ == 0)
  29767. {
  29768. bufferedImage_ = new Image (flags.opaqueFlag ? Image::RGB : Image::ARGB,
  29769. getWidth(), getHeight(), ! flags.opaqueFlag);
  29770. Graphics imG (*bufferedImage_);
  29771. paint (imG);
  29772. }
  29773. g->setColour (Colours::black);
  29774. g->drawImageAt (bufferedImage_, 0, 0);
  29775. }
  29776. else
  29777. {
  29778. paint (*g);
  29779. g->resetToDefaultState();
  29780. }
  29781. }
  29782. }
  29783. g->restoreState();
  29784. for (int i = 0; i < childComponentList_.size(); ++i)
  29785. {
  29786. Component* const child = childComponentList_.getUnchecked (i);
  29787. if (child->isVisible())
  29788. {
  29789. g->saveState();
  29790. if (g->reduceClipRegion (child->getX(), child->getY(),
  29791. child->getWidth(), child->getHeight()))
  29792. {
  29793. for (int j = i + 1; j < childComponentList_.size(); ++j)
  29794. {
  29795. const Component* const sibling = childComponentList_.getUnchecked (j);
  29796. if (sibling->flags.opaqueFlag && sibling->isVisible())
  29797. g->excludeClipRegion (sibling->getX(), sibling->getY(),
  29798. sibling->getWidth(), sibling->getHeight());
  29799. }
  29800. if (! g->isClipEmpty())
  29801. {
  29802. g->setOrigin (child->getX(), child->getY());
  29803. child->paintEntireComponent (*g);
  29804. }
  29805. }
  29806. g->restoreState();
  29807. }
  29808. }
  29809. JUCE_TRY
  29810. {
  29811. g->saveState();
  29812. paintOverChildren (*g);
  29813. g->restoreState();
  29814. }
  29815. JUCE_CATCH_EXCEPTION
  29816. if (effect_ != 0)
  29817. {
  29818. delete g;
  29819. effect_->applyEffect (*effectImage, originalContext);
  29820. delete effectImage;
  29821. }
  29822. #ifdef JUCE_DEBUG
  29823. flags.isInsidePaintCall = false;
  29824. #endif
  29825. }
  29826. Image* Component::createComponentSnapshot (const Rectangle& areaToGrab,
  29827. const bool clipImageToComponentBounds)
  29828. {
  29829. Rectangle r (areaToGrab);
  29830. if (clipImageToComponentBounds)
  29831. r = r.getIntersection (Rectangle (0, 0, getWidth(), getHeight()));
  29832. Image* const componentImage = new Image (flags.opaqueFlag ? Image::RGB : Image::ARGB,
  29833. jmax (1, r.getWidth()),
  29834. jmax (1, r.getHeight()),
  29835. true);
  29836. Graphics imageContext (*componentImage);
  29837. imageContext.setOrigin (-r.getX(),
  29838. -r.getY());
  29839. paintEntireComponent (imageContext);
  29840. return componentImage;
  29841. }
  29842. void Component::setComponentEffect (ImageEffectFilter* const effect)
  29843. {
  29844. if (effect_ != effect)
  29845. {
  29846. effect_ = effect;
  29847. repaint();
  29848. }
  29849. }
  29850. LookAndFeel& Component::getLookAndFeel() const throw()
  29851. {
  29852. const Component* c = this;
  29853. do
  29854. {
  29855. if (c->lookAndFeel_ != 0)
  29856. return *(c->lookAndFeel_);
  29857. c = c->parentComponent_;
  29858. }
  29859. while (c != 0);
  29860. return LookAndFeel::getDefaultLookAndFeel();
  29861. }
  29862. void Component::setLookAndFeel (LookAndFeel* const newLookAndFeel)
  29863. {
  29864. if (lookAndFeel_ != newLookAndFeel)
  29865. {
  29866. lookAndFeel_ = newLookAndFeel;
  29867. sendLookAndFeelChange();
  29868. }
  29869. }
  29870. void Component::lookAndFeelChanged()
  29871. {
  29872. }
  29873. void Component::sendLookAndFeelChange()
  29874. {
  29875. repaint();
  29876. lookAndFeelChanged();
  29877. // (it's not a great idea to do anything that would delete this component
  29878. // during the lookAndFeelChanged() callback)
  29879. jassert (isValidComponent());
  29880. const ComponentDeletionWatcher deletionChecker (this);
  29881. for (int i = childComponentList_.size(); --i >= 0;)
  29882. {
  29883. childComponentList_.getUnchecked (i)->sendLookAndFeelChange();
  29884. if (deletionChecker.hasBeenDeleted())
  29885. return;
  29886. i = jmin (i, childComponentList_.size());
  29887. }
  29888. }
  29889. static const String getColourPropertyName (const int colourId) throw()
  29890. {
  29891. String s;
  29892. s.preallocateStorage (18);
  29893. s << T("jcclr_") << colourId;
  29894. return s;
  29895. }
  29896. const Colour Component::findColour (const int colourId, const bool inheritFromParent) const throw()
  29897. {
  29898. const String customColour (getComponentProperty (getColourPropertyName (colourId),
  29899. inheritFromParent,
  29900. String::empty));
  29901. if (customColour.isNotEmpty())
  29902. return Colour (customColour.getIntValue());
  29903. return getLookAndFeel().findColour (colourId);
  29904. }
  29905. bool Component::isColourSpecified (const int colourId) const throw()
  29906. {
  29907. return getComponentProperty (getColourPropertyName (colourId),
  29908. false,
  29909. String::empty).isNotEmpty();
  29910. }
  29911. void Component::removeColour (const int colourId)
  29912. {
  29913. if (isColourSpecified (colourId))
  29914. {
  29915. removeComponentProperty (getColourPropertyName (colourId));
  29916. colourChanged();
  29917. }
  29918. }
  29919. void Component::setColour (const int colourId, const Colour& colour)
  29920. {
  29921. const String colourName (getColourPropertyName (colourId));
  29922. const String customColour (getComponentProperty (colourName, false, String::empty));
  29923. if (customColour.isEmpty() || Colour (customColour.getIntValue()) != colour)
  29924. {
  29925. setComponentProperty (colourName, colour);
  29926. colourChanged();
  29927. }
  29928. }
  29929. void Component::copyAllExplicitColoursTo (Component& target) const throw()
  29930. {
  29931. if (propertySet_ != 0)
  29932. {
  29933. const StringPairArray& props = propertySet_->getAllProperties();
  29934. const StringArray& keys = props.getAllKeys();
  29935. for (int i = 0; i < keys.size(); ++i)
  29936. {
  29937. if (keys[i].startsWith (T("jcclr_")))
  29938. {
  29939. target.setComponentProperty (keys[i],
  29940. props.getAllValues() [i]);
  29941. }
  29942. }
  29943. target.colourChanged();
  29944. }
  29945. }
  29946. void Component::colourChanged()
  29947. {
  29948. }
  29949. const Rectangle Component::getUnclippedArea() const
  29950. {
  29951. int x = 0, y = 0, w = getWidth(), h = getHeight();
  29952. Component* p = parentComponent_;
  29953. int px = getX();
  29954. int py = getY();
  29955. while (p != 0)
  29956. {
  29957. if (! Rectangle::intersectRectangles (x, y, w, h, -px, -py, p->getWidth(), p->getHeight()))
  29958. return Rectangle();
  29959. px += p->getX();
  29960. py += p->getY();
  29961. p = p->parentComponent_;
  29962. }
  29963. return Rectangle (x, y, w, h);
  29964. }
  29965. void Component::clipObscuredRegions (Graphics& g, const Rectangle& clipRect,
  29966. const int deltaX, const int deltaY) const throw()
  29967. {
  29968. for (int i = childComponentList_.size(); --i >= 0;)
  29969. {
  29970. const Component* const c = childComponentList_.getUnchecked(i);
  29971. if (c->isVisible())
  29972. {
  29973. Rectangle newClip (clipRect.getIntersection (c->bounds_));
  29974. if (! newClip.isEmpty())
  29975. {
  29976. if (c->isOpaque())
  29977. {
  29978. g.excludeClipRegion (deltaX + newClip.getX(),
  29979. deltaY + newClip.getY(),
  29980. newClip.getWidth(),
  29981. newClip.getHeight());
  29982. }
  29983. else
  29984. {
  29985. newClip.translate (-c->getX(), -c->getY());
  29986. c->clipObscuredRegions (g, newClip,
  29987. c->getX() + deltaX,
  29988. c->getY() + deltaY);
  29989. }
  29990. }
  29991. }
  29992. }
  29993. }
  29994. void Component::getVisibleArea (RectangleList& result,
  29995. const bool includeSiblings) const
  29996. {
  29997. result.clear();
  29998. const Rectangle unclipped (getUnclippedArea());
  29999. if (! unclipped.isEmpty())
  30000. {
  30001. result.add (unclipped);
  30002. if (includeSiblings)
  30003. {
  30004. const Component* const c = getTopLevelComponent();
  30005. int x = 0, y = 0;
  30006. c->relativePositionToOtherComponent (this, x, y);
  30007. c->subtractObscuredRegions (result, x, y,
  30008. Rectangle (0, 0, c->getWidth(), c->getHeight()),
  30009. this);
  30010. }
  30011. subtractObscuredRegions (result, 0, 0, unclipped, 0);
  30012. result.consolidate();
  30013. }
  30014. }
  30015. void Component::subtractObscuredRegions (RectangleList& result,
  30016. const int deltaX,
  30017. const int deltaY,
  30018. const Rectangle& clipRect,
  30019. const Component* const compToAvoid) const throw()
  30020. {
  30021. for (int i = childComponentList_.size(); --i >= 0;)
  30022. {
  30023. const Component* const c = childComponentList_.getUnchecked(i);
  30024. if (c != compToAvoid && c->isVisible())
  30025. {
  30026. if (c->isOpaque())
  30027. {
  30028. Rectangle childBounds (c->bounds_.getIntersection (clipRect));
  30029. childBounds.translate (deltaX, deltaY);
  30030. result.subtract (childBounds);
  30031. }
  30032. else
  30033. {
  30034. Rectangle newClip (clipRect.getIntersection (c->bounds_));
  30035. newClip.translate (-c->getX(), -c->getY());
  30036. c->subtractObscuredRegions (result,
  30037. c->getX() + deltaX,
  30038. c->getY() + deltaY,
  30039. newClip,
  30040. compToAvoid);
  30041. }
  30042. }
  30043. }
  30044. }
  30045. void Component::mouseEnter (const MouseEvent&)
  30046. {
  30047. // base class does nothing
  30048. }
  30049. void Component::mouseExit (const MouseEvent&)
  30050. {
  30051. // base class does nothing
  30052. }
  30053. void Component::mouseDown (const MouseEvent&)
  30054. {
  30055. // base class does nothing
  30056. }
  30057. void Component::mouseUp (const MouseEvent&)
  30058. {
  30059. // base class does nothing
  30060. }
  30061. void Component::mouseDrag (const MouseEvent&)
  30062. {
  30063. // base class does nothing
  30064. }
  30065. void Component::mouseMove (const MouseEvent&)
  30066. {
  30067. // base class does nothing
  30068. }
  30069. void Component::mouseDoubleClick (const MouseEvent&)
  30070. {
  30071. // base class does nothing
  30072. }
  30073. void Component::mouseWheelMove (const MouseEvent& e, float wheelIncrementX, float wheelIncrementY)
  30074. {
  30075. // the base class just passes this event up to its parent..
  30076. if (parentComponent_ != 0)
  30077. parentComponent_->mouseWheelMove (e.getEventRelativeTo (parentComponent_),
  30078. wheelIncrementX, wheelIncrementY);
  30079. }
  30080. void Component::resized()
  30081. {
  30082. // base class does nothing
  30083. }
  30084. void Component::moved()
  30085. {
  30086. // base class does nothing
  30087. }
  30088. void Component::childBoundsChanged (Component*)
  30089. {
  30090. // base class does nothing
  30091. }
  30092. void Component::parentSizeChanged()
  30093. {
  30094. // base class does nothing
  30095. }
  30096. void Component::addComponentListener (ComponentListener* const newListener) throw()
  30097. {
  30098. if (componentListeners_ == 0)
  30099. componentListeners_ = new VoidArray (4);
  30100. componentListeners_->addIfNotAlreadyThere (newListener);
  30101. }
  30102. void Component::removeComponentListener (ComponentListener* const listenerToRemove) throw()
  30103. {
  30104. jassert (isValidComponent());
  30105. if (componentListeners_ != 0)
  30106. componentListeners_->removeValue (listenerToRemove);
  30107. }
  30108. void Component::inputAttemptWhenModal()
  30109. {
  30110. getTopLevelComponent()->toFront (true);
  30111. getLookAndFeel().playAlertSound();
  30112. }
  30113. bool Component::canModalEventBeSentToComponent (const Component*)
  30114. {
  30115. return false;
  30116. }
  30117. void Component::internalModalInputAttempt()
  30118. {
  30119. Component* const current = getCurrentlyModalComponent();
  30120. if (current != 0)
  30121. current->inputAttemptWhenModal();
  30122. }
  30123. void Component::paint (Graphics&)
  30124. {
  30125. // all painting is done in the subclasses
  30126. jassert (! isOpaque()); // if your component's opaque, you've gotta paint it!
  30127. }
  30128. void Component::paintOverChildren (Graphics&)
  30129. {
  30130. // all painting is done in the subclasses
  30131. }
  30132. void Component::handleMessage (const Message& message)
  30133. {
  30134. if (message.intParameter1 == exitModalStateMessage)
  30135. {
  30136. exitModalState (message.intParameter2);
  30137. }
  30138. else if (message.intParameter1 == customCommandMessage)
  30139. {
  30140. handleCommandMessage (message.intParameter2);
  30141. }
  30142. }
  30143. void Component::postCommandMessage (const int commandId) throw()
  30144. {
  30145. postMessage (new Message (customCommandMessage, commandId, 0, 0));
  30146. }
  30147. void Component::handleCommandMessage (int)
  30148. {
  30149. // used by subclasses
  30150. }
  30151. void Component::addMouseListener (MouseListener* const newListener,
  30152. const bool wantsEventsForAllNestedChildComponents) throw()
  30153. {
  30154. // if component methods are being called from threads other than the message
  30155. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  30156. checkMessageManagerIsLocked
  30157. if (mouseListeners_ == 0)
  30158. mouseListeners_ = new VoidArray (4);
  30159. if (! mouseListeners_->contains (newListener))
  30160. {
  30161. if (wantsEventsForAllNestedChildComponents)
  30162. {
  30163. mouseListeners_->insert (0, newListener);
  30164. ++numDeepMouseListeners;
  30165. }
  30166. else
  30167. {
  30168. mouseListeners_->add (newListener);
  30169. }
  30170. }
  30171. }
  30172. void Component::removeMouseListener (MouseListener* const listenerToRemove) throw()
  30173. {
  30174. // if component methods are being called from threads other than the message
  30175. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  30176. checkMessageManagerIsLocked
  30177. if (mouseListeners_ != 0)
  30178. {
  30179. const int index = mouseListeners_->indexOf (listenerToRemove);
  30180. if (index >= 0)
  30181. {
  30182. if (index < numDeepMouseListeners)
  30183. --numDeepMouseListeners;
  30184. mouseListeners_->remove (index);
  30185. }
  30186. }
  30187. }
  30188. void Component::internalMouseEnter (int x, int y, int64 time)
  30189. {
  30190. if (isCurrentlyBlockedByAnotherModalComponent())
  30191. {
  30192. // if something else is modal, always just show a normal mouse cursor
  30193. if (componentUnderMouse == this)
  30194. {
  30195. ComponentPeer* const peer = getPeer();
  30196. if (peer != 0)
  30197. {
  30198. MouseCursor mc (MouseCursor::NormalCursor);
  30199. mc.showInWindow (peer);
  30200. }
  30201. }
  30202. return;
  30203. }
  30204. if (! flags.mouseInsideFlag)
  30205. {
  30206. flags.mouseInsideFlag = true;
  30207. flags.mouseOverFlag = true;
  30208. flags.draggingFlag = false;
  30209. if (isValidComponent())
  30210. {
  30211. const ComponentDeletionWatcher deletionChecker (this);
  30212. if (flags.repaintOnMouseActivityFlag)
  30213. repaint();
  30214. const MouseEvent me (x, y,
  30215. ModifierKeys::getCurrentModifiers(),
  30216. this,
  30217. Time (time),
  30218. x, y,
  30219. Time (time),
  30220. 0, false);
  30221. mouseEnter (me);
  30222. if (deletionChecker.hasBeenDeleted())
  30223. return;
  30224. Desktop::getInstance().resetTimer();
  30225. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30226. {
  30227. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseEnter (me);
  30228. if (deletionChecker.hasBeenDeleted())
  30229. return;
  30230. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30231. }
  30232. if (mouseListeners_ != 0)
  30233. {
  30234. for (int i = mouseListeners_->size(); --i >= 0;)
  30235. {
  30236. ((MouseListener*) mouseListeners_->getUnchecked(i))->mouseEnter (me);
  30237. if (deletionChecker.hasBeenDeleted())
  30238. return;
  30239. i = jmin (i, mouseListeners_->size());
  30240. }
  30241. }
  30242. const Component* p = parentComponent_;
  30243. while (p != 0)
  30244. {
  30245. const ComponentDeletionWatcher parentDeletionChecker (p);
  30246. for (int i = p->numDeepMouseListeners; --i >= 0;)
  30247. {
  30248. ((MouseListener*) (p->mouseListeners_->getUnchecked(i)))->mouseEnter (me);
  30249. if (deletionChecker.hasBeenDeleted() || parentDeletionChecker.hasBeenDeleted())
  30250. return;
  30251. i = jmin (i, p->numDeepMouseListeners);
  30252. }
  30253. p = p->parentComponent_;
  30254. }
  30255. }
  30256. }
  30257. if (componentUnderMouse == this)
  30258. internalUpdateMouseCursor (true);
  30259. }
  30260. void Component::internalMouseExit (int x, int y, int64 time)
  30261. {
  30262. const ComponentDeletionWatcher deletionChecker (this);
  30263. if (flags.draggingFlag)
  30264. {
  30265. internalMouseUp (ModifierKeys::getCurrentModifiers().getRawFlags(), x, y, time);
  30266. if (deletionChecker.hasBeenDeleted())
  30267. return;
  30268. }
  30269. enableUnboundedMouseMovement (false);
  30270. if (flags.mouseInsideFlag || flags.mouseOverFlag)
  30271. {
  30272. flags.mouseInsideFlag = false;
  30273. flags.mouseOverFlag = false;
  30274. flags.draggingFlag = false;
  30275. if (flags.repaintOnMouseActivityFlag)
  30276. repaint();
  30277. const MouseEvent me (x, y,
  30278. ModifierKeys::getCurrentModifiers(),
  30279. this,
  30280. Time (time),
  30281. x, y,
  30282. Time (time),
  30283. 0, false);
  30284. mouseExit (me);
  30285. if (deletionChecker.hasBeenDeleted())
  30286. return;
  30287. Desktop::getInstance().resetTimer();
  30288. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30289. {
  30290. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseExit (me);
  30291. if (deletionChecker.hasBeenDeleted())
  30292. return;
  30293. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30294. }
  30295. if (mouseListeners_ != 0)
  30296. {
  30297. for (int i = mouseListeners_->size(); --i >= 0;)
  30298. {
  30299. ((MouseListener*) mouseListeners_->getUnchecked (i))->mouseExit (me);
  30300. if (deletionChecker.hasBeenDeleted())
  30301. return;
  30302. i = jmin (i, mouseListeners_->size());
  30303. }
  30304. }
  30305. const Component* p = parentComponent_;
  30306. while (p != 0)
  30307. {
  30308. const ComponentDeletionWatcher parentDeletionChecker (p);
  30309. for (int i = p->numDeepMouseListeners; --i >= 0;)
  30310. {
  30311. ((MouseListener*) (p->mouseListeners_->getUnchecked (i)))->mouseExit (me);
  30312. if (deletionChecker.hasBeenDeleted() || parentDeletionChecker.hasBeenDeleted())
  30313. return;
  30314. i = jmin (i, p->numDeepMouseListeners);
  30315. }
  30316. p = p->parentComponent_;
  30317. }
  30318. }
  30319. }
  30320. class InternalDragRepeater : public Timer
  30321. {
  30322. public:
  30323. InternalDragRepeater()
  30324. {}
  30325. ~InternalDragRepeater()
  30326. {}
  30327. void timerCallback()
  30328. {
  30329. Component* const c = Component::getComponentUnderMouse();
  30330. if (c != 0 && c->isMouseButtonDown())
  30331. {
  30332. int x, y;
  30333. c->getMouseXYRelative (x, y);
  30334. // the offsets have been added on, so must be taken off before calling the
  30335. // drag.. otherwise they'll be added twice
  30336. x -= unboundedMouseOffsetX;
  30337. y -= unboundedMouseOffsetY;
  30338. c->internalMouseDrag (x, y, Time::currentTimeMillis());
  30339. }
  30340. }
  30341. juce_UseDebuggingNewOperator
  30342. };
  30343. static InternalDragRepeater* dragRepeater = 0;
  30344. void Component::beginDragAutoRepeat (const int interval)
  30345. {
  30346. if (interval > 0)
  30347. {
  30348. if (dragRepeater == 0)
  30349. dragRepeater = new InternalDragRepeater();
  30350. if (dragRepeater->getTimerInterval() != interval)
  30351. dragRepeater->startTimer (interval);
  30352. }
  30353. else
  30354. {
  30355. deleteAndZero (dragRepeater);
  30356. }
  30357. }
  30358. void Component::internalMouseDown (const int x, const int y)
  30359. {
  30360. const ComponentDeletionWatcher deletionChecker (this);
  30361. if (isCurrentlyBlockedByAnotherModalComponent())
  30362. {
  30363. internalModalInputAttempt();
  30364. if (deletionChecker.hasBeenDeleted())
  30365. return;
  30366. // If processing the input attempt has exited the modal loop, we'll allow the event
  30367. // to be delivered..
  30368. if (isCurrentlyBlockedByAnotherModalComponent())
  30369. {
  30370. // allow blocked mouse-events to go to global listeners..
  30371. const MouseEvent me (x, y,
  30372. ModifierKeys::getCurrentModifiers(),
  30373. this,
  30374. Time (juce_recentMouseDownTimes[0]),
  30375. x, y,
  30376. Time (juce_recentMouseDownTimes[0]),
  30377. countMouseClicks(),
  30378. false);
  30379. Desktop::getInstance().resetTimer();
  30380. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30381. {
  30382. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseDown (me);
  30383. if (deletionChecker.hasBeenDeleted())
  30384. return;
  30385. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30386. }
  30387. return;
  30388. }
  30389. }
  30390. {
  30391. Component* c = this;
  30392. while (c != 0)
  30393. {
  30394. if (c->isBroughtToFrontOnMouseClick())
  30395. {
  30396. c->toFront (true);
  30397. if (deletionChecker.hasBeenDeleted())
  30398. return;
  30399. }
  30400. c = c->parentComponent_;
  30401. }
  30402. }
  30403. if (! flags.dontFocusOnMouseClickFlag)
  30404. grabFocusInternal (focusChangedByMouseClick);
  30405. if (! deletionChecker.hasBeenDeleted())
  30406. {
  30407. flags.draggingFlag = true;
  30408. flags.mouseOverFlag = true;
  30409. if (flags.repaintOnMouseActivityFlag)
  30410. repaint();
  30411. const MouseEvent me (x, y,
  30412. ModifierKeys::getCurrentModifiers(),
  30413. this,
  30414. Time (juce_recentMouseDownTimes[0]),
  30415. x, y,
  30416. Time (juce_recentMouseDownTimes[0]),
  30417. countMouseClicks(),
  30418. false);
  30419. mouseDown (me);
  30420. if (deletionChecker.hasBeenDeleted())
  30421. return;
  30422. Desktop::getInstance().resetTimer();
  30423. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30424. {
  30425. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseDown (me);
  30426. if (deletionChecker.hasBeenDeleted())
  30427. return;
  30428. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30429. }
  30430. if (mouseListeners_ != 0)
  30431. {
  30432. for (int i = mouseListeners_->size(); --i >= 0;)
  30433. {
  30434. ((MouseListener*) mouseListeners_->getUnchecked (i))->mouseDown (me);
  30435. if (deletionChecker.hasBeenDeleted())
  30436. return;
  30437. i = jmin (i, mouseListeners_->size());
  30438. }
  30439. }
  30440. const Component* p = parentComponent_;
  30441. while (p != 0)
  30442. {
  30443. const ComponentDeletionWatcher parentDeletionChecker (p);
  30444. for (int i = p->numDeepMouseListeners; --i >= 0;)
  30445. {
  30446. ((MouseListener*) (p->mouseListeners_->getUnchecked (i)))->mouseDown (me);
  30447. if (deletionChecker.hasBeenDeleted() || parentDeletionChecker.hasBeenDeleted())
  30448. return;
  30449. i = jmin (i, p->numDeepMouseListeners);
  30450. }
  30451. p = p->parentComponent_;
  30452. }
  30453. }
  30454. }
  30455. void Component::internalMouseUp (const int oldModifiers, int x, int y, const int64 time)
  30456. {
  30457. if (isValidComponent() && flags.draggingFlag)
  30458. {
  30459. flags.draggingFlag = false;
  30460. deleteAndZero (dragRepeater);
  30461. x += unboundedMouseOffsetX;
  30462. y += unboundedMouseOffsetY;
  30463. juce_LastMousePosX = x;
  30464. juce_LastMousePosY = y;
  30465. relativePositionToGlobal (juce_LastMousePosX, juce_LastMousePosY);
  30466. const ComponentDeletionWatcher deletionChecker (this);
  30467. if (flags.repaintOnMouseActivityFlag)
  30468. repaint();
  30469. int mdx = juce_recentMouseDownX[0];
  30470. int mdy = juce_recentMouseDownY[0];
  30471. globalPositionToRelative (mdx, mdy);
  30472. const MouseEvent me (x, y,
  30473. oldModifiers,
  30474. this,
  30475. Time (time),
  30476. mdx, mdy,
  30477. Time (juce_recentMouseDownTimes [0]),
  30478. countMouseClicks(),
  30479. juce_MouseHasMovedSignificantlySincePressed
  30480. || juce_recentMouseDownTimes[0] + 300 < time);
  30481. mouseUp (me);
  30482. if (deletionChecker.hasBeenDeleted())
  30483. return;
  30484. Desktop::getInstance().resetTimer();
  30485. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30486. {
  30487. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseUp (me);
  30488. if (deletionChecker.hasBeenDeleted())
  30489. return;
  30490. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30491. }
  30492. if (mouseListeners_ != 0)
  30493. {
  30494. for (int i = mouseListeners_->size(); --i >= 0;)
  30495. {
  30496. ((MouseListener*) mouseListeners_->getUnchecked (i))->mouseUp (me);
  30497. if (deletionChecker.hasBeenDeleted())
  30498. return;
  30499. i = jmin (i, mouseListeners_->size());
  30500. }
  30501. }
  30502. {
  30503. const Component* p = parentComponent_;
  30504. while (p != 0)
  30505. {
  30506. const ComponentDeletionWatcher parentDeletionChecker (p);
  30507. for (int i = p->numDeepMouseListeners; --i >= 0;)
  30508. {
  30509. ((MouseListener*) (p->mouseListeners_->getUnchecked (i)))->mouseUp (me);
  30510. if (deletionChecker.hasBeenDeleted() || parentDeletionChecker.hasBeenDeleted())
  30511. return;
  30512. i = jmin (i, p->numDeepMouseListeners);
  30513. }
  30514. p = p->parentComponent_;
  30515. }
  30516. }
  30517. // check for double-click
  30518. if (me.getNumberOfClicks() >= 2)
  30519. {
  30520. const int numListeners = (mouseListeners_ != 0) ? mouseListeners_->size() : 0;
  30521. mouseDoubleClick (me);
  30522. int i;
  30523. for (i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30524. {
  30525. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseDoubleClick (me);
  30526. if (deletionChecker.hasBeenDeleted())
  30527. return;
  30528. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30529. }
  30530. for (i = numListeners; --i >= 0;)
  30531. {
  30532. if (deletionChecker.hasBeenDeleted() || mouseListeners_ == 0)
  30533. return;
  30534. MouseListener* const ml = (MouseListener*)((*mouseListeners_)[i]);
  30535. if (ml != 0)
  30536. ml->mouseDoubleClick (me);
  30537. }
  30538. if (deletionChecker.hasBeenDeleted())
  30539. return;
  30540. const Component* p = parentComponent_;
  30541. while (p != 0)
  30542. {
  30543. const ComponentDeletionWatcher parentDeletionChecker (p);
  30544. for (i = p->numDeepMouseListeners; --i >= 0;)
  30545. {
  30546. ((MouseListener*) (p->mouseListeners_->getUnchecked (i)))->mouseDoubleClick (me);
  30547. if (deletionChecker.hasBeenDeleted() || parentDeletionChecker.hasBeenDeleted())
  30548. return;
  30549. i = jmin (i, p->numDeepMouseListeners);
  30550. }
  30551. p = p->parentComponent_;
  30552. }
  30553. }
  30554. }
  30555. enableUnboundedMouseMovement (false);
  30556. }
  30557. void Component::internalMouseDrag (int x, int y, const int64 time)
  30558. {
  30559. if (isValidComponent() && flags.draggingFlag)
  30560. {
  30561. flags.mouseOverFlag = reallyContains (x, y, false);
  30562. x += unboundedMouseOffsetX;
  30563. y += unboundedMouseOffsetY;
  30564. juce_LastMousePosX = x;
  30565. juce_LastMousePosY = y;
  30566. relativePositionToGlobal (juce_LastMousePosX, juce_LastMousePosY);
  30567. juce_MouseHasMovedSignificantlySincePressed
  30568. = juce_MouseHasMovedSignificantlySincePressed
  30569. || abs (juce_recentMouseDownX[0] - juce_LastMousePosX) >= 4
  30570. || abs (juce_recentMouseDownY[0] - juce_LastMousePosY) >= 4;
  30571. const ComponentDeletionWatcher deletionChecker (this);
  30572. int mdx = juce_recentMouseDownX[0];
  30573. int mdy = juce_recentMouseDownY[0];
  30574. globalPositionToRelative (mdx, mdy);
  30575. const MouseEvent me (x, y,
  30576. ModifierKeys::getCurrentModifiers(),
  30577. this,
  30578. Time (time),
  30579. mdx, mdy,
  30580. Time (juce_recentMouseDownTimes[0]),
  30581. countMouseClicks(),
  30582. juce_MouseHasMovedSignificantlySincePressed
  30583. || juce_recentMouseDownTimes[0] + 300 < time);
  30584. mouseDrag (me);
  30585. if (deletionChecker.hasBeenDeleted())
  30586. return;
  30587. Desktop::getInstance().resetTimer();
  30588. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30589. {
  30590. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseDrag (me);
  30591. if (deletionChecker.hasBeenDeleted())
  30592. return;
  30593. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30594. }
  30595. if (mouseListeners_ != 0)
  30596. {
  30597. for (int i = mouseListeners_->size(); --i >= 0;)
  30598. {
  30599. ((MouseListener*) mouseListeners_->getUnchecked (i))->mouseDrag (me);
  30600. if (deletionChecker.hasBeenDeleted())
  30601. return;
  30602. i = jmin (i, mouseListeners_->size());
  30603. }
  30604. }
  30605. const Component* p = parentComponent_;
  30606. while (p != 0)
  30607. {
  30608. const ComponentDeletionWatcher parentDeletionChecker (p);
  30609. for (int i = p->numDeepMouseListeners; --i >= 0;)
  30610. {
  30611. ((MouseListener*) (p->mouseListeners_->getUnchecked (i)))->mouseDrag (me);
  30612. if (deletionChecker.hasBeenDeleted() || parentDeletionChecker.hasBeenDeleted())
  30613. return;
  30614. i = jmin (i, p->numDeepMouseListeners);
  30615. }
  30616. p = p->parentComponent_;
  30617. }
  30618. if (this == componentUnderMouse)
  30619. {
  30620. if (isUnboundedMouseModeOn)
  30621. {
  30622. Rectangle screenArea (getParentMonitorArea().expanded (-2, -2));
  30623. int mx, my;
  30624. Desktop::getMousePosition (mx, my);
  30625. if (! screenArea.contains (mx, my))
  30626. {
  30627. int deltaX = 0, deltaY = 0;
  30628. if (mx <= screenArea.getX() || mx >= screenArea.getRight())
  30629. deltaX = getScreenX() + getWidth() / 2 - mx;
  30630. if (my <= screenArea.getY() || my >= screenArea.getBottom())
  30631. deltaY = getScreenY() + getHeight() / 2 - my;
  30632. unboundedMouseOffsetX -= deltaX;
  30633. unboundedMouseOffsetY -= deltaY;
  30634. Desktop::setMousePosition (mx + deltaX,
  30635. my + deltaY);
  30636. }
  30637. else if (isCursorVisibleUntilOffscreen
  30638. && (unboundedMouseOffsetX != 0 || unboundedMouseOffsetY != 0)
  30639. && screenArea.contains (mx + unboundedMouseOffsetX,
  30640. my + unboundedMouseOffsetY))
  30641. {
  30642. mx += unboundedMouseOffsetX;
  30643. my += unboundedMouseOffsetY;
  30644. unboundedMouseOffsetX = 0;
  30645. unboundedMouseOffsetY = 0;
  30646. Desktop::setMousePosition (mx, my);
  30647. }
  30648. }
  30649. internalUpdateMouseCursor (false);
  30650. }
  30651. }
  30652. }
  30653. void Component::internalMouseMove (const int x, const int y, const int64 time)
  30654. {
  30655. const ComponentDeletionWatcher deletionChecker (this);
  30656. if (isValidComponent())
  30657. {
  30658. const MouseEvent me (x, y,
  30659. ModifierKeys::getCurrentModifiers(),
  30660. this,
  30661. Time (time),
  30662. x, y,
  30663. Time (time),
  30664. 0, false);
  30665. if (isCurrentlyBlockedByAnotherModalComponent())
  30666. {
  30667. // allow blocked mouse-events to go to global listeners..
  30668. Desktop::getInstance().sendMouseMove();
  30669. }
  30670. else
  30671. {
  30672. if (this == componentUnderMouse)
  30673. internalUpdateMouseCursor (false);
  30674. flags.mouseOverFlag = true;
  30675. mouseMove (me);
  30676. if (deletionChecker.hasBeenDeleted())
  30677. return;
  30678. Desktop::getInstance().resetTimer();
  30679. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30680. {
  30681. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseMove (me);
  30682. if (deletionChecker.hasBeenDeleted())
  30683. return;
  30684. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30685. }
  30686. if (mouseListeners_ != 0)
  30687. {
  30688. for (int i = mouseListeners_->size(); --i >= 0;)
  30689. {
  30690. ((MouseListener*) mouseListeners_->getUnchecked (i))->mouseMove (me);
  30691. if (deletionChecker.hasBeenDeleted())
  30692. return;
  30693. i = jmin (i, mouseListeners_->size());
  30694. }
  30695. }
  30696. const Component* p = parentComponent_;
  30697. while (p != 0)
  30698. {
  30699. const ComponentDeletionWatcher parentDeletionChecker (p);
  30700. for (int i = p->numDeepMouseListeners; --i >= 0;)
  30701. {
  30702. ((MouseListener*) (p->mouseListeners_->getUnchecked (i)))->mouseMove (me);
  30703. if (deletionChecker.hasBeenDeleted() || parentDeletionChecker.hasBeenDeleted())
  30704. return;
  30705. i = jmin (i, p->numDeepMouseListeners);
  30706. }
  30707. p = p->parentComponent_;
  30708. }
  30709. }
  30710. }
  30711. }
  30712. void Component::internalMouseWheel (const int intAmountX, const int intAmountY, const int64 time)
  30713. {
  30714. const ComponentDeletionWatcher deletionChecker (this);
  30715. const float wheelIncrementX = intAmountX * (1.0f / 256.0f);
  30716. const float wheelIncrementY = intAmountY * (1.0f / 256.0f);
  30717. int mx, my;
  30718. getMouseXYRelative (mx, my);
  30719. const MouseEvent me (mx, my,
  30720. ModifierKeys::getCurrentModifiers(),
  30721. this,
  30722. Time (time),
  30723. mx, my,
  30724. Time (time),
  30725. 0, false);
  30726. if (isCurrentlyBlockedByAnotherModalComponent())
  30727. {
  30728. // allow blocked mouse-events to go to global listeners..
  30729. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30730. {
  30731. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseWheelMove (me, wheelIncrementX, wheelIncrementY);
  30732. if (deletionChecker.hasBeenDeleted())
  30733. return;
  30734. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30735. }
  30736. }
  30737. else
  30738. {
  30739. mouseWheelMove (me, wheelIncrementX, wheelIncrementY);
  30740. if (deletionChecker.hasBeenDeleted())
  30741. return;
  30742. for (int i = Desktop::getInstance().mouseListeners.size(); --i >= 0;)
  30743. {
  30744. ((MouseListener*) Desktop::getInstance().mouseListeners[i])->mouseWheelMove (me, wheelIncrementX, wheelIncrementY);
  30745. if (deletionChecker.hasBeenDeleted())
  30746. return;
  30747. i = jmin (i, Desktop::getInstance().mouseListeners.size());
  30748. }
  30749. if (mouseListeners_ != 0)
  30750. {
  30751. for (int i = mouseListeners_->size(); --i >= 0;)
  30752. {
  30753. ((MouseListener*) mouseListeners_->getUnchecked (i))->mouseWheelMove (me, wheelIncrementX, wheelIncrementY);
  30754. if (deletionChecker.hasBeenDeleted())
  30755. return;
  30756. i = jmin (i, mouseListeners_->size());
  30757. }
  30758. }
  30759. const Component* p = parentComponent_;
  30760. while (p != 0)
  30761. {
  30762. const ComponentDeletionWatcher parentDeletionChecker (p);
  30763. for (int i = p->numDeepMouseListeners; --i >= 0;)
  30764. {
  30765. ((MouseListener*) (p->mouseListeners_->getUnchecked (i)))->mouseWheelMove (me, wheelIncrementX, wheelIncrementY);
  30766. if (deletionChecker.hasBeenDeleted() || parentDeletionChecker.hasBeenDeleted())
  30767. return;
  30768. i = jmin (i, p->numDeepMouseListeners);
  30769. }
  30770. p = p->parentComponent_;
  30771. }
  30772. sendFakeMouseMove();
  30773. }
  30774. }
  30775. void Component::sendFakeMouseMove() const
  30776. {
  30777. ComponentPeer* const peer = getPeer();
  30778. if (peer != 0)
  30779. peer->sendFakeMouseMove();
  30780. }
  30781. void Component::broughtToFront()
  30782. {
  30783. }
  30784. void Component::internalBroughtToFront()
  30785. {
  30786. if (isValidComponent())
  30787. {
  30788. if (flags.hasHeavyweightPeerFlag)
  30789. Desktop::getInstance().componentBroughtToFront (this);
  30790. const ComponentDeletionWatcher deletionChecker (this);
  30791. broughtToFront();
  30792. if (deletionChecker.hasBeenDeleted())
  30793. return;
  30794. if (componentListeners_ != 0)
  30795. {
  30796. for (int i = componentListeners_->size(); --i >= 0;)
  30797. {
  30798. ((ComponentListener*) componentListeners_->getUnchecked (i))
  30799. ->componentBroughtToFront (*this);
  30800. if (deletionChecker.hasBeenDeleted())
  30801. return;
  30802. i = jmin (i, componentListeners_->size());
  30803. }
  30804. }
  30805. // when brought to the front and there's a modal component blocking this one,
  30806. // we need to bring the modal one to the front instead..
  30807. Component* const cm = getCurrentlyModalComponent();
  30808. if (cm != 0 && cm->getTopLevelComponent() != getTopLevelComponent())
  30809. {
  30810. cm->getTopLevelComponent()->toFront (false);
  30811. }
  30812. }
  30813. }
  30814. void Component::focusGained (FocusChangeType)
  30815. {
  30816. // base class does nothing
  30817. }
  30818. void Component::internalFocusGain (const FocusChangeType cause)
  30819. {
  30820. const ComponentDeletionWatcher deletionChecker (this);
  30821. focusGained (cause);
  30822. if (! deletionChecker.hasBeenDeleted())
  30823. internalChildFocusChange (cause);
  30824. }
  30825. void Component::focusLost (FocusChangeType)
  30826. {
  30827. // base class does nothing
  30828. }
  30829. void Component::internalFocusLoss (const FocusChangeType cause)
  30830. {
  30831. const ComponentDeletionWatcher deletionChecker (this);
  30832. focusLost (focusChangedDirectly);
  30833. if (! deletionChecker.hasBeenDeleted())
  30834. internalChildFocusChange (cause);
  30835. }
  30836. void Component::focusOfChildComponentChanged (FocusChangeType /*cause*/)
  30837. {
  30838. // base class does nothing
  30839. }
  30840. void Component::internalChildFocusChange (FocusChangeType cause)
  30841. {
  30842. const bool childIsNowFocused = hasKeyboardFocus (true);
  30843. if (flags.childCompFocusedFlag != childIsNowFocused)
  30844. {
  30845. flags.childCompFocusedFlag = childIsNowFocused;
  30846. const ComponentDeletionWatcher deletionChecker (this);
  30847. focusOfChildComponentChanged (cause);
  30848. if (deletionChecker.hasBeenDeleted())
  30849. return;
  30850. }
  30851. if (parentComponent_ != 0)
  30852. parentComponent_->internalChildFocusChange (cause);
  30853. }
  30854. bool Component::isEnabled() const throw()
  30855. {
  30856. return (! flags.isDisabledFlag)
  30857. && (parentComponent_ == 0 || parentComponent_->isEnabled());
  30858. }
  30859. void Component::setEnabled (const bool shouldBeEnabled)
  30860. {
  30861. if (flags.isDisabledFlag == shouldBeEnabled)
  30862. {
  30863. flags.isDisabledFlag = ! shouldBeEnabled;
  30864. // if any parent components are disabled, setting our flag won't make a difference,
  30865. // so no need to send a change message
  30866. if (parentComponent_ == 0 || parentComponent_->isEnabled())
  30867. sendEnablementChangeMessage();
  30868. }
  30869. }
  30870. void Component::sendEnablementChangeMessage()
  30871. {
  30872. const ComponentDeletionWatcher deletionChecker (this);
  30873. enablementChanged();
  30874. if (deletionChecker.hasBeenDeleted())
  30875. return;
  30876. for (int i = getNumChildComponents(); --i >= 0;)
  30877. {
  30878. Component* const c = getChildComponent (i);
  30879. if (c != 0)
  30880. {
  30881. c->sendEnablementChangeMessage();
  30882. if (deletionChecker.hasBeenDeleted())
  30883. return;
  30884. }
  30885. }
  30886. }
  30887. void Component::enablementChanged()
  30888. {
  30889. }
  30890. void Component::setWantsKeyboardFocus (const bool wantsFocus) throw()
  30891. {
  30892. flags.wantsFocusFlag = wantsFocus;
  30893. }
  30894. void Component::setMouseClickGrabsKeyboardFocus (const bool shouldGrabFocus)
  30895. {
  30896. flags.dontFocusOnMouseClickFlag = ! shouldGrabFocus;
  30897. }
  30898. bool Component::getMouseClickGrabsKeyboardFocus() const throw()
  30899. {
  30900. return ! flags.dontFocusOnMouseClickFlag;
  30901. }
  30902. bool Component::getWantsKeyboardFocus() const throw()
  30903. {
  30904. return flags.wantsFocusFlag && ! flags.isDisabledFlag;
  30905. }
  30906. void Component::setFocusContainer (const bool isFocusContainer) throw()
  30907. {
  30908. flags.isFocusContainerFlag = isFocusContainer;
  30909. }
  30910. bool Component::isFocusContainer() const throw()
  30911. {
  30912. return flags.isFocusContainerFlag;
  30913. }
  30914. int Component::getExplicitFocusOrder() const throw()
  30915. {
  30916. return getComponentPropertyInt (T("_jexfo"), false, 0);
  30917. }
  30918. void Component::setExplicitFocusOrder (const int newFocusOrderIndex) throw()
  30919. {
  30920. setComponentProperty (T("_jexfo"), newFocusOrderIndex);
  30921. }
  30922. KeyboardFocusTraverser* Component::createFocusTraverser()
  30923. {
  30924. if (flags.isFocusContainerFlag || parentComponent_ == 0)
  30925. return new KeyboardFocusTraverser();
  30926. return parentComponent_->createFocusTraverser();
  30927. }
  30928. void Component::takeKeyboardFocus (const FocusChangeType cause)
  30929. {
  30930. // give the focus to this component
  30931. if (currentlyFocusedComponent != this)
  30932. {
  30933. JUCE_TRY
  30934. {
  30935. // get the focus onto our desktop window
  30936. ComponentPeer* const peer = getPeer();
  30937. if (peer != 0)
  30938. {
  30939. const ComponentDeletionWatcher deletionChecker (this);
  30940. peer->grabFocus();
  30941. if (peer->isFocused() && currentlyFocusedComponent != this)
  30942. {
  30943. Component* const componentLosingFocus = currentlyFocusedComponent;
  30944. currentlyFocusedComponent = this;
  30945. Desktop::getInstance().triggerFocusCallback();
  30946. // call this after setting currentlyFocusedComponent so that the one that's
  30947. // losing it has a chance to see where focus is going
  30948. if (componentLosingFocus->isValidComponent())
  30949. componentLosingFocus->internalFocusLoss (cause);
  30950. if (currentlyFocusedComponent == this)
  30951. {
  30952. focusGained (cause);
  30953. if (! deletionChecker.hasBeenDeleted())
  30954. internalChildFocusChange (cause);
  30955. }
  30956. }
  30957. }
  30958. }
  30959. #if JUCE_CATCH_UNHANDLED_EXCEPTIONS
  30960. catch (const std::exception& e)
  30961. {
  30962. currentlyFocusedComponent = 0;
  30963. Desktop::getInstance().triggerFocusCallback();
  30964. JUCEApplication::sendUnhandledException (&e, __FILE__, __LINE__);
  30965. }
  30966. catch (...)
  30967. {
  30968. currentlyFocusedComponent = 0;
  30969. Desktop::getInstance().triggerFocusCallback();
  30970. JUCEApplication::sendUnhandledException (0, __FILE__, __LINE__);
  30971. }
  30972. #endif
  30973. }
  30974. }
  30975. void Component::grabFocusInternal (const FocusChangeType cause, const bool canTryParent)
  30976. {
  30977. if (isShowing())
  30978. {
  30979. if (flags.wantsFocusFlag && (isEnabled() || parentComponent_ == 0))
  30980. {
  30981. takeKeyboardFocus (cause);
  30982. }
  30983. else
  30984. {
  30985. if (isParentOf (currentlyFocusedComponent)
  30986. && currentlyFocusedComponent->isShowing())
  30987. {
  30988. // do nothing if the focused component is actually a child of ours..
  30989. }
  30990. else
  30991. {
  30992. // find the default child component..
  30993. KeyboardFocusTraverser* const traverser = createFocusTraverser();
  30994. if (traverser != 0)
  30995. {
  30996. Component* const defaultComp = traverser->getDefaultComponent (this);
  30997. delete traverser;
  30998. if (defaultComp != 0)
  30999. {
  31000. defaultComp->grabFocusInternal (cause, false);
  31001. return;
  31002. }
  31003. }
  31004. if (canTryParent && parentComponent_ != 0)
  31005. {
  31006. // if no children want it and we're allowed to try our parent comp,
  31007. // then pass up to parent, which will try our siblings.
  31008. parentComponent_->grabFocusInternal (cause, true);
  31009. }
  31010. }
  31011. }
  31012. }
  31013. }
  31014. void Component::grabKeyboardFocus()
  31015. {
  31016. // if component methods are being called from threads other than the message
  31017. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  31018. checkMessageManagerIsLocked
  31019. grabFocusInternal (focusChangedDirectly);
  31020. }
  31021. void Component::moveKeyboardFocusToSibling (const bool moveToNext)
  31022. {
  31023. // if component methods are being called from threads other than the message
  31024. // thread, you'll need to use a MessageManagerLock object to make sure it's thread-safe.
  31025. checkMessageManagerIsLocked
  31026. if (parentComponent_ != 0)
  31027. {
  31028. KeyboardFocusTraverser* const traverser = createFocusTraverser();
  31029. if (traverser != 0)
  31030. {
  31031. Component* const nextComp = moveToNext ? traverser->getNextComponent (this)
  31032. : traverser->getPreviousComponent (this);
  31033. delete traverser;
  31034. if (nextComp != 0)
  31035. {
  31036. if (nextComp->isCurrentlyBlockedByAnotherModalComponent())
  31037. {
  31038. const ComponentDeletionWatcher deletionChecker (nextComp);
  31039. internalModalInputAttempt();
  31040. if (deletionChecker.hasBeenDeleted()
  31041. || nextComp->isCurrentlyBlockedByAnotherModalComponent())
  31042. return;
  31043. }
  31044. nextComp->grabFocusInternal (focusChangedByTabKey);
  31045. return;
  31046. }
  31047. }
  31048. parentComponent_->moveKeyboardFocusToSibling (moveToNext);
  31049. }
  31050. }
  31051. bool Component::hasKeyboardFocus (const bool trueIfChildIsFocused) const throw()
  31052. {
  31053. return (currentlyFocusedComponent == this)
  31054. || (trueIfChildIsFocused && isParentOf (currentlyFocusedComponent));
  31055. }
  31056. Component* JUCE_CALLTYPE Component::getCurrentlyFocusedComponent() throw()
  31057. {
  31058. return currentlyFocusedComponent;
  31059. }
  31060. void Component::giveAwayFocus()
  31061. {
  31062. // use a copy so we can clear the value before the call
  31063. Component* const componentLosingFocus = currentlyFocusedComponent;
  31064. currentlyFocusedComponent = 0;
  31065. Desktop::getInstance().triggerFocusCallback();
  31066. if (componentLosingFocus->isValidComponent())
  31067. componentLosingFocus->internalFocusLoss (focusChangedDirectly);
  31068. }
  31069. bool Component::isMouseOver() const throw()
  31070. {
  31071. return flags.mouseOverFlag;
  31072. }
  31073. bool Component::isMouseButtonDown() const throw()
  31074. {
  31075. return flags.draggingFlag;
  31076. }
  31077. bool Component::isMouseOverOrDragging() const throw()
  31078. {
  31079. return flags.mouseOverFlag || flags.draggingFlag;
  31080. }
  31081. bool JUCE_CALLTYPE Component::isMouseButtonDownAnywhere() throw()
  31082. {
  31083. return ModifierKeys::getCurrentModifiers().isAnyMouseButtonDown();
  31084. }
  31085. void Component::getMouseXYRelative (int& mx, int& my) const throw()
  31086. {
  31087. Desktop::getMousePosition (mx, my);
  31088. globalPositionToRelative (mx, my);
  31089. mx += unboundedMouseOffsetX;
  31090. my += unboundedMouseOffsetY;
  31091. }
  31092. void Component::enableUnboundedMouseMovement (bool enable,
  31093. bool keepCursorVisibleUntilOffscreen) throw()
  31094. {
  31095. enable = enable && isMouseButtonDown();
  31096. isCursorVisibleUntilOffscreen = keepCursorVisibleUntilOffscreen;
  31097. if (enable != isUnboundedMouseModeOn)
  31098. {
  31099. if ((! enable) && ((! isCursorVisibleUntilOffscreen)
  31100. || unboundedMouseOffsetX != 0
  31101. || unboundedMouseOffsetY != 0))
  31102. {
  31103. // when released, return the mouse to within the component's bounds
  31104. int mx, my;
  31105. getMouseXYRelative (mx, my);
  31106. mx = jlimit (0, getWidth(), mx);
  31107. my = jlimit (0, getHeight(), my);
  31108. relativePositionToGlobal (mx, my);
  31109. Desktop::setMousePosition (mx, my);
  31110. }
  31111. isUnboundedMouseModeOn = enable;
  31112. unboundedMouseOffsetX = 0;
  31113. unboundedMouseOffsetY = 0;
  31114. internalUpdateMouseCursor (true);
  31115. }
  31116. }
  31117. Component* JUCE_CALLTYPE Component::getComponentUnderMouse() throw()
  31118. {
  31119. return componentUnderMouse;
  31120. }
  31121. const Rectangle Component::getParentMonitorArea() const throw()
  31122. {
  31123. int centreX = getWidth() / 2;
  31124. int centreY = getHeight() / 2;
  31125. relativePositionToGlobal (centreX, centreY);
  31126. return Desktop::getInstance().getMonitorAreaContaining (centreX, centreY);
  31127. }
  31128. void Component::addKeyListener (KeyListener* const newListener) throw()
  31129. {
  31130. if (keyListeners_ == 0)
  31131. keyListeners_ = new VoidArray (4);
  31132. keyListeners_->addIfNotAlreadyThere (newListener);
  31133. }
  31134. void Component::removeKeyListener (KeyListener* const listenerToRemove) throw()
  31135. {
  31136. if (keyListeners_ != 0)
  31137. keyListeners_->removeValue (listenerToRemove);
  31138. }
  31139. bool Component::keyPressed (const KeyPress&)
  31140. {
  31141. return false;
  31142. }
  31143. bool Component::keyStateChanged()
  31144. {
  31145. return false;
  31146. }
  31147. void Component::modifierKeysChanged (const ModifierKeys& modifiers)
  31148. {
  31149. if (parentComponent_ != 0)
  31150. parentComponent_->modifierKeysChanged (modifiers);
  31151. }
  31152. void Component::internalModifierKeysChanged()
  31153. {
  31154. sendFakeMouseMove();
  31155. modifierKeysChanged (ModifierKeys::getCurrentModifiers());
  31156. }
  31157. ComponentPeer* Component::getPeer() const throw()
  31158. {
  31159. if (flags.hasHeavyweightPeerFlag)
  31160. return ComponentPeer::getPeerFor (this);
  31161. else if (parentComponent_ != 0)
  31162. return parentComponent_->getPeer();
  31163. else
  31164. return 0;
  31165. }
  31166. const String Component::getComponentProperty (const String& keyName,
  31167. const bool useParentComponentIfNotFound,
  31168. const String& defaultReturnValue) const throw()
  31169. {
  31170. if (propertySet_ != 0 && ((! useParentComponentIfNotFound) || propertySet_->containsKey (keyName)))
  31171. return propertySet_->getValue (keyName, defaultReturnValue);
  31172. if (useParentComponentIfNotFound && (parentComponent_ != 0))
  31173. return parentComponent_->getComponentProperty (keyName, true, defaultReturnValue);
  31174. return defaultReturnValue;
  31175. }
  31176. int Component::getComponentPropertyInt (const String& keyName,
  31177. const bool useParentComponentIfNotFound,
  31178. const int defaultReturnValue) const throw()
  31179. {
  31180. if (propertySet_ != 0 && ((! useParentComponentIfNotFound) || propertySet_->containsKey (keyName)))
  31181. return propertySet_->getIntValue (keyName, defaultReturnValue);
  31182. if (useParentComponentIfNotFound && (parentComponent_ != 0))
  31183. return parentComponent_->getComponentPropertyInt (keyName, true, defaultReturnValue);
  31184. return defaultReturnValue;
  31185. }
  31186. double Component::getComponentPropertyDouble (const String& keyName,
  31187. const bool useParentComponentIfNotFound,
  31188. const double defaultReturnValue) const throw()
  31189. {
  31190. if (propertySet_ != 0 && ((! useParentComponentIfNotFound) || propertySet_->containsKey (keyName)))
  31191. return propertySet_->getDoubleValue (keyName, defaultReturnValue);
  31192. if (useParentComponentIfNotFound && (parentComponent_ != 0))
  31193. return parentComponent_->getComponentPropertyDouble (keyName, true, defaultReturnValue);
  31194. return defaultReturnValue;
  31195. }
  31196. bool Component::getComponentPropertyBool (const String& keyName,
  31197. const bool useParentComponentIfNotFound,
  31198. const bool defaultReturnValue) const throw()
  31199. {
  31200. if (propertySet_ != 0 && ((! useParentComponentIfNotFound) || propertySet_->containsKey (keyName)))
  31201. return propertySet_->getBoolValue (keyName, defaultReturnValue);
  31202. if (useParentComponentIfNotFound && (parentComponent_ != 0))
  31203. return parentComponent_->getComponentPropertyBool (keyName, true, defaultReturnValue);
  31204. return defaultReturnValue;
  31205. }
  31206. const Colour Component::getComponentPropertyColour (const String& keyName,
  31207. const bool useParentComponentIfNotFound,
  31208. const Colour& defaultReturnValue) const throw()
  31209. {
  31210. return Colour ((uint32) getComponentPropertyInt (keyName,
  31211. useParentComponentIfNotFound,
  31212. defaultReturnValue.getARGB()));
  31213. }
  31214. void Component::setComponentProperty (const String& keyName, const String& value) throw()
  31215. {
  31216. if (propertySet_ == 0)
  31217. propertySet_ = new PropertySet();
  31218. propertySet_->setValue (keyName, value);
  31219. }
  31220. void Component::setComponentProperty (const String& keyName, const int value) throw()
  31221. {
  31222. if (propertySet_ == 0)
  31223. propertySet_ = new PropertySet();
  31224. propertySet_->setValue (keyName, value);
  31225. }
  31226. void Component::setComponentProperty (const String& keyName, const double value) throw()
  31227. {
  31228. if (propertySet_ == 0)
  31229. propertySet_ = new PropertySet();
  31230. propertySet_->setValue (keyName, value);
  31231. }
  31232. void Component::setComponentProperty (const String& keyName, const bool value) throw()
  31233. {
  31234. if (propertySet_ == 0)
  31235. propertySet_ = new PropertySet();
  31236. propertySet_->setValue (keyName, value);
  31237. }
  31238. void Component::setComponentProperty (const String& keyName, const Colour& colour) throw()
  31239. {
  31240. setComponentProperty (keyName, (int) colour.getARGB());
  31241. }
  31242. void Component::removeComponentProperty (const String& keyName) throw()
  31243. {
  31244. if (propertySet_ != 0)
  31245. propertySet_->removeValue (keyName);
  31246. }
  31247. ComponentDeletionWatcher::ComponentDeletionWatcher (const Component* const componentToWatch_) throw()
  31248. : componentToWatch (componentToWatch_),
  31249. componentUID (componentToWatch_->getComponentUID())
  31250. {
  31251. // not possible to check on an already-deleted object..
  31252. jassert (componentToWatch_->isValidComponent());
  31253. }
  31254. ComponentDeletionWatcher::~ComponentDeletionWatcher() throw() {}
  31255. bool ComponentDeletionWatcher::hasBeenDeleted() const throw()
  31256. {
  31257. return ! (componentToWatch->isValidComponent()
  31258. && componentToWatch->getComponentUID() == componentUID);
  31259. }
  31260. const Component* ComponentDeletionWatcher::getComponent() const throw()
  31261. {
  31262. return hasBeenDeleted() ? 0 : componentToWatch;
  31263. }
  31264. END_JUCE_NAMESPACE
  31265. /********* End of inlined file: juce_Component.cpp *********/
  31266. /********* Start of inlined file: juce_ComponentListener.cpp *********/
  31267. BEGIN_JUCE_NAMESPACE
  31268. void ComponentListener::componentMovedOrResized (Component&, bool, bool)
  31269. {
  31270. }
  31271. void ComponentListener::componentBroughtToFront (Component&)
  31272. {
  31273. }
  31274. void ComponentListener::componentVisibilityChanged (Component&)
  31275. {
  31276. }
  31277. void ComponentListener::componentChildrenChanged (Component&)
  31278. {
  31279. }
  31280. void ComponentListener::componentParentHierarchyChanged (Component&)
  31281. {
  31282. }
  31283. void ComponentListener::componentNameChanged (Component&)
  31284. {
  31285. }
  31286. END_JUCE_NAMESPACE
  31287. /********* End of inlined file: juce_ComponentListener.cpp *********/
  31288. /********* Start of inlined file: juce_Desktop.cpp *********/
  31289. BEGIN_JUCE_NAMESPACE
  31290. extern void juce_updateMultiMonitorInfo (Array <Rectangle>& monitorCoords,
  31291. const bool clipToWorkArea) throw();
  31292. static Desktop* juce_desktopInstance = 0;
  31293. Desktop::Desktop() throw()
  31294. : mouseListeners (2),
  31295. desktopComponents (4),
  31296. monitorCoordsClipped (2),
  31297. monitorCoordsUnclipped (2),
  31298. lastMouseX (0),
  31299. lastMouseY (0)
  31300. {
  31301. refreshMonitorSizes();
  31302. }
  31303. Desktop::~Desktop() throw()
  31304. {
  31305. jassert (juce_desktopInstance == this);
  31306. juce_desktopInstance = 0;
  31307. // doh! If you don't delete all your windows before exiting, you're going to
  31308. // be leaking memory!
  31309. jassert (desktopComponents.size() == 0);
  31310. }
  31311. Desktop& JUCE_CALLTYPE Desktop::getInstance() throw()
  31312. {
  31313. if (juce_desktopInstance == 0)
  31314. juce_desktopInstance = new Desktop();
  31315. return *juce_desktopInstance;
  31316. }
  31317. void Desktop::refreshMonitorSizes() throw()
  31318. {
  31319. const Array <Rectangle> oldClipped (monitorCoordsClipped);
  31320. const Array <Rectangle> oldUnclipped (monitorCoordsUnclipped);
  31321. monitorCoordsClipped.clear();
  31322. monitorCoordsUnclipped.clear();
  31323. juce_updateMultiMonitorInfo (monitorCoordsClipped, true);
  31324. juce_updateMultiMonitorInfo (monitorCoordsUnclipped, false);
  31325. jassert (monitorCoordsClipped.size() > 0
  31326. && monitorCoordsClipped.size() == monitorCoordsUnclipped.size());
  31327. if (oldClipped != monitorCoordsClipped
  31328. || oldUnclipped != monitorCoordsUnclipped)
  31329. {
  31330. for (int i = ComponentPeer::getNumPeers(); --i >= 0;)
  31331. {
  31332. ComponentPeer* const p = ComponentPeer::getPeer (i);
  31333. if (p != 0)
  31334. p->handleScreenSizeChange();
  31335. }
  31336. }
  31337. }
  31338. int Desktop::getNumDisplayMonitors() const throw()
  31339. {
  31340. return monitorCoordsClipped.size();
  31341. }
  31342. const Rectangle Desktop::getDisplayMonitorCoordinates (const int index, const bool clippedToWorkArea) const throw()
  31343. {
  31344. return clippedToWorkArea ? monitorCoordsClipped [index]
  31345. : monitorCoordsUnclipped [index];
  31346. }
  31347. const RectangleList Desktop::getAllMonitorDisplayAreas (const bool clippedToWorkArea) const throw()
  31348. {
  31349. RectangleList rl;
  31350. for (int i = 0; i < getNumDisplayMonitors(); ++i)
  31351. rl.addWithoutMerging (getDisplayMonitorCoordinates (i, clippedToWorkArea));
  31352. return rl;
  31353. }
  31354. const Rectangle Desktop::getMainMonitorArea (const bool clippedToWorkArea) const throw()
  31355. {
  31356. return getDisplayMonitorCoordinates (0, clippedToWorkArea);
  31357. }
  31358. const Rectangle Desktop::getMonitorAreaContaining (int cx, int cy, const bool clippedToWorkArea) const throw()
  31359. {
  31360. Rectangle best (getMainMonitorArea (clippedToWorkArea));
  31361. double bestDistance = 1.0e10;
  31362. for (int i = getNumDisplayMonitors(); --i >= 0;)
  31363. {
  31364. const Rectangle rect (getDisplayMonitorCoordinates (i, clippedToWorkArea));
  31365. if (rect.contains (cx, cy))
  31366. return rect;
  31367. const double distance = juce_hypot ((double) (rect.getCentreX() - cx),
  31368. (double) (rect.getCentreY() - cy));
  31369. if (distance < bestDistance)
  31370. {
  31371. bestDistance = distance;
  31372. best = rect;
  31373. }
  31374. }
  31375. return best;
  31376. }
  31377. int Desktop::getNumComponents() const throw()
  31378. {
  31379. return desktopComponents.size();
  31380. }
  31381. Component* Desktop::getComponent (const int index) const throw()
  31382. {
  31383. return (Component*) desktopComponents [index];
  31384. }
  31385. Component* Desktop::findComponentAt (const int screenX,
  31386. const int screenY) const
  31387. {
  31388. for (int i = desktopComponents.size(); --i >= 0;)
  31389. {
  31390. Component* const c = (Component*) desktopComponents.getUnchecked(i);
  31391. int x = screenX, y = screenY;
  31392. c->globalPositionToRelative (x, y);
  31393. if (c->contains (x, y))
  31394. return c->getComponentAt (x, y);
  31395. }
  31396. return 0;
  31397. }
  31398. void Desktop::addDesktopComponent (Component* const c) throw()
  31399. {
  31400. jassert (c != 0);
  31401. jassert (! desktopComponents.contains (c));
  31402. desktopComponents.addIfNotAlreadyThere (c);
  31403. }
  31404. void Desktop::removeDesktopComponent (Component* const c) throw()
  31405. {
  31406. desktopComponents.removeValue (c);
  31407. }
  31408. void Desktop::componentBroughtToFront (Component* const c) throw()
  31409. {
  31410. const int index = desktopComponents.indexOf (c);
  31411. jassert (index >= 0);
  31412. if (index >= 0)
  31413. desktopComponents.move (index, -1);
  31414. }
  31415. // from Component.cpp
  31416. extern int juce_recentMouseDownX [4];
  31417. extern int juce_recentMouseDownY [4];
  31418. extern int juce_MouseClickCounter;
  31419. void Desktop::getLastMouseDownPosition (int& x, int& y) throw()
  31420. {
  31421. x = juce_recentMouseDownX [0];
  31422. y = juce_recentMouseDownY [0];
  31423. }
  31424. int Desktop::getMouseButtonClickCounter() throw()
  31425. {
  31426. return juce_MouseClickCounter;
  31427. }
  31428. void Desktop::addGlobalMouseListener (MouseListener* const listener) throw()
  31429. {
  31430. jassert (listener != 0);
  31431. if (listener != 0)
  31432. {
  31433. mouseListeners.add (listener);
  31434. resetTimer();
  31435. }
  31436. }
  31437. void Desktop::removeGlobalMouseListener (MouseListener* const listener) throw()
  31438. {
  31439. mouseListeners.removeValue (listener);
  31440. resetTimer();
  31441. }
  31442. void Desktop::addFocusChangeListener (FocusChangeListener* const listener) throw()
  31443. {
  31444. jassert (listener != 0);
  31445. if (listener != 0)
  31446. focusListeners.add (listener);
  31447. }
  31448. void Desktop::removeFocusChangeListener (FocusChangeListener* const listener) throw()
  31449. {
  31450. focusListeners.removeValue (listener);
  31451. }
  31452. void Desktop::triggerFocusCallback() throw()
  31453. {
  31454. triggerAsyncUpdate();
  31455. }
  31456. void Desktop::handleAsyncUpdate()
  31457. {
  31458. for (int i = focusListeners.size(); --i >= 0;)
  31459. {
  31460. ((FocusChangeListener*) focusListeners.getUnchecked (i))->globalFocusChanged (Component::getCurrentlyFocusedComponent());
  31461. i = jmin (i, focusListeners.size());
  31462. }
  31463. }
  31464. void Desktop::timerCallback()
  31465. {
  31466. int x, y;
  31467. getMousePosition (x, y);
  31468. if (lastMouseX != x || lastMouseY != y)
  31469. sendMouseMove();
  31470. }
  31471. void Desktop::sendMouseMove()
  31472. {
  31473. if (mouseListeners.size() > 0)
  31474. {
  31475. startTimer (20);
  31476. int x, y;
  31477. getMousePosition (x, y);
  31478. lastMouseX = x;
  31479. lastMouseY = y;
  31480. Component* const target = findComponentAt (x, y);
  31481. if (target != 0)
  31482. {
  31483. target->globalPositionToRelative (x, y);
  31484. ComponentDeletionWatcher deletionChecker (target);
  31485. const MouseEvent me (x, y,
  31486. ModifierKeys::getCurrentModifiers(),
  31487. target,
  31488. Time::getCurrentTime(),
  31489. x, y,
  31490. Time::getCurrentTime(),
  31491. 0, false);
  31492. for (int i = mouseListeners.size(); --i >= 0;)
  31493. {
  31494. if (ModifierKeys::getCurrentModifiers().isAnyMouseButtonDown())
  31495. ((MouseListener*) mouseListeners[i])->mouseDrag (me);
  31496. else
  31497. ((MouseListener*) mouseListeners[i])->mouseMove (me);
  31498. if (deletionChecker.hasBeenDeleted())
  31499. return;
  31500. i = jmin (i, mouseListeners.size());
  31501. }
  31502. }
  31503. }
  31504. }
  31505. void Desktop::resetTimer() throw()
  31506. {
  31507. if (mouseListeners.size() == 0)
  31508. stopTimer();
  31509. else
  31510. startTimer (100);
  31511. getMousePosition (lastMouseX, lastMouseY);
  31512. }
  31513. END_JUCE_NAMESPACE
  31514. /********* End of inlined file: juce_Desktop.cpp *********/
  31515. /********* Start of inlined file: juce_ArrowButton.cpp *********/
  31516. BEGIN_JUCE_NAMESPACE
  31517. ArrowButton::ArrowButton (const String& name,
  31518. float arrowDirectionInRadians,
  31519. const Colour& arrowColour)
  31520. : Button (name),
  31521. colour (arrowColour)
  31522. {
  31523. path.lineTo (0.0f, 1.0f);
  31524. path.lineTo (1.0f, 0.5f);
  31525. path.closeSubPath();
  31526. path.applyTransform (AffineTransform::rotation (float_Pi * 2.0f * arrowDirectionInRadians,
  31527. 0.5f, 0.5f));
  31528. setComponentEffect (&shadow);
  31529. buttonStateChanged();
  31530. }
  31531. ArrowButton::~ArrowButton()
  31532. {
  31533. }
  31534. void ArrowButton::paintButton (Graphics& g,
  31535. bool /*isMouseOverButton*/,
  31536. bool /*isButtonDown*/)
  31537. {
  31538. g.setColour (colour);
  31539. g.fillPath (path, path.getTransformToScaleToFit ((float) offset,
  31540. (float) offset,
  31541. (float) (getWidth() - 3),
  31542. (float) (getHeight() - 3),
  31543. false));
  31544. }
  31545. void ArrowButton::buttonStateChanged()
  31546. {
  31547. offset = (isDown()) ? 1 : 0;
  31548. shadow.setShadowProperties ((isDown()) ? 1.2f : 3.0f,
  31549. 0.3f, -1, 0);
  31550. }
  31551. END_JUCE_NAMESPACE
  31552. /********* End of inlined file: juce_ArrowButton.cpp *********/
  31553. /********* Start of inlined file: juce_Button.cpp *********/
  31554. BEGIN_JUCE_NAMESPACE
  31555. Button::Button (const String& name)
  31556. : Component (name),
  31557. shortcuts (2),
  31558. keySource (0),
  31559. text (name),
  31560. buttonListeners (2),
  31561. repeatTimer (0),
  31562. buttonPressTime (0),
  31563. lastTimeCallbackTime (0),
  31564. commandManagerToUse (0),
  31565. autoRepeatDelay (-1),
  31566. autoRepeatSpeed (0),
  31567. autoRepeatMinimumDelay (-1),
  31568. radioGroupId (0),
  31569. commandID (0),
  31570. connectedEdgeFlags (0),
  31571. buttonState (buttonNormal),
  31572. isOn (false),
  31573. clickTogglesState (false),
  31574. needsToRelease (false),
  31575. needsRepainting (false),
  31576. isKeyDown (false),
  31577. triggerOnMouseDown (false),
  31578. generateTooltip (false)
  31579. {
  31580. setWantsKeyboardFocus (true);
  31581. }
  31582. Button::~Button()
  31583. {
  31584. if (commandManagerToUse != 0)
  31585. commandManagerToUse->removeListener (this);
  31586. delete repeatTimer;
  31587. clearShortcuts();
  31588. }
  31589. void Button::setButtonText (const String& newText) throw()
  31590. {
  31591. if (text != newText)
  31592. {
  31593. text = newText;
  31594. repaint();
  31595. }
  31596. }
  31597. void Button::setTooltip (const String& newTooltip)
  31598. {
  31599. SettableTooltipClient::setTooltip (newTooltip);
  31600. generateTooltip = false;
  31601. }
  31602. const String Button::getTooltip()
  31603. {
  31604. if (generateTooltip && commandManagerToUse != 0 && commandID != 0)
  31605. {
  31606. String tt (commandManagerToUse->getDescriptionOfCommand (commandID));
  31607. Array <KeyPress> keyPresses (commandManagerToUse->getKeyMappings()->getKeyPressesAssignedToCommand (commandID));
  31608. for (int i = 0; i < keyPresses.size(); ++i)
  31609. {
  31610. const String key (keyPresses.getReference(i).getTextDescription());
  31611. if (key.length() == 1)
  31612. tt << " [shortcut: '" << key << "']";
  31613. else
  31614. tt << " [" << key << ']';
  31615. }
  31616. return tt;
  31617. }
  31618. return SettableTooltipClient::getTooltip();
  31619. }
  31620. void Button::setConnectedEdges (const int connectedEdgeFlags_) throw()
  31621. {
  31622. if (connectedEdgeFlags != connectedEdgeFlags_)
  31623. {
  31624. connectedEdgeFlags = connectedEdgeFlags_;
  31625. repaint();
  31626. }
  31627. }
  31628. void Button::setToggleState (const bool shouldBeOn,
  31629. const bool sendChangeNotification)
  31630. {
  31631. if (shouldBeOn != isOn)
  31632. {
  31633. const ComponentDeletionWatcher deletionWatcher (this);
  31634. isOn = shouldBeOn;
  31635. repaint();
  31636. if (sendChangeNotification)
  31637. sendClickMessage (ModifierKeys());
  31638. if ((! deletionWatcher.hasBeenDeleted()) && isOn)
  31639. turnOffOtherButtonsInGroup (sendChangeNotification);
  31640. }
  31641. }
  31642. void Button::setClickingTogglesState (const bool shouldToggle) throw()
  31643. {
  31644. clickTogglesState = shouldToggle;
  31645. // if you've got clickTogglesState turned on, you shouldn't also connect the button
  31646. // up to be a command invoker. Instead, your command handler must flip the state of whatever
  31647. // it is that this button represents, and the button will update its state to reflect this
  31648. // in the applicationCommandListChanged() method.
  31649. jassert (commandManagerToUse == 0 || ! clickTogglesState);
  31650. }
  31651. bool Button::getClickingTogglesState() const throw()
  31652. {
  31653. return clickTogglesState;
  31654. }
  31655. void Button::setRadioGroupId (const int newGroupId)
  31656. {
  31657. if (radioGroupId != newGroupId)
  31658. {
  31659. radioGroupId = newGroupId;
  31660. if (isOn)
  31661. turnOffOtherButtonsInGroup (true);
  31662. }
  31663. }
  31664. void Button::turnOffOtherButtonsInGroup (const bool sendChangeNotification)
  31665. {
  31666. Component* const p = getParentComponent();
  31667. if (p != 0 && radioGroupId != 0)
  31668. {
  31669. const ComponentDeletionWatcher deletionWatcher (this);
  31670. for (int i = p->getNumChildComponents(); --i >= 0;)
  31671. {
  31672. Component* const c = p->getChildComponent (i);
  31673. if (c != this)
  31674. {
  31675. Button* const b = dynamic_cast <Button*> (c);
  31676. if (b != 0 && b->getRadioGroupId() == radioGroupId)
  31677. {
  31678. b->setToggleState (false, sendChangeNotification);
  31679. if (deletionWatcher.hasBeenDeleted())
  31680. return;
  31681. }
  31682. }
  31683. }
  31684. }
  31685. }
  31686. void Button::enablementChanged()
  31687. {
  31688. updateState (0);
  31689. repaint();
  31690. }
  31691. Button::ButtonState Button::updateState (const MouseEvent* const e) throw()
  31692. {
  31693. ButtonState state = buttonNormal;
  31694. if (isEnabled() && isVisible() && ! isCurrentlyBlockedByAnotherModalComponent())
  31695. {
  31696. int mx, my;
  31697. if (e == 0)
  31698. {
  31699. getMouseXYRelative (mx, my);
  31700. }
  31701. else
  31702. {
  31703. const MouseEvent e2 (e->getEventRelativeTo (this));
  31704. mx = e2.x;
  31705. my = e2.y;
  31706. }
  31707. const bool over = reallyContains (mx, my, true);
  31708. const bool down = isMouseButtonDown();
  31709. if ((down && (over || (triggerOnMouseDown && buttonState == buttonDown))) || isKeyDown)
  31710. state = buttonDown;
  31711. else if (over)
  31712. state = buttonOver;
  31713. }
  31714. setState (state);
  31715. return state;
  31716. }
  31717. void Button::setState (const ButtonState newState)
  31718. {
  31719. if (buttonState != newState)
  31720. {
  31721. buttonState = newState;
  31722. repaint();
  31723. if (buttonState == buttonDown)
  31724. {
  31725. buttonPressTime = Time::getApproximateMillisecondCounter();
  31726. lastTimeCallbackTime = buttonPressTime;
  31727. }
  31728. sendStateMessage();
  31729. }
  31730. }
  31731. bool Button::isDown() const throw()
  31732. {
  31733. return buttonState == buttonDown;
  31734. }
  31735. bool Button::isOver() const throw()
  31736. {
  31737. return buttonState != buttonNormal;
  31738. }
  31739. void Button::buttonStateChanged()
  31740. {
  31741. }
  31742. uint32 Button::getMillisecondsSinceButtonDown() const throw()
  31743. {
  31744. const uint32 now = Time::getApproximateMillisecondCounter();
  31745. return now > buttonPressTime ? now - buttonPressTime : 0;
  31746. }
  31747. void Button::setTriggeredOnMouseDown (const bool isTriggeredOnMouseDown) throw()
  31748. {
  31749. triggerOnMouseDown = isTriggeredOnMouseDown;
  31750. }
  31751. void Button::clicked()
  31752. {
  31753. }
  31754. void Button::clicked (const ModifierKeys& /*modifiers*/)
  31755. {
  31756. clicked();
  31757. }
  31758. static const int clickMessageId = 0x2f3f4f99;
  31759. void Button::triggerClick()
  31760. {
  31761. postCommandMessage (clickMessageId);
  31762. }
  31763. void Button::internalClickCallback (const ModifierKeys& modifiers)
  31764. {
  31765. if (clickTogglesState)
  31766. setToggleState ((radioGroupId != 0) || ! isOn, false);
  31767. sendClickMessage (modifiers);
  31768. }
  31769. void Button::flashButtonState() throw()
  31770. {
  31771. if (isEnabled())
  31772. {
  31773. needsToRelease = true;
  31774. setState (buttonDown);
  31775. getRepeatTimer().startTimer (100);
  31776. }
  31777. }
  31778. void Button::handleCommandMessage (int commandId)
  31779. {
  31780. if (commandId == clickMessageId)
  31781. {
  31782. if (isEnabled())
  31783. {
  31784. flashButtonState();
  31785. internalClickCallback (ModifierKeys::getCurrentModifiers());
  31786. }
  31787. }
  31788. else
  31789. {
  31790. Component::handleCommandMessage (commandId);
  31791. }
  31792. }
  31793. void Button::addButtonListener (ButtonListener* const newListener) throw()
  31794. {
  31795. jassert (newListener != 0);
  31796. jassert (! buttonListeners.contains (newListener)); // trying to add a listener to the list twice!
  31797. if (newListener != 0)
  31798. buttonListeners.add (newListener);
  31799. }
  31800. void Button::removeButtonListener (ButtonListener* const listener) throw()
  31801. {
  31802. jassert (buttonListeners.contains (listener)); // trying to remove a listener that isn't on the list!
  31803. buttonListeners.removeValue (listener);
  31804. }
  31805. void Button::sendClickMessage (const ModifierKeys& modifiers)
  31806. {
  31807. const ComponentDeletionWatcher cdw (this);
  31808. if (commandManagerToUse != 0 && commandID != 0)
  31809. {
  31810. ApplicationCommandTarget::InvocationInfo info (commandID);
  31811. info.invocationMethod = ApplicationCommandTarget::InvocationInfo::fromButton;
  31812. info.originatingComponent = this;
  31813. commandManagerToUse->invoke (info, true);
  31814. }
  31815. clicked (modifiers);
  31816. if (! cdw.hasBeenDeleted())
  31817. {
  31818. for (int i = buttonListeners.size(); --i >= 0;)
  31819. {
  31820. ButtonListener* const bl = (ButtonListener*) buttonListeners[i];
  31821. if (bl != 0)
  31822. {
  31823. bl->buttonClicked (this);
  31824. if (cdw.hasBeenDeleted())
  31825. return;
  31826. }
  31827. }
  31828. }
  31829. }
  31830. void Button::sendStateMessage()
  31831. {
  31832. const ComponentDeletionWatcher cdw (this);
  31833. buttonStateChanged();
  31834. if (cdw.hasBeenDeleted())
  31835. return;
  31836. for (int i = buttonListeners.size(); --i >= 0;)
  31837. {
  31838. ButtonListener* const bl = (ButtonListener*) buttonListeners[i];
  31839. if (bl != 0)
  31840. {
  31841. bl->buttonStateChanged (this);
  31842. if (cdw.hasBeenDeleted())
  31843. return;
  31844. }
  31845. }
  31846. }
  31847. void Button::paint (Graphics& g)
  31848. {
  31849. if (needsToRelease && isEnabled())
  31850. {
  31851. needsToRelease = false;
  31852. needsRepainting = true;
  31853. }
  31854. paintButton (g, isOver(), isDown());
  31855. }
  31856. void Button::mouseEnter (const MouseEvent& e)
  31857. {
  31858. updateState (&e);
  31859. }
  31860. void Button::mouseExit (const MouseEvent& e)
  31861. {
  31862. updateState (&e);
  31863. }
  31864. void Button::mouseDown (const MouseEvent& e)
  31865. {
  31866. updateState (&e);
  31867. if (isDown())
  31868. {
  31869. if (autoRepeatDelay >= 0)
  31870. getRepeatTimer().startTimer (autoRepeatDelay);
  31871. if (triggerOnMouseDown)
  31872. internalClickCallback (e.mods);
  31873. }
  31874. }
  31875. void Button::mouseUp (const MouseEvent& e)
  31876. {
  31877. const bool wasDown = isDown();
  31878. updateState (&e);
  31879. if (wasDown && isOver() && ! triggerOnMouseDown)
  31880. internalClickCallback (e.mods);
  31881. }
  31882. void Button::mouseDrag (const MouseEvent& e)
  31883. {
  31884. const ButtonState oldState = buttonState;
  31885. updateState (&e);
  31886. if (autoRepeatDelay >= 0 && buttonState != oldState && isDown())
  31887. getRepeatTimer().startTimer (autoRepeatSpeed);
  31888. }
  31889. void Button::focusGained (FocusChangeType)
  31890. {
  31891. updateState (0);
  31892. repaint();
  31893. }
  31894. void Button::focusLost (FocusChangeType)
  31895. {
  31896. updateState (0);
  31897. repaint();
  31898. }
  31899. void Button::setVisible (bool shouldBeVisible)
  31900. {
  31901. if (shouldBeVisible != isVisible())
  31902. {
  31903. Component::setVisible (shouldBeVisible);
  31904. if (! shouldBeVisible)
  31905. needsToRelease = false;
  31906. updateState (0);
  31907. }
  31908. else
  31909. {
  31910. Component::setVisible (shouldBeVisible);
  31911. }
  31912. }
  31913. void Button::parentHierarchyChanged()
  31914. {
  31915. Component* const newKeySource = (shortcuts.size() == 0) ? 0 : getTopLevelComponent();
  31916. if (newKeySource != keySource)
  31917. {
  31918. if (keySource->isValidComponent())
  31919. keySource->removeKeyListener (this);
  31920. keySource = newKeySource;
  31921. if (keySource->isValidComponent())
  31922. keySource->addKeyListener (this);
  31923. }
  31924. }
  31925. void Button::setCommandToTrigger (ApplicationCommandManager* const commandManagerToUse_,
  31926. const int commandID_,
  31927. const bool generateTooltip_)
  31928. {
  31929. commandID = commandID_;
  31930. generateTooltip = generateTooltip_;
  31931. if (commandManagerToUse != commandManagerToUse_)
  31932. {
  31933. if (commandManagerToUse != 0)
  31934. commandManagerToUse->removeListener (this);
  31935. commandManagerToUse = commandManagerToUse_;
  31936. if (commandManagerToUse != 0)
  31937. commandManagerToUse->addListener (this);
  31938. // if you've got clickTogglesState turned on, you shouldn't also connect the button
  31939. // up to be a command invoker. Instead, your command handler must flip the state of whatever
  31940. // it is that this button represents, and the button will update its state to reflect this
  31941. // in the applicationCommandListChanged() method.
  31942. jassert (commandManagerToUse == 0 || ! clickTogglesState);
  31943. }
  31944. if (commandManagerToUse != 0)
  31945. applicationCommandListChanged();
  31946. else
  31947. setEnabled (true);
  31948. }
  31949. void Button::applicationCommandInvoked (const ApplicationCommandTarget::InvocationInfo& info)
  31950. {
  31951. if (info.commandID == commandID
  31952. && (info.commandFlags & ApplicationCommandInfo::dontTriggerVisualFeedback) == 0)
  31953. {
  31954. flashButtonState();
  31955. }
  31956. }
  31957. void Button::applicationCommandListChanged()
  31958. {
  31959. if (commandManagerToUse != 0)
  31960. {
  31961. ApplicationCommandInfo info (0);
  31962. ApplicationCommandTarget* const target = commandManagerToUse->getTargetForCommand (commandID, info);
  31963. setEnabled (target != 0 && (info.flags & ApplicationCommandInfo::isDisabled) == 0);
  31964. if (target != 0)
  31965. setToggleState ((info.flags & ApplicationCommandInfo::isTicked) != 0, false);
  31966. }
  31967. }
  31968. void Button::addShortcut (const KeyPress& key)
  31969. {
  31970. if (key.isValid())
  31971. {
  31972. jassert (! isRegisteredForShortcut (key)); // already registered!
  31973. shortcuts.add (key);
  31974. parentHierarchyChanged();
  31975. }
  31976. }
  31977. void Button::clearShortcuts()
  31978. {
  31979. shortcuts.clear();
  31980. parentHierarchyChanged();
  31981. }
  31982. bool Button::isShortcutPressed() const throw()
  31983. {
  31984. if (! isCurrentlyBlockedByAnotherModalComponent())
  31985. {
  31986. for (int i = shortcuts.size(); --i >= 0;)
  31987. if (shortcuts.getReference(i).isCurrentlyDown())
  31988. return true;
  31989. }
  31990. return false;
  31991. }
  31992. bool Button::isRegisteredForShortcut (const KeyPress& key) const throw()
  31993. {
  31994. for (int i = shortcuts.size(); --i >= 0;)
  31995. if (key == shortcuts.getReference(i))
  31996. return true;
  31997. return false;
  31998. }
  31999. bool Button::keyStateChanged (Component*)
  32000. {
  32001. if (! isEnabled())
  32002. return false;
  32003. const bool wasDown = isKeyDown;
  32004. isKeyDown = isShortcutPressed();
  32005. if (autoRepeatDelay >= 0 && (isKeyDown && ! wasDown))
  32006. getRepeatTimer().startTimer (autoRepeatDelay);
  32007. updateState (0);
  32008. if (isEnabled() && wasDown && ! isKeyDown)
  32009. internalClickCallback (ModifierKeys::getCurrentModifiers());
  32010. return isKeyDown || wasDown;
  32011. }
  32012. bool Button::keyPressed (const KeyPress&, Component*)
  32013. {
  32014. // returning true will avoid forwarding events for keys that we're using as shortcuts
  32015. return isShortcutPressed();
  32016. }
  32017. bool Button::keyPressed (const KeyPress& key)
  32018. {
  32019. if (isEnabled() && key.isKeyCode (KeyPress::returnKey))
  32020. {
  32021. triggerClick();
  32022. return true;
  32023. }
  32024. return false;
  32025. }
  32026. void Button::setRepeatSpeed (const int initialDelayMillisecs,
  32027. const int repeatMillisecs,
  32028. const int minimumDelayInMillisecs) throw()
  32029. {
  32030. autoRepeatDelay = initialDelayMillisecs;
  32031. autoRepeatSpeed = repeatMillisecs;
  32032. autoRepeatMinimumDelay = jmin (autoRepeatSpeed, minimumDelayInMillisecs);
  32033. }
  32034. void Button::repeatTimerCallback() throw()
  32035. {
  32036. if (needsRepainting)
  32037. {
  32038. getRepeatTimer().stopTimer();
  32039. updateState (0);
  32040. needsRepainting = false;
  32041. }
  32042. else if (autoRepeatSpeed > 0 && (isKeyDown || (updateState (0) == buttonDown)))
  32043. {
  32044. int repeatSpeed = autoRepeatSpeed;
  32045. if (autoRepeatMinimumDelay >= 0)
  32046. {
  32047. double timeHeldDown = jmin (1.0, getMillisecondsSinceButtonDown() / 4000.0);
  32048. timeHeldDown *= timeHeldDown;
  32049. repeatSpeed = repeatSpeed + (int) (timeHeldDown * (autoRepeatMinimumDelay - repeatSpeed));
  32050. }
  32051. repeatSpeed = jmax (1, repeatSpeed);
  32052. getRepeatTimer().startTimer (repeatSpeed);
  32053. const uint32 now = Time::getApproximateMillisecondCounter();
  32054. const int numTimesToCallback
  32055. = (now > lastTimeCallbackTime) ? jmax (1, (now - lastTimeCallbackTime) / repeatSpeed) : 1;
  32056. lastTimeCallbackTime = now;
  32057. const ComponentDeletionWatcher cdw (this);
  32058. for (int i = numTimesToCallback; --i >= 0;)
  32059. {
  32060. internalClickCallback (ModifierKeys::getCurrentModifiers());
  32061. if (cdw.hasBeenDeleted() || ! isDown())
  32062. return;
  32063. }
  32064. }
  32065. else if (! needsToRelease)
  32066. {
  32067. getRepeatTimer().stopTimer();
  32068. }
  32069. }
  32070. class InternalButtonRepeatTimer : public Timer
  32071. {
  32072. public:
  32073. InternalButtonRepeatTimer (Button& owner_) throw()
  32074. : owner (owner_)
  32075. {
  32076. }
  32077. ~InternalButtonRepeatTimer()
  32078. {
  32079. }
  32080. void timerCallback()
  32081. {
  32082. owner.repeatTimerCallback();
  32083. }
  32084. private:
  32085. Button& owner;
  32086. InternalButtonRepeatTimer (const InternalButtonRepeatTimer&);
  32087. const InternalButtonRepeatTimer& operator= (const InternalButtonRepeatTimer&);
  32088. };
  32089. Timer& Button::getRepeatTimer() throw()
  32090. {
  32091. if (repeatTimer == 0)
  32092. repeatTimer = new InternalButtonRepeatTimer (*this);
  32093. return *repeatTimer;
  32094. }
  32095. END_JUCE_NAMESPACE
  32096. /********* End of inlined file: juce_Button.cpp *********/
  32097. /********* Start of inlined file: juce_DrawableButton.cpp *********/
  32098. BEGIN_JUCE_NAMESPACE
  32099. DrawableButton::DrawableButton (const String& name,
  32100. const DrawableButton::ButtonStyle buttonStyle)
  32101. : Button (name),
  32102. style (buttonStyle),
  32103. normalImage (0),
  32104. overImage (0),
  32105. downImage (0),
  32106. disabledImage (0),
  32107. normalImageOn (0),
  32108. overImageOn (0),
  32109. downImageOn (0),
  32110. disabledImageOn (0),
  32111. edgeIndent (3)
  32112. {
  32113. if (buttonStyle == ImageOnButtonBackground)
  32114. {
  32115. backgroundOff = Colour (0xffbbbbff);
  32116. backgroundOn = Colour (0xff3333ff);
  32117. }
  32118. else
  32119. {
  32120. backgroundOff = Colours::transparentBlack;
  32121. backgroundOn = Colour (0xaabbbbff);
  32122. }
  32123. }
  32124. DrawableButton::~DrawableButton()
  32125. {
  32126. deleteImages();
  32127. }
  32128. void DrawableButton::deleteImages()
  32129. {
  32130. deleteAndZero (normalImage);
  32131. deleteAndZero (overImage);
  32132. deleteAndZero (downImage);
  32133. deleteAndZero (disabledImage);
  32134. deleteAndZero (normalImageOn);
  32135. deleteAndZero (overImageOn);
  32136. deleteAndZero (downImageOn);
  32137. deleteAndZero (disabledImageOn);
  32138. }
  32139. void DrawableButton::setImages (const Drawable* normal,
  32140. const Drawable* over,
  32141. const Drawable* down,
  32142. const Drawable* disabled,
  32143. const Drawable* normalOn,
  32144. const Drawable* overOn,
  32145. const Drawable* downOn,
  32146. const Drawable* disabledOn)
  32147. {
  32148. deleteImages();
  32149. jassert (normal != 0); // you really need to give it at least a normal image..
  32150. if (normal != 0)
  32151. normalImage = normal->createCopy();
  32152. if (over != 0)
  32153. overImage = over->createCopy();
  32154. if (down != 0)
  32155. downImage = down->createCopy();
  32156. if (disabled != 0)
  32157. disabledImage = disabled->createCopy();
  32158. if (normalOn != 0)
  32159. normalImageOn = normalOn->createCopy();
  32160. if (overOn != 0)
  32161. overImageOn = overOn->createCopy();
  32162. if (downOn != 0)
  32163. downImageOn = downOn->createCopy();
  32164. if (disabledOn != 0)
  32165. disabledImageOn = disabledOn->createCopy();
  32166. repaint();
  32167. }
  32168. void DrawableButton::setButtonStyle (const DrawableButton::ButtonStyle newStyle)
  32169. {
  32170. if (style != newStyle)
  32171. {
  32172. style = newStyle;
  32173. repaint();
  32174. }
  32175. }
  32176. void DrawableButton::setBackgroundColours (const Colour& toggledOffColour,
  32177. const Colour& toggledOnColour)
  32178. {
  32179. if (backgroundOff != toggledOffColour
  32180. || backgroundOn != toggledOnColour)
  32181. {
  32182. backgroundOff = toggledOffColour;
  32183. backgroundOn = toggledOnColour;
  32184. repaint();
  32185. }
  32186. }
  32187. const Colour& DrawableButton::getBackgroundColour() const throw()
  32188. {
  32189. return getToggleState() ? backgroundOn
  32190. : backgroundOff;
  32191. }
  32192. void DrawableButton::setEdgeIndent (const int numPixelsIndent)
  32193. {
  32194. edgeIndent = numPixelsIndent;
  32195. repaint();
  32196. }
  32197. void DrawableButton::paintButton (Graphics& g,
  32198. bool isMouseOverButton,
  32199. bool isButtonDown)
  32200. {
  32201. Rectangle imageSpace;
  32202. if (style == ImageOnButtonBackground)
  32203. {
  32204. const int insetX = getWidth() / 4;
  32205. const int insetY = getHeight() / 4;
  32206. imageSpace.setBounds (insetX, insetY, getWidth() - insetX * 2, getHeight() - insetY * 2);
  32207. getLookAndFeel().drawButtonBackground (g, *this,
  32208. getBackgroundColour(),
  32209. isMouseOverButton,
  32210. isButtonDown);
  32211. }
  32212. else
  32213. {
  32214. g.fillAll (getBackgroundColour());
  32215. const int textH = (style == ImageAboveTextLabel)
  32216. ? jmin (16, proportionOfHeight (0.25f))
  32217. : 0;
  32218. const int indentX = jmin (edgeIndent, proportionOfWidth (0.3f));
  32219. const int indentY = jmin (edgeIndent, proportionOfHeight (0.3f));
  32220. imageSpace.setBounds (indentX, indentY,
  32221. getWidth() - indentX * 2,
  32222. getHeight() - indentY * 2 - textH);
  32223. if (textH > 0)
  32224. {
  32225. g.setFont ((float) textH);
  32226. g.setColour (Colours::black.withAlpha (isEnabled() ? 1.0f : 0.4f));
  32227. g.drawFittedText (getName(),
  32228. 2, getHeight() - textH - 1,
  32229. getWidth() - 4, textH,
  32230. Justification::centred, 1);
  32231. }
  32232. }
  32233. g.setImageResamplingQuality (Graphics::mediumResamplingQuality);
  32234. g.setOpacity (1.0f);
  32235. const Drawable* imageToDraw = 0;
  32236. if (isEnabled())
  32237. {
  32238. imageToDraw = getCurrentImage();
  32239. }
  32240. else
  32241. {
  32242. imageToDraw = getToggleState() ? disabledImageOn
  32243. : disabledImage;
  32244. if (imageToDraw == 0)
  32245. {
  32246. g.setOpacity (0.4f);
  32247. imageToDraw = getNormalImage();
  32248. }
  32249. }
  32250. if (imageToDraw != 0)
  32251. {
  32252. if (style == ImageRaw)
  32253. {
  32254. imageToDraw->draw (g);
  32255. }
  32256. else
  32257. {
  32258. imageToDraw->drawWithin (g,
  32259. imageSpace.getX(),
  32260. imageSpace.getY(),
  32261. imageSpace.getWidth(),
  32262. imageSpace.getHeight(),
  32263. RectanglePlacement::centred);
  32264. }
  32265. }
  32266. }
  32267. const Drawable* DrawableButton::getCurrentImage() const throw()
  32268. {
  32269. if (isDown())
  32270. return getDownImage();
  32271. if (isOver())
  32272. return getOverImage();
  32273. return getNormalImage();
  32274. }
  32275. const Drawable* DrawableButton::getNormalImage() const throw()
  32276. {
  32277. return (getToggleState() && normalImageOn != 0) ? normalImageOn
  32278. : normalImage;
  32279. }
  32280. const Drawable* DrawableButton::getOverImage() const throw()
  32281. {
  32282. const Drawable* d = normalImage;
  32283. if (getToggleState())
  32284. {
  32285. if (overImageOn != 0)
  32286. d = overImageOn;
  32287. else if (normalImageOn != 0)
  32288. d = normalImageOn;
  32289. else if (overImage != 0)
  32290. d = overImage;
  32291. }
  32292. else
  32293. {
  32294. if (overImage != 0)
  32295. d = overImage;
  32296. }
  32297. return d;
  32298. }
  32299. const Drawable* DrawableButton::getDownImage() const throw()
  32300. {
  32301. const Drawable* d = normalImage;
  32302. if (getToggleState())
  32303. {
  32304. if (downImageOn != 0)
  32305. d = downImageOn;
  32306. else if (overImageOn != 0)
  32307. d = overImageOn;
  32308. else if (normalImageOn != 0)
  32309. d = normalImageOn;
  32310. else if (downImage != 0)
  32311. d = downImage;
  32312. else
  32313. d = getOverImage();
  32314. }
  32315. else
  32316. {
  32317. if (downImage != 0)
  32318. d = downImage;
  32319. else
  32320. d = getOverImage();
  32321. }
  32322. return d;
  32323. }
  32324. END_JUCE_NAMESPACE
  32325. /********* End of inlined file: juce_DrawableButton.cpp *********/
  32326. /********* Start of inlined file: juce_HyperlinkButton.cpp *********/
  32327. BEGIN_JUCE_NAMESPACE
  32328. HyperlinkButton::HyperlinkButton (const String& linkText,
  32329. const URL& linkURL)
  32330. : Button (linkText),
  32331. url (linkURL),
  32332. font (14.0f, Font::underlined),
  32333. resizeFont (true),
  32334. justification (Justification::centred)
  32335. {
  32336. setMouseCursor (MouseCursor::PointingHandCursor);
  32337. setTooltip (linkURL.toString (false));
  32338. }
  32339. HyperlinkButton::~HyperlinkButton()
  32340. {
  32341. }
  32342. void HyperlinkButton::setFont (const Font& newFont,
  32343. const bool resizeToMatchComponentHeight,
  32344. const Justification& justificationType)
  32345. {
  32346. font = newFont;
  32347. resizeFont = resizeToMatchComponentHeight;
  32348. justification = justificationType;
  32349. repaint();
  32350. }
  32351. void HyperlinkButton::setURL (const URL& newURL) throw()
  32352. {
  32353. url = newURL;
  32354. setTooltip (newURL.toString (false));
  32355. }
  32356. const Font HyperlinkButton::getFontToUse() const
  32357. {
  32358. Font f (font);
  32359. if (resizeFont)
  32360. f.setHeight (getHeight() * 0.7f);
  32361. return f;
  32362. }
  32363. void HyperlinkButton::changeWidthToFitText()
  32364. {
  32365. setSize (getFontToUse().getStringWidth (getName()) + 6, getHeight());
  32366. }
  32367. void HyperlinkButton::colourChanged()
  32368. {
  32369. repaint();
  32370. }
  32371. void HyperlinkButton::clicked()
  32372. {
  32373. if (url.isWellFormed())
  32374. url.launchInDefaultBrowser();
  32375. }
  32376. void HyperlinkButton::paintButton (Graphics& g,
  32377. bool isMouseOverButton,
  32378. bool isButtonDown)
  32379. {
  32380. const Colour textColour (findColour (textColourId));
  32381. if (isEnabled())
  32382. g.setColour ((isMouseOverButton) ? textColour.darker ((isButtonDown) ? 1.3f : 0.4f)
  32383. : textColour);
  32384. else
  32385. g.setColour (textColour.withMultipliedAlpha (0.4f));
  32386. g.setFont (getFontToUse());
  32387. g.drawText (getButtonText(),
  32388. 2, 0, getWidth() - 2, getHeight(),
  32389. justification.getOnlyHorizontalFlags() | Justification::verticallyCentred,
  32390. true);
  32391. }
  32392. END_JUCE_NAMESPACE
  32393. /********* End of inlined file: juce_HyperlinkButton.cpp *********/
  32394. /********* Start of inlined file: juce_ImageButton.cpp *********/
  32395. BEGIN_JUCE_NAMESPACE
  32396. ImageButton::ImageButton (const String& text)
  32397. : Button (text),
  32398. scaleImageToFit (true),
  32399. preserveProportions (true),
  32400. alphaThreshold (0),
  32401. imageX (0),
  32402. imageY (0),
  32403. imageW (0),
  32404. imageH (0),
  32405. normalImage (0),
  32406. overImage (0),
  32407. downImage (0)
  32408. {
  32409. }
  32410. ImageButton::~ImageButton()
  32411. {
  32412. deleteImages();
  32413. }
  32414. void ImageButton::deleteImages()
  32415. {
  32416. if (normalImage != 0)
  32417. {
  32418. if (ImageCache::isImageInCache (normalImage))
  32419. ImageCache::release (normalImage);
  32420. else
  32421. delete normalImage;
  32422. }
  32423. if (overImage != 0)
  32424. {
  32425. if (ImageCache::isImageInCache (overImage))
  32426. ImageCache::release (overImage);
  32427. else
  32428. delete overImage;
  32429. }
  32430. if (downImage != 0)
  32431. {
  32432. if (ImageCache::isImageInCache (downImage))
  32433. ImageCache::release (downImage);
  32434. else
  32435. delete downImage;
  32436. }
  32437. }
  32438. void ImageButton::setImages (const bool resizeButtonNowToFitThisImage,
  32439. const bool rescaleImagesWhenButtonSizeChanges,
  32440. const bool preserveImageProportions,
  32441. Image* const normalImage_,
  32442. const float imageOpacityWhenNormal,
  32443. const Colour& overlayColourWhenNormal,
  32444. Image* const overImage_,
  32445. const float imageOpacityWhenOver,
  32446. const Colour& overlayColourWhenOver,
  32447. Image* const downImage_,
  32448. const float imageOpacityWhenDown,
  32449. const Colour& overlayColourWhenDown,
  32450. const float hitTestAlphaThreshold)
  32451. {
  32452. deleteImages();
  32453. normalImage = normalImage_;
  32454. overImage = overImage_;
  32455. downImage = downImage_;
  32456. if (resizeButtonNowToFitThisImage && normalImage != 0)
  32457. {
  32458. imageW = normalImage->getWidth();
  32459. imageH = normalImage->getHeight();
  32460. setSize (imageW, imageH);
  32461. }
  32462. scaleImageToFit = rescaleImagesWhenButtonSizeChanges;
  32463. preserveProportions = preserveImageProportions;
  32464. normalOpacity = imageOpacityWhenNormal;
  32465. normalOverlay = overlayColourWhenNormal;
  32466. overOpacity = imageOpacityWhenOver;
  32467. overOverlay = overlayColourWhenOver;
  32468. downOpacity = imageOpacityWhenDown;
  32469. downOverlay = overlayColourWhenDown;
  32470. alphaThreshold = (unsigned char) jlimit (0, 0xff, roundFloatToInt (255.0f * hitTestAlphaThreshold));
  32471. repaint();
  32472. }
  32473. Image* ImageButton::getCurrentImage() const
  32474. {
  32475. if (isDown())
  32476. return getDownImage();
  32477. if (isOver())
  32478. return getOverImage();
  32479. return getNormalImage();
  32480. }
  32481. Image* ImageButton::getNormalImage() const throw()
  32482. {
  32483. return normalImage;
  32484. }
  32485. Image* ImageButton::getOverImage() const throw()
  32486. {
  32487. return (overImage != 0) ? overImage
  32488. : normalImage;
  32489. }
  32490. Image* ImageButton::getDownImage() const throw()
  32491. {
  32492. return (downImage != 0) ? downImage
  32493. : getOverImage();
  32494. }
  32495. void ImageButton::paintButton (Graphics& g,
  32496. bool isMouseOverButton,
  32497. bool isButtonDown)
  32498. {
  32499. if (! isEnabled())
  32500. {
  32501. isMouseOverButton = false;
  32502. isButtonDown = false;
  32503. }
  32504. Image* const im = getCurrentImage();
  32505. if (im != 0)
  32506. {
  32507. const int iw = im->getWidth();
  32508. const int ih = im->getHeight();
  32509. imageW = getWidth();
  32510. imageH = getHeight();
  32511. imageX = (imageW - iw) >> 1;
  32512. imageY = (imageH - ih) >> 1;
  32513. if (scaleImageToFit)
  32514. {
  32515. if (preserveProportions)
  32516. {
  32517. int newW, newH;
  32518. const float imRatio = ih / (float)iw;
  32519. const float destRatio = imageH / (float)imageW;
  32520. if (imRatio > destRatio)
  32521. {
  32522. newW = roundFloatToInt (imageH / imRatio);
  32523. newH = imageH;
  32524. }
  32525. else
  32526. {
  32527. newW = imageW;
  32528. newH = roundFloatToInt (imageW * imRatio);
  32529. }
  32530. imageX = (imageW - newW) / 2;
  32531. imageY = (imageH - newH) / 2;
  32532. imageW = newW;
  32533. imageH = newH;
  32534. }
  32535. else
  32536. {
  32537. imageX = 0;
  32538. imageY = 0;
  32539. }
  32540. }
  32541. const Colour& overlayColour = (isButtonDown) ? downOverlay
  32542. : ((isMouseOverButton) ? overOverlay
  32543. : normalOverlay);
  32544. if (! overlayColour.isOpaque())
  32545. {
  32546. g.setOpacity ((isButtonDown) ? downOpacity
  32547. : ((isMouseOverButton) ? overOpacity
  32548. : normalOpacity));
  32549. if (scaleImageToFit)
  32550. g.drawImage (im, imageX, imageY, imageW, imageH, 0, 0, iw, ih, false);
  32551. else
  32552. g.drawImageAt (im, imageX, imageY, false);
  32553. }
  32554. if (! overlayColour.isTransparent())
  32555. {
  32556. g.setColour (overlayColour);
  32557. if (scaleImageToFit)
  32558. g.drawImage (im, imageX, imageY, imageW, imageH, 0, 0, iw, ih, true);
  32559. else
  32560. g.drawImageAt (im, imageX, imageY, true);
  32561. }
  32562. }
  32563. }
  32564. bool ImageButton::hitTest (int x, int y)
  32565. {
  32566. if (alphaThreshold == 0)
  32567. return true;
  32568. Image* const im = getCurrentImage();
  32569. return im == 0
  32570. || (imageW > 0 && imageH > 0
  32571. && alphaThreshold < im->getPixelAt (((x - imageX) * im->getWidth()) / imageW,
  32572. ((y - imageY) * im->getHeight()) / imageH).getAlpha());
  32573. }
  32574. END_JUCE_NAMESPACE
  32575. /********* End of inlined file: juce_ImageButton.cpp *********/
  32576. /********* Start of inlined file: juce_ShapeButton.cpp *********/
  32577. BEGIN_JUCE_NAMESPACE
  32578. ShapeButton::ShapeButton (const String& text,
  32579. const Colour& normalColour_,
  32580. const Colour& overColour_,
  32581. const Colour& downColour_)
  32582. : Button (text),
  32583. normalColour (normalColour_),
  32584. overColour (overColour_),
  32585. downColour (downColour_),
  32586. maintainShapeProportions (false),
  32587. outlineWidth (0.0f)
  32588. {
  32589. }
  32590. ShapeButton::~ShapeButton()
  32591. {
  32592. }
  32593. void ShapeButton::setColours (const Colour& newNormalColour,
  32594. const Colour& newOverColour,
  32595. const Colour& newDownColour)
  32596. {
  32597. normalColour = newNormalColour;
  32598. overColour = newOverColour;
  32599. downColour = newDownColour;
  32600. }
  32601. void ShapeButton::setOutline (const Colour& newOutlineColour,
  32602. const float newOutlineWidth)
  32603. {
  32604. outlineColour = newOutlineColour;
  32605. outlineWidth = newOutlineWidth;
  32606. }
  32607. void ShapeButton::setShape (const Path& newShape,
  32608. const bool resizeNowToFitThisShape,
  32609. const bool maintainShapeProportions_,
  32610. const bool hasShadow)
  32611. {
  32612. shape = newShape;
  32613. maintainShapeProportions = maintainShapeProportions_;
  32614. shadow.setShadowProperties (3.0f, 0.5f, 0, 0);
  32615. setComponentEffect ((hasShadow) ? &shadow : 0);
  32616. if (resizeNowToFitThisShape)
  32617. {
  32618. float x, y, w, h;
  32619. shape.getBounds (x, y, w, h);
  32620. shape.applyTransform (AffineTransform::translation (-x, -y));
  32621. if (hasShadow)
  32622. {
  32623. w += 4.0f;
  32624. h += 4.0f;
  32625. shape.applyTransform (AffineTransform::translation (2.0f, 2.0f));
  32626. }
  32627. setSize (1 + (int) (w + outlineWidth),
  32628. 1 + (int) (h + outlineWidth));
  32629. }
  32630. }
  32631. void ShapeButton::paintButton (Graphics& g, bool isMouseOverButton, bool isButtonDown)
  32632. {
  32633. if (! isEnabled())
  32634. {
  32635. isMouseOverButton = false;
  32636. isButtonDown = false;
  32637. }
  32638. g.setColour ((isButtonDown) ? downColour
  32639. : (isMouseOverButton) ? overColour
  32640. : normalColour);
  32641. int w = getWidth();
  32642. int h = getHeight();
  32643. if (getComponentEffect() != 0)
  32644. {
  32645. w -= 4;
  32646. h -= 4;
  32647. }
  32648. const float offset = (outlineWidth * 0.5f) + (isButtonDown ? 1.5f : 0.0f);
  32649. const AffineTransform trans (shape.getTransformToScaleToFit (offset, offset,
  32650. w - offset - outlineWidth,
  32651. h - offset - outlineWidth,
  32652. maintainShapeProportions));
  32653. g.fillPath (shape, trans);
  32654. if (outlineWidth > 0.0f)
  32655. {
  32656. g.setColour (outlineColour);
  32657. g.strokePath (shape, PathStrokeType (outlineWidth), trans);
  32658. }
  32659. }
  32660. END_JUCE_NAMESPACE
  32661. /********* End of inlined file: juce_ShapeButton.cpp *********/
  32662. /********* Start of inlined file: juce_TextButton.cpp *********/
  32663. BEGIN_JUCE_NAMESPACE
  32664. TextButton::TextButton (const String& name,
  32665. const String& toolTip)
  32666. : Button (name)
  32667. {
  32668. setTooltip (toolTip);
  32669. }
  32670. TextButton::~TextButton()
  32671. {
  32672. }
  32673. void TextButton::paintButton (Graphics& g,
  32674. bool isMouseOverButton,
  32675. bool isButtonDown)
  32676. {
  32677. getLookAndFeel().drawButtonBackground (g, *this,
  32678. findColour (getToggleState() ? buttonOnColourId
  32679. : buttonColourId),
  32680. isMouseOverButton,
  32681. isButtonDown);
  32682. getLookAndFeel().drawButtonText (g, *this,
  32683. isMouseOverButton,
  32684. isButtonDown);
  32685. }
  32686. void TextButton::colourChanged()
  32687. {
  32688. repaint();
  32689. }
  32690. const Font TextButton::getFont()
  32691. {
  32692. return Font (jmin (15.0f, getHeight() * 0.6f));
  32693. }
  32694. void TextButton::changeWidthToFitText (const int newHeight)
  32695. {
  32696. if (newHeight >= 0)
  32697. setSize (jmax (1, getWidth()), newHeight);
  32698. setSize (getFont().getStringWidth (getButtonText()) + getHeight(),
  32699. getHeight());
  32700. }
  32701. END_JUCE_NAMESPACE
  32702. /********* End of inlined file: juce_TextButton.cpp *********/
  32703. /********* Start of inlined file: juce_ToggleButton.cpp *********/
  32704. BEGIN_JUCE_NAMESPACE
  32705. ToggleButton::ToggleButton (const String& buttonText)
  32706. : Button (buttonText)
  32707. {
  32708. setClickingTogglesState (true);
  32709. }
  32710. ToggleButton::~ToggleButton()
  32711. {
  32712. }
  32713. void ToggleButton::paintButton (Graphics& g,
  32714. bool isMouseOverButton,
  32715. bool isButtonDown)
  32716. {
  32717. getLookAndFeel().drawToggleButton (g, *this,
  32718. isMouseOverButton,
  32719. isButtonDown);
  32720. }
  32721. void ToggleButton::changeWidthToFitText()
  32722. {
  32723. getLookAndFeel().changeToggleButtonWidthToFitText (*this);
  32724. }
  32725. void ToggleButton::colourChanged()
  32726. {
  32727. repaint();
  32728. }
  32729. END_JUCE_NAMESPACE
  32730. /********* End of inlined file: juce_ToggleButton.cpp *********/
  32731. /********* Start of inlined file: juce_ToolbarButton.cpp *********/
  32732. BEGIN_JUCE_NAMESPACE
  32733. ToolbarButton::ToolbarButton (const int itemId,
  32734. const String& buttonText,
  32735. Drawable* const normalImage_,
  32736. Drawable* const toggledOnImage_)
  32737. : ToolbarItemComponent (itemId, buttonText, true),
  32738. normalImage (normalImage_),
  32739. toggledOnImage (toggledOnImage_)
  32740. {
  32741. }
  32742. ToolbarButton::~ToolbarButton()
  32743. {
  32744. delete normalImage;
  32745. delete toggledOnImage;
  32746. }
  32747. bool ToolbarButton::getToolbarItemSizes (int toolbarDepth,
  32748. bool /*isToolbarVertical*/,
  32749. int& preferredSize,
  32750. int& minSize, int& maxSize)
  32751. {
  32752. preferredSize = minSize = maxSize = toolbarDepth;
  32753. return true;
  32754. }
  32755. void ToolbarButton::paintButtonArea (Graphics& g,
  32756. int width, int height,
  32757. bool /*isMouseOver*/,
  32758. bool /*isMouseDown*/)
  32759. {
  32760. Drawable* d = normalImage;
  32761. if (getToggleState() && toggledOnImage != 0)
  32762. d = toggledOnImage;
  32763. if (! isEnabled())
  32764. {
  32765. Image im (Image::ARGB, width, height, true);
  32766. Graphics g2 (im);
  32767. d->drawWithin (g2, 0, 0, width, height, RectanglePlacement::centred);
  32768. im.desaturate();
  32769. g.drawImageAt (&im, 0, 0);
  32770. }
  32771. else
  32772. {
  32773. d->drawWithin (g, 0, 0, width, height, RectanglePlacement::centred);
  32774. }
  32775. }
  32776. void ToolbarButton::contentAreaChanged (const Rectangle&)
  32777. {
  32778. }
  32779. END_JUCE_NAMESPACE
  32780. /********* End of inlined file: juce_ToolbarButton.cpp *********/
  32781. /********* Start of inlined file: juce_ComboBox.cpp *********/
  32782. BEGIN_JUCE_NAMESPACE
  32783. ComboBox::ComboBox (const String& name)
  32784. : Component (name),
  32785. items (4),
  32786. currentIndex (-1),
  32787. isButtonDown (false),
  32788. separatorPending (false),
  32789. menuActive (false),
  32790. listeners (2),
  32791. label (0)
  32792. {
  32793. noChoicesMessage = TRANS("(no choices)");
  32794. setRepaintsOnMouseActivity (true);
  32795. lookAndFeelChanged();
  32796. }
  32797. ComboBox::~ComboBox()
  32798. {
  32799. if (menuActive)
  32800. PopupMenu::dismissAllActiveMenus();
  32801. deleteAllChildren();
  32802. }
  32803. void ComboBox::setEditableText (const bool isEditable)
  32804. {
  32805. label->setEditable (isEditable, isEditable, false);
  32806. setWantsKeyboardFocus (! isEditable);
  32807. resized();
  32808. }
  32809. bool ComboBox::isTextEditable() const throw()
  32810. {
  32811. return label->isEditable();
  32812. }
  32813. void ComboBox::setJustificationType (const Justification& justification) throw()
  32814. {
  32815. label->setJustificationType (justification);
  32816. }
  32817. const Justification ComboBox::getJustificationType() const throw()
  32818. {
  32819. return label->getJustificationType();
  32820. }
  32821. void ComboBox::setTooltip (const String& newTooltip)
  32822. {
  32823. SettableTooltipClient::setTooltip (newTooltip);
  32824. label->setTooltip (newTooltip);
  32825. }
  32826. void ComboBox::addItem (const String& newItemText,
  32827. const int newItemId) throw()
  32828. {
  32829. // you can't add empty strings to the list..
  32830. jassert (newItemText.isNotEmpty());
  32831. // IDs must be non-zero, as zero is used to indicate a lack of selecion.
  32832. jassert (newItemId != 0);
  32833. // you shouldn't use duplicate item IDs!
  32834. jassert (getItemForId (newItemId) == 0);
  32835. if (newItemText.isNotEmpty() && newItemId != 0)
  32836. {
  32837. if (separatorPending)
  32838. {
  32839. separatorPending = false;
  32840. ItemInfo* const item = new ItemInfo();
  32841. item->itemId = 0;
  32842. item->isEnabled = false;
  32843. item->isHeading = false;
  32844. items.add (item);
  32845. }
  32846. ItemInfo* const item = new ItemInfo();
  32847. item->name = newItemText;
  32848. item->itemId = newItemId;
  32849. item->isEnabled = true;
  32850. item->isHeading = false;
  32851. items.add (item);
  32852. }
  32853. }
  32854. void ComboBox::addSeparator() throw()
  32855. {
  32856. separatorPending = (items.size() > 0);
  32857. }
  32858. void ComboBox::addSectionHeading (const String& headingName) throw()
  32859. {
  32860. // you can't add empty strings to the list..
  32861. jassert (headingName.isNotEmpty());
  32862. if (headingName.isNotEmpty())
  32863. {
  32864. if (separatorPending)
  32865. {
  32866. separatorPending = false;
  32867. ItemInfo* const item = new ItemInfo();
  32868. item->itemId = 0;
  32869. item->isEnabled = false;
  32870. item->isHeading = false;
  32871. items.add (item);
  32872. }
  32873. ItemInfo* const item = new ItemInfo();
  32874. item->name = headingName;
  32875. item->itemId = 0;
  32876. item->isEnabled = true;
  32877. item->isHeading = true;
  32878. items.add (item);
  32879. }
  32880. }
  32881. void ComboBox::setItemEnabled (const int itemId,
  32882. const bool isEnabled) throw()
  32883. {
  32884. ItemInfo* const item = getItemForId (itemId);
  32885. if (item != 0)
  32886. item->isEnabled = isEnabled;
  32887. }
  32888. void ComboBox::changeItemText (const int itemId,
  32889. const String& newText) throw()
  32890. {
  32891. ItemInfo* const item = getItemForId (itemId);
  32892. jassert (item != 0);
  32893. if (item != 0)
  32894. item->name = newText;
  32895. }
  32896. void ComboBox::clear (const bool dontSendChangeMessage)
  32897. {
  32898. items.clear();
  32899. separatorPending = false;
  32900. if (! label->isEditable())
  32901. setSelectedItemIndex (-1, dontSendChangeMessage);
  32902. }
  32903. ComboBox::ItemInfo* ComboBox::getItemForId (const int itemId) const throw()
  32904. {
  32905. jassert (itemId != 0);
  32906. if (itemId != 0)
  32907. {
  32908. for (int i = items.size(); --i >= 0;)
  32909. if (items.getUnchecked(i)->itemId == itemId)
  32910. return items.getUnchecked(i);
  32911. }
  32912. return 0;
  32913. }
  32914. ComboBox::ItemInfo* ComboBox::getItemForIndex (const int index) const throw()
  32915. {
  32916. int n = 0;
  32917. for (int i = 0; i < items.size(); ++i)
  32918. {
  32919. ItemInfo* const item = items.getUnchecked(i);
  32920. if (item->isRealItem())
  32921. {
  32922. if (n++ == index)
  32923. return item;
  32924. }
  32925. }
  32926. return 0;
  32927. }
  32928. int ComboBox::getNumItems() const throw()
  32929. {
  32930. int n = 0;
  32931. for (int i = items.size(); --i >= 0;)
  32932. {
  32933. ItemInfo* const item = items.getUnchecked(i);
  32934. if (item->isRealItem())
  32935. ++n;
  32936. }
  32937. return n;
  32938. }
  32939. const String ComboBox::getItemText (const int index) const throw()
  32940. {
  32941. ItemInfo* const item = getItemForIndex (index);
  32942. if (item != 0)
  32943. return item->name;
  32944. return String::empty;
  32945. }
  32946. int ComboBox::getItemId (const int index) const throw()
  32947. {
  32948. ItemInfo* const item = getItemForIndex (index);
  32949. return (item != 0) ? item->itemId : 0;
  32950. }
  32951. bool ComboBox::ItemInfo::isSeparator() const throw()
  32952. {
  32953. return name.isEmpty();
  32954. }
  32955. bool ComboBox::ItemInfo::isRealItem() const throw()
  32956. {
  32957. return ! (isHeading || name.isEmpty());
  32958. }
  32959. int ComboBox::getSelectedItemIndex() const throw()
  32960. {
  32961. return (currentIndex >= 0 && getText() == getItemText (currentIndex))
  32962. ? currentIndex
  32963. : -1;
  32964. }
  32965. void ComboBox::setSelectedItemIndex (const int index,
  32966. const bool dontSendChangeMessage) throw()
  32967. {
  32968. if (currentIndex != index || label->getText() != getItemText (currentIndex))
  32969. {
  32970. if (((unsigned int) index) < (unsigned int) getNumItems())
  32971. currentIndex = index;
  32972. else
  32973. currentIndex = -1;
  32974. label->setText (getItemText (currentIndex), false);
  32975. if (! dontSendChangeMessage)
  32976. triggerAsyncUpdate();
  32977. }
  32978. }
  32979. void ComboBox::setSelectedId (const int newItemId,
  32980. const bool dontSendChangeMessage) throw()
  32981. {
  32982. for (int i = getNumItems(); --i >= 0;)
  32983. {
  32984. if (getItemId(i) == newItemId)
  32985. {
  32986. setSelectedItemIndex (i, dontSendChangeMessage);
  32987. break;
  32988. }
  32989. }
  32990. }
  32991. int ComboBox::getSelectedId() const throw()
  32992. {
  32993. const ItemInfo* const item = getItemForIndex (currentIndex);
  32994. return (item != 0 && getText() == item->name)
  32995. ? item->itemId
  32996. : 0;
  32997. }
  32998. void ComboBox::addListener (ComboBoxListener* const listener) throw()
  32999. {
  33000. jassert (listener != 0);
  33001. if (listener != 0)
  33002. listeners.add (listener);
  33003. }
  33004. void ComboBox::removeListener (ComboBoxListener* const listener) throw()
  33005. {
  33006. listeners.removeValue (listener);
  33007. }
  33008. void ComboBox::handleAsyncUpdate()
  33009. {
  33010. for (int i = listeners.size(); --i >= 0;)
  33011. {
  33012. ((ComboBoxListener*) listeners.getUnchecked (i))->comboBoxChanged (this);
  33013. i = jmin (i, listeners.size());
  33014. }
  33015. }
  33016. const String ComboBox::getText() const throw()
  33017. {
  33018. return label->getText();
  33019. }
  33020. void ComboBox::setText (const String& newText,
  33021. const bool dontSendChangeMessage) throw()
  33022. {
  33023. for (int i = items.size(); --i >= 0;)
  33024. {
  33025. ItemInfo* const item = items.getUnchecked(i);
  33026. if (item->isRealItem()
  33027. && item->name == newText)
  33028. {
  33029. setSelectedId (item->itemId, dontSendChangeMessage);
  33030. return;
  33031. }
  33032. }
  33033. currentIndex = -1;
  33034. if (label->getText() != newText)
  33035. {
  33036. label->setText (newText, false);
  33037. if (! dontSendChangeMessage)
  33038. triggerAsyncUpdate();
  33039. }
  33040. repaint();
  33041. }
  33042. void ComboBox::showEditor()
  33043. {
  33044. jassert (isTextEditable()); // you probably shouldn't do this to a non-editable combo box?
  33045. label->showEditor();
  33046. }
  33047. void ComboBox::setTextWhenNothingSelected (const String& newMessage) throw()
  33048. {
  33049. textWhenNothingSelected = newMessage;
  33050. repaint();
  33051. }
  33052. const String ComboBox::getTextWhenNothingSelected() const throw()
  33053. {
  33054. return textWhenNothingSelected;
  33055. }
  33056. void ComboBox::setTextWhenNoChoicesAvailable (const String& newMessage) throw()
  33057. {
  33058. noChoicesMessage = newMessage;
  33059. }
  33060. const String ComboBox::getTextWhenNoChoicesAvailable() const throw()
  33061. {
  33062. return noChoicesMessage;
  33063. }
  33064. void ComboBox::paint (Graphics& g)
  33065. {
  33066. getLookAndFeel().drawComboBox (g,
  33067. getWidth(),
  33068. getHeight(),
  33069. isButtonDown,
  33070. label->getRight(),
  33071. 0,
  33072. getWidth() - label->getRight(),
  33073. getHeight(),
  33074. *this);
  33075. if (textWhenNothingSelected.isNotEmpty()
  33076. && label->getText().isEmpty()
  33077. && ! label->isBeingEdited())
  33078. {
  33079. g.setColour (findColour (textColourId).withMultipliedAlpha (0.5f));
  33080. g.setFont (label->getFont());
  33081. g.drawFittedText (textWhenNothingSelected,
  33082. label->getX() + 2, label->getY() + 1,
  33083. label->getWidth() - 4, label->getHeight() - 2,
  33084. label->getJustificationType(),
  33085. jmax (1, (int) (label->getHeight() / label->getFont().getHeight())));
  33086. }
  33087. }
  33088. void ComboBox::resized()
  33089. {
  33090. if (getHeight() > 0 && getWidth() > 0)
  33091. getLookAndFeel().positionComboBoxText (*this, *label);
  33092. }
  33093. void ComboBox::enablementChanged()
  33094. {
  33095. repaint();
  33096. }
  33097. void ComboBox::lookAndFeelChanged()
  33098. {
  33099. repaint();
  33100. Label* const newLabel = getLookAndFeel().createComboBoxTextBox (*this);
  33101. if (label != 0)
  33102. {
  33103. newLabel->setEditable (label->isEditable());
  33104. newLabel->setJustificationType (label->getJustificationType());
  33105. newLabel->setTooltip (label->getTooltip());
  33106. newLabel->setText (label->getText(), false);
  33107. }
  33108. delete label;
  33109. label = newLabel;
  33110. addAndMakeVisible (newLabel);
  33111. newLabel->addListener (this);
  33112. newLabel->addMouseListener (this, false);
  33113. newLabel->setColour (Label::backgroundColourId, Colours::transparentBlack);
  33114. newLabel->setColour (Label::textColourId, findColour (ComboBox::textColourId));
  33115. newLabel->setColour (TextEditor::textColourId, findColour (ComboBox::textColourId));
  33116. newLabel->setColour (TextEditor::backgroundColourId, Colours::transparentBlack);
  33117. newLabel->setColour (TextEditor::highlightColourId, findColour (TextEditor::highlightColourId));
  33118. newLabel->setColour (TextEditor::outlineColourId, Colours::transparentBlack);
  33119. resized();
  33120. }
  33121. void ComboBox::colourChanged()
  33122. {
  33123. lookAndFeelChanged();
  33124. }
  33125. bool ComboBox::keyPressed (const KeyPress& key)
  33126. {
  33127. bool used = false;
  33128. if (key.isKeyCode (KeyPress::upKey)
  33129. || key.isKeyCode (KeyPress::leftKey))
  33130. {
  33131. setSelectedItemIndex (jmax (0, currentIndex - 1));
  33132. used = true;
  33133. }
  33134. else if (key.isKeyCode (KeyPress::downKey)
  33135. || key.isKeyCode (KeyPress::rightKey))
  33136. {
  33137. setSelectedItemIndex (jmin (currentIndex + 1, getNumItems() - 1));
  33138. used = true;
  33139. }
  33140. else if (key.isKeyCode (KeyPress::returnKey))
  33141. {
  33142. showPopup();
  33143. used = true;
  33144. }
  33145. return used;
  33146. }
  33147. bool ComboBox::keyStateChanged()
  33148. {
  33149. // only forward key events that aren't used by this component
  33150. return KeyPress::isKeyCurrentlyDown (KeyPress::upKey)
  33151. || KeyPress::isKeyCurrentlyDown (KeyPress::leftKey)
  33152. || KeyPress::isKeyCurrentlyDown (KeyPress::downKey)
  33153. || KeyPress::isKeyCurrentlyDown (KeyPress::rightKey);
  33154. }
  33155. void ComboBox::focusGained (FocusChangeType)
  33156. {
  33157. repaint();
  33158. }
  33159. void ComboBox::focusLost (FocusChangeType)
  33160. {
  33161. repaint();
  33162. }
  33163. void ComboBox::labelTextChanged (Label*)
  33164. {
  33165. triggerAsyncUpdate();
  33166. }
  33167. void ComboBox::showPopup()
  33168. {
  33169. if (! menuActive)
  33170. {
  33171. const int currentId = getSelectedId();
  33172. ComponentDeletionWatcher deletionWatcher (this);
  33173. PopupMenu menu;
  33174. menu.setLookAndFeel (&getLookAndFeel());
  33175. for (int i = 0; i < items.size(); ++i)
  33176. {
  33177. const ItemInfo* const item = items.getUnchecked(i);
  33178. if (item->isSeparator())
  33179. menu.addSeparator();
  33180. else if (item->isHeading)
  33181. menu.addSectionHeader (item->name);
  33182. else
  33183. menu.addItem (item->itemId, item->name,
  33184. item->isEnabled, item->itemId == currentId);
  33185. }
  33186. if (items.size() == 0)
  33187. menu.addItem (1, noChoicesMessage, false);
  33188. const int itemHeight = jlimit (12, 24, getHeight());
  33189. menuActive = true;
  33190. const int resultId = menu.showAt (this, currentId,
  33191. getWidth(), 1, itemHeight);
  33192. if (deletionWatcher.hasBeenDeleted())
  33193. return;
  33194. menuActive = false;
  33195. if (resultId != 0)
  33196. setSelectedId (resultId);
  33197. }
  33198. }
  33199. void ComboBox::mouseDown (const MouseEvent& e)
  33200. {
  33201. beginDragAutoRepeat (300);
  33202. isButtonDown = isEnabled();
  33203. if (isButtonDown
  33204. && (e.eventComponent == this || ! label->isEditable()))
  33205. {
  33206. showPopup();
  33207. }
  33208. }
  33209. void ComboBox::mouseDrag (const MouseEvent& e)
  33210. {
  33211. beginDragAutoRepeat (50);
  33212. if (isButtonDown && ! e.mouseWasClicked())
  33213. showPopup();
  33214. }
  33215. void ComboBox::mouseUp (const MouseEvent& e2)
  33216. {
  33217. if (isButtonDown)
  33218. {
  33219. isButtonDown = false;
  33220. repaint();
  33221. const MouseEvent e (e2.getEventRelativeTo (this));
  33222. if (reallyContains (e.x, e.y, true)
  33223. && (e2.eventComponent == this || ! label->isEditable()))
  33224. {
  33225. showPopup();
  33226. }
  33227. }
  33228. }
  33229. END_JUCE_NAMESPACE
  33230. /********* End of inlined file: juce_ComboBox.cpp *********/
  33231. /********* Start of inlined file: juce_Label.cpp *********/
  33232. BEGIN_JUCE_NAMESPACE
  33233. Label::Label (const String& componentName,
  33234. const String& labelText)
  33235. : Component (componentName),
  33236. text (labelText),
  33237. font (15.0f),
  33238. justification (Justification::centredLeft),
  33239. editor (0),
  33240. listeners (2),
  33241. ownerComponent (0),
  33242. deletionWatcher (0),
  33243. editSingleClick (false),
  33244. editDoubleClick (false),
  33245. lossOfFocusDiscardsChanges (false)
  33246. {
  33247. setColour (TextEditor::textColourId, Colours::black);
  33248. setColour (TextEditor::backgroundColourId, Colours::transparentBlack);
  33249. setColour (TextEditor::outlineColourId, Colours::transparentBlack);
  33250. }
  33251. Label::~Label()
  33252. {
  33253. if (ownerComponent != 0 && ! deletionWatcher->hasBeenDeleted())
  33254. ownerComponent->removeComponentListener (this);
  33255. deleteAndZero (deletionWatcher);
  33256. if (editor != 0)
  33257. delete editor;
  33258. }
  33259. void Label::setText (const String& newText,
  33260. const bool broadcastChangeMessage)
  33261. {
  33262. hideEditor (true);
  33263. if (text != newText)
  33264. {
  33265. text = newText;
  33266. if (broadcastChangeMessage)
  33267. triggerAsyncUpdate();
  33268. repaint();
  33269. if (ownerComponent != 0 && ! deletionWatcher->hasBeenDeleted())
  33270. componentMovedOrResized (*ownerComponent, true, true);
  33271. }
  33272. }
  33273. const String Label::getText (const bool returnActiveEditorContents) const throw()
  33274. {
  33275. return (returnActiveEditorContents && isBeingEdited())
  33276. ? editor->getText()
  33277. : text;
  33278. }
  33279. void Label::setFont (const Font& newFont) throw()
  33280. {
  33281. font = newFont;
  33282. repaint();
  33283. }
  33284. const Font& Label::getFont() const throw()
  33285. {
  33286. return font;
  33287. }
  33288. void Label::setEditable (const bool editOnSingleClick,
  33289. const bool editOnDoubleClick,
  33290. const bool lossOfFocusDiscardsChanges_) throw()
  33291. {
  33292. editSingleClick = editOnSingleClick;
  33293. editDoubleClick = editOnDoubleClick;
  33294. lossOfFocusDiscardsChanges = lossOfFocusDiscardsChanges_;
  33295. setWantsKeyboardFocus (editOnSingleClick || editOnDoubleClick);
  33296. setFocusContainer (editOnSingleClick || editOnDoubleClick);
  33297. }
  33298. void Label::setJustificationType (const Justification& justification_) throw()
  33299. {
  33300. justification = justification_;
  33301. repaint();
  33302. }
  33303. void Label::attachToComponent (Component* owner,
  33304. const bool onLeft)
  33305. {
  33306. if (ownerComponent != 0 && ! deletionWatcher->hasBeenDeleted())
  33307. ownerComponent->removeComponentListener (this);
  33308. deleteAndZero (deletionWatcher);
  33309. ownerComponent = owner;
  33310. leftOfOwnerComp = onLeft;
  33311. if (ownerComponent != 0)
  33312. {
  33313. deletionWatcher = new ComponentDeletionWatcher (owner);
  33314. setVisible (owner->isVisible());
  33315. ownerComponent->addComponentListener (this);
  33316. componentParentHierarchyChanged (*ownerComponent);
  33317. componentMovedOrResized (*ownerComponent, true, true);
  33318. }
  33319. }
  33320. void Label::componentMovedOrResized (Component& component,
  33321. bool /*wasMoved*/,
  33322. bool /*wasResized*/)
  33323. {
  33324. if (leftOfOwnerComp)
  33325. {
  33326. setSize (jmin (getFont().getStringWidth (text) + 8, component.getX()),
  33327. component.getHeight());
  33328. setTopRightPosition (component.getX(), component.getY());
  33329. }
  33330. else
  33331. {
  33332. setSize (component.getWidth(),
  33333. 8 + roundFloatToInt (getFont().getHeight()));
  33334. setTopLeftPosition (component.getX(), component.getY() - getHeight());
  33335. }
  33336. }
  33337. void Label::componentParentHierarchyChanged (Component& component)
  33338. {
  33339. if (component.getParentComponent() != 0)
  33340. component.getParentComponent()->addChildComponent (this);
  33341. }
  33342. void Label::componentVisibilityChanged (Component& component)
  33343. {
  33344. setVisible (component.isVisible());
  33345. }
  33346. void Label::textWasEdited()
  33347. {
  33348. }
  33349. void Label::showEditor()
  33350. {
  33351. if (editor == 0)
  33352. {
  33353. addAndMakeVisible (editor = createEditorComponent());
  33354. editor->setText (getText());
  33355. editor->addListener (this);
  33356. editor->grabKeyboardFocus();
  33357. editor->setHighlightedRegion (0, text.length());
  33358. editor->addListener (this);
  33359. resized();
  33360. repaint();
  33361. enterModalState();
  33362. editor->grabKeyboardFocus();
  33363. }
  33364. }
  33365. bool Label::updateFromTextEditorContents()
  33366. {
  33367. jassert (editor != 0);
  33368. const String newText (editor->getText());
  33369. if (text != newText)
  33370. {
  33371. text = newText;
  33372. triggerAsyncUpdate();
  33373. repaint();
  33374. if (ownerComponent != 0 && ! deletionWatcher->hasBeenDeleted())
  33375. componentMovedOrResized (*ownerComponent, true, true);
  33376. return true;
  33377. }
  33378. return false;
  33379. }
  33380. void Label::hideEditor (const bool discardCurrentEditorContents)
  33381. {
  33382. if (editor != 0)
  33383. {
  33384. const bool changed = (! discardCurrentEditorContents)
  33385. && updateFromTextEditorContents();
  33386. deleteAndZero (editor);
  33387. repaint();
  33388. if (changed)
  33389. textWasEdited();
  33390. exitModalState (0);
  33391. }
  33392. }
  33393. void Label::inputAttemptWhenModal()
  33394. {
  33395. if (editor != 0)
  33396. {
  33397. if (lossOfFocusDiscardsChanges)
  33398. textEditorEscapeKeyPressed (*editor);
  33399. else
  33400. textEditorReturnKeyPressed (*editor);
  33401. }
  33402. }
  33403. bool Label::isBeingEdited() const throw()
  33404. {
  33405. return editor != 0;
  33406. }
  33407. TextEditor* Label::createEditorComponent()
  33408. {
  33409. TextEditor* const ed = new TextEditor (getName());
  33410. ed->setFont (font);
  33411. // copy these colours from our own settings..
  33412. const int cols[] = { TextEditor::backgroundColourId,
  33413. TextEditor::textColourId,
  33414. TextEditor::highlightColourId,
  33415. TextEditor::highlightedTextColourId,
  33416. TextEditor::caretColourId,
  33417. TextEditor::outlineColourId,
  33418. TextEditor::focusedOutlineColourId,
  33419. TextEditor::shadowColourId };
  33420. for (int i = 0; i < numElementsInArray (cols); ++i)
  33421. ed->setColour (cols[i], findColour (cols[i]));
  33422. return ed;
  33423. }
  33424. void Label::paint (Graphics& g)
  33425. {
  33426. g.fillAll (findColour (backgroundColourId));
  33427. if (editor == 0)
  33428. {
  33429. const float alpha = isEnabled() ? 1.0f : 0.5f;
  33430. g.setColour (findColour (textColourId).withMultipliedAlpha (alpha));
  33431. g.setFont (font);
  33432. g.drawFittedText (text,
  33433. 3, 1, getWidth() - 6, getHeight() - 2,
  33434. justification,
  33435. jmax (1, (int) (getHeight() / font.getHeight())));
  33436. g.setColour (findColour (outlineColourId).withMultipliedAlpha (alpha));
  33437. g.drawRect (0, 0, getWidth(), getHeight());
  33438. }
  33439. else if (isEnabled())
  33440. {
  33441. g.setColour (editor->findColour (TextEditor::backgroundColourId)
  33442. .overlaidWith (findColour (outlineColourId)));
  33443. g.drawRect (0, 0, getWidth(), getHeight());
  33444. }
  33445. }
  33446. void Label::mouseUp (const MouseEvent& e)
  33447. {
  33448. if (editSingleClick
  33449. && e.mouseWasClicked()
  33450. && contains (e.x, e.y)
  33451. && ! e.mods.isPopupMenu())
  33452. {
  33453. showEditor();
  33454. }
  33455. }
  33456. void Label::mouseDoubleClick (const MouseEvent& e)
  33457. {
  33458. if (editDoubleClick && ! e.mods.isPopupMenu())
  33459. showEditor();
  33460. }
  33461. void Label::resized()
  33462. {
  33463. if (editor != 0)
  33464. editor->setBoundsInset (BorderSize (0));
  33465. }
  33466. void Label::focusGained (FocusChangeType cause)
  33467. {
  33468. if (editSingleClick && cause == focusChangedByTabKey)
  33469. showEditor();
  33470. }
  33471. void Label::enablementChanged()
  33472. {
  33473. repaint();
  33474. }
  33475. void Label::colourChanged()
  33476. {
  33477. repaint();
  33478. }
  33479. // We'll use a custom focus traverser here to make sure focus goes from the
  33480. // text editor to another component rather than back to the label itself.
  33481. class LabelKeyboardFocusTraverser : public KeyboardFocusTraverser
  33482. {
  33483. public:
  33484. LabelKeyboardFocusTraverser() {}
  33485. Component* getNextComponent (Component* current)
  33486. {
  33487. return KeyboardFocusTraverser::getNextComponent (dynamic_cast <TextEditor*> (current) != 0
  33488. ? current->getParentComponent() : current);
  33489. }
  33490. Component* getPreviousComponent (Component* current)
  33491. {
  33492. return KeyboardFocusTraverser::getPreviousComponent (dynamic_cast <TextEditor*> (current) != 0
  33493. ? current->getParentComponent() : current);
  33494. }
  33495. };
  33496. KeyboardFocusTraverser* Label::createFocusTraverser()
  33497. {
  33498. return new LabelKeyboardFocusTraverser();
  33499. }
  33500. void Label::addListener (LabelListener* const listener) throw()
  33501. {
  33502. jassert (listener != 0);
  33503. if (listener != 0)
  33504. listeners.add (listener);
  33505. }
  33506. void Label::removeListener (LabelListener* const listener) throw()
  33507. {
  33508. listeners.removeValue (listener);
  33509. }
  33510. void Label::handleAsyncUpdate()
  33511. {
  33512. for (int i = listeners.size(); --i >= 0;)
  33513. {
  33514. ((LabelListener*) listeners.getUnchecked (i))->labelTextChanged (this);
  33515. i = jmin (i, listeners.size());
  33516. }
  33517. }
  33518. void Label::textEditorTextChanged (TextEditor& ed)
  33519. {
  33520. if (editor != 0)
  33521. {
  33522. jassert (&ed == editor);
  33523. if (! (hasKeyboardFocus (true) || isCurrentlyBlockedByAnotherModalComponent()))
  33524. {
  33525. if (lossOfFocusDiscardsChanges)
  33526. textEditorEscapeKeyPressed (ed);
  33527. else
  33528. textEditorReturnKeyPressed (ed);
  33529. }
  33530. }
  33531. }
  33532. void Label::textEditorReturnKeyPressed (TextEditor& ed)
  33533. {
  33534. if (editor != 0)
  33535. {
  33536. jassert (&ed == editor);
  33537. (void) ed;
  33538. const bool changed = updateFromTextEditorContents();
  33539. hideEditor (true);
  33540. if (changed)
  33541. textWasEdited();
  33542. }
  33543. }
  33544. void Label::textEditorEscapeKeyPressed (TextEditor& ed)
  33545. {
  33546. if (editor != 0)
  33547. {
  33548. jassert (&ed == editor);
  33549. (void) ed;
  33550. editor->setText (text, false);
  33551. hideEditor (true);
  33552. }
  33553. }
  33554. void Label::textEditorFocusLost (TextEditor& ed)
  33555. {
  33556. textEditorTextChanged (ed);
  33557. }
  33558. END_JUCE_NAMESPACE
  33559. /********* End of inlined file: juce_Label.cpp *********/
  33560. /********* Start of inlined file: juce_ListBox.cpp *********/
  33561. BEGIN_JUCE_NAMESPACE
  33562. class ListBoxRowComponent : public Component
  33563. {
  33564. public:
  33565. ListBoxRowComponent (ListBox& owner_)
  33566. : owner (owner_),
  33567. row (-1),
  33568. selected (false),
  33569. isDragging (false)
  33570. {
  33571. }
  33572. ~ListBoxRowComponent()
  33573. {
  33574. deleteAllChildren();
  33575. }
  33576. void paint (Graphics& g)
  33577. {
  33578. if (owner.getModel() != 0)
  33579. owner.getModel()->paintListBoxItem (row, g, getWidth(), getHeight(), selected);
  33580. }
  33581. void update (const int row_, const bool selected_)
  33582. {
  33583. if (row != row_ || selected != selected_)
  33584. {
  33585. repaint();
  33586. row = row_;
  33587. selected = selected_;
  33588. }
  33589. if (owner.getModel() != 0)
  33590. {
  33591. Component* const customComp = owner.getModel()->refreshComponentForRow (row_, selected_, getChildComponent (0));
  33592. if (customComp != 0)
  33593. {
  33594. addAndMakeVisible (customComp);
  33595. customComp->setBounds (0, 0, getWidth(), getHeight());
  33596. for (int i = getNumChildComponents(); --i >= 0;)
  33597. if (getChildComponent (i) != customComp)
  33598. delete getChildComponent (i);
  33599. }
  33600. else
  33601. {
  33602. deleteAllChildren();
  33603. }
  33604. }
  33605. }
  33606. void mouseDown (const MouseEvent& e)
  33607. {
  33608. isDragging = false;
  33609. selectRowOnMouseUp = false;
  33610. if (isEnabled())
  33611. {
  33612. if (! selected)
  33613. {
  33614. owner.selectRowsBasedOnModifierKeys (row, e.mods);
  33615. if (owner.getModel() != 0)
  33616. owner.getModel()->listBoxItemClicked (row, e);
  33617. }
  33618. else
  33619. {
  33620. selectRowOnMouseUp = true;
  33621. }
  33622. }
  33623. }
  33624. void mouseUp (const MouseEvent& e)
  33625. {
  33626. if (isEnabled() && selectRowOnMouseUp && ! isDragging)
  33627. {
  33628. owner.selectRowsBasedOnModifierKeys (row, e.mods);
  33629. if (owner.getModel() != 0)
  33630. owner.getModel()->listBoxItemClicked (row, e);
  33631. }
  33632. }
  33633. void mouseDoubleClick (const MouseEvent& e)
  33634. {
  33635. if (owner.getModel() != 0 && isEnabled())
  33636. owner.getModel()->listBoxItemDoubleClicked (row, e);
  33637. }
  33638. void mouseDrag (const MouseEvent& e)
  33639. {
  33640. if (isEnabled() && owner.getModel() != 0 && ! (e.mouseWasClicked() || isDragging))
  33641. {
  33642. const SparseSet <int> selectedRows (owner.getSelectedRows());
  33643. if (selectedRows.size() > 0)
  33644. {
  33645. const String dragDescription (owner.getModel()->getDragSourceDescription (selectedRows));
  33646. if (dragDescription.isNotEmpty())
  33647. {
  33648. isDragging = true;
  33649. DragAndDropContainer* const dragContainer
  33650. = DragAndDropContainer::findParentDragContainerFor (this);
  33651. if (dragContainer != 0)
  33652. {
  33653. Image* dragImage = owner.createSnapshotOfSelectedRows();
  33654. dragImage->multiplyAllAlphas (0.6f);
  33655. dragContainer->startDragging (dragDescription, &owner, dragImage, true);
  33656. }
  33657. else
  33658. {
  33659. // to be able to do a drag-and-drop operation, the listbox needs to
  33660. // be inside a component which is also a DragAndDropContainer.
  33661. jassertfalse
  33662. }
  33663. }
  33664. }
  33665. }
  33666. }
  33667. void resized()
  33668. {
  33669. if (getNumChildComponents() > 0)
  33670. getChildComponent(0)->setBounds (0, 0, getWidth(), getHeight());
  33671. }
  33672. juce_UseDebuggingNewOperator
  33673. bool neededFlag;
  33674. private:
  33675. ListBox& owner;
  33676. int row;
  33677. bool selected, isDragging, selectRowOnMouseUp;
  33678. ListBoxRowComponent (const ListBoxRowComponent&);
  33679. const ListBoxRowComponent& operator= (const ListBoxRowComponent&);
  33680. };
  33681. class ListViewport : public Viewport
  33682. {
  33683. public:
  33684. int firstIndex, firstWholeIndex, lastWholeIndex;
  33685. bool hasUpdated;
  33686. ListViewport (ListBox& owner_)
  33687. : owner (owner_)
  33688. {
  33689. setWantsKeyboardFocus (false);
  33690. setViewedComponent (new Component());
  33691. getViewedComponent()->addMouseListener (this, false);
  33692. getViewedComponent()->setWantsKeyboardFocus (false);
  33693. }
  33694. ~ListViewport()
  33695. {
  33696. getViewedComponent()->removeMouseListener (this);
  33697. getViewedComponent()->deleteAllChildren();
  33698. }
  33699. ListBoxRowComponent* getComponentForRow (const int row) const throw()
  33700. {
  33701. return (ListBoxRowComponent*) getViewedComponent()
  33702. ->getChildComponent (row % jmax (1, getViewedComponent()->getNumChildComponents()));
  33703. }
  33704. int getRowNumberOfComponent (Component* const rowComponent) const throw()
  33705. {
  33706. const int index = getIndexOfChildComponent (rowComponent);
  33707. const int num = getViewedComponent()->getNumChildComponents();
  33708. for (int i = num; --i >= 0;)
  33709. if (((firstIndex + i) % jmax (1, num)) == index)
  33710. return firstIndex + i;
  33711. return -1;
  33712. }
  33713. Component* getComponentForRowIfOnscreen (const int row) const throw()
  33714. {
  33715. return (row >= firstIndex && row < firstIndex + getViewedComponent()->getNumChildComponents())
  33716. ? getComponentForRow (row) : 0;
  33717. }
  33718. void visibleAreaChanged (int, int, int, int)
  33719. {
  33720. updateVisibleArea (true);
  33721. if (owner.getModel() != 0)
  33722. owner.getModel()->listWasScrolled();
  33723. }
  33724. void updateVisibleArea (const bool makeSureItUpdatesContent)
  33725. {
  33726. hasUpdated = false;
  33727. const int newX = getViewedComponent()->getX();
  33728. int newY = getViewedComponent()->getY();
  33729. const int newW = jmax (owner.minimumRowWidth, getMaximumVisibleWidth());
  33730. const int newH = owner.totalItems * owner.getRowHeight();
  33731. if (newY + newH < getMaximumVisibleHeight() && newH > getMaximumVisibleHeight())
  33732. newY = getMaximumVisibleHeight() - newH;
  33733. getViewedComponent()->setBounds (newX, newY, newW, newH);
  33734. if (makeSureItUpdatesContent && ! hasUpdated)
  33735. updateContents();
  33736. }
  33737. void updateContents()
  33738. {
  33739. hasUpdated = true;
  33740. const int rowHeight = owner.getRowHeight();
  33741. if (rowHeight > 0)
  33742. {
  33743. const int y = getViewPositionY();
  33744. const int w = getViewedComponent()->getWidth();
  33745. const int numNeeded = 2 + getMaximumVisibleHeight() / rowHeight;
  33746. while (numNeeded > getViewedComponent()->getNumChildComponents())
  33747. getViewedComponent()->addAndMakeVisible (new ListBoxRowComponent (owner));
  33748. jassert (numNeeded >= 0);
  33749. while (numNeeded < getViewedComponent()->getNumChildComponents())
  33750. {
  33751. Component* const rowToRemove
  33752. = getViewedComponent()->getChildComponent (getViewedComponent()->getNumChildComponents() - 1);
  33753. delete rowToRemove;
  33754. }
  33755. firstIndex = y / rowHeight;
  33756. firstWholeIndex = (y + rowHeight - 1) / rowHeight;
  33757. lastWholeIndex = (y + getMaximumVisibleHeight() - 1) / rowHeight;
  33758. for (int i = 0; i < numNeeded; ++i)
  33759. {
  33760. const int row = i + firstIndex;
  33761. ListBoxRowComponent* const rowComp = getComponentForRow (row);
  33762. if (rowComp != 0)
  33763. {
  33764. rowComp->setBounds (0, row * rowHeight, w, rowHeight);
  33765. rowComp->update (row, owner.isRowSelected (row));
  33766. }
  33767. }
  33768. }
  33769. if (owner.headerComponent != 0)
  33770. owner.headerComponent->setBounds (owner.outlineThickness + getViewedComponent()->getX(),
  33771. owner.outlineThickness,
  33772. jmax (owner.getWidth() - owner.outlineThickness * 2,
  33773. getViewedComponent()->getWidth()),
  33774. owner.headerComponent->getHeight());
  33775. }
  33776. void paint (Graphics& g)
  33777. {
  33778. if (isOpaque())
  33779. g.fillAll (owner.findColour (ListBox::backgroundColourId));
  33780. }
  33781. bool keyPressed (const KeyPress& key)
  33782. {
  33783. if (key.isKeyCode (KeyPress::upKey)
  33784. || key.isKeyCode (KeyPress::downKey)
  33785. || key.isKeyCode (KeyPress::pageUpKey)
  33786. || key.isKeyCode (KeyPress::pageDownKey)
  33787. || key.isKeyCode (KeyPress::homeKey)
  33788. || key.isKeyCode (KeyPress::endKey))
  33789. {
  33790. // we want to avoid these keypresses going to the viewport, and instead allow
  33791. // them to pass up to our listbox..
  33792. return false;
  33793. }
  33794. return Viewport::keyPressed (key);
  33795. }
  33796. juce_UseDebuggingNewOperator
  33797. private:
  33798. ListBox& owner;
  33799. ListViewport (const ListViewport&);
  33800. const ListViewport& operator= (const ListViewport&);
  33801. };
  33802. ListBox::ListBox (const String& name, ListBoxModel* const model_)
  33803. : Component (name),
  33804. model (model_),
  33805. headerComponent (0),
  33806. totalItems (0),
  33807. rowHeight (22),
  33808. minimumRowWidth (0),
  33809. outlineThickness (0),
  33810. lastRowSelected (-1),
  33811. mouseMoveSelects (false),
  33812. multipleSelection (false),
  33813. hasDoneInitialUpdate (false)
  33814. {
  33815. addAndMakeVisible (viewport = new ListViewport (*this));
  33816. setWantsKeyboardFocus (true);
  33817. }
  33818. ListBox::~ListBox()
  33819. {
  33820. deleteAllChildren();
  33821. }
  33822. void ListBox::setModel (ListBoxModel* const newModel)
  33823. {
  33824. if (model != newModel)
  33825. {
  33826. model = newModel;
  33827. updateContent();
  33828. }
  33829. }
  33830. void ListBox::setMultipleSelectionEnabled (bool b)
  33831. {
  33832. multipleSelection = b;
  33833. }
  33834. void ListBox::setMouseMoveSelectsRows (bool b)
  33835. {
  33836. mouseMoveSelects = b;
  33837. if (b)
  33838. addMouseListener (this, true);
  33839. }
  33840. void ListBox::paint (Graphics& g)
  33841. {
  33842. if (! hasDoneInitialUpdate)
  33843. updateContent();
  33844. g.fillAll (findColour (backgroundColourId));
  33845. }
  33846. void ListBox::paintOverChildren (Graphics& g)
  33847. {
  33848. if (outlineThickness > 0)
  33849. {
  33850. g.setColour (findColour (outlineColourId));
  33851. g.drawRect (0, 0, getWidth(), getHeight(), outlineThickness);
  33852. }
  33853. }
  33854. void ListBox::resized()
  33855. {
  33856. viewport->setBoundsInset (BorderSize (outlineThickness + ((headerComponent != 0) ? headerComponent->getHeight() : 0),
  33857. outlineThickness,
  33858. outlineThickness,
  33859. outlineThickness));
  33860. viewport->setSingleStepSizes (20, getRowHeight());
  33861. viewport->updateVisibleArea (false);
  33862. }
  33863. void ListBox::visibilityChanged()
  33864. {
  33865. viewport->updateVisibleArea (true);
  33866. }
  33867. Viewport* ListBox::getViewport() const throw()
  33868. {
  33869. return viewport;
  33870. }
  33871. void ListBox::updateContent()
  33872. {
  33873. hasDoneInitialUpdate = true;
  33874. totalItems = (model != 0) ? model->getNumRows() : 0;
  33875. bool selectionChanged = false;
  33876. if (selected [selected.size() - 1] >= totalItems)
  33877. {
  33878. selected.removeRange (totalItems, INT_MAX - totalItems);
  33879. lastRowSelected = getSelectedRow (0);
  33880. selectionChanged = true;
  33881. }
  33882. viewport->updateVisibleArea (isVisible());
  33883. viewport->resized();
  33884. if (selectionChanged && model != 0)
  33885. model->selectedRowsChanged (lastRowSelected);
  33886. }
  33887. void ListBox::selectRow (const int row,
  33888. bool dontScroll,
  33889. bool deselectOthersFirst)
  33890. {
  33891. selectRowInternal (row, dontScroll, deselectOthersFirst, false);
  33892. }
  33893. void ListBox::selectRowInternal (const int row,
  33894. bool dontScroll,
  33895. bool deselectOthersFirst,
  33896. bool isMouseClick)
  33897. {
  33898. if (! multipleSelection)
  33899. deselectOthersFirst = true;
  33900. if ((! isRowSelected (row))
  33901. || (deselectOthersFirst && getNumSelectedRows() > 1))
  33902. {
  33903. if (((unsigned int) row) < (unsigned int) totalItems)
  33904. {
  33905. if (deselectOthersFirst)
  33906. selected.clear();
  33907. selected.addRange (row, 1);
  33908. if (getHeight() == 0 || getWidth() == 0)
  33909. dontScroll = true;
  33910. viewport->hasUpdated = false;
  33911. if (row < viewport->firstWholeIndex && ! dontScroll)
  33912. {
  33913. viewport->setViewPosition (viewport->getViewPositionX(),
  33914. row * getRowHeight());
  33915. }
  33916. else if (row >= viewport->lastWholeIndex && ! dontScroll)
  33917. {
  33918. const int rowsOnScreen = viewport->lastWholeIndex - viewport->firstWholeIndex;
  33919. if (row >= lastRowSelected + rowsOnScreen
  33920. && rowsOnScreen < totalItems - 1
  33921. && ! isMouseClick)
  33922. {
  33923. viewport->setViewPosition (viewport->getViewPositionX(),
  33924. jlimit (0, jmax (0, totalItems - rowsOnScreen), row)
  33925. * getRowHeight());
  33926. }
  33927. else
  33928. {
  33929. viewport->setViewPosition (viewport->getViewPositionX(),
  33930. jmax (0, (row + 1) * getRowHeight() - viewport->getMaximumVisibleHeight()));
  33931. }
  33932. }
  33933. if (! viewport->hasUpdated)
  33934. viewport->updateContents();
  33935. lastRowSelected = row;
  33936. model->selectedRowsChanged (row);
  33937. }
  33938. else
  33939. {
  33940. if (deselectOthersFirst)
  33941. deselectAllRows();
  33942. }
  33943. }
  33944. }
  33945. void ListBox::deselectRow (const int row)
  33946. {
  33947. if (selected.contains (row))
  33948. {
  33949. selected.removeRange (row, 1);
  33950. if (row == lastRowSelected)
  33951. lastRowSelected = getSelectedRow (0);
  33952. viewport->updateContents();
  33953. model->selectedRowsChanged (lastRowSelected);
  33954. }
  33955. }
  33956. void ListBox::setSelectedRows (const SparseSet<int>& setOfRowsToBeSelected,
  33957. const bool sendNotificationEventToModel)
  33958. {
  33959. selected = setOfRowsToBeSelected;
  33960. selected.removeRange (totalItems, INT_MAX - totalItems);
  33961. if (! isRowSelected (lastRowSelected))
  33962. lastRowSelected = getSelectedRow (0);
  33963. viewport->updateContents();
  33964. if ((model != 0) && sendNotificationEventToModel)
  33965. model->selectedRowsChanged (lastRowSelected);
  33966. }
  33967. const SparseSet<int> ListBox::getSelectedRows() const
  33968. {
  33969. return selected;
  33970. }
  33971. void ListBox::selectRangeOfRows (int firstRow, int lastRow)
  33972. {
  33973. if (multipleSelection && (firstRow != lastRow))
  33974. {
  33975. const int numRows = totalItems - 1;
  33976. firstRow = jlimit (0, jmax (0, numRows), firstRow);
  33977. lastRow = jlimit (0, jmax (0, numRows), lastRow);
  33978. selected.addRange (jmin (firstRow, lastRow),
  33979. abs (firstRow - lastRow) + 1);
  33980. selected.removeRange (lastRow, 1);
  33981. }
  33982. selectRowInternal (lastRow, false, false, true);
  33983. }
  33984. void ListBox::flipRowSelection (const int row)
  33985. {
  33986. if (isRowSelected (row))
  33987. deselectRow (row);
  33988. else
  33989. selectRowInternal (row, false, false, true);
  33990. }
  33991. void ListBox::deselectAllRows()
  33992. {
  33993. if (! selected.isEmpty())
  33994. {
  33995. selected.clear();
  33996. lastRowSelected = -1;
  33997. viewport->updateContents();
  33998. if (model != 0)
  33999. model->selectedRowsChanged (lastRowSelected);
  34000. }
  34001. }
  34002. void ListBox::selectRowsBasedOnModifierKeys (const int row,
  34003. const ModifierKeys& mods)
  34004. {
  34005. if (multipleSelection && mods.isCommandDown())
  34006. {
  34007. flipRowSelection (row);
  34008. }
  34009. else if (multipleSelection && mods.isShiftDown() && lastRowSelected >= 0)
  34010. {
  34011. selectRangeOfRows (lastRowSelected, row);
  34012. }
  34013. else if ((! mods.isPopupMenu()) || ! isRowSelected (row))
  34014. {
  34015. selectRowInternal (row, false, true, true);
  34016. }
  34017. }
  34018. int ListBox::getNumSelectedRows() const
  34019. {
  34020. return selected.size();
  34021. }
  34022. int ListBox::getSelectedRow (const int index) const
  34023. {
  34024. return (((unsigned int) index) < (unsigned int) selected.size())
  34025. ? selected [index] : -1;
  34026. }
  34027. bool ListBox::isRowSelected (const int row) const
  34028. {
  34029. return selected.contains (row);
  34030. }
  34031. int ListBox::getLastRowSelected() const
  34032. {
  34033. return (isRowSelected (lastRowSelected)) ? lastRowSelected : -1;
  34034. }
  34035. int ListBox::getRowContainingPosition (const int x, const int y) const throw()
  34036. {
  34037. if (((unsigned int) x) < (unsigned int) getWidth())
  34038. {
  34039. const int row = (viewport->getViewPositionY() + y - viewport->getY()) / rowHeight;
  34040. if (((unsigned int) row) < (unsigned int) totalItems)
  34041. return row;
  34042. }
  34043. return -1;
  34044. }
  34045. int ListBox::getInsertionIndexForPosition (const int x, const int y) const throw()
  34046. {
  34047. if (((unsigned int) x) < (unsigned int) getWidth())
  34048. {
  34049. const int row = (viewport->getViewPositionY() + y + rowHeight / 2 - viewport->getY()) / rowHeight;
  34050. return jlimit (0, totalItems, row);
  34051. }
  34052. return -1;
  34053. }
  34054. Component* ListBox::getComponentForRowNumber (const int row) const throw()
  34055. {
  34056. Component* const listRowComp = viewport->getComponentForRowIfOnscreen (row);
  34057. return listRowComp != 0 ? listRowComp->getChildComponent (0) : 0;
  34058. }
  34059. int ListBox::getRowNumberOfComponent (Component* const rowComponent) const throw()
  34060. {
  34061. return viewport->getRowNumberOfComponent (rowComponent);
  34062. }
  34063. const Rectangle ListBox::getRowPosition (const int rowNumber,
  34064. const bool relativeToComponentTopLeft) const throw()
  34065. {
  34066. const int rowHeight = getRowHeight();
  34067. int y = viewport->getY() + rowHeight * rowNumber;
  34068. if (relativeToComponentTopLeft)
  34069. y -= viewport->getViewPositionY();
  34070. return Rectangle (viewport->getX(), y,
  34071. viewport->getViewedComponent()->getWidth(), rowHeight);
  34072. }
  34073. void ListBox::setVerticalPosition (const double proportion)
  34074. {
  34075. const int offscreen = viewport->getViewedComponent()->getHeight() - viewport->getHeight();
  34076. viewport->setViewPosition (viewport->getViewPositionX(),
  34077. jmax (0, roundDoubleToInt (proportion * offscreen)));
  34078. }
  34079. double ListBox::getVerticalPosition() const
  34080. {
  34081. const int offscreen = viewport->getViewedComponent()->getHeight() - viewport->getHeight();
  34082. return (offscreen > 0) ? viewport->getViewPositionY() / (double) offscreen
  34083. : 0;
  34084. }
  34085. int ListBox::getVisibleRowWidth() const throw()
  34086. {
  34087. return viewport->getViewWidth();
  34088. }
  34089. void ListBox::scrollToEnsureRowIsOnscreen (const int row)
  34090. {
  34091. if (row < viewport->firstWholeIndex)
  34092. {
  34093. viewport->setViewPosition (viewport->getViewPositionX(),
  34094. row * getRowHeight());
  34095. }
  34096. else if (row >= viewport->lastWholeIndex)
  34097. {
  34098. viewport->setViewPosition (viewport->getViewPositionX(),
  34099. jmax (0, (row + 1) * getRowHeight() - viewport->getMaximumVisibleHeight()));
  34100. }
  34101. }
  34102. bool ListBox::keyPressed (const KeyPress& key)
  34103. {
  34104. const int numVisibleRows = viewport->getHeight() / getRowHeight();
  34105. const bool multiple = multipleSelection
  34106. && (lastRowSelected >= 0)
  34107. && (key.getModifiers().isShiftDown()
  34108. || key.getModifiers().isCtrlDown()
  34109. || key.getModifiers().isCommandDown());
  34110. if (key.isKeyCode (KeyPress::upKey))
  34111. {
  34112. if (multiple)
  34113. selectRangeOfRows (lastRowSelected, lastRowSelected - 1);
  34114. else
  34115. selectRow (jmax (0, lastRowSelected - 1));
  34116. }
  34117. else if (key.isKeyCode (KeyPress::returnKey)
  34118. && isRowSelected (lastRowSelected))
  34119. {
  34120. if (model != 0)
  34121. model->returnKeyPressed (lastRowSelected);
  34122. }
  34123. else if (key.isKeyCode (KeyPress::pageUpKey))
  34124. {
  34125. if (multiple)
  34126. selectRangeOfRows (lastRowSelected, lastRowSelected - numVisibleRows);
  34127. else
  34128. selectRow (jmax (0, jmax (0, lastRowSelected) - numVisibleRows));
  34129. }
  34130. else if (key.isKeyCode (KeyPress::pageDownKey))
  34131. {
  34132. if (multiple)
  34133. selectRangeOfRows (lastRowSelected, lastRowSelected + numVisibleRows);
  34134. else
  34135. selectRow (jmin (totalItems - 1, jmax (0, lastRowSelected) + numVisibleRows));
  34136. }
  34137. else if (key.isKeyCode (KeyPress::homeKey))
  34138. {
  34139. if (multiple && key.getModifiers().isShiftDown())
  34140. selectRangeOfRows (lastRowSelected, 0);
  34141. else
  34142. selectRow (0);
  34143. }
  34144. else if (key.isKeyCode (KeyPress::endKey))
  34145. {
  34146. if (multiple && key.getModifiers().isShiftDown())
  34147. selectRangeOfRows (lastRowSelected, totalItems - 1);
  34148. else
  34149. selectRow (totalItems - 1);
  34150. }
  34151. else if (key.isKeyCode (KeyPress::downKey))
  34152. {
  34153. if (multiple)
  34154. selectRangeOfRows (lastRowSelected, lastRowSelected + 1);
  34155. else
  34156. selectRow (jmin (totalItems - 1, jmax (0, lastRowSelected) + 1));
  34157. }
  34158. else if ((key.isKeyCode (KeyPress::deleteKey) || key.isKeyCode (KeyPress::backspaceKey))
  34159. && isRowSelected (lastRowSelected))
  34160. {
  34161. if (model != 0)
  34162. model->deleteKeyPressed (lastRowSelected);
  34163. }
  34164. else if (multiple && key == KeyPress (T('a'), ModifierKeys::commandModifier, 0))
  34165. {
  34166. selectRangeOfRows (0, INT_MAX);
  34167. }
  34168. else
  34169. {
  34170. return false;
  34171. }
  34172. return true;
  34173. }
  34174. bool ListBox::keyStateChanged()
  34175. {
  34176. return KeyPress::isKeyCurrentlyDown (KeyPress::upKey)
  34177. || KeyPress::isKeyCurrentlyDown (KeyPress::pageUpKey)
  34178. || KeyPress::isKeyCurrentlyDown (KeyPress::downKey)
  34179. || KeyPress::isKeyCurrentlyDown (KeyPress::pageDownKey)
  34180. || KeyPress::isKeyCurrentlyDown (KeyPress::homeKey)
  34181. || KeyPress::isKeyCurrentlyDown (KeyPress::endKey)
  34182. || KeyPress::isKeyCurrentlyDown (KeyPress::returnKey);
  34183. }
  34184. void ListBox::mouseWheelMove (const MouseEvent& e, float wheelIncrementX, float wheelIncrementY)
  34185. {
  34186. getHorizontalScrollBar()->mouseWheelMove (e, wheelIncrementX, 0);
  34187. getVerticalScrollBar()->mouseWheelMove (e, 0, wheelIncrementY);
  34188. }
  34189. void ListBox::mouseMove (const MouseEvent& e)
  34190. {
  34191. if (mouseMoveSelects)
  34192. {
  34193. const MouseEvent e2 (e.getEventRelativeTo (this));
  34194. selectRow (getRowContainingPosition (e2.x, e2.y), true);
  34195. lastMouseX = e2.x;
  34196. lastMouseY = e2.y;
  34197. }
  34198. }
  34199. void ListBox::mouseExit (const MouseEvent& e)
  34200. {
  34201. mouseMove (e);
  34202. }
  34203. void ListBox::mouseUp (const MouseEvent& e)
  34204. {
  34205. if (e.mouseWasClicked() && model != 0)
  34206. model->backgroundClicked();
  34207. }
  34208. void ListBox::setRowHeight (const int newHeight)
  34209. {
  34210. rowHeight = jmax (1, newHeight);
  34211. viewport->setSingleStepSizes (20, rowHeight);
  34212. updateContent();
  34213. }
  34214. int ListBox::getNumRowsOnScreen() const throw()
  34215. {
  34216. return viewport->getMaximumVisibleHeight() / rowHeight;
  34217. }
  34218. void ListBox::setMinimumContentWidth (const int newMinimumWidth)
  34219. {
  34220. minimumRowWidth = newMinimumWidth;
  34221. updateContent();
  34222. }
  34223. int ListBox::getVisibleContentWidth() const throw()
  34224. {
  34225. return viewport->getMaximumVisibleWidth();
  34226. }
  34227. ScrollBar* ListBox::getVerticalScrollBar() const throw()
  34228. {
  34229. return viewport->getVerticalScrollBar();
  34230. }
  34231. ScrollBar* ListBox::getHorizontalScrollBar() const throw()
  34232. {
  34233. return viewport->getHorizontalScrollBar();
  34234. }
  34235. void ListBox::colourChanged()
  34236. {
  34237. setOpaque (findColour (backgroundColourId).isOpaque());
  34238. viewport->setOpaque (isOpaque());
  34239. repaint();
  34240. }
  34241. void ListBox::setOutlineThickness (const int outlineThickness_)
  34242. {
  34243. outlineThickness = outlineThickness_;
  34244. resized();
  34245. }
  34246. void ListBox::setHeaderComponent (Component* const newHeaderComponent)
  34247. {
  34248. if (headerComponent != newHeaderComponent)
  34249. {
  34250. if (headerComponent != 0)
  34251. delete headerComponent;
  34252. headerComponent = newHeaderComponent;
  34253. addAndMakeVisible (newHeaderComponent);
  34254. ListBox::resized();
  34255. }
  34256. }
  34257. void ListBox::repaintRow (const int rowNumber) throw()
  34258. {
  34259. const Rectangle r (getRowPosition (rowNumber, true));
  34260. repaint (r.getX(), r.getY(), r.getWidth(), r.getHeight());
  34261. }
  34262. Image* ListBox::createSnapshotOfSelectedRows()
  34263. {
  34264. Image* snapshot = new Image (Image::ARGB, getWidth(), getHeight(), true);
  34265. Graphics g (*snapshot);
  34266. const int firstRow = getRowContainingPosition (0, 0);
  34267. for (int i = getNumRowsOnScreen() + 2; --i >= 0;)
  34268. {
  34269. Component* rowComp = viewport->getComponentForRowIfOnscreen (firstRow + i);
  34270. if (rowComp != 0 && isRowSelected (firstRow + i))
  34271. {
  34272. g.saveState();
  34273. int x = 0, y = 0;
  34274. rowComp->relativePositionToOtherComponent (this, x, y);
  34275. g.setOrigin (x, y);
  34276. g.reduceClipRegion (0, 0, rowComp->getWidth(), rowComp->getHeight());
  34277. rowComp->paintEntireComponent (g);
  34278. g.restoreState();
  34279. }
  34280. }
  34281. return snapshot;
  34282. }
  34283. Component* ListBoxModel::refreshComponentForRow (int, bool, Component* existingComponentToUpdate)
  34284. {
  34285. (void) existingComponentToUpdate;
  34286. jassert (existingComponentToUpdate == 0); // indicates a failure in the code the recycles the components
  34287. return 0;
  34288. }
  34289. void ListBoxModel::listBoxItemClicked (int, const MouseEvent&)
  34290. {
  34291. }
  34292. void ListBoxModel::listBoxItemDoubleClicked (int, const MouseEvent&)
  34293. {
  34294. }
  34295. void ListBoxModel::backgroundClicked()
  34296. {
  34297. }
  34298. void ListBoxModel::selectedRowsChanged (int)
  34299. {
  34300. }
  34301. void ListBoxModel::deleteKeyPressed (int)
  34302. {
  34303. }
  34304. void ListBoxModel::returnKeyPressed (int)
  34305. {
  34306. }
  34307. void ListBoxModel::listWasScrolled()
  34308. {
  34309. }
  34310. const String ListBoxModel::getDragSourceDescription (const SparseSet<int>&)
  34311. {
  34312. return String::empty;
  34313. }
  34314. END_JUCE_NAMESPACE
  34315. /********* End of inlined file: juce_ListBox.cpp *********/
  34316. /********* Start of inlined file: juce_ProgressBar.cpp *********/
  34317. BEGIN_JUCE_NAMESPACE
  34318. ProgressBar::ProgressBar (double& progress_)
  34319. : progress (progress_),
  34320. displayPercentage (true)
  34321. {
  34322. currentValue = jlimit (0.0, 1.0, progress);
  34323. }
  34324. ProgressBar::~ProgressBar()
  34325. {
  34326. }
  34327. void ProgressBar::setPercentageDisplay (const bool shouldDisplayPercentage)
  34328. {
  34329. displayPercentage = shouldDisplayPercentage;
  34330. repaint();
  34331. }
  34332. void ProgressBar::setTextToDisplay (const String& text)
  34333. {
  34334. displayPercentage = false;
  34335. displayedMessage = text;
  34336. }
  34337. void ProgressBar::lookAndFeelChanged()
  34338. {
  34339. setOpaque (findColour (backgroundColourId).isOpaque());
  34340. }
  34341. void ProgressBar::colourChanged()
  34342. {
  34343. lookAndFeelChanged();
  34344. }
  34345. void ProgressBar::paint (Graphics& g)
  34346. {
  34347. String text;
  34348. if (displayPercentage)
  34349. {
  34350. if (currentValue >= 0 && currentValue <= 1.0)
  34351. text << roundDoubleToInt (currentValue * 100.0) << T("%");
  34352. }
  34353. else
  34354. {
  34355. text = displayedMessage;
  34356. }
  34357. getLookAndFeel().drawProgressBar (g, *this,
  34358. getWidth(), getHeight(),
  34359. currentValue, text);
  34360. }
  34361. void ProgressBar::visibilityChanged()
  34362. {
  34363. if (isVisible())
  34364. startTimer (30);
  34365. else
  34366. stopTimer();
  34367. }
  34368. void ProgressBar::timerCallback()
  34369. {
  34370. double newProgress = progress;
  34371. if (currentValue != newProgress
  34372. || newProgress < 0 || newProgress >= 1.0
  34373. || currentMessage != displayedMessage)
  34374. {
  34375. if (currentValue < newProgress
  34376. && newProgress >= 0 && newProgress < 1.0
  34377. && currentValue >= 0 && newProgress < 1.0)
  34378. {
  34379. newProgress = jmin (currentValue + 0.02, newProgress);
  34380. }
  34381. currentValue = newProgress;
  34382. currentMessage = displayedMessage;
  34383. repaint();
  34384. }
  34385. }
  34386. END_JUCE_NAMESPACE
  34387. /********* End of inlined file: juce_ProgressBar.cpp *********/
  34388. /********* Start of inlined file: juce_Slider.cpp *********/
  34389. BEGIN_JUCE_NAMESPACE
  34390. class SliderPopupDisplayComponent : public BubbleComponent
  34391. {
  34392. public:
  34393. SliderPopupDisplayComponent (Slider* const owner_)
  34394. : owner (owner_),
  34395. font (15.0f, Font::bold)
  34396. {
  34397. setAlwaysOnTop (true);
  34398. }
  34399. ~SliderPopupDisplayComponent()
  34400. {
  34401. }
  34402. void paintContent (Graphics& g, int w, int h)
  34403. {
  34404. g.setFont (font);
  34405. g.setColour (Colours::black);
  34406. g.drawFittedText (text, 0, 0, w, h, Justification::centred, 1);
  34407. }
  34408. void getContentSize (int& w, int& h)
  34409. {
  34410. w = font.getStringWidth (text) + 18;
  34411. h = (int) (font.getHeight() * 1.6f);
  34412. }
  34413. void updatePosition (const String& newText)
  34414. {
  34415. if (text != newText)
  34416. {
  34417. text = newText;
  34418. repaint();
  34419. }
  34420. BubbleComponent::setPosition (owner);
  34421. }
  34422. juce_UseDebuggingNewOperator
  34423. private:
  34424. Slider* owner;
  34425. Font font;
  34426. String text;
  34427. SliderPopupDisplayComponent (const SliderPopupDisplayComponent&);
  34428. const SliderPopupDisplayComponent& operator= (const SliderPopupDisplayComponent&);
  34429. };
  34430. Slider::Slider (const String& name)
  34431. : Component (name),
  34432. listeners (2),
  34433. currentValue (0.0),
  34434. valueMin (0.0),
  34435. valueMax (0.0),
  34436. minimum (0),
  34437. maximum (10),
  34438. interval (0),
  34439. skewFactor (1.0),
  34440. velocityModeSensitivity (1.0),
  34441. velocityModeOffset (0.0),
  34442. velocityModeThreshold (1),
  34443. rotaryStart (float_Pi * 1.2f),
  34444. rotaryEnd (float_Pi * 2.8f),
  34445. numDecimalPlaces (7),
  34446. sliderRegionStart (0),
  34447. sliderRegionSize (1),
  34448. sliderBeingDragged (-1),
  34449. pixelsForFullDragExtent (250),
  34450. style (LinearHorizontal),
  34451. textBoxPos (TextBoxLeft),
  34452. textBoxWidth (80),
  34453. textBoxHeight (20),
  34454. incDecButtonMode (incDecButtonsNotDraggable),
  34455. editableText (true),
  34456. doubleClickToValue (false),
  34457. isVelocityBased (false),
  34458. userKeyOverridesVelocity (true),
  34459. rotaryStop (true),
  34460. incDecButtonsSideBySide (false),
  34461. sendChangeOnlyOnRelease (false),
  34462. popupDisplayEnabled (false),
  34463. menuEnabled (false),
  34464. menuShown (false),
  34465. scrollWheelEnabled (true),
  34466. snapsToMousePos (true),
  34467. valueBox (0),
  34468. incButton (0),
  34469. decButton (0),
  34470. popupDisplay (0),
  34471. parentForPopupDisplay (0)
  34472. {
  34473. setWantsKeyboardFocus (false);
  34474. setRepaintsOnMouseActivity (true);
  34475. lookAndFeelChanged();
  34476. updateText();
  34477. }
  34478. Slider::~Slider()
  34479. {
  34480. deleteAndZero (popupDisplay);
  34481. deleteAllChildren();
  34482. }
  34483. void Slider::handleAsyncUpdate()
  34484. {
  34485. cancelPendingUpdate();
  34486. for (int i = listeners.size(); --i >= 0;)
  34487. {
  34488. ((SliderListener*) listeners.getUnchecked (i))->sliderValueChanged (this);
  34489. i = jmin (i, listeners.size());
  34490. }
  34491. }
  34492. void Slider::sendDragStart()
  34493. {
  34494. startedDragging();
  34495. for (int i = listeners.size(); --i >= 0;)
  34496. {
  34497. ((SliderListener*) listeners.getUnchecked (i))->sliderDragStarted (this);
  34498. i = jmin (i, listeners.size());
  34499. }
  34500. }
  34501. void Slider::sendDragEnd()
  34502. {
  34503. stoppedDragging();
  34504. sliderBeingDragged = -1;
  34505. for (int i = listeners.size(); --i >= 0;)
  34506. {
  34507. ((SliderListener*) listeners.getUnchecked (i))->sliderDragEnded (this);
  34508. i = jmin (i, listeners.size());
  34509. }
  34510. }
  34511. void Slider::addListener (SliderListener* const listener) throw()
  34512. {
  34513. jassert (listener != 0);
  34514. if (listener != 0)
  34515. listeners.add (listener);
  34516. }
  34517. void Slider::removeListener (SliderListener* const listener) throw()
  34518. {
  34519. listeners.removeValue (listener);
  34520. }
  34521. void Slider::setSliderStyle (const SliderStyle newStyle)
  34522. {
  34523. if (style != newStyle)
  34524. {
  34525. style = newStyle;
  34526. repaint();
  34527. lookAndFeelChanged();
  34528. }
  34529. }
  34530. void Slider::setRotaryParameters (const float startAngleRadians,
  34531. const float endAngleRadians,
  34532. const bool stopAtEnd)
  34533. {
  34534. // make sure the values are sensible..
  34535. jassert (rotaryStart >= 0 && rotaryEnd >= 0);
  34536. jassert (rotaryStart < float_Pi * 4.0f && rotaryEnd < float_Pi * 4.0f);
  34537. jassert (rotaryStart < rotaryEnd);
  34538. rotaryStart = startAngleRadians;
  34539. rotaryEnd = endAngleRadians;
  34540. rotaryStop = stopAtEnd;
  34541. }
  34542. void Slider::setVelocityBasedMode (const bool velBased) throw()
  34543. {
  34544. isVelocityBased = velBased;
  34545. }
  34546. void Slider::setVelocityModeParameters (const double sensitivity,
  34547. const int threshold,
  34548. const double offset,
  34549. const bool userCanPressKeyToSwapMode) throw()
  34550. {
  34551. jassert (threshold >= 0);
  34552. jassert (sensitivity > 0);
  34553. jassert (offset >= 0);
  34554. velocityModeSensitivity = sensitivity;
  34555. velocityModeOffset = offset;
  34556. velocityModeThreshold = threshold;
  34557. userKeyOverridesVelocity = userCanPressKeyToSwapMode;
  34558. }
  34559. void Slider::setSkewFactor (const double factor) throw()
  34560. {
  34561. skewFactor = factor;
  34562. }
  34563. void Slider::setSkewFactorFromMidPoint (const double sliderValueToShowAtMidPoint) throw()
  34564. {
  34565. if (maximum > minimum)
  34566. skewFactor = log (0.5) / log ((sliderValueToShowAtMidPoint - minimum)
  34567. / (maximum - minimum));
  34568. }
  34569. void Slider::setMouseDragSensitivity (const int distanceForFullScaleDrag)
  34570. {
  34571. jassert (distanceForFullScaleDrag > 0);
  34572. pixelsForFullDragExtent = distanceForFullScaleDrag;
  34573. }
  34574. void Slider::setIncDecButtonsMode (const IncDecButtonMode mode)
  34575. {
  34576. if (incDecButtonMode != mode)
  34577. {
  34578. incDecButtonMode = mode;
  34579. lookAndFeelChanged();
  34580. }
  34581. }
  34582. void Slider::setTextBoxStyle (const TextEntryBoxPosition newPosition,
  34583. const bool isReadOnly,
  34584. const int textEntryBoxWidth,
  34585. const int textEntryBoxHeight)
  34586. {
  34587. textBoxPos = newPosition;
  34588. editableText = ! isReadOnly;
  34589. textBoxWidth = textEntryBoxWidth;
  34590. textBoxHeight = textEntryBoxHeight;
  34591. repaint();
  34592. lookAndFeelChanged();
  34593. }
  34594. void Slider::setTextBoxIsEditable (const bool shouldBeEditable) throw()
  34595. {
  34596. editableText = shouldBeEditable;
  34597. if (valueBox != 0)
  34598. valueBox->setEditable (shouldBeEditable && isEnabled());
  34599. }
  34600. void Slider::showTextBox()
  34601. {
  34602. jassert (editableText); // this should probably be avoided in read-only sliders.
  34603. if (valueBox != 0)
  34604. valueBox->showEditor();
  34605. }
  34606. void Slider::hideTextBox (const bool discardCurrentEditorContents)
  34607. {
  34608. if (valueBox != 0)
  34609. {
  34610. valueBox->hideEditor (discardCurrentEditorContents);
  34611. if (discardCurrentEditorContents)
  34612. updateText();
  34613. }
  34614. }
  34615. void Slider::setChangeNotificationOnlyOnRelease (const bool onlyNotifyOnRelease) throw()
  34616. {
  34617. sendChangeOnlyOnRelease = onlyNotifyOnRelease;
  34618. }
  34619. void Slider::setSliderSnapsToMousePosition (const bool shouldSnapToMouse) throw()
  34620. {
  34621. snapsToMousePos = shouldSnapToMouse;
  34622. }
  34623. void Slider::setPopupDisplayEnabled (const bool enabled,
  34624. Component* const parentComponentToUse) throw()
  34625. {
  34626. popupDisplayEnabled = enabled;
  34627. parentForPopupDisplay = parentComponentToUse;
  34628. }
  34629. void Slider::colourChanged()
  34630. {
  34631. lookAndFeelChanged();
  34632. }
  34633. void Slider::lookAndFeelChanged()
  34634. {
  34635. const String previousTextBoxContent (valueBox != 0 ? valueBox->getText()
  34636. : getTextFromValue (currentValue));
  34637. deleteAllChildren();
  34638. valueBox = 0;
  34639. LookAndFeel& lf = getLookAndFeel();
  34640. if (textBoxPos != NoTextBox)
  34641. {
  34642. addAndMakeVisible (valueBox = getLookAndFeel().createSliderTextBox (*this));
  34643. valueBox->setWantsKeyboardFocus (false);
  34644. valueBox->setText (previousTextBoxContent, false);
  34645. valueBox->setEditable (editableText && isEnabled());
  34646. valueBox->addListener (this);
  34647. if (style == LinearBar)
  34648. valueBox->addMouseListener (this, false);
  34649. }
  34650. if (style == IncDecButtons)
  34651. {
  34652. addAndMakeVisible (incButton = lf.createSliderButton (true));
  34653. incButton->addButtonListener (this);
  34654. addAndMakeVisible (decButton = lf.createSliderButton (false));
  34655. decButton->addButtonListener (this);
  34656. if (incDecButtonMode != incDecButtonsNotDraggable)
  34657. {
  34658. incButton->addMouseListener (this, false);
  34659. decButton->addMouseListener (this, false);
  34660. }
  34661. else
  34662. {
  34663. incButton->setRepeatSpeed (300, 100, 20);
  34664. incButton->addMouseListener (decButton, false);
  34665. decButton->setRepeatSpeed (300, 100, 20);
  34666. decButton->addMouseListener (incButton, false);
  34667. }
  34668. }
  34669. setComponentEffect (lf.getSliderEffect());
  34670. resized();
  34671. repaint();
  34672. }
  34673. void Slider::setRange (const double newMin,
  34674. const double newMax,
  34675. const double newInt)
  34676. {
  34677. if (minimum != newMin
  34678. || maximum != newMax
  34679. || interval != newInt)
  34680. {
  34681. minimum = newMin;
  34682. maximum = newMax;
  34683. interval = newInt;
  34684. // figure out the number of DPs needed to display all values at this
  34685. // interval setting.
  34686. numDecimalPlaces = 7;
  34687. if (newInt != 0)
  34688. {
  34689. int v = abs ((int) (newInt * 10000000));
  34690. while ((v % 10) == 0)
  34691. {
  34692. --numDecimalPlaces;
  34693. v /= 10;
  34694. }
  34695. }
  34696. // keep the current values inside the new range..
  34697. if (style != TwoValueHorizontal && style != TwoValueVertical)
  34698. {
  34699. setValue (currentValue, false, false);
  34700. }
  34701. else
  34702. {
  34703. setMinValue (getMinValue(), false, false);
  34704. setMaxValue (getMaxValue(), false, false);
  34705. }
  34706. updateText();
  34707. }
  34708. }
  34709. void Slider::triggerChangeMessage (const bool synchronous)
  34710. {
  34711. if (synchronous)
  34712. handleAsyncUpdate();
  34713. else
  34714. triggerAsyncUpdate();
  34715. valueChanged();
  34716. }
  34717. double Slider::getValue() const throw()
  34718. {
  34719. // for a two-value style slider, you should use the getMinValue() and getMaxValue()
  34720. // methods to get the two values.
  34721. jassert (style != TwoValueHorizontal && style != TwoValueVertical);
  34722. return currentValue;
  34723. }
  34724. void Slider::setValue (double newValue,
  34725. const bool sendUpdateMessage,
  34726. const bool sendMessageSynchronously)
  34727. {
  34728. // for a two-value style slider, you should use the setMinValue() and setMaxValue()
  34729. // methods to set the two values.
  34730. jassert (style != TwoValueHorizontal && style != TwoValueVertical);
  34731. newValue = constrainedValue (newValue);
  34732. if (style == ThreeValueHorizontal || style == ThreeValueVertical)
  34733. {
  34734. jassert (valueMin <= valueMax);
  34735. newValue = jlimit (valueMin, valueMax, newValue);
  34736. }
  34737. if (currentValue != newValue)
  34738. {
  34739. if (valueBox != 0)
  34740. valueBox->hideEditor (true);
  34741. currentValue = newValue;
  34742. updateText();
  34743. repaint();
  34744. if (popupDisplay != 0)
  34745. {
  34746. ((SliderPopupDisplayComponent*) popupDisplay)->updatePosition (getTextFromValue (currentValue));
  34747. popupDisplay->repaint();
  34748. }
  34749. if (sendUpdateMessage)
  34750. triggerChangeMessage (sendMessageSynchronously);
  34751. }
  34752. }
  34753. double Slider::getMinValue() const throw()
  34754. {
  34755. // The minimum value only applies to sliders that are in two- or three-value mode.
  34756. jassert (style == TwoValueHorizontal || style == TwoValueVertical
  34757. || style == ThreeValueHorizontal || style == ThreeValueVertical);
  34758. return valueMin;
  34759. }
  34760. double Slider::getMaxValue() const throw()
  34761. {
  34762. // The maximum value only applies to sliders that are in two- or three-value mode.
  34763. jassert (style == TwoValueHorizontal || style == TwoValueVertical
  34764. || style == ThreeValueHorizontal || style == ThreeValueVertical);
  34765. return valueMax;
  34766. }
  34767. void Slider::setMinValue (double newValue, const bool sendUpdateMessage, const bool sendMessageSynchronously)
  34768. {
  34769. // The minimum value only applies to sliders that are in two- or three-value mode.
  34770. jassert (style == TwoValueHorizontal || style == TwoValueVertical
  34771. || style == ThreeValueHorizontal || style == ThreeValueVertical);
  34772. newValue = constrainedValue (newValue);
  34773. if (style == TwoValueHorizontal || style == TwoValueVertical)
  34774. newValue = jmin (valueMax, newValue);
  34775. else
  34776. newValue = jmin (currentValue, newValue);
  34777. if (valueMin != newValue)
  34778. {
  34779. valueMin = newValue;
  34780. repaint();
  34781. if (popupDisplay != 0)
  34782. {
  34783. ((SliderPopupDisplayComponent*) popupDisplay)->updatePosition (getTextFromValue (valueMin));
  34784. popupDisplay->repaint();
  34785. }
  34786. if (sendUpdateMessage)
  34787. triggerChangeMessage (sendMessageSynchronously);
  34788. }
  34789. }
  34790. void Slider::setMaxValue (double newValue, const bool sendUpdateMessage, const bool sendMessageSynchronously)
  34791. {
  34792. // The maximum value only applies to sliders that are in two- or three-value mode.
  34793. jassert (style == TwoValueHorizontal || style == TwoValueVertical
  34794. || style == ThreeValueHorizontal || style == ThreeValueVertical);
  34795. newValue = constrainedValue (newValue);
  34796. if (style == TwoValueHorizontal || style == TwoValueVertical)
  34797. newValue = jmax (valueMin, newValue);
  34798. else
  34799. newValue = jmax (currentValue, newValue);
  34800. if (valueMax != newValue)
  34801. {
  34802. valueMax = newValue;
  34803. repaint();
  34804. if (popupDisplay != 0)
  34805. {
  34806. ((SliderPopupDisplayComponent*) popupDisplay)->updatePosition (getTextFromValue (valueMax));
  34807. popupDisplay->repaint();
  34808. }
  34809. if (sendUpdateMessage)
  34810. triggerChangeMessage (sendMessageSynchronously);
  34811. }
  34812. }
  34813. void Slider::setDoubleClickReturnValue (const bool isDoubleClickEnabled,
  34814. const double valueToSetOnDoubleClick) throw()
  34815. {
  34816. doubleClickToValue = isDoubleClickEnabled;
  34817. doubleClickReturnValue = valueToSetOnDoubleClick;
  34818. }
  34819. double Slider::getDoubleClickReturnValue (bool& isEnabled_) const throw()
  34820. {
  34821. isEnabled_ = doubleClickToValue;
  34822. return doubleClickReturnValue;
  34823. }
  34824. void Slider::updateText()
  34825. {
  34826. if (valueBox != 0)
  34827. valueBox->setText (getTextFromValue (currentValue), false);
  34828. }
  34829. void Slider::setTextValueSuffix (const String& suffix)
  34830. {
  34831. if (textSuffix != suffix)
  34832. {
  34833. textSuffix = suffix;
  34834. updateText();
  34835. }
  34836. }
  34837. const String Slider::getTextFromValue (double v)
  34838. {
  34839. if (numDecimalPlaces > 0)
  34840. return String (v, numDecimalPlaces) + textSuffix;
  34841. else
  34842. return String (roundDoubleToInt (v)) + textSuffix;
  34843. }
  34844. double Slider::getValueFromText (const String& text)
  34845. {
  34846. String t (text.trimStart());
  34847. if (t.endsWith (textSuffix))
  34848. t = t.substring (0, t.length() - textSuffix.length());
  34849. while (t.startsWithChar (T('+')))
  34850. t = t.substring (1).trimStart();
  34851. return t.initialSectionContainingOnly (T("0123456789.,-"))
  34852. .getDoubleValue();
  34853. }
  34854. double Slider::proportionOfLengthToValue (double proportion)
  34855. {
  34856. if (skewFactor != 1.0 && proportion > 0.0)
  34857. proportion = exp (log (proportion) / skewFactor);
  34858. return minimum + (maximum - minimum) * proportion;
  34859. }
  34860. double Slider::valueToProportionOfLength (double value)
  34861. {
  34862. const double n = (value - minimum) / (maximum - minimum);
  34863. return skewFactor == 1.0 ? n : pow (n, skewFactor);
  34864. }
  34865. double Slider::snapValue (double attemptedValue, const bool)
  34866. {
  34867. return attemptedValue;
  34868. }
  34869. void Slider::startedDragging()
  34870. {
  34871. }
  34872. void Slider::stoppedDragging()
  34873. {
  34874. }
  34875. void Slider::valueChanged()
  34876. {
  34877. }
  34878. void Slider::enablementChanged()
  34879. {
  34880. repaint();
  34881. }
  34882. void Slider::setPopupMenuEnabled (const bool menuEnabled_) throw()
  34883. {
  34884. menuEnabled = menuEnabled_;
  34885. }
  34886. void Slider::setScrollWheelEnabled (const bool enabled) throw()
  34887. {
  34888. scrollWheelEnabled = enabled;
  34889. }
  34890. void Slider::labelTextChanged (Label* label)
  34891. {
  34892. const double newValue = snapValue (getValueFromText (label->getText()), false);
  34893. if (getValue() != newValue)
  34894. {
  34895. sendDragStart();
  34896. setValue (newValue, true, true);
  34897. sendDragEnd();
  34898. }
  34899. updateText(); // force a clean-up of the text, needed in case setValue() hasn't done this.
  34900. }
  34901. void Slider::buttonClicked (Button* button)
  34902. {
  34903. if (style == IncDecButtons)
  34904. {
  34905. sendDragStart();
  34906. if (button == incButton)
  34907. setValue (snapValue (getValue() + interval, false), true, true);
  34908. else if (button == decButton)
  34909. setValue (snapValue (getValue() - interval, false), true, true);
  34910. sendDragEnd();
  34911. }
  34912. }
  34913. double Slider::constrainedValue (double value) const throw()
  34914. {
  34915. if (interval > 0)
  34916. value = minimum + interval * floor ((value - minimum) / interval + 0.5);
  34917. if (value <= minimum || maximum <= minimum)
  34918. value = minimum;
  34919. else if (value >= maximum)
  34920. value = maximum;
  34921. return value;
  34922. }
  34923. float Slider::getLinearSliderPos (const double value)
  34924. {
  34925. double sliderPosProportional;
  34926. if (maximum > minimum)
  34927. {
  34928. if (value < minimum)
  34929. {
  34930. sliderPosProportional = 0.0;
  34931. }
  34932. else if (value > maximum)
  34933. {
  34934. sliderPosProportional = 1.0;
  34935. }
  34936. else
  34937. {
  34938. sliderPosProportional = valueToProportionOfLength (value);
  34939. jassert (sliderPosProportional >= 0 && sliderPosProportional <= 1.0);
  34940. }
  34941. }
  34942. else
  34943. {
  34944. sliderPosProportional = 0.5;
  34945. }
  34946. if (style == LinearVertical || style == IncDecButtons)
  34947. sliderPosProportional = 1.0 - sliderPosProportional;
  34948. return (float) (sliderRegionStart + sliderPosProportional * sliderRegionSize);
  34949. }
  34950. bool Slider::isHorizontal() const throw()
  34951. {
  34952. return style == LinearHorizontal
  34953. || style == LinearBar
  34954. || style == TwoValueHorizontal
  34955. || style == ThreeValueHorizontal;
  34956. }
  34957. bool Slider::isVertical() const throw()
  34958. {
  34959. return style == LinearVertical
  34960. || style == TwoValueVertical
  34961. || style == ThreeValueVertical;
  34962. }
  34963. bool Slider::incDecDragDirectionIsHorizontal() const throw()
  34964. {
  34965. return incDecButtonMode == incDecButtonsDraggable_Horizontal
  34966. || (incDecButtonMode == incDecButtonsDraggable_AutoDirection && incDecButtonsSideBySide);
  34967. }
  34968. float Slider::getPositionOfValue (const double value)
  34969. {
  34970. if (isHorizontal() || isVertical())
  34971. {
  34972. return getLinearSliderPos (value);
  34973. }
  34974. else
  34975. {
  34976. jassertfalse // not a valid call on a slider that doesn't work linearly!
  34977. return 0.0f;
  34978. }
  34979. }
  34980. void Slider::paint (Graphics& g)
  34981. {
  34982. if (style != IncDecButtons)
  34983. {
  34984. if (style == Rotary || style == RotaryHorizontalDrag || style == RotaryVerticalDrag)
  34985. {
  34986. const float sliderPos = (float) valueToProportionOfLength (currentValue);
  34987. jassert (sliderPos >= 0 && sliderPos <= 1.0f);
  34988. getLookAndFeel().drawRotarySlider (g,
  34989. sliderRect.getX(),
  34990. sliderRect.getY(),
  34991. sliderRect.getWidth(),
  34992. sliderRect.getHeight(),
  34993. sliderPos,
  34994. rotaryStart, rotaryEnd,
  34995. *this);
  34996. }
  34997. else
  34998. {
  34999. getLookAndFeel().drawLinearSlider (g,
  35000. sliderRect.getX(),
  35001. sliderRect.getY(),
  35002. sliderRect.getWidth(),
  35003. sliderRect.getHeight(),
  35004. getLinearSliderPos (currentValue),
  35005. getLinearSliderPos (valueMin),
  35006. getLinearSliderPos (valueMax),
  35007. style,
  35008. *this);
  35009. }
  35010. if (style == LinearBar && valueBox == 0)
  35011. {
  35012. g.setColour (findColour (Slider::textBoxOutlineColourId));
  35013. g.drawRect (0, 0, getWidth(), getHeight(), 1);
  35014. }
  35015. }
  35016. }
  35017. void Slider::resized()
  35018. {
  35019. int minXSpace = 0;
  35020. int minYSpace = 0;
  35021. if (textBoxPos == TextBoxLeft || textBoxPos == TextBoxRight)
  35022. minXSpace = 30;
  35023. else
  35024. minYSpace = 15;
  35025. const int tbw = jmax (0, jmin (textBoxWidth, getWidth() - minXSpace));
  35026. const int tbh = jmax (0, jmin (textBoxHeight, getHeight() - minYSpace));
  35027. if (style == LinearBar)
  35028. {
  35029. if (valueBox != 0)
  35030. valueBox->setBounds (0, 0, getWidth(), getHeight());
  35031. }
  35032. else
  35033. {
  35034. if (textBoxPos == NoTextBox)
  35035. {
  35036. sliderRect.setBounds (0, 0, getWidth(), getHeight());
  35037. }
  35038. else if (textBoxPos == TextBoxLeft)
  35039. {
  35040. valueBox->setBounds (0, (getHeight() - tbh) / 2, tbw, tbh);
  35041. sliderRect.setBounds (tbw, 0, getWidth() - tbw, getHeight());
  35042. }
  35043. else if (textBoxPos == TextBoxRight)
  35044. {
  35045. valueBox->setBounds (getWidth() - tbw, (getHeight() - tbh) / 2, tbw, tbh);
  35046. sliderRect.setBounds (0, 0, getWidth() - tbw, getHeight());
  35047. }
  35048. else if (textBoxPos == TextBoxAbove)
  35049. {
  35050. valueBox->setBounds ((getWidth() - tbw) / 2, 0, tbw, tbh);
  35051. sliderRect.setBounds (0, tbh, getWidth(), getHeight() - tbh);
  35052. }
  35053. else if (textBoxPos == TextBoxBelow)
  35054. {
  35055. valueBox->setBounds ((getWidth() - tbw) / 2, getHeight() - tbh, tbw, tbh);
  35056. sliderRect.setBounds (0, 0, getWidth(), getHeight() - tbh);
  35057. }
  35058. }
  35059. const int indent = getLookAndFeel().getSliderThumbRadius (*this);
  35060. if (style == LinearBar)
  35061. {
  35062. const int barIndent = 1;
  35063. sliderRegionStart = barIndent;
  35064. sliderRegionSize = getWidth() - barIndent * 2;
  35065. sliderRect.setBounds (sliderRegionStart, barIndent,
  35066. sliderRegionSize, getHeight() - barIndent * 2);
  35067. }
  35068. else if (isHorizontal())
  35069. {
  35070. sliderRegionStart = sliderRect.getX() + indent;
  35071. sliderRegionSize = jmax (1, sliderRect.getWidth() - indent * 2);
  35072. sliderRect.setBounds (sliderRegionStart, sliderRect.getY(),
  35073. sliderRegionSize, sliderRect.getHeight());
  35074. }
  35075. else if (isVertical())
  35076. {
  35077. sliderRegionStart = sliderRect.getY() + indent;
  35078. sliderRegionSize = jmax (1, sliderRect.getHeight() - indent * 2);
  35079. sliderRect.setBounds (sliderRect.getX(), sliderRegionStart,
  35080. sliderRect.getWidth(), sliderRegionSize);
  35081. }
  35082. else
  35083. {
  35084. sliderRegionStart = 0;
  35085. sliderRegionSize = 100;
  35086. }
  35087. if (style == IncDecButtons)
  35088. {
  35089. Rectangle buttonRect (sliderRect);
  35090. if (textBoxPos == TextBoxLeft || textBoxPos == TextBoxRight)
  35091. buttonRect.expand (-2, 0);
  35092. else
  35093. buttonRect.expand (0, -2);
  35094. incDecButtonsSideBySide = buttonRect.getWidth() > buttonRect.getHeight();
  35095. if (incDecButtonsSideBySide)
  35096. {
  35097. decButton->setBounds (buttonRect.getX(),
  35098. buttonRect.getY(),
  35099. buttonRect.getWidth() / 2,
  35100. buttonRect.getHeight());
  35101. decButton->setConnectedEdges (Button::ConnectedOnRight);
  35102. incButton->setBounds (buttonRect.getCentreX(),
  35103. buttonRect.getY(),
  35104. buttonRect.getWidth() / 2,
  35105. buttonRect.getHeight());
  35106. incButton->setConnectedEdges (Button::ConnectedOnLeft);
  35107. }
  35108. else
  35109. {
  35110. incButton->setBounds (buttonRect.getX(),
  35111. buttonRect.getY(),
  35112. buttonRect.getWidth(),
  35113. buttonRect.getHeight() / 2);
  35114. incButton->setConnectedEdges (Button::ConnectedOnBottom);
  35115. decButton->setBounds (buttonRect.getX(),
  35116. buttonRect.getCentreY(),
  35117. buttonRect.getWidth(),
  35118. buttonRect.getHeight() / 2);
  35119. decButton->setConnectedEdges (Button::ConnectedOnTop);
  35120. }
  35121. }
  35122. }
  35123. void Slider::focusOfChildComponentChanged (FocusChangeType)
  35124. {
  35125. repaint();
  35126. }
  35127. void Slider::mouseDown (const MouseEvent& e)
  35128. {
  35129. mouseWasHidden = false;
  35130. incDecDragged = false;
  35131. if (isEnabled())
  35132. {
  35133. if (e.mods.isPopupMenu() && menuEnabled)
  35134. {
  35135. menuShown = true;
  35136. PopupMenu m;
  35137. m.addItem (1, TRANS ("velocity-sensitive mode"), true, isVelocityBased);
  35138. m.addSeparator();
  35139. if (style == Rotary || style == RotaryHorizontalDrag || style == RotaryVerticalDrag)
  35140. {
  35141. PopupMenu rotaryMenu;
  35142. rotaryMenu.addItem (2, TRANS ("use circular dragging"), true, style == Rotary);
  35143. rotaryMenu.addItem (3, TRANS ("use left-right dragging"), true, style == RotaryHorizontalDrag);
  35144. rotaryMenu.addItem (4, TRANS ("use up-down dragging"), true, style == RotaryVerticalDrag);
  35145. m.addSubMenu (TRANS ("rotary mode"), rotaryMenu);
  35146. }
  35147. const int r = m.show();
  35148. if (r == 1)
  35149. {
  35150. setVelocityBasedMode (! isVelocityBased);
  35151. }
  35152. else if (r == 2)
  35153. {
  35154. setSliderStyle (Rotary);
  35155. }
  35156. else if (r == 3)
  35157. {
  35158. setSliderStyle (RotaryHorizontalDrag);
  35159. }
  35160. else if (r == 4)
  35161. {
  35162. setSliderStyle (RotaryVerticalDrag);
  35163. }
  35164. }
  35165. else if (maximum > minimum)
  35166. {
  35167. menuShown = false;
  35168. if (valueBox != 0)
  35169. valueBox->hideEditor (true);
  35170. sliderBeingDragged = 0;
  35171. if (style == TwoValueHorizontal
  35172. || style == TwoValueVertical
  35173. || style == ThreeValueHorizontal
  35174. || style == ThreeValueVertical)
  35175. {
  35176. const float mousePos = (float) (isVertical() ? e.y : e.x);
  35177. const float normalPosDistance = fabsf (getLinearSliderPos (currentValue) - mousePos);
  35178. const float minPosDistance = fabsf (getLinearSliderPos (valueMin) - 0.1f - mousePos);
  35179. const float maxPosDistance = fabsf (getLinearSliderPos (valueMax) + 0.1f - mousePos);
  35180. if (style == TwoValueHorizontal || style == TwoValueVertical)
  35181. {
  35182. if (maxPosDistance <= minPosDistance)
  35183. sliderBeingDragged = 2;
  35184. else
  35185. sliderBeingDragged = 1;
  35186. }
  35187. else if (style == ThreeValueHorizontal || style == ThreeValueVertical)
  35188. {
  35189. if (normalPosDistance >= minPosDistance && maxPosDistance >= minPosDistance)
  35190. sliderBeingDragged = 1;
  35191. else if (normalPosDistance >= maxPosDistance)
  35192. sliderBeingDragged = 2;
  35193. }
  35194. }
  35195. minMaxDiff = valueMax - valueMin;
  35196. mouseXWhenLastDragged = e.x;
  35197. mouseYWhenLastDragged = e.y;
  35198. lastAngle = rotaryStart + (rotaryEnd - rotaryStart)
  35199. * valueToProportionOfLength (currentValue);
  35200. if (sliderBeingDragged == 2)
  35201. valueWhenLastDragged = valueMax;
  35202. else if (sliderBeingDragged == 1)
  35203. valueWhenLastDragged = valueMin;
  35204. else
  35205. valueWhenLastDragged = currentValue;
  35206. valueOnMouseDown = valueWhenLastDragged;
  35207. if (popupDisplayEnabled)
  35208. {
  35209. SliderPopupDisplayComponent* const popup = new SliderPopupDisplayComponent (this);
  35210. popupDisplay = popup;
  35211. if (parentForPopupDisplay != 0)
  35212. {
  35213. parentForPopupDisplay->addChildComponent (popup);
  35214. }
  35215. else
  35216. {
  35217. popup->addToDesktop (0);
  35218. }
  35219. popup->setVisible (true);
  35220. }
  35221. sendDragStart();
  35222. mouseDrag (e);
  35223. }
  35224. }
  35225. }
  35226. void Slider::mouseUp (const MouseEvent&)
  35227. {
  35228. if (isEnabled()
  35229. && (! menuShown)
  35230. && (maximum > minimum)
  35231. && (style != IncDecButtons || incDecDragged))
  35232. {
  35233. restoreMouseIfHidden();
  35234. if (sendChangeOnlyOnRelease && valueOnMouseDown != currentValue)
  35235. triggerChangeMessage (false);
  35236. sendDragEnd();
  35237. deleteAndZero (popupDisplay);
  35238. if (style == IncDecButtons)
  35239. {
  35240. incButton->setState (Button::buttonNormal);
  35241. decButton->setState (Button::buttonNormal);
  35242. }
  35243. }
  35244. }
  35245. void Slider::restoreMouseIfHidden()
  35246. {
  35247. if (mouseWasHidden)
  35248. {
  35249. mouseWasHidden = false;
  35250. Component* c = Component::getComponentUnderMouse();
  35251. if (c == 0)
  35252. c = this;
  35253. c->enableUnboundedMouseMovement (false);
  35254. const double pos = (sliderBeingDragged == 2) ? getMaxValue()
  35255. : ((sliderBeingDragged == 1) ? getMinValue()
  35256. : currentValue);
  35257. const int pixelPos = (int) getLinearSliderPos (pos);
  35258. int x = isHorizontal() ? pixelPos : (getWidth() / 2);
  35259. int y = isVertical() ? pixelPos : (getHeight() / 2);
  35260. relativePositionToGlobal (x, y);
  35261. Desktop::setMousePosition (x, y);
  35262. }
  35263. }
  35264. void Slider::modifierKeysChanged (const ModifierKeys& modifiers)
  35265. {
  35266. if (isEnabled()
  35267. && style != IncDecButtons
  35268. && style != Rotary
  35269. && isVelocityBased == modifiers.isAnyModifierKeyDown())
  35270. {
  35271. restoreMouseIfHidden();
  35272. }
  35273. }
  35274. static double smallestAngleBetween (double a1, double a2)
  35275. {
  35276. return jmin (fabs (a1 - a2),
  35277. fabs (a1 + double_Pi * 2.0 - a2),
  35278. fabs (a2 + double_Pi * 2.0 - a1));
  35279. }
  35280. void Slider::mouseDrag (const MouseEvent& e)
  35281. {
  35282. if (isEnabled()
  35283. && (! menuShown)
  35284. && (maximum > minimum))
  35285. {
  35286. if (style == Rotary)
  35287. {
  35288. int dx = e.x - sliderRect.getCentreX();
  35289. int dy = e.y - sliderRect.getCentreY();
  35290. if (dx * dx + dy * dy > 25)
  35291. {
  35292. double angle = atan2 ((double) dx, (double) -dy);
  35293. while (angle < 0.0)
  35294. angle += double_Pi * 2.0;
  35295. if (rotaryStop && ! e.mouseWasClicked())
  35296. {
  35297. if (fabs (angle - lastAngle) > double_Pi)
  35298. {
  35299. if (angle >= lastAngle)
  35300. angle -= double_Pi * 2.0;
  35301. else
  35302. angle += double_Pi * 2.0;
  35303. }
  35304. if (angle >= lastAngle)
  35305. angle = jmin (angle, (double) jmax (rotaryStart, rotaryEnd));
  35306. else
  35307. angle = jmax (angle, (double) jmin (rotaryStart, rotaryEnd));
  35308. }
  35309. else
  35310. {
  35311. while (angle < rotaryStart)
  35312. angle += double_Pi * 2.0;
  35313. if (angle > rotaryEnd)
  35314. {
  35315. if (smallestAngleBetween (angle, rotaryStart) <= smallestAngleBetween (angle, rotaryEnd))
  35316. angle = rotaryStart;
  35317. else
  35318. angle = rotaryEnd;
  35319. }
  35320. }
  35321. const double proportion = (angle - rotaryStart) / (rotaryEnd - rotaryStart);
  35322. valueWhenLastDragged = proportionOfLengthToValue (jlimit (0.0, 1.0, proportion));
  35323. lastAngle = angle;
  35324. }
  35325. }
  35326. else
  35327. {
  35328. if (style == LinearBar && e.mouseWasClicked()
  35329. && valueBox != 0 && valueBox->isEditable())
  35330. return;
  35331. if (style == IncDecButtons)
  35332. {
  35333. if (! incDecDragged)
  35334. incDecDragged = e.getDistanceFromDragStart() > 10 && ! e.mouseWasClicked();
  35335. if (! incDecDragged)
  35336. return;
  35337. }
  35338. if ((isVelocityBased == (userKeyOverridesVelocity ? e.mods.testFlags (ModifierKeys::ctrlModifier | ModifierKeys::commandModifier | ModifierKeys::altModifier)
  35339. : false))
  35340. || ((maximum - minimum) / sliderRegionSize < interval))
  35341. {
  35342. const int mousePos = (isHorizontal() || style == RotaryHorizontalDrag) ? e.x : e.y;
  35343. double scaledMousePos = (mousePos - sliderRegionStart) / (double) sliderRegionSize;
  35344. if (style == RotaryHorizontalDrag
  35345. || style == RotaryVerticalDrag
  35346. || style == IncDecButtons
  35347. || ((style == LinearHorizontal || style == LinearVertical || style == LinearBar)
  35348. && ! snapsToMousePos))
  35349. {
  35350. const int mouseDiff = (style == RotaryHorizontalDrag
  35351. || style == LinearHorizontal
  35352. || style == LinearBar
  35353. || (style == IncDecButtons && incDecDragDirectionIsHorizontal()))
  35354. ? e.getDistanceFromDragStartX()
  35355. : -e.getDistanceFromDragStartY();
  35356. double newPos = valueToProportionOfLength (valueOnMouseDown)
  35357. + mouseDiff * (1.0 / pixelsForFullDragExtent);
  35358. valueWhenLastDragged = proportionOfLengthToValue (jlimit (0.0, 1.0, newPos));
  35359. if (style == IncDecButtons)
  35360. {
  35361. incButton->setState (mouseDiff < 0 ? Button::buttonNormal : Button::buttonDown);
  35362. decButton->setState (mouseDiff > 0 ? Button::buttonNormal : Button::buttonDown);
  35363. }
  35364. }
  35365. else
  35366. {
  35367. if (style == LinearVertical)
  35368. scaledMousePos = 1.0 - scaledMousePos;
  35369. valueWhenLastDragged = proportionOfLengthToValue (jlimit (0.0, 1.0, scaledMousePos));
  35370. }
  35371. }
  35372. else
  35373. {
  35374. const int mouseDiff = (isHorizontal() || style == RotaryHorizontalDrag
  35375. || (style == IncDecButtons && incDecDragDirectionIsHorizontal()))
  35376. ? e.x - mouseXWhenLastDragged
  35377. : e.y - mouseYWhenLastDragged;
  35378. const double maxSpeed = jmax (200, sliderRegionSize);
  35379. double speed = jlimit (0.0, maxSpeed, (double) abs (mouseDiff));
  35380. if (speed != 0)
  35381. {
  35382. speed = 0.2 * velocityModeSensitivity
  35383. * (1.0 + sin (double_Pi * (1.5 + jmin (0.5, velocityModeOffset
  35384. + jmax (0.0, (double) (speed - velocityModeThreshold))
  35385. / maxSpeed))));
  35386. if (mouseDiff < 0)
  35387. speed = -speed;
  35388. if (style == LinearVertical || style == RotaryVerticalDrag
  35389. || (style == IncDecButtons && ! incDecDragDirectionIsHorizontal()))
  35390. speed = -speed;
  35391. const double currentPos = valueToProportionOfLength (valueWhenLastDragged);
  35392. valueWhenLastDragged = proportionOfLengthToValue (jlimit (0.0, 1.0, currentPos + speed));
  35393. e.originalComponent->enableUnboundedMouseMovement (true, false);
  35394. mouseWasHidden = true;
  35395. }
  35396. }
  35397. }
  35398. valueWhenLastDragged = jlimit (minimum, maximum, valueWhenLastDragged);
  35399. if (sliderBeingDragged == 0)
  35400. {
  35401. setValue (snapValue (valueWhenLastDragged, true),
  35402. ! sendChangeOnlyOnRelease, true);
  35403. }
  35404. else if (sliderBeingDragged == 1)
  35405. {
  35406. setMinValue (snapValue (valueWhenLastDragged, true),
  35407. ! sendChangeOnlyOnRelease, false);
  35408. if (e.mods.isShiftDown())
  35409. setMaxValue (getMinValue() + minMaxDiff, false);
  35410. else
  35411. minMaxDiff = valueMax - valueMin;
  35412. }
  35413. else
  35414. {
  35415. jassert (sliderBeingDragged == 2);
  35416. setMaxValue (snapValue (valueWhenLastDragged, true),
  35417. ! sendChangeOnlyOnRelease, false);
  35418. if (e.mods.isShiftDown())
  35419. setMinValue (getMaxValue() - minMaxDiff, false);
  35420. else
  35421. minMaxDiff = valueMax - valueMin;
  35422. }
  35423. mouseXWhenLastDragged = e.x;
  35424. mouseYWhenLastDragged = e.y;
  35425. }
  35426. }
  35427. void Slider::mouseDoubleClick (const MouseEvent&)
  35428. {
  35429. if (doubleClickToValue
  35430. && isEnabled()
  35431. && style != IncDecButtons
  35432. && minimum <= doubleClickReturnValue
  35433. && maximum >= doubleClickReturnValue)
  35434. {
  35435. sendDragStart();
  35436. setValue (doubleClickReturnValue, true, true);
  35437. sendDragEnd();
  35438. }
  35439. }
  35440. void Slider::mouseWheelMove (const MouseEvent& e, float wheelIncrementX, float wheelIncrementY)
  35441. {
  35442. if (scrollWheelEnabled && isEnabled())
  35443. {
  35444. if (maximum > minimum && ! isMouseButtonDownAnywhere())
  35445. {
  35446. if (valueBox != 0)
  35447. valueBox->hideEditor (false);
  35448. const double proportionDelta = (wheelIncrementX != 0 ? -wheelIncrementX : wheelIncrementY) * 0.15f;
  35449. const double currentPos = valueToProportionOfLength (currentValue);
  35450. const double newValue = proportionOfLengthToValue (jlimit (0.0, 1.0, currentPos + proportionDelta));
  35451. double delta = (newValue != currentValue)
  35452. ? jmax (fabs (newValue - currentValue), interval) : 0;
  35453. if (currentValue > newValue)
  35454. delta = -delta;
  35455. sendDragStart();
  35456. setValue (snapValue (currentValue + delta, false), true, true);
  35457. sendDragEnd();
  35458. }
  35459. }
  35460. else
  35461. {
  35462. Component::mouseWheelMove (e, wheelIncrementX, wheelIncrementY);
  35463. }
  35464. }
  35465. void SliderListener::sliderDragStarted (Slider*)
  35466. {
  35467. }
  35468. void SliderListener::sliderDragEnded (Slider*)
  35469. {
  35470. }
  35471. END_JUCE_NAMESPACE
  35472. /********* End of inlined file: juce_Slider.cpp *********/
  35473. /********* Start of inlined file: juce_TableHeaderComponent.cpp *********/
  35474. BEGIN_JUCE_NAMESPACE
  35475. class DragOverlayComp : public Component
  35476. {
  35477. public:
  35478. DragOverlayComp (Image* const image_)
  35479. : image (image_)
  35480. {
  35481. image->multiplyAllAlphas (0.8f);
  35482. setAlwaysOnTop (true);
  35483. }
  35484. ~DragOverlayComp()
  35485. {
  35486. delete image;
  35487. }
  35488. void paint (Graphics& g)
  35489. {
  35490. g.drawImageAt (image, 0, 0);
  35491. }
  35492. private:
  35493. Image* image;
  35494. DragOverlayComp (const DragOverlayComp&);
  35495. const DragOverlayComp& operator= (const DragOverlayComp&);
  35496. };
  35497. TableHeaderComponent::TableHeaderComponent()
  35498. : listeners (2),
  35499. dragOverlayComp (0),
  35500. columnsChanged (false),
  35501. columnsResized (false),
  35502. sortChanged (false),
  35503. menuActive (true),
  35504. stretchToFit (false),
  35505. columnIdBeingResized (0),
  35506. columnIdBeingDragged (0),
  35507. columnIdUnderMouse (0),
  35508. lastDeliberateWidth (0)
  35509. {
  35510. }
  35511. TableHeaderComponent::~TableHeaderComponent()
  35512. {
  35513. delete dragOverlayComp;
  35514. }
  35515. void TableHeaderComponent::setPopupMenuActive (const bool hasMenu)
  35516. {
  35517. menuActive = hasMenu;
  35518. }
  35519. bool TableHeaderComponent::isPopupMenuActive() const throw() { return menuActive; }
  35520. int TableHeaderComponent::getNumColumns (const bool onlyCountVisibleColumns) const throw()
  35521. {
  35522. if (onlyCountVisibleColumns)
  35523. {
  35524. int num = 0;
  35525. for (int i = columns.size(); --i >= 0;)
  35526. if (columns.getUnchecked(i)->isVisible())
  35527. ++num;
  35528. return num;
  35529. }
  35530. else
  35531. {
  35532. return columns.size();
  35533. }
  35534. }
  35535. const String TableHeaderComponent::getColumnName (const int columnId) const throw()
  35536. {
  35537. const ColumnInfo* const ci = getInfoForId (columnId);
  35538. return ci != 0 ? ci->name : String::empty;
  35539. }
  35540. void TableHeaderComponent::setColumnName (const int columnId, const String& newName)
  35541. {
  35542. ColumnInfo* const ci = getInfoForId (columnId);
  35543. if (ci != 0 && ci->name != newName)
  35544. {
  35545. ci->name = newName;
  35546. sendColumnsChanged();
  35547. }
  35548. }
  35549. void TableHeaderComponent::addColumn (const String& columnName,
  35550. const int columnId,
  35551. const int width,
  35552. const int minimumWidth,
  35553. const int maximumWidth,
  35554. const int propertyFlags,
  35555. const int insertIndex)
  35556. {
  35557. // can't have a duplicate or null ID!
  35558. jassert (columnId != 0 && getIndexOfColumnId (columnId, false) < 0);
  35559. jassert (width > 0);
  35560. ColumnInfo* const ci = new ColumnInfo();
  35561. ci->name = columnName;
  35562. ci->id = columnId;
  35563. ci->width = width;
  35564. ci->lastDeliberateWidth = width;
  35565. ci->minimumWidth = minimumWidth;
  35566. ci->maximumWidth = maximumWidth;
  35567. if (ci->maximumWidth < 0)
  35568. ci->maximumWidth = INT_MAX;
  35569. jassert (ci->maximumWidth >= ci->minimumWidth);
  35570. ci->propertyFlags = propertyFlags;
  35571. columns.insert (insertIndex, ci);
  35572. sendColumnsChanged();
  35573. }
  35574. void TableHeaderComponent::removeColumn (const int columnIdToRemove)
  35575. {
  35576. const int index = getIndexOfColumnId (columnIdToRemove, false);
  35577. if (index >= 0)
  35578. {
  35579. columns.remove (index);
  35580. sortChanged = true;
  35581. sendColumnsChanged();
  35582. }
  35583. }
  35584. void TableHeaderComponent::removeAllColumns()
  35585. {
  35586. if (columns.size() > 0)
  35587. {
  35588. columns.clear();
  35589. sendColumnsChanged();
  35590. }
  35591. }
  35592. void TableHeaderComponent::moveColumn (const int columnId, int newIndex)
  35593. {
  35594. const int currentIndex = getIndexOfColumnId (columnId, false);
  35595. newIndex = visibleIndexToTotalIndex (newIndex);
  35596. if (columns [currentIndex] != 0 && currentIndex != newIndex)
  35597. {
  35598. columns.move (currentIndex, newIndex);
  35599. sendColumnsChanged();
  35600. }
  35601. }
  35602. void TableHeaderComponent::setColumnWidth (const int columnId, const int newWidth)
  35603. {
  35604. ColumnInfo* const ci = getInfoForId (columnId);
  35605. if (ci != 0 && ci->width != newWidth)
  35606. {
  35607. const int numColumns = getNumColumns (true);
  35608. ci->lastDeliberateWidth = ci->width
  35609. = jlimit (ci->minimumWidth, ci->maximumWidth, newWidth);
  35610. if (stretchToFit)
  35611. {
  35612. const int index = getIndexOfColumnId (columnId, true) + 1;
  35613. if (((unsigned int) index) < (unsigned int) numColumns)
  35614. {
  35615. const int x = getColumnPosition (index).getX();
  35616. if (lastDeliberateWidth == 0)
  35617. lastDeliberateWidth = getTotalWidth();
  35618. resizeColumnsToFit (visibleIndexToTotalIndex (index), lastDeliberateWidth - x);
  35619. }
  35620. }
  35621. repaint();
  35622. columnsResized = true;
  35623. triggerAsyncUpdate();
  35624. }
  35625. }
  35626. int TableHeaderComponent::getIndexOfColumnId (const int columnId, const bool onlyCountVisibleColumns) const throw()
  35627. {
  35628. int n = 0;
  35629. for (int i = 0; i < columns.size(); ++i)
  35630. {
  35631. if ((! onlyCountVisibleColumns) || columns.getUnchecked(i)->isVisible())
  35632. {
  35633. if (columns.getUnchecked(i)->id == columnId)
  35634. return n;
  35635. ++n;
  35636. }
  35637. }
  35638. return -1;
  35639. }
  35640. int TableHeaderComponent::getColumnIdOfIndex (int index, const bool onlyCountVisibleColumns) const throw()
  35641. {
  35642. if (onlyCountVisibleColumns)
  35643. index = visibleIndexToTotalIndex (index);
  35644. const ColumnInfo* const ci = columns [index];
  35645. return (ci != 0) ? ci->id : 0;
  35646. }
  35647. const Rectangle TableHeaderComponent::getColumnPosition (const int index) const throw()
  35648. {
  35649. int x = 0, width = 0, n = 0;
  35650. for (int i = 0; i < columns.size(); ++i)
  35651. {
  35652. x += width;
  35653. if (columns.getUnchecked(i)->isVisible())
  35654. {
  35655. width = columns.getUnchecked(i)->width;
  35656. if (n++ == index)
  35657. break;
  35658. }
  35659. else
  35660. {
  35661. width = 0;
  35662. }
  35663. }
  35664. return Rectangle (x, 0, width, getHeight());
  35665. }
  35666. int TableHeaderComponent::getColumnIdAtX (const int xToFind) const throw()
  35667. {
  35668. if (xToFind >= 0)
  35669. {
  35670. int x = 0;
  35671. for (int i = 0; i < columns.size(); ++i)
  35672. {
  35673. const ColumnInfo* const ci = columns.getUnchecked(i);
  35674. if (ci->isVisible())
  35675. {
  35676. x += ci->width;
  35677. if (xToFind < x)
  35678. return ci->id;
  35679. }
  35680. }
  35681. }
  35682. return 0;
  35683. }
  35684. int TableHeaderComponent::getTotalWidth() const throw()
  35685. {
  35686. int w = 0;
  35687. for (int i = columns.size(); --i >= 0;)
  35688. if (columns.getUnchecked(i)->isVisible())
  35689. w += columns.getUnchecked(i)->width;
  35690. return w;
  35691. }
  35692. void TableHeaderComponent::setStretchToFitActive (const bool shouldStretchToFit)
  35693. {
  35694. stretchToFit = shouldStretchToFit;
  35695. lastDeliberateWidth = getTotalWidth();
  35696. resized();
  35697. }
  35698. bool TableHeaderComponent::isStretchToFitActive() const throw()
  35699. {
  35700. return stretchToFit;
  35701. }
  35702. void TableHeaderComponent::resizeAllColumnsToFit (int targetTotalWidth)
  35703. {
  35704. if (stretchToFit && getWidth() > 0
  35705. && columnIdBeingResized == 0 && columnIdBeingDragged == 0)
  35706. {
  35707. lastDeliberateWidth = targetTotalWidth;
  35708. resizeColumnsToFit (0, targetTotalWidth);
  35709. }
  35710. }
  35711. void TableHeaderComponent::resizeColumnsToFit (int firstColumnIndex, int targetTotalWidth)
  35712. {
  35713. targetTotalWidth = jmax (targetTotalWidth, 0);
  35714. StretchableObjectResizer sor;
  35715. int i;
  35716. for (i = firstColumnIndex; i < columns.size(); ++i)
  35717. {
  35718. ColumnInfo* const ci = columns.getUnchecked(i);
  35719. if (ci->isVisible())
  35720. sor.addItem (ci->lastDeliberateWidth, ci->minimumWidth, ci->maximumWidth);
  35721. }
  35722. sor.resizeToFit (targetTotalWidth);
  35723. int visIndex = 0;
  35724. for (i = firstColumnIndex; i < columns.size(); ++i)
  35725. {
  35726. ColumnInfo* const ci = columns.getUnchecked(i);
  35727. if (ci->isVisible())
  35728. {
  35729. const int newWidth = jlimit (ci->minimumWidth, ci->maximumWidth,
  35730. (int) floor (sor.getItemSize (visIndex++)));
  35731. if (newWidth != ci->width)
  35732. {
  35733. ci->width = newWidth;
  35734. repaint();
  35735. columnsResized = true;
  35736. triggerAsyncUpdate();
  35737. }
  35738. }
  35739. }
  35740. }
  35741. void TableHeaderComponent::setColumnVisible (const int columnId, const bool shouldBeVisible)
  35742. {
  35743. ColumnInfo* const ci = getInfoForId (columnId);
  35744. if (ci != 0 && shouldBeVisible != ci->isVisible())
  35745. {
  35746. if (shouldBeVisible)
  35747. ci->propertyFlags |= visible;
  35748. else
  35749. ci->propertyFlags &= ~visible;
  35750. sendColumnsChanged();
  35751. resized();
  35752. }
  35753. }
  35754. bool TableHeaderComponent::isColumnVisible (const int columnId) const
  35755. {
  35756. const ColumnInfo* const ci = getInfoForId (columnId);
  35757. return ci != 0 && ci->isVisible();
  35758. }
  35759. void TableHeaderComponent::setSortColumnId (const int columnId, const bool sortForwards)
  35760. {
  35761. if (getSortColumnId() != columnId || isSortedForwards() != sortForwards)
  35762. {
  35763. for (int i = columns.size(); --i >= 0;)
  35764. columns.getUnchecked(i)->propertyFlags &= ~(sortedForwards | sortedBackwards);
  35765. ColumnInfo* const ci = getInfoForId (columnId);
  35766. if (ci != 0)
  35767. ci->propertyFlags |= (sortForwards ? sortedForwards : sortedBackwards);
  35768. reSortTable();
  35769. }
  35770. }
  35771. int TableHeaderComponent::getSortColumnId() const throw()
  35772. {
  35773. for (int i = columns.size(); --i >= 0;)
  35774. if ((columns.getUnchecked(i)->propertyFlags & (sortedForwards | sortedBackwards)) != 0)
  35775. return columns.getUnchecked(i)->id;
  35776. return 0;
  35777. }
  35778. bool TableHeaderComponent::isSortedForwards() const throw()
  35779. {
  35780. for (int i = columns.size(); --i >= 0;)
  35781. if ((columns.getUnchecked(i)->propertyFlags & (sortedForwards | sortedBackwards)) != 0)
  35782. return (columns.getUnchecked(i)->propertyFlags & sortedForwards) != 0;
  35783. return true;
  35784. }
  35785. void TableHeaderComponent::reSortTable()
  35786. {
  35787. sortChanged = true;
  35788. repaint();
  35789. triggerAsyncUpdate();
  35790. }
  35791. const String TableHeaderComponent::toString() const
  35792. {
  35793. String s;
  35794. XmlElement doc (T("TABLELAYOUT"));
  35795. doc.setAttribute (T("sortedCol"), getSortColumnId());
  35796. doc.setAttribute (T("sortForwards"), isSortedForwards());
  35797. for (int i = 0; i < columns.size(); ++i)
  35798. {
  35799. const ColumnInfo* const ci = columns.getUnchecked (i);
  35800. XmlElement* const e = new XmlElement (T("COLUMN"));
  35801. doc.addChildElement (e);
  35802. e->setAttribute (T("id"), ci->id);
  35803. e->setAttribute (T("visible"), ci->isVisible());
  35804. e->setAttribute (T("width"), ci->width);
  35805. }
  35806. return doc.createDocument (String::empty, true, false);
  35807. }
  35808. void TableHeaderComponent::restoreFromString (const String& storedVersion)
  35809. {
  35810. XmlDocument doc (storedVersion);
  35811. XmlElement* const storedXml = doc.getDocumentElement();
  35812. int index = 0;
  35813. if (storedXml != 0 && storedXml->hasTagName (T("TABLELAYOUT")))
  35814. {
  35815. forEachXmlChildElement (*storedXml, col)
  35816. {
  35817. const int tabId = col->getIntAttribute (T("id"));
  35818. ColumnInfo* const ci = getInfoForId (tabId);
  35819. if (ci != 0)
  35820. {
  35821. columns.move (columns.indexOf (ci), index);
  35822. ci->width = col->getIntAttribute (T("width"));
  35823. setColumnVisible (tabId, col->getBoolAttribute (T("visible")));
  35824. }
  35825. ++index;
  35826. }
  35827. columnsResized = true;
  35828. sendColumnsChanged();
  35829. setSortColumnId (storedXml->getIntAttribute (T("sortedCol")),
  35830. storedXml->getBoolAttribute (T("sortForwards"), true));
  35831. }
  35832. delete storedXml;
  35833. }
  35834. void TableHeaderComponent::addListener (TableHeaderListener* const newListener) throw()
  35835. {
  35836. listeners.addIfNotAlreadyThere (newListener);
  35837. }
  35838. void TableHeaderComponent::removeListener (TableHeaderListener* const listenerToRemove) throw()
  35839. {
  35840. listeners.removeValue (listenerToRemove);
  35841. }
  35842. void TableHeaderComponent::columnClicked (int columnId, const ModifierKeys& mods)
  35843. {
  35844. const ColumnInfo* const ci = getInfoForId (columnId);
  35845. if (ci != 0 && (ci->propertyFlags & sortable) != 0 && ! mods.isPopupMenu())
  35846. setSortColumnId (columnId, (ci->propertyFlags & sortedForwards) == 0);
  35847. }
  35848. void TableHeaderComponent::addMenuItems (PopupMenu& menu, const int /*columnIdClicked*/)
  35849. {
  35850. for (int i = 0; i < columns.size(); ++i)
  35851. {
  35852. const ColumnInfo* const ci = columns.getUnchecked(i);
  35853. if ((ci->propertyFlags & appearsOnColumnMenu) != 0)
  35854. menu.addItem (ci->id, ci->name,
  35855. (ci->propertyFlags & (sortedForwards | sortedBackwards)) == 0,
  35856. isColumnVisible (ci->id));
  35857. }
  35858. }
  35859. void TableHeaderComponent::reactToMenuItem (const int menuReturnId, const int /*columnIdClicked*/)
  35860. {
  35861. if (getIndexOfColumnId (menuReturnId, false) >= 0)
  35862. setColumnVisible (menuReturnId, ! isColumnVisible (menuReturnId));
  35863. }
  35864. void TableHeaderComponent::paint (Graphics& g)
  35865. {
  35866. LookAndFeel& lf = getLookAndFeel();
  35867. lf.drawTableHeaderBackground (g, *this);
  35868. const Rectangle clip (g.getClipBounds());
  35869. int x = 0;
  35870. for (int i = 0; i < columns.size(); ++i)
  35871. {
  35872. const ColumnInfo* const ci = columns.getUnchecked(i);
  35873. if (ci->isVisible())
  35874. {
  35875. if (x + ci->width > clip.getX()
  35876. && (ci->id != columnIdBeingDragged
  35877. || dragOverlayComp == 0
  35878. || ! dragOverlayComp->isVisible()))
  35879. {
  35880. g.saveState();
  35881. g.setOrigin (x, 0);
  35882. g.reduceClipRegion (0, 0, ci->width, getHeight());
  35883. lf.drawTableHeaderColumn (g, ci->name, ci->id, ci->width, getHeight(),
  35884. ci->id == columnIdUnderMouse,
  35885. ci->id == columnIdUnderMouse && isMouseButtonDown(),
  35886. ci->propertyFlags);
  35887. g.restoreState();
  35888. }
  35889. x += ci->width;
  35890. if (x >= clip.getRight())
  35891. break;
  35892. }
  35893. }
  35894. }
  35895. void TableHeaderComponent::resized()
  35896. {
  35897. }
  35898. void TableHeaderComponent::mouseMove (const MouseEvent& e)
  35899. {
  35900. updateColumnUnderMouse (e.x, e.y);
  35901. }
  35902. void TableHeaderComponent::mouseEnter (const MouseEvent& e)
  35903. {
  35904. updateColumnUnderMouse (e.x, e.y);
  35905. }
  35906. void TableHeaderComponent::mouseExit (const MouseEvent& e)
  35907. {
  35908. updateColumnUnderMouse (e.x, e.y);
  35909. }
  35910. void TableHeaderComponent::mouseDown (const MouseEvent& e)
  35911. {
  35912. repaint();
  35913. columnIdBeingResized = 0;
  35914. columnIdBeingDragged = 0;
  35915. if (columnIdUnderMouse != 0)
  35916. {
  35917. draggingColumnOffset = e.x - getColumnPosition (getIndexOfColumnId (columnIdUnderMouse, true)).getX();
  35918. if (e.mods.isPopupMenu())
  35919. columnClicked (columnIdUnderMouse, e.mods);
  35920. }
  35921. if (menuActive && e.mods.isPopupMenu())
  35922. showColumnChooserMenu (columnIdUnderMouse);
  35923. }
  35924. void TableHeaderComponent::mouseDrag (const MouseEvent& e)
  35925. {
  35926. if (columnIdBeingResized == 0
  35927. && columnIdBeingDragged == 0
  35928. && ! (e.mouseWasClicked() || e.mods.isPopupMenu()))
  35929. {
  35930. deleteAndZero (dragOverlayComp);
  35931. columnIdBeingResized = getResizeDraggerAt (e.getMouseDownX());
  35932. if (columnIdBeingResized != 0)
  35933. {
  35934. const ColumnInfo* const ci = getInfoForId (columnIdBeingResized);
  35935. initialColumnWidth = ci->width;
  35936. }
  35937. else
  35938. {
  35939. beginDrag (e);
  35940. }
  35941. }
  35942. if (columnIdBeingResized != 0)
  35943. {
  35944. const ColumnInfo* const ci = getInfoForId (columnIdBeingResized);
  35945. if (ci != 0)
  35946. {
  35947. int w = jlimit (ci->minimumWidth, ci->maximumWidth,
  35948. initialColumnWidth + e.getDistanceFromDragStartX());
  35949. if (stretchToFit)
  35950. {
  35951. // prevent us dragging a column too far right if we're in stretch-to-fit mode
  35952. int minWidthOnRight = 0;
  35953. for (int i = getIndexOfColumnId (columnIdBeingResized, false) + 1; i < columns.size(); ++i)
  35954. if (columns.getUnchecked (i)->isVisible())
  35955. minWidthOnRight += columns.getUnchecked (i)->minimumWidth;
  35956. const Rectangle currentPos (getColumnPosition (getIndexOfColumnId (columnIdBeingResized, true)));
  35957. w = jmax (ci->minimumWidth, jmin (w, getWidth() - minWidthOnRight - currentPos.getX()));
  35958. }
  35959. setColumnWidth (columnIdBeingResized, w);
  35960. }
  35961. }
  35962. else if (columnIdBeingDragged != 0)
  35963. {
  35964. if (e.y >= -50 && e.y < getHeight() + 50)
  35965. {
  35966. beginDrag (e);
  35967. if (dragOverlayComp != 0)
  35968. {
  35969. dragOverlayComp->setVisible (true);
  35970. dragOverlayComp->setBounds (jlimit (0,
  35971. jmax (0, getTotalWidth() - dragOverlayComp->getWidth()),
  35972. e.x - draggingColumnOffset),
  35973. 0,
  35974. dragOverlayComp->getWidth(),
  35975. getHeight());
  35976. for (int i = columns.size(); --i >= 0;)
  35977. {
  35978. const int currentIndex = getIndexOfColumnId (columnIdBeingDragged, true);
  35979. int newIndex = currentIndex;
  35980. if (newIndex > 0)
  35981. {
  35982. // if the previous column isn't draggable, we can't move our column
  35983. // past it, because that'd change the undraggable column's position..
  35984. const ColumnInfo* const previous = columns.getUnchecked (newIndex - 1);
  35985. if ((previous->propertyFlags & draggable) != 0)
  35986. {
  35987. const int leftOfPrevious = getColumnPosition (newIndex - 1).getX();
  35988. const int rightOfCurrent = getColumnPosition (newIndex).getRight();
  35989. if (abs (dragOverlayComp->getX() - leftOfPrevious)
  35990. < abs (dragOverlayComp->getRight() - rightOfCurrent))
  35991. {
  35992. --newIndex;
  35993. }
  35994. }
  35995. }
  35996. if (newIndex < columns.size() - 1)
  35997. {
  35998. // if the next column isn't draggable, we can't move our column
  35999. // past it, because that'd change the undraggable column's position..
  36000. const ColumnInfo* const nextCol = columns.getUnchecked (newIndex + 1);
  36001. if ((nextCol->propertyFlags & draggable) != 0)
  36002. {
  36003. const int leftOfCurrent = getColumnPosition (newIndex).getX();
  36004. const int rightOfNext = getColumnPosition (newIndex + 1).getRight();
  36005. if (abs (dragOverlayComp->getX() - leftOfCurrent)
  36006. > abs (dragOverlayComp->getRight() - rightOfNext))
  36007. {
  36008. ++newIndex;
  36009. }
  36010. }
  36011. }
  36012. if (newIndex != currentIndex)
  36013. moveColumn (columnIdBeingDragged, newIndex);
  36014. else
  36015. break;
  36016. }
  36017. }
  36018. }
  36019. else
  36020. {
  36021. endDrag (draggingColumnOriginalIndex);
  36022. }
  36023. }
  36024. }
  36025. void TableHeaderComponent::beginDrag (const MouseEvent& e)
  36026. {
  36027. if (columnIdBeingDragged == 0)
  36028. {
  36029. columnIdBeingDragged = getColumnIdAtX (e.getMouseDownX());
  36030. const ColumnInfo* const ci = getInfoForId (columnIdBeingDragged);
  36031. if (ci == 0 || (ci->propertyFlags & draggable) == 0)
  36032. {
  36033. columnIdBeingDragged = 0;
  36034. }
  36035. else
  36036. {
  36037. draggingColumnOriginalIndex = getIndexOfColumnId (columnIdBeingDragged, true);
  36038. const Rectangle columnRect (getColumnPosition (draggingColumnOriginalIndex));
  36039. const int temp = columnIdBeingDragged;
  36040. columnIdBeingDragged = 0;
  36041. addAndMakeVisible (dragOverlayComp = new DragOverlayComp (createComponentSnapshot (columnRect, false)));
  36042. columnIdBeingDragged = temp;
  36043. dragOverlayComp->setBounds (columnRect);
  36044. for (int i = listeners.size(); --i >= 0;)
  36045. {
  36046. listeners.getUnchecked(i)->tableColumnDraggingChanged (this, columnIdBeingDragged);
  36047. i = jmin (i, listeners.size() - 1);
  36048. }
  36049. }
  36050. }
  36051. }
  36052. void TableHeaderComponent::endDrag (const int finalIndex)
  36053. {
  36054. if (columnIdBeingDragged != 0)
  36055. {
  36056. moveColumn (columnIdBeingDragged, finalIndex);
  36057. columnIdBeingDragged = 0;
  36058. repaint();
  36059. for (int i = listeners.size(); --i >= 0;)
  36060. {
  36061. listeners.getUnchecked(i)->tableColumnDraggingChanged (this, 0);
  36062. i = jmin (i, listeners.size() - 1);
  36063. }
  36064. }
  36065. }
  36066. void TableHeaderComponent::mouseUp (const MouseEvent& e)
  36067. {
  36068. mouseDrag (e);
  36069. for (int i = columns.size(); --i >= 0;)
  36070. if (columns.getUnchecked (i)->isVisible())
  36071. columns.getUnchecked (i)->lastDeliberateWidth = columns.getUnchecked (i)->width;
  36072. columnIdBeingResized = 0;
  36073. repaint();
  36074. endDrag (getIndexOfColumnId (columnIdBeingDragged, true));
  36075. updateColumnUnderMouse (e.x, e.y);
  36076. if (columnIdUnderMouse != 0 && e.mouseWasClicked() && ! e.mods.isPopupMenu())
  36077. columnClicked (columnIdUnderMouse, e.mods);
  36078. deleteAndZero (dragOverlayComp);
  36079. }
  36080. const MouseCursor TableHeaderComponent::getMouseCursor()
  36081. {
  36082. int x, y;
  36083. getMouseXYRelative (x, y);
  36084. if (columnIdBeingResized != 0 || (getResizeDraggerAt (x) != 0 && ! isMouseButtonDown()))
  36085. return MouseCursor (MouseCursor::LeftRightResizeCursor);
  36086. return Component::getMouseCursor();
  36087. }
  36088. bool TableHeaderComponent::ColumnInfo::isVisible() const throw()
  36089. {
  36090. return (propertyFlags & TableHeaderComponent::visible) != 0;
  36091. }
  36092. TableHeaderComponent::ColumnInfo* TableHeaderComponent::getInfoForId (const int id) const throw()
  36093. {
  36094. for (int i = columns.size(); --i >= 0;)
  36095. if (columns.getUnchecked(i)->id == id)
  36096. return columns.getUnchecked(i);
  36097. return 0;
  36098. }
  36099. int TableHeaderComponent::visibleIndexToTotalIndex (const int visibleIndex) const throw()
  36100. {
  36101. int n = 0;
  36102. for (int i = 0; i < columns.size(); ++i)
  36103. {
  36104. if (columns.getUnchecked(i)->isVisible())
  36105. {
  36106. if (n == visibleIndex)
  36107. return i;
  36108. ++n;
  36109. }
  36110. }
  36111. return -1;
  36112. }
  36113. void TableHeaderComponent::sendColumnsChanged()
  36114. {
  36115. if (stretchToFit && lastDeliberateWidth > 0)
  36116. resizeAllColumnsToFit (lastDeliberateWidth);
  36117. repaint();
  36118. columnsChanged = true;
  36119. triggerAsyncUpdate();
  36120. }
  36121. void TableHeaderComponent::handleAsyncUpdate()
  36122. {
  36123. const bool changed = columnsChanged || sortChanged;
  36124. const bool sized = columnsResized || changed;
  36125. const bool sorted = sortChanged;
  36126. columnsChanged = false;
  36127. columnsResized = false;
  36128. sortChanged = false;
  36129. if (sorted)
  36130. {
  36131. for (int i = listeners.size(); --i >= 0;)
  36132. {
  36133. listeners.getUnchecked(i)->tableSortOrderChanged (this);
  36134. i = jmin (i, listeners.size() - 1);
  36135. }
  36136. }
  36137. if (changed)
  36138. {
  36139. for (int i = listeners.size(); --i >= 0;)
  36140. {
  36141. listeners.getUnchecked(i)->tableColumnsChanged (this);
  36142. i = jmin (i, listeners.size() - 1);
  36143. }
  36144. }
  36145. if (sized)
  36146. {
  36147. for (int i = listeners.size(); --i >= 0;)
  36148. {
  36149. listeners.getUnchecked(i)->tableColumnsResized (this);
  36150. i = jmin (i, listeners.size() - 1);
  36151. }
  36152. }
  36153. }
  36154. int TableHeaderComponent::getResizeDraggerAt (const int mouseX) const throw()
  36155. {
  36156. if (((unsigned int) mouseX) < (unsigned int) getWidth())
  36157. {
  36158. const int draggableDistance = 3;
  36159. int x = 0;
  36160. for (int i = 0; i < columns.size(); ++i)
  36161. {
  36162. const ColumnInfo* const ci = columns.getUnchecked(i);
  36163. if (ci->isVisible())
  36164. {
  36165. if (abs (mouseX - (x + ci->width)) <= draggableDistance
  36166. && (ci->propertyFlags & resizable) != 0)
  36167. return ci->id;
  36168. x += ci->width;
  36169. }
  36170. }
  36171. }
  36172. return 0;
  36173. }
  36174. void TableHeaderComponent::updateColumnUnderMouse (int x, int y)
  36175. {
  36176. const int newCol = (reallyContains (x, y, true) && getResizeDraggerAt (x) == 0)
  36177. ? getColumnIdAtX (x) : 0;
  36178. if (newCol != columnIdUnderMouse)
  36179. {
  36180. columnIdUnderMouse = newCol;
  36181. repaint();
  36182. }
  36183. }
  36184. void TableHeaderComponent::showColumnChooserMenu (const int columnIdClicked)
  36185. {
  36186. PopupMenu m;
  36187. addMenuItems (m, columnIdClicked);
  36188. if (m.getNumItems() > 0)
  36189. {
  36190. const int result = m.show();
  36191. if (result != 0)
  36192. reactToMenuItem (result, columnIdClicked);
  36193. }
  36194. }
  36195. void TableHeaderListener::tableColumnDraggingChanged (TableHeaderComponent*, int)
  36196. {
  36197. }
  36198. END_JUCE_NAMESPACE
  36199. /********* End of inlined file: juce_TableHeaderComponent.cpp *********/
  36200. /********* Start of inlined file: juce_TableListBox.cpp *********/
  36201. BEGIN_JUCE_NAMESPACE
  36202. static const tchar* const tableColumnPropertyTag = T("_tableColumnID");
  36203. class TableListRowComp : public Component
  36204. {
  36205. public:
  36206. TableListRowComp (TableListBox& owner_)
  36207. : owner (owner_),
  36208. row (-1),
  36209. isSelected (false)
  36210. {
  36211. }
  36212. ~TableListRowComp()
  36213. {
  36214. deleteAllChildren();
  36215. }
  36216. void paint (Graphics& g)
  36217. {
  36218. TableListBoxModel* const model = owner.getModel();
  36219. if (model != 0)
  36220. {
  36221. const TableHeaderComponent* const header = owner.getHeader();
  36222. model->paintRowBackground (g, row, getWidth(), getHeight(), isSelected);
  36223. const int numColumns = header->getNumColumns (true);
  36224. for (int i = 0; i < numColumns; ++i)
  36225. {
  36226. if (! columnsWithComponents [i])
  36227. {
  36228. const int columnId = header->getColumnIdOfIndex (i, true);
  36229. Rectangle columnRect (header->getColumnPosition (i));
  36230. columnRect.setSize (columnRect.getWidth(), getHeight());
  36231. g.saveState();
  36232. g.reduceClipRegion (columnRect);
  36233. g.setOrigin (columnRect.getX(), 0);
  36234. model->paintCell (g, row, columnId, columnRect.getWidth(), columnRect.getHeight(), isSelected);
  36235. g.restoreState();
  36236. }
  36237. }
  36238. }
  36239. }
  36240. void update (const int newRow, const bool isNowSelected)
  36241. {
  36242. if (newRow != row || isNowSelected != isSelected)
  36243. {
  36244. row = newRow;
  36245. isSelected = isNowSelected;
  36246. repaint();
  36247. }
  36248. if (row < owner.getNumRows())
  36249. {
  36250. jassert (row >= 0);
  36251. const tchar* const tagPropertyName = T("_tableLastUseNum");
  36252. const int newTag = Random::getSystemRandom().nextInt();
  36253. const TableHeaderComponent* const header = owner.getHeader();
  36254. const int numColumns = header->getNumColumns (true);
  36255. int i;
  36256. columnsWithComponents.clear();
  36257. if (owner.getModel() != 0)
  36258. {
  36259. for (i = 0; i < numColumns; ++i)
  36260. {
  36261. const int columnId = header->getColumnIdOfIndex (i, true);
  36262. Component* const newComp
  36263. = owner.getModel()->refreshComponentForCell (row, columnId, isSelected,
  36264. findChildComponentForColumn (columnId));
  36265. if (newComp != 0)
  36266. {
  36267. addAndMakeVisible (newComp);
  36268. newComp->setComponentProperty (tagPropertyName, newTag);
  36269. newComp->setComponentProperty (tableColumnPropertyTag, columnId);
  36270. const Rectangle columnRect (header->getColumnPosition (i));
  36271. newComp->setBounds (columnRect.getX(), 0, columnRect.getWidth(), getHeight());
  36272. columnsWithComponents.setBit (i);
  36273. }
  36274. }
  36275. }
  36276. for (i = getNumChildComponents(); --i >= 0;)
  36277. {
  36278. Component* const c = getChildComponent (i);
  36279. if (c->getComponentPropertyInt (tagPropertyName, false, 0) != newTag)
  36280. delete c;
  36281. }
  36282. }
  36283. else
  36284. {
  36285. columnsWithComponents.clear();
  36286. deleteAllChildren();
  36287. }
  36288. }
  36289. void resized()
  36290. {
  36291. for (int i = getNumChildComponents(); --i >= 0;)
  36292. {
  36293. Component* const c = getChildComponent (i);
  36294. const int columnId = c->getComponentPropertyInt (tableColumnPropertyTag, false, 0);
  36295. if (columnId != 0)
  36296. {
  36297. const Rectangle columnRect (owner.getHeader()->getColumnPosition (owner.getHeader()->getIndexOfColumnId (columnId, true)));
  36298. c->setBounds (columnRect.getX(), 0, columnRect.getWidth(), getHeight());
  36299. }
  36300. }
  36301. }
  36302. void mouseDown (const MouseEvent& e)
  36303. {
  36304. isDragging = false;
  36305. selectRowOnMouseUp = false;
  36306. if (isEnabled())
  36307. {
  36308. if (! isSelected)
  36309. {
  36310. owner.selectRowsBasedOnModifierKeys (row, e.mods);
  36311. const int columnId = owner.getHeader()->getColumnIdAtX (e.x);
  36312. if (columnId != 0 && owner.getModel() != 0)
  36313. owner.getModel()->cellClicked (row, columnId, e);
  36314. }
  36315. else
  36316. {
  36317. selectRowOnMouseUp = true;
  36318. }
  36319. }
  36320. }
  36321. void mouseDrag (const MouseEvent& e)
  36322. {
  36323. if (isEnabled() && owner.getModel() != 0 && ! (e.mouseWasClicked() || isDragging))
  36324. {
  36325. const SparseSet <int> selectedRows (owner.getSelectedRows());
  36326. if (selectedRows.size() > 0)
  36327. {
  36328. const String dragDescription (owner.getModel()->getDragSourceDescription (selectedRows));
  36329. if (dragDescription.isNotEmpty())
  36330. {
  36331. isDragging = true;
  36332. DragAndDropContainer* const dragContainer
  36333. = DragAndDropContainer::findParentDragContainerFor (this);
  36334. if (dragContainer != 0)
  36335. {
  36336. Image* dragImage = owner.createSnapshotOfSelectedRows();
  36337. dragImage->multiplyAllAlphas (0.6f);
  36338. dragContainer->startDragging (dragDescription, &owner, dragImage, true);
  36339. }
  36340. else
  36341. {
  36342. // to be able to do a drag-and-drop operation, the listbox needs to
  36343. // be inside a component which is also a DragAndDropContainer.
  36344. jassertfalse
  36345. }
  36346. }
  36347. }
  36348. }
  36349. }
  36350. void mouseUp (const MouseEvent& e)
  36351. {
  36352. if (selectRowOnMouseUp && e.mouseWasClicked() && isEnabled())
  36353. {
  36354. owner.selectRowsBasedOnModifierKeys (row, e.mods);
  36355. const int columnId = owner.getHeader()->getColumnIdAtX (e.x);
  36356. if (columnId != 0 && owner.getModel() != 0)
  36357. owner.getModel()->cellClicked (row, columnId, e);
  36358. }
  36359. }
  36360. void mouseDoubleClick (const MouseEvent& e)
  36361. {
  36362. const int columnId = owner.getHeader()->getColumnIdAtX (e.x);
  36363. if (columnId != 0 && owner.getModel() != 0)
  36364. owner.getModel()->cellDoubleClicked (row, columnId, e);
  36365. }
  36366. juce_UseDebuggingNewOperator
  36367. private:
  36368. TableListBox& owner;
  36369. int row;
  36370. bool isSelected, isDragging, selectRowOnMouseUp;
  36371. BitArray columnsWithComponents;
  36372. Component* findChildComponentForColumn (const int columnId) const
  36373. {
  36374. for (int i = getNumChildComponents(); --i >= 0;)
  36375. {
  36376. Component* const c = getChildComponent (i);
  36377. if (c->getComponentPropertyInt (tableColumnPropertyTag, false, 0) == columnId)
  36378. return c;
  36379. }
  36380. return 0;
  36381. }
  36382. TableListRowComp (const TableListRowComp&);
  36383. const TableListRowComp& operator= (const TableListRowComp&);
  36384. };
  36385. class TableListBoxHeader : public TableHeaderComponent
  36386. {
  36387. public:
  36388. TableListBoxHeader (TableListBox& owner_)
  36389. : owner (owner_)
  36390. {
  36391. }
  36392. ~TableListBoxHeader()
  36393. {
  36394. }
  36395. void addMenuItems (PopupMenu& menu, const int columnIdClicked)
  36396. {
  36397. if (owner.isAutoSizeMenuOptionShown())
  36398. {
  36399. menu.addItem (0xf836743, TRANS("Auto-size this column"), columnIdClicked != 0);
  36400. menu.addItem (0xf836744, TRANS("Auto-size all columns"), owner.getHeader()->getNumColumns (true) > 0);
  36401. menu.addSeparator();
  36402. }
  36403. TableHeaderComponent::addMenuItems (menu, columnIdClicked);
  36404. }
  36405. void reactToMenuItem (const int menuReturnId, const int columnIdClicked)
  36406. {
  36407. if (menuReturnId == 0xf836743)
  36408. {
  36409. owner.autoSizeColumn (columnIdClicked);
  36410. }
  36411. else if (menuReturnId == 0xf836744)
  36412. {
  36413. owner.autoSizeAllColumns();
  36414. }
  36415. else
  36416. {
  36417. TableHeaderComponent::reactToMenuItem (menuReturnId, columnIdClicked);
  36418. }
  36419. }
  36420. juce_UseDebuggingNewOperator
  36421. private:
  36422. TableListBox& owner;
  36423. TableListBoxHeader (const TableListBoxHeader&);
  36424. const TableListBoxHeader& operator= (const TableListBoxHeader&);
  36425. };
  36426. TableListBox::TableListBox (const String& name, TableListBoxModel* const model_)
  36427. : ListBox (name, 0),
  36428. model (model_),
  36429. autoSizeOptionsShown (true)
  36430. {
  36431. ListBox::model = this;
  36432. header = new TableListBoxHeader (*this);
  36433. header->setSize (100, 28);
  36434. header->addListener (this);
  36435. setHeaderComponent (header);
  36436. }
  36437. TableListBox::~TableListBox()
  36438. {
  36439. deleteAllChildren();
  36440. }
  36441. void TableListBox::setModel (TableListBoxModel* const newModel)
  36442. {
  36443. if (model != newModel)
  36444. {
  36445. model = newModel;
  36446. updateContent();
  36447. }
  36448. }
  36449. int TableListBox::getHeaderHeight() const throw()
  36450. {
  36451. return header->getHeight();
  36452. }
  36453. void TableListBox::setHeaderHeight (const int newHeight)
  36454. {
  36455. header->setSize (header->getWidth(), newHeight);
  36456. resized();
  36457. }
  36458. void TableListBox::autoSizeColumn (const int columnId)
  36459. {
  36460. const int width = model != 0 ? model->getColumnAutoSizeWidth (columnId) : 0;
  36461. if (width > 0)
  36462. header->setColumnWidth (columnId, width);
  36463. }
  36464. void TableListBox::autoSizeAllColumns()
  36465. {
  36466. for (int i = 0; i < header->getNumColumns (true); ++i)
  36467. autoSizeColumn (header->getColumnIdOfIndex (i, true));
  36468. }
  36469. void TableListBox::setAutoSizeMenuOptionShown (const bool shouldBeShown)
  36470. {
  36471. autoSizeOptionsShown = shouldBeShown;
  36472. }
  36473. bool TableListBox::isAutoSizeMenuOptionShown() const throw()
  36474. {
  36475. return autoSizeOptionsShown;
  36476. }
  36477. const Rectangle TableListBox::getCellPosition (const int columnId,
  36478. const int rowNumber,
  36479. const bool relativeToComponentTopLeft) const
  36480. {
  36481. Rectangle headerCell (header->getColumnPosition (header->getIndexOfColumnId (columnId, true)));
  36482. if (relativeToComponentTopLeft)
  36483. headerCell.translate (header->getX(), 0);
  36484. const Rectangle row (getRowPosition (rowNumber, relativeToComponentTopLeft));
  36485. return Rectangle (headerCell.getX(), row.getY(),
  36486. headerCell.getWidth(), row.getHeight());
  36487. }
  36488. void TableListBox::scrollToEnsureColumnIsOnscreen (const int columnId)
  36489. {
  36490. ScrollBar* const scrollbar = getHorizontalScrollBar();
  36491. if (scrollbar != 0)
  36492. {
  36493. const Rectangle pos (header->getColumnPosition (header->getIndexOfColumnId (columnId, true)));
  36494. double x = scrollbar->getCurrentRangeStart();
  36495. const double w = scrollbar->getCurrentRangeSize();
  36496. if (pos.getX() < x)
  36497. x = pos.getX();
  36498. else if (pos.getRight() > x + w)
  36499. x += jmax (0.0, pos.getRight() - (x + w));
  36500. scrollbar->setCurrentRangeStart (x);
  36501. }
  36502. }
  36503. int TableListBox::getNumRows()
  36504. {
  36505. return model != 0 ? model->getNumRows() : 0;
  36506. }
  36507. void TableListBox::paintListBoxItem (int, Graphics&, int, int, bool)
  36508. {
  36509. }
  36510. Component* TableListBox::refreshComponentForRow (int rowNumber, bool isRowSelected, Component* existingComponentToUpdate)
  36511. {
  36512. if (existingComponentToUpdate == 0)
  36513. existingComponentToUpdate = new TableListRowComp (*this);
  36514. ((TableListRowComp*) existingComponentToUpdate)->update (rowNumber, isRowSelected);
  36515. return existingComponentToUpdate;
  36516. }
  36517. void TableListBox::selectedRowsChanged (int row)
  36518. {
  36519. if (model != 0)
  36520. model->selectedRowsChanged (row);
  36521. }
  36522. void TableListBox::deleteKeyPressed (int row)
  36523. {
  36524. if (model != 0)
  36525. model->deleteKeyPressed (row);
  36526. }
  36527. void TableListBox::returnKeyPressed (int row)
  36528. {
  36529. if (model != 0)
  36530. model->returnKeyPressed (row);
  36531. }
  36532. void TableListBox::backgroundClicked()
  36533. {
  36534. if (model != 0)
  36535. model->backgroundClicked();
  36536. }
  36537. void TableListBox::listWasScrolled()
  36538. {
  36539. if (model != 0)
  36540. model->listWasScrolled();
  36541. }
  36542. void TableListBox::tableColumnsChanged (TableHeaderComponent*)
  36543. {
  36544. setMinimumContentWidth (header->getTotalWidth());
  36545. repaint();
  36546. updateColumnComponents();
  36547. }
  36548. void TableListBox::tableColumnsResized (TableHeaderComponent*)
  36549. {
  36550. setMinimumContentWidth (header->getTotalWidth());
  36551. repaint();
  36552. updateColumnComponents();
  36553. }
  36554. void TableListBox::tableSortOrderChanged (TableHeaderComponent*)
  36555. {
  36556. if (model != 0)
  36557. model->sortOrderChanged (header->getSortColumnId(),
  36558. header->isSortedForwards());
  36559. }
  36560. void TableListBox::tableColumnDraggingChanged (TableHeaderComponent*, int columnIdNowBeingDragged_)
  36561. {
  36562. columnIdNowBeingDragged = columnIdNowBeingDragged_;
  36563. repaint();
  36564. }
  36565. void TableListBox::resized()
  36566. {
  36567. ListBox::resized();
  36568. header->resizeAllColumnsToFit (getVisibleContentWidth());
  36569. setMinimumContentWidth (header->getTotalWidth());
  36570. }
  36571. void TableListBox::updateColumnComponents() const
  36572. {
  36573. const int firstRow = getRowContainingPosition (0, 0);
  36574. for (int i = firstRow + getNumRowsOnScreen() + 2; --i >= firstRow;)
  36575. {
  36576. TableListRowComp* const rowComp = dynamic_cast <TableListRowComp*> (getComponentForRowNumber (i));
  36577. if (rowComp != 0)
  36578. rowComp->resized();
  36579. }
  36580. }
  36581. void TableListBoxModel::cellClicked (int, int, const MouseEvent&)
  36582. {
  36583. }
  36584. void TableListBoxModel::cellDoubleClicked (int, int, const MouseEvent&)
  36585. {
  36586. }
  36587. void TableListBoxModel::backgroundClicked()
  36588. {
  36589. }
  36590. void TableListBoxModel::sortOrderChanged (int, const bool)
  36591. {
  36592. }
  36593. int TableListBoxModel::getColumnAutoSizeWidth (int)
  36594. {
  36595. return 0;
  36596. }
  36597. void TableListBoxModel::selectedRowsChanged (int)
  36598. {
  36599. }
  36600. void TableListBoxModel::deleteKeyPressed (int)
  36601. {
  36602. }
  36603. void TableListBoxModel::returnKeyPressed (int)
  36604. {
  36605. }
  36606. void TableListBoxModel::listWasScrolled()
  36607. {
  36608. }
  36609. const String TableListBoxModel::getDragSourceDescription (const SparseSet<int>&)
  36610. {
  36611. return String::empty;
  36612. }
  36613. Component* TableListBoxModel::refreshComponentForCell (int, int, bool, Component* existingComponentToUpdate)
  36614. {
  36615. (void) existingComponentToUpdate;
  36616. jassert (existingComponentToUpdate == 0); // indicates a failure in the code the recycles the components
  36617. return 0;
  36618. }
  36619. END_JUCE_NAMESPACE
  36620. /********* End of inlined file: juce_TableListBox.cpp *********/
  36621. /********* Start of inlined file: juce_TextEditor.cpp *********/
  36622. BEGIN_JUCE_NAMESPACE
  36623. #define SHOULD_WRAP(x, wrapwidth) (((x) - 0.0001f) >= (wrapwidth))
  36624. // a word or space that can't be broken down any further
  36625. struct TextAtom
  36626. {
  36627. String atomText;
  36628. float width;
  36629. uint16 numChars;
  36630. bool isWhitespace() const throw() { return CharacterFunctions::isWhitespace (atomText[0]); }
  36631. bool isNewLine() const throw() { return atomText[0] == T('\r') || atomText[0] == T('\n'); }
  36632. const String getText (const tchar passwordCharacter) const throw()
  36633. {
  36634. if (passwordCharacter == 0)
  36635. return atomText;
  36636. else
  36637. return String::repeatedString (String::charToString (passwordCharacter),
  36638. atomText.length());
  36639. }
  36640. const String getTrimmedText (const tchar passwordCharacter) const throw()
  36641. {
  36642. if (passwordCharacter == 0)
  36643. return atomText.substring (0, numChars);
  36644. else if (isNewLine())
  36645. return String::empty;
  36646. else
  36647. return String::repeatedString (String::charToString (passwordCharacter), numChars);
  36648. }
  36649. };
  36650. // a run of text with a single font and colour
  36651. class UniformTextSection
  36652. {
  36653. public:
  36654. UniformTextSection (const String& text,
  36655. const Font& font_,
  36656. const Colour& colour_,
  36657. const tchar passwordCharacter) throw()
  36658. : font (font_),
  36659. colour (colour_),
  36660. atoms (64)
  36661. {
  36662. initialiseAtoms (text, passwordCharacter);
  36663. }
  36664. UniformTextSection (const UniformTextSection& other) throw()
  36665. : font (other.font),
  36666. colour (other.colour),
  36667. atoms (64)
  36668. {
  36669. for (int i = 0; i < other.atoms.size(); ++i)
  36670. atoms.add (new TextAtom (*(const TextAtom*) other.atoms.getUnchecked(i)));
  36671. }
  36672. ~UniformTextSection() throw()
  36673. {
  36674. // (no need to delete the atoms, as they're explicitly deleted by the caller)
  36675. }
  36676. void clear() throw()
  36677. {
  36678. for (int i = atoms.size(); --i >= 0;)
  36679. {
  36680. TextAtom* const atom = getAtom(i);
  36681. delete atom;
  36682. }
  36683. atoms.clear();
  36684. }
  36685. int getNumAtoms() const throw()
  36686. {
  36687. return atoms.size();
  36688. }
  36689. TextAtom* getAtom (const int index) const throw()
  36690. {
  36691. return (TextAtom*) atoms.getUnchecked (index);
  36692. }
  36693. void append (const UniformTextSection& other, const tchar passwordCharacter) throw()
  36694. {
  36695. if (other.atoms.size() > 0)
  36696. {
  36697. TextAtom* const lastAtom = (TextAtom*) atoms.getLast();
  36698. int i = 0;
  36699. if (lastAtom != 0)
  36700. {
  36701. if (! CharacterFunctions::isWhitespace (lastAtom->atomText.getLastCharacter()))
  36702. {
  36703. TextAtom* const first = other.getAtom(0);
  36704. if (! CharacterFunctions::isWhitespace (first->atomText[0]))
  36705. {
  36706. lastAtom->atomText += first->atomText;
  36707. lastAtom->numChars = (uint16) (lastAtom->numChars + first->numChars);
  36708. lastAtom->width = font.getStringWidthFloat (lastAtom->getText (passwordCharacter));
  36709. delete first;
  36710. ++i;
  36711. }
  36712. }
  36713. }
  36714. while (i < other.atoms.size())
  36715. {
  36716. atoms.add (other.getAtom(i));
  36717. ++i;
  36718. }
  36719. }
  36720. }
  36721. UniformTextSection* split (const int indexToBreakAt,
  36722. const tchar passwordCharacter) throw()
  36723. {
  36724. UniformTextSection* const section2 = new UniformTextSection (String::empty,
  36725. font, colour,
  36726. passwordCharacter);
  36727. int index = 0;
  36728. for (int i = 0; i < atoms.size(); ++i)
  36729. {
  36730. TextAtom* const atom = getAtom(i);
  36731. const int nextIndex = index + atom->numChars;
  36732. if (index == indexToBreakAt)
  36733. {
  36734. int j;
  36735. for (j = i; j < atoms.size(); ++j)
  36736. section2->atoms.add (getAtom (j));
  36737. for (j = atoms.size(); --j >= i;)
  36738. atoms.remove (j);
  36739. break;
  36740. }
  36741. else if (indexToBreakAt >= index && indexToBreakAt < nextIndex)
  36742. {
  36743. TextAtom* const secondAtom = new TextAtom();
  36744. secondAtom->atomText = atom->atomText.substring (indexToBreakAt - index);
  36745. secondAtom->width = font.getStringWidthFloat (secondAtom->getText (passwordCharacter));
  36746. secondAtom->numChars = (uint16) secondAtom->atomText.length();
  36747. section2->atoms.add (secondAtom);
  36748. atom->atomText = atom->atomText.substring (0, indexToBreakAt - index);
  36749. atom->width = font.getStringWidthFloat (atom->getText (passwordCharacter));
  36750. atom->numChars = (uint16) (indexToBreakAt - index);
  36751. int j;
  36752. for (j = i + 1; j < atoms.size(); ++j)
  36753. section2->atoms.add (getAtom (j));
  36754. for (j = atoms.size(); --j > i;)
  36755. atoms.remove (j);
  36756. break;
  36757. }
  36758. index = nextIndex;
  36759. }
  36760. return section2;
  36761. }
  36762. const String getAllText() const throw()
  36763. {
  36764. String s;
  36765. s.preallocateStorage (getTotalLength());
  36766. tchar* endOfString = (tchar*) &(s[0]);
  36767. for (int i = 0; i < atoms.size(); ++i)
  36768. {
  36769. const TextAtom* const atom = getAtom(i);
  36770. memcpy (endOfString, &(atom->atomText[0]), atom->numChars * sizeof (tchar));
  36771. endOfString += atom->numChars;
  36772. }
  36773. *endOfString = 0;
  36774. jassert ((endOfString - (tchar*) &(s[0])) <= getTotalLength());
  36775. return s;
  36776. }
  36777. const String getTextSubstring (const int startCharacter,
  36778. const int endCharacter) const throw()
  36779. {
  36780. int index = 0;
  36781. int totalLen = 0;
  36782. int i;
  36783. for (i = 0; i < atoms.size(); ++i)
  36784. {
  36785. const TextAtom* const atom = getAtom (i);
  36786. const int nextIndex = index + atom->numChars;
  36787. if (startCharacter < nextIndex)
  36788. {
  36789. if (endCharacter <= index)
  36790. break;
  36791. const int start = jmax (0, startCharacter - index);
  36792. const int end = jmin (endCharacter - index, atom->numChars);
  36793. jassert (end >= start);
  36794. totalLen += end - start;
  36795. }
  36796. index = nextIndex;
  36797. }
  36798. String s;
  36799. s.preallocateStorage (totalLen + 1);
  36800. tchar* psz = (tchar*) (const tchar*) s;
  36801. index = 0;
  36802. for (i = 0; i < atoms.size(); ++i)
  36803. {
  36804. const TextAtom* const atom = getAtom (i);
  36805. const int nextIndex = index + atom->numChars;
  36806. if (startCharacter < nextIndex)
  36807. {
  36808. if (endCharacter <= index)
  36809. break;
  36810. const int start = jmax (0, startCharacter - index);
  36811. const int len = jmin (endCharacter - index, atom->numChars) - start;
  36812. memcpy (psz, ((const tchar*) atom->atomText) + start, len * sizeof (tchar));
  36813. psz += len;
  36814. *psz = 0;
  36815. }
  36816. index = nextIndex;
  36817. }
  36818. return s;
  36819. }
  36820. int getTotalLength() const throw()
  36821. {
  36822. int c = 0;
  36823. for (int i = atoms.size(); --i >= 0;)
  36824. c += getAtom(i)->numChars;
  36825. return c;
  36826. }
  36827. void setFont (const Font& newFont,
  36828. const tchar passwordCharacter) throw()
  36829. {
  36830. if (font != newFont)
  36831. {
  36832. font = newFont;
  36833. for (int i = atoms.size(); --i >= 0;)
  36834. {
  36835. TextAtom* const atom = (TextAtom*) atoms.getUnchecked(i);
  36836. atom->width = newFont.getStringWidthFloat (atom->getText (passwordCharacter));
  36837. }
  36838. }
  36839. }
  36840. juce_UseDebuggingNewOperator
  36841. Font font;
  36842. Colour colour;
  36843. private:
  36844. VoidArray atoms;
  36845. void initialiseAtoms (const String& textToParse,
  36846. const tchar passwordCharacter) throw()
  36847. {
  36848. int i = 0;
  36849. const int len = textToParse.length();
  36850. const tchar* const text = (const tchar*) textToParse;
  36851. while (i < len)
  36852. {
  36853. int start = i;
  36854. // create a whitespace atom unless it starts with non-ws
  36855. if (CharacterFunctions::isWhitespace (text[i])
  36856. && text[i] != T('\r')
  36857. && text[i] != T('\n'))
  36858. {
  36859. while (i < len
  36860. && CharacterFunctions::isWhitespace (text[i])
  36861. && text[i] != T('\r')
  36862. && text[i] != T('\n'))
  36863. {
  36864. ++i;
  36865. }
  36866. }
  36867. else
  36868. {
  36869. if (text[i] == T('\r'))
  36870. {
  36871. ++i;
  36872. if ((i < len) && (text[i] == T('\n')))
  36873. {
  36874. ++start;
  36875. ++i;
  36876. }
  36877. }
  36878. else if (text[i] == T('\n'))
  36879. {
  36880. ++i;
  36881. }
  36882. else
  36883. {
  36884. while ((i < len) && ! CharacterFunctions::isWhitespace (text[i]))
  36885. ++i;
  36886. }
  36887. }
  36888. TextAtom* const atom = new TextAtom();
  36889. atom->atomText = String (text + start, i - start);
  36890. atom->width = font.getStringWidthFloat (atom->getText (passwordCharacter));
  36891. atom->numChars = (uint16) (i - start);
  36892. atoms.add (atom);
  36893. }
  36894. }
  36895. const UniformTextSection& operator= (const UniformTextSection& other);
  36896. };
  36897. class TextEditorIterator
  36898. {
  36899. public:
  36900. TextEditorIterator (const VoidArray& sections_,
  36901. const float wordWrapWidth_,
  36902. const tchar passwordCharacter_) throw()
  36903. : indexInText (0),
  36904. lineY (0),
  36905. lineHeight (0),
  36906. maxDescent (0),
  36907. atomX (0),
  36908. atomRight (0),
  36909. atom (0),
  36910. currentSection (0),
  36911. sections (sections_),
  36912. sectionIndex (0),
  36913. atomIndex (0),
  36914. wordWrapWidth (wordWrapWidth_),
  36915. passwordCharacter (passwordCharacter_)
  36916. {
  36917. jassert (wordWrapWidth_ > 0);
  36918. if (sections.size() > 0)
  36919. currentSection = (const UniformTextSection*) sections.getUnchecked (sectionIndex);
  36920. if (currentSection != 0)
  36921. {
  36922. lineHeight = currentSection->font.getHeight();
  36923. maxDescent = currentSection->font.getDescent();
  36924. }
  36925. }
  36926. TextEditorIterator (const TextEditorIterator& other) throw()
  36927. : indexInText (other.indexInText),
  36928. lineY (other.lineY),
  36929. lineHeight (other.lineHeight),
  36930. maxDescent (other.maxDescent),
  36931. atomX (other.atomX),
  36932. atomRight (other.atomRight),
  36933. atom (other.atom),
  36934. currentSection (other.currentSection),
  36935. sections (other.sections),
  36936. sectionIndex (other.sectionIndex),
  36937. atomIndex (other.atomIndex),
  36938. wordWrapWidth (other.wordWrapWidth),
  36939. passwordCharacter (other.passwordCharacter),
  36940. tempAtom (other.tempAtom)
  36941. {
  36942. }
  36943. ~TextEditorIterator() throw()
  36944. {
  36945. }
  36946. bool next() throw()
  36947. {
  36948. if (atom == &tempAtom)
  36949. {
  36950. const int numRemaining = tempAtom.atomText.length() - tempAtom.numChars;
  36951. if (numRemaining > 0)
  36952. {
  36953. tempAtom.atomText = tempAtom.atomText.substring (tempAtom.numChars);
  36954. atomX = 0;
  36955. if (tempAtom.numChars > 0)
  36956. lineY += lineHeight;
  36957. indexInText += tempAtom.numChars;
  36958. GlyphArrangement g;
  36959. g.addLineOfText (currentSection->font, atom->getText (passwordCharacter), 0.0f, 0.0f);
  36960. int split;
  36961. for (split = 0; split < g.getNumGlyphs(); ++split)
  36962. if (SHOULD_WRAP (g.getGlyph (split).getRight(), wordWrapWidth))
  36963. break;
  36964. if (split > 0 && split <= numRemaining)
  36965. {
  36966. tempAtom.numChars = (uint16) split;
  36967. tempAtom.width = g.getGlyph (split - 1).getRight();
  36968. atomRight = atomX + tempAtom.width;
  36969. return true;
  36970. }
  36971. }
  36972. }
  36973. bool forceNewLine = false;
  36974. if (sectionIndex >= sections.size())
  36975. {
  36976. moveToEndOfLastAtom();
  36977. return false;
  36978. }
  36979. else if (atomIndex >= currentSection->getNumAtoms() - 1)
  36980. {
  36981. if (atomIndex >= currentSection->getNumAtoms())
  36982. {
  36983. if (++sectionIndex >= sections.size())
  36984. {
  36985. moveToEndOfLastAtom();
  36986. return false;
  36987. }
  36988. atomIndex = 0;
  36989. currentSection = (const UniformTextSection*) sections.getUnchecked (sectionIndex);
  36990. lineHeight = jmax (lineHeight, currentSection->font.getHeight());
  36991. maxDescent = jmax (maxDescent, currentSection->font.getDescent());
  36992. }
  36993. else
  36994. {
  36995. const TextAtom* const lastAtom = currentSection->getAtom (atomIndex);
  36996. if (! lastAtom->isWhitespace())
  36997. {
  36998. // handle the case where the last atom in a section is actually part of the same
  36999. // word as the first atom of the next section...
  37000. float right = atomRight + lastAtom->width;
  37001. float lineHeight2 = lineHeight;
  37002. float maxDescent2 = maxDescent;
  37003. for (int section = sectionIndex + 1; section < sections.size(); ++section)
  37004. {
  37005. const UniformTextSection* const s = (const UniformTextSection*) sections.getUnchecked (section);
  37006. if (s->getNumAtoms() == 0)
  37007. break;
  37008. const TextAtom* const nextAtom = s->getAtom (0);
  37009. if (nextAtom->isWhitespace())
  37010. break;
  37011. right += nextAtom->width;
  37012. lineHeight2 = jmax (lineHeight2, s->font.getHeight());
  37013. maxDescent2 = jmax (maxDescent2, s->font.getDescent());
  37014. if (SHOULD_WRAP (right, wordWrapWidth))
  37015. {
  37016. lineHeight = lineHeight2;
  37017. maxDescent = maxDescent2;
  37018. forceNewLine = true;
  37019. break;
  37020. }
  37021. if (s->getNumAtoms() > 1)
  37022. break;
  37023. }
  37024. }
  37025. }
  37026. }
  37027. if (atom != 0)
  37028. {
  37029. atomX = atomRight;
  37030. indexInText += atom->numChars;
  37031. if (atom->isNewLine())
  37032. {
  37033. atomX = 0;
  37034. lineY += lineHeight;
  37035. }
  37036. }
  37037. atom = currentSection->getAtom (atomIndex);
  37038. atomRight = atomX + atom->width;
  37039. ++atomIndex;
  37040. if (SHOULD_WRAP (atomRight, wordWrapWidth) || forceNewLine)
  37041. {
  37042. if (atom->isWhitespace())
  37043. {
  37044. // leave whitespace at the end of a line, but truncate it to avoid scrolling
  37045. atomRight = jmin (atomRight, wordWrapWidth);
  37046. }
  37047. else
  37048. {
  37049. return wrapCurrentAtom();
  37050. }
  37051. }
  37052. return true;
  37053. }
  37054. bool wrapCurrentAtom() throw()
  37055. {
  37056. atomRight = atom->width;
  37057. if (SHOULD_WRAP (atomRight, wordWrapWidth)) // atom too big to fit on a line, so break it up..
  37058. {
  37059. tempAtom = *atom;
  37060. tempAtom.width = 0;
  37061. tempAtom.numChars = 0;
  37062. atom = &tempAtom;
  37063. if (atomX > 0)
  37064. {
  37065. atomX = 0;
  37066. lineY += lineHeight;
  37067. }
  37068. return next();
  37069. }
  37070. atomX = 0;
  37071. lineY += lineHeight;
  37072. return true;
  37073. }
  37074. void draw (Graphics& g, const UniformTextSection*& lastSection) const throw()
  37075. {
  37076. if (passwordCharacter != 0 || ! atom->isWhitespace())
  37077. {
  37078. if (lastSection != currentSection)
  37079. {
  37080. lastSection = currentSection;
  37081. g.setColour (currentSection->colour);
  37082. g.setFont (currentSection->font);
  37083. }
  37084. jassert (atom->getTrimmedText (passwordCharacter).isNotEmpty());
  37085. GlyphArrangement ga;
  37086. ga.addLineOfText (currentSection->font,
  37087. atom->getTrimmedText (passwordCharacter),
  37088. atomX,
  37089. (float) roundFloatToInt (lineY + lineHeight - maxDescent));
  37090. ga.draw (g);
  37091. }
  37092. }
  37093. void drawSelection (Graphics& g,
  37094. const int selectionStart,
  37095. const int selectionEnd) const throw()
  37096. {
  37097. const int startX = roundFloatToInt (indexToX (selectionStart));
  37098. const int endX = roundFloatToInt (indexToX (selectionEnd));
  37099. const int y = roundFloatToInt (lineY);
  37100. const int nextY = roundFloatToInt (lineY + lineHeight);
  37101. g.fillRect (startX, y, endX - startX, nextY - y);
  37102. }
  37103. void drawSelectedText (Graphics& g,
  37104. const int selectionStart,
  37105. const int selectionEnd,
  37106. const Colour& selectedTextColour) const throw()
  37107. {
  37108. if (passwordCharacter != 0 || ! atom->isWhitespace())
  37109. {
  37110. GlyphArrangement ga;
  37111. ga.addLineOfText (currentSection->font,
  37112. atom->getTrimmedText (passwordCharacter),
  37113. atomX,
  37114. (float) roundFloatToInt (lineY + lineHeight - maxDescent));
  37115. if (selectionEnd < indexInText + atom->numChars)
  37116. {
  37117. GlyphArrangement ga2 (ga);
  37118. ga2.removeRangeOfGlyphs (0, selectionEnd - indexInText);
  37119. ga.removeRangeOfGlyphs (selectionEnd - indexInText, -1);
  37120. g.setColour (currentSection->colour);
  37121. ga2.draw (g);
  37122. }
  37123. if (selectionStart > indexInText)
  37124. {
  37125. GlyphArrangement ga2 (ga);
  37126. ga2.removeRangeOfGlyphs (selectionStart - indexInText, -1);
  37127. ga.removeRangeOfGlyphs (0, selectionStart - indexInText);
  37128. g.setColour (currentSection->colour);
  37129. ga2.draw (g);
  37130. }
  37131. g.setColour (selectedTextColour);
  37132. ga.draw (g);
  37133. }
  37134. }
  37135. float indexToX (const int indexToFind) const throw()
  37136. {
  37137. if (indexToFind <= indexInText)
  37138. return atomX;
  37139. if (indexToFind >= indexInText + atom->numChars)
  37140. return atomRight;
  37141. GlyphArrangement g;
  37142. g.addLineOfText (currentSection->font,
  37143. atom->getText (passwordCharacter),
  37144. atomX, 0.0f);
  37145. return jmin (atomRight, g.getGlyph (indexToFind - indexInText).getLeft());
  37146. }
  37147. int xToIndex (const float xToFind) const throw()
  37148. {
  37149. if (xToFind <= atomX || atom->isNewLine())
  37150. return indexInText;
  37151. if (xToFind >= atomRight)
  37152. return indexInText + atom->numChars;
  37153. GlyphArrangement g;
  37154. g.addLineOfText (currentSection->font,
  37155. atom->getText (passwordCharacter),
  37156. atomX, 0.0f);
  37157. int j;
  37158. for (j = 0; j < atom->numChars; ++j)
  37159. if ((g.getGlyph(j).getLeft() + g.getGlyph(j).getRight()) / 2 > xToFind)
  37160. break;
  37161. return indexInText + j;
  37162. }
  37163. void updateLineHeight() throw()
  37164. {
  37165. float x = atomRight;
  37166. int tempSectionIndex = sectionIndex;
  37167. int tempAtomIndex = atomIndex;
  37168. const UniformTextSection* currentSection = (const UniformTextSection*) sections.getUnchecked (tempSectionIndex);
  37169. while (! SHOULD_WRAP (x, wordWrapWidth))
  37170. {
  37171. if (tempSectionIndex >= sections.size())
  37172. break;
  37173. bool checkSize = false;
  37174. if (tempAtomIndex >= currentSection->getNumAtoms())
  37175. {
  37176. if (++tempSectionIndex >= sections.size())
  37177. break;
  37178. tempAtomIndex = 0;
  37179. currentSection = (const UniformTextSection*) sections.getUnchecked (tempSectionIndex);
  37180. checkSize = true;
  37181. }
  37182. const TextAtom* const atom = currentSection->getAtom (tempAtomIndex);
  37183. if (atom == 0)
  37184. break;
  37185. x += atom->width;
  37186. if (SHOULD_WRAP (x, wordWrapWidth) || atom->isNewLine())
  37187. break;
  37188. if (checkSize)
  37189. {
  37190. lineHeight = jmax (lineHeight, currentSection->font.getHeight());
  37191. maxDescent = jmax (maxDescent, currentSection->font.getDescent());
  37192. }
  37193. ++tempAtomIndex;
  37194. }
  37195. }
  37196. bool getCharPosition (const int index, float& cx, float& cy, float& lineHeight_) throw()
  37197. {
  37198. while (next())
  37199. {
  37200. if (indexInText + atom->numChars >= index)
  37201. {
  37202. updateLineHeight();
  37203. if (indexInText + atom->numChars > index)
  37204. {
  37205. cx = indexToX (index);
  37206. cy = lineY;
  37207. lineHeight_ = lineHeight;
  37208. return true;
  37209. }
  37210. }
  37211. }
  37212. cx = atomX;
  37213. cy = lineY;
  37214. lineHeight_ = lineHeight;
  37215. return false;
  37216. }
  37217. juce_UseDebuggingNewOperator
  37218. int indexInText;
  37219. float lineY, lineHeight, maxDescent;
  37220. float atomX, atomRight;
  37221. const TextAtom* atom;
  37222. const UniformTextSection* currentSection;
  37223. private:
  37224. const VoidArray& sections;
  37225. int sectionIndex, atomIndex;
  37226. const float wordWrapWidth;
  37227. const tchar passwordCharacter;
  37228. TextAtom tempAtom;
  37229. const TextEditorIterator& operator= (const TextEditorIterator&);
  37230. void moveToEndOfLastAtom() throw()
  37231. {
  37232. if (atom != 0)
  37233. {
  37234. atomX = atomRight;
  37235. if (atom->isNewLine())
  37236. {
  37237. atomX = 0.0f;
  37238. lineY += lineHeight;
  37239. }
  37240. }
  37241. }
  37242. };
  37243. class TextEditorInsertAction : public UndoableAction
  37244. {
  37245. TextEditor& owner;
  37246. const String text;
  37247. const int insertIndex, oldCaretPos, newCaretPos;
  37248. const Font font;
  37249. const Colour colour;
  37250. TextEditorInsertAction (const TextEditorInsertAction&);
  37251. const TextEditorInsertAction& operator= (const TextEditorInsertAction&);
  37252. public:
  37253. TextEditorInsertAction (TextEditor& owner_,
  37254. const String& text_,
  37255. const int insertIndex_,
  37256. const Font& font_,
  37257. const Colour& colour_,
  37258. const int oldCaretPos_,
  37259. const int newCaretPos_) throw()
  37260. : owner (owner_),
  37261. text (text_),
  37262. insertIndex (insertIndex_),
  37263. oldCaretPos (oldCaretPos_),
  37264. newCaretPos (newCaretPos_),
  37265. font (font_),
  37266. colour (colour_)
  37267. {
  37268. }
  37269. ~TextEditorInsertAction()
  37270. {
  37271. }
  37272. bool perform()
  37273. {
  37274. owner.insert (text, insertIndex, font, colour, 0, newCaretPos);
  37275. return true;
  37276. }
  37277. bool undo()
  37278. {
  37279. owner.remove (insertIndex, insertIndex + text.length(), 0, oldCaretPos);
  37280. return true;
  37281. }
  37282. int getSizeInUnits()
  37283. {
  37284. return text.length() + 16;
  37285. }
  37286. };
  37287. class TextEditorRemoveAction : public UndoableAction
  37288. {
  37289. TextEditor& owner;
  37290. const int startIndex, endIndex, oldCaretPos, newCaretPos;
  37291. VoidArray removedSections;
  37292. TextEditorRemoveAction (const TextEditorRemoveAction&);
  37293. const TextEditorRemoveAction& operator= (const TextEditorRemoveAction&);
  37294. public:
  37295. TextEditorRemoveAction (TextEditor& owner_,
  37296. const int startIndex_,
  37297. const int endIndex_,
  37298. const int oldCaretPos_,
  37299. const int newCaretPos_,
  37300. const VoidArray& removedSections_) throw()
  37301. : owner (owner_),
  37302. startIndex (startIndex_),
  37303. endIndex (endIndex_),
  37304. oldCaretPos (oldCaretPos_),
  37305. newCaretPos (newCaretPos_),
  37306. removedSections (removedSections_)
  37307. {
  37308. }
  37309. ~TextEditorRemoveAction()
  37310. {
  37311. for (int i = removedSections.size(); --i >= 0;)
  37312. {
  37313. UniformTextSection* const section = (UniformTextSection*) removedSections.getUnchecked (i);
  37314. section->clear();
  37315. delete section;
  37316. }
  37317. }
  37318. bool perform()
  37319. {
  37320. owner.remove (startIndex, endIndex, 0, newCaretPos);
  37321. return true;
  37322. }
  37323. bool undo()
  37324. {
  37325. owner.reinsert (startIndex, removedSections);
  37326. owner.moveCursorTo (oldCaretPos, false);
  37327. return true;
  37328. }
  37329. int getSizeInUnits()
  37330. {
  37331. int n = 0;
  37332. for (int i = removedSections.size(); --i >= 0;)
  37333. {
  37334. UniformTextSection* const section = (UniformTextSection*) removedSections.getUnchecked (i);
  37335. n += section->getTotalLength();
  37336. }
  37337. return n + 16;
  37338. }
  37339. };
  37340. class TextHolderComponent : public Component,
  37341. public Timer
  37342. {
  37343. TextEditor* const owner;
  37344. TextHolderComponent (const TextHolderComponent&);
  37345. const TextHolderComponent& operator= (const TextHolderComponent&);
  37346. public:
  37347. TextHolderComponent (TextEditor* const owner_)
  37348. : owner (owner_)
  37349. {
  37350. setWantsKeyboardFocus (false);
  37351. setInterceptsMouseClicks (false, true);
  37352. }
  37353. ~TextHolderComponent()
  37354. {
  37355. }
  37356. void paint (Graphics& g)
  37357. {
  37358. owner->drawContent (g);
  37359. }
  37360. void timerCallback()
  37361. {
  37362. owner->timerCallbackInt();
  37363. }
  37364. const MouseCursor getMouseCursor()
  37365. {
  37366. return owner->getMouseCursor();
  37367. }
  37368. };
  37369. class TextEditorViewport : public Viewport
  37370. {
  37371. TextEditor* const owner;
  37372. float lastWordWrapWidth;
  37373. TextEditorViewport (const TextEditorViewport&);
  37374. const TextEditorViewport& operator= (const TextEditorViewport&);
  37375. public:
  37376. TextEditorViewport (TextEditor* const owner_)
  37377. : owner (owner_),
  37378. lastWordWrapWidth (0)
  37379. {
  37380. }
  37381. ~TextEditorViewport()
  37382. {
  37383. }
  37384. void visibleAreaChanged (int, int, int, int)
  37385. {
  37386. const float wordWrapWidth = owner->getWordWrapWidth();
  37387. if (wordWrapWidth != lastWordWrapWidth)
  37388. {
  37389. lastWordWrapWidth = wordWrapWidth;
  37390. owner->updateTextHolderSize();
  37391. }
  37392. }
  37393. };
  37394. const int flashSpeedIntervalMs = 380;
  37395. const int textChangeMessageId = 0x10003001;
  37396. const int returnKeyMessageId = 0x10003002;
  37397. const int escapeKeyMessageId = 0x10003003;
  37398. const int focusLossMessageId = 0x10003004;
  37399. TextEditor::TextEditor (const String& name,
  37400. const tchar passwordCharacter_)
  37401. : Component (name),
  37402. borderSize (1, 1, 1, 3),
  37403. readOnly (false),
  37404. multiline (false),
  37405. wordWrap (false),
  37406. returnKeyStartsNewLine (false),
  37407. caretVisible (true),
  37408. popupMenuEnabled (true),
  37409. selectAllTextWhenFocused (false),
  37410. scrollbarVisible (true),
  37411. wasFocused (false),
  37412. caretFlashState (true),
  37413. keepCursorOnScreen (true),
  37414. tabKeyUsed (false),
  37415. menuActive (false),
  37416. cursorX (0),
  37417. cursorY (0),
  37418. cursorHeight (0),
  37419. maxTextLength (0),
  37420. selectionStart (0),
  37421. selectionEnd (0),
  37422. leftIndent (4),
  37423. topIndent (4),
  37424. lastTransactionTime (0),
  37425. currentFont (14.0f),
  37426. totalNumChars (0),
  37427. caretPosition (0),
  37428. sections (8),
  37429. passwordCharacter (passwordCharacter_),
  37430. dragType (notDragging),
  37431. listeners (2)
  37432. {
  37433. setOpaque (true);
  37434. addAndMakeVisible (viewport = new TextEditorViewport (this));
  37435. viewport->setViewedComponent (textHolder = new TextHolderComponent (this));
  37436. viewport->setWantsKeyboardFocus (false);
  37437. viewport->setScrollBarsShown (false, false);
  37438. setMouseCursor (MouseCursor::IBeamCursor);
  37439. setWantsKeyboardFocus (true);
  37440. }
  37441. TextEditor::~TextEditor()
  37442. {
  37443. clearInternal (0);
  37444. delete viewport;
  37445. }
  37446. void TextEditor::newTransaction() throw()
  37447. {
  37448. lastTransactionTime = Time::getApproximateMillisecondCounter();
  37449. undoManager.beginNewTransaction();
  37450. }
  37451. void TextEditor::doUndoRedo (const bool isRedo)
  37452. {
  37453. if (! isReadOnly())
  37454. {
  37455. if ((isRedo) ? undoManager.redo()
  37456. : undoManager.undo())
  37457. {
  37458. scrollToMakeSureCursorIsVisible();
  37459. repaint();
  37460. textChanged();
  37461. }
  37462. }
  37463. }
  37464. void TextEditor::setMultiLine (const bool shouldBeMultiLine,
  37465. const bool shouldWordWrap)
  37466. {
  37467. multiline = shouldBeMultiLine;
  37468. wordWrap = shouldWordWrap && shouldBeMultiLine;
  37469. setScrollbarsShown (scrollbarVisible);
  37470. viewport->setViewPosition (0, 0);
  37471. resized();
  37472. scrollToMakeSureCursorIsVisible();
  37473. }
  37474. bool TextEditor::isMultiLine() const throw()
  37475. {
  37476. return multiline;
  37477. }
  37478. void TextEditor::setScrollbarsShown (bool enabled) throw()
  37479. {
  37480. scrollbarVisible = enabled;
  37481. enabled = enabled && isMultiLine();
  37482. viewport->setScrollBarsShown (enabled, enabled);
  37483. }
  37484. void TextEditor::setReadOnly (const bool shouldBeReadOnly)
  37485. {
  37486. readOnly = shouldBeReadOnly;
  37487. enablementChanged();
  37488. }
  37489. bool TextEditor::isReadOnly() const throw()
  37490. {
  37491. return readOnly || ! isEnabled();
  37492. }
  37493. void TextEditor::setReturnKeyStartsNewLine (const bool shouldStartNewLine)
  37494. {
  37495. returnKeyStartsNewLine = shouldStartNewLine;
  37496. }
  37497. void TextEditor::setTabKeyUsedAsCharacter (const bool shouldTabKeyBeUsed) throw()
  37498. {
  37499. tabKeyUsed = shouldTabKeyBeUsed;
  37500. }
  37501. void TextEditor::setPopupMenuEnabled (const bool b) throw()
  37502. {
  37503. popupMenuEnabled = b;
  37504. }
  37505. void TextEditor::setSelectAllWhenFocused (const bool b) throw()
  37506. {
  37507. selectAllTextWhenFocused = b;
  37508. }
  37509. const Font TextEditor::getFont() const throw()
  37510. {
  37511. return currentFont;
  37512. }
  37513. void TextEditor::setFont (const Font& newFont) throw()
  37514. {
  37515. currentFont = newFont;
  37516. scrollToMakeSureCursorIsVisible();
  37517. }
  37518. void TextEditor::applyFontToAllText (const Font& newFont)
  37519. {
  37520. currentFont = newFont;
  37521. const Colour overallColour (findColour (textColourId));
  37522. for (int i = sections.size(); --i >= 0;)
  37523. {
  37524. UniformTextSection* const uts = (UniformTextSection*) sections.getUnchecked(i);
  37525. uts->setFont (newFont, passwordCharacter);
  37526. uts->colour = overallColour;
  37527. }
  37528. coalesceSimilarSections();
  37529. updateTextHolderSize();
  37530. scrollToMakeSureCursorIsVisible();
  37531. repaint();
  37532. }
  37533. void TextEditor::colourChanged()
  37534. {
  37535. setOpaque (findColour (backgroundColourId).isOpaque());
  37536. repaint();
  37537. }
  37538. void TextEditor::setCaretVisible (const bool shouldCaretBeVisible) throw()
  37539. {
  37540. caretVisible = shouldCaretBeVisible;
  37541. if (shouldCaretBeVisible)
  37542. textHolder->startTimer (flashSpeedIntervalMs);
  37543. setMouseCursor (shouldCaretBeVisible ? MouseCursor::IBeamCursor
  37544. : MouseCursor::NormalCursor);
  37545. }
  37546. void TextEditor::setInputRestrictions (const int maxLen,
  37547. const String& chars) throw()
  37548. {
  37549. maxTextLength = jmax (0, maxLen);
  37550. allowedCharacters = chars;
  37551. }
  37552. void TextEditor::setTextToShowWhenEmpty (const String& text, const Colour& colourToUse) throw()
  37553. {
  37554. textToShowWhenEmpty = text;
  37555. colourForTextWhenEmpty = colourToUse;
  37556. }
  37557. void TextEditor::setPasswordCharacter (const tchar newPasswordCharacter) throw()
  37558. {
  37559. if (passwordCharacter != newPasswordCharacter)
  37560. {
  37561. passwordCharacter = newPasswordCharacter;
  37562. resized();
  37563. repaint();
  37564. }
  37565. }
  37566. void TextEditor::setScrollBarThickness (const int newThicknessPixels)
  37567. {
  37568. viewport->setScrollBarThickness (newThicknessPixels);
  37569. }
  37570. void TextEditor::setScrollBarButtonVisibility (const bool buttonsVisible)
  37571. {
  37572. viewport->setScrollBarButtonVisibility (buttonsVisible);
  37573. }
  37574. void TextEditor::clear()
  37575. {
  37576. clearInternal (0);
  37577. updateTextHolderSize();
  37578. undoManager.clearUndoHistory();
  37579. }
  37580. void TextEditor::setText (const String& newText,
  37581. const bool sendTextChangeMessage)
  37582. {
  37583. const int newLength = newText.length();
  37584. if (newLength != getTotalNumChars() || getText() != newText)
  37585. {
  37586. const int oldCursorPos = caretPosition;
  37587. const bool cursorWasAtEnd = oldCursorPos >= getTotalNumChars();
  37588. clearInternal (0);
  37589. insert (newText, 0, currentFont, findColour (textColourId), 0, caretPosition);
  37590. // if you're adding text with line-feeds to a single-line text editor, it
  37591. // ain't gonna look right!
  37592. jassert (multiline || ! newText.containsAnyOf (T("\r\n")));
  37593. if (cursorWasAtEnd && ! isMultiLine())
  37594. moveCursorTo (getTotalNumChars(), false);
  37595. else
  37596. moveCursorTo (oldCursorPos, false);
  37597. if (sendTextChangeMessage)
  37598. textChanged();
  37599. repaint();
  37600. }
  37601. updateTextHolderSize();
  37602. scrollToMakeSureCursorIsVisible();
  37603. undoManager.clearUndoHistory();
  37604. }
  37605. void TextEditor::textChanged() throw()
  37606. {
  37607. updateTextHolderSize();
  37608. postCommandMessage (textChangeMessageId);
  37609. }
  37610. void TextEditor::returnPressed()
  37611. {
  37612. postCommandMessage (returnKeyMessageId);
  37613. }
  37614. void TextEditor::escapePressed()
  37615. {
  37616. postCommandMessage (escapeKeyMessageId);
  37617. }
  37618. void TextEditor::addListener (TextEditorListener* const newListener) throw()
  37619. {
  37620. jassert (newListener != 0)
  37621. if (newListener != 0)
  37622. listeners.add (newListener);
  37623. }
  37624. void TextEditor::removeListener (TextEditorListener* const listenerToRemove) throw()
  37625. {
  37626. listeners.removeValue (listenerToRemove);
  37627. }
  37628. void TextEditor::timerCallbackInt()
  37629. {
  37630. const bool newState = (! caretFlashState) && ! isCurrentlyBlockedByAnotherModalComponent();
  37631. if (caretFlashState != newState)
  37632. {
  37633. caretFlashState = newState;
  37634. if (caretFlashState)
  37635. wasFocused = true;
  37636. if (caretVisible
  37637. && hasKeyboardFocus (false)
  37638. && ! isReadOnly())
  37639. {
  37640. repaintCaret();
  37641. }
  37642. }
  37643. const unsigned int now = Time::getApproximateMillisecondCounter();
  37644. if (now > lastTransactionTime + 200)
  37645. newTransaction();
  37646. }
  37647. void TextEditor::repaintCaret()
  37648. {
  37649. if (! findColour (caretColourId).isTransparent())
  37650. repaint (borderSize.getLeft() + textHolder->getX() + leftIndent + roundFloatToInt (cursorX) - 1,
  37651. borderSize.getTop() + textHolder->getY() + topIndent + roundFloatToInt (cursorY) - 1,
  37652. 4,
  37653. roundFloatToInt (cursorHeight) + 2);
  37654. }
  37655. void TextEditor::repaintText (int textStartIndex, int textEndIndex)
  37656. {
  37657. if (textStartIndex > textEndIndex && textEndIndex > 0)
  37658. swapVariables (textStartIndex, textEndIndex);
  37659. float x = 0, y = 0, lh = currentFont.getHeight();
  37660. const float wordWrapWidth = getWordWrapWidth();
  37661. if (wordWrapWidth > 0)
  37662. {
  37663. TextEditorIterator i (sections, wordWrapWidth, passwordCharacter);
  37664. i.getCharPosition (textStartIndex, x, y, lh);
  37665. const int y1 = (int) y;
  37666. int y2;
  37667. if (textEndIndex >= 0)
  37668. {
  37669. i.getCharPosition (textEndIndex, x, y, lh);
  37670. y2 = (int) (y + lh * 2.0f);
  37671. }
  37672. else
  37673. {
  37674. y2 = textHolder->getHeight();
  37675. }
  37676. textHolder->repaint (0, y1, textHolder->getWidth(), y2 - y1);
  37677. }
  37678. }
  37679. void TextEditor::moveCaret (int newCaretPos) throw()
  37680. {
  37681. if (newCaretPos < 0)
  37682. newCaretPos = 0;
  37683. else if (newCaretPos > getTotalNumChars())
  37684. newCaretPos = getTotalNumChars();
  37685. if (newCaretPos != getCaretPosition())
  37686. {
  37687. repaintCaret();
  37688. caretFlashState = true;
  37689. caretPosition = newCaretPos;
  37690. textHolder->startTimer (flashSpeedIntervalMs);
  37691. scrollToMakeSureCursorIsVisible();
  37692. repaintCaret();
  37693. }
  37694. }
  37695. void TextEditor::setCaretPosition (const int newIndex) throw()
  37696. {
  37697. moveCursorTo (newIndex, false);
  37698. }
  37699. int TextEditor::getCaretPosition() const throw()
  37700. {
  37701. return caretPosition;
  37702. }
  37703. float TextEditor::getWordWrapWidth() const throw()
  37704. {
  37705. return (wordWrap) ? (float) (viewport->getMaximumVisibleWidth() - leftIndent - leftIndent / 2)
  37706. : 1.0e10f;
  37707. }
  37708. void TextEditor::updateTextHolderSize() throw()
  37709. {
  37710. const float wordWrapWidth = getWordWrapWidth();
  37711. if (wordWrapWidth > 0)
  37712. {
  37713. float maxWidth = 0.0f;
  37714. TextEditorIterator i (sections, wordWrapWidth, passwordCharacter);
  37715. while (i.next())
  37716. maxWidth = jmax (maxWidth, i.atomRight);
  37717. const int w = leftIndent + roundFloatToInt (maxWidth);
  37718. const int h = topIndent + roundFloatToInt (jmax (i.lineY + i.lineHeight,
  37719. currentFont.getHeight()));
  37720. textHolder->setSize (w + 1, h + 1);
  37721. }
  37722. }
  37723. int TextEditor::getTextWidth() const throw()
  37724. {
  37725. return textHolder->getWidth();
  37726. }
  37727. int TextEditor::getTextHeight() const throw()
  37728. {
  37729. return textHolder->getHeight();
  37730. }
  37731. void TextEditor::setIndents (const int newLeftIndent,
  37732. const int newTopIndent) throw()
  37733. {
  37734. leftIndent = newLeftIndent;
  37735. topIndent = newTopIndent;
  37736. }
  37737. void TextEditor::setBorder (const BorderSize& border) throw()
  37738. {
  37739. borderSize = border;
  37740. resized();
  37741. }
  37742. const BorderSize TextEditor::getBorder() const throw()
  37743. {
  37744. return borderSize;
  37745. }
  37746. void TextEditor::setScrollToShowCursor (const bool shouldScrollToShowCursor) throw()
  37747. {
  37748. keepCursorOnScreen = shouldScrollToShowCursor;
  37749. }
  37750. void TextEditor::scrollToMakeSureCursorIsVisible() throw()
  37751. {
  37752. cursorHeight = currentFont.getHeight(); // (in case the text is empty and the call below doesn't set this value)
  37753. getCharPosition (caretPosition,
  37754. cursorX, cursorY,
  37755. cursorHeight);
  37756. if (keepCursorOnScreen)
  37757. {
  37758. int x = viewport->getViewPositionX();
  37759. int y = viewport->getViewPositionY();
  37760. const int relativeCursorX = roundFloatToInt (cursorX) - x;
  37761. const int relativeCursorY = roundFloatToInt (cursorY) - y;
  37762. if (relativeCursorX < jmax (1, proportionOfWidth (0.05f)))
  37763. {
  37764. x += relativeCursorX - proportionOfWidth (0.2f);
  37765. }
  37766. else if (relativeCursorX > jmax (0, viewport->getMaximumVisibleWidth() - (wordWrap ? 2 : 10)))
  37767. {
  37768. x += relativeCursorX + (isMultiLine() ? proportionOfWidth (0.2f) : 10) - viewport->getMaximumVisibleWidth();
  37769. }
  37770. x = jlimit (0, jmax (0, textHolder->getWidth() + 8 - viewport->getMaximumVisibleWidth()), x);
  37771. if (! isMultiLine())
  37772. {
  37773. y = (getHeight() - textHolder->getHeight() - topIndent) / -2;
  37774. }
  37775. else
  37776. {
  37777. const int curH = roundFloatToInt (cursorHeight);
  37778. if (relativeCursorY < 0)
  37779. {
  37780. y = jmax (0, relativeCursorY + y);
  37781. }
  37782. else if (relativeCursorY > jmax (0, viewport->getMaximumVisibleHeight() - topIndent - curH))
  37783. {
  37784. y += relativeCursorY + 2 + curH + topIndent - viewport->getMaximumVisibleHeight();
  37785. }
  37786. }
  37787. viewport->setViewPosition (x, y);
  37788. }
  37789. }
  37790. void TextEditor::moveCursorTo (const int newPosition,
  37791. const bool isSelecting) throw()
  37792. {
  37793. if (isSelecting)
  37794. {
  37795. moveCaret (newPosition);
  37796. const int oldSelStart = selectionStart;
  37797. const int oldSelEnd = selectionEnd;
  37798. if (dragType == notDragging)
  37799. {
  37800. if (abs (getCaretPosition() - selectionStart) < abs (getCaretPosition() - selectionEnd))
  37801. dragType = draggingSelectionStart;
  37802. else
  37803. dragType = draggingSelectionEnd;
  37804. }
  37805. if (dragType == draggingSelectionStart)
  37806. {
  37807. selectionStart = getCaretPosition();
  37808. if (selectionEnd < selectionStart)
  37809. {
  37810. swapVariables (selectionStart, selectionEnd);
  37811. dragType = draggingSelectionEnd;
  37812. }
  37813. }
  37814. else
  37815. {
  37816. selectionEnd = getCaretPosition();
  37817. if (selectionEnd < selectionStart)
  37818. {
  37819. swapVariables (selectionStart, selectionEnd);
  37820. dragType = draggingSelectionStart;
  37821. }
  37822. }
  37823. jassert (selectionStart <= selectionEnd);
  37824. jassert (oldSelStart <= oldSelEnd);
  37825. repaintText (jmin (oldSelStart, selectionStart),
  37826. jmax (oldSelEnd, selectionEnd));
  37827. }
  37828. else
  37829. {
  37830. dragType = notDragging;
  37831. if (selectionEnd > selectionStart)
  37832. repaintText (selectionStart, selectionEnd);
  37833. moveCaret (newPosition);
  37834. selectionStart = getCaretPosition();
  37835. selectionEnd = getCaretPosition();
  37836. }
  37837. }
  37838. int TextEditor::getTextIndexAt (const int x,
  37839. const int y) throw()
  37840. {
  37841. return indexAtPosition ((float) (x + viewport->getViewPositionX() - leftIndent),
  37842. (float) (y + viewport->getViewPositionY() - topIndent));
  37843. }
  37844. void TextEditor::insertTextAtCursor (String newText)
  37845. {
  37846. if (allowedCharacters.isNotEmpty())
  37847. newText = newText.retainCharacters (allowedCharacters);
  37848. if (! isMultiLine())
  37849. newText = newText.replaceCharacters (T("\r\n"), T(" "));
  37850. else
  37851. newText = newText.replace (T("\r\n"), T("\n"));
  37852. const int newCaretPos = selectionStart + newText.length();
  37853. const int insertIndex = selectionStart;
  37854. remove (selectionStart, selectionEnd,
  37855. &undoManager,
  37856. newCaretPos);
  37857. if (maxTextLength > 0)
  37858. newText = newText.substring (0, maxTextLength - getTotalNumChars());
  37859. if (newText.isNotEmpty())
  37860. insert (newText,
  37861. insertIndex,
  37862. currentFont,
  37863. findColour (textColourId),
  37864. &undoManager,
  37865. newCaretPos);
  37866. textChanged();
  37867. }
  37868. void TextEditor::setHighlightedRegion (int startPos, int numChars) throw()
  37869. {
  37870. moveCursorTo (startPos, false);
  37871. moveCursorTo (startPos + numChars, true);
  37872. }
  37873. void TextEditor::copy()
  37874. {
  37875. const String selection (getTextSubstring (selectionStart, selectionEnd));
  37876. if (selection.isNotEmpty())
  37877. SystemClipboard::copyTextToClipboard (selection);
  37878. }
  37879. void TextEditor::paste()
  37880. {
  37881. if (! isReadOnly())
  37882. {
  37883. const String clip (SystemClipboard::getTextFromClipboard());
  37884. if (clip.isNotEmpty())
  37885. insertTextAtCursor (clip);
  37886. }
  37887. }
  37888. void TextEditor::cut()
  37889. {
  37890. if (! isReadOnly())
  37891. {
  37892. moveCaret (selectionEnd);
  37893. insertTextAtCursor (String::empty);
  37894. }
  37895. }
  37896. void TextEditor::drawContent (Graphics& g)
  37897. {
  37898. const float wordWrapWidth = getWordWrapWidth();
  37899. if (wordWrapWidth > 0)
  37900. {
  37901. g.setOrigin (leftIndent, topIndent);
  37902. const Rectangle clip (g.getClipBounds());
  37903. Colour selectedTextColour;
  37904. TextEditorIterator i (sections, wordWrapWidth, passwordCharacter);
  37905. while (i.lineY + 200.0 < clip.getY() && i.next())
  37906. {}
  37907. if (selectionStart < selectionEnd)
  37908. {
  37909. g.setColour (findColour (highlightColourId)
  37910. .withMultipliedAlpha (hasKeyboardFocus (true) ? 1.0f : 0.5f));
  37911. selectedTextColour = findColour (highlightedTextColourId);
  37912. TextEditorIterator i2 (i);
  37913. while (i2.next() && i2.lineY < clip.getBottom())
  37914. {
  37915. i2.updateLineHeight();
  37916. if (i2.lineY + i2.lineHeight >= clip.getY()
  37917. && selectionEnd >= i2.indexInText
  37918. && selectionStart <= i2.indexInText + i2.atom->numChars)
  37919. {
  37920. i2.drawSelection (g, selectionStart, selectionEnd);
  37921. }
  37922. }
  37923. }
  37924. const UniformTextSection* lastSection = 0;
  37925. while (i.next() && i.lineY < clip.getBottom())
  37926. {
  37927. i.updateLineHeight();
  37928. if (i.lineY + i.lineHeight >= clip.getY())
  37929. {
  37930. if (selectionEnd >= i.indexInText
  37931. && selectionStart <= i.indexInText + i.atom->numChars)
  37932. {
  37933. i.drawSelectedText (g, selectionStart, selectionEnd, selectedTextColour);
  37934. lastSection = 0;
  37935. }
  37936. else
  37937. {
  37938. i.draw (g, lastSection);
  37939. }
  37940. }
  37941. }
  37942. }
  37943. }
  37944. void TextEditor::paint (Graphics& g)
  37945. {
  37946. getLookAndFeel().fillTextEditorBackground (g, getWidth(), getHeight(), *this);
  37947. }
  37948. void TextEditor::paintOverChildren (Graphics& g)
  37949. {
  37950. if (caretFlashState
  37951. && hasKeyboardFocus (false)
  37952. && caretVisible
  37953. && ! isReadOnly())
  37954. {
  37955. g.setColour (findColour (caretColourId));
  37956. g.fillRect (borderSize.getLeft() + textHolder->getX() + leftIndent + cursorX,
  37957. borderSize.getTop() + textHolder->getY() + topIndent + cursorY,
  37958. 2.0f, cursorHeight);
  37959. }
  37960. if (textToShowWhenEmpty.isNotEmpty()
  37961. && (! hasKeyboardFocus (false))
  37962. && getTotalNumChars() == 0)
  37963. {
  37964. g.setColour (colourForTextWhenEmpty);
  37965. g.setFont (getFont());
  37966. if (isMultiLine())
  37967. {
  37968. g.drawText (textToShowWhenEmpty,
  37969. 0, 0, getWidth(), getHeight(),
  37970. Justification::centred, true);
  37971. }
  37972. else
  37973. {
  37974. g.drawText (textToShowWhenEmpty,
  37975. leftIndent, topIndent,
  37976. viewport->getWidth() - leftIndent,
  37977. viewport->getHeight() - topIndent,
  37978. Justification::centredLeft, true);
  37979. }
  37980. }
  37981. getLookAndFeel().drawTextEditorOutline (g, getWidth(), getHeight(), *this);
  37982. }
  37983. void TextEditor::mouseDown (const MouseEvent& e)
  37984. {
  37985. beginDragAutoRepeat (100);
  37986. newTransaction();
  37987. if (wasFocused || ! selectAllTextWhenFocused)
  37988. {
  37989. if (! (popupMenuEnabled && e.mods.isPopupMenu()))
  37990. {
  37991. moveCursorTo (getTextIndexAt (e.x, e.y),
  37992. e.mods.isShiftDown());
  37993. }
  37994. else
  37995. {
  37996. PopupMenu m;
  37997. addPopupMenuItems (m, &e);
  37998. menuActive = true;
  37999. const int result = m.show();
  38000. menuActive = false;
  38001. if (result != 0)
  38002. performPopupMenuAction (result);
  38003. }
  38004. }
  38005. }
  38006. void TextEditor::mouseDrag (const MouseEvent& e)
  38007. {
  38008. if (wasFocused || ! selectAllTextWhenFocused)
  38009. {
  38010. if (! (popupMenuEnabled && e.mods.isPopupMenu()))
  38011. {
  38012. moveCursorTo (getTextIndexAt (e.x, e.y), true);
  38013. }
  38014. }
  38015. }
  38016. void TextEditor::mouseUp (const MouseEvent& e)
  38017. {
  38018. newTransaction();
  38019. textHolder->startTimer (flashSpeedIntervalMs);
  38020. if (wasFocused || ! selectAllTextWhenFocused)
  38021. {
  38022. if (! (popupMenuEnabled && e.mods.isPopupMenu()))
  38023. {
  38024. moveCaret (getTextIndexAt (e.x, e.y));
  38025. }
  38026. }
  38027. wasFocused = true;
  38028. }
  38029. void TextEditor::mouseDoubleClick (const MouseEvent& e)
  38030. {
  38031. int tokenEnd = getTextIndexAt (e.x, e.y);
  38032. int tokenStart = tokenEnd;
  38033. if (e.getNumberOfClicks() > 3)
  38034. {
  38035. tokenStart = 0;
  38036. tokenEnd = getTotalNumChars();
  38037. }
  38038. else
  38039. {
  38040. const String t (getText());
  38041. const int totalLength = getTotalNumChars();
  38042. while (tokenEnd < totalLength)
  38043. {
  38044. if (CharacterFunctions::isLetterOrDigit (t [tokenEnd]))
  38045. ++tokenEnd;
  38046. else
  38047. break;
  38048. }
  38049. tokenStart = tokenEnd;
  38050. while (tokenStart > 0)
  38051. {
  38052. if (CharacterFunctions::isLetterOrDigit (t [tokenStart - 1]))
  38053. --tokenStart;
  38054. else
  38055. break;
  38056. }
  38057. if (e.getNumberOfClicks() > 2)
  38058. {
  38059. while (tokenEnd < totalLength)
  38060. {
  38061. if (t [tokenEnd] != T('\r') && t [tokenEnd] != T('\n'))
  38062. ++tokenEnd;
  38063. else
  38064. break;
  38065. }
  38066. while (tokenStart > 0)
  38067. {
  38068. if (t [tokenStart - 1] != T('\r') && t [tokenStart - 1] != T('\n'))
  38069. --tokenStart;
  38070. else
  38071. break;
  38072. }
  38073. }
  38074. }
  38075. moveCursorTo (tokenEnd, false);
  38076. moveCursorTo (tokenStart, true);
  38077. }
  38078. void TextEditor::mouseWheelMove (const MouseEvent& e, float wheelIncrementX, float wheelIncrementY)
  38079. {
  38080. if (! viewport->useMouseWheelMoveIfNeeded (e, wheelIncrementX, wheelIncrementY))
  38081. Component::mouseWheelMove (e, wheelIncrementX, wheelIncrementY);
  38082. }
  38083. bool TextEditor::keyPressed (const KeyPress& key)
  38084. {
  38085. if (isReadOnly() && key != KeyPress (T('c'), ModifierKeys::commandModifier, 0))
  38086. return false;
  38087. const bool moveInWholeWordSteps = key.getModifiers().isCtrlDown() || key.getModifiers().isAltDown();
  38088. if (key.isKeyCode (KeyPress::leftKey)
  38089. || key.isKeyCode (KeyPress::upKey))
  38090. {
  38091. newTransaction();
  38092. int newPos;
  38093. if (isMultiLine() && key.isKeyCode (KeyPress::upKey))
  38094. newPos = indexAtPosition (cursorX, cursorY - 1);
  38095. else if (moveInWholeWordSteps)
  38096. newPos = findWordBreakBefore (getCaretPosition());
  38097. else
  38098. newPos = getCaretPosition() - 1;
  38099. moveCursorTo (newPos, key.getModifiers().isShiftDown());
  38100. }
  38101. else if (key.isKeyCode (KeyPress::rightKey)
  38102. || key.isKeyCode (KeyPress::downKey))
  38103. {
  38104. newTransaction();
  38105. int newPos;
  38106. if (isMultiLine() && key.isKeyCode (KeyPress::downKey))
  38107. newPos = indexAtPosition (cursorX, cursorY + cursorHeight + 1);
  38108. else if (moveInWholeWordSteps)
  38109. newPos = findWordBreakAfter (getCaretPosition());
  38110. else
  38111. newPos = getCaretPosition() + 1;
  38112. moveCursorTo (newPos, key.getModifiers().isShiftDown());
  38113. }
  38114. else if (key.isKeyCode (KeyPress::pageDownKey) && isMultiLine())
  38115. {
  38116. newTransaction();
  38117. moveCursorTo (indexAtPosition (cursorX, cursorY + cursorHeight + viewport->getViewHeight()),
  38118. key.getModifiers().isShiftDown());
  38119. }
  38120. else if (key.isKeyCode (KeyPress::pageUpKey) && isMultiLine())
  38121. {
  38122. newTransaction();
  38123. moveCursorTo (indexAtPosition (cursorX, cursorY - viewport->getViewHeight()),
  38124. key.getModifiers().isShiftDown());
  38125. }
  38126. else if (key.isKeyCode (KeyPress::homeKey))
  38127. {
  38128. newTransaction();
  38129. if (isMultiLine() && ! moveInWholeWordSteps)
  38130. moveCursorTo (indexAtPosition (0.0f, cursorY),
  38131. key.getModifiers().isShiftDown());
  38132. else
  38133. moveCursorTo (0, key.getModifiers().isShiftDown());
  38134. }
  38135. else if (key.isKeyCode (KeyPress::endKey))
  38136. {
  38137. newTransaction();
  38138. if (isMultiLine() && ! moveInWholeWordSteps)
  38139. moveCursorTo (indexAtPosition ((float) textHolder->getWidth(), cursorY),
  38140. key.getModifiers().isShiftDown());
  38141. else
  38142. moveCursorTo (getTotalNumChars(), key.getModifiers().isShiftDown());
  38143. }
  38144. else if (key.isKeyCode (KeyPress::backspaceKey))
  38145. {
  38146. if (moveInWholeWordSteps)
  38147. {
  38148. moveCursorTo (findWordBreakBefore (getCaretPosition()), true);
  38149. }
  38150. else
  38151. {
  38152. if (selectionStart == selectionEnd && selectionStart > 0)
  38153. --selectionStart;
  38154. }
  38155. cut();
  38156. }
  38157. else if (key.isKeyCode (KeyPress::deleteKey))
  38158. {
  38159. if (key.getModifiers().isShiftDown())
  38160. copy();
  38161. if (selectionStart == selectionEnd
  38162. && selectionEnd < getTotalNumChars())
  38163. {
  38164. ++selectionEnd;
  38165. }
  38166. cut();
  38167. }
  38168. else if (key == KeyPress (T('c'), ModifierKeys::commandModifier, 0)
  38169. || key == KeyPress (KeyPress::insertKey, ModifierKeys::ctrlModifier, 0))
  38170. {
  38171. newTransaction();
  38172. copy();
  38173. }
  38174. else if (key == KeyPress (T('x'), ModifierKeys::commandModifier, 0))
  38175. {
  38176. newTransaction();
  38177. copy();
  38178. cut();
  38179. }
  38180. else if (key == KeyPress (T('v'), ModifierKeys::commandModifier, 0)
  38181. || key == KeyPress (KeyPress::insertKey, ModifierKeys::shiftModifier, 0))
  38182. {
  38183. newTransaction();
  38184. paste();
  38185. }
  38186. else if (key == KeyPress (T('z'), ModifierKeys::commandModifier, 0))
  38187. {
  38188. newTransaction();
  38189. doUndoRedo (false);
  38190. }
  38191. else if (key == KeyPress (T('y'), ModifierKeys::commandModifier, 0))
  38192. {
  38193. newTransaction();
  38194. doUndoRedo (true);
  38195. }
  38196. else if (key == KeyPress (T('a'), ModifierKeys::commandModifier, 0))
  38197. {
  38198. newTransaction();
  38199. moveCursorTo (getTotalNumChars(), false);
  38200. moveCursorTo (0, true);
  38201. }
  38202. else if (key == KeyPress::returnKey)
  38203. {
  38204. newTransaction();
  38205. if (returnKeyStartsNewLine)
  38206. insertTextAtCursor (T("\n"));
  38207. else
  38208. returnPressed();
  38209. }
  38210. else if (key.isKeyCode (KeyPress::escapeKey))
  38211. {
  38212. newTransaction();
  38213. moveCursorTo (getCaretPosition(), false);
  38214. escapePressed();
  38215. }
  38216. else if (key.getTextCharacter() >= ' '
  38217. || (tabKeyUsed && (key.getTextCharacter() == '\t')))
  38218. {
  38219. insertTextAtCursor (String::charToString (key.getTextCharacter()));
  38220. lastTransactionTime = Time::getApproximateMillisecondCounter();
  38221. }
  38222. else
  38223. {
  38224. return false;
  38225. }
  38226. return true;
  38227. }
  38228. bool TextEditor::keyStateChanged()
  38229. {
  38230. // (overridden to avoid forwarding key events to the parent)
  38231. return true;
  38232. }
  38233. const int baseMenuItemID = 0x7fff0000;
  38234. void TextEditor::addPopupMenuItems (PopupMenu& m, const MouseEvent*)
  38235. {
  38236. const bool writable = ! isReadOnly();
  38237. m.addItem (baseMenuItemID + 1, TRANS("cut"), writable);
  38238. m.addItem (baseMenuItemID + 2, TRANS("copy"), selectionStart < selectionEnd);
  38239. m.addItem (baseMenuItemID + 3, TRANS("paste"), writable);
  38240. m.addItem (baseMenuItemID + 4, TRANS("delete"), writable);
  38241. m.addSeparator();
  38242. m.addItem (baseMenuItemID + 5, TRANS("select all"));
  38243. m.addSeparator();
  38244. m.addItem (baseMenuItemID + 6, TRANS("undo"), undoManager.canUndo());
  38245. m.addItem (baseMenuItemID + 7, TRANS("redo"), undoManager.canRedo());
  38246. }
  38247. void TextEditor::performPopupMenuAction (const int menuItemID)
  38248. {
  38249. switch (menuItemID)
  38250. {
  38251. case baseMenuItemID + 1:
  38252. copy();
  38253. cut();
  38254. break;
  38255. case baseMenuItemID + 2:
  38256. copy();
  38257. break;
  38258. case baseMenuItemID + 3:
  38259. paste();
  38260. break;
  38261. case baseMenuItemID + 4:
  38262. cut();
  38263. break;
  38264. case baseMenuItemID + 5:
  38265. moveCursorTo (getTotalNumChars(), false);
  38266. moveCursorTo (0, true);
  38267. break;
  38268. case baseMenuItemID + 6:
  38269. doUndoRedo (false);
  38270. break;
  38271. case baseMenuItemID + 7:
  38272. doUndoRedo (true);
  38273. break;
  38274. default:
  38275. break;
  38276. }
  38277. }
  38278. void TextEditor::focusGained (FocusChangeType)
  38279. {
  38280. newTransaction();
  38281. caretFlashState = true;
  38282. if (selectAllTextWhenFocused)
  38283. {
  38284. moveCursorTo (0, false);
  38285. moveCursorTo (getTotalNumChars(), true);
  38286. }
  38287. repaint();
  38288. if (caretVisible)
  38289. textHolder->startTimer (flashSpeedIntervalMs);
  38290. ComponentPeer* const peer = getPeer();
  38291. if (peer != 0)
  38292. peer->textInputRequired (getScreenX() - peer->getScreenX(),
  38293. getScreenY() - peer->getScreenY());
  38294. }
  38295. void TextEditor::focusLost (FocusChangeType)
  38296. {
  38297. newTransaction();
  38298. wasFocused = false;
  38299. textHolder->stopTimer();
  38300. caretFlashState = false;
  38301. postCommandMessage (focusLossMessageId);
  38302. repaint();
  38303. }
  38304. void TextEditor::resized()
  38305. {
  38306. viewport->setBoundsInset (borderSize);
  38307. viewport->setSingleStepSizes (16, roundFloatToInt (currentFont.getHeight()));
  38308. updateTextHolderSize();
  38309. if (! isMultiLine())
  38310. {
  38311. scrollToMakeSureCursorIsVisible();
  38312. }
  38313. else
  38314. {
  38315. cursorHeight = currentFont.getHeight(); // (in case the text is empty and the call below doesn't set this value)
  38316. getCharPosition (caretPosition,
  38317. cursorX, cursorY,
  38318. cursorHeight);
  38319. }
  38320. }
  38321. void TextEditor::handleCommandMessage (const int commandId)
  38322. {
  38323. const ComponentDeletionWatcher deletionChecker (this);
  38324. for (int i = listeners.size(); --i >= 0;)
  38325. {
  38326. TextEditorListener* const tl = (TextEditorListener*) listeners [i];
  38327. if (tl != 0)
  38328. {
  38329. switch (commandId)
  38330. {
  38331. case textChangeMessageId:
  38332. tl->textEditorTextChanged (*this);
  38333. break;
  38334. case returnKeyMessageId:
  38335. tl->textEditorReturnKeyPressed (*this);
  38336. break;
  38337. case escapeKeyMessageId:
  38338. tl->textEditorEscapeKeyPressed (*this);
  38339. break;
  38340. case focusLossMessageId:
  38341. tl->textEditorFocusLost (*this);
  38342. break;
  38343. default:
  38344. jassertfalse
  38345. break;
  38346. }
  38347. if (i > 0 && deletionChecker.hasBeenDeleted())
  38348. return;
  38349. }
  38350. }
  38351. }
  38352. void TextEditor::enablementChanged()
  38353. {
  38354. setMouseCursor (MouseCursor (isReadOnly() ? MouseCursor::NormalCursor
  38355. : MouseCursor::IBeamCursor));
  38356. repaint();
  38357. }
  38358. void TextEditor::clearInternal (UndoManager* const um) throw()
  38359. {
  38360. remove (0, getTotalNumChars(), um, caretPosition);
  38361. }
  38362. void TextEditor::insert (const String& text,
  38363. const int insertIndex,
  38364. const Font& font,
  38365. const Colour& colour,
  38366. UndoManager* const um,
  38367. const int caretPositionToMoveTo) throw()
  38368. {
  38369. if (text.isNotEmpty())
  38370. {
  38371. if (um != 0)
  38372. {
  38373. um->perform (new TextEditorInsertAction (*this,
  38374. text,
  38375. insertIndex,
  38376. font,
  38377. colour,
  38378. caretPosition,
  38379. caretPositionToMoveTo));
  38380. }
  38381. else
  38382. {
  38383. repaintText (insertIndex, -1); // must do this before and after changing the data, in case
  38384. // a line gets moved due to word wrap
  38385. int index = 0;
  38386. int nextIndex = 0;
  38387. for (int i = 0; i < sections.size(); ++i)
  38388. {
  38389. nextIndex = index + ((UniformTextSection*) sections.getUnchecked(i))->getTotalLength();
  38390. if (insertIndex == index)
  38391. {
  38392. sections.insert (i, new UniformTextSection (text,
  38393. font, colour,
  38394. passwordCharacter));
  38395. break;
  38396. }
  38397. else if (insertIndex > index && insertIndex < nextIndex)
  38398. {
  38399. splitSection (i, insertIndex - index);
  38400. sections.insert (i + 1, new UniformTextSection (text,
  38401. font, colour,
  38402. passwordCharacter));
  38403. break;
  38404. }
  38405. index = nextIndex;
  38406. }
  38407. if (nextIndex == insertIndex)
  38408. sections.add (new UniformTextSection (text,
  38409. font, colour,
  38410. passwordCharacter));
  38411. coalesceSimilarSections();
  38412. totalNumChars = -1;
  38413. moveCursorTo (caretPositionToMoveTo, false);
  38414. repaintText (insertIndex, -1);
  38415. }
  38416. }
  38417. }
  38418. void TextEditor::reinsert (const int insertIndex,
  38419. const VoidArray& sectionsToInsert) throw()
  38420. {
  38421. int index = 0;
  38422. int nextIndex = 0;
  38423. for (int i = 0; i < sections.size(); ++i)
  38424. {
  38425. nextIndex = index + ((UniformTextSection*) sections.getUnchecked(i))->getTotalLength();
  38426. if (insertIndex == index)
  38427. {
  38428. for (int j = sectionsToInsert.size(); --j >= 0;)
  38429. sections.insert (i, new UniformTextSection (*(UniformTextSection*) sectionsToInsert.getUnchecked(j)));
  38430. break;
  38431. }
  38432. else if (insertIndex > index && insertIndex < nextIndex)
  38433. {
  38434. splitSection (i, insertIndex - index);
  38435. for (int j = sectionsToInsert.size(); --j >= 0;)
  38436. sections.insert (i + 1, new UniformTextSection (*(UniformTextSection*) sectionsToInsert.getUnchecked(j)));
  38437. break;
  38438. }
  38439. index = nextIndex;
  38440. }
  38441. if (nextIndex == insertIndex)
  38442. {
  38443. for (int j = 0; j < sectionsToInsert.size(); ++j)
  38444. sections.add (new UniformTextSection (*(UniformTextSection*) sectionsToInsert.getUnchecked(j)));
  38445. }
  38446. coalesceSimilarSections();
  38447. totalNumChars = -1;
  38448. }
  38449. void TextEditor::remove (const int startIndex,
  38450. int endIndex,
  38451. UndoManager* const um,
  38452. const int caretPositionToMoveTo) throw()
  38453. {
  38454. if (endIndex > startIndex)
  38455. {
  38456. int index = 0;
  38457. for (int i = 0; i < sections.size(); ++i)
  38458. {
  38459. const int nextIndex = index + ((UniformTextSection*) sections[i])->getTotalLength();
  38460. if (startIndex > index && startIndex < nextIndex)
  38461. {
  38462. splitSection (i, startIndex - index);
  38463. --i;
  38464. }
  38465. else if (endIndex > index && endIndex < nextIndex)
  38466. {
  38467. splitSection (i, endIndex - index);
  38468. --i;
  38469. }
  38470. else
  38471. {
  38472. index = nextIndex;
  38473. if (index > endIndex)
  38474. break;
  38475. }
  38476. }
  38477. index = 0;
  38478. if (um != 0)
  38479. {
  38480. VoidArray removedSections;
  38481. for (int i = 0; i < sections.size(); ++i)
  38482. {
  38483. if (endIndex <= startIndex)
  38484. break;
  38485. UniformTextSection* const section = (UniformTextSection*) sections.getUnchecked (i);
  38486. const int nextIndex = index + section->getTotalLength();
  38487. if (startIndex <= index && endIndex >= nextIndex)
  38488. removedSections.add (new UniformTextSection (*section));
  38489. index = nextIndex;
  38490. }
  38491. um->perform (new TextEditorRemoveAction (*this,
  38492. startIndex,
  38493. endIndex,
  38494. caretPosition,
  38495. caretPositionToMoveTo,
  38496. removedSections));
  38497. }
  38498. else
  38499. {
  38500. for (int i = 0; i < sections.size(); ++i)
  38501. {
  38502. if (endIndex <= startIndex)
  38503. break;
  38504. UniformTextSection* const section = (UniformTextSection*) sections.getUnchecked (i);
  38505. const int nextIndex = index + section->getTotalLength();
  38506. if (startIndex <= index && endIndex >= nextIndex)
  38507. {
  38508. sections.remove(i);
  38509. endIndex -= (nextIndex - index);
  38510. section->clear();
  38511. delete section;
  38512. --i;
  38513. }
  38514. else
  38515. {
  38516. index = nextIndex;
  38517. }
  38518. }
  38519. coalesceSimilarSections();
  38520. totalNumChars = -1;
  38521. moveCursorTo (caretPositionToMoveTo, false);
  38522. repaintText (startIndex, -1);
  38523. }
  38524. }
  38525. }
  38526. const String TextEditor::getText() const throw()
  38527. {
  38528. String t;
  38529. for (int i = 0; i < sections.size(); ++i)
  38530. t += ((const UniformTextSection*) sections.getUnchecked(i))->getAllText();
  38531. return t;
  38532. }
  38533. const String TextEditor::getTextSubstring (const int startCharacter, const int endCharacter) const throw()
  38534. {
  38535. String t;
  38536. int index = 0;
  38537. for (int i = 0; i < sections.size(); ++i)
  38538. {
  38539. const UniformTextSection* const s = (const UniformTextSection*) sections.getUnchecked(i);
  38540. const int nextIndex = index + s->getTotalLength();
  38541. if (startCharacter < nextIndex)
  38542. {
  38543. if (endCharacter <= index)
  38544. break;
  38545. const int start = jmax (index, startCharacter);
  38546. t += s->getTextSubstring (start - index, endCharacter - index);
  38547. }
  38548. index = nextIndex;
  38549. }
  38550. return t;
  38551. }
  38552. const String TextEditor::getHighlightedText() const throw()
  38553. {
  38554. return getTextSubstring (getHighlightedRegionStart(),
  38555. getHighlightedRegionStart() + getHighlightedRegionLength());
  38556. }
  38557. int TextEditor::getTotalNumChars() throw()
  38558. {
  38559. if (totalNumChars < 0)
  38560. {
  38561. totalNumChars = 0;
  38562. for (int i = sections.size(); --i >= 0;)
  38563. totalNumChars += ((const UniformTextSection*) sections.getUnchecked(i))->getTotalLength();
  38564. }
  38565. return totalNumChars;
  38566. }
  38567. bool TextEditor::isEmpty() const throw()
  38568. {
  38569. if (totalNumChars != 0)
  38570. {
  38571. for (int i = sections.size(); --i >= 0;)
  38572. if (((const UniformTextSection*) sections.getUnchecked(i))->getTotalLength() > 0)
  38573. return false;
  38574. }
  38575. return true;
  38576. }
  38577. void TextEditor::getCharPosition (const int index, float& cx, float& cy, float& lineHeight) const throw()
  38578. {
  38579. const float wordWrapWidth = getWordWrapWidth();
  38580. if (wordWrapWidth > 0 && sections.size() > 0)
  38581. {
  38582. TextEditorIterator i (sections, wordWrapWidth, passwordCharacter);
  38583. i.getCharPosition (index, cx, cy, lineHeight);
  38584. }
  38585. else
  38586. {
  38587. cx = cy = 0;
  38588. lineHeight = currentFont.getHeight();
  38589. }
  38590. }
  38591. int TextEditor::indexAtPosition (const float x, const float y) throw()
  38592. {
  38593. const float wordWrapWidth = getWordWrapWidth();
  38594. if (wordWrapWidth > 0)
  38595. {
  38596. TextEditorIterator i (sections, wordWrapWidth, passwordCharacter);
  38597. while (i.next())
  38598. {
  38599. if (i.lineY + getHeight() > y)
  38600. i.updateLineHeight();
  38601. if (i.lineY + i.lineHeight > y)
  38602. {
  38603. if (i.lineY > y)
  38604. return jmax (0, i.indexInText - 1);
  38605. if (i.atomX >= x)
  38606. return i.indexInText;
  38607. if (x < i.atomRight)
  38608. return i.xToIndex (x);
  38609. }
  38610. }
  38611. }
  38612. return getTotalNumChars();
  38613. }
  38614. static int getCharacterCategory (const tchar character) throw()
  38615. {
  38616. return CharacterFunctions::isLetterOrDigit (character)
  38617. ? 2 : (CharacterFunctions::isWhitespace (character) ? 0 : 1);
  38618. }
  38619. int TextEditor::findWordBreakAfter (const int position) const throw()
  38620. {
  38621. const String t (getTextSubstring (position, position + 512));
  38622. const int totalLength = t.length();
  38623. int i = 0;
  38624. while (i < totalLength && CharacterFunctions::isWhitespace (t[i]))
  38625. ++i;
  38626. const int type = getCharacterCategory (t[i]);
  38627. while (i < totalLength && type == getCharacterCategory (t[i]))
  38628. ++i;
  38629. while (i < totalLength && CharacterFunctions::isWhitespace (t[i]))
  38630. ++i;
  38631. return position + i;
  38632. }
  38633. int TextEditor::findWordBreakBefore (const int position) const throw()
  38634. {
  38635. if (position <= 0)
  38636. return 0;
  38637. const int startOfBuffer = jmax (0, position - 512);
  38638. const String t (getTextSubstring (startOfBuffer, position));
  38639. int i = position - startOfBuffer;
  38640. while (i > 0 && CharacterFunctions::isWhitespace (t [i - 1]))
  38641. --i;
  38642. if (i > 0)
  38643. {
  38644. const int type = getCharacterCategory (t [i - 1]);
  38645. while (i > 0 && type == getCharacterCategory (t [i - 1]))
  38646. --i;
  38647. }
  38648. jassert (startOfBuffer + i >= 0);
  38649. return startOfBuffer + i;
  38650. }
  38651. void TextEditor::splitSection (const int sectionIndex,
  38652. const int charToSplitAt) throw()
  38653. {
  38654. jassert (sections[sectionIndex] != 0);
  38655. sections.insert (sectionIndex + 1,
  38656. ((UniformTextSection*) sections.getUnchecked (sectionIndex))
  38657. ->split (charToSplitAt, passwordCharacter));
  38658. }
  38659. void TextEditor::coalesceSimilarSections() throw()
  38660. {
  38661. for (int i = 0; i < sections.size() - 1; ++i)
  38662. {
  38663. UniformTextSection* const s1 = (UniformTextSection*) (sections.getUnchecked (i));
  38664. UniformTextSection* const s2 = (UniformTextSection*) (sections.getUnchecked (i + 1));
  38665. if (s1->font == s2->font
  38666. && s1->colour == s2->colour)
  38667. {
  38668. s1->append (*s2, passwordCharacter);
  38669. sections.remove (i + 1);
  38670. delete s2;
  38671. --i;
  38672. }
  38673. }
  38674. }
  38675. END_JUCE_NAMESPACE
  38676. /********* End of inlined file: juce_TextEditor.cpp *********/
  38677. /********* Start of inlined file: juce_Toolbar.cpp *********/
  38678. BEGIN_JUCE_NAMESPACE
  38679. const tchar* const Toolbar::toolbarDragDescriptor = T("_toolbarItem_");
  38680. class ToolbarSpacerComp : public ToolbarItemComponent
  38681. {
  38682. public:
  38683. ToolbarSpacerComp (const int itemId, const float fixedSize_, const bool drawBar_)
  38684. : ToolbarItemComponent (itemId, String::empty, false),
  38685. fixedSize (fixedSize_),
  38686. drawBar (drawBar_)
  38687. {
  38688. }
  38689. ~ToolbarSpacerComp()
  38690. {
  38691. }
  38692. bool getToolbarItemSizes (int toolbarThickness, bool /*isToolbarVertical*/,
  38693. int& preferredSize, int& minSize, int& maxSize)
  38694. {
  38695. if (fixedSize <= 0)
  38696. {
  38697. preferredSize = toolbarThickness * 2;
  38698. minSize = 4;
  38699. maxSize = 32768;
  38700. }
  38701. else
  38702. {
  38703. maxSize = roundFloatToInt (toolbarThickness * fixedSize);
  38704. minSize = drawBar ? maxSize : jmin (4, maxSize);
  38705. preferredSize = maxSize;
  38706. if (getEditingMode() == editableOnPalette)
  38707. preferredSize = maxSize = toolbarThickness / (drawBar ? 3 : 2);
  38708. }
  38709. return true;
  38710. }
  38711. void paintButtonArea (Graphics&, int, int, bool, bool)
  38712. {
  38713. }
  38714. void contentAreaChanged (const Rectangle&)
  38715. {
  38716. }
  38717. int getResizeOrder() const throw()
  38718. {
  38719. return fixedSize <= 0 ? 0 : 1;
  38720. }
  38721. void paint (Graphics& g)
  38722. {
  38723. const int w = getWidth();
  38724. const int h = getHeight();
  38725. if (drawBar)
  38726. {
  38727. g.setColour (findColour (Toolbar::separatorColourId, true));
  38728. const float thickness = 0.2f;
  38729. if (isToolbarVertical())
  38730. g.fillRect (w * 0.1f, h * (0.5f - thickness * 0.5f), w * 0.8f, h * thickness);
  38731. else
  38732. g.fillRect (w * (0.5f - thickness * 0.5f), h * 0.1f, w * thickness, h * 0.8f);
  38733. }
  38734. if (getEditingMode() != normalMode && ! drawBar)
  38735. {
  38736. g.setColour (findColour (Toolbar::separatorColourId, true));
  38737. const int indentX = jmin (2, (w - 3) / 2);
  38738. const int indentY = jmin (2, (h - 3) / 2);
  38739. g.drawRect (indentX, indentY, w - indentX * 2, h - indentY * 2, 1);
  38740. if (fixedSize <= 0)
  38741. {
  38742. float x1, y1, x2, y2, x3, y3, x4, y4, hw, hl;
  38743. if (isToolbarVertical())
  38744. {
  38745. x1 = w * 0.5f;
  38746. y1 = h * 0.4f;
  38747. x2 = x1;
  38748. y2 = indentX * 2.0f;
  38749. x3 = x1;
  38750. y3 = h * 0.6f;
  38751. x4 = x1;
  38752. y4 = h - y2;
  38753. hw = w * 0.15f;
  38754. hl = w * 0.2f;
  38755. }
  38756. else
  38757. {
  38758. x1 = w * 0.4f;
  38759. y1 = h * 0.5f;
  38760. x2 = indentX * 2.0f;
  38761. y2 = y1;
  38762. x3 = w * 0.6f;
  38763. y3 = y1;
  38764. x4 = w - x2;
  38765. y4 = y1;
  38766. hw = h * 0.15f;
  38767. hl = h * 0.2f;
  38768. }
  38769. Path p;
  38770. p.addArrow (x1, y1, x2, y2, 1.5f, hw, hl);
  38771. p.addArrow (x3, y3, x4, y4, 1.5f, hw, hl);
  38772. g.fillPath (p);
  38773. }
  38774. }
  38775. }
  38776. juce_UseDebuggingNewOperator
  38777. private:
  38778. const float fixedSize;
  38779. const bool drawBar;
  38780. ToolbarSpacerComp (const ToolbarSpacerComp&);
  38781. const ToolbarSpacerComp& operator= (const ToolbarSpacerComp&);
  38782. };
  38783. class MissingItemsComponent : public PopupMenuCustomComponent
  38784. {
  38785. public:
  38786. MissingItemsComponent (Toolbar& owner_, const int height_)
  38787. : PopupMenuCustomComponent (true),
  38788. owner (owner_),
  38789. height (height_)
  38790. {
  38791. for (int i = owner_.items.size(); --i >= 0;)
  38792. {
  38793. ToolbarItemComponent* const tc = owner_.items.getUnchecked(i);
  38794. if (dynamic_cast <ToolbarSpacerComp*> (tc) == 0 && ! tc->isVisible())
  38795. {
  38796. oldIndexes.insert (0, i);
  38797. addAndMakeVisible (tc, 0);
  38798. }
  38799. }
  38800. layout (400);
  38801. }
  38802. ~MissingItemsComponent()
  38803. {
  38804. // deleting the toolbar while its menu it open??
  38805. jassert (owner.isValidComponent());
  38806. for (int i = 0; i < getNumChildComponents(); ++i)
  38807. {
  38808. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (getChildComponent (i));
  38809. if (tc != 0)
  38810. {
  38811. tc->setVisible (false);
  38812. const int index = oldIndexes.remove (i);
  38813. owner.addChildComponent (tc, index);
  38814. --i;
  38815. }
  38816. }
  38817. owner.resized();
  38818. }
  38819. void layout (const int preferredWidth)
  38820. {
  38821. const int indent = 8;
  38822. int x = indent;
  38823. int y = indent;
  38824. int maxX = 0;
  38825. for (int i = 0; i < getNumChildComponents(); ++i)
  38826. {
  38827. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (getChildComponent (i));
  38828. if (tc != 0)
  38829. {
  38830. int preferredSize = 1, minSize = 1, maxSize = 1;
  38831. if (tc->getToolbarItemSizes (height, false, preferredSize, minSize, maxSize))
  38832. {
  38833. if (x + preferredSize > preferredWidth && x > indent)
  38834. {
  38835. x = indent;
  38836. y += height;
  38837. }
  38838. tc->setBounds (x, y, preferredSize, height);
  38839. x += preferredSize;
  38840. maxX = jmax (maxX, x);
  38841. }
  38842. }
  38843. }
  38844. setSize (maxX + 8, y + height + 8);
  38845. }
  38846. void getIdealSize (int& idealWidth, int& idealHeight)
  38847. {
  38848. idealWidth = getWidth();
  38849. idealHeight = getHeight();
  38850. }
  38851. juce_UseDebuggingNewOperator
  38852. private:
  38853. Toolbar& owner;
  38854. const int height;
  38855. Array <int> oldIndexes;
  38856. MissingItemsComponent (const MissingItemsComponent&);
  38857. const MissingItemsComponent& operator= (const MissingItemsComponent&);
  38858. };
  38859. Toolbar::Toolbar()
  38860. : vertical (false),
  38861. isEditingActive (false),
  38862. toolbarStyle (Toolbar::iconsOnly)
  38863. {
  38864. addChildComponent (missingItemsButton = getLookAndFeel().createToolbarMissingItemsButton (*this));
  38865. missingItemsButton->setAlwaysOnTop (true);
  38866. missingItemsButton->addButtonListener (this);
  38867. }
  38868. Toolbar::~Toolbar()
  38869. {
  38870. animator.cancelAllAnimations (true);
  38871. deleteAllChildren();
  38872. }
  38873. void Toolbar::setVertical (const bool shouldBeVertical)
  38874. {
  38875. if (vertical != shouldBeVertical)
  38876. {
  38877. vertical = shouldBeVertical;
  38878. resized();
  38879. }
  38880. }
  38881. void Toolbar::clear()
  38882. {
  38883. for (int i = items.size(); --i >= 0;)
  38884. {
  38885. ToolbarItemComponent* const tc = items.getUnchecked(i);
  38886. items.remove (i);
  38887. delete tc;
  38888. }
  38889. resized();
  38890. }
  38891. ToolbarItemComponent* Toolbar::createItem (ToolbarItemFactory& factory, const int itemId)
  38892. {
  38893. if (itemId == ToolbarItemFactory::separatorBarId)
  38894. return new ToolbarSpacerComp (itemId, 0.1f, true);
  38895. else if (itemId == ToolbarItemFactory::spacerId)
  38896. return new ToolbarSpacerComp (itemId, 0.5f, false);
  38897. else if (itemId == ToolbarItemFactory::flexibleSpacerId)
  38898. return new ToolbarSpacerComp (itemId, 0, false);
  38899. return factory.createItem (itemId);
  38900. }
  38901. void Toolbar::addItemInternal (ToolbarItemFactory& factory,
  38902. const int itemId,
  38903. const int insertIndex)
  38904. {
  38905. // An ID can't be zero - this might indicate a mistake somewhere?
  38906. jassert (itemId != 0);
  38907. ToolbarItemComponent* const tc = createItem (factory, itemId);
  38908. if (tc != 0)
  38909. {
  38910. #ifdef JUCE_DEBUG
  38911. Array <int> allowedIds;
  38912. factory.getAllToolbarItemIds (allowedIds);
  38913. // If your factory can create an item for a given ID, it must also return
  38914. // that ID from its getAllToolbarItemIds() method!
  38915. jassert (allowedIds.contains (itemId));
  38916. #endif
  38917. items.insert (insertIndex, tc);
  38918. addAndMakeVisible (tc, insertIndex);
  38919. }
  38920. }
  38921. void Toolbar::addItem (ToolbarItemFactory& factory,
  38922. const int itemId,
  38923. const int insertIndex)
  38924. {
  38925. addItemInternal (factory, itemId, insertIndex);
  38926. resized();
  38927. }
  38928. void Toolbar::addDefaultItems (ToolbarItemFactory& factoryToUse)
  38929. {
  38930. Array <int> ids;
  38931. factoryToUse.getDefaultItemSet (ids);
  38932. clear();
  38933. for (int i = 0; i < ids.size(); ++i)
  38934. addItemInternal (factoryToUse, ids.getUnchecked (i), -1);
  38935. resized();
  38936. }
  38937. void Toolbar::removeToolbarItem (const int itemIndex)
  38938. {
  38939. ToolbarItemComponent* const tc = getItemComponent (itemIndex);
  38940. if (tc != 0)
  38941. {
  38942. items.removeValue (tc);
  38943. delete tc;
  38944. resized();
  38945. }
  38946. }
  38947. int Toolbar::getNumItems() const throw()
  38948. {
  38949. return items.size();
  38950. }
  38951. int Toolbar::getItemId (const int itemIndex) const throw()
  38952. {
  38953. ToolbarItemComponent* const tc = getItemComponent (itemIndex);
  38954. return tc != 0 ? tc->getItemId() : 0;
  38955. }
  38956. ToolbarItemComponent* Toolbar::getItemComponent (const int itemIndex) const throw()
  38957. {
  38958. return items [itemIndex];
  38959. }
  38960. ToolbarItemComponent* Toolbar::getNextActiveComponent (int index, const int delta) const
  38961. {
  38962. for (;;)
  38963. {
  38964. index += delta;
  38965. ToolbarItemComponent* const tc = getItemComponent (index);
  38966. if (tc == 0)
  38967. break;
  38968. if (tc->isActive)
  38969. return tc;
  38970. }
  38971. return 0;
  38972. }
  38973. void Toolbar::setStyle (const ToolbarItemStyle& newStyle)
  38974. {
  38975. if (toolbarStyle != newStyle)
  38976. {
  38977. toolbarStyle = newStyle;
  38978. updateAllItemPositions (false);
  38979. }
  38980. }
  38981. const String Toolbar::toString() const
  38982. {
  38983. String s (T("TB:"));
  38984. for (int i = 0; i < getNumItems(); ++i)
  38985. s << getItemId(i) << T(' ');
  38986. return s.trimEnd();
  38987. }
  38988. bool Toolbar::restoreFromString (ToolbarItemFactory& factoryToUse,
  38989. const String& savedVersion)
  38990. {
  38991. if (! savedVersion.startsWith (T("TB:")))
  38992. return false;
  38993. StringArray tokens;
  38994. tokens.addTokens (savedVersion.substring (3), false);
  38995. clear();
  38996. for (int i = 0; i < tokens.size(); ++i)
  38997. addItemInternal (factoryToUse, tokens[i].getIntValue(), -1);
  38998. resized();
  38999. return true;
  39000. }
  39001. void Toolbar::paint (Graphics& g)
  39002. {
  39003. getLookAndFeel().paintToolbarBackground (g, getWidth(), getHeight(), *this);
  39004. }
  39005. int Toolbar::getThickness() const throw()
  39006. {
  39007. return vertical ? getWidth() : getHeight();
  39008. }
  39009. int Toolbar::getLength() const throw()
  39010. {
  39011. return vertical ? getHeight() : getWidth();
  39012. }
  39013. void Toolbar::setEditingActive (const bool active)
  39014. {
  39015. if (isEditingActive != active)
  39016. {
  39017. isEditingActive = active;
  39018. updateAllItemPositions (false);
  39019. }
  39020. }
  39021. void Toolbar::resized()
  39022. {
  39023. updateAllItemPositions (false);
  39024. }
  39025. void Toolbar::updateAllItemPositions (const bool animate)
  39026. {
  39027. if (getWidth() > 0 && getHeight() > 0)
  39028. {
  39029. StretchableObjectResizer resizer;
  39030. int i;
  39031. for (i = 0; i < items.size(); ++i)
  39032. {
  39033. ToolbarItemComponent* const tc = items.getUnchecked(i);
  39034. tc->setEditingMode (isEditingActive ? ToolbarItemComponent::editableOnToolbar
  39035. : ToolbarItemComponent::normalMode);
  39036. tc->setStyle (toolbarStyle);
  39037. ToolbarSpacerComp* const spacer = dynamic_cast <ToolbarSpacerComp*> (tc);
  39038. int preferredSize = 1, minSize = 1, maxSize = 1;
  39039. if (tc->getToolbarItemSizes (getThickness(), isVertical(),
  39040. preferredSize, minSize, maxSize))
  39041. {
  39042. tc->isActive = true;
  39043. resizer.addItem (preferredSize, minSize, maxSize,
  39044. spacer != 0 ? spacer->getResizeOrder() : 2);
  39045. }
  39046. else
  39047. {
  39048. tc->isActive = false;
  39049. tc->setVisible (false);
  39050. }
  39051. }
  39052. resizer.resizeToFit (getLength());
  39053. int totalLength = 0;
  39054. for (i = 0; i < resizer.getNumItems(); ++i)
  39055. totalLength += (int) resizer.getItemSize (i);
  39056. const bool itemsOffTheEnd = totalLength > getLength();
  39057. const int extrasButtonSize = getThickness() / 2;
  39058. missingItemsButton->setSize (extrasButtonSize, extrasButtonSize);
  39059. missingItemsButton->setVisible (itemsOffTheEnd);
  39060. missingItemsButton->setEnabled (! isEditingActive);
  39061. if (vertical)
  39062. missingItemsButton->setCentrePosition (getWidth() / 2,
  39063. getHeight() - 4 - extrasButtonSize / 2);
  39064. else
  39065. missingItemsButton->setCentrePosition (getWidth() - 4 - extrasButtonSize / 2,
  39066. getHeight() / 2);
  39067. const int maxLength = itemsOffTheEnd ? (vertical ? missingItemsButton->getY()
  39068. : missingItemsButton->getX()) - 4
  39069. : getLength();
  39070. int pos = 0, activeIndex = 0;
  39071. for (i = 0; i < items.size(); ++i)
  39072. {
  39073. ToolbarItemComponent* const tc = items.getUnchecked(i);
  39074. if (tc->isActive)
  39075. {
  39076. const int size = (int) resizer.getItemSize (activeIndex++);
  39077. Rectangle newBounds;
  39078. if (vertical)
  39079. newBounds.setBounds (0, pos, getWidth(), size);
  39080. else
  39081. newBounds.setBounds (pos, 0, size, getHeight());
  39082. if (animate)
  39083. {
  39084. animator.animateComponent (tc, newBounds, 200, 3.0, 0.0);
  39085. }
  39086. else
  39087. {
  39088. animator.cancelAnimation (tc, false);
  39089. tc->setBounds (newBounds);
  39090. }
  39091. pos += size;
  39092. tc->setVisible (pos <= maxLength
  39093. && ((! tc->isBeingDragged)
  39094. || tc->getEditingMode() == ToolbarItemComponent::editableOnPalette));
  39095. }
  39096. }
  39097. }
  39098. }
  39099. void Toolbar::buttonClicked (Button*)
  39100. {
  39101. jassert (missingItemsButton->isShowing());
  39102. if (missingItemsButton->isShowing())
  39103. {
  39104. PopupMenu m;
  39105. m.addCustomItem (1, new MissingItemsComponent (*this, getThickness()));
  39106. m.showAt (missingItemsButton);
  39107. }
  39108. }
  39109. bool Toolbar::isInterestedInDragSource (const String& sourceDescription,
  39110. Component* /*sourceComponent*/)
  39111. {
  39112. return sourceDescription == toolbarDragDescriptor && isEditingActive;
  39113. }
  39114. void Toolbar::itemDragMove (const String&, Component* sourceComponent, int x, int y)
  39115. {
  39116. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (sourceComponent);
  39117. if (tc != 0)
  39118. {
  39119. if (getNumItems() == 0)
  39120. {
  39121. if (tc->getEditingMode() == ToolbarItemComponent::editableOnPalette)
  39122. {
  39123. ToolbarItemPalette* const palette = tc->findParentComponentOfClass ((ToolbarItemPalette*) 0);
  39124. if (palette != 0)
  39125. palette->replaceComponent (tc);
  39126. }
  39127. else
  39128. {
  39129. jassert (tc->getEditingMode() == ToolbarItemComponent::editableOnToolbar);
  39130. }
  39131. items.add (tc);
  39132. addChildComponent (tc);
  39133. updateAllItemPositions (false);
  39134. }
  39135. else
  39136. {
  39137. for (int i = getNumItems(); --i >= 0;)
  39138. {
  39139. int currentIndex = getIndexOfChildComponent (tc);
  39140. if (currentIndex < 0)
  39141. {
  39142. if (tc->getEditingMode() == ToolbarItemComponent::editableOnPalette)
  39143. {
  39144. ToolbarItemPalette* const palette = tc->findParentComponentOfClass ((ToolbarItemPalette*) 0);
  39145. if (palette != 0)
  39146. palette->replaceComponent (tc);
  39147. }
  39148. else
  39149. {
  39150. jassert (tc->getEditingMode() == ToolbarItemComponent::editableOnToolbar);
  39151. }
  39152. items.add (tc);
  39153. addChildComponent (tc);
  39154. currentIndex = getIndexOfChildComponent (tc);
  39155. updateAllItemPositions (true);
  39156. }
  39157. int newIndex = currentIndex;
  39158. const int dragObjectLeft = vertical ? (y - tc->dragOffsetY) : (x - tc->dragOffsetX);
  39159. const int dragObjectRight = dragObjectLeft + (vertical ? tc->getHeight() : tc->getWidth());
  39160. const Rectangle current (animator.getComponentDestination (getChildComponent (newIndex)));
  39161. ToolbarItemComponent* const prev = getNextActiveComponent (newIndex, -1);
  39162. if (prev != 0)
  39163. {
  39164. const Rectangle previousPos (animator.getComponentDestination (prev));
  39165. if (abs (dragObjectLeft - (vertical ? previousPos.getY() : previousPos.getX())
  39166. < abs (dragObjectRight - (vertical ? current.getBottom() : current.getRight()))))
  39167. {
  39168. newIndex = getIndexOfChildComponent (prev);
  39169. }
  39170. }
  39171. ToolbarItemComponent* const next = getNextActiveComponent (newIndex, 1);
  39172. if (next != 0)
  39173. {
  39174. const Rectangle nextPos (animator.getComponentDestination (next));
  39175. if (abs (dragObjectLeft - (vertical ? current.getY() : current.getX())
  39176. > abs (dragObjectRight - (vertical ? nextPos.getBottom() : nextPos.getRight()))))
  39177. {
  39178. newIndex = getIndexOfChildComponent (next) + 1;
  39179. }
  39180. }
  39181. if (newIndex != currentIndex)
  39182. {
  39183. items.removeValue (tc);
  39184. removeChildComponent (tc);
  39185. addChildComponent (tc, newIndex);
  39186. items.insert (newIndex, tc);
  39187. updateAllItemPositions (true);
  39188. }
  39189. else
  39190. {
  39191. break;
  39192. }
  39193. }
  39194. }
  39195. }
  39196. }
  39197. void Toolbar::itemDragExit (const String&, Component* sourceComponent)
  39198. {
  39199. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (sourceComponent);
  39200. if (tc != 0)
  39201. {
  39202. if (isParentOf (tc))
  39203. {
  39204. items.removeValue (tc);
  39205. removeChildComponent (tc);
  39206. updateAllItemPositions (true);
  39207. }
  39208. }
  39209. }
  39210. void Toolbar::itemDropped (const String&, Component*, int, int)
  39211. {
  39212. }
  39213. void Toolbar::mouseDown (const MouseEvent& e)
  39214. {
  39215. if (e.mods.isPopupMenu())
  39216. {
  39217. }
  39218. }
  39219. class ToolbarCustomisationDialog : public DialogWindow
  39220. {
  39221. public:
  39222. ToolbarCustomisationDialog (ToolbarItemFactory& factory,
  39223. Toolbar* const toolbar_,
  39224. const int optionFlags)
  39225. : DialogWindow (TRANS("Add/remove items from toolbar"), Colours::white, true, true),
  39226. toolbar (toolbar_)
  39227. {
  39228. setContentComponent (new CustomiserPanel (factory, toolbar, optionFlags), true, true);
  39229. setResizable (true, true);
  39230. setResizeLimits (400, 300, 1500, 1000);
  39231. positionNearBar();
  39232. }
  39233. ~ToolbarCustomisationDialog()
  39234. {
  39235. setContentComponent (0, true);
  39236. }
  39237. void closeButtonPressed()
  39238. {
  39239. setVisible (false);
  39240. }
  39241. bool canModalEventBeSentToComponent (const Component* comp)
  39242. {
  39243. return toolbar->isParentOf (comp);
  39244. }
  39245. void positionNearBar()
  39246. {
  39247. const Rectangle screenSize (toolbar->getParentMonitorArea());
  39248. const int tbx = toolbar->getScreenX();
  39249. const int tby = toolbar->getScreenY();
  39250. const int gap = 8;
  39251. int x, y;
  39252. if (toolbar->isVertical())
  39253. {
  39254. y = tby;
  39255. if (tbx > screenSize.getCentreX())
  39256. x = tbx - getWidth() - gap;
  39257. else
  39258. x = tbx + toolbar->getWidth() + gap;
  39259. }
  39260. else
  39261. {
  39262. x = tbx + (toolbar->getWidth() - getWidth()) / 2;
  39263. if (tby > screenSize.getCentreY())
  39264. y = tby - getHeight() - gap;
  39265. else
  39266. y = tby + toolbar->getHeight() + gap;
  39267. }
  39268. setTopLeftPosition (x, y);
  39269. }
  39270. private:
  39271. Toolbar* const toolbar;
  39272. class CustomiserPanel : public Component,
  39273. private ComboBoxListener,
  39274. private ButtonListener
  39275. {
  39276. public:
  39277. CustomiserPanel (ToolbarItemFactory& factory_,
  39278. Toolbar* const toolbar_,
  39279. const int optionFlags)
  39280. : factory (factory_),
  39281. toolbar (toolbar_),
  39282. styleBox (0),
  39283. defaultButton (0)
  39284. {
  39285. addAndMakeVisible (palette = new ToolbarItemPalette (factory, toolbar));
  39286. if ((optionFlags & (Toolbar::allowIconsOnlyChoice
  39287. | Toolbar::allowIconsWithTextChoice
  39288. | Toolbar::allowTextOnlyChoice)) != 0)
  39289. {
  39290. addAndMakeVisible (styleBox = new ComboBox (String::empty));
  39291. styleBox->setEditableText (false);
  39292. if ((optionFlags & Toolbar::allowIconsOnlyChoice) != 0)
  39293. styleBox->addItem (TRANS("Show icons only"), 1);
  39294. if ((optionFlags & Toolbar::allowIconsWithTextChoice) != 0)
  39295. styleBox->addItem (TRANS("Show icons and descriptions"), 2);
  39296. if ((optionFlags & Toolbar::allowTextOnlyChoice) != 0)
  39297. styleBox->addItem (TRANS("Show descriptions only"), 3);
  39298. if (toolbar_->getStyle() == Toolbar::iconsOnly)
  39299. styleBox->setSelectedId (1);
  39300. else if (toolbar_->getStyle() == Toolbar::iconsWithText)
  39301. styleBox->setSelectedId (2);
  39302. else if (toolbar_->getStyle() == Toolbar::textOnly)
  39303. styleBox->setSelectedId (3);
  39304. styleBox->addListener (this);
  39305. }
  39306. if ((optionFlags & Toolbar::showResetToDefaultsButton) != 0)
  39307. {
  39308. addAndMakeVisible (defaultButton = new TextButton (TRANS ("Restore to default set of items")));
  39309. defaultButton->addButtonListener (this);
  39310. }
  39311. addAndMakeVisible (instructions = new Label (String::empty,
  39312. TRANS ("You can drag the items above and drop them onto a toolbar to add them.\n\nItems on the toolbar can also be dragged around to change their order, or dragged off the edge to delete them.")));
  39313. instructions->setFont (Font (13.0f));
  39314. setSize (500, 300);
  39315. }
  39316. ~CustomiserPanel()
  39317. {
  39318. deleteAllChildren();
  39319. }
  39320. void comboBoxChanged (ComboBox*)
  39321. {
  39322. if (styleBox->getSelectedId() == 1)
  39323. toolbar->setStyle (Toolbar::iconsOnly);
  39324. else if (styleBox->getSelectedId() == 2)
  39325. toolbar->setStyle (Toolbar::iconsWithText);
  39326. else if (styleBox->getSelectedId() == 3)
  39327. toolbar->setStyle (Toolbar::textOnly);
  39328. palette->resized(); // to make it update the styles
  39329. }
  39330. void buttonClicked (Button*)
  39331. {
  39332. toolbar->addDefaultItems (factory);
  39333. }
  39334. void paint (Graphics& g)
  39335. {
  39336. Colour background;
  39337. DialogWindow* const dw = findParentComponentOfClass ((DialogWindow*) 0);
  39338. if (dw != 0)
  39339. background = dw->getBackgroundColour();
  39340. g.setColour (background.contrasting().withAlpha (0.3f));
  39341. g.fillRect (palette->getX(), palette->getBottom() - 1, palette->getWidth(), 1);
  39342. }
  39343. void resized()
  39344. {
  39345. palette->setBounds (0, 0, getWidth(), getHeight() - 120);
  39346. if (styleBox != 0)
  39347. styleBox->setBounds (10, getHeight() - 110, 200, 22);
  39348. if (defaultButton != 0)
  39349. {
  39350. defaultButton->changeWidthToFitText (22);
  39351. defaultButton->setTopLeftPosition (240, getHeight() - 110);
  39352. }
  39353. instructions->setBounds (10, getHeight() - 80, getWidth() - 20, 80);
  39354. }
  39355. private:
  39356. ToolbarItemFactory& factory;
  39357. Toolbar* const toolbar;
  39358. Label* instructions;
  39359. ToolbarItemPalette* palette;
  39360. ComboBox* styleBox;
  39361. TextButton* defaultButton;
  39362. };
  39363. };
  39364. void Toolbar::showCustomisationDialog (ToolbarItemFactory& factory, const int optionFlags)
  39365. {
  39366. setEditingActive (true);
  39367. ToolbarCustomisationDialog dw (factory, this, optionFlags);
  39368. dw.runModalLoop();
  39369. jassert (isValidComponent()); // ? deleting the toolbar while it's being edited?
  39370. setEditingActive (false);
  39371. }
  39372. END_JUCE_NAMESPACE
  39373. /********* End of inlined file: juce_Toolbar.cpp *********/
  39374. /********* Start of inlined file: juce_ToolbarItemComponent.cpp *********/
  39375. BEGIN_JUCE_NAMESPACE
  39376. ToolbarItemFactory::ToolbarItemFactory()
  39377. {
  39378. }
  39379. ToolbarItemFactory::~ToolbarItemFactory()
  39380. {
  39381. }
  39382. class ItemDragAndDropOverlayComponent : public Component
  39383. {
  39384. public:
  39385. ItemDragAndDropOverlayComponent()
  39386. : isDragging (false)
  39387. {
  39388. setAlwaysOnTop (true);
  39389. setRepaintsOnMouseActivity (true);
  39390. setMouseCursor (MouseCursor::DraggingHandCursor);
  39391. }
  39392. ~ItemDragAndDropOverlayComponent()
  39393. {
  39394. }
  39395. void paint (Graphics& g)
  39396. {
  39397. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (getParentComponent());
  39398. if (isMouseOverOrDragging()
  39399. && tc != 0
  39400. && tc->getEditingMode() == ToolbarItemComponent::editableOnToolbar)
  39401. {
  39402. g.setColour (findColour (Toolbar::editingModeOutlineColourId, true));
  39403. g.drawRect (0, 0, getWidth(), getHeight(),
  39404. jmin (2, (getWidth() - 1) / 2, (getHeight() - 1) / 2));
  39405. }
  39406. }
  39407. void mouseDown (const MouseEvent& e)
  39408. {
  39409. isDragging = false;
  39410. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (getParentComponent());
  39411. if (tc != 0)
  39412. {
  39413. tc->dragOffsetX = e.x;
  39414. tc->dragOffsetY = e.y;
  39415. }
  39416. }
  39417. void mouseDrag (const MouseEvent& e)
  39418. {
  39419. if (! (isDragging || e.mouseWasClicked()))
  39420. {
  39421. isDragging = true;
  39422. DragAndDropContainer* const dnd = DragAndDropContainer::findParentDragContainerFor (this);
  39423. if (dnd != 0)
  39424. {
  39425. dnd->startDragging (Toolbar::toolbarDragDescriptor, getParentComponent(), 0, true);
  39426. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (getParentComponent());
  39427. if (tc != 0)
  39428. {
  39429. tc->isBeingDragged = true;
  39430. if (tc->getEditingMode() == ToolbarItemComponent::editableOnToolbar)
  39431. tc->setVisible (false);
  39432. }
  39433. }
  39434. }
  39435. }
  39436. void mouseUp (const MouseEvent&)
  39437. {
  39438. isDragging = false;
  39439. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (getParentComponent());
  39440. if (tc != 0)
  39441. {
  39442. tc->isBeingDragged = false;
  39443. Toolbar* const tb = tc->getToolbar();
  39444. if (tb != 0)
  39445. tb->updateAllItemPositions (true);
  39446. else if (tc->getEditingMode() == ToolbarItemComponent::editableOnToolbar)
  39447. delete tc;
  39448. }
  39449. }
  39450. void parentSizeChanged()
  39451. {
  39452. setBounds (0, 0, getParentWidth(), getParentHeight());
  39453. }
  39454. juce_UseDebuggingNewOperator
  39455. private:
  39456. bool isDragging;
  39457. ItemDragAndDropOverlayComponent (const ItemDragAndDropOverlayComponent&);
  39458. const ItemDragAndDropOverlayComponent& operator= (const ItemDragAndDropOverlayComponent&);
  39459. };
  39460. ToolbarItemComponent::ToolbarItemComponent (const int itemId_,
  39461. const String& labelText,
  39462. const bool isBeingUsedAsAButton_)
  39463. : Button (labelText),
  39464. itemId (itemId_),
  39465. mode (normalMode),
  39466. toolbarStyle (Toolbar::iconsOnly),
  39467. overlayComp (0),
  39468. dragOffsetX (0),
  39469. dragOffsetY (0),
  39470. isActive (true),
  39471. isBeingDragged (false),
  39472. isBeingUsedAsAButton (isBeingUsedAsAButton_)
  39473. {
  39474. // Your item ID can't be 0!
  39475. jassert (itemId_ != 0);
  39476. }
  39477. ToolbarItemComponent::~ToolbarItemComponent()
  39478. {
  39479. jassert (overlayComp == 0 || overlayComp->isValidComponent());
  39480. delete overlayComp;
  39481. }
  39482. Toolbar* ToolbarItemComponent::getToolbar() const
  39483. {
  39484. return dynamic_cast <Toolbar*> (getParentComponent());
  39485. }
  39486. bool ToolbarItemComponent::isToolbarVertical() const
  39487. {
  39488. const Toolbar* const t = getToolbar();
  39489. return t != 0 && t->isVertical();
  39490. }
  39491. void ToolbarItemComponent::setStyle (const Toolbar::ToolbarItemStyle& newStyle)
  39492. {
  39493. if (toolbarStyle != newStyle)
  39494. {
  39495. toolbarStyle = newStyle;
  39496. repaint();
  39497. resized();
  39498. }
  39499. }
  39500. void ToolbarItemComponent::paintButton (Graphics& g, bool isMouseOver, bool isMouseDown)
  39501. {
  39502. if (isBeingUsedAsAButton)
  39503. getLookAndFeel().paintToolbarButtonBackground (g, getWidth(), getHeight(),
  39504. isMouseOver, isMouseDown, *this);
  39505. if (toolbarStyle != Toolbar::iconsOnly)
  39506. {
  39507. const int indent = contentArea.getX();
  39508. int y = indent;
  39509. int h = getHeight() - indent * 2;
  39510. if (toolbarStyle == Toolbar::iconsWithText)
  39511. {
  39512. y = contentArea.getBottom() + indent / 2;
  39513. h -= contentArea.getHeight();
  39514. }
  39515. getLookAndFeel().paintToolbarButtonLabel (g, indent, y, getWidth() - indent * 2, h,
  39516. getButtonText(), *this);
  39517. }
  39518. if (! contentArea.isEmpty())
  39519. {
  39520. g.saveState();
  39521. g.setOrigin (contentArea.getX(), contentArea.getY());
  39522. g.reduceClipRegion (0, 0, contentArea.getWidth(), contentArea.getHeight());
  39523. paintButtonArea (g, contentArea.getWidth(), contentArea.getHeight(), isMouseOver, isMouseDown);
  39524. g.restoreState();
  39525. }
  39526. }
  39527. void ToolbarItemComponent::resized()
  39528. {
  39529. if (toolbarStyle != Toolbar::textOnly)
  39530. {
  39531. const int indent = jmin (proportionOfWidth (0.08f),
  39532. proportionOfHeight (0.08f));
  39533. contentArea = Rectangle (indent, indent,
  39534. getWidth() - indent * 2,
  39535. toolbarStyle == Toolbar::iconsWithText ? proportionOfHeight (0.55f)
  39536. : (getHeight() - indent * 2));
  39537. }
  39538. else
  39539. {
  39540. contentArea = Rectangle();
  39541. }
  39542. contentAreaChanged (contentArea);
  39543. }
  39544. void ToolbarItemComponent::setEditingMode (const ToolbarEditingMode newMode)
  39545. {
  39546. if (mode != newMode)
  39547. {
  39548. mode = newMode;
  39549. repaint();
  39550. if (mode == normalMode)
  39551. {
  39552. jassert (overlayComp == 0 || overlayComp->isValidComponent());
  39553. delete overlayComp;
  39554. overlayComp = 0;
  39555. }
  39556. else if (overlayComp == 0)
  39557. {
  39558. addAndMakeVisible (overlayComp = new ItemDragAndDropOverlayComponent());
  39559. overlayComp->parentSizeChanged();
  39560. }
  39561. resized();
  39562. }
  39563. }
  39564. END_JUCE_NAMESPACE
  39565. /********* End of inlined file: juce_ToolbarItemComponent.cpp *********/
  39566. /********* Start of inlined file: juce_ToolbarItemPalette.cpp *********/
  39567. BEGIN_JUCE_NAMESPACE
  39568. ToolbarItemPalette::ToolbarItemPalette (ToolbarItemFactory& factory_,
  39569. Toolbar* const toolbar_)
  39570. : factory (factory_),
  39571. toolbar (toolbar_)
  39572. {
  39573. Component* const itemHolder = new Component();
  39574. Array <int> allIds;
  39575. factory_.getAllToolbarItemIds (allIds);
  39576. for (int i = 0; i < allIds.size(); ++i)
  39577. {
  39578. ToolbarItemComponent* const tc = Toolbar::createItem (factory_, allIds.getUnchecked (i));
  39579. jassert (tc != 0);
  39580. if (tc != 0)
  39581. {
  39582. itemHolder->addAndMakeVisible (tc);
  39583. tc->setEditingMode (ToolbarItemComponent::editableOnPalette);
  39584. }
  39585. }
  39586. viewport = new Viewport();
  39587. viewport->setViewedComponent (itemHolder);
  39588. addAndMakeVisible (viewport);
  39589. }
  39590. ToolbarItemPalette::~ToolbarItemPalette()
  39591. {
  39592. viewport->getViewedComponent()->deleteAllChildren();
  39593. deleteAllChildren();
  39594. }
  39595. void ToolbarItemPalette::resized()
  39596. {
  39597. viewport->setBoundsInset (BorderSize (1));
  39598. Component* const itemHolder = viewport->getViewedComponent();
  39599. const int indent = 8;
  39600. const int preferredWidth = viewport->getWidth() - viewport->getScrollBarThickness() - indent;
  39601. const int height = toolbar->getThickness();
  39602. int x = indent;
  39603. int y = indent;
  39604. int maxX = 0;
  39605. for (int i = 0; i < itemHolder->getNumChildComponents(); ++i)
  39606. {
  39607. ToolbarItemComponent* const tc = dynamic_cast <ToolbarItemComponent*> (itemHolder->getChildComponent (i));
  39608. if (tc != 0)
  39609. {
  39610. tc->setStyle (toolbar->getStyle());
  39611. int preferredSize = 1, minSize = 1, maxSize = 1;
  39612. if (tc->getToolbarItemSizes (height, false, preferredSize, minSize, maxSize))
  39613. {
  39614. if (x + preferredSize > preferredWidth && x > indent)
  39615. {
  39616. x = indent;
  39617. y += height;
  39618. }
  39619. tc->setBounds (x, y, preferredSize, height);
  39620. x += preferredSize + 8;
  39621. maxX = jmax (maxX, x);
  39622. }
  39623. }
  39624. }
  39625. itemHolder->setSize (maxX, y + height + 8);
  39626. }
  39627. void ToolbarItemPalette::replaceComponent (ToolbarItemComponent* const comp)
  39628. {
  39629. ToolbarItemComponent* const tc = Toolbar::createItem (factory, comp->getItemId());
  39630. jassert (tc != 0);
  39631. if (tc != 0)
  39632. {
  39633. tc->setBounds (comp->getBounds());
  39634. tc->setStyle (toolbar->getStyle());
  39635. tc->setEditingMode (comp->getEditingMode());
  39636. viewport->getViewedComponent()->addAndMakeVisible (tc, getIndexOfChildComponent (comp));
  39637. }
  39638. }
  39639. END_JUCE_NAMESPACE
  39640. /********* End of inlined file: juce_ToolbarItemPalette.cpp *********/
  39641. /********* Start of inlined file: juce_TreeView.cpp *********/
  39642. BEGIN_JUCE_NAMESPACE
  39643. class TreeViewContentComponent : public Component
  39644. {
  39645. public:
  39646. TreeViewContentComponent (TreeView* const owner_)
  39647. : owner (owner_),
  39648. isDragging (false)
  39649. {
  39650. }
  39651. ~TreeViewContentComponent()
  39652. {
  39653. deleteAllChildren();
  39654. }
  39655. void mouseDown (const MouseEvent& e)
  39656. {
  39657. isDragging = false;
  39658. needSelectionOnMouseUp = false;
  39659. Rectangle pos;
  39660. TreeViewItem* const item = findItemAt (e.y, pos);
  39661. if (item != 0 && e.x >= pos.getX())
  39662. {
  39663. if (! owner->isMultiSelectEnabled())
  39664. item->setSelected (true, true);
  39665. else if (item->isSelected())
  39666. needSelectionOnMouseUp = ! e.mods.isPopupMenu();
  39667. else
  39668. selectBasedOnModifiers (item, e.mods);
  39669. MouseEvent e2 (e);
  39670. e2.x -= pos.getX();
  39671. e2.y -= pos.getY();
  39672. item->itemClicked (e2);
  39673. }
  39674. }
  39675. void mouseUp (const MouseEvent& e)
  39676. {
  39677. Rectangle pos;
  39678. TreeViewItem* const item = findItemAt (e.y, pos);
  39679. if (item != 0 && e.mouseWasClicked())
  39680. {
  39681. if (needSelectionOnMouseUp)
  39682. {
  39683. selectBasedOnModifiers (item, e.mods);
  39684. }
  39685. else if (e.mouseWasClicked())
  39686. {
  39687. if (e.x >= pos.getX() - owner->getIndentSize()
  39688. && e.x < pos.getX())
  39689. {
  39690. item->setOpen (! item->isOpen());
  39691. }
  39692. }
  39693. }
  39694. }
  39695. void mouseDoubleClick (const MouseEvent& e)
  39696. {
  39697. if (e.getNumberOfClicks() != 3) // ignore triple clicks
  39698. {
  39699. Rectangle pos;
  39700. TreeViewItem* const item = findItemAt (e.y, pos);
  39701. if (item != 0 && e.x >= pos.getX())
  39702. {
  39703. MouseEvent e2 (e);
  39704. e2.x -= pos.getX();
  39705. e2.y -= pos.getY();
  39706. item->itemDoubleClicked (e2);
  39707. }
  39708. }
  39709. }
  39710. void mouseDrag (const MouseEvent& e)
  39711. {
  39712. if (isEnabled() && ! (e.mouseWasClicked() || isDragging))
  39713. {
  39714. isDragging = true;
  39715. Rectangle pos;
  39716. TreeViewItem* const item = findItemAt (e.getMouseDownY(), pos);
  39717. if (item != 0 && e.getMouseDownX() >= pos.getX())
  39718. {
  39719. const String dragDescription (item->getDragSourceDescription());
  39720. if (dragDescription.isNotEmpty())
  39721. {
  39722. DragAndDropContainer* const dragContainer
  39723. = DragAndDropContainer::findParentDragContainerFor (this);
  39724. if (dragContainer != 0)
  39725. {
  39726. pos.setSize (pos.getWidth(), item->itemHeight);
  39727. Image* dragImage = Component::createComponentSnapshot (pos, true);
  39728. dragImage->multiplyAllAlphas (0.6f);
  39729. dragContainer->startDragging (dragDescription, owner, dragImage, true);
  39730. }
  39731. else
  39732. {
  39733. // to be able to do a drag-and-drop operation, the treeview needs to
  39734. // be inside a component which is also a DragAndDropContainer.
  39735. jassertfalse
  39736. }
  39737. }
  39738. }
  39739. }
  39740. }
  39741. void paint (Graphics& g);
  39742. TreeViewItem* findItemAt (int y, Rectangle& itemPosition) const;
  39743. void updateComponents()
  39744. {
  39745. int xAdjust = 0, yAdjust = 0;
  39746. if ((! owner->rootItemVisible) && owner->rootItem != 0)
  39747. {
  39748. yAdjust = owner->rootItem->itemHeight;
  39749. xAdjust = owner->getIndentSize();
  39750. }
  39751. const int visibleTop = -getY();
  39752. const int visibleBottom = visibleTop + getParentHeight();
  39753. BitArray itemsToKeep;
  39754. TreeViewItem* item = owner->rootItem;
  39755. int y = -yAdjust;
  39756. while (item != 0 && y < visibleBottom)
  39757. {
  39758. y += item->itemHeight;
  39759. if (y >= visibleTop)
  39760. {
  39761. const int index = rowComponentIds.indexOf (item->uid);
  39762. if (index < 0)
  39763. {
  39764. Component* const comp = item->createItemComponent();
  39765. if (comp != 0)
  39766. {
  39767. addAndMakeVisible (comp);
  39768. itemsToKeep.setBit (rowComponentItems.size());
  39769. rowComponentItems.add (item);
  39770. rowComponentIds.add (item->uid);
  39771. rowComponents.add (comp);
  39772. }
  39773. }
  39774. else
  39775. {
  39776. itemsToKeep.setBit (index);
  39777. }
  39778. }
  39779. item = item->getNextVisibleItem (true);
  39780. }
  39781. for (int i = rowComponentItems.size(); --i >= 0;)
  39782. {
  39783. Component* const comp = (Component*) (rowComponents.getUnchecked(i));
  39784. bool keep = false;
  39785. if ((itemsToKeep[i] || (comp == Component::getComponentUnderMouse() && comp->isMouseButtonDown()))
  39786. && isParentOf (comp))
  39787. {
  39788. if (itemsToKeep[i])
  39789. {
  39790. const TreeViewItem* const item = (TreeViewItem*) rowComponentItems.getUnchecked(i);
  39791. Rectangle pos (item->getItemPosition (false));
  39792. pos.translate (-xAdjust, -yAdjust);
  39793. pos.setSize (pos.getWidth() + xAdjust, item->itemHeight);
  39794. if (pos.getBottom() >= visibleTop && pos.getY() < visibleBottom)
  39795. {
  39796. keep = true;
  39797. comp->setBounds (pos);
  39798. }
  39799. }
  39800. else
  39801. {
  39802. comp->setSize (0, 0);
  39803. }
  39804. }
  39805. if (! keep)
  39806. {
  39807. delete comp;
  39808. rowComponents.remove (i);
  39809. rowComponentIds.remove (i);
  39810. rowComponentItems.remove (i);
  39811. }
  39812. }
  39813. }
  39814. void resized()
  39815. {
  39816. owner->itemsChanged();
  39817. }
  39818. juce_UseDebuggingNewOperator
  39819. private:
  39820. TreeView* const owner;
  39821. VoidArray rowComponentItems;
  39822. Array <int> rowComponentIds;
  39823. VoidArray rowComponents;
  39824. bool isDragging, needSelectionOnMouseUp;
  39825. TreeViewContentComponent (const TreeViewContentComponent&);
  39826. const TreeViewContentComponent& operator= (const TreeViewContentComponent&);
  39827. void selectBasedOnModifiers (TreeViewItem* const item, const ModifierKeys& modifiers)
  39828. {
  39829. TreeViewItem* firstSelected = 0;
  39830. if (modifiers.isShiftDown() && ((firstSelected = owner->getSelectedItem (0)) != 0))
  39831. {
  39832. TreeViewItem* const lastSelected = owner->getSelectedItem (owner->getNumSelectedItems() - 1);
  39833. jassert (lastSelected != 0);
  39834. int rowStart = firstSelected->getRowNumberInTree();
  39835. int rowEnd = lastSelected->getRowNumberInTree();
  39836. if (rowStart > rowEnd)
  39837. swapVariables (rowStart, rowEnd);
  39838. int ourRow = item->getRowNumberInTree();
  39839. int otherEnd = ourRow < rowEnd ? rowStart : rowEnd;
  39840. if (ourRow > otherEnd)
  39841. swapVariables (ourRow, otherEnd);
  39842. for (int i = ourRow; i <= otherEnd; ++i)
  39843. owner->getItemOnRow (i)->setSelected (true, false);
  39844. }
  39845. else
  39846. {
  39847. const bool cmd = modifiers.isCommandDown();
  39848. item->setSelected ((! cmd) || (! item->isSelected()), ! cmd);
  39849. }
  39850. }
  39851. };
  39852. class TreeViewport : public Viewport
  39853. {
  39854. public:
  39855. TreeViewport() throw() {}
  39856. ~TreeViewport() throw() {}
  39857. void updateComponents()
  39858. {
  39859. if (getViewedComponent() != 0)
  39860. ((TreeViewContentComponent*) getViewedComponent())->updateComponents();
  39861. repaint();
  39862. }
  39863. void visibleAreaChanged (int, int, int, int)
  39864. {
  39865. updateComponents();
  39866. }
  39867. juce_UseDebuggingNewOperator
  39868. private:
  39869. TreeViewport (const TreeViewport&);
  39870. const TreeViewport& operator= (const TreeViewport&);
  39871. };
  39872. TreeView::TreeView (const String& componentName)
  39873. : Component (componentName),
  39874. rootItem (0),
  39875. indentSize (24),
  39876. defaultOpenness (false),
  39877. needsRecalculating (true),
  39878. rootItemVisible (true),
  39879. multiSelectEnabled (false)
  39880. {
  39881. addAndMakeVisible (viewport = new TreeViewport());
  39882. viewport->setViewedComponent (new TreeViewContentComponent (this));
  39883. viewport->setWantsKeyboardFocus (false);
  39884. setWantsKeyboardFocus (true);
  39885. }
  39886. TreeView::~TreeView()
  39887. {
  39888. if (rootItem != 0)
  39889. rootItem->setOwnerView (0);
  39890. deleteAllChildren();
  39891. }
  39892. void TreeView::setRootItem (TreeViewItem* const newRootItem)
  39893. {
  39894. if (rootItem != newRootItem)
  39895. {
  39896. if (newRootItem != 0)
  39897. {
  39898. jassert (newRootItem->ownerView == 0); // can't use a tree item in more than one tree at once..
  39899. if (newRootItem->ownerView != 0)
  39900. newRootItem->ownerView->setRootItem (0);
  39901. }
  39902. if (rootItem != 0)
  39903. rootItem->setOwnerView (0);
  39904. rootItem = newRootItem;
  39905. if (newRootItem != 0)
  39906. newRootItem->setOwnerView (this);
  39907. needsRecalculating = true;
  39908. handleAsyncUpdate();
  39909. if (rootItem != 0 && (defaultOpenness || ! rootItemVisible))
  39910. {
  39911. rootItem->setOpen (false); // force a re-open
  39912. rootItem->setOpen (true);
  39913. }
  39914. }
  39915. }
  39916. void TreeView::setRootItemVisible (const bool shouldBeVisible)
  39917. {
  39918. rootItemVisible = shouldBeVisible;
  39919. if (rootItem != 0 && (defaultOpenness || ! rootItemVisible))
  39920. {
  39921. rootItem->setOpen (false); // force a re-open
  39922. rootItem->setOpen (true);
  39923. }
  39924. itemsChanged();
  39925. }
  39926. void TreeView::colourChanged()
  39927. {
  39928. setOpaque (findColour (backgroundColourId).isOpaque());
  39929. repaint();
  39930. }
  39931. void TreeView::setIndentSize (const int newIndentSize)
  39932. {
  39933. if (indentSize != newIndentSize)
  39934. {
  39935. indentSize = newIndentSize;
  39936. resized();
  39937. }
  39938. }
  39939. void TreeView::setDefaultOpenness (const bool isOpenByDefault)
  39940. {
  39941. if (defaultOpenness != isOpenByDefault)
  39942. {
  39943. defaultOpenness = isOpenByDefault;
  39944. itemsChanged();
  39945. }
  39946. }
  39947. void TreeView::setMultiSelectEnabled (const bool canMultiSelect)
  39948. {
  39949. multiSelectEnabled = canMultiSelect;
  39950. }
  39951. void TreeView::clearSelectedItems()
  39952. {
  39953. if (rootItem != 0)
  39954. rootItem->deselectAllRecursively();
  39955. }
  39956. int TreeView::getNumSelectedItems() const throw()
  39957. {
  39958. return (rootItem != 0) ? rootItem->countSelectedItemsRecursively() : 0;
  39959. }
  39960. TreeViewItem* TreeView::getSelectedItem (const int index) const throw()
  39961. {
  39962. return (rootItem != 0) ? rootItem->getSelectedItemWithIndex (index) : 0;
  39963. }
  39964. int TreeView::getNumRowsInTree() const
  39965. {
  39966. if (rootItem != 0)
  39967. return rootItem->getNumRows() - (rootItemVisible ? 0 : 1);
  39968. return 0;
  39969. }
  39970. TreeViewItem* TreeView::getItemOnRow (int index) const
  39971. {
  39972. if (! rootItemVisible)
  39973. ++index;
  39974. if (rootItem != 0 && index >= 0)
  39975. return rootItem->getItemOnRow (index);
  39976. return 0;
  39977. }
  39978. XmlElement* TreeView::getOpennessState (const bool alsoIncludeScrollPosition) const
  39979. {
  39980. XmlElement* e = 0;
  39981. if (rootItem != 0)
  39982. {
  39983. e = rootItem->createXmlOpenness();
  39984. if (e != 0 && alsoIncludeScrollPosition)
  39985. e->setAttribute (T("scrollPos"), viewport->getViewPositionY());
  39986. }
  39987. return e;
  39988. }
  39989. void TreeView::restoreOpennessState (const XmlElement& newState)
  39990. {
  39991. if (rootItem != 0)
  39992. {
  39993. rootItem->restoreFromXml (newState);
  39994. if (newState.hasAttribute (T("scrollPos")))
  39995. viewport->setViewPosition (viewport->getViewPositionX(),
  39996. newState.getIntAttribute (T("scrollPos")));
  39997. }
  39998. }
  39999. void TreeView::paint (Graphics& g)
  40000. {
  40001. g.fillAll (findColour (backgroundColourId));
  40002. }
  40003. void TreeView::resized()
  40004. {
  40005. viewport->setBounds (0, 0, getWidth(), getHeight());
  40006. itemsChanged();
  40007. }
  40008. void TreeView::moveSelectedRow (int delta)
  40009. {
  40010. int rowSelected = 0;
  40011. TreeViewItem* const firstSelected = getSelectedItem (0);
  40012. if (firstSelected != 0)
  40013. rowSelected = firstSelected->getRowNumberInTree();
  40014. rowSelected = jlimit (0, getNumRowsInTree() - 1, rowSelected + delta);
  40015. TreeViewItem* item = getItemOnRow (rowSelected);
  40016. if (item != 0)
  40017. {
  40018. item->setSelected (true, true);
  40019. scrollToKeepItemVisible (item);
  40020. }
  40021. }
  40022. void TreeView::scrollToKeepItemVisible (TreeViewItem* item)
  40023. {
  40024. if (item != 0 && item->ownerView == this)
  40025. {
  40026. handleAsyncUpdate();
  40027. item = item->getDeepestOpenParentItem();
  40028. int y = item->y;
  40029. if (! rootItemVisible)
  40030. y -= rootItem->itemHeight;
  40031. int viewTop = viewport->getViewPositionY();
  40032. if (y < viewTop)
  40033. {
  40034. viewport->setViewPosition (viewport->getViewPositionX(), y);
  40035. }
  40036. else if (y + item->itemHeight > viewTop + viewport->getViewHeight())
  40037. {
  40038. viewport->setViewPosition (viewport->getViewPositionX(),
  40039. (y + item->itemHeight) - viewport->getViewHeight());
  40040. }
  40041. }
  40042. }
  40043. bool TreeView::keyPressed (const KeyPress& key)
  40044. {
  40045. if (key.isKeyCode (KeyPress::upKey))
  40046. {
  40047. moveSelectedRow (-1);
  40048. }
  40049. else if (key.isKeyCode (KeyPress::downKey))
  40050. {
  40051. moveSelectedRow (1);
  40052. }
  40053. else if (key.isKeyCode (KeyPress::pageDownKey) || key.isKeyCode (KeyPress::pageUpKey))
  40054. {
  40055. if (rootItem != 0)
  40056. {
  40057. int rowsOnScreen = getHeight() / jmax (1, rootItem->itemHeight);
  40058. if (key.isKeyCode (KeyPress::pageUpKey))
  40059. rowsOnScreen = -rowsOnScreen;
  40060. moveSelectedRow (rowsOnScreen);
  40061. }
  40062. }
  40063. else if (key.isKeyCode (KeyPress::homeKey))
  40064. {
  40065. moveSelectedRow (-0x3fffffff);
  40066. }
  40067. else if (key.isKeyCode (KeyPress::endKey))
  40068. {
  40069. moveSelectedRow (0x3fffffff);
  40070. }
  40071. else if (key.isKeyCode (KeyPress::returnKey))
  40072. {
  40073. TreeViewItem* const firstSelected = getSelectedItem (0);
  40074. if (firstSelected != 0)
  40075. firstSelected->setOpen (! firstSelected->isOpen());
  40076. }
  40077. else if (key.isKeyCode (KeyPress::leftKey))
  40078. {
  40079. TreeViewItem* const firstSelected = getSelectedItem (0);
  40080. if (firstSelected != 0)
  40081. {
  40082. if (firstSelected->isOpen())
  40083. {
  40084. firstSelected->setOpen (false);
  40085. }
  40086. else
  40087. {
  40088. TreeViewItem* parent = firstSelected->parentItem;
  40089. if ((! rootItemVisible) && parent == rootItem)
  40090. parent = 0;
  40091. if (parent != 0)
  40092. {
  40093. parent->setSelected (true, true);
  40094. scrollToKeepItemVisible (parent);
  40095. }
  40096. }
  40097. }
  40098. }
  40099. else if (key.isKeyCode (KeyPress::rightKey))
  40100. {
  40101. TreeViewItem* const firstSelected = getSelectedItem (0);
  40102. if (firstSelected != 0)
  40103. {
  40104. if (firstSelected->isOpen() || ! firstSelected->mightContainSubItems())
  40105. moveSelectedRow (1);
  40106. else
  40107. firstSelected->setOpen (true);
  40108. }
  40109. }
  40110. else
  40111. {
  40112. return false;
  40113. }
  40114. return true;
  40115. }
  40116. void TreeView::itemsChanged() throw()
  40117. {
  40118. needsRecalculating = true;
  40119. repaint();
  40120. triggerAsyncUpdate();
  40121. }
  40122. void TreeView::handleAsyncUpdate()
  40123. {
  40124. if (needsRecalculating)
  40125. {
  40126. needsRecalculating = false;
  40127. const ScopedLock sl (nodeAlterationLock);
  40128. if (rootItem != 0)
  40129. rootItem->updatePositions (0);
  40130. ((TreeViewport*) viewport)->updateComponents();
  40131. if (rootItem != 0)
  40132. {
  40133. viewport->getViewedComponent()
  40134. ->setSize (jmax (viewport->getMaximumVisibleWidth(), rootItem->totalWidth),
  40135. rootItem->totalHeight - (rootItemVisible ? 0 : rootItem->itemHeight));
  40136. }
  40137. else
  40138. {
  40139. viewport->getViewedComponent()->setSize (0, 0);
  40140. }
  40141. }
  40142. }
  40143. void TreeViewContentComponent::paint (Graphics& g)
  40144. {
  40145. if (owner->rootItem != 0)
  40146. {
  40147. owner->handleAsyncUpdate();
  40148. int w = getWidth();
  40149. if (! owner->rootItemVisible)
  40150. {
  40151. const int indentWidth = owner->getIndentSize();
  40152. g.setOrigin (-indentWidth, -owner->rootItem->itemHeight);
  40153. w += indentWidth;
  40154. }
  40155. owner->rootItem->paintRecursively (g, w);
  40156. }
  40157. }
  40158. TreeViewItem* TreeViewContentComponent::findItemAt (int y, Rectangle& itemPosition) const
  40159. {
  40160. if (owner->rootItem != 0)
  40161. {
  40162. owner->handleAsyncUpdate();
  40163. if (! owner->rootItemVisible)
  40164. y += owner->rootItem->itemHeight;
  40165. TreeViewItem* const ti = owner->rootItem->findItemRecursively (y);
  40166. if (ti != 0)
  40167. {
  40168. itemPosition = ti->getItemPosition (false);
  40169. if (! owner->rootItemVisible)
  40170. itemPosition.translate (-owner->getIndentSize(),
  40171. -owner->rootItem->itemHeight);
  40172. }
  40173. return ti;
  40174. }
  40175. return 0;
  40176. }
  40177. #define opennessDefault 0
  40178. #define opennessClosed 1
  40179. #define opennessOpen 2
  40180. TreeViewItem::TreeViewItem()
  40181. : ownerView (0),
  40182. parentItem (0),
  40183. subItems (8),
  40184. y (0),
  40185. itemHeight (0),
  40186. totalHeight (0),
  40187. selected (false),
  40188. redrawNeeded (true),
  40189. drawLinesInside (true),
  40190. openness (opennessDefault)
  40191. {
  40192. static int nextUID = 0;
  40193. uid = nextUID++;
  40194. }
  40195. TreeViewItem::~TreeViewItem()
  40196. {
  40197. }
  40198. const String TreeViewItem::getUniqueName() const
  40199. {
  40200. return String::empty;
  40201. }
  40202. void TreeViewItem::itemOpennessChanged (bool)
  40203. {
  40204. }
  40205. int TreeViewItem::getNumSubItems() const throw()
  40206. {
  40207. return subItems.size();
  40208. }
  40209. TreeViewItem* TreeViewItem::getSubItem (const int index) const throw()
  40210. {
  40211. return subItems [index];
  40212. }
  40213. void TreeViewItem::clearSubItems()
  40214. {
  40215. if (subItems.size() > 0)
  40216. {
  40217. if (ownerView != 0)
  40218. {
  40219. const ScopedLock sl (ownerView->nodeAlterationLock);
  40220. subItems.clear();
  40221. treeHasChanged();
  40222. }
  40223. else
  40224. {
  40225. subItems.clear();
  40226. }
  40227. }
  40228. }
  40229. void TreeViewItem::addSubItem (TreeViewItem* const newItem, const int insertPosition)
  40230. {
  40231. if (newItem != 0)
  40232. {
  40233. newItem->parentItem = this;
  40234. newItem->setOwnerView (ownerView);
  40235. newItem->y = 0;
  40236. newItem->itemHeight = newItem->getItemHeight();
  40237. newItem->totalHeight = 0;
  40238. newItem->itemWidth = newItem->getItemWidth();
  40239. newItem->totalWidth = 0;
  40240. if (ownerView != 0)
  40241. {
  40242. const ScopedLock sl (ownerView->nodeAlterationLock);
  40243. subItems.insert (insertPosition, newItem);
  40244. treeHasChanged();
  40245. if (newItem->isOpen())
  40246. newItem->itemOpennessChanged (true);
  40247. }
  40248. else
  40249. {
  40250. subItems.insert (insertPosition, newItem);
  40251. if (newItem->isOpen())
  40252. newItem->itemOpennessChanged (true);
  40253. }
  40254. }
  40255. }
  40256. void TreeViewItem::removeSubItem (const int index, const bool deleteItem)
  40257. {
  40258. if (ownerView != 0)
  40259. ownerView->nodeAlterationLock.enter();
  40260. if (((unsigned int) index) < (unsigned int) subItems.size())
  40261. {
  40262. subItems.remove (index, deleteItem);
  40263. treeHasChanged();
  40264. }
  40265. if (ownerView != 0)
  40266. ownerView->nodeAlterationLock.exit();
  40267. }
  40268. bool TreeViewItem::isOpen() const throw()
  40269. {
  40270. if (openness == opennessDefault)
  40271. return ownerView != 0 && ownerView->defaultOpenness;
  40272. else
  40273. return openness == opennessOpen;
  40274. }
  40275. void TreeViewItem::setOpen (const bool shouldBeOpen)
  40276. {
  40277. if (isOpen() != shouldBeOpen)
  40278. {
  40279. openness = shouldBeOpen ? opennessOpen
  40280. : opennessClosed;
  40281. treeHasChanged();
  40282. itemOpennessChanged (isOpen());
  40283. }
  40284. }
  40285. bool TreeViewItem::isSelected() const throw()
  40286. {
  40287. return selected;
  40288. }
  40289. void TreeViewItem::deselectAllRecursively()
  40290. {
  40291. setSelected (false, false);
  40292. for (int i = 0; i < subItems.size(); ++i)
  40293. subItems.getUnchecked(i)->deselectAllRecursively();
  40294. }
  40295. void TreeViewItem::setSelected (const bool shouldBeSelected,
  40296. const bool deselectOtherItemsFirst)
  40297. {
  40298. if (deselectOtherItemsFirst)
  40299. getTopLevelItem()->deselectAllRecursively();
  40300. if (shouldBeSelected != selected)
  40301. {
  40302. selected = shouldBeSelected;
  40303. if (ownerView != 0)
  40304. ownerView->repaint();
  40305. itemSelectionChanged (shouldBeSelected);
  40306. }
  40307. }
  40308. void TreeViewItem::paintItem (Graphics&, int, int)
  40309. {
  40310. }
  40311. void TreeViewItem::itemClicked (const MouseEvent&)
  40312. {
  40313. }
  40314. void TreeViewItem::itemDoubleClicked (const MouseEvent&)
  40315. {
  40316. if (mightContainSubItems())
  40317. setOpen (! isOpen());
  40318. }
  40319. void TreeViewItem::itemSelectionChanged (bool)
  40320. {
  40321. }
  40322. const String TreeViewItem::getDragSourceDescription()
  40323. {
  40324. return String::empty;
  40325. }
  40326. const Rectangle TreeViewItem::getItemPosition (const bool relativeToTreeViewTopLeft) const throw()
  40327. {
  40328. const int indentX = getIndentX();
  40329. int width = itemWidth;
  40330. if (ownerView != 0 && width < 0)
  40331. width = ownerView->viewport->getViewWidth() - indentX;
  40332. Rectangle r (indentX, y, jmax (0, width), totalHeight);
  40333. if (relativeToTreeViewTopLeft)
  40334. r.setPosition (r.getX() - ownerView->viewport->getViewPositionX(),
  40335. r.getY() - ownerView->viewport->getViewPositionY());
  40336. return r;
  40337. }
  40338. void TreeViewItem::treeHasChanged() const throw()
  40339. {
  40340. if (ownerView != 0)
  40341. ownerView->itemsChanged();
  40342. }
  40343. void TreeViewItem::updatePositions (int newY)
  40344. {
  40345. y = newY;
  40346. itemHeight = getItemHeight();
  40347. totalHeight = itemHeight;
  40348. itemWidth = getItemWidth();
  40349. totalWidth = jmax (itemWidth, 0);
  40350. if (isOpen())
  40351. {
  40352. const int ourIndent = getIndentX();
  40353. newY += totalHeight;
  40354. for (int i = 0; i < subItems.size(); ++i)
  40355. {
  40356. TreeViewItem* const ti = subItems.getUnchecked(i);
  40357. ti->updatePositions (newY);
  40358. newY += ti->totalHeight;
  40359. totalHeight += ti->totalHeight;
  40360. totalWidth = jmax (totalWidth, ti->totalWidth + ourIndent);
  40361. }
  40362. }
  40363. }
  40364. TreeViewItem* TreeViewItem::getDeepestOpenParentItem() throw()
  40365. {
  40366. TreeViewItem* result = this;
  40367. TreeViewItem* item = this;
  40368. while (item->parentItem != 0)
  40369. {
  40370. item = item->parentItem;
  40371. if (! item->isOpen())
  40372. result = item;
  40373. }
  40374. return result;
  40375. }
  40376. void TreeViewItem::setOwnerView (TreeView* const newOwner) throw()
  40377. {
  40378. ownerView = newOwner;
  40379. for (int i = subItems.size(); --i >= 0;)
  40380. subItems.getUnchecked(i)->setOwnerView (newOwner);
  40381. }
  40382. int TreeViewItem::getIndentX() const throw()
  40383. {
  40384. const int indentWidth = ownerView->getIndentSize();
  40385. int x = indentWidth;
  40386. TreeViewItem* p = parentItem;
  40387. while (p != 0)
  40388. {
  40389. x += indentWidth;
  40390. p = p->parentItem;
  40391. }
  40392. return x;
  40393. }
  40394. void TreeViewItem::paintRecursively (Graphics& g, int width)
  40395. {
  40396. jassert (ownerView != 0);
  40397. if (ownerView == 0)
  40398. return;
  40399. const int indent = getIndentX();
  40400. const int itemW = itemWidth < 0 ? width - indent : itemWidth;
  40401. g.setColour (ownerView->findColour (TreeView::linesColourId));
  40402. const float halfH = itemHeight * 0.5f;
  40403. int depth = 0;
  40404. TreeViewItem* p = parentItem;
  40405. while (p != 0)
  40406. {
  40407. ++depth;
  40408. p = p->parentItem;
  40409. }
  40410. const int indentWidth = ownerView->getIndentSize();
  40411. float x = (depth + 0.5f) * indentWidth;
  40412. if (x > 0)
  40413. {
  40414. if (depth >= 0)
  40415. {
  40416. if (parentItem != 0 && parentItem->drawLinesInside)
  40417. g.drawLine (x, 0, x, isLastOfSiblings() ? halfH : (float) itemHeight);
  40418. if ((parentItem != 0 && parentItem->drawLinesInside)
  40419. || (parentItem == 0 && drawLinesInside))
  40420. g.drawLine (x, halfH, x + indentWidth / 2, halfH);
  40421. }
  40422. p = parentItem;
  40423. int d = depth;
  40424. while (p != 0 && --d >= 0)
  40425. {
  40426. x -= (float) indentWidth;
  40427. if ((p->parentItem == 0 || p->parentItem->drawLinesInside)
  40428. && ! p->isLastOfSiblings())
  40429. {
  40430. g.drawLine (x, 0, x, (float) itemHeight);
  40431. }
  40432. p = p->parentItem;
  40433. }
  40434. if (mightContainSubItems())
  40435. {
  40436. ownerView->getLookAndFeel()
  40437. .drawTreeviewPlusMinusBox (g,
  40438. depth * indentWidth, 0,
  40439. indentWidth, itemHeight,
  40440. ! isOpen());
  40441. }
  40442. }
  40443. {
  40444. g.saveState();
  40445. g.setOrigin (indent, 0);
  40446. if (g.reduceClipRegion (0, 0, itemW, itemHeight))
  40447. paintItem (g, itemW, itemHeight);
  40448. g.restoreState();
  40449. }
  40450. if (isOpen())
  40451. {
  40452. const Rectangle clip (g.getClipBounds());
  40453. for (int i = 0; i < subItems.size(); ++i)
  40454. {
  40455. TreeViewItem* const ti = subItems.getUnchecked(i);
  40456. const int relY = ti->y - y;
  40457. if (relY >= clip.getBottom())
  40458. break;
  40459. if (relY + ti->totalHeight >= clip.getY())
  40460. {
  40461. g.saveState();
  40462. g.setOrigin (0, relY);
  40463. if (g.reduceClipRegion (0, 0, width, ti->totalHeight))
  40464. ti->paintRecursively (g, width);
  40465. g.restoreState();
  40466. }
  40467. }
  40468. }
  40469. }
  40470. bool TreeViewItem::isLastOfSiblings() const throw()
  40471. {
  40472. return parentItem == 0
  40473. || parentItem->subItems.getLast() == this;
  40474. }
  40475. TreeViewItem* TreeViewItem::getTopLevelItem() throw()
  40476. {
  40477. return (parentItem == 0) ? this
  40478. : parentItem->getTopLevelItem();
  40479. }
  40480. int TreeViewItem::getNumRows() const throw()
  40481. {
  40482. int num = 1;
  40483. if (isOpen())
  40484. {
  40485. for (int i = subItems.size(); --i >= 0;)
  40486. num += subItems.getUnchecked(i)->getNumRows();
  40487. }
  40488. return num;
  40489. }
  40490. TreeViewItem* TreeViewItem::getItemOnRow (int index) throw()
  40491. {
  40492. if (index == 0)
  40493. return this;
  40494. if (index > 0 && isOpen())
  40495. {
  40496. --index;
  40497. for (int i = 0; i < subItems.size(); ++i)
  40498. {
  40499. TreeViewItem* const item = subItems.getUnchecked(i);
  40500. if (index == 0)
  40501. return item;
  40502. const int numRows = item->getNumRows();
  40503. if (numRows > index)
  40504. return item->getItemOnRow (index);
  40505. index -= numRows;
  40506. }
  40507. }
  40508. return 0;
  40509. }
  40510. TreeViewItem* TreeViewItem::findItemRecursively (int y) throw()
  40511. {
  40512. if (((unsigned int) y) < (unsigned int) totalHeight)
  40513. {
  40514. const int h = itemHeight;
  40515. if (y < h)
  40516. return this;
  40517. if (isOpen())
  40518. {
  40519. y -= h;
  40520. for (int i = 0; i < subItems.size(); ++i)
  40521. {
  40522. TreeViewItem* const ti = subItems.getUnchecked(i);
  40523. if (ti->totalHeight >= y)
  40524. return ti->findItemRecursively (y);
  40525. y -= ti->totalHeight;
  40526. }
  40527. }
  40528. }
  40529. return 0;
  40530. }
  40531. int TreeViewItem::countSelectedItemsRecursively() const throw()
  40532. {
  40533. int total = 0;
  40534. if (isSelected())
  40535. ++total;
  40536. for (int i = subItems.size(); --i >= 0;)
  40537. total += subItems.getUnchecked(i)->countSelectedItemsRecursively();
  40538. return total;
  40539. }
  40540. TreeViewItem* TreeViewItem::getSelectedItemWithIndex (int index) throw()
  40541. {
  40542. if (isSelected())
  40543. {
  40544. if (index == 0)
  40545. return this;
  40546. --index;
  40547. }
  40548. if (index >= 0)
  40549. {
  40550. for (int i = 0; i < subItems.size(); ++i)
  40551. {
  40552. TreeViewItem* const item = subItems.getUnchecked(i);
  40553. TreeViewItem* const found = item->getSelectedItemWithIndex (index);
  40554. if (found != 0)
  40555. return found;
  40556. index -= item->countSelectedItemsRecursively();
  40557. }
  40558. }
  40559. return 0;
  40560. }
  40561. int TreeViewItem::getRowNumberInTree() const throw()
  40562. {
  40563. if (parentItem != 0 && ownerView != 0)
  40564. {
  40565. int n = 1 + parentItem->getRowNumberInTree();
  40566. int ourIndex = parentItem->subItems.indexOf (this);
  40567. jassert (ourIndex >= 0);
  40568. while (--ourIndex >= 0)
  40569. n += parentItem->subItems [ourIndex]->getNumRows();
  40570. if (parentItem->parentItem == 0
  40571. && ! ownerView->rootItemVisible)
  40572. --n;
  40573. return n;
  40574. }
  40575. else
  40576. {
  40577. return 0;
  40578. }
  40579. }
  40580. void TreeViewItem::setLinesDrawnForSubItems (const bool drawLines) throw()
  40581. {
  40582. drawLinesInside = drawLines;
  40583. }
  40584. TreeViewItem* TreeViewItem::getNextVisibleItem (const bool recurse) const throw()
  40585. {
  40586. if (recurse && isOpen() && subItems.size() > 0)
  40587. return subItems [0];
  40588. if (parentItem != 0)
  40589. {
  40590. const int nextIndex = parentItem->subItems.indexOf (this) + 1;
  40591. if (nextIndex >= parentItem->subItems.size())
  40592. return parentItem->getNextVisibleItem (false);
  40593. return parentItem->subItems [nextIndex];
  40594. }
  40595. return 0;
  40596. }
  40597. void TreeViewItem::restoreFromXml (const XmlElement& e)
  40598. {
  40599. if (e.hasTagName (T("CLOSED")))
  40600. {
  40601. setOpen (false);
  40602. }
  40603. else if (e.hasTagName (T("OPEN")))
  40604. {
  40605. setOpen (true);
  40606. forEachXmlChildElement (e, n)
  40607. {
  40608. const String id (n->getStringAttribute (T("id")));
  40609. for (int i = 0; i < subItems.size(); ++i)
  40610. {
  40611. TreeViewItem* const ti = subItems.getUnchecked(i);
  40612. if (ti->getUniqueName() == id)
  40613. {
  40614. ti->restoreFromXml (*n);
  40615. break;
  40616. }
  40617. }
  40618. }
  40619. }
  40620. }
  40621. XmlElement* TreeViewItem::createXmlOpenness() const
  40622. {
  40623. if (openness != opennessDefault)
  40624. {
  40625. const String name (getUniqueName());
  40626. if (name.isNotEmpty())
  40627. {
  40628. XmlElement* e;
  40629. if (isOpen())
  40630. {
  40631. e = new XmlElement (T("OPEN"));
  40632. for (int i = 0; i < subItems.size(); ++i)
  40633. e->addChildElement (subItems.getUnchecked(i)->createXmlOpenness());
  40634. }
  40635. else
  40636. {
  40637. e = new XmlElement (T("CLOSED"));
  40638. }
  40639. e->setAttribute (T("id"), name);
  40640. return e;
  40641. }
  40642. else
  40643. {
  40644. // trying to save the openness for an element that has no name - this won't
  40645. // work because it needs the names to identify what to open.
  40646. jassertfalse
  40647. }
  40648. }
  40649. return 0;
  40650. }
  40651. END_JUCE_NAMESPACE
  40652. /********* End of inlined file: juce_TreeView.cpp *********/
  40653. /********* Start of inlined file: juce_DirectoryContentsDisplayComponent.cpp *********/
  40654. BEGIN_JUCE_NAMESPACE
  40655. DirectoryContentsDisplayComponent::DirectoryContentsDisplayComponent (DirectoryContentsList& listToShow)
  40656. : fileList (listToShow),
  40657. listeners (2)
  40658. {
  40659. }
  40660. DirectoryContentsDisplayComponent::~DirectoryContentsDisplayComponent()
  40661. {
  40662. }
  40663. FileBrowserListener::~FileBrowserListener()
  40664. {
  40665. }
  40666. void DirectoryContentsDisplayComponent::addListener (FileBrowserListener* const listener) throw()
  40667. {
  40668. jassert (listener != 0);
  40669. if (listener != 0)
  40670. listeners.add (listener);
  40671. }
  40672. void DirectoryContentsDisplayComponent::removeListener (FileBrowserListener* const listener) throw()
  40673. {
  40674. listeners.removeValue (listener);
  40675. }
  40676. void DirectoryContentsDisplayComponent::sendSelectionChangeMessage()
  40677. {
  40678. const ComponentDeletionWatcher deletionWatcher (dynamic_cast <Component*> (this));
  40679. for (int i = listeners.size(); --i >= 0;)
  40680. {
  40681. ((FileBrowserListener*) listeners.getUnchecked (i))->selectionChanged();
  40682. if (deletionWatcher.hasBeenDeleted())
  40683. return;
  40684. i = jmin (i, listeners.size() - 1);
  40685. }
  40686. }
  40687. void DirectoryContentsDisplayComponent::sendMouseClickMessage (const File& file, const MouseEvent& e)
  40688. {
  40689. if (fileList.getDirectory().exists())
  40690. {
  40691. const ComponentDeletionWatcher deletionWatcher (dynamic_cast <Component*> (this));
  40692. for (int i = listeners.size(); --i >= 0;)
  40693. {
  40694. ((FileBrowserListener*) listeners.getUnchecked (i))->fileClicked (file, e);
  40695. if (deletionWatcher.hasBeenDeleted())
  40696. return;
  40697. i = jmin (i, listeners.size() - 1);
  40698. }
  40699. }
  40700. }
  40701. void DirectoryContentsDisplayComponent::sendDoubleClickMessage (const File& file)
  40702. {
  40703. if (fileList.getDirectory().exists())
  40704. {
  40705. const ComponentDeletionWatcher deletionWatcher (dynamic_cast <Component*> (this));
  40706. for (int i = listeners.size(); --i >= 0;)
  40707. {
  40708. ((FileBrowserListener*) listeners.getUnchecked (i))->fileDoubleClicked (file);
  40709. if (deletionWatcher.hasBeenDeleted())
  40710. return;
  40711. i = jmin (i, listeners.size() - 1);
  40712. }
  40713. }
  40714. }
  40715. END_JUCE_NAMESPACE
  40716. /********* End of inlined file: juce_DirectoryContentsDisplayComponent.cpp *********/
  40717. /********* Start of inlined file: juce_DirectoryContentsList.cpp *********/
  40718. BEGIN_JUCE_NAMESPACE
  40719. void* juce_findFileStart (const String& directory, const String& wildCard, String& firstResultFile,
  40720. bool* isDirectory, bool* isHidden, int64* fileSize, Time* modTime,
  40721. Time* creationTime, bool* isReadOnly) throw();
  40722. bool juce_findFileNext (void* handle, String& resultFile,
  40723. bool* isDirectory, bool* isHidden, int64* fileSize,
  40724. Time* modTime, Time* creationTime, bool* isReadOnly) throw();
  40725. void juce_findFileClose (void* handle) throw();
  40726. DirectoryContentsList::DirectoryContentsList (const FileFilter* const fileFilter_,
  40727. TimeSliceThread& thread_)
  40728. : fileFilter (fileFilter_),
  40729. thread (thread_),
  40730. includeDirectories (false),
  40731. includeFiles (false),
  40732. ignoreHiddenFiles (true),
  40733. fileFindHandle (0),
  40734. shouldStop (true)
  40735. {
  40736. }
  40737. DirectoryContentsList::~DirectoryContentsList()
  40738. {
  40739. clear();
  40740. }
  40741. void DirectoryContentsList::setIgnoresHiddenFiles (const bool shouldIgnoreHiddenFiles)
  40742. {
  40743. ignoreHiddenFiles = shouldIgnoreHiddenFiles;
  40744. }
  40745. const File& DirectoryContentsList::getDirectory() const throw()
  40746. {
  40747. return root;
  40748. }
  40749. void DirectoryContentsList::setDirectory (const File& directory,
  40750. const bool includeDirectories_,
  40751. const bool includeFiles_)
  40752. {
  40753. if (directory != root
  40754. || includeDirectories != includeDirectories_
  40755. || includeFiles != includeFiles_)
  40756. {
  40757. clear();
  40758. root = directory;
  40759. includeDirectories = includeDirectories_;
  40760. includeFiles = includeFiles_;
  40761. refresh();
  40762. }
  40763. }
  40764. void DirectoryContentsList::clear()
  40765. {
  40766. shouldStop = true;
  40767. thread.removeTimeSliceClient (this);
  40768. if (fileFindHandle != 0)
  40769. {
  40770. juce_findFileClose (fileFindHandle);
  40771. fileFindHandle = 0;
  40772. }
  40773. if (files.size() > 0)
  40774. {
  40775. files.clear();
  40776. changed();
  40777. }
  40778. }
  40779. void DirectoryContentsList::refresh()
  40780. {
  40781. clear();
  40782. if (root.isDirectory())
  40783. {
  40784. String fileFound;
  40785. bool fileFoundIsDir, isHidden, isReadOnly;
  40786. int64 fileSize;
  40787. Time modTime, creationTime;
  40788. String path (root.getFullPathName());
  40789. if (! path.endsWithChar (File::separator))
  40790. path += File::separator;
  40791. jassert (fileFindHandle == 0);
  40792. fileFindHandle = juce_findFileStart (path, T("*"), fileFound,
  40793. &fileFoundIsDir,
  40794. &isHidden,
  40795. &fileSize,
  40796. &modTime,
  40797. &creationTime,
  40798. &isReadOnly);
  40799. if (fileFindHandle != 0 && fileFound.isNotEmpty())
  40800. {
  40801. if (addFile (fileFound, fileFoundIsDir, isHidden,
  40802. fileSize, modTime, creationTime, isReadOnly))
  40803. {
  40804. changed();
  40805. }
  40806. }
  40807. shouldStop = false;
  40808. thread.addTimeSliceClient (this);
  40809. }
  40810. }
  40811. int DirectoryContentsList::getNumFiles() const
  40812. {
  40813. return files.size();
  40814. }
  40815. bool DirectoryContentsList::getFileInfo (const int index,
  40816. FileInfo& result) const
  40817. {
  40818. const ScopedLock sl (fileListLock);
  40819. const FileInfo* const info = files [index];
  40820. if (info != 0)
  40821. {
  40822. result = *info;
  40823. return true;
  40824. }
  40825. return false;
  40826. }
  40827. const File DirectoryContentsList::getFile (const int index) const
  40828. {
  40829. const ScopedLock sl (fileListLock);
  40830. const FileInfo* const info = files [index];
  40831. if (info != 0)
  40832. return root.getChildFile (info->filename);
  40833. return File::nonexistent;
  40834. }
  40835. bool DirectoryContentsList::isStillLoading() const
  40836. {
  40837. return fileFindHandle != 0;
  40838. }
  40839. void DirectoryContentsList::changed()
  40840. {
  40841. sendChangeMessage (this);
  40842. }
  40843. bool DirectoryContentsList::useTimeSlice()
  40844. {
  40845. const uint32 startTime = Time::getApproximateMillisecondCounter();
  40846. bool hasChanged = false;
  40847. for (int i = 100; --i >= 0;)
  40848. {
  40849. if (! checkNextFile (hasChanged))
  40850. {
  40851. if (hasChanged)
  40852. changed();
  40853. return false;
  40854. }
  40855. if (shouldStop || (Time::getApproximateMillisecondCounter() > startTime + 150))
  40856. break;
  40857. }
  40858. if (hasChanged)
  40859. changed();
  40860. return true;
  40861. }
  40862. bool DirectoryContentsList::checkNextFile (bool& hasChanged)
  40863. {
  40864. if (fileFindHandle != 0)
  40865. {
  40866. String fileFound;
  40867. bool fileFoundIsDir, isHidden, isReadOnly;
  40868. int64 fileSize;
  40869. Time modTime, creationTime;
  40870. if (juce_findFileNext (fileFindHandle, fileFound,
  40871. &fileFoundIsDir, &isHidden,
  40872. &fileSize,
  40873. &modTime,
  40874. &creationTime,
  40875. &isReadOnly))
  40876. {
  40877. if (addFile (fileFound, fileFoundIsDir, isHidden, fileSize,
  40878. modTime, creationTime, isReadOnly))
  40879. {
  40880. hasChanged = true;
  40881. }
  40882. return true;
  40883. }
  40884. else
  40885. {
  40886. juce_findFileClose (fileFindHandle);
  40887. fileFindHandle = 0;
  40888. }
  40889. }
  40890. return false;
  40891. }
  40892. int DirectoryContentsList::compareElements (const DirectoryContentsList::FileInfo* const first,
  40893. const DirectoryContentsList::FileInfo* const second) throw()
  40894. {
  40895. #if JUCE_WIN32
  40896. if (first->isDirectory != second->isDirectory)
  40897. return first->isDirectory ? -1 : 1;
  40898. #endif
  40899. return first->filename.compareIgnoreCase (second->filename);
  40900. }
  40901. bool DirectoryContentsList::addFile (const String& filename,
  40902. const bool isDir,
  40903. const bool isHidden,
  40904. const int64 fileSize,
  40905. const Time& modTime,
  40906. const Time& creationTime,
  40907. const bool isReadOnly)
  40908. {
  40909. if (filename == T("..")
  40910. || filename == T(".")
  40911. || (ignoreHiddenFiles && isHidden))
  40912. return false;
  40913. const File file (root.getChildFile (filename));
  40914. if (((isDir && includeDirectories) || ((! isDir) && includeFiles))
  40915. && (fileFilter == 0
  40916. || ((! isDir) && fileFilter->isFileSuitable (file))
  40917. || (isDir && fileFilter->isDirectorySuitable (file))))
  40918. {
  40919. FileInfo* const info = new FileInfo();
  40920. info->filename = filename;
  40921. info->fileSize = fileSize;
  40922. info->modificationTime = modTime;
  40923. info->creationTime = creationTime;
  40924. info->isDirectory = isDir;
  40925. info->isReadOnly = isReadOnly;
  40926. const ScopedLock sl (fileListLock);
  40927. for (int i = files.size(); --i >= 0;)
  40928. {
  40929. if (files.getUnchecked(i)->filename == info->filename)
  40930. {
  40931. delete info;
  40932. return false;
  40933. }
  40934. }
  40935. files.addSorted (*this, info);
  40936. return true;
  40937. }
  40938. return false;
  40939. }
  40940. END_JUCE_NAMESPACE
  40941. /********* End of inlined file: juce_DirectoryContentsList.cpp *********/
  40942. /********* Start of inlined file: juce_FileBrowserComponent.cpp *********/
  40943. BEGIN_JUCE_NAMESPACE
  40944. class DirectoriesOnlyFilter : public FileFilter
  40945. {
  40946. public:
  40947. DirectoriesOnlyFilter() : FileFilter (String::empty) {}
  40948. bool isFileSuitable (const File&) const { return false; }
  40949. bool isDirectorySuitable (const File&) const { return true; }
  40950. };
  40951. FileBrowserComponent::FileBrowserComponent (FileChooserMode mode_,
  40952. const File& initialFileOrDirectory,
  40953. const FileFilter* fileFilter,
  40954. FilePreviewComponent* previewComp_,
  40955. const bool useTreeView,
  40956. const bool filenameTextBoxIsReadOnly)
  40957. : directoriesOnlyFilter (0),
  40958. mode (mode_),
  40959. listeners (2),
  40960. previewComp (previewComp_),
  40961. thread ("Juce FileBrowser")
  40962. {
  40963. String filename;
  40964. if (initialFileOrDirectory == File::nonexistent)
  40965. {
  40966. currentRoot = File::getCurrentWorkingDirectory();
  40967. }
  40968. else if (initialFileOrDirectory.isDirectory())
  40969. {
  40970. currentRoot = initialFileOrDirectory;
  40971. }
  40972. else
  40973. {
  40974. currentRoot = initialFileOrDirectory.getParentDirectory();
  40975. filename = initialFileOrDirectory.getFileName();
  40976. }
  40977. if (mode_ == chooseDirectoryMode)
  40978. fileFilter = directoriesOnlyFilter = new DirectoriesOnlyFilter();
  40979. fileList = new DirectoryContentsList (fileFilter, thread);
  40980. if (useTreeView)
  40981. {
  40982. FileTreeComponent* const tree = new FileTreeComponent (*fileList);
  40983. addAndMakeVisible (tree);
  40984. fileListComponent = tree;
  40985. }
  40986. else
  40987. {
  40988. FileListComponent* const list = new FileListComponent (*fileList);
  40989. list->setOutlineThickness (1);
  40990. addAndMakeVisible (list);
  40991. fileListComponent = list;
  40992. }
  40993. fileListComponent->addListener (this);
  40994. addAndMakeVisible (currentPathBox = new ComboBox ("path"));
  40995. currentPathBox->setEditableText (true);
  40996. StringArray rootNames, rootPaths;
  40997. const BitArray separators (getRoots (rootNames, rootPaths));
  40998. for (int i = 0; i < rootNames.size(); ++i)
  40999. {
  41000. if (separators [i])
  41001. currentPathBox->addSeparator();
  41002. currentPathBox->addItem (rootNames[i], i + 1);
  41003. }
  41004. currentPathBox->addSeparator();
  41005. currentPathBox->addListener (this);
  41006. addAndMakeVisible (filenameBox = new TextEditor());
  41007. filenameBox->setMultiLine (false);
  41008. filenameBox->setSelectAllWhenFocused (true);
  41009. filenameBox->setText (filename, false);
  41010. filenameBox->addListener (this);
  41011. filenameBox->setReadOnly (filenameTextBoxIsReadOnly);
  41012. Label* label = new Label ("f", (mode == chooseDirectoryMode) ? TRANS("folder:")
  41013. : TRANS("file:"));
  41014. addAndMakeVisible (label);
  41015. label->attachToComponent (filenameBox, true);
  41016. addAndMakeVisible (goUpButton = getLookAndFeel().createFileBrowserGoUpButton());
  41017. goUpButton->addButtonListener (this);
  41018. goUpButton->setTooltip (TRANS ("go up to parent directory"));
  41019. if (previewComp != 0)
  41020. addAndMakeVisible (previewComp);
  41021. setRoot (currentRoot);
  41022. thread.startThread (4);
  41023. }
  41024. FileBrowserComponent::~FileBrowserComponent()
  41025. {
  41026. if (previewComp != 0)
  41027. removeChildComponent (previewComp);
  41028. deleteAllChildren();
  41029. deleteAndZero (fileList);
  41030. delete directoriesOnlyFilter;
  41031. thread.stopThread (10000);
  41032. }
  41033. void FileBrowserComponent::addListener (FileBrowserListener* const newListener) throw()
  41034. {
  41035. jassert (newListener != 0)
  41036. if (newListener != 0)
  41037. listeners.add (newListener);
  41038. }
  41039. void FileBrowserComponent::removeListener (FileBrowserListener* const listener) throw()
  41040. {
  41041. listeners.removeValue (listener);
  41042. }
  41043. const File FileBrowserComponent::getCurrentFile() const throw()
  41044. {
  41045. return currentRoot.getChildFile (filenameBox->getText());
  41046. }
  41047. bool FileBrowserComponent::currentFileIsValid() const
  41048. {
  41049. if (mode == saveFileMode)
  41050. return ! getCurrentFile().isDirectory();
  41051. else if (mode == loadFileMode)
  41052. return getCurrentFile().existsAsFile();
  41053. else if (mode == chooseDirectoryMode)
  41054. return getCurrentFile().isDirectory();
  41055. jassertfalse
  41056. return false;
  41057. }
  41058. const File FileBrowserComponent::getRoot() const
  41059. {
  41060. return currentRoot;
  41061. }
  41062. void FileBrowserComponent::setRoot (const File& newRootDirectory)
  41063. {
  41064. if (currentRoot != newRootDirectory)
  41065. {
  41066. fileListComponent->scrollToTop();
  41067. if (mode == chooseDirectoryMode)
  41068. filenameBox->setText (String::empty, false);
  41069. String path (newRootDirectory.getFullPathName());
  41070. if (path.isEmpty())
  41071. path += File::separator;
  41072. StringArray rootNames, rootPaths;
  41073. getRoots (rootNames, rootPaths);
  41074. if (! rootPaths.contains (path, true))
  41075. {
  41076. bool alreadyListed = false;
  41077. for (int i = currentPathBox->getNumItems(); --i >= 0;)
  41078. {
  41079. if (currentPathBox->getItemText (i).equalsIgnoreCase (path))
  41080. {
  41081. alreadyListed = true;
  41082. break;
  41083. }
  41084. }
  41085. if (! alreadyListed)
  41086. currentPathBox->addItem (path, currentPathBox->getNumItems() + 2);
  41087. }
  41088. }
  41089. currentRoot = newRootDirectory;
  41090. fileList->setDirectory (currentRoot, true, true);
  41091. String currentRootName (currentRoot.getFullPathName());
  41092. if (currentRootName.isEmpty())
  41093. currentRootName += File::separator;
  41094. currentPathBox->setText (currentRootName, true);
  41095. goUpButton->setEnabled (currentRoot.getParentDirectory().isDirectory()
  41096. && currentRoot.getParentDirectory() != currentRoot);
  41097. }
  41098. void FileBrowserComponent::goUp()
  41099. {
  41100. setRoot (getRoot().getParentDirectory());
  41101. }
  41102. void FileBrowserComponent::refresh()
  41103. {
  41104. fileList->refresh();
  41105. }
  41106. const String FileBrowserComponent::getActionVerb() const
  41107. {
  41108. return (mode == chooseDirectoryMode) ? TRANS("Choose")
  41109. : ((mode == saveFileMode) ? TRANS("Save") : TRANS("Open"));
  41110. }
  41111. FilePreviewComponent* FileBrowserComponent::getPreviewComponent() const throw()
  41112. {
  41113. return previewComp;
  41114. }
  41115. void FileBrowserComponent::resized()
  41116. {
  41117. getLookAndFeel()
  41118. .layoutFileBrowserComponent (*this, fileListComponent,
  41119. previewComp, currentPathBox,
  41120. filenameBox, goUpButton);
  41121. }
  41122. void FileBrowserComponent::sendListenerChangeMessage()
  41123. {
  41124. ComponentDeletionWatcher deletionWatcher (this);
  41125. if (previewComp != 0)
  41126. previewComp->selectedFileChanged (getCurrentFile());
  41127. jassert (! deletionWatcher.hasBeenDeleted());
  41128. for (int i = listeners.size(); --i >= 0;)
  41129. {
  41130. ((FileBrowserListener*) listeners.getUnchecked (i))->selectionChanged();
  41131. if (deletionWatcher.hasBeenDeleted())
  41132. return;
  41133. i = jmin (i, listeners.size() - 1);
  41134. }
  41135. }
  41136. void FileBrowserComponent::selectionChanged()
  41137. {
  41138. const File selected (fileListComponent->getSelectedFile());
  41139. if ((mode == chooseDirectoryMode && selected.isDirectory())
  41140. || selected.existsAsFile())
  41141. {
  41142. filenameBox->setText (selected.getRelativePathFrom (getRoot()), false);
  41143. }
  41144. sendListenerChangeMessage();
  41145. }
  41146. void FileBrowserComponent::fileClicked (const File& f, const MouseEvent& e)
  41147. {
  41148. ComponentDeletionWatcher deletionWatcher (this);
  41149. for (int i = listeners.size(); --i >= 0;)
  41150. {
  41151. ((FileBrowserListener*) listeners.getUnchecked (i))->fileClicked (f, e);
  41152. if (deletionWatcher.hasBeenDeleted())
  41153. return;
  41154. i = jmin (i, listeners.size() - 1);
  41155. }
  41156. }
  41157. void FileBrowserComponent::fileDoubleClicked (const File& f)
  41158. {
  41159. if (f.isDirectory())
  41160. {
  41161. setRoot (f);
  41162. }
  41163. else
  41164. {
  41165. ComponentDeletionWatcher deletionWatcher (this);
  41166. for (int i = listeners.size(); --i >= 0;)
  41167. {
  41168. ((FileBrowserListener*) listeners.getUnchecked (i))->fileDoubleClicked (f);
  41169. if (deletionWatcher.hasBeenDeleted())
  41170. return;
  41171. i = jmin (i, listeners.size() - 1);
  41172. }
  41173. }
  41174. }
  41175. void FileBrowserComponent::textEditorTextChanged (TextEditor&)
  41176. {
  41177. sendListenerChangeMessage();
  41178. }
  41179. void FileBrowserComponent::textEditorReturnKeyPressed (TextEditor&)
  41180. {
  41181. if (filenameBox->getText().containsChar (File::separator))
  41182. {
  41183. const File f (currentRoot.getChildFile (filenameBox->getText()));
  41184. if (f.isDirectory())
  41185. {
  41186. setRoot (f);
  41187. filenameBox->setText (String::empty);
  41188. }
  41189. else
  41190. {
  41191. setRoot (f.getParentDirectory());
  41192. filenameBox->setText (f.getFileName());
  41193. }
  41194. }
  41195. else
  41196. {
  41197. fileDoubleClicked (getCurrentFile());
  41198. }
  41199. }
  41200. void FileBrowserComponent::textEditorEscapeKeyPressed (TextEditor&)
  41201. {
  41202. }
  41203. void FileBrowserComponent::textEditorFocusLost (TextEditor&)
  41204. {
  41205. if (mode != saveFileMode)
  41206. selectionChanged();
  41207. }
  41208. void FileBrowserComponent::buttonClicked (Button*)
  41209. {
  41210. goUp();
  41211. }
  41212. void FileBrowserComponent::comboBoxChanged (ComboBox*)
  41213. {
  41214. const String newText (currentPathBox->getText().trim().unquoted());
  41215. if (newText.isNotEmpty())
  41216. {
  41217. const int index = currentPathBox->getSelectedId() - 1;
  41218. StringArray rootNames, rootPaths;
  41219. getRoots (rootNames, rootPaths);
  41220. if (rootPaths [index].isNotEmpty())
  41221. {
  41222. setRoot (File (rootPaths [index]));
  41223. }
  41224. else
  41225. {
  41226. File f (newText);
  41227. for (;;)
  41228. {
  41229. if (f.isDirectory())
  41230. {
  41231. setRoot (f);
  41232. break;
  41233. }
  41234. if (f.getParentDirectory() == f)
  41235. break;
  41236. f = f.getParentDirectory();
  41237. }
  41238. }
  41239. }
  41240. }
  41241. const BitArray FileBrowserComponent::getRoots (StringArray& rootNames, StringArray& rootPaths)
  41242. {
  41243. BitArray separators;
  41244. #if JUCE_WIN32
  41245. OwnedArray<File> roots;
  41246. File::findFileSystemRoots (roots);
  41247. rootPaths.clear();
  41248. for (int i = 0; i < roots.size(); ++i)
  41249. {
  41250. const File* const drive = roots.getUnchecked(i);
  41251. String name (drive->getFullPathName());
  41252. rootPaths.add (name);
  41253. if (drive->isOnHardDisk())
  41254. {
  41255. String volume (drive->getVolumeLabel());
  41256. if (volume.isEmpty())
  41257. volume = TRANS("Hard Drive");
  41258. name << " [" << drive->getVolumeLabel() << ']';
  41259. }
  41260. else if (drive->isOnCDRomDrive())
  41261. {
  41262. name << TRANS(" [CD/DVD drive]");
  41263. }
  41264. rootNames.add (name);
  41265. }
  41266. separators.setBit (rootPaths.size());
  41267. rootPaths.add (File::getSpecialLocation (File::userDocumentsDirectory).getFullPathName());
  41268. rootNames.add ("Documents");
  41269. rootPaths.add (File::getSpecialLocation (File::userDesktopDirectory).getFullPathName());
  41270. rootNames.add ("Desktop");
  41271. #endif
  41272. #if JUCE_MAC
  41273. rootPaths.add (File::getSpecialLocation (File::userHomeDirectory).getFullPathName());
  41274. rootNames.add ("Home folder");
  41275. rootPaths.add (File::getSpecialLocation (File::userDocumentsDirectory).getFullPathName());
  41276. rootNames.add ("Documents");
  41277. rootPaths.add (File::getSpecialLocation (File::userDesktopDirectory).getFullPathName());
  41278. rootNames.add ("Desktop");
  41279. separators.setBit (rootPaths.size());
  41280. OwnedArray <File> volumes;
  41281. File vol ("/Volumes");
  41282. vol.findChildFiles (volumes, File::findDirectories, false);
  41283. for (int i = 0; i < volumes.size(); ++i)
  41284. {
  41285. const File* const volume = volumes.getUnchecked(i);
  41286. if (volume->isDirectory() && ! volume->getFileName().startsWithChar (T('.')))
  41287. {
  41288. rootPaths.add (volume->getFullPathName());
  41289. rootNames.add (volume->getFileName());
  41290. }
  41291. }
  41292. #endif
  41293. #if JUCE_LINUX
  41294. rootPaths.add ("/");
  41295. rootNames.add ("/");
  41296. rootPaths.add (File::getSpecialLocation (File::userHomeDirectory).getFullPathName());
  41297. rootNames.add ("Home folder");
  41298. rootPaths.add (File::getSpecialLocation (File::userDesktopDirectory).getFullPathName());
  41299. rootNames.add ("Desktop");
  41300. #endif
  41301. return separators;
  41302. }
  41303. END_JUCE_NAMESPACE
  41304. /********* End of inlined file: juce_FileBrowserComponent.cpp *********/
  41305. /********* Start of inlined file: juce_FileChooser.cpp *********/
  41306. BEGIN_JUCE_NAMESPACE
  41307. FileChooser::FileChooser (const String& chooserBoxTitle,
  41308. const File& currentFileOrDirectory,
  41309. const String& fileFilters,
  41310. const bool useNativeDialogBox_)
  41311. : title (chooserBoxTitle),
  41312. filters (fileFilters),
  41313. startingFile (currentFileOrDirectory),
  41314. useNativeDialogBox (useNativeDialogBox_)
  41315. {
  41316. #if JUCE_LINUX
  41317. useNativeDialogBox = false;
  41318. #endif
  41319. if (fileFilters.trim().isEmpty())
  41320. filters = T("*");
  41321. }
  41322. FileChooser::~FileChooser()
  41323. {
  41324. }
  41325. bool FileChooser::browseForFileToOpen (FilePreviewComponent* previewComponent)
  41326. {
  41327. return showDialog (false, false, false, false, previewComponent);
  41328. }
  41329. bool FileChooser::browseForMultipleFilesToOpen (FilePreviewComponent* previewComponent)
  41330. {
  41331. return showDialog (false, false, false, true, previewComponent);
  41332. }
  41333. bool FileChooser::browseForFileToSave (const bool warnAboutOverwritingExistingFiles)
  41334. {
  41335. return showDialog (false, true, warnAboutOverwritingExistingFiles, false, 0);
  41336. }
  41337. bool FileChooser::browseForDirectory()
  41338. {
  41339. return showDialog (true, false, false, false, 0);
  41340. }
  41341. const File FileChooser::getResult() const
  41342. {
  41343. // if you've used a multiple-file select, you should use the getResults() method
  41344. // to retrieve all the files that were chosen.
  41345. jassert (results.size() <= 1);
  41346. const File* const f = results.getFirst();
  41347. if (f != 0)
  41348. return *f;
  41349. return File::nonexistent;
  41350. }
  41351. const OwnedArray <File>& FileChooser::getResults() const
  41352. {
  41353. return results;
  41354. }
  41355. bool FileChooser::showDialog (const bool isDirectory,
  41356. const bool isSave,
  41357. const bool warnAboutOverwritingExistingFiles,
  41358. const bool selectMultipleFiles,
  41359. FilePreviewComponent* const previewComponent)
  41360. {
  41361. ComponentDeletionWatcher* currentlyFocusedChecker = 0;
  41362. Component* const currentlyFocused = Component::getCurrentlyFocusedComponent();
  41363. if (currentlyFocused != 0)
  41364. currentlyFocusedChecker = new ComponentDeletionWatcher (currentlyFocused);
  41365. results.clear();
  41366. // the preview component needs to be the right size before you pass it in here..
  41367. jassert (previewComponent == 0 || (previewComponent->getWidth() > 10
  41368. && previewComponent->getHeight() > 10));
  41369. #if JUCE_WIN32
  41370. if (useNativeDialogBox)
  41371. #else
  41372. if (useNativeDialogBox && (previewComponent == 0))
  41373. #endif
  41374. {
  41375. showPlatformDialog (results, title, startingFile, filters,
  41376. isDirectory, isSave,
  41377. warnAboutOverwritingExistingFiles,
  41378. selectMultipleFiles,
  41379. previewComponent);
  41380. }
  41381. else
  41382. {
  41383. jassert (! selectMultipleFiles); // not yet implemented for juce dialogs!
  41384. WildcardFileFilter wildcard (filters, String::empty);
  41385. FileBrowserComponent browserComponent (isDirectory ? FileBrowserComponent::chooseDirectoryMode
  41386. : (isSave ? FileBrowserComponent::saveFileMode
  41387. : FileBrowserComponent::loadFileMode),
  41388. startingFile, &wildcard, previewComponent);
  41389. FileChooserDialogBox box (title, String::empty,
  41390. browserComponent,
  41391. warnAboutOverwritingExistingFiles,
  41392. browserComponent.findColour (AlertWindow::backgroundColourId));
  41393. if (box.show())
  41394. results.add (new File (browserComponent.getCurrentFile()));
  41395. }
  41396. if (currentlyFocused != 0 && ! currentlyFocusedChecker->hasBeenDeleted())
  41397. currentlyFocused->grabKeyboardFocus();
  41398. delete currentlyFocusedChecker;
  41399. return results.size() > 0;
  41400. }
  41401. FilePreviewComponent::FilePreviewComponent()
  41402. {
  41403. }
  41404. FilePreviewComponent::~FilePreviewComponent()
  41405. {
  41406. }
  41407. END_JUCE_NAMESPACE
  41408. /********* End of inlined file: juce_FileChooser.cpp *********/
  41409. /********* Start of inlined file: juce_FileChooserDialogBox.cpp *********/
  41410. BEGIN_JUCE_NAMESPACE
  41411. FileChooserDialogBox::FileChooserDialogBox (const String& name,
  41412. const String& instructions,
  41413. FileBrowserComponent& chooserComponent,
  41414. const bool warnAboutOverwritingExistingFiles_,
  41415. const Colour& backgroundColour)
  41416. : ResizableWindow (name, backgroundColour, true),
  41417. warnAboutOverwritingExistingFiles (warnAboutOverwritingExistingFiles_)
  41418. {
  41419. content = new ContentComponent();
  41420. content->setName (name);
  41421. content->instructions = instructions;
  41422. content->chooserComponent = &chooserComponent;
  41423. content->addAndMakeVisible (&chooserComponent);
  41424. content->okButton = new TextButton (chooserComponent.getActionVerb());
  41425. content->addAndMakeVisible (content->okButton);
  41426. content->okButton->addButtonListener (this);
  41427. content->okButton->setEnabled (chooserComponent.currentFileIsValid());
  41428. content->okButton->addShortcut (KeyPress (KeyPress::returnKey, 0, 0));
  41429. content->cancelButton = new TextButton (TRANS("Cancel"));
  41430. content->addAndMakeVisible (content->cancelButton);
  41431. content->cancelButton->addButtonListener (this);
  41432. content->cancelButton->addShortcut (KeyPress (KeyPress::escapeKey, 0, 0));
  41433. setContentComponent (content);
  41434. setResizable (true, true);
  41435. setResizeLimits (300, 300, 1200, 1000);
  41436. content->chooserComponent->addListener (this);
  41437. }
  41438. FileChooserDialogBox::~FileChooserDialogBox()
  41439. {
  41440. content->chooserComponent->removeListener (this);
  41441. }
  41442. bool FileChooserDialogBox::show (int w, int h)
  41443. {
  41444. if (w <= 0)
  41445. {
  41446. Component* const previewComp = content->chooserComponent->getPreviewComponent();
  41447. if (previewComp != 0)
  41448. w = 400 + previewComp->getWidth();
  41449. else
  41450. w = 600;
  41451. }
  41452. if (h <= 0)
  41453. h = 500;
  41454. centreWithSize (w, h);
  41455. const bool ok = (runModalLoop() != 0);
  41456. setVisible (false);
  41457. return ok;
  41458. }
  41459. void FileChooserDialogBox::buttonClicked (Button* button)
  41460. {
  41461. if (button == content->okButton)
  41462. {
  41463. if (warnAboutOverwritingExistingFiles
  41464. && content->chooserComponent->getMode() == FileBrowserComponent::saveFileMode
  41465. && content->chooserComponent->getCurrentFile().exists())
  41466. {
  41467. if (! AlertWindow::showOkCancelBox (AlertWindow::WarningIcon,
  41468. TRANS("File already exists"),
  41469. TRANS("There's already a file called:\n\n")
  41470. + content->chooserComponent->getCurrentFile().getFullPathName()
  41471. + T("\n\nAre you sure you want to overwrite it?"),
  41472. TRANS("overwrite"),
  41473. TRANS("cancel")))
  41474. {
  41475. return;
  41476. }
  41477. }
  41478. exitModalState (1);
  41479. }
  41480. else if (button == content->cancelButton)
  41481. closeButtonPressed();
  41482. }
  41483. void FileChooserDialogBox::closeButtonPressed()
  41484. {
  41485. setVisible (false);
  41486. }
  41487. void FileChooserDialogBox::selectionChanged()
  41488. {
  41489. content->okButton->setEnabled (content->chooserComponent->currentFileIsValid());
  41490. }
  41491. void FileChooserDialogBox::fileClicked (const File&, const MouseEvent&)
  41492. {
  41493. }
  41494. void FileChooserDialogBox::fileDoubleClicked (const File&)
  41495. {
  41496. selectionChanged();
  41497. content->okButton->triggerClick();
  41498. }
  41499. FileChooserDialogBox::ContentComponent::ContentComponent()
  41500. {
  41501. setInterceptsMouseClicks (false, true);
  41502. }
  41503. FileChooserDialogBox::ContentComponent::~ContentComponent()
  41504. {
  41505. delete okButton;
  41506. delete cancelButton;
  41507. }
  41508. void FileChooserDialogBox::ContentComponent::paint (Graphics& g)
  41509. {
  41510. g.setColour (Colours::black);
  41511. text.draw (g);
  41512. }
  41513. void FileChooserDialogBox::ContentComponent::resized()
  41514. {
  41515. getLookAndFeel().createFileChooserHeaderText (getName(), instructions, text, getWidth());
  41516. float left, top, right, bottom;
  41517. text.getBoundingBox (0, text.getNumGlyphs(), left, top, right, bottom, false);
  41518. const int y = roundFloatToInt (bottom) + 10;
  41519. const int buttonHeight = 26;
  41520. const int buttonY = getHeight() - buttonHeight - 8;
  41521. chooserComponent->setBounds (0, y, getWidth(), buttonY - y - 20);
  41522. okButton->setBounds (proportionOfWidth (0.25f), buttonY,
  41523. proportionOfWidth (0.2f), buttonHeight);
  41524. cancelButton->setBounds (proportionOfWidth (0.55f), buttonY,
  41525. proportionOfWidth (0.2f), buttonHeight);
  41526. }
  41527. END_JUCE_NAMESPACE
  41528. /********* End of inlined file: juce_FileChooserDialogBox.cpp *********/
  41529. /********* Start of inlined file: juce_FileFilter.cpp *********/
  41530. BEGIN_JUCE_NAMESPACE
  41531. FileFilter::FileFilter (const String& filterDescription)
  41532. : description (filterDescription)
  41533. {
  41534. }
  41535. FileFilter::~FileFilter()
  41536. {
  41537. }
  41538. const String& FileFilter::getDescription() const throw()
  41539. {
  41540. return description;
  41541. }
  41542. END_JUCE_NAMESPACE
  41543. /********* End of inlined file: juce_FileFilter.cpp *********/
  41544. /********* Start of inlined file: juce_FileListComponent.cpp *********/
  41545. BEGIN_JUCE_NAMESPACE
  41546. Image* juce_createIconForFile (const File& file);
  41547. FileListComponent::FileListComponent (DirectoryContentsList& listToShow)
  41548. : ListBox (String::empty, 0),
  41549. DirectoryContentsDisplayComponent (listToShow)
  41550. {
  41551. setModel (this);
  41552. fileList.addChangeListener (this);
  41553. }
  41554. FileListComponent::~FileListComponent()
  41555. {
  41556. fileList.removeChangeListener (this);
  41557. deleteAllChildren();
  41558. }
  41559. const File FileListComponent::getSelectedFile() const
  41560. {
  41561. return fileList.getFile (getSelectedRow());
  41562. }
  41563. void FileListComponent::scrollToTop()
  41564. {
  41565. getVerticalScrollBar()->setCurrentRangeStart (0);
  41566. }
  41567. void FileListComponent::changeListenerCallback (void*)
  41568. {
  41569. updateContent();
  41570. if (lastDirectory != fileList.getDirectory())
  41571. {
  41572. lastDirectory = fileList.getDirectory();
  41573. deselectAllRows();
  41574. }
  41575. }
  41576. class FileListItemComponent : public Component,
  41577. public TimeSliceClient,
  41578. public AsyncUpdater
  41579. {
  41580. public:
  41581. FileListItemComponent (FileListComponent& owner_,
  41582. TimeSliceThread& thread_) throw()
  41583. : owner (owner_),
  41584. thread (thread_),
  41585. icon (0)
  41586. {
  41587. }
  41588. ~FileListItemComponent() throw()
  41589. {
  41590. thread.removeTimeSliceClient (this);
  41591. clearIcon();
  41592. }
  41593. void paint (Graphics& g)
  41594. {
  41595. getLookAndFeel().drawFileBrowserRow (g, getWidth(), getHeight(),
  41596. file.getFileName(),
  41597. icon,
  41598. fileSize, modTime,
  41599. isDirectory, highlighted,
  41600. index);
  41601. }
  41602. void mouseDown (const MouseEvent& e)
  41603. {
  41604. owner.selectRowsBasedOnModifierKeys (index, e.mods);
  41605. owner.sendMouseClickMessage (file, e);
  41606. }
  41607. void mouseDoubleClick (const MouseEvent&)
  41608. {
  41609. owner.sendDoubleClickMessage (file);
  41610. }
  41611. void update (const File& root,
  41612. const DirectoryContentsList::FileInfo* const fileInfo,
  41613. const int index_,
  41614. const bool highlighted_) throw()
  41615. {
  41616. thread.removeTimeSliceClient (this);
  41617. if (highlighted_ != highlighted
  41618. || index_ != index)
  41619. {
  41620. index = index_;
  41621. highlighted = highlighted_;
  41622. repaint();
  41623. }
  41624. File newFile;
  41625. String newFileSize;
  41626. String newModTime;
  41627. if (fileInfo != 0)
  41628. {
  41629. newFile = root.getChildFile (fileInfo->filename);
  41630. newFileSize = File::descriptionOfSizeInBytes (fileInfo->fileSize);
  41631. newModTime = fileInfo->modificationTime.formatted (T("%d %b '%y %H:%M"));
  41632. }
  41633. if (newFile != file
  41634. || fileSize != newFileSize
  41635. || modTime != newModTime)
  41636. {
  41637. file = newFile;
  41638. fileSize = newFileSize;
  41639. modTime = newModTime;
  41640. isDirectory = fileInfo != 0 && fileInfo->isDirectory;
  41641. repaint();
  41642. clearIcon();
  41643. }
  41644. if (file != File::nonexistent
  41645. && icon == 0 && ! isDirectory)
  41646. {
  41647. updateIcon (true);
  41648. if (icon == 0)
  41649. thread.addTimeSliceClient (this);
  41650. }
  41651. }
  41652. bool useTimeSlice()
  41653. {
  41654. updateIcon (false);
  41655. return false;
  41656. }
  41657. void handleAsyncUpdate()
  41658. {
  41659. repaint();
  41660. }
  41661. juce_UseDebuggingNewOperator
  41662. private:
  41663. FileListComponent& owner;
  41664. TimeSliceThread& thread;
  41665. bool highlighted;
  41666. int index;
  41667. File file;
  41668. String fileSize;
  41669. String modTime;
  41670. Image* icon;
  41671. bool isDirectory;
  41672. void clearIcon() throw()
  41673. {
  41674. ImageCache::release (icon);
  41675. icon = 0;
  41676. }
  41677. void updateIcon (const bool onlyUpdateIfCached) throw()
  41678. {
  41679. if (icon == 0)
  41680. {
  41681. const int hashCode = (file.getFullPathName() + T("_iconCacheSalt")).hashCode();
  41682. Image* im = ImageCache::getFromHashCode (hashCode);
  41683. if (im == 0 && ! onlyUpdateIfCached)
  41684. {
  41685. im = juce_createIconForFile (file);
  41686. if (im != 0)
  41687. ImageCache::addImageToCache (im, hashCode);
  41688. }
  41689. if (im != 0)
  41690. {
  41691. icon = im;
  41692. triggerAsyncUpdate();
  41693. }
  41694. }
  41695. }
  41696. };
  41697. int FileListComponent::getNumRows()
  41698. {
  41699. return fileList.getNumFiles();
  41700. }
  41701. void FileListComponent::paintListBoxItem (int, Graphics&, int, int, bool)
  41702. {
  41703. }
  41704. Component* FileListComponent::refreshComponentForRow (int row, bool isSelected, Component* existingComponentToUpdate)
  41705. {
  41706. FileListItemComponent* comp = dynamic_cast <FileListItemComponent*> (existingComponentToUpdate);
  41707. if (comp == 0)
  41708. {
  41709. delete existingComponentToUpdate;
  41710. existingComponentToUpdate = comp = new FileListItemComponent (*this, fileList.getTimeSliceThread());
  41711. }
  41712. DirectoryContentsList::FileInfo fileInfo;
  41713. if (fileList.getFileInfo (row, fileInfo))
  41714. comp->update (fileList.getDirectory(), &fileInfo, row, isSelected);
  41715. else
  41716. comp->update (fileList.getDirectory(), 0, row, isSelected);
  41717. return comp;
  41718. }
  41719. void FileListComponent::selectedRowsChanged (int /*lastRowSelected*/)
  41720. {
  41721. sendSelectionChangeMessage();
  41722. }
  41723. void FileListComponent::deleteKeyPressed (int /*currentSelectedRow*/)
  41724. {
  41725. }
  41726. void FileListComponent::returnKeyPressed (int currentSelectedRow)
  41727. {
  41728. sendDoubleClickMessage (fileList.getFile (currentSelectedRow));
  41729. }
  41730. END_JUCE_NAMESPACE
  41731. /********* End of inlined file: juce_FileListComponent.cpp *********/
  41732. /********* Start of inlined file: juce_FilenameComponent.cpp *********/
  41733. BEGIN_JUCE_NAMESPACE
  41734. FilenameComponent::FilenameComponent (const String& name,
  41735. const File& currentFile,
  41736. const bool canEditFilename,
  41737. const bool isDirectory,
  41738. const bool isForSaving,
  41739. const String& fileBrowserWildcard,
  41740. const String& enforcedSuffix_,
  41741. const String& textWhenNothingSelected)
  41742. : Component (name),
  41743. maxRecentFiles (30),
  41744. isDir (isDirectory),
  41745. isSaving (isForSaving),
  41746. isFileDragOver (false),
  41747. wildcard (fileBrowserWildcard),
  41748. enforcedSuffix (enforcedSuffix_)
  41749. {
  41750. addAndMakeVisible (filenameBox = new ComboBox (T("fn")));
  41751. filenameBox->setEditableText (canEditFilename);
  41752. filenameBox->addListener (this);
  41753. filenameBox->setTextWhenNothingSelected (textWhenNothingSelected);
  41754. filenameBox->setTextWhenNoChoicesAvailable (TRANS("(no recently seleced files)"));
  41755. browseButton = 0;
  41756. setBrowseButtonText (T("..."));
  41757. setCurrentFile (currentFile, true);
  41758. }
  41759. FilenameComponent::~FilenameComponent()
  41760. {
  41761. deleteAllChildren();
  41762. }
  41763. void FilenameComponent::paintOverChildren (Graphics& g)
  41764. {
  41765. if (isFileDragOver)
  41766. {
  41767. g.setColour (Colours::red.withAlpha (0.2f));
  41768. g.drawRect (0, 0, getWidth(), getHeight(), 3);
  41769. }
  41770. }
  41771. void FilenameComponent::resized()
  41772. {
  41773. getLookAndFeel().layoutFilenameComponent (*this, filenameBox, browseButton);
  41774. }
  41775. void FilenameComponent::setBrowseButtonText (const String& newBrowseButtonText)
  41776. {
  41777. browseButtonText = newBrowseButtonText;
  41778. lookAndFeelChanged();
  41779. }
  41780. void FilenameComponent::lookAndFeelChanged()
  41781. {
  41782. deleteAndZero (browseButton);
  41783. addAndMakeVisible (browseButton = getLookAndFeel().createFilenameComponentBrowseButton (browseButtonText));
  41784. browseButton->setConnectedEdges (Button::ConnectedOnLeft);
  41785. resized();
  41786. browseButton->addButtonListener (this);
  41787. }
  41788. void FilenameComponent::setTooltip (const String& newTooltip)
  41789. {
  41790. SettableTooltipClient::setTooltip (newTooltip);
  41791. filenameBox->setTooltip (newTooltip);
  41792. }
  41793. void FilenameComponent::setDefaultBrowseTarget (const File& newDefaultDirectory) throw()
  41794. {
  41795. defaultBrowseFile = newDefaultDirectory;
  41796. }
  41797. void FilenameComponent::buttonClicked (Button*)
  41798. {
  41799. FileChooser fc (TRANS("Choose a new file"),
  41800. getCurrentFile() == File::nonexistent ? defaultBrowseFile
  41801. : getCurrentFile(),
  41802. wildcard);
  41803. if (isDir ? fc.browseForDirectory()
  41804. : (isSaving ? fc.browseForFileToSave (false)
  41805. : fc.browseForFileToOpen()))
  41806. {
  41807. setCurrentFile (fc.getResult(), true);
  41808. }
  41809. }
  41810. void FilenameComponent::comboBoxChanged (ComboBox*)
  41811. {
  41812. setCurrentFile (getCurrentFile(), true);
  41813. }
  41814. bool FilenameComponent::isInterestedInFileDrag (const StringArray&)
  41815. {
  41816. return true;
  41817. }
  41818. void FilenameComponent::filesDropped (const StringArray& filenames, int, int)
  41819. {
  41820. isFileDragOver = false;
  41821. repaint();
  41822. const File f (filenames[0]);
  41823. if (f.exists() && (f.isDirectory() == isDir))
  41824. setCurrentFile (f, true);
  41825. }
  41826. void FilenameComponent::fileDragEnter (const StringArray&, int, int)
  41827. {
  41828. isFileDragOver = true;
  41829. repaint();
  41830. }
  41831. void FilenameComponent::fileDragExit (const StringArray&)
  41832. {
  41833. isFileDragOver = false;
  41834. repaint();
  41835. }
  41836. const File FilenameComponent::getCurrentFile() const
  41837. {
  41838. File f (filenameBox->getText());
  41839. if (enforcedSuffix.isNotEmpty())
  41840. f = f.withFileExtension (enforcedSuffix);
  41841. return f;
  41842. }
  41843. void FilenameComponent::setCurrentFile (File newFile,
  41844. const bool addToRecentlyUsedList,
  41845. const bool sendChangeNotification)
  41846. {
  41847. if (enforcedSuffix.isNotEmpty())
  41848. newFile = newFile.withFileExtension (enforcedSuffix);
  41849. if (newFile.getFullPathName() != lastFilename)
  41850. {
  41851. lastFilename = newFile.getFullPathName();
  41852. if (addToRecentlyUsedList)
  41853. addRecentlyUsedFile (newFile);
  41854. filenameBox->setText (lastFilename, true);
  41855. if (sendChangeNotification)
  41856. triggerAsyncUpdate();
  41857. }
  41858. }
  41859. void FilenameComponent::setFilenameIsEditable (const bool shouldBeEditable)
  41860. {
  41861. filenameBox->setEditableText (shouldBeEditable);
  41862. }
  41863. const StringArray FilenameComponent::getRecentlyUsedFilenames() const
  41864. {
  41865. StringArray names;
  41866. for (int i = 0; i < filenameBox->getNumItems(); ++i)
  41867. names.add (filenameBox->getItemText (i));
  41868. return names;
  41869. }
  41870. void FilenameComponent::setRecentlyUsedFilenames (const StringArray& filenames)
  41871. {
  41872. if (filenames != getRecentlyUsedFilenames())
  41873. {
  41874. filenameBox->clear();
  41875. for (int i = 0; i < jmin (filenames.size(), maxRecentFiles); ++i)
  41876. filenameBox->addItem (filenames[i], i + 1);
  41877. }
  41878. }
  41879. void FilenameComponent::setMaxNumberOfRecentFiles (const int newMaximum)
  41880. {
  41881. maxRecentFiles = jmax (1, newMaximum);
  41882. setRecentlyUsedFilenames (getRecentlyUsedFilenames());
  41883. }
  41884. void FilenameComponent::addRecentlyUsedFile (const File& file)
  41885. {
  41886. StringArray files (getRecentlyUsedFilenames());
  41887. if (file.getFullPathName().isNotEmpty())
  41888. {
  41889. files.removeString (file.getFullPathName(), true);
  41890. files.insert (0, file.getFullPathName());
  41891. setRecentlyUsedFilenames (files);
  41892. }
  41893. }
  41894. void FilenameComponent::addListener (FilenameComponentListener* const listener) throw()
  41895. {
  41896. jassert (listener != 0);
  41897. if (listener != 0)
  41898. listeners.add (listener);
  41899. }
  41900. void FilenameComponent::removeListener (FilenameComponentListener* const listener) throw()
  41901. {
  41902. listeners.removeValue (listener);
  41903. }
  41904. void FilenameComponent::handleAsyncUpdate()
  41905. {
  41906. for (int i = listeners.size(); --i >= 0;)
  41907. {
  41908. ((FilenameComponentListener*) listeners.getUnchecked (i))->filenameComponentChanged (this);
  41909. i = jmin (i, listeners.size());
  41910. }
  41911. }
  41912. END_JUCE_NAMESPACE
  41913. /********* End of inlined file: juce_FilenameComponent.cpp *********/
  41914. /********* Start of inlined file: juce_FileSearchPathListComponent.cpp *********/
  41915. BEGIN_JUCE_NAMESPACE
  41916. FileSearchPathListComponent::FileSearchPathListComponent()
  41917. {
  41918. addAndMakeVisible (listBox = new ListBox (String::empty, this));
  41919. listBox->setColour (ListBox::backgroundColourId, Colours::black.withAlpha (0.02f));
  41920. listBox->setColour (ListBox::outlineColourId, Colours::black.withAlpha (0.1f));
  41921. listBox->setOutlineThickness (1);
  41922. addAndMakeVisible (addButton = new TextButton ("+"));
  41923. addButton->addButtonListener (this);
  41924. addButton->setConnectedEdges (Button::ConnectedOnLeft | Button::ConnectedOnRight | Button::ConnectedOnBottom | Button::ConnectedOnTop);
  41925. addAndMakeVisible (removeButton = new TextButton ("-"));
  41926. removeButton->addButtonListener (this);
  41927. removeButton->setConnectedEdges (Button::ConnectedOnLeft | Button::ConnectedOnRight | Button::ConnectedOnBottom | Button::ConnectedOnTop);
  41928. addAndMakeVisible (changeButton = new TextButton (TRANS("change...")));
  41929. changeButton->addButtonListener (this);
  41930. addAndMakeVisible (upButton = new DrawableButton (String::empty, DrawableButton::ImageOnButtonBackground));
  41931. upButton->addButtonListener (this);
  41932. {
  41933. Path arrowPath;
  41934. arrowPath.addArrow (50.0f, 100.0f, 50.0f, 0.0, 40.0f, 100.0f, 50.0f);
  41935. DrawablePath arrowImage;
  41936. arrowImage.setSolidFill (Colours::black.withAlpha (0.4f));
  41937. arrowImage.setPath (arrowPath);
  41938. ((DrawableButton*) upButton)->setImages (&arrowImage);
  41939. }
  41940. addAndMakeVisible (downButton = new DrawableButton (String::empty, DrawableButton::ImageOnButtonBackground));
  41941. downButton->addButtonListener (this);
  41942. {
  41943. Path arrowPath;
  41944. arrowPath.addArrow (50.0f, 0.0f, 50.0f, 100.0f, 40.0f, 100.0f, 50.0f);
  41945. DrawablePath arrowImage;
  41946. arrowImage.setSolidFill (Colours::black.withAlpha (0.4f));
  41947. arrowImage.setPath (arrowPath);
  41948. ((DrawableButton*) downButton)->setImages (&arrowImage);
  41949. }
  41950. updateButtons();
  41951. }
  41952. FileSearchPathListComponent::~FileSearchPathListComponent()
  41953. {
  41954. deleteAllChildren();
  41955. }
  41956. void FileSearchPathListComponent::updateButtons() throw()
  41957. {
  41958. const bool anythingSelected = listBox->getNumSelectedRows() > 0;
  41959. removeButton->setEnabled (anythingSelected);
  41960. changeButton->setEnabled (anythingSelected);
  41961. upButton->setEnabled (anythingSelected);
  41962. downButton->setEnabled (anythingSelected);
  41963. }
  41964. void FileSearchPathListComponent::changed() throw()
  41965. {
  41966. listBox->updateContent();
  41967. listBox->repaint();
  41968. updateButtons();
  41969. }
  41970. void FileSearchPathListComponent::setPath (const FileSearchPath& newPath)
  41971. {
  41972. if (newPath.toString() != path.toString())
  41973. {
  41974. path = newPath;
  41975. changed();
  41976. }
  41977. }
  41978. void FileSearchPathListComponent::setDefaultBrowseTarget (const File& newDefaultDirectory) throw()
  41979. {
  41980. defaultBrowseTarget = newDefaultDirectory;
  41981. }
  41982. int FileSearchPathListComponent::getNumRows()
  41983. {
  41984. return path.getNumPaths();
  41985. }
  41986. void FileSearchPathListComponent::paintListBoxItem (int rowNumber, Graphics& g, int width, int height, bool rowIsSelected)
  41987. {
  41988. if (rowIsSelected)
  41989. g.fillAll (findColour (TextEditor::highlightColourId));
  41990. g.setColour (findColour (ListBox::textColourId));
  41991. Font f (height * 0.7f);
  41992. f.setHorizontalScale (0.9f);
  41993. g.setFont (f);
  41994. g.drawText (path [rowNumber].getFullPathName(),
  41995. 4, 0, width - 6, height,
  41996. Justification::centredLeft, true);
  41997. }
  41998. void FileSearchPathListComponent::deleteKeyPressed (int row)
  41999. {
  42000. if (((unsigned int) row) < (unsigned int) path.getNumPaths())
  42001. {
  42002. path.remove (row);
  42003. changed();
  42004. }
  42005. }
  42006. void FileSearchPathListComponent::returnKeyPressed (int row)
  42007. {
  42008. FileChooser chooser (TRANS("Change folder..."), path [row], T("*"));
  42009. if (chooser.browseForDirectory())
  42010. {
  42011. path.remove (row);
  42012. path.add (chooser.getResult(), row);
  42013. changed();
  42014. }
  42015. }
  42016. void FileSearchPathListComponent::listBoxItemDoubleClicked (int row, const MouseEvent&)
  42017. {
  42018. returnKeyPressed (row);
  42019. }
  42020. void FileSearchPathListComponent::selectedRowsChanged (int)
  42021. {
  42022. updateButtons();
  42023. }
  42024. void FileSearchPathListComponent::paint (Graphics& g)
  42025. {
  42026. g.fillAll (findColour (backgroundColourId));
  42027. }
  42028. void FileSearchPathListComponent::resized()
  42029. {
  42030. const int buttonH = 22;
  42031. const int buttonY = getHeight() - buttonH - 4;
  42032. listBox->setBounds (2, 2, getWidth() - 4, buttonY - 5);
  42033. addButton->setBounds (2, buttonY, buttonH, buttonH);
  42034. removeButton->setBounds (addButton->getRight(), buttonY, buttonH, buttonH);
  42035. ((TextButton*) changeButton)->changeWidthToFitText (buttonH);
  42036. downButton->setSize (buttonH * 2, buttonH);
  42037. upButton->setSize (buttonH * 2, buttonH);
  42038. downButton->setTopRightPosition (getWidth() - 2, buttonY);
  42039. upButton->setTopRightPosition (downButton->getX() - 4, buttonY);
  42040. changeButton->setTopRightPosition (upButton->getX() - 8, buttonY);
  42041. }
  42042. bool FileSearchPathListComponent::isInterestedInFileDrag (const StringArray&)
  42043. {
  42044. return true;
  42045. }
  42046. void FileSearchPathListComponent::filesDropped (const StringArray& filenames, int, int mouseY)
  42047. {
  42048. for (int i = filenames.size(); --i >= 0;)
  42049. {
  42050. const File f (filenames[i]);
  42051. if (f.isDirectory())
  42052. {
  42053. const int row = listBox->getRowContainingPosition (0, mouseY - listBox->getY());
  42054. path.add (f, row);
  42055. changed();
  42056. }
  42057. }
  42058. }
  42059. void FileSearchPathListComponent::buttonClicked (Button* button)
  42060. {
  42061. const int currentRow = listBox->getSelectedRow();
  42062. if (button == removeButton)
  42063. {
  42064. deleteKeyPressed (currentRow);
  42065. }
  42066. else if (button == addButton)
  42067. {
  42068. File start (defaultBrowseTarget);
  42069. if (start == File::nonexistent)
  42070. start = path [0];
  42071. if (start == File::nonexistent)
  42072. start = File::getCurrentWorkingDirectory();
  42073. FileChooser chooser (TRANS("Add a folder..."), start, T("*"));
  42074. if (chooser.browseForDirectory())
  42075. {
  42076. path.add (chooser.getResult(), currentRow);
  42077. }
  42078. }
  42079. else if (button == changeButton)
  42080. {
  42081. returnKeyPressed (currentRow);
  42082. }
  42083. else if (button == upButton)
  42084. {
  42085. if (currentRow > 0 && currentRow < path.getNumPaths())
  42086. {
  42087. const File f (path[currentRow]);
  42088. path.remove (currentRow);
  42089. path.add (f, currentRow - 1);
  42090. listBox->selectRow (currentRow - 1);
  42091. }
  42092. }
  42093. else if (button == downButton)
  42094. {
  42095. if (currentRow >= 0 && currentRow < path.getNumPaths() - 1)
  42096. {
  42097. const File f (path[currentRow]);
  42098. path.remove (currentRow);
  42099. path.add (f, currentRow + 1);
  42100. listBox->selectRow (currentRow + 1);
  42101. }
  42102. }
  42103. changed();
  42104. }
  42105. END_JUCE_NAMESPACE
  42106. /********* End of inlined file: juce_FileSearchPathListComponent.cpp *********/
  42107. /********* Start of inlined file: juce_FileTreeComponent.cpp *********/
  42108. BEGIN_JUCE_NAMESPACE
  42109. Image* juce_createIconForFile (const File& file);
  42110. class FileListTreeItem : public TreeViewItem,
  42111. public TimeSliceClient,
  42112. public AsyncUpdater,
  42113. public ChangeListener
  42114. {
  42115. public:
  42116. FileListTreeItem (FileTreeComponent& owner_,
  42117. DirectoryContentsList* const parentContentsList_,
  42118. const int indexInContentsList_,
  42119. const File& file_,
  42120. TimeSliceThread& thread_) throw()
  42121. : file (file_),
  42122. owner (owner_),
  42123. parentContentsList (parentContentsList_),
  42124. indexInContentsList (indexInContentsList_),
  42125. subContentsList (0),
  42126. canDeleteSubContentsList (false),
  42127. thread (thread_),
  42128. icon (0)
  42129. {
  42130. DirectoryContentsList::FileInfo fileInfo;
  42131. if (parentContentsList_ != 0
  42132. && parentContentsList_->getFileInfo (indexInContentsList_, fileInfo))
  42133. {
  42134. fileSize = File::descriptionOfSizeInBytes (fileInfo.fileSize);
  42135. modTime = fileInfo.modificationTime.formatted (T("%d %b '%y %H:%M"));
  42136. isDirectory = fileInfo.isDirectory;
  42137. }
  42138. else
  42139. {
  42140. isDirectory = true;
  42141. }
  42142. }
  42143. ~FileListTreeItem() throw()
  42144. {
  42145. thread.removeTimeSliceClient (this);
  42146. clearSubItems();
  42147. ImageCache::release (icon);
  42148. if (canDeleteSubContentsList)
  42149. delete subContentsList;
  42150. }
  42151. bool mightContainSubItems() { return isDirectory; }
  42152. const String getUniqueName() const { return file.getFullPathName(); }
  42153. int getItemHeight() const { return 22; }
  42154. const String getDragSourceDescription() { return owner.getDragAndDropDescription(); }
  42155. void itemOpennessChanged (bool isNowOpen)
  42156. {
  42157. if (isNowOpen)
  42158. {
  42159. clearSubItems();
  42160. isDirectory = file.isDirectory();
  42161. if (isDirectory)
  42162. {
  42163. if (subContentsList == 0)
  42164. {
  42165. jassert (parentContentsList != 0);
  42166. DirectoryContentsList* const l = new DirectoryContentsList (parentContentsList->getFilter(), thread);
  42167. l->setDirectory (file, true, true);
  42168. setSubContentsList (l);
  42169. canDeleteSubContentsList = true;
  42170. }
  42171. changeListenerCallback (0);
  42172. }
  42173. }
  42174. }
  42175. void setSubContentsList (DirectoryContentsList* newList) throw()
  42176. {
  42177. jassert (subContentsList == 0);
  42178. subContentsList = newList;
  42179. newList->addChangeListener (this);
  42180. }
  42181. void changeListenerCallback (void*)
  42182. {
  42183. clearSubItems();
  42184. if (isOpen() && subContentsList != 0)
  42185. {
  42186. for (int i = 0; i < subContentsList->getNumFiles(); ++i)
  42187. {
  42188. FileListTreeItem* const item
  42189. = new FileListTreeItem (owner, subContentsList, i, subContentsList->getFile(i), thread);
  42190. addSubItem (item);
  42191. }
  42192. }
  42193. }
  42194. void paintItem (Graphics& g, int width, int height)
  42195. {
  42196. if (file != File::nonexistent && ! isDirectory)
  42197. {
  42198. updateIcon (true);
  42199. if (icon == 0)
  42200. thread.addTimeSliceClient (this);
  42201. }
  42202. owner.getLookAndFeel()
  42203. .drawFileBrowserRow (g, width, height,
  42204. file.getFileName(),
  42205. icon,
  42206. fileSize, modTime,
  42207. isDirectory, isSelected(),
  42208. indexInContentsList);
  42209. }
  42210. void itemClicked (const MouseEvent& e)
  42211. {
  42212. owner.sendMouseClickMessage (file, e);
  42213. }
  42214. void itemDoubleClicked (const MouseEvent& e)
  42215. {
  42216. TreeViewItem::itemDoubleClicked (e);
  42217. owner.sendDoubleClickMessage (file);
  42218. }
  42219. void itemSelectionChanged (bool)
  42220. {
  42221. owner.sendSelectionChangeMessage();
  42222. }
  42223. bool useTimeSlice()
  42224. {
  42225. updateIcon (false);
  42226. thread.removeTimeSliceClient (this);
  42227. return false;
  42228. }
  42229. void handleAsyncUpdate()
  42230. {
  42231. owner.repaint();
  42232. }
  42233. const File file;
  42234. juce_UseDebuggingNewOperator
  42235. private:
  42236. FileTreeComponent& owner;
  42237. DirectoryContentsList* parentContentsList;
  42238. int indexInContentsList;
  42239. DirectoryContentsList* subContentsList;
  42240. bool isDirectory, canDeleteSubContentsList;
  42241. TimeSliceThread& thread;
  42242. Image* icon;
  42243. String fileSize;
  42244. String modTime;
  42245. void updateIcon (const bool onlyUpdateIfCached) throw()
  42246. {
  42247. if (icon == 0)
  42248. {
  42249. const int hashCode = (file.getFullPathName() + T("_iconCacheSalt")).hashCode();
  42250. Image* im = ImageCache::getFromHashCode (hashCode);
  42251. if (im == 0 && ! onlyUpdateIfCached)
  42252. {
  42253. im = juce_createIconForFile (file);
  42254. if (im != 0)
  42255. ImageCache::addImageToCache (im, hashCode);
  42256. }
  42257. if (im != 0)
  42258. {
  42259. icon = im;
  42260. triggerAsyncUpdate();
  42261. }
  42262. }
  42263. }
  42264. };
  42265. FileTreeComponent::FileTreeComponent (DirectoryContentsList& listToShow)
  42266. : DirectoryContentsDisplayComponent (listToShow)
  42267. {
  42268. FileListTreeItem* const root
  42269. = new FileListTreeItem (*this, 0, 0, listToShow.getDirectory(),
  42270. listToShow.getTimeSliceThread());
  42271. root->setSubContentsList (&listToShow);
  42272. setRootItemVisible (false);
  42273. setRootItem (root);
  42274. }
  42275. FileTreeComponent::~FileTreeComponent()
  42276. {
  42277. TreeViewItem* const root = getRootItem();
  42278. setRootItem (0);
  42279. delete root;
  42280. }
  42281. const File FileTreeComponent::getSelectedFile() const
  42282. {
  42283. return getSelectedFile (0);
  42284. }
  42285. const File FileTreeComponent::getSelectedFile (const int index) const throw()
  42286. {
  42287. const FileListTreeItem* const item = dynamic_cast <const FileListTreeItem*> (getSelectedItem (index));
  42288. if (item != 0)
  42289. return item->file;
  42290. return File::nonexistent;
  42291. }
  42292. void FileTreeComponent::scrollToTop()
  42293. {
  42294. getViewport()->getVerticalScrollBar()->setCurrentRangeStart (0);
  42295. }
  42296. void FileTreeComponent::setDragAndDropDescription (const String& description) throw()
  42297. {
  42298. dragAndDropDescription = description;
  42299. }
  42300. END_JUCE_NAMESPACE
  42301. /********* End of inlined file: juce_FileTreeComponent.cpp *********/
  42302. /********* Start of inlined file: juce_ImagePreviewComponent.cpp *********/
  42303. BEGIN_JUCE_NAMESPACE
  42304. ImagePreviewComponent::ImagePreviewComponent()
  42305. : currentThumbnail (0)
  42306. {
  42307. }
  42308. ImagePreviewComponent::~ImagePreviewComponent()
  42309. {
  42310. delete currentThumbnail;
  42311. }
  42312. void ImagePreviewComponent::getThumbSize (int& w, int& h) const
  42313. {
  42314. const int availableW = proportionOfWidth (0.97f);
  42315. const int availableH = getHeight() - 13 * 4;
  42316. const double scale = jmin (1.0,
  42317. availableW / (double) w,
  42318. availableH / (double) h);
  42319. w = roundDoubleToInt (scale * w);
  42320. h = roundDoubleToInt (scale * h);
  42321. }
  42322. void ImagePreviewComponent::selectedFileChanged (const File& file)
  42323. {
  42324. if (fileToLoad != file)
  42325. {
  42326. fileToLoad = file;
  42327. startTimer (100);
  42328. }
  42329. }
  42330. void ImagePreviewComponent::timerCallback()
  42331. {
  42332. stopTimer();
  42333. deleteAndZero (currentThumbnail);
  42334. currentDetails = String::empty;
  42335. repaint();
  42336. FileInputStream* const in = fileToLoad.createInputStream();
  42337. if (in != 0)
  42338. {
  42339. ImageFileFormat* const format = ImageFileFormat::findImageFormatForStream (*in);
  42340. if (format != 0)
  42341. {
  42342. currentThumbnail = format->decodeImage (*in);
  42343. if (currentThumbnail != 0)
  42344. {
  42345. int w = currentThumbnail->getWidth();
  42346. int h = currentThumbnail->getHeight();
  42347. currentDetails
  42348. << fileToLoad.getFileName() << "\n"
  42349. << format->getFormatName() << "\n"
  42350. << w << " x " << h << " pixels\n"
  42351. << File::descriptionOfSizeInBytes (fileToLoad.getSize());
  42352. getThumbSize (w, h);
  42353. Image* const reduced = currentThumbnail->createCopy (w, h);
  42354. delete currentThumbnail;
  42355. currentThumbnail = reduced;
  42356. }
  42357. }
  42358. delete in;
  42359. }
  42360. }
  42361. void ImagePreviewComponent::paint (Graphics& g)
  42362. {
  42363. if (currentThumbnail != 0)
  42364. {
  42365. g.setFont (13.0f);
  42366. int w = currentThumbnail->getWidth();
  42367. int h = currentThumbnail->getHeight();
  42368. getThumbSize (w, h);
  42369. const int numLines = 4;
  42370. const int totalH = 13 * numLines + h + 4;
  42371. const int y = (getHeight() - totalH) / 2;
  42372. g.drawImageWithin (currentThumbnail,
  42373. (getWidth() - w) / 2, y, w, h,
  42374. RectanglePlacement::centred | RectanglePlacement::onlyReduceInSize,
  42375. false);
  42376. g.drawFittedText (currentDetails,
  42377. 0, y + h + 4, getWidth(), 100,
  42378. Justification::centredTop, numLines);
  42379. }
  42380. }
  42381. END_JUCE_NAMESPACE
  42382. /********* End of inlined file: juce_ImagePreviewComponent.cpp *********/
  42383. /********* Start of inlined file: juce_WildcardFileFilter.cpp *********/
  42384. BEGIN_JUCE_NAMESPACE
  42385. WildcardFileFilter::WildcardFileFilter (const String& wildcardPatterns,
  42386. const String& description)
  42387. : FileFilter (description.isEmpty() ? wildcardPatterns
  42388. : (description + T(" (") + wildcardPatterns + T(")")))
  42389. {
  42390. wildcards.addTokens (wildcardPatterns.toLowerCase(), T(";,"), T("\"'"));
  42391. wildcards.trim();
  42392. wildcards.removeEmptyStrings();
  42393. // special case for *.*, because people use it to mean "any file", but it
  42394. // would actually ignore files with no extension.
  42395. for (int i = wildcards.size(); --i >= 0;)
  42396. if (wildcards[i] == T("*.*"))
  42397. wildcards.set (i, T("*"));
  42398. }
  42399. WildcardFileFilter::~WildcardFileFilter()
  42400. {
  42401. }
  42402. bool WildcardFileFilter::isFileSuitable (const File& file) const
  42403. {
  42404. const String filename (file.getFileName());
  42405. for (int i = wildcards.size(); --i >= 0;)
  42406. if (filename.matchesWildcard (wildcards[i], true))
  42407. return true;
  42408. return false;
  42409. }
  42410. bool WildcardFileFilter::isDirectorySuitable (const File&) const
  42411. {
  42412. return true;
  42413. }
  42414. END_JUCE_NAMESPACE
  42415. /********* End of inlined file: juce_WildcardFileFilter.cpp *********/
  42416. /********* Start of inlined file: juce_KeyboardFocusTraverser.cpp *********/
  42417. BEGIN_JUCE_NAMESPACE
  42418. KeyboardFocusTraverser::KeyboardFocusTraverser()
  42419. {
  42420. }
  42421. KeyboardFocusTraverser::~KeyboardFocusTraverser()
  42422. {
  42423. }
  42424. // This will sort a set of components, so that they are ordered in terms of
  42425. // left-to-right and then top-to-bottom.
  42426. class ScreenPositionComparator
  42427. {
  42428. public:
  42429. ScreenPositionComparator() {}
  42430. static int compareElements (const Component* const first, const Component* const second) throw()
  42431. {
  42432. int explicitOrder1 = first->getExplicitFocusOrder();
  42433. if (explicitOrder1 <= 0)
  42434. explicitOrder1 = INT_MAX / 2;
  42435. int explicitOrder2 = second->getExplicitFocusOrder();
  42436. if (explicitOrder2 <= 0)
  42437. explicitOrder2 = INT_MAX / 2;
  42438. if (explicitOrder1 != explicitOrder2)
  42439. return explicitOrder1 - explicitOrder2;
  42440. const int diff = first->getY() - second->getY();
  42441. return (diff == 0) ? first->getX() - second->getX()
  42442. : diff;
  42443. }
  42444. };
  42445. static void findAllFocusableComponents (Component* const parent, Array <Component*>& comps)
  42446. {
  42447. if (parent->getNumChildComponents() > 0)
  42448. {
  42449. Array <Component*> localComps;
  42450. ScreenPositionComparator comparator;
  42451. int i;
  42452. for (i = parent->getNumChildComponents(); --i >= 0;)
  42453. {
  42454. Component* const c = parent->getChildComponent (i);
  42455. if (c->isVisible() && c->isEnabled())
  42456. localComps.addSorted (comparator, c);
  42457. }
  42458. for (i = 0; i < localComps.size(); ++i)
  42459. {
  42460. Component* const c = localComps.getUnchecked (i);
  42461. if (c->getWantsKeyboardFocus())
  42462. comps.add (c);
  42463. if (! c->isFocusContainer())
  42464. findAllFocusableComponents (c, comps);
  42465. }
  42466. }
  42467. }
  42468. static Component* getIncrementedComponent (Component* const current, const int delta) throw()
  42469. {
  42470. Component* focusContainer = current->getParentComponent();
  42471. if (focusContainer != 0)
  42472. {
  42473. while (focusContainer->getParentComponent() != 0 && ! focusContainer->isFocusContainer())
  42474. focusContainer = focusContainer->getParentComponent();
  42475. if (focusContainer != 0)
  42476. {
  42477. Array <Component*> comps;
  42478. findAllFocusableComponents (focusContainer, comps);
  42479. if (comps.size() > 0)
  42480. {
  42481. const int index = comps.indexOf (current);
  42482. return comps [(index + comps.size() + delta) % comps.size()];
  42483. }
  42484. }
  42485. }
  42486. return 0;
  42487. }
  42488. Component* KeyboardFocusTraverser::getNextComponent (Component* current)
  42489. {
  42490. return getIncrementedComponent (current, 1);
  42491. }
  42492. Component* KeyboardFocusTraverser::getPreviousComponent (Component* current)
  42493. {
  42494. return getIncrementedComponent (current, -1);
  42495. }
  42496. Component* KeyboardFocusTraverser::getDefaultComponent (Component* parentComponent)
  42497. {
  42498. Array <Component*> comps;
  42499. if (parentComponent != 0)
  42500. findAllFocusableComponents (parentComponent, comps);
  42501. return comps.getFirst();
  42502. }
  42503. END_JUCE_NAMESPACE
  42504. /********* End of inlined file: juce_KeyboardFocusTraverser.cpp *********/
  42505. /********* Start of inlined file: juce_KeyListener.cpp *********/
  42506. BEGIN_JUCE_NAMESPACE
  42507. bool KeyListener::keyStateChanged (Component*)
  42508. {
  42509. return false;
  42510. }
  42511. END_JUCE_NAMESPACE
  42512. /********* End of inlined file: juce_KeyListener.cpp *********/
  42513. /********* Start of inlined file: juce_KeyMappingEditorComponent.cpp *********/
  42514. BEGIN_JUCE_NAMESPACE
  42515. // N.B. these two includes are put here deliberately to avoid problems with
  42516. // old GCCs failing on long include paths
  42517. const int maxKeys = 3;
  42518. class KeyMappingChangeButton : public Button
  42519. {
  42520. public:
  42521. KeyMappingChangeButton (KeyMappingEditorComponent* const owner_,
  42522. const CommandID commandID_,
  42523. const String& keyName,
  42524. const int keyNum_)
  42525. : Button (keyName),
  42526. owner (owner_),
  42527. commandID (commandID_),
  42528. keyNum (keyNum_)
  42529. {
  42530. setWantsKeyboardFocus (false);
  42531. setTriggeredOnMouseDown (keyNum >= 0);
  42532. if (keyNum_ < 0)
  42533. setTooltip (TRANS("adds a new key-mapping"));
  42534. else
  42535. setTooltip (TRANS("click to change this key-mapping"));
  42536. }
  42537. ~KeyMappingChangeButton()
  42538. {
  42539. }
  42540. void paintButton (Graphics& g, bool isOver, bool isDown)
  42541. {
  42542. if (keyNum >= 0)
  42543. {
  42544. if (isEnabled())
  42545. {
  42546. const float alpha = isDown ? 0.3f : (isOver ? 0.15f : 0.08f);
  42547. g.fillAll (owner->textColour.withAlpha (alpha));
  42548. g.setOpacity (0.3f);
  42549. g.drawBevel (0, 0, getWidth(), getHeight(), 2);
  42550. }
  42551. g.setColour (owner->textColour);
  42552. g.setFont (getHeight() * 0.6f);
  42553. g.drawFittedText (getName(),
  42554. 3, 0, getWidth() - 6, getHeight(),
  42555. Justification::centred, 1);
  42556. }
  42557. else
  42558. {
  42559. const float thickness = 7.0f;
  42560. const float indent = 22.0f;
  42561. Path p;
  42562. p.addEllipse (0.0f, 0.0f, 100.0f, 100.0f);
  42563. p.addRectangle (indent, 50.0f - thickness, 100.0f - indent * 2.0f, thickness * 2.0f);
  42564. p.addRectangle (50.0f - thickness, indent, thickness * 2.0f, 50.0f - indent - thickness);
  42565. p.addRectangle (50.0f - thickness, 50.0f + thickness, thickness * 2.0f, 50.0f - indent - thickness);
  42566. p.setUsingNonZeroWinding (false);
  42567. g.setColour (owner->textColour.withAlpha (isDown ? 0.7f : (isOver ? 0.5f : 0.3f)));
  42568. g.fillPath (p, p.getTransformToScaleToFit (2.0f, 2.0f, getWidth() - 4.0f, getHeight() - 4.0f, true));
  42569. }
  42570. if (hasKeyboardFocus (false))
  42571. {
  42572. g.setColour (owner->textColour.withAlpha (0.4f));
  42573. g.drawRect (0, 0, getWidth(), getHeight());
  42574. }
  42575. }
  42576. void clicked()
  42577. {
  42578. if (keyNum >= 0)
  42579. {
  42580. // existing key clicked..
  42581. PopupMenu m;
  42582. m.addItem (1, TRANS("change this key-mapping"));
  42583. m.addSeparator();
  42584. m.addItem (2, TRANS("remove this key-mapping"));
  42585. const int res = m.show();
  42586. if (res == 1)
  42587. {
  42588. owner->assignNewKey (commandID, keyNum);
  42589. }
  42590. else if (res == 2)
  42591. {
  42592. owner->getMappings()->removeKeyPress (commandID, keyNum);
  42593. }
  42594. }
  42595. else
  42596. {
  42597. // + button pressed..
  42598. owner->assignNewKey (commandID, -1);
  42599. }
  42600. }
  42601. void fitToContent (const int h) throw()
  42602. {
  42603. if (keyNum < 0)
  42604. {
  42605. setSize (h, h);
  42606. }
  42607. else
  42608. {
  42609. Font f (h * 0.6f);
  42610. setSize (jlimit (h * 4, h * 8, 6 + f.getStringWidth (getName())), h);
  42611. }
  42612. }
  42613. juce_UseDebuggingNewOperator
  42614. private:
  42615. KeyMappingEditorComponent* const owner;
  42616. const CommandID commandID;
  42617. const int keyNum;
  42618. KeyMappingChangeButton (const KeyMappingChangeButton&);
  42619. const KeyMappingChangeButton& operator= (const KeyMappingChangeButton&);
  42620. };
  42621. class KeyMappingItemComponent : public Component
  42622. {
  42623. public:
  42624. KeyMappingItemComponent (KeyMappingEditorComponent* const owner_,
  42625. const CommandID commandID_)
  42626. : owner (owner_),
  42627. commandID (commandID_)
  42628. {
  42629. setInterceptsMouseClicks (false, true);
  42630. const bool isReadOnly = owner_->isCommandReadOnly (commandID);
  42631. const Array <KeyPress> keyPresses (owner_->getMappings()->getKeyPressesAssignedToCommand (commandID));
  42632. for (int i = 0; i < jmin (maxKeys, keyPresses.size()); ++i)
  42633. {
  42634. KeyMappingChangeButton* const kb
  42635. = new KeyMappingChangeButton (owner_, commandID,
  42636. owner_->getDescriptionForKeyPress (keyPresses.getReference (i)), i);
  42637. kb->setEnabled (! isReadOnly);
  42638. addAndMakeVisible (kb);
  42639. }
  42640. KeyMappingChangeButton* const kb
  42641. = new KeyMappingChangeButton (owner_, commandID, String::empty, -1);
  42642. addChildComponent (kb);
  42643. kb->setVisible (keyPresses.size() < maxKeys && ! isReadOnly);
  42644. }
  42645. ~KeyMappingItemComponent()
  42646. {
  42647. deleteAllChildren();
  42648. }
  42649. void paint (Graphics& g)
  42650. {
  42651. g.setFont (getHeight() * 0.7f);
  42652. g.setColour (owner->textColour);
  42653. g.drawFittedText (owner->getMappings()->getCommandManager()->getNameOfCommand (commandID),
  42654. 4, 0, jmax (40, getChildComponent (0)->getX() - 5), getHeight(),
  42655. Justification::centredLeft, true);
  42656. }
  42657. void resized()
  42658. {
  42659. int x = getWidth() - 4;
  42660. for (int i = getNumChildComponents(); --i >= 0;)
  42661. {
  42662. KeyMappingChangeButton* const kb = dynamic_cast <KeyMappingChangeButton*> (getChildComponent (i));
  42663. kb->fitToContent (getHeight() - 2);
  42664. kb->setTopRightPosition (x, 1);
  42665. x -= kb->getWidth() + 5;
  42666. }
  42667. }
  42668. juce_UseDebuggingNewOperator
  42669. private:
  42670. KeyMappingEditorComponent* const owner;
  42671. const CommandID commandID;
  42672. KeyMappingItemComponent (const KeyMappingItemComponent&);
  42673. const KeyMappingItemComponent& operator= (const KeyMappingItemComponent&);
  42674. };
  42675. class KeyMappingTreeViewItem : public TreeViewItem
  42676. {
  42677. public:
  42678. KeyMappingTreeViewItem (KeyMappingEditorComponent* const owner_,
  42679. const CommandID commandID_)
  42680. : owner (owner_),
  42681. commandID (commandID_)
  42682. {
  42683. }
  42684. ~KeyMappingTreeViewItem()
  42685. {
  42686. }
  42687. const String getUniqueName() const { return String ((int) commandID) + "_id"; }
  42688. bool mightContainSubItems() { return false; }
  42689. int getItemHeight() const { return 20; }
  42690. Component* createItemComponent()
  42691. {
  42692. return new KeyMappingItemComponent (owner, commandID);
  42693. }
  42694. juce_UseDebuggingNewOperator
  42695. private:
  42696. KeyMappingEditorComponent* const owner;
  42697. const CommandID commandID;
  42698. KeyMappingTreeViewItem (const KeyMappingTreeViewItem&);
  42699. const KeyMappingTreeViewItem& operator= (const KeyMappingTreeViewItem&);
  42700. };
  42701. class KeyCategoryTreeViewItem : public TreeViewItem
  42702. {
  42703. public:
  42704. KeyCategoryTreeViewItem (KeyMappingEditorComponent* const owner_,
  42705. const String& name)
  42706. : owner (owner_),
  42707. categoryName (name)
  42708. {
  42709. }
  42710. ~KeyCategoryTreeViewItem()
  42711. {
  42712. }
  42713. const String getUniqueName() const { return categoryName + "_cat"; }
  42714. bool mightContainSubItems() { return true; }
  42715. int getItemHeight() const { return 28; }
  42716. void paintItem (Graphics& g, int width, int height)
  42717. {
  42718. g.setFont (height * 0.6f, Font::bold);
  42719. g.setColour (owner->textColour);
  42720. g.drawText (categoryName,
  42721. 2, 0, width - 2, height,
  42722. Justification::centredLeft, true);
  42723. }
  42724. void itemOpennessChanged (bool isNowOpen)
  42725. {
  42726. if (isNowOpen)
  42727. {
  42728. if (getNumSubItems() == 0)
  42729. {
  42730. Array <CommandID> commands (owner->getMappings()->getCommandManager()->getCommandsInCategory (categoryName));
  42731. for (int i = 0; i < commands.size(); ++i)
  42732. {
  42733. if (owner->shouldCommandBeIncluded (commands[i]))
  42734. addSubItem (new KeyMappingTreeViewItem (owner, commands[i]));
  42735. }
  42736. }
  42737. }
  42738. else
  42739. {
  42740. clearSubItems();
  42741. }
  42742. }
  42743. juce_UseDebuggingNewOperator
  42744. private:
  42745. KeyMappingEditorComponent* owner;
  42746. String categoryName;
  42747. KeyCategoryTreeViewItem (const KeyCategoryTreeViewItem&);
  42748. const KeyCategoryTreeViewItem& operator= (const KeyCategoryTreeViewItem&);
  42749. };
  42750. KeyMappingEditorComponent::KeyMappingEditorComponent (KeyPressMappingSet* const mappingManager,
  42751. const bool showResetToDefaultButton)
  42752. : mappings (mappingManager),
  42753. textColour (Colours::black)
  42754. {
  42755. jassert (mappingManager != 0); // can't be null!
  42756. mappingManager->addChangeListener (this);
  42757. setLinesDrawnForSubItems (false);
  42758. resetButton = 0;
  42759. if (showResetToDefaultButton)
  42760. {
  42761. addAndMakeVisible (resetButton = new TextButton (TRANS("reset to defaults")));
  42762. resetButton->addButtonListener (this);
  42763. }
  42764. addAndMakeVisible (tree = new TreeView());
  42765. tree->setColour (TreeView::backgroundColourId, backgroundColour);
  42766. tree->setRootItemVisible (false);
  42767. tree->setDefaultOpenness (true);
  42768. tree->setRootItem (this);
  42769. }
  42770. KeyMappingEditorComponent::~KeyMappingEditorComponent()
  42771. {
  42772. mappings->removeChangeListener (this);
  42773. deleteAllChildren();
  42774. }
  42775. bool KeyMappingEditorComponent::mightContainSubItems()
  42776. {
  42777. return true;
  42778. }
  42779. const String KeyMappingEditorComponent::getUniqueName() const
  42780. {
  42781. return T("keys");
  42782. }
  42783. void KeyMappingEditorComponent::setColours (const Colour& mainBackground,
  42784. const Colour& textColour_)
  42785. {
  42786. backgroundColour = mainBackground;
  42787. textColour = textColour_;
  42788. tree->setColour (TreeView::backgroundColourId, backgroundColour);
  42789. }
  42790. void KeyMappingEditorComponent::parentHierarchyChanged()
  42791. {
  42792. changeListenerCallback (0);
  42793. }
  42794. void KeyMappingEditorComponent::resized()
  42795. {
  42796. int h = getHeight();
  42797. if (resetButton != 0)
  42798. {
  42799. const int buttonHeight = 20;
  42800. h -= buttonHeight + 8;
  42801. int x = getWidth() - 8;
  42802. const int y = h + 6;
  42803. resetButton->changeWidthToFitText (buttonHeight);
  42804. resetButton->setTopRightPosition (x, y);
  42805. }
  42806. tree->setBounds (0, 0, getWidth(), h);
  42807. }
  42808. void KeyMappingEditorComponent::buttonClicked (Button* button)
  42809. {
  42810. if (button == resetButton)
  42811. {
  42812. if (AlertWindow::showOkCancelBox (AlertWindow::QuestionIcon,
  42813. TRANS("Reset to defaults"),
  42814. TRANS("Are you sure you want to reset all the key-mappings to their default state?"),
  42815. TRANS("Reset")))
  42816. {
  42817. mappings->resetToDefaultMappings();
  42818. }
  42819. }
  42820. }
  42821. void KeyMappingEditorComponent::changeListenerCallback (void*)
  42822. {
  42823. XmlElement* openness = tree->getOpennessState (true);
  42824. clearSubItems();
  42825. const StringArray categories (mappings->getCommandManager()->getCommandCategories());
  42826. for (int i = 0; i < categories.size(); ++i)
  42827. {
  42828. const Array <CommandID> commands (mappings->getCommandManager()->getCommandsInCategory (categories[i]));
  42829. int count = 0;
  42830. for (int j = 0; j < commands.size(); ++j)
  42831. if (shouldCommandBeIncluded (commands[j]))
  42832. ++count;
  42833. if (count > 0)
  42834. addSubItem (new KeyCategoryTreeViewItem (this, categories[i]));
  42835. }
  42836. if (openness != 0)
  42837. {
  42838. tree->restoreOpennessState (*openness);
  42839. delete openness;
  42840. }
  42841. }
  42842. class KeyEntryWindow : public AlertWindow
  42843. {
  42844. public:
  42845. KeyEntryWindow (KeyMappingEditorComponent* const owner_)
  42846. : AlertWindow (TRANS("New key-mapping"),
  42847. TRANS("Please press a key combination now..."),
  42848. AlertWindow::NoIcon),
  42849. owner (owner_)
  42850. {
  42851. addButton (TRANS("ok"), 1);
  42852. addButton (TRANS("cancel"), 0);
  42853. // (avoid return + escape keys getting processed by the buttons..)
  42854. for (int i = getNumChildComponents(); --i >= 0;)
  42855. getChildComponent (i)->setWantsKeyboardFocus (false);
  42856. setWantsKeyboardFocus (true);
  42857. grabKeyboardFocus();
  42858. }
  42859. ~KeyEntryWindow()
  42860. {
  42861. }
  42862. bool keyPressed (const KeyPress& key)
  42863. {
  42864. lastPress = key;
  42865. String message (TRANS("Key: ") + owner->getDescriptionForKeyPress (key));
  42866. const CommandID previousCommand = owner->getMappings()->findCommandForKeyPress (key);
  42867. if (previousCommand != 0)
  42868. {
  42869. message << "\n\n"
  42870. << TRANS("(Currently assigned to \"")
  42871. << owner->getMappings()->getCommandManager()->getNameOfCommand (previousCommand)
  42872. << "\")";
  42873. }
  42874. setMessage (message);
  42875. return true;
  42876. }
  42877. bool keyStateChanged()
  42878. {
  42879. return true;
  42880. }
  42881. KeyPress lastPress;
  42882. juce_UseDebuggingNewOperator
  42883. private:
  42884. KeyMappingEditorComponent* owner;
  42885. KeyEntryWindow (const KeyEntryWindow&);
  42886. const KeyEntryWindow& operator= (const KeyEntryWindow&);
  42887. };
  42888. void KeyMappingEditorComponent::assignNewKey (const CommandID commandID, const int index)
  42889. {
  42890. KeyEntryWindow entryWindow (this);
  42891. if (entryWindow.runModalLoop() != 0)
  42892. {
  42893. entryWindow.setVisible (false);
  42894. if (entryWindow.lastPress.isValid())
  42895. {
  42896. const CommandID previousCommand = mappings->findCommandForKeyPress (entryWindow.lastPress);
  42897. if (previousCommand != 0)
  42898. {
  42899. if (! AlertWindow::showOkCancelBox (AlertWindow::WarningIcon,
  42900. TRANS("Change key-mapping"),
  42901. TRANS("This key is already assigned to the command \"")
  42902. + mappings->getCommandManager()->getNameOfCommand (previousCommand)
  42903. + TRANS("\"\n\nDo you want to re-assign it to this new command instead?"),
  42904. TRANS("re-assign"),
  42905. TRANS("cancel")))
  42906. {
  42907. return;
  42908. }
  42909. }
  42910. mappings->removeKeyPress (entryWindow.lastPress);
  42911. if (index >= 0)
  42912. mappings->removeKeyPress (commandID, index);
  42913. mappings->addKeyPress (commandID, entryWindow.lastPress, index);
  42914. }
  42915. }
  42916. }
  42917. bool KeyMappingEditorComponent::shouldCommandBeIncluded (const CommandID commandID)
  42918. {
  42919. const ApplicationCommandInfo* const ci = mappings->getCommandManager()->getCommandForID (commandID);
  42920. return (ci != 0) && ((ci->flags & ApplicationCommandInfo::hiddenFromKeyEditor) == 0);
  42921. }
  42922. bool KeyMappingEditorComponent::isCommandReadOnly (const CommandID commandID)
  42923. {
  42924. const ApplicationCommandInfo* const ci = mappings->getCommandManager()->getCommandForID (commandID);
  42925. return (ci != 0) && ((ci->flags & ApplicationCommandInfo::readOnlyInKeyEditor) != 0);
  42926. }
  42927. const String KeyMappingEditorComponent::getDescriptionForKeyPress (const KeyPress& key)
  42928. {
  42929. return key.getTextDescription();
  42930. }
  42931. END_JUCE_NAMESPACE
  42932. /********* End of inlined file: juce_KeyMappingEditorComponent.cpp *********/
  42933. /********* Start of inlined file: juce_KeyPress.cpp *********/
  42934. BEGIN_JUCE_NAMESPACE
  42935. KeyPress::KeyPress() throw()
  42936. : keyCode (0),
  42937. mods (0),
  42938. textCharacter (0)
  42939. {
  42940. }
  42941. KeyPress::KeyPress (const int keyCode_,
  42942. const ModifierKeys& mods_,
  42943. const juce_wchar textCharacter_) throw()
  42944. : keyCode (keyCode_),
  42945. mods (mods_),
  42946. textCharacter (textCharacter_)
  42947. {
  42948. }
  42949. KeyPress::KeyPress (const int keyCode_) throw()
  42950. : keyCode (keyCode_),
  42951. textCharacter (0)
  42952. {
  42953. }
  42954. KeyPress::KeyPress (const KeyPress& other) throw()
  42955. : keyCode (other.keyCode),
  42956. mods (other.mods),
  42957. textCharacter (other.textCharacter)
  42958. {
  42959. }
  42960. const KeyPress& KeyPress::operator= (const KeyPress& other) throw()
  42961. {
  42962. keyCode = other.keyCode;
  42963. mods = other.mods;
  42964. textCharacter = other.textCharacter;
  42965. return *this;
  42966. }
  42967. bool KeyPress::operator== (const KeyPress& other) const throw()
  42968. {
  42969. return mods.getRawFlags() == other.mods.getRawFlags()
  42970. && (textCharacter == other.textCharacter
  42971. || textCharacter == 0
  42972. || other.textCharacter == 0)
  42973. && (keyCode == other.keyCode
  42974. || (keyCode < 256
  42975. && other.keyCode < 256
  42976. && CharacterFunctions::toLowerCase ((tchar) keyCode)
  42977. == CharacterFunctions::toLowerCase ((tchar) other.keyCode)));
  42978. }
  42979. bool KeyPress::operator!= (const KeyPress& other) const throw()
  42980. {
  42981. return ! operator== (other);
  42982. }
  42983. bool KeyPress::isCurrentlyDown() const throw()
  42984. {
  42985. return isKeyCurrentlyDown (keyCode)
  42986. && (ModifierKeys::getCurrentModifiers().getRawFlags() & ModifierKeys::allKeyboardModifiers)
  42987. == (mods.getRawFlags() & ModifierKeys::allKeyboardModifiers);
  42988. }
  42989. struct KeyNameAndCode
  42990. {
  42991. const char* name;
  42992. int code;
  42993. };
  42994. static const KeyNameAndCode keyNameTranslations[] =
  42995. {
  42996. { "spacebar", KeyPress::spaceKey },
  42997. { "return", KeyPress::returnKey },
  42998. { "escape", KeyPress::escapeKey },
  42999. { "backspace", KeyPress::backspaceKey },
  43000. { "cursor left", KeyPress::leftKey },
  43001. { "cursor right", KeyPress::rightKey },
  43002. { "cursor up", KeyPress::upKey },
  43003. { "cursor down", KeyPress::downKey },
  43004. { "page up", KeyPress::pageUpKey },
  43005. { "page down", KeyPress::pageDownKey },
  43006. { "home", KeyPress::homeKey },
  43007. { "end", KeyPress::endKey },
  43008. { "delete", KeyPress::deleteKey },
  43009. { "insert", KeyPress::insertKey },
  43010. { "tab", KeyPress::tabKey },
  43011. { "play", KeyPress::playKey },
  43012. { "stop", KeyPress::stopKey },
  43013. { "fast forward", KeyPress::fastForwardKey },
  43014. { "rewind", KeyPress::rewindKey }
  43015. };
  43016. static const tchar* const numberPadPrefix = T("numpad ");
  43017. const KeyPress KeyPress::createFromDescription (const String& desc) throw()
  43018. {
  43019. int modifiers = 0;
  43020. if (desc.containsWholeWordIgnoreCase (T("ctrl"))
  43021. || desc.containsWholeWordIgnoreCase (T("control"))
  43022. || desc.containsWholeWordIgnoreCase (T("ctl")))
  43023. modifiers |= ModifierKeys::ctrlModifier;
  43024. if (desc.containsWholeWordIgnoreCase (T("shift"))
  43025. || desc.containsWholeWordIgnoreCase (T("shft")))
  43026. modifiers |= ModifierKeys::shiftModifier;
  43027. if (desc.containsWholeWordIgnoreCase (T("alt"))
  43028. || desc.containsWholeWordIgnoreCase (T("option")))
  43029. modifiers |= ModifierKeys::altModifier;
  43030. if (desc.containsWholeWordIgnoreCase (T("command"))
  43031. || desc.containsWholeWordIgnoreCase (T("cmd")))
  43032. modifiers |= ModifierKeys::commandModifier;
  43033. int key = 0;
  43034. for (int i = 0; i < numElementsInArray (keyNameTranslations); ++i)
  43035. {
  43036. if (desc.containsWholeWordIgnoreCase (String (keyNameTranslations[i].name)))
  43037. {
  43038. key = keyNameTranslations[i].code;
  43039. break;
  43040. }
  43041. }
  43042. if (key == 0)
  43043. {
  43044. // see if it's a numpad key..
  43045. if (desc.containsIgnoreCase (numberPadPrefix))
  43046. {
  43047. const tchar lastChar = desc.trimEnd().getLastCharacter();
  43048. if (lastChar >= T('0') && lastChar <= T('9'))
  43049. key = numberPad0 + lastChar - T('0');
  43050. else if (lastChar == T('+'))
  43051. key = numberPadAdd;
  43052. else if (lastChar == T('-'))
  43053. key = numberPadSubtract;
  43054. else if (lastChar == T('*'))
  43055. key = numberPadMultiply;
  43056. else if (lastChar == T('/'))
  43057. key = numberPadDivide;
  43058. else if (lastChar == T('.'))
  43059. key = numberPadDecimalPoint;
  43060. else if (lastChar == T('='))
  43061. key = numberPadEquals;
  43062. else if (desc.endsWith (T("separator")))
  43063. key = numberPadSeparator;
  43064. else if (desc.endsWith (T("delete")))
  43065. key = numberPadDelete;
  43066. }
  43067. if (key == 0)
  43068. {
  43069. // see if it's a function key..
  43070. for (int i = 1; i <= 12; ++i)
  43071. if (desc.containsWholeWordIgnoreCase (T("f") + String (i)))
  43072. key = F1Key + i - 1;
  43073. if (key == 0)
  43074. {
  43075. // give up and use the hex code..
  43076. const int hexCode = desc.fromFirstOccurrenceOf (T("#"), false, false)
  43077. .toLowerCase()
  43078. .retainCharacters (T("0123456789abcdef"))
  43079. .getHexValue32();
  43080. if (hexCode > 0)
  43081. key = hexCode;
  43082. else
  43083. key = CharacterFunctions::toUpperCase (desc.getLastCharacter());
  43084. }
  43085. }
  43086. }
  43087. return KeyPress (key, ModifierKeys (modifiers), 0);
  43088. }
  43089. const String KeyPress::getTextDescription() const throw()
  43090. {
  43091. String desc;
  43092. if (keyCode > 0)
  43093. {
  43094. // some keyboard layouts use a shift-key to get the slash, but in those cases, we
  43095. // want to store it as being a slash, not shift+whatever.
  43096. if (textCharacter == T('/'))
  43097. return "/";
  43098. if (mods.isCtrlDown())
  43099. desc << "ctrl + ";
  43100. if (mods.isShiftDown())
  43101. desc << "shift + ";
  43102. #if JUCE_MAC
  43103. // only do this on the mac, because on Windows ctrl and command are the same,
  43104. // and this would get confusing
  43105. if (mods.isCommandDown())
  43106. desc << "command + ";
  43107. if (mods.isAltDown())
  43108. desc << "option + ";
  43109. #else
  43110. if (mods.isAltDown())
  43111. desc << "alt + ";
  43112. #endif
  43113. for (int i = 0; i < numElementsInArray (keyNameTranslations); ++i)
  43114. if (keyCode == keyNameTranslations[i].code)
  43115. return desc + keyNameTranslations[i].name;
  43116. if (keyCode >= F1Key && keyCode <= F16Key)
  43117. desc << 'F' << (1 + keyCode - F1Key);
  43118. else if (keyCode >= numberPad0 && keyCode <= numberPad9)
  43119. desc << numberPadPrefix << (keyCode - numberPad0);
  43120. else if (keyCode >= 33 && keyCode < 176)
  43121. desc += CharacterFunctions::toUpperCase ((tchar) keyCode);
  43122. else if (keyCode == numberPadAdd)
  43123. desc << numberPadPrefix << '+';
  43124. else if (keyCode == numberPadSubtract)
  43125. desc << numberPadPrefix << '-';
  43126. else if (keyCode == numberPadMultiply)
  43127. desc << numberPadPrefix << '*';
  43128. else if (keyCode == numberPadDivide)
  43129. desc << numberPadPrefix << '/';
  43130. else if (keyCode == numberPadSeparator)
  43131. desc << numberPadPrefix << "separator";
  43132. else if (keyCode == numberPadDecimalPoint)
  43133. desc << numberPadPrefix << '.';
  43134. else if (keyCode == numberPadDelete)
  43135. desc << numberPadPrefix << "delete";
  43136. else
  43137. desc << '#' << String::toHexString (keyCode);
  43138. }
  43139. return desc;
  43140. }
  43141. END_JUCE_NAMESPACE
  43142. /********* End of inlined file: juce_KeyPress.cpp *********/
  43143. /********* Start of inlined file: juce_KeyPressMappingSet.cpp *********/
  43144. BEGIN_JUCE_NAMESPACE
  43145. KeyPressMappingSet::KeyPressMappingSet (ApplicationCommandManager* const commandManager_) throw()
  43146. : commandManager (commandManager_)
  43147. {
  43148. // A manager is needed to get the descriptions of commands, and will be called when
  43149. // a command is invoked. So you can't leave this null..
  43150. jassert (commandManager_ != 0);
  43151. Desktop::getInstance().addFocusChangeListener (this);
  43152. }
  43153. KeyPressMappingSet::KeyPressMappingSet (const KeyPressMappingSet& other) throw()
  43154. : commandManager (other.commandManager)
  43155. {
  43156. Desktop::getInstance().addFocusChangeListener (this);
  43157. }
  43158. KeyPressMappingSet::~KeyPressMappingSet()
  43159. {
  43160. Desktop::getInstance().removeFocusChangeListener (this);
  43161. }
  43162. const Array <KeyPress> KeyPressMappingSet::getKeyPressesAssignedToCommand (const CommandID commandID) const throw()
  43163. {
  43164. for (int i = 0; i < mappings.size(); ++i)
  43165. if (mappings.getUnchecked(i)->commandID == commandID)
  43166. return mappings.getUnchecked (i)->keypresses;
  43167. return Array <KeyPress> ();
  43168. }
  43169. void KeyPressMappingSet::addKeyPress (const CommandID commandID,
  43170. const KeyPress& newKeyPress,
  43171. int insertIndex) throw()
  43172. {
  43173. if (findCommandForKeyPress (newKeyPress) != commandID)
  43174. {
  43175. removeKeyPress (newKeyPress);
  43176. if (newKeyPress.isValid())
  43177. {
  43178. for (int i = mappings.size(); --i >= 0;)
  43179. {
  43180. if (mappings.getUnchecked(i)->commandID == commandID)
  43181. {
  43182. mappings.getUnchecked(i)->keypresses.insert (insertIndex, newKeyPress);
  43183. sendChangeMessage (this);
  43184. return;
  43185. }
  43186. }
  43187. const ApplicationCommandInfo* const ci = commandManager->getCommandForID (commandID);
  43188. if (ci != 0)
  43189. {
  43190. CommandMapping* const cm = new CommandMapping();
  43191. cm->commandID = commandID;
  43192. cm->keypresses.add (newKeyPress);
  43193. cm->wantsKeyUpDownCallbacks = (ci->flags & ApplicationCommandInfo::wantsKeyUpDownCallbacks) != 0;
  43194. mappings.add (cm);
  43195. sendChangeMessage (this);
  43196. }
  43197. }
  43198. }
  43199. }
  43200. void KeyPressMappingSet::resetToDefaultMappings() throw()
  43201. {
  43202. mappings.clear();
  43203. for (int i = 0; i < commandManager->getNumCommands(); ++i)
  43204. {
  43205. const ApplicationCommandInfo* const ci = commandManager->getCommandForIndex (i);
  43206. for (int j = 0; j < ci->defaultKeypresses.size(); ++j)
  43207. {
  43208. addKeyPress (ci->commandID,
  43209. ci->defaultKeypresses.getReference (j));
  43210. }
  43211. }
  43212. sendChangeMessage (this);
  43213. }
  43214. void KeyPressMappingSet::resetToDefaultMapping (const CommandID commandID) throw()
  43215. {
  43216. clearAllKeyPresses (commandID);
  43217. const ApplicationCommandInfo* const ci = commandManager->getCommandForID (commandID);
  43218. for (int j = 0; j < ci->defaultKeypresses.size(); ++j)
  43219. {
  43220. addKeyPress (ci->commandID,
  43221. ci->defaultKeypresses.getReference (j));
  43222. }
  43223. }
  43224. void KeyPressMappingSet::clearAllKeyPresses() throw()
  43225. {
  43226. if (mappings.size() > 0)
  43227. {
  43228. sendChangeMessage (this);
  43229. mappings.clear();
  43230. }
  43231. }
  43232. void KeyPressMappingSet::clearAllKeyPresses (const CommandID commandID) throw()
  43233. {
  43234. for (int i = mappings.size(); --i >= 0;)
  43235. {
  43236. if (mappings.getUnchecked(i)->commandID == commandID)
  43237. {
  43238. mappings.remove (i);
  43239. sendChangeMessage (this);
  43240. }
  43241. }
  43242. }
  43243. void KeyPressMappingSet::removeKeyPress (const KeyPress& keypress) throw()
  43244. {
  43245. if (keypress.isValid())
  43246. {
  43247. for (int i = mappings.size(); --i >= 0;)
  43248. {
  43249. CommandMapping* const cm = mappings.getUnchecked(i);
  43250. for (int j = cm->keypresses.size(); --j >= 0;)
  43251. {
  43252. if (keypress == cm->keypresses [j])
  43253. {
  43254. cm->keypresses.remove (j);
  43255. sendChangeMessage (this);
  43256. }
  43257. }
  43258. }
  43259. }
  43260. }
  43261. void KeyPressMappingSet::removeKeyPress (const CommandID commandID,
  43262. const int keyPressIndex) throw()
  43263. {
  43264. for (int i = mappings.size(); --i >= 0;)
  43265. {
  43266. if (mappings.getUnchecked(i)->commandID == commandID)
  43267. {
  43268. mappings.getUnchecked(i)->keypresses.remove (keyPressIndex);
  43269. sendChangeMessage (this);
  43270. break;
  43271. }
  43272. }
  43273. }
  43274. CommandID KeyPressMappingSet::findCommandForKeyPress (const KeyPress& keyPress) const throw()
  43275. {
  43276. for (int i = 0; i < mappings.size(); ++i)
  43277. if (mappings.getUnchecked(i)->keypresses.contains (keyPress))
  43278. return mappings.getUnchecked(i)->commandID;
  43279. return 0;
  43280. }
  43281. bool KeyPressMappingSet::containsMapping (const CommandID commandID,
  43282. const KeyPress& keyPress) const throw()
  43283. {
  43284. for (int i = mappings.size(); --i >= 0;)
  43285. if (mappings.getUnchecked(i)->commandID == commandID)
  43286. return mappings.getUnchecked(i)->keypresses.contains (keyPress);
  43287. return false;
  43288. }
  43289. void KeyPressMappingSet::invokeCommand (const CommandID commandID,
  43290. const KeyPress& key,
  43291. const bool isKeyDown,
  43292. const int millisecsSinceKeyPressed,
  43293. Component* const originatingComponent) const
  43294. {
  43295. ApplicationCommandTarget::InvocationInfo info (commandID);
  43296. info.invocationMethod = ApplicationCommandTarget::InvocationInfo::fromKeyPress;
  43297. info.isKeyDown = isKeyDown;
  43298. info.keyPress = key;
  43299. info.millisecsSinceKeyPressed = millisecsSinceKeyPressed;
  43300. info.originatingComponent = originatingComponent;
  43301. commandManager->invoke (info, false);
  43302. }
  43303. bool KeyPressMappingSet::restoreFromXml (const XmlElement& xmlVersion)
  43304. {
  43305. if (xmlVersion.hasTagName (T("KEYMAPPINGS")))
  43306. {
  43307. if (xmlVersion.getBoolAttribute (T("basedOnDefaults"), true))
  43308. {
  43309. // if the XML was created as a set of differences from the default mappings,
  43310. // (i.e. by calling createXml (true)), then we need to first restore the defaults.
  43311. resetToDefaultMappings();
  43312. }
  43313. else
  43314. {
  43315. // if the XML was created calling createXml (false), then we need to clear all
  43316. // the keys and treat the xml as describing the entire set of mappings.
  43317. clearAllKeyPresses();
  43318. }
  43319. forEachXmlChildElement (xmlVersion, map)
  43320. {
  43321. const CommandID commandId = map->getStringAttribute (T("commandId")).getHexValue32();
  43322. if (commandId != 0)
  43323. {
  43324. const KeyPress key (KeyPress::createFromDescription (map->getStringAttribute (T("key"))));
  43325. if (map->hasTagName (T("MAPPING")))
  43326. {
  43327. addKeyPress (commandId, key);
  43328. }
  43329. else if (map->hasTagName (T("UNMAPPING")))
  43330. {
  43331. if (containsMapping (commandId, key))
  43332. removeKeyPress (key);
  43333. }
  43334. }
  43335. }
  43336. return true;
  43337. }
  43338. return false;
  43339. }
  43340. XmlElement* KeyPressMappingSet::createXml (const bool saveDifferencesFromDefaultSet) const
  43341. {
  43342. KeyPressMappingSet* defaultSet = 0;
  43343. if (saveDifferencesFromDefaultSet)
  43344. {
  43345. defaultSet = new KeyPressMappingSet (commandManager);
  43346. defaultSet->resetToDefaultMappings();
  43347. }
  43348. XmlElement* const doc = new XmlElement (T("KEYMAPPINGS"));
  43349. doc->setAttribute (T("basedOnDefaults"), saveDifferencesFromDefaultSet);
  43350. int i;
  43351. for (i = 0; i < mappings.size(); ++i)
  43352. {
  43353. const CommandMapping* const cm = mappings.getUnchecked(i);
  43354. for (int j = 0; j < cm->keypresses.size(); ++j)
  43355. {
  43356. if (defaultSet == 0
  43357. || ! defaultSet->containsMapping (cm->commandID, cm->keypresses.getReference (j)))
  43358. {
  43359. XmlElement* const map = new XmlElement (T("MAPPING"));
  43360. map->setAttribute (T("commandId"), String::toHexString ((int) cm->commandID));
  43361. map->setAttribute (T("description"), commandManager->getDescriptionOfCommand (cm->commandID));
  43362. map->setAttribute (T("key"), cm->keypresses.getReference (j).getTextDescription());
  43363. doc->addChildElement (map);
  43364. }
  43365. }
  43366. }
  43367. if (defaultSet != 0)
  43368. {
  43369. for (i = 0; i < defaultSet->mappings.size(); ++i)
  43370. {
  43371. const CommandMapping* const cm = defaultSet->mappings.getUnchecked(i);
  43372. for (int j = 0; j < cm->keypresses.size(); ++j)
  43373. {
  43374. if (! containsMapping (cm->commandID, cm->keypresses.getReference (j)))
  43375. {
  43376. XmlElement* const map = new XmlElement (T("UNMAPPING"));
  43377. map->setAttribute (T("commandId"), String::toHexString ((int) cm->commandID));
  43378. map->setAttribute (T("description"), commandManager->getDescriptionOfCommand (cm->commandID));
  43379. map->setAttribute (T("key"), cm->keypresses.getReference (j).getTextDescription());
  43380. doc->addChildElement (map);
  43381. }
  43382. }
  43383. }
  43384. delete defaultSet;
  43385. }
  43386. return doc;
  43387. }
  43388. bool KeyPressMappingSet::keyPressed (const KeyPress& key,
  43389. Component* originatingComponent)
  43390. {
  43391. bool used = false;
  43392. const CommandID commandID = findCommandForKeyPress (key);
  43393. const ApplicationCommandInfo* const ci = commandManager->getCommandForID (commandID);
  43394. if (ci != 0
  43395. && (ci->flags & ApplicationCommandInfo::wantsKeyUpDownCallbacks) == 0)
  43396. {
  43397. ApplicationCommandInfo info (0);
  43398. if (commandManager->getTargetForCommand (commandID, info) != 0
  43399. && (info.flags & ApplicationCommandInfo::isDisabled) == 0)
  43400. {
  43401. invokeCommand (commandID, key, true, 0, originatingComponent);
  43402. used = true;
  43403. }
  43404. else
  43405. {
  43406. if (originatingComponent != 0)
  43407. originatingComponent->getLookAndFeel().playAlertSound();
  43408. }
  43409. }
  43410. return used;
  43411. }
  43412. bool KeyPressMappingSet::keyStateChanged (Component* originatingComponent)
  43413. {
  43414. bool used = false;
  43415. const uint32 now = Time::getMillisecondCounter();
  43416. for (int i = mappings.size(); --i >= 0;)
  43417. {
  43418. CommandMapping* const cm = mappings.getUnchecked(i);
  43419. if (cm->wantsKeyUpDownCallbacks)
  43420. {
  43421. for (int j = cm->keypresses.size(); --j >= 0;)
  43422. {
  43423. const KeyPress key (cm->keypresses.getReference (j));
  43424. const bool isDown = key.isCurrentlyDown();
  43425. int keyPressEntryIndex = 0;
  43426. bool wasDown = false;
  43427. for (int k = keysDown.size(); --k >= 0;)
  43428. {
  43429. if (key == keysDown.getUnchecked(k)->key)
  43430. {
  43431. keyPressEntryIndex = k;
  43432. wasDown = true;
  43433. break;
  43434. }
  43435. }
  43436. if (isDown != wasDown)
  43437. {
  43438. int millisecs = 0;
  43439. if (isDown)
  43440. {
  43441. KeyPressTime* const k = new KeyPressTime();
  43442. k->key = key;
  43443. k->timeWhenPressed = now;
  43444. keysDown.add (k);
  43445. }
  43446. else
  43447. {
  43448. const uint32 pressTime = keysDown.getUnchecked (keyPressEntryIndex)->timeWhenPressed;
  43449. if (now > pressTime)
  43450. millisecs = now - pressTime;
  43451. keysDown.remove (keyPressEntryIndex);
  43452. }
  43453. invokeCommand (cm->commandID, key, isDown, millisecs, originatingComponent);
  43454. used = true;
  43455. }
  43456. }
  43457. }
  43458. }
  43459. return used;
  43460. }
  43461. void KeyPressMappingSet::globalFocusChanged (Component* focusedComponent)
  43462. {
  43463. if (focusedComponent != 0)
  43464. focusedComponent->keyStateChanged();
  43465. }
  43466. END_JUCE_NAMESPACE
  43467. /********* End of inlined file: juce_KeyPressMappingSet.cpp *********/
  43468. /********* Start of inlined file: juce_ModifierKeys.cpp *********/
  43469. BEGIN_JUCE_NAMESPACE
  43470. ModifierKeys::ModifierKeys (const int flags_) throw()
  43471. : flags (flags_)
  43472. {
  43473. }
  43474. ModifierKeys::ModifierKeys (const ModifierKeys& other) throw()
  43475. : flags (other.flags)
  43476. {
  43477. }
  43478. const ModifierKeys& ModifierKeys::operator= (const ModifierKeys& other) throw()
  43479. {
  43480. flags = other.flags;
  43481. return *this;
  43482. }
  43483. int ModifierKeys::currentModifierFlags = 0;
  43484. const ModifierKeys ModifierKeys::getCurrentModifiers() throw()
  43485. {
  43486. return ModifierKeys (currentModifierFlags);
  43487. }
  43488. END_JUCE_NAMESPACE
  43489. /********* End of inlined file: juce_ModifierKeys.cpp *********/
  43490. /********* Start of inlined file: juce_ComponentAnimator.cpp *********/
  43491. BEGIN_JUCE_NAMESPACE
  43492. struct AnimationTask
  43493. {
  43494. AnimationTask (Component* const comp)
  43495. : component (comp),
  43496. watcher (comp)
  43497. {
  43498. }
  43499. Component* component;
  43500. ComponentDeletionWatcher watcher;
  43501. Rectangle destination;
  43502. int msElapsed, msTotal;
  43503. double startSpeed, midSpeed, endSpeed, lastProgress;
  43504. double left, top, right, bottom;
  43505. bool useTimeslice (const int elapsed)
  43506. {
  43507. if (watcher.hasBeenDeleted())
  43508. return false;
  43509. msElapsed += elapsed;
  43510. double newProgress = msElapsed / (double) msTotal;
  43511. if (newProgress >= 0 && newProgress < 1.0)
  43512. {
  43513. newProgress = timeToDistance (newProgress);
  43514. const double delta = (newProgress - lastProgress) / (1.0 - lastProgress);
  43515. jassert (newProgress >= lastProgress);
  43516. lastProgress = newProgress;
  43517. left += (destination.getX() - left) * delta;
  43518. top += (destination.getY() - top) * delta;
  43519. right += (destination.getRight() - right) * delta;
  43520. bottom += (destination.getBottom() - bottom) * delta;
  43521. if (delta < 1.0)
  43522. {
  43523. const Rectangle newBounds (roundDoubleToInt (left),
  43524. roundDoubleToInt (top),
  43525. roundDoubleToInt (right - left),
  43526. roundDoubleToInt (bottom - top));
  43527. if (newBounds != destination)
  43528. {
  43529. component->setBounds (newBounds);
  43530. return true;
  43531. }
  43532. }
  43533. }
  43534. component->setBounds (destination);
  43535. return false;
  43536. }
  43537. void moveToFinalDestination()
  43538. {
  43539. if (! watcher.hasBeenDeleted())
  43540. component->setBounds (destination);
  43541. }
  43542. private:
  43543. inline double timeToDistance (const double time) const
  43544. {
  43545. return (time < 0.5) ? time * (startSpeed + time * (midSpeed - startSpeed))
  43546. : 0.5 * (startSpeed + 0.5 * (midSpeed - startSpeed))
  43547. + (time - 0.5) * (midSpeed + (time - 0.5) * (endSpeed - midSpeed));
  43548. }
  43549. };
  43550. ComponentAnimator::ComponentAnimator()
  43551. : lastTime (0)
  43552. {
  43553. }
  43554. ComponentAnimator::~ComponentAnimator()
  43555. {
  43556. cancelAllAnimations (false);
  43557. jassert (tasks.size() == 0);
  43558. }
  43559. void* ComponentAnimator::findTaskFor (Component* const component) const
  43560. {
  43561. for (int i = tasks.size(); --i >= 0;)
  43562. if (component == ((AnimationTask*) tasks.getUnchecked(i))->component)
  43563. return tasks.getUnchecked(i);
  43564. return 0;
  43565. }
  43566. void ComponentAnimator::animateComponent (Component* const component,
  43567. const Rectangle& finalPosition,
  43568. const int millisecondsToSpendMoving,
  43569. const double startSpeed,
  43570. const double endSpeed)
  43571. {
  43572. if (component != 0)
  43573. {
  43574. AnimationTask* at = (AnimationTask*) findTaskFor (component);
  43575. if (at == 0)
  43576. {
  43577. at = new AnimationTask (component);
  43578. tasks.add (at);
  43579. }
  43580. at->msElapsed = 0;
  43581. at->lastProgress = 0;
  43582. at->msTotal = jmax (1, millisecondsToSpendMoving);
  43583. at->destination = finalPosition;
  43584. // the speeds must be 0 or greater!
  43585. jassert (startSpeed >= 0 && endSpeed >= 0)
  43586. const double invTotalDistance = 4.0 / (startSpeed + endSpeed + 2.0);
  43587. at->startSpeed = jmax (0.0, startSpeed * invTotalDistance);
  43588. at->midSpeed = invTotalDistance;
  43589. at->endSpeed = jmax (0.0, endSpeed * invTotalDistance);
  43590. at->left = component->getX();
  43591. at->top = component->getY();
  43592. at->right = component->getRight();
  43593. at->bottom = component->getBottom();
  43594. if (! isTimerRunning())
  43595. {
  43596. lastTime = Time::getMillisecondCounter();
  43597. startTimer (1000 / 50);
  43598. }
  43599. }
  43600. }
  43601. void ComponentAnimator::cancelAllAnimations (const bool moveComponentsToTheirFinalPositions)
  43602. {
  43603. for (int i = tasks.size(); --i >= 0;)
  43604. {
  43605. AnimationTask* const at = (AnimationTask*) tasks.getUnchecked(i);
  43606. if (moveComponentsToTheirFinalPositions)
  43607. at->moveToFinalDestination();
  43608. delete at;
  43609. tasks.remove (i);
  43610. }
  43611. }
  43612. void ComponentAnimator::cancelAnimation (Component* const component,
  43613. const bool moveComponentToItsFinalPosition)
  43614. {
  43615. AnimationTask* const at = (AnimationTask*) findTaskFor (component);
  43616. if (at != 0)
  43617. {
  43618. if (moveComponentToItsFinalPosition)
  43619. at->moveToFinalDestination();
  43620. tasks.removeValue (at);
  43621. delete at;
  43622. }
  43623. }
  43624. const Rectangle ComponentAnimator::getComponentDestination (Component* const component)
  43625. {
  43626. AnimationTask* const at = (AnimationTask*) findTaskFor (component);
  43627. if (at != 0)
  43628. return at->destination;
  43629. else if (component != 0)
  43630. return component->getBounds();
  43631. return Rectangle();
  43632. }
  43633. void ComponentAnimator::timerCallback()
  43634. {
  43635. const uint32 timeNow = Time::getMillisecondCounter();
  43636. if (lastTime == 0 || lastTime == timeNow)
  43637. lastTime = timeNow;
  43638. const int elapsed = timeNow - lastTime;
  43639. for (int i = tasks.size(); --i >= 0;)
  43640. {
  43641. AnimationTask* const at = (AnimationTask*) tasks.getUnchecked(i);
  43642. if (! at->useTimeslice (elapsed))
  43643. {
  43644. tasks.remove (i);
  43645. delete at;
  43646. }
  43647. }
  43648. lastTime = timeNow;
  43649. if (tasks.size() == 0)
  43650. stopTimer();
  43651. }
  43652. END_JUCE_NAMESPACE
  43653. /********* End of inlined file: juce_ComponentAnimator.cpp *********/
  43654. /********* Start of inlined file: juce_ComponentBoundsConstrainer.cpp *********/
  43655. BEGIN_JUCE_NAMESPACE
  43656. ComponentBoundsConstrainer::ComponentBoundsConstrainer() throw()
  43657. : minW (0),
  43658. maxW (0x3fffffff),
  43659. minH (0),
  43660. maxH (0x3fffffff),
  43661. minOffTop (0),
  43662. minOffLeft (0),
  43663. minOffBottom (0),
  43664. minOffRight (0),
  43665. aspectRatio (0.0)
  43666. {
  43667. }
  43668. ComponentBoundsConstrainer::~ComponentBoundsConstrainer()
  43669. {
  43670. }
  43671. void ComponentBoundsConstrainer::setMinimumWidth (const int minimumWidth) throw()
  43672. {
  43673. minW = minimumWidth;
  43674. }
  43675. void ComponentBoundsConstrainer::setMaximumWidth (const int maximumWidth) throw()
  43676. {
  43677. maxW = maximumWidth;
  43678. }
  43679. void ComponentBoundsConstrainer::setMinimumHeight (const int minimumHeight) throw()
  43680. {
  43681. minH = minimumHeight;
  43682. }
  43683. void ComponentBoundsConstrainer::setMaximumHeight (const int maximumHeight) throw()
  43684. {
  43685. maxH = maximumHeight;
  43686. }
  43687. void ComponentBoundsConstrainer::setMinimumSize (const int minimumWidth, const int minimumHeight) throw()
  43688. {
  43689. jassert (maxW >= minimumWidth);
  43690. jassert (maxH >= minimumHeight);
  43691. jassert (minimumWidth > 0 && minimumHeight > 0);
  43692. minW = minimumWidth;
  43693. minH = minimumHeight;
  43694. if (minW > maxW)
  43695. maxW = minW;
  43696. if (minH > maxH)
  43697. maxH = minH;
  43698. }
  43699. void ComponentBoundsConstrainer::setMaximumSize (const int maximumWidth, const int maximumHeight) throw()
  43700. {
  43701. jassert (maximumWidth >= minW);
  43702. jassert (maximumHeight >= minH);
  43703. jassert (maximumWidth > 0 && maximumHeight > 0);
  43704. maxW = jmax (minW, maximumWidth);
  43705. maxH = jmax (minH, maximumHeight);
  43706. }
  43707. void ComponentBoundsConstrainer::setSizeLimits (const int minimumWidth,
  43708. const int minimumHeight,
  43709. const int maximumWidth,
  43710. const int maximumHeight) throw()
  43711. {
  43712. jassert (maximumWidth >= minimumWidth);
  43713. jassert (maximumHeight >= minimumHeight);
  43714. jassert (maximumWidth > 0 && maximumHeight > 0);
  43715. jassert (minimumWidth > 0 && minimumHeight > 0);
  43716. minW = jmax (0, minimumWidth);
  43717. minH = jmax (0, minimumHeight);
  43718. maxW = jmax (minW, maximumWidth);
  43719. maxH = jmax (minH, maximumHeight);
  43720. }
  43721. void ComponentBoundsConstrainer::setMinimumOnscreenAmounts (const int minimumWhenOffTheTop,
  43722. const int minimumWhenOffTheLeft,
  43723. const int minimumWhenOffTheBottom,
  43724. const int minimumWhenOffTheRight) throw()
  43725. {
  43726. minOffTop = minimumWhenOffTheTop;
  43727. minOffLeft = minimumWhenOffTheLeft;
  43728. minOffBottom = minimumWhenOffTheBottom;
  43729. minOffRight = minimumWhenOffTheRight;
  43730. }
  43731. void ComponentBoundsConstrainer::setFixedAspectRatio (const double widthOverHeight) throw()
  43732. {
  43733. aspectRatio = jmax (0.0, widthOverHeight);
  43734. }
  43735. double ComponentBoundsConstrainer::getFixedAspectRatio() const throw()
  43736. {
  43737. return aspectRatio;
  43738. }
  43739. void ComponentBoundsConstrainer::setBoundsForComponent (Component* const component,
  43740. int x, int y, int w, int h,
  43741. const bool isStretchingTop,
  43742. const bool isStretchingLeft,
  43743. const bool isStretchingBottom,
  43744. const bool isStretchingRight)
  43745. {
  43746. jassert (component != 0);
  43747. Rectangle limits;
  43748. Component* const p = component->getParentComponent();
  43749. if (p == 0)
  43750. limits = Desktop::getInstance().getAllMonitorDisplayAreas().getBounds();
  43751. else
  43752. limits.setSize (p->getWidth(), p->getHeight());
  43753. if (component->isOnDesktop())
  43754. {
  43755. ComponentPeer* const peer = component->getPeer();
  43756. const BorderSize border (peer->getFrameSize());
  43757. x -= border.getLeft();
  43758. y -= border.getTop();
  43759. w += border.getLeftAndRight();
  43760. h += border.getTopAndBottom();
  43761. checkBounds (x, y, w, h,
  43762. border.addedTo (component->getBounds()), limits,
  43763. isStretchingTop, isStretchingLeft,
  43764. isStretchingBottom, isStretchingRight);
  43765. x += border.getLeft();
  43766. y += border.getTop();
  43767. w -= border.getLeftAndRight();
  43768. h -= border.getTopAndBottom();
  43769. }
  43770. else
  43771. {
  43772. checkBounds (x, y, w, h,
  43773. component->getBounds(), limits,
  43774. isStretchingTop, isStretchingLeft,
  43775. isStretchingBottom, isStretchingRight);
  43776. }
  43777. applyBoundsToComponent (component, x, y, w, h);
  43778. }
  43779. void ComponentBoundsConstrainer::applyBoundsToComponent (Component* component,
  43780. int x, int y, int w, int h)
  43781. {
  43782. component->setBounds (x, y, w, h);
  43783. }
  43784. void ComponentBoundsConstrainer::resizeStart()
  43785. {
  43786. }
  43787. void ComponentBoundsConstrainer::resizeEnd()
  43788. {
  43789. }
  43790. void ComponentBoundsConstrainer::checkBounds (int& x, int& y, int& w, int& h,
  43791. const Rectangle& old,
  43792. const Rectangle& limits,
  43793. const bool isStretchingTop,
  43794. const bool isStretchingLeft,
  43795. const bool isStretchingBottom,
  43796. const bool isStretchingRight)
  43797. {
  43798. // constrain the size if it's being stretched..
  43799. if (isStretchingLeft)
  43800. {
  43801. x = jlimit (old.getRight() - maxW, old.getRight() - minW, x);
  43802. w = old.getRight() - x;
  43803. }
  43804. if (isStretchingRight)
  43805. {
  43806. w = jlimit (minW, maxW, w);
  43807. }
  43808. if (isStretchingTop)
  43809. {
  43810. y = jlimit (old.getBottom() - maxH, old.getBottom() - minH, y);
  43811. h = old.getBottom() - y;
  43812. }
  43813. if (isStretchingBottom)
  43814. {
  43815. h = jlimit (minH, maxH, h);
  43816. }
  43817. // constrain the aspect ratio if one has been specified..
  43818. if (aspectRatio > 0.0 && w > 0 && h > 0)
  43819. {
  43820. bool adjustWidth;
  43821. if ((isStretchingTop || isStretchingBottom) && ! (isStretchingLeft || isStretchingRight))
  43822. {
  43823. adjustWidth = true;
  43824. }
  43825. else if ((isStretchingLeft || isStretchingRight) && ! (isStretchingTop || isStretchingBottom))
  43826. {
  43827. adjustWidth = false;
  43828. }
  43829. else
  43830. {
  43831. const double oldRatio = (old.getHeight() > 0) ? fabs (old.getWidth() / (double) old.getHeight()) : 0.0;
  43832. const double newRatio = fabs (w / (double) h);
  43833. adjustWidth = (oldRatio > newRatio);
  43834. }
  43835. if (adjustWidth)
  43836. {
  43837. w = roundDoubleToInt (h * aspectRatio);
  43838. if (w > maxW || w < minW)
  43839. {
  43840. w = jlimit (minW, maxW, w);
  43841. h = roundDoubleToInt (w / aspectRatio);
  43842. }
  43843. }
  43844. else
  43845. {
  43846. h = roundDoubleToInt (w / aspectRatio);
  43847. if (h > maxH || h < minH)
  43848. {
  43849. h = jlimit (minH, maxH, h);
  43850. w = roundDoubleToInt (h * aspectRatio);
  43851. }
  43852. }
  43853. if ((isStretchingTop || isStretchingBottom) && ! (isStretchingLeft || isStretchingRight))
  43854. {
  43855. x = old.getX() + (old.getWidth() - w) / 2;
  43856. }
  43857. else if ((isStretchingLeft || isStretchingRight) && ! (isStretchingTop || isStretchingBottom))
  43858. {
  43859. y = old.getY() + (old.getHeight() - h) / 2;
  43860. }
  43861. else
  43862. {
  43863. if (isStretchingLeft)
  43864. x = old.getRight() - w;
  43865. if (isStretchingTop)
  43866. y = old.getBottom() - h;
  43867. }
  43868. }
  43869. // ...and constrain the position if limits have been set for that.
  43870. if (minOffTop > 0 || minOffLeft > 0 || minOffBottom > 0 || minOffRight > 0)
  43871. {
  43872. if (minOffTop > 0)
  43873. {
  43874. const int limit = limits.getY() + jmin (minOffTop - h, 0);
  43875. if (y < limit)
  43876. {
  43877. if (isStretchingTop)
  43878. h -= (limit - y);
  43879. y = limit;
  43880. }
  43881. }
  43882. if (minOffLeft > 0)
  43883. {
  43884. const int limit = limits.getX() + jmin (minOffLeft - w, 0);
  43885. if (x < limit)
  43886. {
  43887. if (isStretchingLeft)
  43888. w -= (limit - x);
  43889. x = limit;
  43890. }
  43891. }
  43892. if (minOffBottom > 0)
  43893. {
  43894. const int limit = limits.getBottom() - jmin (minOffBottom, h);
  43895. if (y > limit)
  43896. {
  43897. if (isStretchingBottom)
  43898. h += (limit - y);
  43899. else
  43900. y = limit;
  43901. }
  43902. }
  43903. if (minOffRight > 0)
  43904. {
  43905. const int limit = limits.getRight() - jmin (minOffRight, w);
  43906. if (x > limit)
  43907. {
  43908. if (isStretchingRight)
  43909. w += (limit - x);
  43910. else
  43911. x = limit;
  43912. }
  43913. }
  43914. }
  43915. jassert (w >= 0 && h >= 0);
  43916. }
  43917. END_JUCE_NAMESPACE
  43918. /********* End of inlined file: juce_ComponentBoundsConstrainer.cpp *********/
  43919. /********* Start of inlined file: juce_ComponentMovementWatcher.cpp *********/
  43920. BEGIN_JUCE_NAMESPACE
  43921. ComponentMovementWatcher::ComponentMovementWatcher (Component* const component_)
  43922. : component (component_),
  43923. lastPeer (0),
  43924. registeredParentComps (4),
  43925. reentrant (false)
  43926. {
  43927. jassert (component != 0); // can't use this with a null pointer..
  43928. #ifdef JUCE_DEBUG
  43929. deletionWatcher = new ComponentDeletionWatcher (component_);
  43930. #endif
  43931. component->addComponentListener (this);
  43932. registerWithParentComps();
  43933. }
  43934. ComponentMovementWatcher::~ComponentMovementWatcher()
  43935. {
  43936. component->removeComponentListener (this);
  43937. unregister();
  43938. #ifdef JUCE_DEBUG
  43939. delete deletionWatcher;
  43940. #endif
  43941. }
  43942. void ComponentMovementWatcher::componentParentHierarchyChanged (Component&)
  43943. {
  43944. #ifdef JUCE_DEBUG
  43945. // agh! don't delete the target component without deleting this object first!
  43946. jassert (! deletionWatcher->hasBeenDeleted());
  43947. #endif
  43948. if (! reentrant)
  43949. {
  43950. reentrant = true;
  43951. ComponentPeer* const peer = component->getPeer();
  43952. if (peer != lastPeer)
  43953. {
  43954. ComponentDeletionWatcher watcher (component);
  43955. componentPeerChanged();
  43956. if (watcher.hasBeenDeleted())
  43957. return;
  43958. lastPeer = peer;
  43959. }
  43960. unregister();
  43961. registerWithParentComps();
  43962. reentrant = false;
  43963. componentMovedOrResized (*component, true, true);
  43964. }
  43965. }
  43966. void ComponentMovementWatcher::componentMovedOrResized (Component&, bool wasMoved, bool wasResized)
  43967. {
  43968. #ifdef JUCE_DEBUG
  43969. // agh! don't delete the target component without deleting this object first!
  43970. jassert (! deletionWatcher->hasBeenDeleted());
  43971. #endif
  43972. if (wasMoved)
  43973. {
  43974. int x = 0, y = 0;
  43975. component->relativePositionToOtherComponent (component->getTopLevelComponent(), x, y);
  43976. wasMoved = (lastX != x || lastY != y);
  43977. lastX = x;
  43978. lastY = y;
  43979. }
  43980. wasResized = (lastWidth != component->getWidth() || lastHeight != component->getHeight());
  43981. lastWidth = component->getWidth();
  43982. lastHeight = component->getHeight();
  43983. if (wasMoved || wasResized)
  43984. componentMovedOrResized (wasMoved, wasResized);
  43985. }
  43986. void ComponentMovementWatcher::registerWithParentComps() throw()
  43987. {
  43988. Component* p = component->getParentComponent();
  43989. while (p != 0)
  43990. {
  43991. p->addComponentListener (this);
  43992. registeredParentComps.add (p);
  43993. p = p->getParentComponent();
  43994. }
  43995. }
  43996. void ComponentMovementWatcher::unregister() throw()
  43997. {
  43998. for (int i = registeredParentComps.size(); --i >= 0;)
  43999. ((Component*) registeredParentComps.getUnchecked(i))->removeComponentListener (this);
  44000. registeredParentComps.clear();
  44001. }
  44002. END_JUCE_NAMESPACE
  44003. /********* End of inlined file: juce_ComponentMovementWatcher.cpp *********/
  44004. /********* Start of inlined file: juce_GroupComponent.cpp *********/
  44005. BEGIN_JUCE_NAMESPACE
  44006. GroupComponent::GroupComponent (const String& componentName,
  44007. const String& labelText)
  44008. : Component (componentName),
  44009. text (labelText),
  44010. justification (Justification::left)
  44011. {
  44012. setInterceptsMouseClicks (false, true);
  44013. }
  44014. GroupComponent::~GroupComponent()
  44015. {
  44016. }
  44017. void GroupComponent::setText (const String& newText) throw()
  44018. {
  44019. if (text != newText)
  44020. {
  44021. text = newText;
  44022. repaint();
  44023. }
  44024. }
  44025. const String GroupComponent::getText() const throw()
  44026. {
  44027. return text;
  44028. }
  44029. void GroupComponent::setTextLabelPosition (const Justification& newJustification)
  44030. {
  44031. if (justification.getFlags() != newJustification.getFlags())
  44032. {
  44033. justification = newJustification;
  44034. repaint();
  44035. }
  44036. }
  44037. void GroupComponent::paint (Graphics& g)
  44038. {
  44039. getLookAndFeel()
  44040. .drawGroupComponentOutline (g, getWidth(), getHeight(),
  44041. text, justification,
  44042. *this);
  44043. }
  44044. void GroupComponent::enablementChanged()
  44045. {
  44046. repaint();
  44047. }
  44048. void GroupComponent::colourChanged()
  44049. {
  44050. repaint();
  44051. }
  44052. END_JUCE_NAMESPACE
  44053. /********* End of inlined file: juce_GroupComponent.cpp *********/
  44054. /********* Start of inlined file: juce_MultiDocumentPanel.cpp *********/
  44055. BEGIN_JUCE_NAMESPACE
  44056. MultiDocumentPanelWindow::MultiDocumentPanelWindow (const Colour& backgroundColour)
  44057. : DocumentWindow (String::empty, backgroundColour,
  44058. DocumentWindow::maximiseButton | DocumentWindow::closeButton, false)
  44059. {
  44060. }
  44061. MultiDocumentPanelWindow::~MultiDocumentPanelWindow()
  44062. {
  44063. }
  44064. void MultiDocumentPanelWindow::maximiseButtonPressed()
  44065. {
  44066. MultiDocumentPanel* const owner = getOwner();
  44067. jassert (owner != 0); // these windows are only designed to be used inside a MultiDocumentPanel!
  44068. if (owner != 0)
  44069. owner->setLayoutMode (MultiDocumentPanel::MaximisedWindowsWithTabs);
  44070. }
  44071. void MultiDocumentPanelWindow::closeButtonPressed()
  44072. {
  44073. MultiDocumentPanel* const owner = getOwner();
  44074. jassert (owner != 0); // these windows are only designed to be used inside a MultiDocumentPanel!
  44075. if (owner != 0)
  44076. owner->closeDocument (getContentComponent(), true);
  44077. }
  44078. void MultiDocumentPanelWindow::activeWindowStatusChanged()
  44079. {
  44080. DocumentWindow::activeWindowStatusChanged();
  44081. updateOrder();
  44082. }
  44083. void MultiDocumentPanelWindow::broughtToFront()
  44084. {
  44085. DocumentWindow::broughtToFront();
  44086. updateOrder();
  44087. }
  44088. void MultiDocumentPanelWindow::updateOrder()
  44089. {
  44090. MultiDocumentPanel* const owner = getOwner();
  44091. if (owner != 0)
  44092. owner->updateOrder();
  44093. }
  44094. MultiDocumentPanel* MultiDocumentPanelWindow::getOwner() const throw()
  44095. {
  44096. // (unable to use the syntax findParentComponentOfClass <MultiDocumentPanel> () because of a VC6 compiler bug)
  44097. return findParentComponentOfClass ((MultiDocumentPanel*) 0);
  44098. }
  44099. class MDITabbedComponentInternal : public TabbedComponent
  44100. {
  44101. public:
  44102. MDITabbedComponentInternal()
  44103. : TabbedComponent (TabbedButtonBar::TabsAtTop)
  44104. {
  44105. }
  44106. ~MDITabbedComponentInternal()
  44107. {
  44108. }
  44109. void currentTabChanged (const int, const String&)
  44110. {
  44111. // (unable to use the syntax findParentComponentOfClass <MultiDocumentPanel> () because of a VC6 compiler bug)
  44112. MultiDocumentPanel* const owner = findParentComponentOfClass ((MultiDocumentPanel*) 0);
  44113. if (owner != 0)
  44114. owner->updateOrder();
  44115. }
  44116. };
  44117. MultiDocumentPanel::MultiDocumentPanel()
  44118. : mode (MaximisedWindowsWithTabs),
  44119. tabComponent (0),
  44120. backgroundColour (Colours::lightblue),
  44121. maximumNumDocuments (0),
  44122. numDocsBeforeTabsUsed (0)
  44123. {
  44124. setOpaque (true);
  44125. }
  44126. MultiDocumentPanel::~MultiDocumentPanel()
  44127. {
  44128. closeAllDocuments (false);
  44129. }
  44130. static bool shouldDeleteComp (Component* const c)
  44131. {
  44132. return c->getComponentPropertyBool (T("mdiDocumentDelete_"), false);
  44133. }
  44134. bool MultiDocumentPanel::closeAllDocuments (const bool checkItsOkToCloseFirst)
  44135. {
  44136. while (components.size() > 0)
  44137. if (! closeDocument (components.getLast(), checkItsOkToCloseFirst))
  44138. return false;
  44139. return true;
  44140. }
  44141. MultiDocumentPanelWindow* MultiDocumentPanel::createNewDocumentWindow()
  44142. {
  44143. return new MultiDocumentPanelWindow (backgroundColour);
  44144. }
  44145. void MultiDocumentPanel::addWindow (Component* component)
  44146. {
  44147. MultiDocumentPanelWindow* const dw = createNewDocumentWindow();
  44148. dw->setResizable (true, false);
  44149. dw->setContentComponent (component, false, true);
  44150. dw->setName (component->getName());
  44151. dw->setBackgroundColour (component->getComponentPropertyColour (T("mdiDocumentBkg_"), false, backgroundColour));
  44152. int x = 4;
  44153. Component* const topComp = getChildComponent (getNumChildComponents() - 1);
  44154. if (topComp != 0 && topComp->getX() == x && topComp->getY() == x)
  44155. x += 16;
  44156. dw->setTopLeftPosition (x, x);
  44157. if (component->getComponentProperty (T("mdiDocumentPos_"), false, String::empty).isNotEmpty())
  44158. dw->restoreWindowStateFromString (component->getComponentProperty (T("mdiDocumentPos_"), false, String::empty));
  44159. addAndMakeVisible (dw);
  44160. dw->toFront (true);
  44161. }
  44162. bool MultiDocumentPanel::addDocument (Component* const component,
  44163. const Colour& backgroundColour,
  44164. const bool deleteWhenRemoved)
  44165. {
  44166. // If you try passing a full DocumentWindow or ResizableWindow in here, you'll end up
  44167. // with a frame-within-a-frame! Just pass in the bare content component.
  44168. jassert (dynamic_cast <ResizableWindow*> (component) == 0);
  44169. if (component == 0 || (maximumNumDocuments > 0 && components.size() >= maximumNumDocuments))
  44170. return false;
  44171. components.add (component);
  44172. component->setComponentProperty (T("mdiDocumentDelete_"), deleteWhenRemoved);
  44173. component->setComponentProperty (T("mdiDocumentBkg_"), backgroundColour);
  44174. component->addComponentListener (this);
  44175. if (mode == FloatingWindows)
  44176. {
  44177. if (isFullscreenWhenOneDocument())
  44178. {
  44179. if (components.size() == 1)
  44180. {
  44181. addAndMakeVisible (component);
  44182. }
  44183. else
  44184. {
  44185. if (components.size() == 2)
  44186. addWindow (components.getFirst());
  44187. addWindow (component);
  44188. }
  44189. }
  44190. else
  44191. {
  44192. addWindow (component);
  44193. }
  44194. }
  44195. else
  44196. {
  44197. if (tabComponent == 0 && components.size() > numDocsBeforeTabsUsed)
  44198. {
  44199. addAndMakeVisible (tabComponent = new MDITabbedComponentInternal());
  44200. Array <Component*> temp (components);
  44201. for (int i = 0; i < temp.size(); ++i)
  44202. tabComponent->addTab (temp[i]->getName(), backgroundColour, temp[i], false);
  44203. resized();
  44204. }
  44205. else
  44206. {
  44207. if (tabComponent != 0)
  44208. tabComponent->addTab (component->getName(), backgroundColour, component, false);
  44209. else
  44210. addAndMakeVisible (component);
  44211. }
  44212. setActiveDocument (component);
  44213. }
  44214. resized();
  44215. activeDocumentChanged();
  44216. return true;
  44217. }
  44218. bool MultiDocumentPanel::closeDocument (Component* component,
  44219. const bool checkItsOkToCloseFirst)
  44220. {
  44221. if (components.contains (component))
  44222. {
  44223. if (checkItsOkToCloseFirst && ! tryToCloseDocument (component))
  44224. return false;
  44225. component->removeComponentListener (this);
  44226. const bool shouldDelete = shouldDeleteComp (component);
  44227. component->removeComponentProperty (T("mdiDocumentDelete_"));
  44228. component->removeComponentProperty (T("mdiDocumentBkg_"));
  44229. if (mode == FloatingWindows)
  44230. {
  44231. for (int i = getNumChildComponents(); --i >= 0;)
  44232. {
  44233. MultiDocumentPanelWindow* const dw = dynamic_cast <MultiDocumentPanelWindow*> (getChildComponent (i));
  44234. if (dw != 0 && dw->getContentComponent() == component)
  44235. {
  44236. dw->setContentComponent (0, false);
  44237. delete dw;
  44238. break;
  44239. }
  44240. }
  44241. if (shouldDelete)
  44242. delete component;
  44243. components.removeValue (component);
  44244. if (isFullscreenWhenOneDocument() && components.size() == 1)
  44245. {
  44246. for (int i = getNumChildComponents(); --i >= 0;)
  44247. {
  44248. MultiDocumentPanelWindow* const dw = dynamic_cast <MultiDocumentPanelWindow*> (getChildComponent (i));
  44249. if (dw != 0)
  44250. {
  44251. dw->setContentComponent (0, false);
  44252. delete dw;
  44253. }
  44254. }
  44255. addAndMakeVisible (components.getFirst());
  44256. }
  44257. }
  44258. else
  44259. {
  44260. jassert (components.indexOf (component) >= 0);
  44261. if (tabComponent != 0)
  44262. {
  44263. for (int i = tabComponent->getNumTabs(); --i >= 0;)
  44264. if (tabComponent->getTabContentComponent (i) == component)
  44265. tabComponent->removeTab (i);
  44266. }
  44267. else
  44268. {
  44269. removeChildComponent (component);
  44270. }
  44271. if (shouldDelete)
  44272. delete component;
  44273. if (tabComponent != 0 && tabComponent->getNumTabs() <= numDocsBeforeTabsUsed)
  44274. deleteAndZero (tabComponent);
  44275. components.removeValue (component);
  44276. if (components.size() > 0 && tabComponent == 0)
  44277. addAndMakeVisible (components.getFirst());
  44278. }
  44279. resized();
  44280. activeDocumentChanged();
  44281. }
  44282. else
  44283. {
  44284. jassertfalse
  44285. }
  44286. return true;
  44287. }
  44288. int MultiDocumentPanel::getNumDocuments() const throw()
  44289. {
  44290. return components.size();
  44291. }
  44292. Component* MultiDocumentPanel::getDocument (const int index) const throw()
  44293. {
  44294. return components [index];
  44295. }
  44296. Component* MultiDocumentPanel::getActiveDocument() const throw()
  44297. {
  44298. if (mode == FloatingWindows)
  44299. {
  44300. for (int i = getNumChildComponents(); --i >= 0;)
  44301. {
  44302. MultiDocumentPanelWindow* const dw = dynamic_cast <MultiDocumentPanelWindow*> (getChildComponent (i));
  44303. if (dw != 0 && dw->isActiveWindow())
  44304. return dw->getContentComponent();
  44305. }
  44306. }
  44307. return components.getLast();
  44308. }
  44309. void MultiDocumentPanel::setActiveDocument (Component* component)
  44310. {
  44311. if (mode == FloatingWindows)
  44312. {
  44313. component = getContainerComp (component);
  44314. if (component != 0)
  44315. component->toFront (true);
  44316. }
  44317. else if (tabComponent != 0)
  44318. {
  44319. jassert (components.indexOf (component) >= 0);
  44320. for (int i = tabComponent->getNumTabs(); --i >= 0;)
  44321. {
  44322. if (tabComponent->getTabContentComponent (i) == component)
  44323. {
  44324. tabComponent->setCurrentTabIndex (i);
  44325. break;
  44326. }
  44327. }
  44328. }
  44329. else
  44330. {
  44331. component->grabKeyboardFocus();
  44332. }
  44333. }
  44334. void MultiDocumentPanel::activeDocumentChanged()
  44335. {
  44336. }
  44337. void MultiDocumentPanel::setMaximumNumDocuments (const int newNumber)
  44338. {
  44339. maximumNumDocuments = newNumber;
  44340. }
  44341. void MultiDocumentPanel::useFullscreenWhenOneDocument (const bool shouldUseTabs)
  44342. {
  44343. numDocsBeforeTabsUsed = shouldUseTabs ? 1 : 0;
  44344. }
  44345. bool MultiDocumentPanel::isFullscreenWhenOneDocument() const throw()
  44346. {
  44347. return numDocsBeforeTabsUsed != 0;
  44348. }
  44349. void MultiDocumentPanel::setLayoutMode (const LayoutMode newLayoutMode)
  44350. {
  44351. if (mode != newLayoutMode)
  44352. {
  44353. mode = newLayoutMode;
  44354. if (mode == FloatingWindows)
  44355. {
  44356. deleteAndZero (tabComponent);
  44357. }
  44358. else
  44359. {
  44360. for (int i = getNumChildComponents(); --i >= 0;)
  44361. {
  44362. MultiDocumentPanelWindow* const dw = dynamic_cast <MultiDocumentPanelWindow*> (getChildComponent (i));
  44363. if (dw != 0)
  44364. {
  44365. dw->getContentComponent()->setComponentProperty (T("mdiDocumentPos_"), dw->getWindowStateAsString());
  44366. dw->setContentComponent (0, false);
  44367. delete dw;
  44368. }
  44369. }
  44370. }
  44371. resized();
  44372. const Array <Component*> tempComps (components);
  44373. components.clear();
  44374. for (int i = 0; i < tempComps.size(); ++i)
  44375. {
  44376. Component* const c = tempComps.getUnchecked(i);
  44377. addDocument (c,
  44378. c->getComponentPropertyColour (T("mdiDocumentBkg_"), false, Colours::white),
  44379. shouldDeleteComp (c));
  44380. }
  44381. }
  44382. }
  44383. void MultiDocumentPanel::setBackgroundColour (const Colour& newBackgroundColour)
  44384. {
  44385. if (backgroundColour != newBackgroundColour)
  44386. {
  44387. backgroundColour = newBackgroundColour;
  44388. setOpaque (newBackgroundColour.isOpaque());
  44389. repaint();
  44390. }
  44391. }
  44392. void MultiDocumentPanel::paint (Graphics& g)
  44393. {
  44394. g.fillAll (backgroundColour);
  44395. }
  44396. void MultiDocumentPanel::resized()
  44397. {
  44398. if (mode == MaximisedWindowsWithTabs || components.size() == numDocsBeforeTabsUsed)
  44399. {
  44400. for (int i = getNumChildComponents(); --i >= 0;)
  44401. getChildComponent (i)->setBounds (0, 0, getWidth(), getHeight());
  44402. }
  44403. setWantsKeyboardFocus (components.size() == 0);
  44404. }
  44405. Component* MultiDocumentPanel::getContainerComp (Component* c) const
  44406. {
  44407. if (mode == FloatingWindows)
  44408. {
  44409. for (int i = 0; i < getNumChildComponents(); ++i)
  44410. {
  44411. MultiDocumentPanelWindow* const dw = dynamic_cast <MultiDocumentPanelWindow*> (getChildComponent (i));
  44412. if (dw != 0 && dw->getContentComponent() == c)
  44413. {
  44414. c = dw;
  44415. break;
  44416. }
  44417. }
  44418. }
  44419. return c;
  44420. }
  44421. void MultiDocumentPanel::componentNameChanged (Component&)
  44422. {
  44423. if (mode == FloatingWindows)
  44424. {
  44425. for (int i = 0; i < getNumChildComponents(); ++i)
  44426. {
  44427. MultiDocumentPanelWindow* const dw = dynamic_cast <MultiDocumentPanelWindow*> (getChildComponent (i));
  44428. if (dw != 0)
  44429. dw->setName (dw->getContentComponent()->getName());
  44430. }
  44431. }
  44432. else if (tabComponent != 0)
  44433. {
  44434. for (int i = tabComponent->getNumTabs(); --i >= 0;)
  44435. tabComponent->setTabName (i, tabComponent->getTabContentComponent (i)->getName());
  44436. }
  44437. }
  44438. void MultiDocumentPanel::updateOrder()
  44439. {
  44440. const Array <Component*> oldList (components);
  44441. if (mode == FloatingWindows)
  44442. {
  44443. components.clear();
  44444. for (int i = 0; i < getNumChildComponents(); ++i)
  44445. {
  44446. MultiDocumentPanelWindow* const dw = dynamic_cast <MultiDocumentPanelWindow*> (getChildComponent (i));
  44447. if (dw != 0)
  44448. components.add (dw->getContentComponent());
  44449. }
  44450. }
  44451. else
  44452. {
  44453. if (tabComponent != 0)
  44454. {
  44455. Component* const current = tabComponent->getCurrentContentComponent();
  44456. if (current != 0)
  44457. {
  44458. components.removeValue (current);
  44459. components.add (current);
  44460. }
  44461. }
  44462. }
  44463. if (components != oldList)
  44464. activeDocumentChanged();
  44465. }
  44466. END_JUCE_NAMESPACE
  44467. /********* End of inlined file: juce_MultiDocumentPanel.cpp *********/
  44468. /********* Start of inlined file: juce_ResizableBorderComponent.cpp *********/
  44469. BEGIN_JUCE_NAMESPACE
  44470. const int zoneL = 1;
  44471. const int zoneR = 2;
  44472. const int zoneT = 4;
  44473. const int zoneB = 8;
  44474. ResizableBorderComponent::ResizableBorderComponent (Component* const componentToResize,
  44475. ComponentBoundsConstrainer* const constrainer_)
  44476. : component (componentToResize),
  44477. constrainer (constrainer_),
  44478. borderSize (5),
  44479. mouseZone (0)
  44480. {
  44481. }
  44482. ResizableBorderComponent::~ResizableBorderComponent()
  44483. {
  44484. }
  44485. void ResizableBorderComponent::paint (Graphics& g)
  44486. {
  44487. getLookAndFeel().drawResizableFrame (g, getWidth(), getHeight(), borderSize);
  44488. }
  44489. void ResizableBorderComponent::mouseEnter (const MouseEvent& e)
  44490. {
  44491. updateMouseZone (e);
  44492. }
  44493. void ResizableBorderComponent::mouseMove (const MouseEvent& e)
  44494. {
  44495. updateMouseZone (e);
  44496. }
  44497. void ResizableBorderComponent::mouseDown (const MouseEvent& e)
  44498. {
  44499. if (component->isValidComponent())
  44500. {
  44501. updateMouseZone (e);
  44502. originalX = component->getX();
  44503. originalY = component->getY();
  44504. originalW = component->getWidth();
  44505. originalH = component->getHeight();
  44506. if (constrainer != 0)
  44507. constrainer->resizeStart();
  44508. }
  44509. else
  44510. {
  44511. jassertfalse
  44512. }
  44513. }
  44514. void ResizableBorderComponent::mouseDrag (const MouseEvent& e)
  44515. {
  44516. if (! component->isValidComponent())
  44517. {
  44518. jassertfalse
  44519. return;
  44520. }
  44521. int x = originalX;
  44522. int y = originalY;
  44523. int w = originalW;
  44524. int h = originalH;
  44525. const int dx = e.getDistanceFromDragStartX();
  44526. const int dy = e.getDistanceFromDragStartY();
  44527. if ((mouseZone & zoneL) != 0)
  44528. {
  44529. x += dx;
  44530. w -= dx;
  44531. }
  44532. if ((mouseZone & zoneT) != 0)
  44533. {
  44534. y += dy;
  44535. h -= dy;
  44536. }
  44537. if ((mouseZone & zoneR) != 0)
  44538. w += dx;
  44539. if ((mouseZone & zoneB) != 0)
  44540. h += dy;
  44541. if (constrainer != 0)
  44542. constrainer->setBoundsForComponent (component,
  44543. x, y, w, h,
  44544. (mouseZone & zoneT) != 0,
  44545. (mouseZone & zoneL) != 0,
  44546. (mouseZone & zoneB) != 0,
  44547. (mouseZone & zoneR) != 0);
  44548. else
  44549. component->setBounds (x, y, w, h);
  44550. }
  44551. void ResizableBorderComponent::mouseUp (const MouseEvent&)
  44552. {
  44553. if (constrainer != 0)
  44554. constrainer->resizeEnd();
  44555. }
  44556. bool ResizableBorderComponent::hitTest (int x, int y)
  44557. {
  44558. return x < borderSize.getLeft()
  44559. || x >= getWidth() - borderSize.getRight()
  44560. || y < borderSize.getTop()
  44561. || y >= getHeight() - borderSize.getBottom();
  44562. }
  44563. void ResizableBorderComponent::setBorderThickness (const BorderSize& newBorderSize) throw()
  44564. {
  44565. if (borderSize != newBorderSize)
  44566. {
  44567. borderSize = newBorderSize;
  44568. repaint();
  44569. }
  44570. }
  44571. const BorderSize ResizableBorderComponent::getBorderThickness() const throw()
  44572. {
  44573. return borderSize;
  44574. }
  44575. void ResizableBorderComponent::updateMouseZone (const MouseEvent& e) throw()
  44576. {
  44577. int newZone = 0;
  44578. if (ResizableBorderComponent::hitTest (e.x, e.y))
  44579. {
  44580. if (e.x < jmax (borderSize.getLeft(), proportionOfWidth (0.1f)))
  44581. newZone |= zoneL;
  44582. else if (e.x >= jmin (getWidth() - borderSize.getRight(), proportionOfWidth (0.9f)))
  44583. newZone |= zoneR;
  44584. if (e.y < jmax (borderSize.getTop(), proportionOfHeight (0.1f)))
  44585. newZone |= zoneT;
  44586. else if (e.y >= jmin (getHeight() - borderSize.getBottom(), proportionOfHeight (0.9f)))
  44587. newZone |= zoneB;
  44588. }
  44589. if (mouseZone != newZone)
  44590. {
  44591. mouseZone = newZone;
  44592. MouseCursor::StandardCursorType mc = MouseCursor::NormalCursor;
  44593. switch (newZone)
  44594. {
  44595. case (zoneL | zoneT):
  44596. mc = MouseCursor::TopLeftCornerResizeCursor;
  44597. break;
  44598. case zoneT:
  44599. mc = MouseCursor::TopEdgeResizeCursor;
  44600. break;
  44601. case (zoneR | zoneT):
  44602. mc = MouseCursor::TopRightCornerResizeCursor;
  44603. break;
  44604. case zoneL:
  44605. mc = MouseCursor::LeftEdgeResizeCursor;
  44606. break;
  44607. case zoneR:
  44608. mc = MouseCursor::RightEdgeResizeCursor;
  44609. break;
  44610. case (zoneL | zoneB):
  44611. mc = MouseCursor::BottomLeftCornerResizeCursor;
  44612. break;
  44613. case zoneB:
  44614. mc = MouseCursor::BottomEdgeResizeCursor;
  44615. break;
  44616. case (zoneR | zoneB):
  44617. mc = MouseCursor::BottomRightCornerResizeCursor;
  44618. break;
  44619. default:
  44620. break;
  44621. }
  44622. setMouseCursor (mc);
  44623. }
  44624. }
  44625. END_JUCE_NAMESPACE
  44626. /********* End of inlined file: juce_ResizableBorderComponent.cpp *********/
  44627. /********* Start of inlined file: juce_ResizableCornerComponent.cpp *********/
  44628. BEGIN_JUCE_NAMESPACE
  44629. ResizableCornerComponent::ResizableCornerComponent (Component* const componentToResize,
  44630. ComponentBoundsConstrainer* const constrainer_)
  44631. : component (componentToResize),
  44632. constrainer (constrainer_)
  44633. {
  44634. setRepaintsOnMouseActivity (true);
  44635. setMouseCursor (MouseCursor::BottomRightCornerResizeCursor);
  44636. }
  44637. ResizableCornerComponent::~ResizableCornerComponent()
  44638. {
  44639. }
  44640. void ResizableCornerComponent::paint (Graphics& g)
  44641. {
  44642. getLookAndFeel()
  44643. .drawCornerResizer (g, getWidth(), getHeight(),
  44644. isMouseOverOrDragging(),
  44645. isMouseButtonDown());
  44646. }
  44647. void ResizableCornerComponent::mouseDown (const MouseEvent&)
  44648. {
  44649. if (component->isValidComponent())
  44650. {
  44651. originalX = component->getX();
  44652. originalY = component->getY();
  44653. originalW = component->getWidth();
  44654. originalH = component->getHeight();
  44655. if (constrainer != 0)
  44656. constrainer->resizeStart();
  44657. }
  44658. else
  44659. {
  44660. jassertfalse
  44661. }
  44662. }
  44663. void ResizableCornerComponent::mouseDrag (const MouseEvent& e)
  44664. {
  44665. if (! component->isValidComponent())
  44666. {
  44667. jassertfalse
  44668. return;
  44669. }
  44670. int x = originalX;
  44671. int y = originalY;
  44672. int w = originalW + e.getDistanceFromDragStartX();
  44673. int h = originalH + e.getDistanceFromDragStartY();
  44674. if (constrainer != 0)
  44675. constrainer->setBoundsForComponent (component, x, y, w, h,
  44676. false, false, true, true);
  44677. else
  44678. component->setBounds (x, y, w, h);
  44679. }
  44680. void ResizableCornerComponent::mouseUp (const MouseEvent&)
  44681. {
  44682. if (constrainer != 0)
  44683. constrainer->resizeStart();
  44684. }
  44685. bool ResizableCornerComponent::hitTest (int x, int y)
  44686. {
  44687. if (getWidth() <= 0)
  44688. return false;
  44689. const int yAtX = getHeight() - (getHeight() * x / getWidth());
  44690. return y >= yAtX - getHeight() / 4;
  44691. }
  44692. END_JUCE_NAMESPACE
  44693. /********* End of inlined file: juce_ResizableCornerComponent.cpp *********/
  44694. /********* Start of inlined file: juce_ScrollBar.cpp *********/
  44695. BEGIN_JUCE_NAMESPACE
  44696. class ScrollbarButton : public Button
  44697. {
  44698. public:
  44699. int direction;
  44700. ScrollbarButton (const int direction_,
  44701. ScrollBar& owner_) throw()
  44702. : Button (String::empty),
  44703. direction (direction_),
  44704. owner (owner_)
  44705. {
  44706. setWantsKeyboardFocus (false);
  44707. }
  44708. ~ScrollbarButton()
  44709. {
  44710. }
  44711. void paintButton (Graphics& g,
  44712. bool isMouseOver,
  44713. bool isMouseDown)
  44714. {
  44715. getLookAndFeel()
  44716. .drawScrollbarButton (g, owner,
  44717. getWidth(), getHeight(),
  44718. direction,
  44719. owner.isVertical(),
  44720. isMouseOver, isMouseDown);
  44721. }
  44722. void clicked()
  44723. {
  44724. owner.moveScrollbarInSteps ((direction == 1 || direction == 2) ? 1 : -1);
  44725. }
  44726. juce_UseDebuggingNewOperator
  44727. private:
  44728. ScrollBar& owner;
  44729. ScrollbarButton (const ScrollbarButton&);
  44730. const ScrollbarButton& operator= (const ScrollbarButton&);
  44731. };
  44732. ScrollBar::ScrollBar (const bool vertical_,
  44733. const bool buttonsAreVisible)
  44734. : minimum (0.0),
  44735. maximum (1.0),
  44736. rangeStart (0.0),
  44737. rangeSize (0.1),
  44738. singleStepSize (0.1),
  44739. thumbAreaStart (0),
  44740. thumbAreaSize (0),
  44741. thumbStart (0),
  44742. thumbSize (0),
  44743. initialDelayInMillisecs (100),
  44744. repeatDelayInMillisecs (50),
  44745. minimumDelayInMillisecs (10),
  44746. vertical (vertical_),
  44747. isDraggingThumb (false),
  44748. alwaysVisible (false),
  44749. upButton (0),
  44750. downButton (0),
  44751. listeners (2)
  44752. {
  44753. setButtonVisibility (buttonsAreVisible);
  44754. setRepaintsOnMouseActivity (true);
  44755. setFocusContainer (true);
  44756. }
  44757. ScrollBar::~ScrollBar()
  44758. {
  44759. deleteAllChildren();
  44760. }
  44761. void ScrollBar::setRangeLimits (const double newMinimum,
  44762. const double newMaximum) throw()
  44763. {
  44764. minimum = newMinimum;
  44765. maximum = newMaximum;
  44766. jassert (maximum >= minimum); // these can't be the wrong way round!
  44767. setCurrentRangeStart (rangeStart);
  44768. updateThumbPosition();
  44769. }
  44770. void ScrollBar::setCurrentRange (double newStart,
  44771. double newSize) throw()
  44772. {
  44773. newSize = jlimit (0.0, maximum - minimum, newSize);
  44774. newStart = jlimit (minimum, maximum - newSize, newStart);
  44775. if (rangeStart != newStart
  44776. || rangeSize != newSize)
  44777. {
  44778. rangeStart = newStart;
  44779. rangeSize = newSize;
  44780. updateThumbPosition();
  44781. triggerAsyncUpdate();
  44782. }
  44783. }
  44784. void ScrollBar::setCurrentRangeStart (double newStart) throw()
  44785. {
  44786. setCurrentRange (newStart, rangeSize);
  44787. }
  44788. void ScrollBar::setSingleStepSize (const double newSingleStepSize) throw()
  44789. {
  44790. singleStepSize = newSingleStepSize;
  44791. }
  44792. void ScrollBar::moveScrollbarInSteps (const int howManySteps) throw()
  44793. {
  44794. setCurrentRangeStart (rangeStart + howManySteps * singleStepSize);
  44795. }
  44796. void ScrollBar::moveScrollbarInPages (const int howManyPages) throw()
  44797. {
  44798. setCurrentRangeStart (rangeStart + howManyPages * rangeSize);
  44799. }
  44800. void ScrollBar::scrollToTop() throw()
  44801. {
  44802. setCurrentRangeStart (minimum);
  44803. }
  44804. void ScrollBar::scrollToBottom() throw()
  44805. {
  44806. setCurrentRangeStart (maximum - rangeSize);
  44807. }
  44808. void ScrollBar::setButtonRepeatSpeed (const int initialDelayInMillisecs_,
  44809. const int repeatDelayInMillisecs_,
  44810. const int minimumDelayInMillisecs_) throw()
  44811. {
  44812. initialDelayInMillisecs = initialDelayInMillisecs_;
  44813. repeatDelayInMillisecs = repeatDelayInMillisecs_;
  44814. minimumDelayInMillisecs = minimumDelayInMillisecs_;
  44815. if (upButton != 0)
  44816. {
  44817. upButton->setRepeatSpeed (initialDelayInMillisecs, repeatDelayInMillisecs, minimumDelayInMillisecs);
  44818. downButton->setRepeatSpeed (initialDelayInMillisecs, repeatDelayInMillisecs, minimumDelayInMillisecs);
  44819. }
  44820. }
  44821. void ScrollBar::addListener (ScrollBarListener* const listener) throw()
  44822. {
  44823. jassert (listener != 0);
  44824. if (listener != 0)
  44825. listeners.add (listener);
  44826. }
  44827. void ScrollBar::removeListener (ScrollBarListener* const listener) throw()
  44828. {
  44829. listeners.removeValue (listener);
  44830. }
  44831. void ScrollBar::handleAsyncUpdate()
  44832. {
  44833. const double value = getCurrentRangeStart();
  44834. for (int i = listeners.size(); --i >= 0;)
  44835. {
  44836. ((ScrollBarListener*) listeners.getUnchecked (i))->scrollBarMoved (this, value);
  44837. i = jmin (i, listeners.size());
  44838. }
  44839. }
  44840. void ScrollBar::updateThumbPosition() throw()
  44841. {
  44842. int newThumbSize = roundDoubleToInt ((maximum > minimum) ? (rangeSize * thumbAreaSize) / (maximum - minimum)
  44843. : thumbAreaSize);
  44844. if (newThumbSize < getLookAndFeel().getMinimumScrollbarThumbSize (*this))
  44845. newThumbSize = jmin (getLookAndFeel().getMinimumScrollbarThumbSize (*this), thumbAreaSize - 1);
  44846. if (newThumbSize > thumbAreaSize)
  44847. newThumbSize = thumbAreaSize;
  44848. int newThumbStart = thumbAreaStart;
  44849. if (maximum - minimum > rangeSize)
  44850. newThumbStart += roundDoubleToInt (((rangeStart - minimum) * (thumbAreaSize - newThumbSize))
  44851. / ((maximum - minimum) - rangeSize));
  44852. setVisible (alwaysVisible || (maximum - minimum > rangeSize && rangeSize > 0.0));
  44853. if (thumbStart != newThumbStart || thumbSize != newThumbSize)
  44854. {
  44855. const int repaintStart = jmin (thumbStart, newThumbStart) - 4;
  44856. const int repaintSize = jmax (thumbStart + thumbSize, newThumbStart + newThumbSize) + 8 - repaintStart;
  44857. if (vertical)
  44858. repaint (0, repaintStart, getWidth(), repaintSize);
  44859. else
  44860. repaint (repaintStart, 0, repaintSize, getHeight());
  44861. thumbStart = newThumbStart;
  44862. thumbSize = newThumbSize;
  44863. }
  44864. }
  44865. void ScrollBar::setOrientation (const bool shouldBeVertical) throw()
  44866. {
  44867. if (vertical != shouldBeVertical)
  44868. {
  44869. vertical = shouldBeVertical;
  44870. if (upButton != 0)
  44871. {
  44872. ((ScrollbarButton*) upButton)->direction = (vertical) ? 0 : 3;
  44873. ((ScrollbarButton*) downButton)->direction = (vertical) ? 2 : 1;
  44874. }
  44875. updateThumbPosition();
  44876. }
  44877. }
  44878. void ScrollBar::setButtonVisibility (const bool buttonsAreVisible)
  44879. {
  44880. deleteAndZero (upButton);
  44881. deleteAndZero (downButton);
  44882. if (buttonsAreVisible)
  44883. {
  44884. addAndMakeVisible (upButton = new ScrollbarButton ((vertical) ? 0 : 3, *this));
  44885. addAndMakeVisible (downButton = new ScrollbarButton ((vertical) ? 2 : 1, *this));
  44886. setButtonRepeatSpeed (initialDelayInMillisecs, repeatDelayInMillisecs, minimumDelayInMillisecs);
  44887. }
  44888. updateThumbPosition();
  44889. }
  44890. void ScrollBar::setAutoHide (const bool shouldHideWhenFullRange)
  44891. {
  44892. alwaysVisible = ! shouldHideWhenFullRange;
  44893. updateThumbPosition();
  44894. }
  44895. void ScrollBar::paint (Graphics& g)
  44896. {
  44897. if (thumbAreaSize > 0)
  44898. {
  44899. LookAndFeel& lf = getLookAndFeel();
  44900. const int thumb = (thumbAreaSize > lf.getMinimumScrollbarThumbSize (*this))
  44901. ? thumbSize : 0;
  44902. if (vertical)
  44903. {
  44904. lf.drawScrollbar (g, *this,
  44905. 0, thumbAreaStart,
  44906. getWidth(), thumbAreaSize,
  44907. vertical,
  44908. thumbStart, thumb,
  44909. isMouseOver(), isMouseButtonDown());
  44910. }
  44911. else
  44912. {
  44913. lf.drawScrollbar (g, *this,
  44914. thumbAreaStart, 0,
  44915. thumbAreaSize, getHeight(),
  44916. vertical,
  44917. thumbStart, thumb,
  44918. isMouseOver(), isMouseButtonDown());
  44919. }
  44920. }
  44921. }
  44922. void ScrollBar::lookAndFeelChanged()
  44923. {
  44924. setComponentEffect (getLookAndFeel().getScrollbarEffect());
  44925. }
  44926. void ScrollBar::resized()
  44927. {
  44928. const int length = ((vertical) ? getHeight() : getWidth());
  44929. const int buttonSize = (upButton != 0) ? jmin (getLookAndFeel().getScrollbarButtonSize (*this), (length >> 1))
  44930. : 0;
  44931. if (length < 32 + getLookAndFeel().getMinimumScrollbarThumbSize (*this))
  44932. {
  44933. thumbAreaStart = length >> 1;
  44934. thumbAreaSize = 0;
  44935. }
  44936. else
  44937. {
  44938. thumbAreaStart = buttonSize;
  44939. thumbAreaSize = length - (buttonSize << 1);
  44940. }
  44941. if (upButton != 0)
  44942. {
  44943. if (vertical)
  44944. {
  44945. upButton->setBounds (0, 0, getWidth(), buttonSize);
  44946. downButton->setBounds (0, thumbAreaStart + thumbAreaSize, getWidth(), buttonSize);
  44947. }
  44948. else
  44949. {
  44950. upButton->setBounds (0, 0, buttonSize, getHeight());
  44951. downButton->setBounds (thumbAreaStart + thumbAreaSize, 0, buttonSize, getHeight());
  44952. }
  44953. }
  44954. updateThumbPosition();
  44955. }
  44956. void ScrollBar::mouseDown (const MouseEvent& e)
  44957. {
  44958. isDraggingThumb = false;
  44959. lastMousePos = vertical ? e.y : e.x;
  44960. dragStartMousePos = lastMousePos;
  44961. dragStartRange = rangeStart;
  44962. if (dragStartMousePos < thumbStart)
  44963. {
  44964. moveScrollbarInPages (-1);
  44965. startTimer (400);
  44966. }
  44967. else if (dragStartMousePos >= thumbStart + thumbSize)
  44968. {
  44969. moveScrollbarInPages (1);
  44970. startTimer (400);
  44971. }
  44972. else
  44973. {
  44974. isDraggingThumb = (thumbAreaSize > getLookAndFeel().getMinimumScrollbarThumbSize (*this))
  44975. && (thumbAreaSize > thumbSize);
  44976. }
  44977. }
  44978. void ScrollBar::mouseDrag (const MouseEvent& e)
  44979. {
  44980. if (isDraggingThumb)
  44981. {
  44982. const int deltaPixels = ((vertical) ? e.y : e.x) - dragStartMousePos;
  44983. setCurrentRangeStart (dragStartRange
  44984. + deltaPixels * ((maximum - minimum) - rangeSize)
  44985. / (thumbAreaSize - thumbSize));
  44986. }
  44987. else
  44988. {
  44989. lastMousePos = (vertical) ? e.y : e.x;
  44990. }
  44991. }
  44992. void ScrollBar::mouseUp (const MouseEvent&)
  44993. {
  44994. isDraggingThumb = false;
  44995. stopTimer();
  44996. repaint();
  44997. }
  44998. void ScrollBar::mouseWheelMove (const MouseEvent&,
  44999. float wheelIncrementX,
  45000. float wheelIncrementY)
  45001. {
  45002. float increment = vertical ? wheelIncrementY : wheelIncrementX;
  45003. if (increment < 0)
  45004. increment = jmin (increment * 10.0f, -1.0f);
  45005. else if (increment > 0)
  45006. increment = jmax (increment * 10.0f, 1.0f);
  45007. setCurrentRangeStart (rangeStart - singleStepSize * increment);
  45008. }
  45009. void ScrollBar::timerCallback()
  45010. {
  45011. if (isMouseButtonDown())
  45012. {
  45013. startTimer (40);
  45014. if (lastMousePos < thumbStart)
  45015. setCurrentRangeStart (rangeStart - rangeSize);
  45016. else if (lastMousePos > thumbStart + thumbSize)
  45017. setCurrentRangeStart (rangeStart + rangeSize);
  45018. }
  45019. else
  45020. {
  45021. stopTimer();
  45022. }
  45023. }
  45024. bool ScrollBar::keyPressed (const KeyPress& key)
  45025. {
  45026. if (! isVisible())
  45027. return false;
  45028. if (key.isKeyCode (KeyPress::upKey) || key.isKeyCode (KeyPress::leftKey))
  45029. moveScrollbarInSteps (-1);
  45030. else if (key.isKeyCode (KeyPress::downKey) || key.isKeyCode (KeyPress::rightKey))
  45031. moveScrollbarInSteps (1);
  45032. else if (key.isKeyCode (KeyPress::pageUpKey))
  45033. moveScrollbarInPages (-1);
  45034. else if (key.isKeyCode (KeyPress::pageDownKey))
  45035. moveScrollbarInPages (1);
  45036. else if (key.isKeyCode (KeyPress::homeKey))
  45037. scrollToTop();
  45038. else if (key.isKeyCode (KeyPress::endKey))
  45039. scrollToBottom();
  45040. else
  45041. return false;
  45042. return true;
  45043. }
  45044. END_JUCE_NAMESPACE
  45045. /********* End of inlined file: juce_ScrollBar.cpp *********/
  45046. /********* Start of inlined file: juce_StretchableLayoutManager.cpp *********/
  45047. BEGIN_JUCE_NAMESPACE
  45048. StretchableLayoutManager::StretchableLayoutManager()
  45049. : totalSize (0)
  45050. {
  45051. }
  45052. StretchableLayoutManager::~StretchableLayoutManager()
  45053. {
  45054. }
  45055. void StretchableLayoutManager::clearAllItems()
  45056. {
  45057. items.clear();
  45058. totalSize = 0;
  45059. }
  45060. void StretchableLayoutManager::setItemLayout (const int itemIndex,
  45061. const double minimumSize,
  45062. const double maximumSize,
  45063. const double preferredSize)
  45064. {
  45065. ItemLayoutProperties* layout = getInfoFor (itemIndex);
  45066. if (layout == 0)
  45067. {
  45068. layout = new ItemLayoutProperties();
  45069. layout->itemIndex = itemIndex;
  45070. int i;
  45071. for (i = 0; i < items.size(); ++i)
  45072. if (items.getUnchecked (i)->itemIndex > itemIndex)
  45073. break;
  45074. items.insert (i, layout);
  45075. }
  45076. layout->minSize = minimumSize;
  45077. layout->maxSize = maximumSize;
  45078. layout->preferredSize = preferredSize;
  45079. layout->currentSize = 0;
  45080. }
  45081. bool StretchableLayoutManager::getItemLayout (const int itemIndex,
  45082. double& minimumSize,
  45083. double& maximumSize,
  45084. double& preferredSize) const
  45085. {
  45086. const ItemLayoutProperties* const layout = getInfoFor (itemIndex);
  45087. if (layout != 0)
  45088. {
  45089. minimumSize = layout->minSize;
  45090. maximumSize = layout->maxSize;
  45091. preferredSize = layout->preferredSize;
  45092. return true;
  45093. }
  45094. return false;
  45095. }
  45096. void StretchableLayoutManager::setTotalSize (const int newTotalSize)
  45097. {
  45098. totalSize = newTotalSize;
  45099. fitComponentsIntoSpace (0, items.size(), totalSize, 0);
  45100. }
  45101. int StretchableLayoutManager::getItemCurrentPosition (const int itemIndex) const
  45102. {
  45103. int pos = 0;
  45104. for (int i = 0; i < itemIndex; ++i)
  45105. {
  45106. const ItemLayoutProperties* const layout = getInfoFor (i);
  45107. if (layout != 0)
  45108. pos += layout->currentSize;
  45109. }
  45110. return pos;
  45111. }
  45112. int StretchableLayoutManager::getItemCurrentAbsoluteSize (const int itemIndex) const
  45113. {
  45114. const ItemLayoutProperties* const layout = getInfoFor (itemIndex);
  45115. if (layout != 0)
  45116. return layout->currentSize;
  45117. return 0;
  45118. }
  45119. double StretchableLayoutManager::getItemCurrentRelativeSize (const int itemIndex) const
  45120. {
  45121. const ItemLayoutProperties* const layout = getInfoFor (itemIndex);
  45122. if (layout != 0)
  45123. return -layout->currentSize / (double) totalSize;
  45124. return 0;
  45125. }
  45126. void StretchableLayoutManager::setItemPosition (const int itemIndex,
  45127. int newPosition)
  45128. {
  45129. for (int i = items.size(); --i >= 0;)
  45130. {
  45131. const ItemLayoutProperties* const layout = items.getUnchecked(i);
  45132. if (layout->itemIndex == itemIndex)
  45133. {
  45134. int realTotalSize = jmax (totalSize, getMinimumSizeOfItems (0, items.size()));
  45135. const int minSizeAfterThisComp = getMinimumSizeOfItems (i, items.size());
  45136. const int maxSizeAfterThisComp = getMaximumSizeOfItems (i + 1, items.size());
  45137. newPosition = jmax (newPosition, totalSize - maxSizeAfterThisComp - layout->currentSize);
  45138. newPosition = jmin (newPosition, realTotalSize - minSizeAfterThisComp);
  45139. int endPos = fitComponentsIntoSpace (0, i, newPosition, 0);
  45140. endPos += layout->currentSize;
  45141. fitComponentsIntoSpace (i + 1, items.size(), totalSize - endPos, endPos);
  45142. updatePrefSizesToMatchCurrentPositions();
  45143. break;
  45144. }
  45145. }
  45146. }
  45147. void StretchableLayoutManager::layOutComponents (Component** const components,
  45148. int numComponents,
  45149. int x, int y, int w, int h,
  45150. const bool vertically,
  45151. const bool resizeOtherDimension)
  45152. {
  45153. setTotalSize (vertically ? h : w);
  45154. int pos = vertically ? y : x;
  45155. for (int i = 0; i < numComponents; ++i)
  45156. {
  45157. const ItemLayoutProperties* const layout = getInfoFor (i);
  45158. if (layout != 0)
  45159. {
  45160. Component* const c = components[i];
  45161. if (c != 0)
  45162. {
  45163. if (i == numComponents - 1)
  45164. {
  45165. // if it's the last item, crop it to exactly fit the available space..
  45166. if (resizeOtherDimension)
  45167. {
  45168. if (vertically)
  45169. c->setBounds (x, pos, w, jmax (layout->currentSize, h - pos));
  45170. else
  45171. c->setBounds (pos, y, jmax (layout->currentSize, w - pos), h);
  45172. }
  45173. else
  45174. {
  45175. if (vertically)
  45176. c->setBounds (c->getX(), pos, c->getWidth(), jmax (layout->currentSize, h - pos));
  45177. else
  45178. c->setBounds (pos, c->getY(), jmax (layout->currentSize, w - pos), c->getHeight());
  45179. }
  45180. }
  45181. else
  45182. {
  45183. if (resizeOtherDimension)
  45184. {
  45185. if (vertically)
  45186. c->setBounds (x, pos, w, layout->currentSize);
  45187. else
  45188. c->setBounds (pos, y, layout->currentSize, h);
  45189. }
  45190. else
  45191. {
  45192. if (vertically)
  45193. c->setBounds (c->getX(), pos, c->getWidth(), layout->currentSize);
  45194. else
  45195. c->setBounds (pos, c->getY(), layout->currentSize, c->getHeight());
  45196. }
  45197. }
  45198. }
  45199. pos += layout->currentSize;
  45200. }
  45201. }
  45202. }
  45203. StretchableLayoutManager::ItemLayoutProperties* StretchableLayoutManager::getInfoFor (const int itemIndex) const
  45204. {
  45205. for (int i = items.size(); --i >= 0;)
  45206. if (items.getUnchecked(i)->itemIndex == itemIndex)
  45207. return items.getUnchecked(i);
  45208. return 0;
  45209. }
  45210. int StretchableLayoutManager::fitComponentsIntoSpace (const int startIndex,
  45211. const int endIndex,
  45212. const int availableSpace,
  45213. int startPos)
  45214. {
  45215. // calculate the total sizes
  45216. int i;
  45217. double totalIdealSize = 0.0;
  45218. int totalMinimums = 0;
  45219. for (i = startIndex; i < endIndex; ++i)
  45220. {
  45221. ItemLayoutProperties* const layout = items.getUnchecked (i);
  45222. layout->currentSize = sizeToRealSize (layout->minSize, totalSize);
  45223. totalMinimums += layout->currentSize;
  45224. totalIdealSize += sizeToRealSize (layout->preferredSize, availableSpace);
  45225. }
  45226. if (totalIdealSize <= 0)
  45227. totalIdealSize = 1.0;
  45228. // now calc the best sizes..
  45229. int extraSpace = availableSpace - totalMinimums;
  45230. while (extraSpace > 0)
  45231. {
  45232. int numWantingMoreSpace = 0;
  45233. int numHavingTakenExtraSpace = 0;
  45234. // first figure out how many comps want a slice of the extra space..
  45235. for (i = startIndex; i < endIndex; ++i)
  45236. {
  45237. ItemLayoutProperties* const layout = items.getUnchecked (i);
  45238. double sizeWanted = sizeToRealSize (layout->preferredSize, availableSpace);
  45239. const int bestSize = jlimit (layout->currentSize,
  45240. jmax (layout->currentSize,
  45241. sizeToRealSize (layout->maxSize, totalSize)),
  45242. roundDoubleToInt (sizeWanted * availableSpace / totalIdealSize));
  45243. if (bestSize > layout->currentSize)
  45244. ++numWantingMoreSpace;
  45245. }
  45246. // ..share out the extra space..
  45247. for (i = startIndex; i < endIndex; ++i)
  45248. {
  45249. ItemLayoutProperties* const layout = items.getUnchecked (i);
  45250. double sizeWanted = sizeToRealSize (layout->preferredSize, availableSpace);
  45251. int bestSize = jlimit (layout->currentSize,
  45252. jmax (layout->currentSize, sizeToRealSize (layout->maxSize, totalSize)),
  45253. roundDoubleToInt (sizeWanted * availableSpace / totalIdealSize));
  45254. const int extraWanted = bestSize - layout->currentSize;
  45255. if (extraWanted > 0)
  45256. {
  45257. const int extraAllowed = jmin (extraWanted,
  45258. extraSpace / jmax (1, numWantingMoreSpace));
  45259. if (extraAllowed > 0)
  45260. {
  45261. ++numHavingTakenExtraSpace;
  45262. --numWantingMoreSpace;
  45263. layout->currentSize += extraAllowed;
  45264. extraSpace -= extraAllowed;
  45265. }
  45266. }
  45267. }
  45268. if (numHavingTakenExtraSpace <= 0)
  45269. break;
  45270. }
  45271. // ..and calculate the end position
  45272. for (i = startIndex; i < endIndex; ++i)
  45273. {
  45274. ItemLayoutProperties* const layout = items.getUnchecked(i);
  45275. startPos += layout->currentSize;
  45276. }
  45277. return startPos;
  45278. }
  45279. int StretchableLayoutManager::getMinimumSizeOfItems (const int startIndex,
  45280. const int endIndex) const
  45281. {
  45282. int totalMinimums = 0;
  45283. for (int i = startIndex; i < endIndex; ++i)
  45284. totalMinimums += sizeToRealSize (items.getUnchecked (i)->minSize, totalSize);
  45285. return totalMinimums;
  45286. }
  45287. int StretchableLayoutManager::getMaximumSizeOfItems (const int startIndex, const int endIndex) const
  45288. {
  45289. int totalMaximums = 0;
  45290. for (int i = startIndex; i < endIndex; ++i)
  45291. totalMaximums += sizeToRealSize (items.getUnchecked (i)->maxSize, totalSize);
  45292. return totalMaximums;
  45293. }
  45294. void StretchableLayoutManager::updatePrefSizesToMatchCurrentPositions()
  45295. {
  45296. for (int i = 0; i < items.size(); ++i)
  45297. {
  45298. ItemLayoutProperties* const layout = items.getUnchecked (i);
  45299. layout->preferredSize
  45300. = (layout->preferredSize < 0) ? getItemCurrentRelativeSize (i)
  45301. : getItemCurrentAbsoluteSize (i);
  45302. }
  45303. }
  45304. int StretchableLayoutManager::sizeToRealSize (double size, int totalSpace)
  45305. {
  45306. if (size < 0)
  45307. size *= -totalSpace;
  45308. return roundDoubleToInt (size);
  45309. }
  45310. END_JUCE_NAMESPACE
  45311. /********* End of inlined file: juce_StretchableLayoutManager.cpp *********/
  45312. /********* Start of inlined file: juce_StretchableLayoutResizerBar.cpp *********/
  45313. BEGIN_JUCE_NAMESPACE
  45314. StretchableLayoutResizerBar::StretchableLayoutResizerBar (StretchableLayoutManager* layout_,
  45315. const int itemIndex_,
  45316. const bool isVertical_)
  45317. : layout (layout_),
  45318. itemIndex (itemIndex_),
  45319. isVertical (isVertical_)
  45320. {
  45321. setRepaintsOnMouseActivity (true);
  45322. setMouseCursor (MouseCursor (isVertical_ ? MouseCursor::LeftRightResizeCursor
  45323. : MouseCursor::UpDownResizeCursor));
  45324. }
  45325. StretchableLayoutResizerBar::~StretchableLayoutResizerBar()
  45326. {
  45327. }
  45328. void StretchableLayoutResizerBar::paint (Graphics& g)
  45329. {
  45330. getLookAndFeel().drawStretchableLayoutResizerBar (g,
  45331. getWidth(), getHeight(),
  45332. isVertical,
  45333. isMouseOver(),
  45334. isMouseButtonDown());
  45335. }
  45336. void StretchableLayoutResizerBar::mouseDown (const MouseEvent&)
  45337. {
  45338. mouseDownPos = layout->getItemCurrentPosition (itemIndex);
  45339. }
  45340. void StretchableLayoutResizerBar::mouseDrag (const MouseEvent& e)
  45341. {
  45342. const int desiredPos = mouseDownPos + (isVertical ? e.getDistanceFromDragStartX()
  45343. : e.getDistanceFromDragStartY());
  45344. layout->setItemPosition (itemIndex, desiredPos);
  45345. hasBeenMoved();
  45346. }
  45347. void StretchableLayoutResizerBar::hasBeenMoved()
  45348. {
  45349. if (getParentComponent() != 0)
  45350. getParentComponent()->resized();
  45351. }
  45352. END_JUCE_NAMESPACE
  45353. /********* End of inlined file: juce_StretchableLayoutResizerBar.cpp *********/
  45354. /********* Start of inlined file: juce_StretchableObjectResizer.cpp *********/
  45355. BEGIN_JUCE_NAMESPACE
  45356. StretchableObjectResizer::StretchableObjectResizer()
  45357. {
  45358. }
  45359. StretchableObjectResizer::~StretchableObjectResizer()
  45360. {
  45361. }
  45362. void StretchableObjectResizer::addItem (const double size,
  45363. const double minSize, const double maxSize,
  45364. const int order)
  45365. {
  45366. jassert (order >= 0 && order < INT_MAX); // the order must be >= 0 and less than INT_MAX
  45367. Item* const item = new Item();
  45368. item->size = size;
  45369. item->minSize = minSize;
  45370. item->maxSize = maxSize;
  45371. item->order = order;
  45372. items.add (item);
  45373. }
  45374. double StretchableObjectResizer::getItemSize (const int index) const throw()
  45375. {
  45376. const Item* const it = items [index];
  45377. return it != 0 ? it->size : 0;
  45378. }
  45379. void StretchableObjectResizer::resizeToFit (const double targetSize)
  45380. {
  45381. int order = 0;
  45382. for (;;)
  45383. {
  45384. double currentSize = 0;
  45385. double minSize = 0;
  45386. double maxSize = 0;
  45387. int nextHighestOrder = INT_MAX;
  45388. for (int i = 0; i < items.size(); ++i)
  45389. {
  45390. const Item* const it = items.getUnchecked(i);
  45391. currentSize += it->size;
  45392. if (it->order <= order)
  45393. {
  45394. minSize += it->minSize;
  45395. maxSize += it->maxSize;
  45396. }
  45397. else
  45398. {
  45399. minSize += it->size;
  45400. maxSize += it->size;
  45401. nextHighestOrder = jmin (nextHighestOrder, it->order);
  45402. }
  45403. }
  45404. const double thisIterationTarget = jlimit (minSize, maxSize, targetSize);
  45405. if (thisIterationTarget >= currentSize)
  45406. {
  45407. const double availableExtraSpace = maxSize - currentSize;
  45408. const double targetAmountOfExtraSpace = thisIterationTarget - currentSize;
  45409. const double scale = targetAmountOfExtraSpace / availableExtraSpace;
  45410. for (int i = 0; i < items.size(); ++i)
  45411. {
  45412. Item* const it = items.getUnchecked(i);
  45413. if (it->order <= order)
  45414. it->size = jmin (it->maxSize, it->size + (it->maxSize - it->size) * scale);
  45415. }
  45416. }
  45417. else
  45418. {
  45419. const double amountOfSlack = currentSize - minSize;
  45420. const double targetAmountOfSlack = thisIterationTarget - minSize;
  45421. const double scale = targetAmountOfSlack / amountOfSlack;
  45422. for (int i = 0; i < items.size(); ++i)
  45423. {
  45424. Item* const it = items.getUnchecked(i);
  45425. if (it->order <= order)
  45426. it->size = jmax (it->minSize, it->minSize + (it->size - it->minSize) * scale);
  45427. }
  45428. }
  45429. if (nextHighestOrder < INT_MAX)
  45430. order = nextHighestOrder;
  45431. else
  45432. break;
  45433. }
  45434. }
  45435. END_JUCE_NAMESPACE
  45436. /********* End of inlined file: juce_StretchableObjectResizer.cpp *********/
  45437. /********* Start of inlined file: juce_TabbedButtonBar.cpp *********/
  45438. BEGIN_JUCE_NAMESPACE
  45439. TabBarButton::TabBarButton (const String& name,
  45440. TabbedButtonBar* const owner_,
  45441. const int index)
  45442. : Button (name),
  45443. owner (owner_),
  45444. tabIndex (index),
  45445. overlapPixels (0)
  45446. {
  45447. shadow.setShadowProperties (2.2f, 0.7f, 0, 0);
  45448. setComponentEffect (&shadow);
  45449. setWantsKeyboardFocus (false);
  45450. }
  45451. TabBarButton::~TabBarButton()
  45452. {
  45453. }
  45454. void TabBarButton::paintButton (Graphics& g,
  45455. bool isMouseOverButton,
  45456. bool isButtonDown)
  45457. {
  45458. int x, y, w, h;
  45459. getActiveArea (x, y, w, h);
  45460. g.setOrigin (x, y);
  45461. getLookAndFeel()
  45462. .drawTabButton (g, w, h,
  45463. owner->getTabBackgroundColour (tabIndex),
  45464. tabIndex, getButtonText(), *this,
  45465. owner->getOrientation(),
  45466. isMouseOverButton, isButtonDown,
  45467. getToggleState());
  45468. }
  45469. void TabBarButton::clicked (const ModifierKeys& mods)
  45470. {
  45471. if (mods.isPopupMenu())
  45472. owner->popupMenuClickOnTab (tabIndex, getButtonText());
  45473. else
  45474. owner->setCurrentTabIndex (tabIndex);
  45475. }
  45476. bool TabBarButton::hitTest (int mx, int my)
  45477. {
  45478. int x, y, w, h;
  45479. getActiveArea (x, y, w, h);
  45480. if (owner->getOrientation() == TabbedButtonBar::TabsAtLeft
  45481. || owner->getOrientation() == TabbedButtonBar::TabsAtRight)
  45482. {
  45483. if (((unsigned int) mx) < (unsigned int) getWidth()
  45484. && my >= y + overlapPixels
  45485. && my < y + h - overlapPixels)
  45486. return true;
  45487. }
  45488. else
  45489. {
  45490. if (mx >= x + overlapPixels && mx < x + w - overlapPixels
  45491. && ((unsigned int) my) < (unsigned int) getHeight())
  45492. return true;
  45493. }
  45494. Path p;
  45495. getLookAndFeel()
  45496. .createTabButtonShape (p, w, h, tabIndex, getButtonText(), *this,
  45497. owner->getOrientation(),
  45498. false, false, getToggleState());
  45499. return p.contains ((float) (mx - x),
  45500. (float) (my - y));
  45501. }
  45502. int TabBarButton::getBestTabLength (const int depth)
  45503. {
  45504. return jlimit (depth * 2,
  45505. depth * 7,
  45506. getLookAndFeel().getTabButtonBestWidth (tabIndex, getButtonText(), depth, *this));
  45507. }
  45508. void TabBarButton::getActiveArea (int& x, int& y, int& w, int& h)
  45509. {
  45510. x = 0;
  45511. y = 0;
  45512. int r = getWidth();
  45513. int b = getHeight();
  45514. const int spaceAroundImage = getLookAndFeel().getTabButtonSpaceAroundImage();
  45515. if (owner->getOrientation() != TabbedButtonBar::TabsAtLeft)
  45516. r -= spaceAroundImage;
  45517. if (owner->getOrientation() != TabbedButtonBar::TabsAtRight)
  45518. x += spaceAroundImage;
  45519. if (owner->getOrientation() != TabbedButtonBar::TabsAtBottom)
  45520. y += spaceAroundImage;
  45521. if (owner->getOrientation() != TabbedButtonBar::TabsAtTop)
  45522. b -= spaceAroundImage;
  45523. w = r - x;
  45524. h = b - y;
  45525. }
  45526. class TabAreaBehindFrontButtonComponent : public Component
  45527. {
  45528. public:
  45529. TabAreaBehindFrontButtonComponent (TabbedButtonBar* const owner_)
  45530. : owner (owner_)
  45531. {
  45532. setInterceptsMouseClicks (false, false);
  45533. }
  45534. ~TabAreaBehindFrontButtonComponent()
  45535. {
  45536. }
  45537. void paint (Graphics& g)
  45538. {
  45539. getLookAndFeel()
  45540. .drawTabAreaBehindFrontButton (g, getWidth(), getHeight(),
  45541. *owner, owner->getOrientation());
  45542. }
  45543. void enablementChanged()
  45544. {
  45545. repaint();
  45546. }
  45547. private:
  45548. TabbedButtonBar* const owner;
  45549. TabAreaBehindFrontButtonComponent (const TabAreaBehindFrontButtonComponent&);
  45550. const TabAreaBehindFrontButtonComponent& operator= (const TabAreaBehindFrontButtonComponent&);
  45551. };
  45552. TabbedButtonBar::TabbedButtonBar (const Orientation orientation_)
  45553. : orientation (orientation_),
  45554. currentTabIndex (-1),
  45555. extraTabsButton (0)
  45556. {
  45557. setInterceptsMouseClicks (false, true);
  45558. addAndMakeVisible (behindFrontTab = new TabAreaBehindFrontButtonComponent (this));
  45559. setFocusContainer (true);
  45560. }
  45561. TabbedButtonBar::~TabbedButtonBar()
  45562. {
  45563. deleteAllChildren();
  45564. }
  45565. void TabbedButtonBar::setOrientation (const Orientation newOrientation)
  45566. {
  45567. orientation = newOrientation;
  45568. for (int i = getNumChildComponents(); --i >= 0;)
  45569. getChildComponent (i)->resized();
  45570. resized();
  45571. }
  45572. TabBarButton* TabbedButtonBar::createTabButton (const String& name, const int index)
  45573. {
  45574. return new TabBarButton (name, this, index);
  45575. }
  45576. void TabbedButtonBar::clearTabs()
  45577. {
  45578. tabs.clear();
  45579. tabColours.clear();
  45580. currentTabIndex = -1;
  45581. deleteAndZero (extraTabsButton);
  45582. removeChildComponent (behindFrontTab);
  45583. deleteAllChildren();
  45584. addChildComponent (behindFrontTab);
  45585. setCurrentTabIndex (-1);
  45586. }
  45587. void TabbedButtonBar::addTab (const String& tabName,
  45588. const Colour& tabBackgroundColour,
  45589. int insertIndex)
  45590. {
  45591. jassert (tabName.isNotEmpty()); // you have to give them all a name..
  45592. if (tabName.isNotEmpty())
  45593. {
  45594. if (((unsigned int) insertIndex) > (unsigned int) tabs.size())
  45595. insertIndex = tabs.size();
  45596. for (int i = tabs.size(); --i >= insertIndex;)
  45597. {
  45598. TabBarButton* const tb = getTabButton (i);
  45599. if (tb != 0)
  45600. tb->tabIndex++;
  45601. }
  45602. tabs.insert (insertIndex, tabName);
  45603. tabColours.insert (insertIndex, tabBackgroundColour);
  45604. TabBarButton* const tb = createTabButton (tabName, insertIndex);
  45605. jassert (tb != 0); // your createTabButton() mustn't return zero!
  45606. addAndMakeVisible (tb, insertIndex);
  45607. resized();
  45608. if (currentTabIndex < 0)
  45609. setCurrentTabIndex (0);
  45610. }
  45611. }
  45612. void TabbedButtonBar::setTabName (const int tabIndex,
  45613. const String& newName)
  45614. {
  45615. if (((unsigned int) tabIndex) < (unsigned int) tabs.size()
  45616. && tabs[tabIndex] != newName)
  45617. {
  45618. tabs.set (tabIndex, newName);
  45619. TabBarButton* const tb = getTabButton (tabIndex);
  45620. if (tb != 0)
  45621. tb->setButtonText (newName);
  45622. resized();
  45623. }
  45624. }
  45625. void TabbedButtonBar::removeTab (const int tabIndex)
  45626. {
  45627. if (((unsigned int) tabIndex) < (unsigned int) tabs.size())
  45628. {
  45629. const int oldTabIndex = currentTabIndex;
  45630. if (currentTabIndex == tabIndex)
  45631. currentTabIndex = -1;
  45632. tabs.remove (tabIndex);
  45633. tabColours.remove (tabIndex);
  45634. TabBarButton* const tb = getTabButton (tabIndex);
  45635. if (tb != 0)
  45636. delete tb;
  45637. for (int i = tabIndex + 1; i <= tabs.size(); ++i)
  45638. {
  45639. TabBarButton* const tb = getTabButton (i);
  45640. if (tb != 0)
  45641. tb->tabIndex--;
  45642. }
  45643. resized();
  45644. setCurrentTabIndex (jlimit (0, jmax (0, tabs.size() - 1), oldTabIndex));
  45645. }
  45646. }
  45647. void TabbedButtonBar::moveTab (const int currentIndex,
  45648. const int newIndex)
  45649. {
  45650. tabs.move (currentIndex, newIndex);
  45651. tabColours.move (currentIndex, newIndex);
  45652. resized();
  45653. }
  45654. int TabbedButtonBar::getNumTabs() const
  45655. {
  45656. return tabs.size();
  45657. }
  45658. const StringArray TabbedButtonBar::getTabNames() const
  45659. {
  45660. return tabs;
  45661. }
  45662. void TabbedButtonBar::setCurrentTabIndex (int newIndex)
  45663. {
  45664. if (currentTabIndex != newIndex)
  45665. {
  45666. if (((unsigned int) newIndex) >= (unsigned int) tabs.size())
  45667. newIndex = -1;
  45668. currentTabIndex = newIndex;
  45669. for (int i = 0; i < getNumChildComponents(); ++i)
  45670. {
  45671. TabBarButton* const tb = dynamic_cast <TabBarButton*> (getChildComponent (i));
  45672. if (tb != 0)
  45673. tb->setToggleState (tb->tabIndex == newIndex, false);
  45674. }
  45675. resized();
  45676. sendChangeMessage (this);
  45677. currentTabChanged (newIndex, newIndex >= 0 ? tabs [newIndex] : String::empty);
  45678. }
  45679. }
  45680. TabBarButton* TabbedButtonBar::getTabButton (const int index) const
  45681. {
  45682. for (int i = getNumChildComponents(); --i >= 0;)
  45683. {
  45684. TabBarButton* const tb = dynamic_cast <TabBarButton*> (getChildComponent (i));
  45685. if (tb != 0 && tb->tabIndex == index)
  45686. return tb;
  45687. }
  45688. return 0;
  45689. }
  45690. void TabbedButtonBar::lookAndFeelChanged()
  45691. {
  45692. deleteAndZero (extraTabsButton);
  45693. resized();
  45694. }
  45695. void TabbedButtonBar::resized()
  45696. {
  45697. const double minimumScale = 0.7;
  45698. int depth = getWidth();
  45699. int length = getHeight();
  45700. if (orientation == TabsAtTop || orientation == TabsAtBottom)
  45701. swapVariables (depth, length);
  45702. const int overlap = getLookAndFeel().getTabButtonOverlap (depth)
  45703. + getLookAndFeel().getTabButtonSpaceAroundImage() * 2;
  45704. int i, totalLength = overlap;
  45705. int numVisibleButtons = tabs.size();
  45706. for (i = 0; i < getNumChildComponents(); ++i)
  45707. {
  45708. TabBarButton* const tb = dynamic_cast <TabBarButton*> (getChildComponent (i));
  45709. if (tb != 0)
  45710. {
  45711. totalLength += tb->getBestTabLength (depth) - overlap;
  45712. tb->overlapPixels = overlap / 2;
  45713. }
  45714. }
  45715. double scale = 1.0;
  45716. if (totalLength > length)
  45717. scale = jmax (minimumScale, length / (double) totalLength);
  45718. const bool isTooBig = totalLength * scale > length;
  45719. int tabsButtonPos = 0;
  45720. if (isTooBig)
  45721. {
  45722. if (extraTabsButton == 0)
  45723. {
  45724. addAndMakeVisible (extraTabsButton = getLookAndFeel().createTabBarExtrasButton());
  45725. extraTabsButton->addButtonListener (this);
  45726. extraTabsButton->setAlwaysOnTop (true);
  45727. extraTabsButton->setTriggeredOnMouseDown (true);
  45728. }
  45729. const int buttonSize = jmin (proportionOfWidth (0.7f), proportionOfHeight (0.7f));
  45730. extraTabsButton->setSize (buttonSize, buttonSize);
  45731. if (orientation == TabsAtTop || orientation == TabsAtBottom)
  45732. {
  45733. tabsButtonPos = getWidth() - buttonSize / 2 - 1;
  45734. extraTabsButton->setCentrePosition (tabsButtonPos, getHeight() / 2);
  45735. }
  45736. else
  45737. {
  45738. tabsButtonPos = getHeight() - buttonSize / 2 - 1;
  45739. extraTabsButton->setCentrePosition (getWidth() / 2, tabsButtonPos);
  45740. }
  45741. totalLength = 0;
  45742. for (i = 0; i < tabs.size(); ++i)
  45743. {
  45744. TabBarButton* const tb = getTabButton (i);
  45745. if (tb != 0)
  45746. {
  45747. const int newLength = totalLength + tb->getBestTabLength (depth);
  45748. if (i > 0 && newLength * minimumScale > tabsButtonPos)
  45749. {
  45750. totalLength += overlap;
  45751. break;
  45752. }
  45753. numVisibleButtons = i + 1;
  45754. totalLength = newLength - overlap;
  45755. }
  45756. }
  45757. scale = jmax (minimumScale, tabsButtonPos / (double) totalLength);
  45758. }
  45759. else
  45760. {
  45761. deleteAndZero (extraTabsButton);
  45762. }
  45763. int pos = 0;
  45764. TabBarButton* frontTab = 0;
  45765. for (i = 0; i < tabs.size(); ++i)
  45766. {
  45767. TabBarButton* const tb = getTabButton (i);
  45768. if (tb != 0)
  45769. {
  45770. const int bestLength = roundDoubleToInt (scale * tb->getBestTabLength (depth));
  45771. if (i < numVisibleButtons)
  45772. {
  45773. if (orientation == TabsAtTop || orientation == TabsAtBottom)
  45774. tb->setBounds (pos, 0, bestLength, getHeight());
  45775. else
  45776. tb->setBounds (0, pos, getWidth(), bestLength);
  45777. tb->toBack();
  45778. if (tb->tabIndex == currentTabIndex)
  45779. frontTab = tb;
  45780. tb->setVisible (true);
  45781. }
  45782. else
  45783. {
  45784. tb->setVisible (false);
  45785. }
  45786. pos += bestLength - overlap;
  45787. }
  45788. }
  45789. behindFrontTab->setBounds (0, 0, getWidth(), getHeight());
  45790. if (frontTab != 0)
  45791. {
  45792. frontTab->toFront (false);
  45793. behindFrontTab->toBehind (frontTab);
  45794. }
  45795. }
  45796. const Colour TabbedButtonBar::getTabBackgroundColour (const int tabIndex)
  45797. {
  45798. return tabColours [tabIndex];
  45799. }
  45800. void TabbedButtonBar::setTabBackgroundColour (const int tabIndex, const Colour& newColour)
  45801. {
  45802. if (((unsigned int) tabIndex) < (unsigned int) tabColours.size()
  45803. && tabColours [tabIndex] != newColour)
  45804. {
  45805. tabColours.set (tabIndex, newColour);
  45806. repaint();
  45807. }
  45808. }
  45809. void TabbedButtonBar::buttonClicked (Button* button)
  45810. {
  45811. if (extraTabsButton == button)
  45812. {
  45813. PopupMenu m;
  45814. for (int i = 0; i < tabs.size(); ++i)
  45815. {
  45816. TabBarButton* const tb = getTabButton (i);
  45817. if (tb != 0 && ! tb->isVisible())
  45818. m.addItem (tb->tabIndex + 1, tabs[i], true, i == currentTabIndex);
  45819. }
  45820. const int res = m.showAt (extraTabsButton);
  45821. if (res != 0)
  45822. setCurrentTabIndex (res - 1);
  45823. }
  45824. }
  45825. void TabbedButtonBar::currentTabChanged (const int, const String&)
  45826. {
  45827. }
  45828. void TabbedButtonBar::popupMenuClickOnTab (const int, const String&)
  45829. {
  45830. }
  45831. END_JUCE_NAMESPACE
  45832. /********* End of inlined file: juce_TabbedButtonBar.cpp *********/
  45833. /********* Start of inlined file: juce_TabbedComponent.cpp *********/
  45834. BEGIN_JUCE_NAMESPACE
  45835. class TabCompButtonBar : public TabbedButtonBar
  45836. {
  45837. public:
  45838. TabCompButtonBar (TabbedComponent* const owner_,
  45839. const TabbedButtonBar::Orientation orientation)
  45840. : TabbedButtonBar (orientation),
  45841. owner (owner_)
  45842. {
  45843. }
  45844. ~TabCompButtonBar()
  45845. {
  45846. }
  45847. void currentTabChanged (const int newCurrentTabIndex,
  45848. const String& newTabName)
  45849. {
  45850. owner->changeCallback (newCurrentTabIndex, newTabName);
  45851. }
  45852. void popupMenuClickOnTab (const int tabIndex,
  45853. const String& tabName)
  45854. {
  45855. owner->popupMenuClickOnTab (tabIndex, tabName);
  45856. }
  45857. const Colour getTabBackgroundColour (const int tabIndex)
  45858. {
  45859. return owner->tabs->getTabBackgroundColour (tabIndex);
  45860. }
  45861. TabBarButton* createTabButton (const String& tabName, const int tabIndex)
  45862. {
  45863. return owner->createTabButton (tabName, tabIndex);
  45864. }
  45865. juce_UseDebuggingNewOperator
  45866. private:
  45867. TabbedComponent* const owner;
  45868. TabCompButtonBar (const TabCompButtonBar&);
  45869. const TabCompButtonBar& operator= (const TabCompButtonBar&);
  45870. };
  45871. TabbedComponent::TabbedComponent (const TabbedButtonBar::Orientation orientation)
  45872. : panelComponent (0),
  45873. tabDepth (30),
  45874. outlineColour (Colours::grey),
  45875. outlineThickness (1),
  45876. edgeIndent (0)
  45877. {
  45878. addAndMakeVisible (tabs = new TabCompButtonBar (this, orientation));
  45879. }
  45880. TabbedComponent::~TabbedComponent()
  45881. {
  45882. clearTabs();
  45883. delete tabs;
  45884. }
  45885. void TabbedComponent::setOrientation (const TabbedButtonBar::Orientation orientation)
  45886. {
  45887. tabs->setOrientation (orientation);
  45888. resized();
  45889. }
  45890. TabbedButtonBar::Orientation TabbedComponent::getOrientation() const throw()
  45891. {
  45892. return tabs->getOrientation();
  45893. }
  45894. void TabbedComponent::setTabBarDepth (const int newDepth)
  45895. {
  45896. if (tabDepth != newDepth)
  45897. {
  45898. tabDepth = newDepth;
  45899. resized();
  45900. }
  45901. }
  45902. TabBarButton* TabbedComponent::createTabButton (const String& tabName, const int tabIndex)
  45903. {
  45904. return new TabBarButton (tabName, tabs, tabIndex);
  45905. }
  45906. void TabbedComponent::clearTabs()
  45907. {
  45908. if (panelComponent != 0)
  45909. {
  45910. panelComponent->setVisible (false);
  45911. removeChildComponent (panelComponent);
  45912. panelComponent = 0;
  45913. }
  45914. tabs->clearTabs();
  45915. for (int i = contentComponents.size(); --i >= 0;)
  45916. {
  45917. Component* const c = contentComponents.getUnchecked(i);
  45918. // be careful not to delete these components until they've been removed from the tab component
  45919. jassert (c == 0 || c->isValidComponent());
  45920. if (c != 0 && c->getComponentPropertyBool (T("deleteByTabComp_"), false, false))
  45921. delete c;
  45922. }
  45923. contentComponents.clear();
  45924. }
  45925. void TabbedComponent::addTab (const String& tabName,
  45926. const Colour& tabBackgroundColour,
  45927. Component* const contentComponent,
  45928. const bool deleteComponentWhenNotNeeded,
  45929. const int insertIndex)
  45930. {
  45931. contentComponents.insert (insertIndex, contentComponent);
  45932. if (contentComponent != 0)
  45933. contentComponent->setComponentProperty (T("deleteByTabComp_"), deleteComponentWhenNotNeeded);
  45934. tabs->addTab (tabName, tabBackgroundColour, insertIndex);
  45935. }
  45936. void TabbedComponent::setTabName (const int tabIndex,
  45937. const String& newName)
  45938. {
  45939. tabs->setTabName (tabIndex, newName);
  45940. }
  45941. void TabbedComponent::removeTab (const int tabIndex)
  45942. {
  45943. Component* const c = contentComponents [tabIndex];
  45944. if (c != 0 && c->getComponentPropertyBool (T("deleteByTabComp_"), false, false))
  45945. {
  45946. if (c == panelComponent)
  45947. panelComponent = 0;
  45948. delete c;
  45949. }
  45950. contentComponents.remove (tabIndex);
  45951. tabs->removeTab (tabIndex);
  45952. }
  45953. int TabbedComponent::getNumTabs() const
  45954. {
  45955. return tabs->getNumTabs();
  45956. }
  45957. const StringArray TabbedComponent::getTabNames() const
  45958. {
  45959. return tabs->getTabNames();
  45960. }
  45961. Component* TabbedComponent::getTabContentComponent (const int tabIndex) const throw()
  45962. {
  45963. return contentComponents [tabIndex];
  45964. }
  45965. const Colour TabbedComponent::getTabBackgroundColour (const int tabIndex) const throw()
  45966. {
  45967. return tabs->getTabBackgroundColour (tabIndex);
  45968. }
  45969. void TabbedComponent::setTabBackgroundColour (const int tabIndex, const Colour& newColour)
  45970. {
  45971. tabs->setTabBackgroundColour (tabIndex, newColour);
  45972. if (getCurrentTabIndex() == tabIndex)
  45973. repaint();
  45974. }
  45975. void TabbedComponent::setCurrentTabIndex (const int newTabIndex)
  45976. {
  45977. tabs->setCurrentTabIndex (newTabIndex);
  45978. }
  45979. int TabbedComponent::getCurrentTabIndex() const
  45980. {
  45981. return tabs->getCurrentTabIndex();
  45982. }
  45983. const String& TabbedComponent::getCurrentTabName() const
  45984. {
  45985. return tabs->getCurrentTabName();
  45986. }
  45987. void TabbedComponent::setOutline (const Colour& colour, int thickness)
  45988. {
  45989. outlineColour = colour;
  45990. outlineThickness = thickness;
  45991. repaint();
  45992. }
  45993. void TabbedComponent::setIndent (const int indentThickness)
  45994. {
  45995. edgeIndent = indentThickness;
  45996. }
  45997. void TabbedComponent::paint (Graphics& g)
  45998. {
  45999. const TabbedButtonBar::Orientation o = getOrientation();
  46000. int x = 0;
  46001. int y = 0;
  46002. int r = getWidth();
  46003. int b = getHeight();
  46004. if (o == TabbedButtonBar::TabsAtTop)
  46005. y += tabDepth;
  46006. else if (o == TabbedButtonBar::TabsAtBottom)
  46007. b -= tabDepth;
  46008. else if (o == TabbedButtonBar::TabsAtLeft)
  46009. x += tabDepth;
  46010. else if (o == TabbedButtonBar::TabsAtRight)
  46011. r -= tabDepth;
  46012. g.reduceClipRegion (x, y, r - x, b - y);
  46013. g.fillAll (tabs->getTabBackgroundColour (getCurrentTabIndex()));
  46014. if (outlineThickness > 0)
  46015. {
  46016. if (o == TabbedButtonBar::TabsAtTop)
  46017. --y;
  46018. else if (o == TabbedButtonBar::TabsAtBottom)
  46019. ++b;
  46020. else if (o == TabbedButtonBar::TabsAtLeft)
  46021. --x;
  46022. else if (o == TabbedButtonBar::TabsAtRight)
  46023. ++r;
  46024. g.setColour (outlineColour);
  46025. g.drawRect (x, y, r - x, b - y, outlineThickness);
  46026. }
  46027. }
  46028. void TabbedComponent::resized()
  46029. {
  46030. const TabbedButtonBar::Orientation o = getOrientation();
  46031. const int indent = edgeIndent + outlineThickness;
  46032. BorderSize indents (indent);
  46033. if (o == TabbedButtonBar::TabsAtTop)
  46034. {
  46035. tabs->setBounds (0, 0, getWidth(), tabDepth);
  46036. indents.setTop (tabDepth + edgeIndent);
  46037. }
  46038. else if (o == TabbedButtonBar::TabsAtBottom)
  46039. {
  46040. tabs->setBounds (0, getHeight() - tabDepth, getWidth(), tabDepth);
  46041. indents.setBottom (tabDepth + edgeIndent);
  46042. }
  46043. else if (o == TabbedButtonBar::TabsAtLeft)
  46044. {
  46045. tabs->setBounds (0, 0, tabDepth, getHeight());
  46046. indents.setLeft (tabDepth + edgeIndent);
  46047. }
  46048. else if (o == TabbedButtonBar::TabsAtRight)
  46049. {
  46050. tabs->setBounds (getWidth() - tabDepth, 0, tabDepth, getHeight());
  46051. indents.setRight (tabDepth + edgeIndent);
  46052. }
  46053. const Rectangle bounds (indents.subtractedFrom (Rectangle (0, 0, getWidth(), getHeight())));
  46054. for (int i = contentComponents.size(); --i >= 0;)
  46055. if (contentComponents.getUnchecked (i) != 0)
  46056. contentComponents.getUnchecked (i)->setBounds (bounds);
  46057. }
  46058. void TabbedComponent::lookAndFeelChanged()
  46059. {
  46060. for (int i = contentComponents.size(); --i >= 0;)
  46061. if (contentComponents.getUnchecked (i) != 0)
  46062. contentComponents.getUnchecked (i)->lookAndFeelChanged();
  46063. }
  46064. void TabbedComponent::changeCallback (const int newCurrentTabIndex,
  46065. const String& newTabName)
  46066. {
  46067. if (panelComponent != 0)
  46068. {
  46069. panelComponent->setVisible (false);
  46070. removeChildComponent (panelComponent);
  46071. panelComponent = 0;
  46072. }
  46073. if (getCurrentTabIndex() >= 0)
  46074. {
  46075. panelComponent = contentComponents [getCurrentTabIndex()];
  46076. if (panelComponent != 0)
  46077. {
  46078. // do these ops as two stages instead of addAndMakeVisible() so that the
  46079. // component has always got a parent when it gets the visibilityChanged() callback
  46080. addChildComponent (panelComponent);
  46081. panelComponent->setVisible (true);
  46082. panelComponent->toFront (true);
  46083. }
  46084. repaint();
  46085. }
  46086. resized();
  46087. currentTabChanged (newCurrentTabIndex, newTabName);
  46088. }
  46089. void TabbedComponent::currentTabChanged (const int, const String&)
  46090. {
  46091. }
  46092. void TabbedComponent::popupMenuClickOnTab (const int, const String&)
  46093. {
  46094. }
  46095. END_JUCE_NAMESPACE
  46096. /********* End of inlined file: juce_TabbedComponent.cpp *********/
  46097. /********* Start of inlined file: juce_Viewport.cpp *********/
  46098. BEGIN_JUCE_NAMESPACE
  46099. Viewport::Viewport (const String& componentName)
  46100. : Component (componentName),
  46101. contentComp (0),
  46102. lastVX (0),
  46103. lastVY (0),
  46104. lastVW (0),
  46105. lastVH (0),
  46106. scrollBarThickness (0),
  46107. singleStepX (16),
  46108. singleStepY (16),
  46109. showHScrollbar (true),
  46110. showVScrollbar (true)
  46111. {
  46112. // content holder is used to clip the contents so they don't overlap the scrollbars
  46113. addAndMakeVisible (contentHolder = new Component());
  46114. contentHolder->setInterceptsMouseClicks (false, true);
  46115. verticalScrollBar = new ScrollBar (true);
  46116. horizontalScrollBar = new ScrollBar (false);
  46117. addChildComponent (verticalScrollBar);
  46118. addChildComponent (horizontalScrollBar);
  46119. verticalScrollBar->addListener (this);
  46120. horizontalScrollBar->addListener (this);
  46121. setInterceptsMouseClicks (false, true);
  46122. setWantsKeyboardFocus (true);
  46123. }
  46124. Viewport::~Viewport()
  46125. {
  46126. contentHolder->deleteAllChildren();
  46127. deleteAllChildren();
  46128. }
  46129. void Viewport::visibleAreaChanged (int, int, int, int)
  46130. {
  46131. }
  46132. void Viewport::setViewedComponent (Component* const newViewedComponent)
  46133. {
  46134. if (contentComp != newViewedComponent)
  46135. {
  46136. if (contentComp->isValidComponent())
  46137. {
  46138. Component* const oldComp = contentComp;
  46139. contentComp = 0;
  46140. delete oldComp;
  46141. }
  46142. contentComp = newViewedComponent;
  46143. if (contentComp != 0)
  46144. {
  46145. contentComp->setTopLeftPosition (0, 0);
  46146. contentHolder->addAndMakeVisible (contentComp);
  46147. contentComp->addComponentListener (this);
  46148. }
  46149. updateVisibleRegion();
  46150. }
  46151. }
  46152. int Viewport::getMaximumVisibleWidth() const throw()
  46153. {
  46154. return jmax (0, getWidth() - (verticalScrollBar->isVisible() ? getScrollBarThickness() : 0));
  46155. }
  46156. int Viewport::getMaximumVisibleHeight() const throw()
  46157. {
  46158. return jmax (0, getHeight() - (horizontalScrollBar->isVisible() ? getScrollBarThickness() : 0));
  46159. }
  46160. void Viewport::setViewPosition (const int xPixelsOffset,
  46161. const int yPixelsOffset)
  46162. {
  46163. if (contentComp != 0)
  46164. contentComp->setTopLeftPosition (-xPixelsOffset,
  46165. -yPixelsOffset);
  46166. }
  46167. void Viewport::setViewPositionProportionately (const double x,
  46168. const double y)
  46169. {
  46170. if (contentComp != 0)
  46171. setViewPosition (jmax (0, roundDoubleToInt (x * (contentComp->getWidth() - getWidth()))),
  46172. jmax (0, roundDoubleToInt (y * (contentComp->getHeight() - getHeight()))));
  46173. }
  46174. void Viewport::componentMovedOrResized (Component&, bool, bool)
  46175. {
  46176. updateVisibleRegion();
  46177. }
  46178. void Viewport::resized()
  46179. {
  46180. updateVisibleRegion();
  46181. }
  46182. void Viewport::updateVisibleRegion()
  46183. {
  46184. if (contentComp != 0)
  46185. {
  46186. const int newVX = -contentComp->getX();
  46187. const int newVY = -contentComp->getY();
  46188. if (newVX == 0 && newVY == 0
  46189. && contentComp->getWidth() <= getWidth()
  46190. && contentComp->getHeight() <= getHeight())
  46191. {
  46192. horizontalScrollBar->setVisible (false);
  46193. verticalScrollBar->setVisible (false);
  46194. }
  46195. if ((contentComp->getWidth() > 0) && showHScrollbar
  46196. && getHeight() > getScrollBarThickness())
  46197. {
  46198. horizontalScrollBar->setRangeLimits (0.0, contentComp->getWidth());
  46199. horizontalScrollBar->setCurrentRange (newVX, getMaximumVisibleWidth());
  46200. horizontalScrollBar->setSingleStepSize (singleStepX);
  46201. }
  46202. else
  46203. {
  46204. horizontalScrollBar->setVisible (false);
  46205. }
  46206. if ((contentComp->getHeight() > 0) && showVScrollbar
  46207. && getWidth() > getScrollBarThickness())
  46208. {
  46209. verticalScrollBar->setRangeLimits (0.0, contentComp->getHeight());
  46210. verticalScrollBar->setCurrentRange (newVY, getMaximumVisibleHeight());
  46211. verticalScrollBar->setSingleStepSize (singleStepY);
  46212. }
  46213. else
  46214. {
  46215. verticalScrollBar->setVisible (false);
  46216. }
  46217. if (verticalScrollBar->isVisible())
  46218. {
  46219. horizontalScrollBar->setCurrentRange (newVX, getMaximumVisibleWidth());
  46220. verticalScrollBar->setCurrentRange (newVY, getMaximumVisibleHeight());
  46221. verticalScrollBar
  46222. ->setBounds (getMaximumVisibleWidth(), 0,
  46223. getScrollBarThickness(), getMaximumVisibleHeight());
  46224. }
  46225. if (horizontalScrollBar->isVisible())
  46226. {
  46227. horizontalScrollBar->setCurrentRange (newVX, getMaximumVisibleWidth());
  46228. horizontalScrollBar
  46229. ->setBounds (0, getMaximumVisibleHeight(),
  46230. getMaximumVisibleWidth(), getScrollBarThickness());
  46231. }
  46232. contentHolder->setSize (getMaximumVisibleWidth(),
  46233. getMaximumVisibleHeight());
  46234. const int newVW = jmin (contentComp->getRight(), getMaximumVisibleWidth());
  46235. const int newVH = jmin (contentComp->getBottom(), getMaximumVisibleHeight());
  46236. if (newVX != lastVX
  46237. || newVY != lastVY
  46238. || newVW != lastVW
  46239. || newVH != lastVH)
  46240. {
  46241. lastVX = newVX;
  46242. lastVY = newVY;
  46243. lastVW = newVW;
  46244. lastVH = newVH;
  46245. visibleAreaChanged (newVX, newVY, newVW, newVH);
  46246. }
  46247. horizontalScrollBar->handleUpdateNowIfNeeded();
  46248. verticalScrollBar->handleUpdateNowIfNeeded();
  46249. }
  46250. else
  46251. {
  46252. horizontalScrollBar->setVisible (false);
  46253. verticalScrollBar->setVisible (false);
  46254. }
  46255. }
  46256. void Viewport::setSingleStepSizes (const int stepX,
  46257. const int stepY)
  46258. {
  46259. singleStepX = stepX;
  46260. singleStepY = stepY;
  46261. updateVisibleRegion();
  46262. }
  46263. void Viewport::setScrollBarsShown (const bool showVerticalScrollbarIfNeeded,
  46264. const bool showHorizontalScrollbarIfNeeded)
  46265. {
  46266. showVScrollbar = showVerticalScrollbarIfNeeded;
  46267. showHScrollbar = showHorizontalScrollbarIfNeeded;
  46268. updateVisibleRegion();
  46269. }
  46270. void Viewport::setScrollBarThickness (const int thickness)
  46271. {
  46272. scrollBarThickness = thickness;
  46273. updateVisibleRegion();
  46274. }
  46275. int Viewport::getScrollBarThickness() const throw()
  46276. {
  46277. return (scrollBarThickness > 0) ? scrollBarThickness
  46278. : getLookAndFeel().getDefaultScrollbarWidth();
  46279. }
  46280. void Viewport::setScrollBarButtonVisibility (const bool buttonsVisible)
  46281. {
  46282. verticalScrollBar->setButtonVisibility (buttonsVisible);
  46283. horizontalScrollBar->setButtonVisibility (buttonsVisible);
  46284. }
  46285. void Viewport::scrollBarMoved (ScrollBar* scrollBarThatHasMoved, const double newRangeStart)
  46286. {
  46287. if (scrollBarThatHasMoved == horizontalScrollBar)
  46288. {
  46289. setViewPosition (roundDoubleToInt (newRangeStart), getViewPositionY());
  46290. }
  46291. else if (scrollBarThatHasMoved == verticalScrollBar)
  46292. {
  46293. setViewPosition (getViewPositionX(), roundDoubleToInt (newRangeStart));
  46294. }
  46295. }
  46296. void Viewport::mouseWheelMove (const MouseEvent& e, float wheelIncrementX, float wheelIncrementY)
  46297. {
  46298. if (! useMouseWheelMoveIfNeeded (e, wheelIncrementX, wheelIncrementY))
  46299. Component::mouseWheelMove (e, wheelIncrementX, wheelIncrementY);
  46300. }
  46301. bool Viewport::useMouseWheelMoveIfNeeded (const MouseEvent& e, float wheelIncrementX, float wheelIncrementY)
  46302. {
  46303. if (! (e.mods.isAltDown() || e.mods.isCtrlDown()))
  46304. {
  46305. const bool hasVertBar = verticalScrollBar->isVisible();
  46306. const bool hasHorzBar = horizontalScrollBar->isVisible();
  46307. if (hasHorzBar && (wheelIncrementX != 0 || e.mods.isShiftDown() || ! hasVertBar))
  46308. {
  46309. horizontalScrollBar->mouseWheelMove (e.getEventRelativeTo (horizontalScrollBar),
  46310. wheelIncrementX, wheelIncrementY);
  46311. return true;
  46312. }
  46313. else if (hasVertBar && wheelIncrementY != 0)
  46314. {
  46315. verticalScrollBar->mouseWheelMove (e.getEventRelativeTo (verticalScrollBar),
  46316. wheelIncrementX, wheelIncrementY);
  46317. return true;
  46318. }
  46319. }
  46320. return false;
  46321. }
  46322. bool Viewport::keyPressed (const KeyPress& key)
  46323. {
  46324. const bool isUpDownKey = key.isKeyCode (KeyPress::upKey)
  46325. || key.isKeyCode (KeyPress::downKey)
  46326. || key.isKeyCode (KeyPress::pageUpKey)
  46327. || key.isKeyCode (KeyPress::pageDownKey)
  46328. || key.isKeyCode (KeyPress::homeKey)
  46329. || key.isKeyCode (KeyPress::endKey);
  46330. if (verticalScrollBar->isVisible() && isUpDownKey)
  46331. return verticalScrollBar->keyPressed (key);
  46332. const bool isLeftRightKey = key.isKeyCode (KeyPress::leftKey)
  46333. || key.isKeyCode (KeyPress::rightKey);
  46334. if (horizontalScrollBar->isVisible() && (isUpDownKey || isLeftRightKey))
  46335. return horizontalScrollBar->keyPressed (key);
  46336. return false;
  46337. }
  46338. END_JUCE_NAMESPACE
  46339. /********* End of inlined file: juce_Viewport.cpp *********/
  46340. /********* Start of inlined file: juce_LookAndFeel.cpp *********/
  46341. BEGIN_JUCE_NAMESPACE
  46342. static const Colour createBaseColour (const Colour& buttonColour,
  46343. const bool hasKeyboardFocus,
  46344. const bool isMouseOverButton,
  46345. const bool isButtonDown) throw()
  46346. {
  46347. const float sat = hasKeyboardFocus ? 1.3f : 0.9f;
  46348. const Colour baseColour (buttonColour.withMultipliedSaturation (sat));
  46349. if (isButtonDown)
  46350. return baseColour.contrasting (0.2f);
  46351. else if (isMouseOverButton)
  46352. return baseColour.contrasting (0.1f);
  46353. return baseColour;
  46354. }
  46355. LookAndFeel::LookAndFeel()
  46356. {
  46357. /* if this fails it means you're trying to create a LookAndFeel object before
  46358. the static Colours have been initialised. That ain't gonna work. It probably
  46359. means that you're using a static LookAndFeel object and that your compiler has
  46360. decided to intialise it before the Colours class.
  46361. */
  46362. jassert (Colours::white == Colour (0xffffffff));
  46363. // set up the standard set of colours..
  46364. #define textButtonColour 0xffbbbbff
  46365. #define textHighlightColour 0x401111ee
  46366. #define standardOutlineColour 0xb2808080
  46367. static const int standardColours[] =
  46368. {
  46369. TextButton::buttonColourId, textButtonColour,
  46370. TextButton::buttonOnColourId, 0xff4444ff,
  46371. TextButton::textColourId, 0xff000000,
  46372. ComboBox::buttonColourId, 0xffbbbbff,
  46373. ComboBox::outlineColourId, standardOutlineColour,
  46374. ToggleButton::textColourId, 0xff000000,
  46375. TextEditor::backgroundColourId, 0xffffffff,
  46376. TextEditor::textColourId, 0xff000000,
  46377. TextEditor::highlightColourId, textHighlightColour,
  46378. TextEditor::highlightedTextColourId, 0xff000000,
  46379. TextEditor::caretColourId, 0xff000000,
  46380. TextEditor::outlineColourId, 0x00000000,
  46381. TextEditor::focusedOutlineColourId, textButtonColour,
  46382. TextEditor::shadowColourId, 0x38000000,
  46383. Label::backgroundColourId, 0x00000000,
  46384. Label::textColourId, 0xff000000,
  46385. Label::outlineColourId, 0x00000000,
  46386. ScrollBar::backgroundColourId, 0x00000000,
  46387. ScrollBar::thumbColourId, 0xffffffff,
  46388. ScrollBar::trackColourId, 0xffffffff,
  46389. TreeView::linesColourId, 0x4c000000,
  46390. TreeView::backgroundColourId, 0x00000000,
  46391. PopupMenu::backgroundColourId, 0xffffffff,
  46392. PopupMenu::textColourId, 0xff000000,
  46393. PopupMenu::headerTextColourId, 0xff000000,
  46394. PopupMenu::highlightedTextColourId, 0xffffffff,
  46395. PopupMenu::highlightedBackgroundColourId, 0x991111aa,
  46396. ComboBox::textColourId, 0xff000000,
  46397. ComboBox::backgroundColourId, 0xffffffff,
  46398. ComboBox::arrowColourId, 0x99000000,
  46399. ListBox::backgroundColourId, 0xffffffff,
  46400. ListBox::outlineColourId, standardOutlineColour,
  46401. ListBox::textColourId, 0xff000000,
  46402. Slider::backgroundColourId, 0x00000000,
  46403. Slider::thumbColourId, textButtonColour,
  46404. Slider::trackColourId, 0x7fffffff,
  46405. Slider::rotarySliderFillColourId, 0x7f0000ff,
  46406. Slider::rotarySliderOutlineColourId, 0x66000000,
  46407. Slider::textBoxTextColourId, 0xff000000,
  46408. Slider::textBoxBackgroundColourId, 0xffffffff,
  46409. Slider::textBoxHighlightColourId, textHighlightColour,
  46410. Slider::textBoxOutlineColourId, standardOutlineColour,
  46411. AlertWindow::backgroundColourId, 0xffededed,
  46412. AlertWindow::textColourId, 0xff000000,
  46413. AlertWindow::outlineColourId, 0xff666666,
  46414. ProgressBar::backgroundColourId, 0xffeeeeee,
  46415. ProgressBar::foregroundColourId, 0xffaaaaee,
  46416. TooltipWindow::backgroundColourId, 0xffeeeebb,
  46417. TooltipWindow::textColourId, 0xff000000,
  46418. TooltipWindow::outlineColourId, 0x4c000000,
  46419. Toolbar::backgroundColourId, 0xfff6f8f9,
  46420. Toolbar::separatorColourId, 0x4c000000,
  46421. Toolbar::buttonMouseOverBackgroundColourId, 0x4c0000ff,
  46422. Toolbar::buttonMouseDownBackgroundColourId, 0x800000ff,
  46423. Toolbar::labelTextColourId, 0xff000000,
  46424. Toolbar::editingModeOutlineColourId, 0xffff0000,
  46425. HyperlinkButton::textColourId, 0xcc1111ee,
  46426. GroupComponent::outlineColourId, 0x66000000,
  46427. GroupComponent::textColourId, 0xff000000,
  46428. DirectoryContentsDisplayComponent::highlightColourId, textHighlightColour,
  46429. DirectoryContentsDisplayComponent::textColourId, 0xff000000,
  46430. 0x1000440, /*LassoComponent::lassoFillColourId*/ 0x66dddddd,
  46431. 0x1000441, /*LassoComponent::lassoOutlineColourId*/ 0x99111111,
  46432. MidiKeyboardComponent::whiteNoteColourId, 0xffffffff,
  46433. MidiKeyboardComponent::blackNoteColourId, 0xff000000,
  46434. MidiKeyboardComponent::keySeparatorLineColourId, 0x66000000,
  46435. MidiKeyboardComponent::mouseOverKeyOverlayColourId, 0x80ffff00,
  46436. MidiKeyboardComponent::keyDownOverlayColourId, 0xffb6b600,
  46437. MidiKeyboardComponent::textLabelColourId, 0xff000000,
  46438. MidiKeyboardComponent::upDownButtonBackgroundColourId, 0xffd3d3d3,
  46439. MidiKeyboardComponent::upDownButtonArrowColourId, 0xff000000,
  46440. ColourSelector::backgroundColourId, 0xffe5e5e5,
  46441. ColourSelector::labelTextColourId, 0xff000000,
  46442. FileSearchPathListComponent::backgroundColourId, 0xffffffff,
  46443. };
  46444. for (int i = 0; i < numElementsInArray (standardColours); i += 2)
  46445. setColour (standardColours [i], Colour (standardColours [i + 1]));
  46446. }
  46447. LookAndFeel::~LookAndFeel()
  46448. {
  46449. }
  46450. const Colour LookAndFeel::findColour (const int colourId) const throw()
  46451. {
  46452. const int index = colourIds.indexOf (colourId);
  46453. if (index >= 0)
  46454. return colours [index];
  46455. jassertfalse
  46456. return Colours::black;
  46457. }
  46458. void LookAndFeel::setColour (const int colourId, const Colour& colour) throw()
  46459. {
  46460. const int index = colourIds.indexOf (colourId);
  46461. if (index >= 0)
  46462. colours.set (index, colour);
  46463. colourIds.add (colourId);
  46464. colours.add (colour);
  46465. }
  46466. static LookAndFeel* defaultLF = 0;
  46467. static LookAndFeel* currentDefaultLF = 0;
  46468. LookAndFeel& LookAndFeel::getDefaultLookAndFeel() throw()
  46469. {
  46470. // if this happens, your app hasn't initialised itself properly.. if you're
  46471. // trying to hack your own main() function, have a look at
  46472. // JUCEApplication::initialiseForGUI()
  46473. jassert (currentDefaultLF != 0);
  46474. return *currentDefaultLF;
  46475. }
  46476. void LookAndFeel::setDefaultLookAndFeel (LookAndFeel* newDefaultLookAndFeel) throw()
  46477. {
  46478. if (newDefaultLookAndFeel == 0)
  46479. {
  46480. if (defaultLF == 0)
  46481. defaultLF = new LookAndFeel();
  46482. newDefaultLookAndFeel = defaultLF;
  46483. }
  46484. currentDefaultLF = newDefaultLookAndFeel;
  46485. for (int i = Desktop::getInstance().getNumComponents(); --i >= 0;)
  46486. {
  46487. Component* const c = Desktop::getInstance().getComponent (i);
  46488. if (c != 0)
  46489. c->sendLookAndFeelChange();
  46490. }
  46491. }
  46492. void LookAndFeel::clearDefaultLookAndFeel() throw()
  46493. {
  46494. if (currentDefaultLF == defaultLF)
  46495. currentDefaultLF = 0;
  46496. deleteAndZero (defaultLF);
  46497. }
  46498. void LookAndFeel::drawButtonBackground (Graphics& g,
  46499. Button& button,
  46500. const Colour& backgroundColour,
  46501. bool isMouseOverButton,
  46502. bool isButtonDown)
  46503. {
  46504. const int width = button.getWidth();
  46505. const int height = button.getHeight();
  46506. const float outlineThickness = button.isEnabled() ? ((isButtonDown || isMouseOverButton) ? 1.2f : 0.7f) : 0.4f;
  46507. const float halfThickness = outlineThickness * 0.5f;
  46508. const float indentL = button.isConnectedOnLeft() ? 0.1f : halfThickness;
  46509. const float indentR = button.isConnectedOnRight() ? 0.1f : halfThickness;
  46510. const float indentT = button.isConnectedOnTop() ? 0.1f : halfThickness;
  46511. const float indentB = button.isConnectedOnBottom() ? 0.1f : halfThickness;
  46512. const Colour baseColour (createBaseColour (backgroundColour,
  46513. button.hasKeyboardFocus (true),
  46514. isMouseOverButton, isButtonDown)
  46515. .withMultipliedAlpha (button.isEnabled() ? 1.0f : 0.5f));
  46516. drawGlassLozenge (g,
  46517. indentL,
  46518. indentT,
  46519. width - indentL - indentR,
  46520. height - indentT - indentB,
  46521. baseColour, outlineThickness, -1.0f,
  46522. button.isConnectedOnLeft(),
  46523. button.isConnectedOnRight(),
  46524. button.isConnectedOnTop(),
  46525. button.isConnectedOnBottom());
  46526. }
  46527. void LookAndFeel::drawButtonText (Graphics& g, TextButton& button,
  46528. bool /*isMouseOverButton*/, bool /*isButtonDown*/)
  46529. {
  46530. g.setFont (button.getFont());
  46531. g.setColour (button.findColour (TextButton::textColourId)
  46532. .withMultipliedAlpha (button.isEnabled() ? 1.0f : 0.5f));
  46533. const int yIndent = jmin (4, button.proportionOfHeight (0.3f));
  46534. const int cornerSize = jmin (button.getHeight(), button.getWidth()) / 2;
  46535. const int fontHeight = roundFloatToInt (g.getCurrentFont().getHeight() * 0.6f);
  46536. const int leftIndent = jmin (fontHeight, 2 + cornerSize / (button.isConnectedOnLeft() ? 4 : 2));
  46537. const int rightIndent = jmin (fontHeight, 2 + cornerSize / (button.isConnectedOnRight() ? 4 : 2));
  46538. g.drawFittedText (button.getButtonText(),
  46539. leftIndent,
  46540. yIndent,
  46541. button.getWidth() - leftIndent - rightIndent,
  46542. button.getHeight() - yIndent * 2,
  46543. Justification::centred, 2);
  46544. }
  46545. void LookAndFeel::drawTickBox (Graphics& g,
  46546. Component& component,
  46547. int x, int y, int w, int h,
  46548. const bool ticked,
  46549. const bool isEnabled,
  46550. const bool isMouseOverButton,
  46551. const bool isButtonDown)
  46552. {
  46553. const float boxSize = w * 0.7f;
  46554. drawGlassSphere (g, (float) x, y + (h - boxSize) * 0.5f, boxSize,
  46555. createBaseColour (component.findColour (TextButton::buttonColourId)
  46556. .withMultipliedAlpha (isEnabled ? 1.0f : 0.5f),
  46557. true,
  46558. isMouseOverButton,
  46559. isButtonDown),
  46560. isEnabled ? ((isButtonDown || isMouseOverButton) ? 1.1f : 0.5f) : 0.3f);
  46561. if (ticked)
  46562. {
  46563. Path tick;
  46564. tick.startNewSubPath (1.5f, 3.0f);
  46565. tick.lineTo (3.0f, 6.0f);
  46566. tick.lineTo (6.0f, 0.0f);
  46567. g.setColour (isEnabled ? Colours::black : Colours::grey);
  46568. const AffineTransform trans (AffineTransform::scale (w / 9.0f, h / 9.0f)
  46569. .translated ((float) x, (float) y));
  46570. g.strokePath (tick, PathStrokeType (2.5f), trans);
  46571. }
  46572. }
  46573. void LookAndFeel::drawToggleButton (Graphics& g,
  46574. ToggleButton& button,
  46575. bool isMouseOverButton,
  46576. bool isButtonDown)
  46577. {
  46578. if (button.hasKeyboardFocus (true))
  46579. {
  46580. g.setColour (button.findColour (TextEditor::focusedOutlineColourId));
  46581. g.drawRect (0, 0, button.getWidth(), button.getHeight());
  46582. }
  46583. const int tickWidth = jmin (20, button.getHeight() - 4);
  46584. drawTickBox (g, button, 4, (button.getHeight() - tickWidth) / 2,
  46585. tickWidth, tickWidth,
  46586. button.getToggleState(),
  46587. button.isEnabled(),
  46588. isMouseOverButton,
  46589. isButtonDown);
  46590. g.setColour (button.findColour (ToggleButton::textColourId));
  46591. g.setFont (jmin (15.0f, button.getHeight() * 0.6f));
  46592. if (! button.isEnabled())
  46593. g.setOpacity (0.5f);
  46594. const int textX = tickWidth + 5;
  46595. g.drawFittedText (button.getButtonText(),
  46596. textX, 4,
  46597. button.getWidth() - textX - 2, button.getHeight() - 8,
  46598. Justification::centredLeft, 10);
  46599. }
  46600. void LookAndFeel::changeToggleButtonWidthToFitText (ToggleButton& button)
  46601. {
  46602. Font font (jmin (15.0f, button.getHeight() * 0.6f));
  46603. const int tickWidth = jmin (24, button.getHeight());
  46604. button.setSize (font.getStringWidth (button.getButtonText()) + tickWidth + 8,
  46605. button.getHeight());
  46606. }
  46607. void LookAndFeel::drawAlertBox (Graphics& g,
  46608. AlertWindow& alert,
  46609. const Rectangle& textArea,
  46610. TextLayout& textLayout)
  46611. {
  46612. const int iconWidth = 80;
  46613. const Colour background (alert.findColour (AlertWindow::backgroundColourId));
  46614. g.fillAll (background);
  46615. int iconSpaceUsed = 0;
  46616. Justification alignment (Justification::horizontallyCentred);
  46617. int iconSize = jmin (iconWidth + 50, alert.getHeight() + 20);
  46618. if (alert.containsAnyExtraComponents() || alert.getNumButtons() > 2)
  46619. iconSize = jmin (iconSize, textArea.getHeight() + 50);
  46620. const Rectangle iconRect (iconSize / -10,
  46621. iconSize / -10,
  46622. iconSize,
  46623. iconSize);
  46624. if (alert.getAlertType() == AlertWindow::QuestionIcon
  46625. || alert.getAlertType() == AlertWindow::InfoIcon)
  46626. {
  46627. if (alert.getAlertType() == AlertWindow::InfoIcon)
  46628. g.setColour (background.overlaidWith (Colour (0x280000ff)));
  46629. else
  46630. g.setColour (background.overlaidWith (Colours::gold.darker().withAlpha (0.25f)));
  46631. g.fillEllipse ((float) iconRect.getX(),
  46632. (float) iconRect.getY(),
  46633. (float) iconRect.getWidth(),
  46634. (float) iconRect.getHeight());
  46635. g.setColour (background);
  46636. g.setFont (iconRect.getHeight() * 0.9f, Font::bold);
  46637. g.drawText ((alert.getAlertType() == AlertWindow::InfoIcon) ? "i"
  46638. : "?",
  46639. iconRect.getX(),
  46640. iconRect.getY(),
  46641. iconRect.getWidth(),
  46642. iconRect.getHeight(),
  46643. Justification::centred, false);
  46644. iconSpaceUsed = iconWidth;
  46645. alignment = Justification::left;
  46646. }
  46647. else if (alert.getAlertType() == AlertWindow::WarningIcon)
  46648. {
  46649. Path p;
  46650. p.addTriangle (iconRect.getX() + iconRect.getWidth() * 0.5f,
  46651. (float) iconRect.getY(),
  46652. (float) iconRect.getRight(),
  46653. (float) iconRect.getBottom(),
  46654. (float) iconRect.getX(),
  46655. (float) iconRect.getBottom());
  46656. g.setColour (background.overlaidWith (Colour (0x33ff0000)));
  46657. g.fillPath (p.createPathWithRoundedCorners (5.0f));
  46658. g.setColour (background);
  46659. g.setFont (iconRect.getHeight() * 0.9f, Font::bold);
  46660. g.drawText (T("!"),
  46661. iconRect.getX(),
  46662. iconRect.getY(),
  46663. iconRect.getWidth(),
  46664. iconRect.getHeight() + iconRect.getHeight() / 8,
  46665. Justification::centred, false);
  46666. iconSpaceUsed = iconWidth;
  46667. alignment = Justification::left;
  46668. }
  46669. g.setColour (alert.findColour (AlertWindow::textColourId));
  46670. textLayout.drawWithin (g,
  46671. textArea.getX() + iconSpaceUsed,
  46672. textArea.getY(),
  46673. textArea.getWidth() - iconSpaceUsed,
  46674. textArea.getHeight(),
  46675. alignment.getFlags() | Justification::top);
  46676. g.setColour (alert.findColour (AlertWindow::outlineColourId));
  46677. g.drawRect (0, 0, alert.getWidth(), alert.getHeight());
  46678. }
  46679. int LookAndFeel::getAlertBoxWindowFlags()
  46680. {
  46681. return ComponentPeer::windowAppearsOnTaskbar
  46682. | ComponentPeer::windowHasDropShadow;
  46683. }
  46684. int LookAndFeel::getAlertWindowButtonHeight()
  46685. {
  46686. return 28;
  46687. }
  46688. const Font LookAndFeel::getAlertWindowFont()
  46689. {
  46690. return Font (12.0f);
  46691. }
  46692. void LookAndFeel::drawProgressBar (Graphics& g, ProgressBar& progressBar,
  46693. int width, int height,
  46694. double progress, const String& textToShow)
  46695. {
  46696. const Colour background (progressBar.findColour (ProgressBar::backgroundColourId));
  46697. const Colour foreground (progressBar.findColour (ProgressBar::foregroundColourId));
  46698. g.fillAll (background);
  46699. if (progress >= 0.0f && progress < 1.0f)
  46700. {
  46701. drawGlassLozenge (g, 1.0f, 1.0f,
  46702. (float) jlimit (0.0, width - 2.0, progress * (width - 2.0)),
  46703. (float) (height - 2),
  46704. foreground,
  46705. 0.5f, 0.0f,
  46706. true, true, true, true);
  46707. }
  46708. else
  46709. {
  46710. // spinning bar..
  46711. g.setColour (foreground);
  46712. const int stripeWidth = height * 2;
  46713. const int position = (Time::getMillisecondCounter() / 15) % stripeWidth;
  46714. Path p;
  46715. for (float x = (float) (-stripeWidth - position); x < width + stripeWidth; x += stripeWidth)
  46716. p.addQuadrilateral (x, 0.0f,
  46717. x + stripeWidth * 0.5f, 0.0f,
  46718. x, (float) height,
  46719. x - stripeWidth * 0.5f, (float) height);
  46720. Image im (Image::ARGB, width, height, true);
  46721. {
  46722. Graphics g (im);
  46723. drawGlassLozenge (g, 1.0f, 1.0f,
  46724. (float) (width - 2),
  46725. (float) (height - 2),
  46726. foreground,
  46727. 0.5f, 0.0f,
  46728. true, true, true, true);
  46729. }
  46730. ImageBrush ib (&im, 0, 0, 0.85f);
  46731. g.setBrush (&ib);
  46732. g.fillPath (p);
  46733. }
  46734. if (textToShow.isNotEmpty())
  46735. {
  46736. g.setColour (Colour::contrasting (background, foreground));
  46737. g.setFont (height * 0.6f);
  46738. g.drawText (textToShow, 0, 0, width, height, Justification::centred, false);
  46739. }
  46740. }
  46741. void LookAndFeel::drawScrollbarButton (Graphics& g,
  46742. ScrollBar& scrollbar,
  46743. int width, int height,
  46744. int buttonDirection,
  46745. bool /*isScrollbarVertical*/,
  46746. bool /*isMouseOverButton*/,
  46747. bool isButtonDown)
  46748. {
  46749. Path p;
  46750. if (buttonDirection == 0)
  46751. p.addTriangle (width * 0.5f, height * 0.2f,
  46752. width * 0.1f, height * 0.7f,
  46753. width * 0.9f, height * 0.7f);
  46754. else if (buttonDirection == 1)
  46755. p.addTriangle (width * 0.8f, height * 0.5f,
  46756. width * 0.3f, height * 0.1f,
  46757. width * 0.3f, height * 0.9f);
  46758. else if (buttonDirection == 2)
  46759. p.addTriangle (width * 0.5f, height * 0.8f,
  46760. width * 0.1f, height * 0.3f,
  46761. width * 0.9f, height * 0.3f);
  46762. else if (buttonDirection == 3)
  46763. p.addTriangle (width * 0.2f, height * 0.5f,
  46764. width * 0.7f, height * 0.1f,
  46765. width * 0.7f, height * 0.9f);
  46766. if (isButtonDown)
  46767. g.setColour (scrollbar.findColour (ScrollBar::thumbColourId).contrasting (0.2f));
  46768. else
  46769. g.setColour (scrollbar.findColour (ScrollBar::thumbColourId));
  46770. g.fillPath (p);
  46771. g.setColour (Colour (0x80000000));
  46772. g.strokePath (p, PathStrokeType (0.5f));
  46773. }
  46774. void LookAndFeel::drawScrollbar (Graphics& g,
  46775. ScrollBar& scrollbar,
  46776. int x, int y,
  46777. int width, int height,
  46778. bool isScrollbarVertical,
  46779. int thumbStartPosition,
  46780. int thumbSize,
  46781. bool /*isMouseOver*/,
  46782. bool /*isMouseDown*/)
  46783. {
  46784. g.fillAll (scrollbar.findColour (ScrollBar::backgroundColourId));
  46785. Path slotPath, thumbPath;
  46786. const float slotIndent = jmin (width, height) > 15 ? 1.0f : 0.0f;
  46787. const float slotIndentx2 = slotIndent * 2.0f;
  46788. const float thumbIndent = slotIndent + 1.0f;
  46789. const float thumbIndentx2 = thumbIndent * 2.0f;
  46790. float gx1 = 0.0f, gy1 = 0.0f, gx2 = 0.0f, gy2 = 0.0f;
  46791. if (isScrollbarVertical)
  46792. {
  46793. slotPath.addRoundedRectangle (x + slotIndent,
  46794. y + slotIndent,
  46795. width - slotIndentx2,
  46796. height - slotIndentx2,
  46797. (width - slotIndentx2) * 0.5f);
  46798. if (thumbSize > 0)
  46799. thumbPath.addRoundedRectangle (x + thumbIndent,
  46800. thumbStartPosition + thumbIndent,
  46801. width - thumbIndentx2,
  46802. thumbSize - thumbIndentx2,
  46803. (width - thumbIndentx2) * 0.5f);
  46804. gx1 = (float) x;
  46805. gx2 = x + width * 0.7f;
  46806. }
  46807. else
  46808. {
  46809. slotPath.addRoundedRectangle (x + slotIndent,
  46810. y + slotIndent,
  46811. width - slotIndentx2,
  46812. height - slotIndentx2,
  46813. (height - slotIndentx2) * 0.5f);
  46814. if (thumbSize > 0)
  46815. thumbPath.addRoundedRectangle (thumbStartPosition + thumbIndent,
  46816. y + thumbIndent,
  46817. thumbSize - thumbIndentx2,
  46818. height - thumbIndentx2,
  46819. (height - thumbIndentx2) * 0.5f);
  46820. gy1 = (float) y;
  46821. gy2 = y + height * 0.7f;
  46822. }
  46823. const Colour thumbColour (scrollbar.findColour (ScrollBar::trackColourId));
  46824. GradientBrush gb (thumbColour.overlaidWith (Colour (0x44000000)),
  46825. gx1, gy1,
  46826. thumbColour.overlaidWith (Colour (0x19000000)),
  46827. gx2, gy2, false);
  46828. g.setBrush (&gb);
  46829. g.fillPath (slotPath);
  46830. if (isScrollbarVertical)
  46831. {
  46832. gx1 = x + width * 0.6f;
  46833. gx2 = (float) x + width;
  46834. }
  46835. else
  46836. {
  46837. gy1 = y + height * 0.6f;
  46838. gy2 = (float) y + height;
  46839. }
  46840. GradientBrush gb2 (Colours::transparentBlack,
  46841. gx1, gy1,
  46842. Colour (0x19000000),
  46843. gx2, gy2, false);
  46844. g.setBrush (&gb2);
  46845. g.fillPath (slotPath);
  46846. g.setColour (thumbColour);
  46847. g.fillPath (thumbPath);
  46848. GradientBrush gb3 (Colour (0x10000000),
  46849. gx1, gy1,
  46850. Colours::transparentBlack,
  46851. gx2, gy2, false);
  46852. g.saveState();
  46853. g.setBrush (&gb3);
  46854. if (isScrollbarVertical)
  46855. g.reduceClipRegion (x + width / 2, y, width, height);
  46856. else
  46857. g.reduceClipRegion (x, y + height / 2, width, height);
  46858. g.fillPath (thumbPath);
  46859. g.restoreState();
  46860. g.setColour (Colour (0x4c000000));
  46861. g.strokePath (thumbPath, PathStrokeType (0.4f));
  46862. }
  46863. ImageEffectFilter* LookAndFeel::getScrollbarEffect()
  46864. {
  46865. return 0;
  46866. }
  46867. int LookAndFeel::getMinimumScrollbarThumbSize (ScrollBar& scrollbar)
  46868. {
  46869. return jmin (scrollbar.getWidth(), scrollbar.getHeight()) * 2;
  46870. }
  46871. int LookAndFeel::getDefaultScrollbarWidth()
  46872. {
  46873. return 18;
  46874. }
  46875. int LookAndFeel::getScrollbarButtonSize (ScrollBar& scrollbar)
  46876. {
  46877. return 2 + (scrollbar.isVertical() ? scrollbar.getWidth()
  46878. : scrollbar.getHeight());
  46879. }
  46880. const Path LookAndFeel::getTickShape (const float height)
  46881. {
  46882. static const unsigned char tickShapeData[] =
  46883. {
  46884. 109,0,224,168,68,0,0,119,67,108,0,224,172,68,0,128,146,67,113,0,192,148,68,0,0,219,67,0,96,110,68,0,224,56,68,113,0,64,51,68,0,32,130,68,0,64,20,68,0,224,
  46885. 162,68,108,0,128,3,68,0,128,168,68,113,0,128,221,67,0,192,175,68,0,0,207,67,0,32,179,68,113,0,0,201,67,0,224,173,68,0,0,181,67,0,224,161,68,108,0,128,168,67,
  46886. 0,128,154,68,113,0,128,141,67,0,192,138,68,0,128,108,67,0,64,131,68,113,0,0,62,67,0,128,119,68,0,0,5,67,0,128,114,68,113,0,0,102,67,0,192,88,68,0,128,155,
  46887. 67,0,192,88,68,113,0,0,190,67,0,192,88,68,0,128,232,67,0,224,131,68,108,0,128,246,67,0,192,139,68,113,0,64,33,68,0,128,87,68,0,0,93,68,0,224,26,68,113,0,
  46888. 96,140,68,0,128,188,67,0,224,168,68,0,0,119,67,99,101
  46889. };
  46890. Path p;
  46891. p.loadPathFromData (tickShapeData, sizeof (tickShapeData));
  46892. p.scaleToFit (0, 0, height * 2.0f, height, true);
  46893. return p;
  46894. }
  46895. const Path LookAndFeel::getCrossShape (const float height)
  46896. {
  46897. static const unsigned char crossShapeData[] =
  46898. {
  46899. 109,0,0,17,68,0,96,145,68,108,0,192,13,68,0,192,147,68,113,0,0,213,67,0,64,174,68,0,0,168,67,0,64,174,68,113,0,0,104,67,0,64,174,68,0,0,5,67,0,64,
  46900. 153,68,113,0,0,18,67,0,64,153,68,0,0,24,67,0,64,153,68,113,0,0,135,67,0,64,153,68,0,128,207,67,0,224,130,68,108,0,0,220,67,0,0,126,68,108,0,0,204,67,
  46901. 0,128,117,68,113,0,0,138,67,0,64,82,68,0,0,138,67,0,192,57,68,113,0,0,138,67,0,192,37,68,0,128,210,67,0,64,10,68,113,0,128,220,67,0,64,45,68,0,0,8,
  46902. 68,0,128,78,68,108,0,192,14,68,0,0,87,68,108,0,64,20,68,0,0,80,68,113,0,192,57,68,0,0,32,68,0,128,88,68,0,0,32,68,113,0,64,112,68,0,0,32,68,0,
  46903. 128,124,68,0,64,68,68,113,0,0,121,68,0,192,67,68,0,128,119,68,0,192,67,68,113,0,192,108,68,0,192,67,68,0,32,89,68,0,96,82,68,113,0,128,69,68,0,0,97,68,
  46904. 0,0,56,68,0,64,115,68,108,0,64,49,68,0,128,124,68,108,0,192,55,68,0,96,129,68,113,0,0,92,68,0,224,146,68,0,192,129,68,0,224,146,68,113,0,64,110,68,0,64,
  46905. 168,68,0,64,87,68,0,64,168,68,113,0,128,66,68,0,64,168,68,0,64,27,68,0,32,150,68,99,101
  46906. };
  46907. Path p;
  46908. p.loadPathFromData (crossShapeData, sizeof (crossShapeData));
  46909. p.scaleToFit (0, 0, height * 2.0f, height, true);
  46910. return p;
  46911. }
  46912. void LookAndFeel::drawTreeviewPlusMinusBox (Graphics& g, int x, int y, int w, int h, bool isPlus)
  46913. {
  46914. const int boxSize = ((jmin (16, w, h) << 1) / 3) | 1;
  46915. x += (w - boxSize) >> 1;
  46916. y += (h - boxSize) >> 1;
  46917. w = boxSize;
  46918. h = boxSize;
  46919. g.setColour (Colour (0xe5ffffff));
  46920. g.fillRect (x, y, w, h);
  46921. g.setColour (Colour (0x80000000));
  46922. g.drawRect (x, y, w, h);
  46923. const float size = boxSize / 2 + 1.0f;
  46924. const float centre = (float) (boxSize / 2);
  46925. g.fillRect (x + (w - size) * 0.5f, y + centre, size, 1.0f);
  46926. if (isPlus)
  46927. g.fillRect (x + centre, y + (h - size) * 0.5f, 1.0f, size);
  46928. }
  46929. void LookAndFeel::drawBubble (Graphics& g,
  46930. float tipX, float tipY,
  46931. float boxX, float boxY,
  46932. float boxW, float boxH)
  46933. {
  46934. int side = 0;
  46935. if (tipX < boxX)
  46936. side = 1;
  46937. else if (tipX > boxX + boxW)
  46938. side = 3;
  46939. else if (tipY > boxY + boxH)
  46940. side = 2;
  46941. const float indent = 2.0f;
  46942. Path p;
  46943. p.addBubble (boxX + indent,
  46944. boxY + indent,
  46945. boxW - indent * 2.0f,
  46946. boxH - indent * 2.0f,
  46947. 5.0f,
  46948. tipX, tipY,
  46949. side,
  46950. 0.5f,
  46951. jmin (15.0f, boxW * 0.3f, boxH * 0.3f));
  46952. //xxx need to take comp as param for colour
  46953. g.setColour (findColour (TooltipWindow::backgroundColourId).withAlpha (0.9f));
  46954. g.fillPath (p);
  46955. //xxx as above
  46956. g.setColour (findColour (TooltipWindow::textColourId).withAlpha (0.4f));
  46957. g.strokePath (p, PathStrokeType (1.33f));
  46958. }
  46959. const Font LookAndFeel::getPopupMenuFont()
  46960. {
  46961. return Font (17.0f);
  46962. }
  46963. void LookAndFeel::getIdealPopupMenuItemSize (const String& text,
  46964. const bool isSeparator,
  46965. int standardMenuItemHeight,
  46966. int& idealWidth,
  46967. int& idealHeight)
  46968. {
  46969. if (isSeparator)
  46970. {
  46971. idealWidth = 50;
  46972. idealHeight = standardMenuItemHeight > 0 ? standardMenuItemHeight / 2 : 10;
  46973. }
  46974. else
  46975. {
  46976. Font font (getPopupMenuFont());
  46977. if (standardMenuItemHeight > 0 && font.getHeight() > standardMenuItemHeight / 1.3f)
  46978. font.setHeight (standardMenuItemHeight / 1.3f);
  46979. idealHeight = standardMenuItemHeight > 0 ? standardMenuItemHeight : roundFloatToInt (font.getHeight() * 1.3f);
  46980. idealWidth = font.getStringWidth (text) + idealHeight * 2;
  46981. }
  46982. }
  46983. void LookAndFeel::drawPopupMenuBackground (Graphics& g, int width, int height)
  46984. {
  46985. const Colour background (findColour (PopupMenu::backgroundColourId));
  46986. g.fillAll (background);
  46987. g.setColour (background.overlaidWith (Colour (0x2badd8e6)));
  46988. for (int i = 0; i < height; i += 3)
  46989. g.fillRect (0, i, width, 1);
  46990. g.setColour (findColour (PopupMenu::textColourId).withAlpha (0.6f));
  46991. g.drawRect (0, 0, width, height);
  46992. }
  46993. void LookAndFeel::drawPopupMenuUpDownArrow (Graphics& g,
  46994. int width, int height,
  46995. bool isScrollUpArrow)
  46996. {
  46997. const Colour background (findColour (PopupMenu::backgroundColourId));
  46998. GradientBrush gb (background,
  46999. 0.0f, height * 0.5f,
  47000. background.withAlpha (0.0f),
  47001. 0.0f, isScrollUpArrow ? ((float) height) : 0.0f,
  47002. false);
  47003. g.setBrush (&gb);
  47004. g.fillRect (1, 1, width - 2, height - 2);
  47005. const float hw = width * 0.5f;
  47006. const float arrowW = height * 0.3f;
  47007. const float y1 = height * (isScrollUpArrow ? 0.6f : 0.3f);
  47008. const float y2 = height * (isScrollUpArrow ? 0.3f : 0.6f);
  47009. Path p;
  47010. p.addTriangle (hw - arrowW, y1,
  47011. hw + arrowW, y1,
  47012. hw, y2);
  47013. g.setColour (findColour (PopupMenu::textColourId).withAlpha (0.5f));
  47014. g.fillPath (p);
  47015. }
  47016. void LookAndFeel::drawPopupMenuItem (Graphics& g,
  47017. int width, int height,
  47018. const bool isSeparator,
  47019. const bool isActive,
  47020. const bool isHighlighted,
  47021. const bool isTicked,
  47022. const bool hasSubMenu,
  47023. const String& text,
  47024. const String& shortcutKeyText,
  47025. Image* image,
  47026. const Colour* const textColourToUse)
  47027. {
  47028. const float halfH = height * 0.5f;
  47029. if (isSeparator)
  47030. {
  47031. const float separatorIndent = 5.5f;
  47032. g.setColour (Colour (0x33000000));
  47033. g.drawLine (separatorIndent, halfH, width - separatorIndent, halfH);
  47034. g.setColour (Colour (0x66ffffff));
  47035. g.drawLine (separatorIndent, halfH + 1.0f, width - separatorIndent, halfH + 1.0f);
  47036. }
  47037. else
  47038. {
  47039. Colour textColour (findColour (PopupMenu::textColourId));
  47040. if (textColourToUse != 0)
  47041. textColour = *textColourToUse;
  47042. if (isHighlighted)
  47043. {
  47044. g.setColour (findColour (PopupMenu::highlightedBackgroundColourId));
  47045. g.fillRect (1, 1, width - 2, height - 2);
  47046. g.setColour (findColour (PopupMenu::highlightedTextColourId));
  47047. }
  47048. else
  47049. {
  47050. g.setColour (textColour);
  47051. }
  47052. if (! isActive)
  47053. g.setOpacity (0.3f);
  47054. Font font (getPopupMenuFont());
  47055. if (font.getHeight() > height / 1.3f)
  47056. font.setHeight (height / 1.3f);
  47057. g.setFont (font);
  47058. const int leftBorder = (height * 5) / 4;
  47059. const int rightBorder = 4;
  47060. if (image != 0)
  47061. {
  47062. g.drawImageWithin (image,
  47063. 2, 1, leftBorder - 4, height - 2,
  47064. RectanglePlacement::centred | RectanglePlacement::onlyReduceInSize, false);
  47065. }
  47066. else if (isTicked)
  47067. {
  47068. const Path tick (getTickShape (1.0f));
  47069. const float th = font.getAscent();
  47070. const float ty = halfH - th * 0.5f;
  47071. g.fillPath (tick, tick.getTransformToScaleToFit (2.0f, ty, (float) (leftBorder - 4),
  47072. th, true));
  47073. }
  47074. g.drawFittedText (text,
  47075. leftBorder, 0,
  47076. width - (leftBorder + rightBorder), height,
  47077. Justification::centredLeft, 1);
  47078. if (shortcutKeyText.isNotEmpty())
  47079. {
  47080. Font f2 (g.getCurrentFont());
  47081. f2.setHeight (f2.getHeight() * 0.75f);
  47082. f2.setHorizontalScale (0.95f);
  47083. g.setFont (f2);
  47084. g.drawText (shortcutKeyText,
  47085. leftBorder,
  47086. 0,
  47087. width - (leftBorder + rightBorder + 4),
  47088. height,
  47089. Justification::centredRight,
  47090. true);
  47091. }
  47092. if (hasSubMenu)
  47093. {
  47094. const float arrowH = 0.6f * getPopupMenuFont().getAscent();
  47095. const float x = width - height * 0.6f;
  47096. Path p;
  47097. p.addTriangle (x, halfH - arrowH * 0.5f,
  47098. x, halfH + arrowH * 0.5f,
  47099. x + arrowH * 0.6f, halfH);
  47100. g.fillPath (p);
  47101. }
  47102. }
  47103. }
  47104. int LookAndFeel::getMenuWindowFlags()
  47105. {
  47106. return ComponentPeer::windowHasDropShadow;
  47107. }
  47108. void LookAndFeel::drawMenuBarBackground (Graphics& g, int width, int height,
  47109. bool, MenuBarComponent& menuBar)
  47110. {
  47111. const Colour baseColour (createBaseColour (menuBar.findColour (PopupMenu::backgroundColourId), false, false, false));
  47112. if (menuBar.isEnabled())
  47113. {
  47114. drawShinyButtonShape (g,
  47115. -4.0f, 0.0f,
  47116. width + 8.0f, (float) height,
  47117. 0.0f,
  47118. baseColour,
  47119. 0.4f,
  47120. true, true, true, true);
  47121. }
  47122. else
  47123. {
  47124. g.fillAll (baseColour);
  47125. }
  47126. }
  47127. const Font LookAndFeel::getMenuBarFont (MenuBarComponent& menuBar, int /*itemIndex*/, const String& /*itemText*/)
  47128. {
  47129. return Font (menuBar.getHeight() * 0.7f);
  47130. }
  47131. int LookAndFeel::getMenuBarItemWidth (MenuBarComponent& menuBar, int itemIndex, const String& itemText)
  47132. {
  47133. return getMenuBarFont (menuBar, itemIndex, itemText)
  47134. .getStringWidth (itemText) + menuBar.getHeight();
  47135. }
  47136. void LookAndFeel::drawMenuBarItem (Graphics& g,
  47137. int width, int height,
  47138. int itemIndex,
  47139. const String& itemText,
  47140. bool isMouseOverItem,
  47141. bool isMenuOpen,
  47142. bool /*isMouseOverBar*/,
  47143. MenuBarComponent& menuBar)
  47144. {
  47145. if (! menuBar.isEnabled())
  47146. {
  47147. g.setColour (menuBar.findColour (PopupMenu::textColourId)
  47148. .withMultipliedAlpha (0.5f));
  47149. }
  47150. else if (isMenuOpen || isMouseOverItem)
  47151. {
  47152. g.fillAll (menuBar.findColour (PopupMenu::highlightedBackgroundColourId));
  47153. g.setColour (menuBar.findColour (PopupMenu::highlightedTextColourId));
  47154. }
  47155. else
  47156. {
  47157. g.setColour (menuBar.findColour (PopupMenu::textColourId));
  47158. }
  47159. g.setFont (getMenuBarFont (menuBar, itemIndex, itemText));
  47160. g.drawFittedText (itemText, 0, 0, width, height, Justification::centred, 1);
  47161. }
  47162. void LookAndFeel::fillTextEditorBackground (Graphics& g, int /*width*/, int /*height*/,
  47163. TextEditor& textEditor)
  47164. {
  47165. g.fillAll (textEditor.findColour (TextEditor::backgroundColourId));
  47166. }
  47167. void LookAndFeel::drawTextEditorOutline (Graphics& g, int width, int height, TextEditor& textEditor)
  47168. {
  47169. if (textEditor.isEnabled())
  47170. {
  47171. if (textEditor.hasKeyboardFocus (true) && ! textEditor.isReadOnly())
  47172. {
  47173. const int border = 2;
  47174. g.setColour (textEditor.findColour (TextEditor::focusedOutlineColourId));
  47175. g.drawRect (0, 0, width, height, border);
  47176. g.setOpacity (1.0f);
  47177. const Colour shadowColour (textEditor.findColour (TextEditor::shadowColourId).withMultipliedAlpha (0.75f));
  47178. g.drawBevel (0, 0, width, height + 2, border + 2, shadowColour, shadowColour);
  47179. }
  47180. else
  47181. {
  47182. g.setColour (textEditor.findColour (TextEditor::outlineColourId));
  47183. g.drawRect (0, 0, width, height);
  47184. g.setOpacity (1.0f);
  47185. const Colour shadowColour (textEditor.findColour (TextEditor::shadowColourId));
  47186. g.drawBevel (0, 0, width, height + 2, 3, shadowColour, shadowColour);
  47187. }
  47188. }
  47189. }
  47190. void LookAndFeel::drawComboBox (Graphics& g, int width, int height,
  47191. const bool isButtonDown,
  47192. int buttonX, int buttonY,
  47193. int buttonW, int buttonH,
  47194. ComboBox& box)
  47195. {
  47196. g.fillAll (box.findColour (ComboBox::backgroundColourId));
  47197. if (box.isEnabled() && box.hasKeyboardFocus (false))
  47198. {
  47199. g.setColour (box.findColour (TextButton::buttonColourId));
  47200. g.drawRect (0, 0, width, height, 2);
  47201. }
  47202. else
  47203. {
  47204. g.setColour (box.findColour (ComboBox::outlineColourId));
  47205. g.drawRect (0, 0, width, height);
  47206. }
  47207. const float outlineThickness = box.isEnabled() ? (isButtonDown ? 1.2f : 0.5f) : 0.3f;
  47208. const Colour baseColour (createBaseColour (box.findColour (ComboBox::buttonColourId),
  47209. box.hasKeyboardFocus (true),
  47210. false, isButtonDown)
  47211. .withMultipliedAlpha (box.isEnabled() ? 1.0f : 0.5f));
  47212. drawGlassLozenge (g,
  47213. buttonX + outlineThickness, buttonY + outlineThickness,
  47214. buttonW - outlineThickness * 2.0f, buttonH - outlineThickness * 2.0f,
  47215. baseColour, outlineThickness, -1.0f,
  47216. true, true, true, true);
  47217. if (box.isEnabled())
  47218. {
  47219. const float arrowX = 0.3f;
  47220. const float arrowH = 0.2f;
  47221. Path p;
  47222. p.addTriangle (buttonX + buttonW * 0.5f, buttonY + buttonH * (0.45f - arrowH),
  47223. buttonX + buttonW * (1.0f - arrowX), buttonY + buttonH * 0.45f,
  47224. buttonX + buttonW * arrowX, buttonY + buttonH * 0.45f);
  47225. p.addTriangle (buttonX + buttonW * 0.5f, buttonY + buttonH * (0.55f + arrowH),
  47226. buttonX + buttonW * (1.0f - arrowX), buttonY + buttonH * 0.55f,
  47227. buttonX + buttonW * arrowX, buttonY + buttonH * 0.55f);
  47228. g.setColour (box.findColour (ComboBox::arrowColourId));
  47229. g.fillPath (p);
  47230. }
  47231. }
  47232. const Font LookAndFeel::getComboBoxFont (ComboBox& box)
  47233. {
  47234. return Font (jmin (15.0f, box.getHeight() * 0.85f));
  47235. }
  47236. Label* LookAndFeel::createComboBoxTextBox (ComboBox&)
  47237. {
  47238. return new Label (String::empty, String::empty);
  47239. }
  47240. void LookAndFeel::positionComboBoxText (ComboBox& box, Label& label)
  47241. {
  47242. label.setBounds (1, 1,
  47243. box.getWidth() + 3 - box.getHeight(),
  47244. box.getHeight() - 2);
  47245. label.setFont (getComboBoxFont (box));
  47246. }
  47247. void LookAndFeel::drawLinearSliderBackground (Graphics& g,
  47248. int x, int y,
  47249. int width, int height,
  47250. float /*sliderPos*/,
  47251. float /*minSliderPos*/,
  47252. float /*maxSliderPos*/,
  47253. const Slider::SliderStyle /*style*/,
  47254. Slider& slider)
  47255. {
  47256. const float sliderRadius = (float) (getSliderThumbRadius (slider) - 2);
  47257. const Colour trackColour (slider.findColour (Slider::trackColourId));
  47258. const Colour gradCol1 (trackColour.overlaidWith (Colours::black.withAlpha (slider.isEnabled() ? 0.25f : 0.13f)));
  47259. const Colour gradCol2 (trackColour.overlaidWith (Colour (0x14000000)));
  47260. Path indent;
  47261. if (slider.isHorizontal())
  47262. {
  47263. const float iy = y + height * 0.5f - sliderRadius * 0.5f;
  47264. const float ih = sliderRadius;
  47265. GradientBrush gb (gradCol1, 0.0f, iy,
  47266. gradCol2, 0.0f, iy + ih, false);
  47267. g.setBrush (&gb);
  47268. indent.addRoundedRectangle (x - sliderRadius * 0.5f, iy,
  47269. width + sliderRadius, ih,
  47270. 5.0f);
  47271. g.fillPath (indent);
  47272. }
  47273. else
  47274. {
  47275. const float ix = x + width * 0.5f - sliderRadius * 0.5f;
  47276. const float iw = sliderRadius;
  47277. GradientBrush gb (gradCol1, ix, 0.0f,
  47278. gradCol2, ix + iw, 0.0f, false);
  47279. g.setBrush (&gb);
  47280. indent.addRoundedRectangle (ix, y - sliderRadius * 0.5f,
  47281. iw, height + sliderRadius,
  47282. 5.0f);
  47283. g.fillPath (indent);
  47284. }
  47285. g.setColour (Colour (0x4c000000));
  47286. g.strokePath (indent, PathStrokeType (0.5f));
  47287. }
  47288. void LookAndFeel::drawLinearSliderThumb (Graphics& g,
  47289. int x, int y,
  47290. int width, int height,
  47291. float sliderPos,
  47292. float minSliderPos,
  47293. float maxSliderPos,
  47294. const Slider::SliderStyle style,
  47295. Slider& slider)
  47296. {
  47297. const float sliderRadius = (float) (getSliderThumbRadius (slider) - 2);
  47298. Colour knobColour (createBaseColour (slider.findColour (Slider::thumbColourId),
  47299. slider.hasKeyboardFocus (false) && slider.isEnabled(),
  47300. slider.isMouseOverOrDragging() && slider.isEnabled(),
  47301. slider.isMouseButtonDown() && slider.isEnabled()));
  47302. const float outlineThickness = slider.isEnabled() ? 0.8f : 0.3f;
  47303. if (style == Slider::LinearHorizontal || style == Slider::LinearVertical)
  47304. {
  47305. float kx, ky;
  47306. if (style == Slider::LinearVertical)
  47307. {
  47308. kx = x + width * 0.5f;
  47309. ky = sliderPos;
  47310. }
  47311. else
  47312. {
  47313. kx = sliderPos;
  47314. ky = y + height * 0.5f;
  47315. }
  47316. drawGlassSphere (g,
  47317. kx - sliderRadius,
  47318. ky - sliderRadius,
  47319. sliderRadius * 2.0f,
  47320. knobColour, outlineThickness);
  47321. }
  47322. else
  47323. {
  47324. if (style == Slider::ThreeValueVertical)
  47325. {
  47326. drawGlassSphere (g, x + width * 0.5f - sliderRadius,
  47327. sliderPos - sliderRadius,
  47328. sliderRadius * 2.0f,
  47329. knobColour, outlineThickness);
  47330. }
  47331. else if (style == Slider::ThreeValueHorizontal)
  47332. {
  47333. drawGlassSphere (g,sliderPos - sliderRadius,
  47334. y + height * 0.5f - sliderRadius,
  47335. sliderRadius * 2.0f,
  47336. knobColour, outlineThickness);
  47337. }
  47338. if (style == Slider::TwoValueVertical || style == Slider::ThreeValueVertical)
  47339. {
  47340. const float sr = jmin (sliderRadius, width * 0.4f);
  47341. drawGlassPointer (g, jmax (0.0f, x + width * 0.5f - sliderRadius * 2.0f),
  47342. minSliderPos - sliderRadius,
  47343. sliderRadius * 2.0f, knobColour, outlineThickness, 1);
  47344. drawGlassPointer (g, jmin (x + width - sliderRadius * 2.0f, x + width * 0.5f), maxSliderPos - sr,
  47345. sliderRadius * 2.0f, knobColour, outlineThickness, 3);
  47346. }
  47347. else if (style == Slider::TwoValueHorizontal || style == Slider::ThreeValueHorizontal)
  47348. {
  47349. const float sr = jmin (sliderRadius, height * 0.4f);
  47350. drawGlassPointer (g, minSliderPos - sr,
  47351. jmax (0.0f, y + height * 0.5f - sliderRadius * 2.0f),
  47352. sliderRadius * 2.0f, knobColour, outlineThickness, 2);
  47353. drawGlassPointer (g, maxSliderPos - sliderRadius,
  47354. jmin (y + height - sliderRadius * 2.0f, y + height * 0.5f),
  47355. sliderRadius * 2.0f, knobColour, outlineThickness, 4);
  47356. }
  47357. }
  47358. }
  47359. void LookAndFeel::drawLinearSlider (Graphics& g,
  47360. int x, int y,
  47361. int width, int height,
  47362. float sliderPos,
  47363. float minSliderPos,
  47364. float maxSliderPos,
  47365. const Slider::SliderStyle style,
  47366. Slider& slider)
  47367. {
  47368. g.fillAll (slider.findColour (Slider::backgroundColourId));
  47369. if (style == Slider::LinearBar)
  47370. {
  47371. const bool isMouseOver = slider.isMouseOverOrDragging() && slider.isEnabled();
  47372. Colour baseColour (createBaseColour (slider.findColour (Slider::thumbColourId)
  47373. .withMultipliedSaturation (slider.isEnabled() ? 1.0f : 0.5f),
  47374. false,
  47375. isMouseOver,
  47376. isMouseOver || slider.isMouseButtonDown()));
  47377. drawShinyButtonShape (g,
  47378. (float) x, (float) y, sliderPos - (float) x, (float) height, 0.0f,
  47379. baseColour,
  47380. slider.isEnabled() ? 0.9f : 0.3f,
  47381. true, true, true, true);
  47382. }
  47383. else
  47384. {
  47385. drawLinearSliderBackground (g, x, y, width, height, sliderPos, minSliderPos, maxSliderPos, style, slider);
  47386. drawLinearSliderThumb (g, x, y, width, height, sliderPos, minSliderPos, maxSliderPos, style, slider);
  47387. }
  47388. }
  47389. int LookAndFeel::getSliderThumbRadius (Slider& slider)
  47390. {
  47391. return jmin (7,
  47392. slider.getHeight() / 2,
  47393. slider.getWidth() / 2) + 2;
  47394. }
  47395. void LookAndFeel::drawRotarySlider (Graphics& g,
  47396. int x, int y,
  47397. int width, int height,
  47398. float sliderPos,
  47399. const float rotaryStartAngle,
  47400. const float rotaryEndAngle,
  47401. Slider& slider)
  47402. {
  47403. const float radius = jmin (width / 2, height / 2) - 2.0f;
  47404. const float centreX = x + width * 0.5f;
  47405. const float centreY = y + height * 0.5f;
  47406. const float rx = centreX - radius;
  47407. const float ry = centreY - radius;
  47408. const float rw = radius * 2.0f;
  47409. const float angle = rotaryStartAngle + sliderPos * (rotaryEndAngle - rotaryStartAngle);
  47410. const bool isMouseOver = slider.isMouseOverOrDragging() && slider.isEnabled();
  47411. if (radius > 12.0f)
  47412. {
  47413. if (slider.isEnabled())
  47414. g.setColour (slider.findColour (Slider::rotarySliderFillColourId).withAlpha (isMouseOver ? 1.0f : 0.7f));
  47415. else
  47416. g.setColour (Colour (0x80808080));
  47417. const float thickness = 0.7f;
  47418. {
  47419. Path filledArc;
  47420. filledArc.addPieSegment (rx, ry, rw, rw,
  47421. rotaryStartAngle,
  47422. angle,
  47423. thickness);
  47424. g.fillPath (filledArc);
  47425. }
  47426. if (thickness > 0)
  47427. {
  47428. const float innerRadius = radius * 0.2f;
  47429. Path p;
  47430. p.addTriangle (-innerRadius, 0.0f,
  47431. 0.0f, -radius * thickness * 1.1f,
  47432. innerRadius, 0.0f);
  47433. p.addEllipse (-innerRadius, -innerRadius, innerRadius * 2.0f, innerRadius * 2.0f);
  47434. g.fillPath (p, AffineTransform::rotation (angle).translated (centreX, centreY));
  47435. }
  47436. if (slider.isEnabled())
  47437. {
  47438. g.setColour (slider.findColour (Slider::rotarySliderOutlineColourId));
  47439. Path outlineArc;
  47440. outlineArc.addPieSegment (rx, ry, rw, rw, rotaryStartAngle, rotaryEndAngle, thickness);
  47441. outlineArc.closeSubPath();
  47442. g.strokePath (outlineArc, PathStrokeType (slider.isEnabled() ? (isMouseOver ? 2.0f : 1.2f) : 0.3f));
  47443. }
  47444. }
  47445. else
  47446. {
  47447. if (slider.isEnabled())
  47448. g.setColour (slider.findColour (Slider::rotarySliderFillColourId).withAlpha (isMouseOver ? 1.0f : 0.7f));
  47449. else
  47450. g.setColour (Colour (0x80808080));
  47451. Path p;
  47452. p.addEllipse (-0.4f * rw, -0.4f * rw, rw * 0.8f, rw * 0.8f);
  47453. PathStrokeType (rw * 0.1f).createStrokedPath (p, p);
  47454. p.addLineSegment (0.0f, 0.0f, 0.0f, -radius, rw * 0.2f);
  47455. g.fillPath (p, AffineTransform::rotation (angle).translated (centreX, centreY));
  47456. }
  47457. }
  47458. Button* LookAndFeel::createSliderButton (const bool isIncrement)
  47459. {
  47460. return new TextButton (isIncrement ? "+" : "-", String::empty);
  47461. }
  47462. Label* LookAndFeel::createSliderTextBox (Slider& slider)
  47463. {
  47464. Label* const l = new Label (T("n"), String::empty);
  47465. l->setJustificationType (Justification::centred);
  47466. l->setColour (Label::textColourId, slider.findColour (Slider::textBoxTextColourId));
  47467. l->setColour (Label::backgroundColourId,
  47468. (slider.getSliderStyle() == Slider::LinearBar) ? Colours::transparentBlack
  47469. : slider.findColour (Slider::textBoxBackgroundColourId));
  47470. l->setColour (Label::outlineColourId, slider.findColour (Slider::textBoxOutlineColourId));
  47471. l->setColour (TextEditor::textColourId, slider.findColour (Slider::textBoxTextColourId));
  47472. l->setColour (TextEditor::backgroundColourId,
  47473. slider.findColour (Slider::textBoxBackgroundColourId)
  47474. .withAlpha (slider.getSliderStyle() == Slider::LinearBar ? 0.7f : 1.0f));
  47475. l->setColour (TextEditor::outlineColourId, slider.findColour (Slider::textBoxOutlineColourId));
  47476. return l;
  47477. }
  47478. ImageEffectFilter* LookAndFeel::getSliderEffect()
  47479. {
  47480. return 0;
  47481. }
  47482. static const TextLayout layoutTooltipText (const String& text) throw()
  47483. {
  47484. const float tooltipFontSize = 15.0f;
  47485. const int maxToolTipWidth = 400;
  47486. const Font f (tooltipFontSize, Font::bold);
  47487. TextLayout tl (text, f);
  47488. tl.layout (maxToolTipWidth, Justification::left, true);
  47489. return tl;
  47490. }
  47491. void LookAndFeel::getTooltipSize (const String& tipText, int& width, int& height)
  47492. {
  47493. const TextLayout tl (layoutTooltipText (tipText));
  47494. width = tl.getWidth() + 14;
  47495. height = tl.getHeight() + 10;
  47496. }
  47497. void LookAndFeel::drawTooltip (Graphics& g, const String& text, int width, int height)
  47498. {
  47499. g.fillAll (findColour (TooltipWindow::backgroundColourId));
  47500. const Colour textCol (findColour (TooltipWindow::textColourId));
  47501. g.setColour (findColour (TooltipWindow::outlineColourId));
  47502. g.drawRect (0, 0, width, height);
  47503. const TextLayout tl (layoutTooltipText (text));
  47504. g.setColour (findColour (TooltipWindow::textColourId));
  47505. tl.drawWithin (g, 0, 0, width, height, Justification::centred);
  47506. }
  47507. Button* LookAndFeel::createFilenameComponentBrowseButton (const String& text)
  47508. {
  47509. return new TextButton (text, TRANS("click to browse for a different file"));
  47510. }
  47511. void LookAndFeel::layoutFilenameComponent (FilenameComponent& filenameComp,
  47512. ComboBox* filenameBox,
  47513. Button* browseButton)
  47514. {
  47515. browseButton->setSize (80, filenameComp.getHeight());
  47516. TextButton* const tb = dynamic_cast <TextButton*> (browseButton);
  47517. if (tb != 0)
  47518. tb->changeWidthToFitText();
  47519. browseButton->setTopRightPosition (filenameComp.getWidth(), 0);
  47520. filenameBox->setBounds (0, 0, browseButton->getX(), filenameComp.getHeight());
  47521. }
  47522. void LookAndFeel::drawCornerResizer (Graphics& g,
  47523. int w, int h,
  47524. bool /*isMouseOver*/,
  47525. bool /*isMouseDragging*/)
  47526. {
  47527. const float lineThickness = jmin (w, h) * 0.075f;
  47528. for (float i = 0.0f; i < 1.0f; i += 0.3f)
  47529. {
  47530. g.setColour (Colours::lightgrey);
  47531. g.drawLine (w * i,
  47532. h + 1.0f,
  47533. w + 1.0f,
  47534. h * i,
  47535. lineThickness);
  47536. g.setColour (Colours::darkgrey);
  47537. g.drawLine (w * i + lineThickness,
  47538. h + 1.0f,
  47539. w + 1.0f,
  47540. h * i + lineThickness,
  47541. lineThickness);
  47542. }
  47543. }
  47544. void LookAndFeel::drawResizableFrame (Graphics&, int /*w*/, int /*h*/,
  47545. const BorderSize& /*borders*/)
  47546. {
  47547. }
  47548. void LookAndFeel::drawResizableWindowBorder (Graphics& g, int w, int h,
  47549. const BorderSize& border, ResizableWindow&)
  47550. {
  47551. g.setColour (Colour (0x80000000));
  47552. g.drawRect (0, 0, w, h);
  47553. g.setColour (Colour (0x19000000));
  47554. g.drawRect (border.getLeft() - 1,
  47555. border.getTop() - 1,
  47556. w + 2 - border.getLeftAndRight(),
  47557. h + 2 - border.getTopAndBottom());
  47558. }
  47559. void LookAndFeel::drawDocumentWindowTitleBar (DocumentWindow& window,
  47560. Graphics& g, int w, int h,
  47561. int titleSpaceX, int titleSpaceW,
  47562. const Image* icon,
  47563. bool drawTitleTextOnLeft)
  47564. {
  47565. const bool isActive = window.isActiveWindow();
  47566. GradientBrush gb (window.getBackgroundColour(),
  47567. 0.0f, 0.0f,
  47568. window.getBackgroundColour().contrasting (isActive ? 0.15f : 0.05f),
  47569. 0.0f, (float) h, false);
  47570. g.setBrush (&gb);
  47571. g.fillAll();
  47572. g.setFont (h * 0.65f, Font::bold);
  47573. int textW = g.getCurrentFont().getStringWidth (window.getName());
  47574. int iconW = 0;
  47575. int iconH = 0;
  47576. if (icon != 0)
  47577. {
  47578. iconH = (int) g.getCurrentFont().getHeight();
  47579. iconW = icon->getWidth() * iconH / icon->getHeight() + 4;
  47580. }
  47581. textW = jmin (titleSpaceW, textW + iconW);
  47582. int textX = drawTitleTextOnLeft ? titleSpaceX
  47583. : jmax (titleSpaceX, (w - textW) / 2);
  47584. if (textX + textW > titleSpaceX + titleSpaceW)
  47585. textX = titleSpaceX + titleSpaceW - textW;
  47586. if (icon != 0)
  47587. {
  47588. g.setOpacity (isActive ? 1.0f : 0.6f);
  47589. g.drawImageWithin (icon, textX, (h - iconH) / 2, iconW, iconH,
  47590. RectanglePlacement::centred, false);
  47591. textX += iconW;
  47592. textW -= iconW;
  47593. }
  47594. g.setColour (window.getBackgroundColour().contrasting (isActive ? 0.7f : 0.4f));
  47595. g.drawText (window.getName(), textX, 0, textW, h, Justification::centredLeft, true);
  47596. }
  47597. class GlassWindowButton : public Button
  47598. {
  47599. public:
  47600. GlassWindowButton (const String& name, const Colour& col,
  47601. const Path& normalShape_,
  47602. const Path& toggledShape_) throw()
  47603. : Button (name),
  47604. colour (col),
  47605. normalShape (normalShape_),
  47606. toggledShape (toggledShape_)
  47607. {
  47608. }
  47609. ~GlassWindowButton()
  47610. {
  47611. }
  47612. void paintButton (Graphics& g, bool isMouseOverButton, bool isButtonDown)
  47613. {
  47614. float alpha = isMouseOverButton ? (isButtonDown ? 1.0f : 0.8f) : 0.55f;
  47615. if (! isEnabled())
  47616. alpha *= 0.5f;
  47617. float x = 0, y = 0, diam;
  47618. if (getWidth() < getHeight())
  47619. {
  47620. diam = (float) getWidth();
  47621. y = (getHeight() - getWidth()) * 0.5f;
  47622. }
  47623. else
  47624. {
  47625. diam = (float) getHeight();
  47626. y = (getWidth() - getHeight()) * 0.5f;
  47627. }
  47628. x += diam * 0.05f;
  47629. y += diam * 0.05f;
  47630. diam *= 0.9f;
  47631. GradientBrush gb1 (Colour::greyLevel (0.9f).withAlpha (alpha), 0, y + diam,
  47632. Colour::greyLevel (0.6f).withAlpha (alpha), 0, y, false);
  47633. g.setBrush (&gb1);
  47634. g.fillEllipse (x, y, diam, diam);
  47635. x += 2.0f;
  47636. y += 2.0f;
  47637. diam -= 4.0f;
  47638. LookAndFeel::drawGlassSphere (g, x, y, diam, colour.withAlpha (alpha), 1.0f);
  47639. Path& p = getToggleState() ? toggledShape : normalShape;
  47640. const AffineTransform t (p.getTransformToScaleToFit (x + diam * 0.3f, y + diam * 0.3f,
  47641. diam * 0.4f, diam * 0.4f, true));
  47642. g.setColour (Colours::black.withAlpha (alpha * 0.6f));
  47643. g.fillPath (p, t);
  47644. }
  47645. juce_UseDebuggingNewOperator
  47646. private:
  47647. Colour colour;
  47648. Path normalShape, toggledShape;
  47649. GlassWindowButton (const GlassWindowButton&);
  47650. const GlassWindowButton& operator= (const GlassWindowButton&);
  47651. };
  47652. Button* LookAndFeel::createDocumentWindowButton (int buttonType)
  47653. {
  47654. Path shape;
  47655. const float crossThickness = 0.25f;
  47656. if (buttonType == DocumentWindow::closeButton)
  47657. {
  47658. shape.addLineSegment (0.0f, 0.0f, 1.0f, 1.0f, crossThickness * 1.4f);
  47659. shape.addLineSegment (1.0f, 0.0f, 0.0f, 1.0f, crossThickness * 1.4f);
  47660. return new GlassWindowButton ("close", Colour (0xffdd1100), shape, shape);
  47661. }
  47662. else if (buttonType == DocumentWindow::minimiseButton)
  47663. {
  47664. shape.addLineSegment (0.0f, 0.5f, 1.0f, 0.5f, crossThickness);
  47665. return new GlassWindowButton ("minimise", Colour (0xffaa8811), shape, shape);
  47666. }
  47667. else if (buttonType == DocumentWindow::maximiseButton)
  47668. {
  47669. shape.addLineSegment (0.5f, 0.0f, 0.5f, 1.0f, crossThickness);
  47670. shape.addLineSegment (0.0f, 0.5f, 1.0f, 0.5f, crossThickness);
  47671. Path fullscreenShape;
  47672. fullscreenShape.startNewSubPath (45.0f, 100.0f);
  47673. fullscreenShape.lineTo (0.0f, 100.0f);
  47674. fullscreenShape.lineTo (0.0f, 0.0f);
  47675. fullscreenShape.lineTo (100.0f, 0.0f);
  47676. fullscreenShape.lineTo (100.0f, 45.0f);
  47677. fullscreenShape.addRectangle (45.0f, 45.0f, 100.0f, 100.0f);
  47678. PathStrokeType (30.0f).createStrokedPath (fullscreenShape, fullscreenShape);
  47679. return new GlassWindowButton ("maximise", Colour (0xff119911), shape, fullscreenShape);
  47680. }
  47681. jassertfalse
  47682. return 0;
  47683. }
  47684. void LookAndFeel::positionDocumentWindowButtons (DocumentWindow&,
  47685. int titleBarX,
  47686. int titleBarY,
  47687. int titleBarW,
  47688. int titleBarH,
  47689. Button* minimiseButton,
  47690. Button* maximiseButton,
  47691. Button* closeButton,
  47692. bool positionTitleBarButtonsOnLeft)
  47693. {
  47694. const int buttonW = titleBarH - titleBarH / 8;
  47695. int x = positionTitleBarButtonsOnLeft ? titleBarX + 4
  47696. : titleBarX + titleBarW - buttonW - buttonW / 4;
  47697. if (closeButton != 0)
  47698. {
  47699. closeButton->setBounds (x, titleBarY, buttonW, titleBarH);
  47700. x += positionTitleBarButtonsOnLeft ? buttonW : -(buttonW + buttonW / 4);
  47701. }
  47702. if (positionTitleBarButtonsOnLeft)
  47703. swapVariables (minimiseButton, maximiseButton);
  47704. if (maximiseButton != 0)
  47705. {
  47706. maximiseButton->setBounds (x, titleBarY, buttonW, titleBarH);
  47707. x += positionTitleBarButtonsOnLeft ? buttonW : -buttonW;
  47708. }
  47709. if (minimiseButton != 0)
  47710. minimiseButton->setBounds (x, titleBarY, buttonW, titleBarH);
  47711. }
  47712. int LookAndFeel::getDefaultMenuBarHeight()
  47713. {
  47714. return 24;
  47715. }
  47716. DropShadower* LookAndFeel::createDropShadowerForComponent (Component*)
  47717. {
  47718. return new DropShadower (0.4f, 1, 5, 10);
  47719. }
  47720. void LookAndFeel::drawStretchableLayoutResizerBar (Graphics& g,
  47721. int w, int h,
  47722. bool /*isVerticalBar*/,
  47723. bool isMouseOver,
  47724. bool isMouseDragging)
  47725. {
  47726. float alpha = 0.5f;
  47727. if (isMouseOver || isMouseDragging)
  47728. {
  47729. g.fillAll (Colour (0x190000ff));
  47730. alpha = 1.0f;
  47731. }
  47732. const float cx = w * 0.5f;
  47733. const float cy = h * 0.5f;
  47734. const float cr = jmin (w, h) * 0.4f;
  47735. GradientBrush gb (Colours::white.withAlpha (alpha), cx + cr * 0.1f, cy + cr,
  47736. Colours::black.withAlpha (alpha), cx, cy - cr * 4.0f,
  47737. true);
  47738. g.setBrush (&gb);
  47739. g.fillEllipse (cx - cr, cy - cr, cr * 2.0f, cr * 2.0f);
  47740. }
  47741. void LookAndFeel::drawGroupComponentOutline (Graphics& g, int width, int height,
  47742. const String& text,
  47743. const Justification& position,
  47744. GroupComponent& group)
  47745. {
  47746. const float textH = 15.0f;
  47747. const float indent = 3.0f;
  47748. const float textEdgeGap = 4.0f;
  47749. float cs = 5.0f;
  47750. Font f (textH);
  47751. Path p;
  47752. float x = indent;
  47753. float y = f.getAscent() - 3.0f;
  47754. float w = jmax (0.0f, width - x * 2.0f);
  47755. float h = jmax (0.0f, height - y - indent);
  47756. cs = jmin (cs, w * 0.5f, h * 0.5f);
  47757. const float cs2 = 2.0f * cs;
  47758. float textW = text.isEmpty() ? 0 : jlimit (0.0f, jmax (0.0f, w - cs2 - textEdgeGap * 2), f.getStringWidth (text) + textEdgeGap * 2.0f);
  47759. float textX = cs + textEdgeGap;
  47760. if (position.testFlags (Justification::horizontallyCentred))
  47761. textX = cs + (w - cs2 - textW) * 0.5f;
  47762. else if (position.testFlags (Justification::right))
  47763. textX = w - cs - textW - textEdgeGap;
  47764. p.startNewSubPath (x + textX + textW, y);
  47765. p.lineTo (x + w - cs, y);
  47766. p.addArc (x + w - cs2, y, cs2, cs2, 0, float_Pi * 0.5f);
  47767. p.lineTo (x + w, y + h - cs);
  47768. p.addArc (x + w - cs2, y + h - cs2, cs2, cs2, float_Pi * 0.5f, float_Pi);
  47769. p.lineTo (x + cs, y + h);
  47770. p.addArc (x, y + h - cs2, cs2, cs2, float_Pi, float_Pi * 1.5f);
  47771. p.lineTo (x, y + cs);
  47772. p.addArc (x, y, cs2, cs2, float_Pi * 1.5f, float_Pi * 2.0f);
  47773. p.lineTo (x + textX, y);
  47774. const float alpha = group.isEnabled() ? 1.0f : 0.5f;
  47775. g.setColour (group.findColour (GroupComponent::outlineColourId)
  47776. .withMultipliedAlpha (alpha));
  47777. g.strokePath (p, PathStrokeType (2.0f));
  47778. g.setColour (group.findColour (GroupComponent::textColourId)
  47779. .withMultipliedAlpha (alpha));
  47780. g.setFont (f);
  47781. g.drawText (text,
  47782. roundFloatToInt (x + textX), 0,
  47783. roundFloatToInt (textW),
  47784. roundFloatToInt (textH),
  47785. Justification::centred, true);
  47786. }
  47787. int LookAndFeel::getTabButtonOverlap (int tabDepth)
  47788. {
  47789. return 1 + tabDepth / 3;
  47790. }
  47791. int LookAndFeel::getTabButtonSpaceAroundImage()
  47792. {
  47793. return 4;
  47794. }
  47795. void LookAndFeel::createTabButtonShape (Path& p,
  47796. int width, int height,
  47797. int /*tabIndex*/,
  47798. const String& /*text*/,
  47799. Button& /*button*/,
  47800. TabbedButtonBar::Orientation orientation,
  47801. const bool /*isMouseOver*/,
  47802. const bool /*isMouseDown*/,
  47803. const bool /*isFrontTab*/)
  47804. {
  47805. const float w = (float) width;
  47806. const float h = (float) height;
  47807. float length = w;
  47808. float depth = h;
  47809. if (orientation == TabbedButtonBar::TabsAtLeft
  47810. || orientation == TabbedButtonBar::TabsAtRight)
  47811. {
  47812. swapVariables (length, depth);
  47813. }
  47814. const float indent = (float) getTabButtonOverlap ((int) depth);
  47815. const float overhang = 4.0f;
  47816. if (orientation == TabbedButtonBar::TabsAtLeft)
  47817. {
  47818. p.startNewSubPath (w, 0.0f);
  47819. p.lineTo (0.0f, indent);
  47820. p.lineTo (0.0f, h - indent);
  47821. p.lineTo (w, h);
  47822. p.lineTo (w + overhang, h + overhang);
  47823. p.lineTo (w + overhang, -overhang);
  47824. }
  47825. else if (orientation == TabbedButtonBar::TabsAtRight)
  47826. {
  47827. p.startNewSubPath (0.0f, 0.0f);
  47828. p.lineTo (w, indent);
  47829. p.lineTo (w, h - indent);
  47830. p.lineTo (0.0f, h);
  47831. p.lineTo (-overhang, h + overhang);
  47832. p.lineTo (-overhang, -overhang);
  47833. }
  47834. else if (orientation == TabbedButtonBar::TabsAtBottom)
  47835. {
  47836. p.startNewSubPath (0.0f, 0.0f);
  47837. p.lineTo (indent, h);
  47838. p.lineTo (w - indent, h);
  47839. p.lineTo (w, 0.0f);
  47840. p.lineTo (w + overhang, -overhang);
  47841. p.lineTo (-overhang, -overhang);
  47842. }
  47843. else
  47844. {
  47845. p.startNewSubPath (0.0f, h);
  47846. p.lineTo (indent, 0.0f);
  47847. p.lineTo (w - indent, 0.0f);
  47848. p.lineTo (w, h);
  47849. p.lineTo (w + overhang, h + overhang);
  47850. p.lineTo (-overhang, h + overhang);
  47851. }
  47852. p.closeSubPath();
  47853. p = p.createPathWithRoundedCorners (3.0f);
  47854. }
  47855. void LookAndFeel::fillTabButtonShape (Graphics& g,
  47856. const Path& path,
  47857. const Colour& preferredColour,
  47858. int /*tabIndex*/,
  47859. const String& /*text*/,
  47860. Button& button,
  47861. TabbedButtonBar::Orientation /*orientation*/,
  47862. const bool /*isMouseOver*/,
  47863. const bool /*isMouseDown*/,
  47864. const bool isFrontTab)
  47865. {
  47866. g.setColour (isFrontTab ? preferredColour
  47867. : preferredColour.withMultipliedAlpha (0.9f));
  47868. g.fillPath (path);
  47869. g.setColour (Colours::black.withAlpha (button.isEnabled() ? 0.5f : 0.25f));
  47870. g.strokePath (path, PathStrokeType (isFrontTab ? 1.0f : 0.5f));
  47871. }
  47872. void LookAndFeel::drawTabButtonText (Graphics& g,
  47873. int x, int y, int w, int h,
  47874. const Colour& preferredBackgroundColour,
  47875. int /*tabIndex*/,
  47876. const String& text,
  47877. Button& button,
  47878. TabbedButtonBar::Orientation orientation,
  47879. const bool isMouseOver,
  47880. const bool isMouseDown,
  47881. const bool /*isFrontTab*/)
  47882. {
  47883. int length = w;
  47884. int depth = h;
  47885. if (orientation == TabbedButtonBar::TabsAtLeft
  47886. || orientation == TabbedButtonBar::TabsAtRight)
  47887. {
  47888. swapVariables (length, depth);
  47889. }
  47890. Font font (depth * 0.6f);
  47891. font.setUnderline (button.hasKeyboardFocus (false));
  47892. GlyphArrangement textLayout;
  47893. textLayout.addFittedText (font, text.trim(),
  47894. 0.0f, 0.0f, (float) length, (float) depth,
  47895. Justification::centred,
  47896. jmax (1, depth / 12));
  47897. AffineTransform transform;
  47898. if (orientation == TabbedButtonBar::TabsAtLeft)
  47899. {
  47900. transform = transform.rotated (float_Pi * -0.5f)
  47901. .translated ((float) x, (float) (y + h));
  47902. }
  47903. else if (orientation == TabbedButtonBar::TabsAtRight)
  47904. {
  47905. transform = transform.rotated (float_Pi * 0.5f)
  47906. .translated ((float) (x + w), (float) y);
  47907. }
  47908. else
  47909. {
  47910. transform = transform.translated ((float) x, (float) y);
  47911. }
  47912. g.setColour (preferredBackgroundColour.contrasting());
  47913. if (! (isMouseOver || isMouseDown))
  47914. g.setOpacity (0.8f);
  47915. if (! button.isEnabled())
  47916. g.setOpacity (0.3f);
  47917. textLayout.draw (g, transform);
  47918. }
  47919. int LookAndFeel::getTabButtonBestWidth (int /*tabIndex*/,
  47920. const String& text,
  47921. int tabDepth,
  47922. Button&)
  47923. {
  47924. Font f (tabDepth * 0.6f);
  47925. return f.getStringWidth (text.trim()) + getTabButtonOverlap (tabDepth) * 2;
  47926. }
  47927. void LookAndFeel::drawTabButton (Graphics& g,
  47928. int w, int h,
  47929. const Colour& preferredColour,
  47930. int tabIndex,
  47931. const String& text,
  47932. Button& button,
  47933. TabbedButtonBar::Orientation orientation,
  47934. const bool isMouseOver,
  47935. const bool isMouseDown,
  47936. const bool isFrontTab)
  47937. {
  47938. int length = w;
  47939. int depth = h;
  47940. if (orientation == TabbedButtonBar::TabsAtLeft
  47941. || orientation == TabbedButtonBar::TabsAtRight)
  47942. {
  47943. swapVariables (length, depth);
  47944. }
  47945. Path tabShape;
  47946. createTabButtonShape (tabShape, w, h,
  47947. tabIndex, text, button, orientation,
  47948. isMouseOver, isMouseDown, isFrontTab);
  47949. fillTabButtonShape (g, tabShape, preferredColour,
  47950. tabIndex, text, button, orientation,
  47951. isMouseOver, isMouseDown, isFrontTab);
  47952. const int indent = getTabButtonOverlap (depth);
  47953. int x = 0, y = 0;
  47954. if (orientation == TabbedButtonBar::TabsAtLeft
  47955. || orientation == TabbedButtonBar::TabsAtRight)
  47956. {
  47957. y += indent;
  47958. h -= indent * 2;
  47959. }
  47960. else
  47961. {
  47962. x += indent;
  47963. w -= indent * 2;
  47964. }
  47965. drawTabButtonText (g, x, y, w, h, preferredColour,
  47966. tabIndex, text, button, orientation,
  47967. isMouseOver, isMouseDown, isFrontTab);
  47968. }
  47969. void LookAndFeel::drawTabAreaBehindFrontButton (Graphics& g,
  47970. int w, int h,
  47971. TabbedButtonBar& tabBar,
  47972. TabbedButtonBar::Orientation orientation)
  47973. {
  47974. const float shadowSize = 0.2f;
  47975. float x1 = 0.0f, y1 = 0.0f, x2 = 0.0f, y2 = 0.0f;
  47976. Rectangle shadowRect;
  47977. if (orientation == TabbedButtonBar::TabsAtLeft)
  47978. {
  47979. x1 = (float) w;
  47980. x2 = w * (1.0f - shadowSize);
  47981. shadowRect.setBounds ((int) x2, 0, w - (int) x2, h);
  47982. }
  47983. else if (orientation == TabbedButtonBar::TabsAtRight)
  47984. {
  47985. x2 = w * shadowSize;
  47986. shadowRect.setBounds (0, 0, (int) x2, h);
  47987. }
  47988. else if (orientation == TabbedButtonBar::TabsAtBottom)
  47989. {
  47990. y2 = h * shadowSize;
  47991. shadowRect.setBounds (0, 0, w, (int) y2);
  47992. }
  47993. else
  47994. {
  47995. y1 = (float) h;
  47996. y2 = h * (1.0f - shadowSize);
  47997. shadowRect.setBounds (0, (int) y2, w, h - (int) y2);
  47998. }
  47999. GradientBrush gb (Colours::black.withAlpha (tabBar.isEnabled() ? 0.3f : 0.15f), x1, y1,
  48000. Colours::transparentBlack, x2, y2,
  48001. false);
  48002. g.setBrush (&gb);
  48003. shadowRect.expand (2, 2);
  48004. g.fillRect (shadowRect);
  48005. g.setColour (Colour (0x80000000));
  48006. if (orientation == TabbedButtonBar::TabsAtLeft)
  48007. {
  48008. g.fillRect (w - 1, 0, 1, h);
  48009. }
  48010. else if (orientation == TabbedButtonBar::TabsAtRight)
  48011. {
  48012. g.fillRect (0, 0, 1, h);
  48013. }
  48014. else if (orientation == TabbedButtonBar::TabsAtBottom)
  48015. {
  48016. g.fillRect (0, 0, w, 1);
  48017. }
  48018. else
  48019. {
  48020. g.fillRect (0, h - 1, w, 1);
  48021. }
  48022. }
  48023. Button* LookAndFeel::createTabBarExtrasButton()
  48024. {
  48025. const float thickness = 7.0f;
  48026. const float indent = 22.0f;
  48027. Path p;
  48028. p.addEllipse (-10.0f, -10.0f, 120.0f, 120.0f);
  48029. DrawablePath ellipse;
  48030. ellipse.setPath (p);
  48031. ellipse.setSolidFill (Colour (0x99ffffff));
  48032. p.clear();
  48033. p.addEllipse (0.0f, 0.0f, 100.0f, 100.0f);
  48034. p.addRectangle (indent, 50.0f - thickness, 100.0f - indent * 2.0f, thickness * 2.0f);
  48035. p.addRectangle (50.0f - thickness, indent, thickness * 2.0f, 50.0f - indent - thickness);
  48036. p.addRectangle (50.0f - thickness, 50.0f + thickness, thickness * 2.0f, 50.0f - indent - thickness);
  48037. p.setUsingNonZeroWinding (false);
  48038. DrawablePath dp;
  48039. dp.setPath (p);
  48040. dp.setSolidFill (Colour (0x59000000));
  48041. DrawableComposite normalImage;
  48042. normalImage.insertDrawable (ellipse);
  48043. normalImage.insertDrawable (dp);
  48044. dp.setSolidFill (Colour (0xcc000000));
  48045. DrawableComposite overImage;
  48046. overImage.insertDrawable (ellipse);
  48047. overImage.insertDrawable (dp);
  48048. DrawableButton* db = new DrawableButton (T("tabs"), DrawableButton::ImageFitted);
  48049. db->setImages (&normalImage, &overImage, 0);
  48050. return db;
  48051. }
  48052. void LookAndFeel::drawTableHeaderBackground (Graphics& g, TableHeaderComponent& header)
  48053. {
  48054. g.fillAll (Colours::white);
  48055. const int w = header.getWidth();
  48056. const int h = header.getHeight();
  48057. GradientBrush gb (Colour (0xffe8ebf9), 0.0f, h * 0.5f,
  48058. Colour (0xfff6f8f9), 0.0f, h - 1.0f,
  48059. false);
  48060. g.setBrush (&gb);
  48061. g.fillRect (0, h / 2, w, h);
  48062. g.setColour (Colour (0x33000000));
  48063. g.fillRect (0, h - 1, w, 1);
  48064. for (int i = header.getNumColumns (true); --i >= 0;)
  48065. g.fillRect (header.getColumnPosition (i).getRight() - 1, 0, 1, h - 1);
  48066. }
  48067. void LookAndFeel::drawTableHeaderColumn (Graphics& g, const String& columnName, int /*columnId*/,
  48068. int width, int height,
  48069. bool isMouseOver, bool isMouseDown,
  48070. int columnFlags)
  48071. {
  48072. if (isMouseDown)
  48073. g.fillAll (Colour (0x8899aadd));
  48074. else if (isMouseOver)
  48075. g.fillAll (Colour (0x5599aadd));
  48076. int rightOfText = width - 4;
  48077. if ((columnFlags & (TableHeaderComponent::sortedForwards | TableHeaderComponent::sortedBackwards)) != 0)
  48078. {
  48079. const float top = height * ((columnFlags & TableHeaderComponent::sortedForwards) != 0 ? 0.35f : (1.0f - 0.35f));
  48080. const float bottom = height - top;
  48081. const float w = height * 0.5f;
  48082. const float x = rightOfText - (w * 1.25f);
  48083. rightOfText = (int) x;
  48084. Path sortArrow;
  48085. sortArrow.addTriangle (x, bottom, x + w * 0.5f, top, x + w, bottom);
  48086. g.setColour (Colour (0x99000000));
  48087. g.fillPath (sortArrow);
  48088. }
  48089. g.setColour (Colours::black);
  48090. g.setFont (height * 0.5f, Font::bold);
  48091. const int textX = 4;
  48092. g.drawFittedText (columnName, textX, 0, rightOfText - textX, height, Justification::centredLeft, 1);
  48093. }
  48094. void LookAndFeel::paintToolbarBackground (Graphics& g, int w, int h, Toolbar& toolbar)
  48095. {
  48096. const Colour background (toolbar.findColour (Toolbar::backgroundColourId));
  48097. GradientBrush gb (background, 0.0f, 0.0f,
  48098. background.darker (0.1f),
  48099. toolbar.isVertical() ? w - 1.0f : 0.0f,
  48100. toolbar.isVertical() ? 0.0f : h - 1.0f,
  48101. false);
  48102. g.setBrush (&gb);
  48103. g.fillAll();
  48104. }
  48105. Button* LookAndFeel::createToolbarMissingItemsButton (Toolbar& /*toolbar*/)
  48106. {
  48107. return createTabBarExtrasButton();
  48108. }
  48109. void LookAndFeel::paintToolbarButtonBackground (Graphics& g, int /*width*/, int /*height*/,
  48110. bool isMouseOver, bool isMouseDown,
  48111. ToolbarItemComponent& component)
  48112. {
  48113. if (isMouseDown)
  48114. g.fillAll (component.findColour (Toolbar::buttonMouseDownBackgroundColourId, true));
  48115. else if (isMouseOver)
  48116. g.fillAll (component.findColour (Toolbar::buttonMouseOverBackgroundColourId, true));
  48117. }
  48118. void LookAndFeel::paintToolbarButtonLabel (Graphics& g, int x, int y, int width, int height,
  48119. const String& text, ToolbarItemComponent& component)
  48120. {
  48121. g.setColour (component.findColour (Toolbar::labelTextColourId, true)
  48122. .withAlpha (component.isEnabled() ? 1.0f : 0.25f));
  48123. const float fontHeight = jmin (14.0f, height * 0.85f);
  48124. g.setFont (fontHeight);
  48125. g.drawFittedText (text,
  48126. x, y, width, height,
  48127. Justification::centred,
  48128. jmax (1, height / (int) fontHeight));
  48129. }
  48130. void LookAndFeel::drawPropertyPanelSectionHeader (Graphics& g, const String& name,
  48131. bool isOpen, int width, int height)
  48132. {
  48133. const int buttonSize = (height * 3) / 4;
  48134. const int buttonIndent = (height - buttonSize) / 2;
  48135. drawTreeviewPlusMinusBox (g, buttonIndent, buttonIndent, buttonSize, buttonSize, ! isOpen);
  48136. const int textX = buttonIndent * 2 + buttonSize + 2;
  48137. g.setColour (Colours::black);
  48138. g.setFont (height * 0.7f, Font::bold);
  48139. g.drawText (name, textX, 0, width - textX - 4, height, Justification::centredLeft, true);
  48140. }
  48141. void LookAndFeel::drawPropertyComponentBackground (Graphics& g, int width, int height,
  48142. PropertyComponent&)
  48143. {
  48144. g.setColour (Colour (0x66ffffff));
  48145. g.fillRect (0, 0, width, height - 1);
  48146. }
  48147. void LookAndFeel::drawPropertyComponentLabel (Graphics& g, int, int height,
  48148. PropertyComponent& component)
  48149. {
  48150. g.setColour (Colours::black);
  48151. if (! component.isEnabled())
  48152. g.setOpacity (g.getCurrentColour().getAlpha() * 0.6f);
  48153. g.setFont (jmin (height, 24) * 0.65f);
  48154. const Rectangle r (getPropertyComponentContentPosition (component));
  48155. g.drawFittedText (component.getName(),
  48156. 3, r.getY(), r.getX() - 5, r.getHeight(),
  48157. Justification::centredLeft, 2);
  48158. }
  48159. const Rectangle LookAndFeel::getPropertyComponentContentPosition (PropertyComponent& component)
  48160. {
  48161. return Rectangle (component.getWidth() / 3, 1,
  48162. component.getWidth() - component.getWidth() / 3 - 1, component.getHeight() - 3);
  48163. }
  48164. void LookAndFeel::createFileChooserHeaderText (const String& title,
  48165. const String& instructions,
  48166. GlyphArrangement& text,
  48167. int width)
  48168. {
  48169. text.clear();
  48170. text.addJustifiedText (Font (17.0f, Font::bold), title,
  48171. 8.0f, 22.0f, width - 16.0f,
  48172. Justification::centred);
  48173. text.addJustifiedText (Font (14.0f), instructions,
  48174. 8.0f, 24.0f + 16.0f, width - 16.0f,
  48175. Justification::centred);
  48176. }
  48177. void LookAndFeel::drawFileBrowserRow (Graphics& g, int width, int height,
  48178. const String& filename, Image* icon,
  48179. const String& fileSizeDescription,
  48180. const String& fileTimeDescription,
  48181. const bool isDirectory,
  48182. const bool isItemSelected,
  48183. const int /*itemIndex*/)
  48184. {
  48185. if (isItemSelected)
  48186. g.fillAll (findColour (DirectoryContentsDisplayComponent::highlightColourId));
  48187. g.setColour (findColour (DirectoryContentsDisplayComponent::textColourId));
  48188. g.setFont (height * 0.7f);
  48189. Image* im = icon;
  48190. Image* toRelease = 0;
  48191. if (im == 0)
  48192. {
  48193. toRelease = im = (isDirectory ? getDefaultFolderImage()
  48194. : getDefaultDocumentFileImage());
  48195. }
  48196. const int x = 32;
  48197. if (im != 0)
  48198. {
  48199. g.drawImageWithin (im, 2, 2, x - 4, height - 4,
  48200. RectanglePlacement::centred | RectanglePlacement::onlyReduceInSize,
  48201. false);
  48202. ImageCache::release (toRelease);
  48203. }
  48204. if (width > 450 && ! isDirectory)
  48205. {
  48206. const int sizeX = roundFloatToInt (width * 0.7f);
  48207. const int dateX = roundFloatToInt (width * 0.8f);
  48208. g.drawFittedText (filename,
  48209. x, 0, sizeX - x, height,
  48210. Justification::centredLeft, 1);
  48211. g.setFont (height * 0.5f);
  48212. g.setColour (Colours::darkgrey);
  48213. if (! isDirectory)
  48214. {
  48215. g.drawFittedText (fileSizeDescription,
  48216. sizeX, 0, dateX - sizeX - 8, height,
  48217. Justification::centredRight, 1);
  48218. g.drawFittedText (fileTimeDescription,
  48219. dateX, 0, width - 8 - dateX, height,
  48220. Justification::centredRight, 1);
  48221. }
  48222. }
  48223. else
  48224. {
  48225. g.drawFittedText (filename,
  48226. x, 0, width - x, height,
  48227. Justification::centredLeft, 1);
  48228. }
  48229. }
  48230. Button* LookAndFeel::createFileBrowserGoUpButton()
  48231. {
  48232. DrawableButton* goUpButton = new DrawableButton ("up", DrawableButton::ImageOnButtonBackground);
  48233. Path arrowPath;
  48234. arrowPath.addArrow (50.0f, 100.0f, 50.0f, 0.0, 40.0f, 100.0f, 50.0f);
  48235. DrawablePath arrowImage;
  48236. arrowImage.setSolidFill (Colours::black.withAlpha (0.4f));
  48237. arrowImage.setPath (arrowPath);
  48238. goUpButton->setImages (&arrowImage);
  48239. return goUpButton;
  48240. }
  48241. void LookAndFeel::layoutFileBrowserComponent (FileBrowserComponent& browserComp,
  48242. DirectoryContentsDisplayComponent* fileListComponent,
  48243. FilePreviewComponent* previewComp,
  48244. ComboBox* currentPathBox,
  48245. TextEditor* filenameBox,
  48246. Button* goUpButton)
  48247. {
  48248. const int x = 8;
  48249. int w = browserComp.getWidth() - x - x;
  48250. if (previewComp != 0)
  48251. {
  48252. const int previewWidth = w / 3;
  48253. previewComp->setBounds (x + w - previewWidth, 0, previewWidth, browserComp.getHeight());
  48254. w -= previewWidth + 4;
  48255. }
  48256. int y = 4;
  48257. const int controlsHeight = 22;
  48258. const int bottomSectionHeight = controlsHeight + 8;
  48259. const int upButtonWidth = 50;
  48260. currentPathBox->setBounds (x, y, w - upButtonWidth - 6, controlsHeight);
  48261. goUpButton->setBounds (x + w - upButtonWidth, y, upButtonWidth, controlsHeight);
  48262. y += controlsHeight + 4;
  48263. Component* const listAsComp = dynamic_cast <Component*> (fileListComponent);
  48264. listAsComp->setBounds (x, y, w, browserComp.getHeight() - y - bottomSectionHeight);
  48265. y = listAsComp->getBottom() + 4;
  48266. filenameBox->setBounds (x + 50, y, w - 50, controlsHeight);
  48267. }
  48268. Image* LookAndFeel::getDefaultFolderImage()
  48269. {
  48270. static const unsigned char foldericon_png[] = { 137,80,78,71,13,10,26,10,0,0,0,13,73,72,68,82,0,0,0,32,0,0,0,28,8,6,0,0,0,0,194,189,34,0,0,0,4,103,65,77,65,0,0,175,200,55,5,
  48271. 138,233,0,0,0,25,116,69,88,116,83,111,102,116,119,97,114,101,0,65,100,111,98,101,32,73,109,97,103,101,82,101,97,100,121,113,201,101,60,0,0,9,46,73,68,65,84,120,218,98,252,255,255,63,3,50,240,41,95,192,
  48272. 197,205,198,32,202,204,202,33,241,254,235,47,133,47,191,24,180,213,164,133,152,69,24,222,44,234,42,77,188,245,31,170,129,145,145,145,1,29,128,164,226,91,86,113,252,248,207,200,171,37,39,204,239,170,43,
  48273. 254,206,218,88,231,61,62,61,0,1,196,2,149,96,116,200,158,102,194,202,201,227,197,193,206,166,194,204,193,33,195,202,204,38,42,197,197,42,196,193,202,33,240,241,231,15,134,151,95,127,9,2,149,22,0,241,47,
  48274. 152,230,128,134,245,204,63,191,188,103,83,144,16,16,228,229,102,151,76,239,217,32,199,204,198,169,205,254,159,65,245,203,79,6,169,131,151,30,47,1,42,91,10,196,127,208,236,101,76,235,90,43,101,160,40,242,
  48275. 19,32,128,64,78,98,52,12,41,149,145,215,52,89,162,38,35,107,39,196,203,203,192,206,194,206,192,197,198,202,192,203,197,198,192,205,193,206,240,252,227,103,134,139,55,175,191,127,243,242,78,219,187,207,
  48276. 63,215,255,98,23,48,228,227,96,83,98,102,102,85,225,224,228,80,20,224,230,86,226,225,228,150,103,101,97,101,230,227,228,96,224,0,234,191,243,252,5,195,222,19,199,38,191,127,112,161,83,66,199,86,141,131,
  48277. 149,69,146,133,153,69,137,149,133,89,157,141,131,77,83,140,143,243,219,255,31,159,123,0,2,136,69,90,207,129,157,71,68,42,66,71,73,209,210,81,91,27,24,142,140,12,127,255,253,103,0,185,236,31,3,144,6,50,
  48278. 148,68,216,25,216,24,117,4,239,11,243,214,49,50,51,84,178,48,114,240,112,177,114,177,240,115,113,49,241,112,112,48,176,179,178,51,176,48,49,3,85,255,99,248,253,247,15,195,247,159,191,25,30,191,126,253,
  48279. 71,74,76,200,66,75,197,119,138,168,144,160,150,168,0,183,160,152,32,15,175,188,184,32,199,175,191,127,25,214,31,184,120,247,236,209,253,159,0,2,136,133,95,70,93,74,88,80,196,83,69,66,130,149,9,104,219,
  48280. 151,31,191,193,150,194,146,6,136,102,102,98,100,16,227,231,103,16,23,210,230,101,101,102,100,248,255,143,137,225,223,63,6,6,22,102,38,134,239,191,126,49,220,123,241,134,225,227,247,175,64,7,252,101,96,
  48281. 97,249,207,192,193,198,200,160,171,34,192,108,165,235,104,42,204,207,101,42,194,199,197,192,199,201,198,192,197,193,202,192,198,202,194,176,247,194,3,134,155,183,110,61,188,127,124,221,19,128,0,92,146,
  48282. 49,14,64,64,16,69,63,153,85,16,52,18,74,71,112,6,87,119,0,165,160,86,138,32,172,216,29,49,182,84,253,169,94,94,230,127,17,87,133,34,146,174,3,88,126,240,219,164,147,113,31,145,244,152,112,179,211,130,
  48283. 34,31,203,113,162,233,6,36,49,163,174,74,124,140,60,141,144,165,161,220,228,25,3,24,105,255,17,168,101,1,139,245,188,93,104,251,73,239,235,50,90,189,111,175,0,98,249,254,254,249,175,239,223,190,126,6,
  48284. 5,27,19,47,90,170,102,0,249,158,129,129,141,133,25,228,20,6,38,38,72,74,7,185,243,243,247,239,12,23,31,60,98,228,231,253,207,144,227,107,206,32,202,199,193,240,249,251,127,134,95,191,255,49,124,249,250,
  48285. 159,225,237,239,95,12,63,127,1,35,229,31,194,71,32,71,63,123,251,245,223,197,27,183,159,189,187,178,103,61,80,232,59,64,0,177,48,252,5,134,225,255,191,223,126,254,250,13,182,132,1,41,167,176,3,53,128,
  48286. 188,254,226,253,103,96,212,252,96,120,247,249,203,255,79,223,191,254,255,250,235,199,191,239,63,191,255,87,145,17,100,73,116,181,100,252,249,243,63,195,149,123,223,193,14,132,101,55,96,52,3,125,255,15,
  48287. 204,254,15,132,160,232,253,13,20,124,248,226,227,223,23,207,30,221,120,119,255,226,109,160,210,31,0,1,196,242,231,219,135,175,140,255,126,190,7,197,37,35,19,34,216,65,248,211,143,111,255,79,223,121,240,
  48288. 255,211,183,79,76,220,156,172,12,236,204,140,140,252,124,28,140,250,226,82,140,106,82,34,140,124,156,156,12,175,222,253,1,90,4,137,162,63,127,33,161,6,178,242,215,239,255,224,160,255,15,198,12,64,7,48,
  48289. 128,211,200,253,151,111,254,254,248,240,236,44,80,217,71,80,246,4,8,32,160,31,255,255,100,102,248,243,238,199,159,63,16,221,16,19,128,248,31,195,181,199,207,254,255,253,247,133,49,212,78,27,104,8,11,40,
  48290. 94,25,184,216,89,129,108,38,70,144,242,183,31,17,105,230,63,148,248,15,97,49,252,248,249,15,20,85,72,105,9,148,187,254,49,220,127,254,242,207,243,75,135,14,128,130,31,84,64,1,4,16,203,247,143,175,127,
  48291. 48,253,254,246,234,7,48,206,96,137,13,4,64,65,248,234,195,7,6,7,3,57,70,33,46,97,134,111,63,254,50,252,5,250,244,51,216,103,255,192,185,0,150,91,80,44,135,242,127,253,129,164,23,24,96,102,250,207,112,
  48292. 255,213,219,255,247,31,63,188,251,246,201,173,199,176,2,13,32,128,88,62,188,121,241,243,211,231,207,31,126,2,147,236,63,168,6,144,193,223,190,255,254,207,198,198,192,40,35,44,206,240,252,205,79,6,132,
  48293. 223,24,224,150,32,251,28,25,128,211,29,19,170,24,51,48,88,111,61,127,206,248,254,245,179,139,192,18,247,219,239,239,95,192,249,9,32,128,88,126,124,249,248,231,203,183,111,159,128,33,240,15,24,68,160,180,
  48294. 2,204,223,140,12,111,63,127,102,16,228,229,4,6,53,35,195,31,176,119,25,112,3,70,84,55,0,203,50,112,33,134,108,249,103,160,7,159,189,126,253,235,235,227,203,7,255,255,251,247,13,86,63,0,4,16,168,46,248,
  48295. 199,250,231,243,235,159,191,126,254,248,245,251,47,23,11,51,51,48,184,152,24,94,127,250,248,95,68,136,151,241,243,55,96,208,51,160,218,255,31,139,27,144,197,254,98,201,202,79,223,124,96,120,245,232,250,
  48296. 185,119,143,174,95,250,243,243,219,119,152,60,64,0,129,2,234,223,183,215,15,95,48,254,255,253,3,146,109,192,229,5,195,135,47,159,25,248,184,121,24,126,0,227,29,88,240,49,252,101,36,14,255,1,90,249,7,156,
  48297. 222,17,24,24,164,12,207,223,189,99,248,250,252,230,97,96,229,245,2,104,231,111,152,3,0,2,8,228,128,191,15,239,220,120,255,255,223,159,47,160,116,0,42,44,222,124,250,244,239,207,255,63,12,236,108,236,64,
  48298. 67,65,81,0,52,244,63,113,248,47,52,10,96,14,98,2,230,191,119,223,127,48,60,121,254,248,235,151,55,207,46,1,163,252,35,114,128,1,4,16,40,10,254,191,121,249,252,199,175,159,63,191,254,2,230,45,118,22,22,
  48299. 134,219,207,94,252,231,224,100,103,250,247,15,148,32,64,85,12,34,14,254,227,72,6,255,225,9,240,63,138,26,46,96,214,189,249,244,37,195,139,167,143,30,124,253,246,253,9,40,245,255,71,202,30,0,1,196,2,226,
  48300. 0,243,232,159,239,63,127,124,253,11,202,94,64,169,23,31,62,50,138,137,242,49,50,0,211,195,223,255,80,7,252,199,159,6,224,137,145,9,146,231,153,160,165,218,23,96,29,240,244,237,59,134,111,175,31,95,250,
  48301. 252,230,241,83,244,182,1,64,0,177,192,28,14,76,132,31,128,169,19,88,220,126,253,207,206,198,196,32,38,36,0,244,61,11,176,148,251,139,145,3,208,29,0,178,16,82,228,66,42,174,223,192,26,8,152,162,25,222,
  48302. 125,248,200,240,242,253,39,134,151,79,238,126,254,242,242,238,177,15,47,30,190,5,215,242,72,0,32,128,224,14,96,254,255,231,61,168,92,123,241,254,253,127,1,62,78,6,78,110,78,134,223,64,195,254,50,98,183,
  48303. 24,36,12,202,179,224,202,9,88,228,253,132,90,250,246,211,71,134,55,175,94,254,122,255,250,249,247,15,175,159,126,249,251,237,195,135,95,175,110,31,122,117,251,244,49,160,150,111,255,209,218,128,0,1,152,
  48304. 44,183,21,0,65,32,136,110,247,254,255,243,122,9,187,64,105,174,74,22,138,25,173,80,208,194,188,238,156,151,217,217,15,32,182,197,37,83,201,4,31,243,178,169,232,242,214,224,223,252,103,175,35,85,1,41,129,
  48305. 228,148,142,8,214,30,32,149,6,161,204,109,182,53,236,184,156,78,142,147,195,153,89,35,198,3,87,166,249,220,227,198,59,218,48,252,223,185,111,30,1,132,228,128,127,31,222,124,248,248,27,24,152,28,60,220,
  48306. 220,12,44,172,172,224,224,103,5,102,98,144,133,160,236,244,229,231,47,134,239,223,127,49,188,121,251,158,225,241,179,103,12,31,223,189,254,251,227,221,139,55,191,62,188,120,246,235,205,189,59,207,238,
  48307. 94,58,241,228,254,109,144,101,159,128,248,51,40,9,32,97,80,217,255,15,221,1,0,1,4,143,130,207,159,191,126,252,246,234,213,111,94,126,94,118,73,94,9,198,127,64,223,126,252,246,147,225,243,215,239,12,223,
  48308. 128,229,198,251,15,239,24,62,189,126,249,227,203,171,135,47,63,189,122,252,228,235,155,199,247,95,63,188,118,227,197,227,123,247,127,255,250,249,30,104,198,7,32,126,11,181,252,7,212,183,160,4,247,7,155,
  48309. 197,48,0,16,64,112,7,60,121,241,238,189,16,207,15,134,63,63,216,25,95,125,248,198,112,227,241,27,134,15,239,223,50,124,126,245,228,253,143,55,143,158,191,123,116,237,226,171,135,55,175,126,253,252,225,
  48310. 229,183,47,159,95,254,253,245,227,253,175,159,223,223,193,124,7,181,20,84,105,252,70,143,103,124,0,32,128,224,14,224,102,253,251,81,144,253,223,235,167,207,30,254,124,127,231,252,155,143,175,159,188,250,
  48311. 246,254,249,125,96,60,62,248,250,233,253,147,119,207,238,221,6,150,214,175,129,106,191,130,18,19,146,133,120,125,72,8,0,4,16,34,27,190,121,112,251,3,211,159,69,143,110,223,229,120,255,232,230,221,215,
  48312. 79,239,62,4,102,203,207,72,241,9,11,218,63,72,89,137,20,207,98,100,93,16,0,8,32,70,144,1,64,14,168,209,199,7,196,194,160,166,27,212,135,95,96,65,10,173,95,254,34,219,6,51,128,88,7,96,235,21,129,0,64,0,
  48313. 193,28,192,8,174,53,33,152,1,155,133,184,12,196,165,4,151,133,232,0,32,192,0,151,97,210,163,246,134,208,52,0,0,0,0,73,69,78,68,174,66,96,130,0,0};
  48314. return ImageCache::getFromMemory (foldericon_png, sizeof (foldericon_png));
  48315. }
  48316. Image* LookAndFeel::getDefaultDocumentFileImage()
  48317. {
  48318. static const unsigned char fileicon_png[] = { 137,80,78,71,13,10,26,10,0,0,0,13,73,72,68,82,0,0,0,32,0,0,0,32,8,6,0,0,0,115,122,122,244,0,0,0,4,103,65,77,65,0,0,175,200,55,5,
  48319. 138,233,0,0,0,25,116,69,88,116,83,111,102,116,119,97,114,101,0,65,100,111,98,101,32,73,109,97,103,101,82,101,97,100,121,113,201,101,60,0,0,4,99,73,68,65,84,120,218,98,252,255,255,63,3,12,48,50,50,50,1,
  48320. 169,127,200,98,148,2,160,153,204,64,243,254,226,146,7,8,32,22,52,203,255,107,233,233,91,76,93,176,184,232,239,239,95,127,24,40,112,8,19,51,203,255,179,23,175,108,1,90,190,28,104,54,43,80,232,207,127,44,
  48321. 62,3,8,32,6,144,24,84,156,25,132,189,252,3,146,255,83,9,220,127,254,242,134,162,138,170,10,208,92,144,3,152,97,118,33,99,128,0,98,66,114,11,200,1,92,255,254,252,225,32,215,215,32,127,64,240,127,80,60,
  48322. 50,40,72,136,169,47,95,179,118,130,136,148,140,0,40,80,128,33,193,136,174,7,32,128,144,29,192,8,117,41,59,209,22,66,241,191,255,16,12,244,19,195,63,48,134,240,255,0,9,115,125,93,239,252,130,130,108,168,
  48323. 249,44,232,102,0,4,16,19,22,62,51,33,11,255,195,44,4,211,255,25,96,16,33,6,117,24,56,226,25,24,202,139,10,75,226,51,115,66,160,105,13,197,17,0,1,196,68,172,79,255,33,91,206,192,192,128,176,22,17,10,200,
  48324. 234,32,161,240,31,24,10,255,24,152,153,153,184,39,244,247,117,107,234,234,105,131,66,1,154,224,193,0,32,128,240,58,0,22,180,255,144,18,13,40,136,33,113,140,36,255,15,17,26,48,12,81,15,145,255,254,251,
  48325. 31,131,0,59,171,84,81,73,105,33,208,216,191,200,161,12,16,64,44,248,131,251,63,10,31,198,253,143,38,6,83,7,11,33,228,232,2,123,4,202,226,228,96,151,132,166,49,144,35,126,131,196,0,2,136,5,103,60,51,252,
  48326. 71,49,12,213,130,255,168,226,232,150,254,255,15,143,6,80,202,3,133,16,200,198,63,127,193,229,17,39,16,127,135,217,7,16,64,88,67,0,28,143,255,25,225,46,135,249,18,155,133,240,178,4,205,145,8,62,52,186,
  48327. 32,234,152,160,118,194,179,35,64,0,177,96,11,123,144,236,95,104,92,162,228,113,36,11,81,125,140,112,56,186,131,96,226,176,172,137,148,229,193,0,32,128,88,112,167,248,255,112,223,48,34,165,110,6,124,190,
  48328. 253,143,61,106,192,9,19,73,28,25,0,4,16,206,40,248,251,15,45,104,209,130,21,51,222,145,18,238,127,180,68,8,244,250,95,164,16,66,6,0,1,196,130,45,253,195,12,250,135,53,206,255,195,131,18,213,98,236,81,
  48329. 243,31,154,11,144,115,8,50,0,8,32,156,81,0,203,227,12,80,223,98,230,4,68,72,96,38,78,84,11,65,9,250,47,146,3,145,1,64,0,97,117,192,95,112,34,68,138,130,255,176,224,251,143,226,51,6,6,68,29,192,136,20,
  48330. 77,200,69,54,35,3,36,49,255,69,77,132,112,0,16,64,44,56,139,94,36,7,96,102,59,164,108,249,31,181,82,98,64,203,174,255,144,234,142,127,88,146,33,64,0,97,205,134,240,120,67,75,76,136,224,198,140,22,6,44,
  48331. 142,66,201,41,255,177,231,2,128,0,194,25,5,255,254,161,134,192,127,6,28,229,0,129,242,1,150,56,33,81,138,209,28,96,0,8,32,172,81,0,78,3,104,190,68,182,224,31,146,197,224,56,6,146,140,176,202,135,17,169,
  48332. 96,130,40,64,56,0,139,93,0,1,132,61,10,64,248,31,106,156,162,199,55,204,65,255,144,178,38,74,84,252,71,51,239,63,246,68,8,16,64,44,216,74,1,88,217,13,203,191,32,1,80,58,7,133,224,127,6,68,114,6,241,65,
  48333. 81,197,8,101,255,71,114,33,92,237,127,228,52,128,233,2,128,0,98,193,149,3,64,117,193,255,127,255,81,75,191,127,168,5,18,136,255,31,45,161,49,32,151,134,72,252,127,12,216,203,98,128,0,98,193,210,144,135,
  48334. 248,30,201,242,127,208,252,140,145,27,160,113,206,136,148,197,192,121,159,17,53,184,225,149,17,22,23,0,4,16,11,182,150,237,63,168,207,96,142,248,143,163,72,6,203,253,67,13,61,6,104,14,66,46,17,254,65,
  48335. 19,40,182,16,0,8,32,22,108,109,235,255,176,234,24,35,79,255,199,222,30,64,81,135,90,35,194,211,4,142,92,0,16,64,88,29,0,107,7,254,251,247,31,53,78,241,54,207,80,29,135,209,96,249,143,189,46,0,8,32,116,
  48336. 7,252,101,102,103,103,228,103,99,96,248,193,198,137,53,248,49,125,204,128,225,227,255,88,18,54,47,176,25,202,205,195,205,6,109,11,194,149,0,4,16,35,204,85,208,254,27,159,128,176,176,142,166,182,142,21,
  48337. 48,4,248,129,41,143,13,217,16,70,52,95,147,0,254,0,187,69,95,223,188,122,125,235,206,141,107,7,129,252,247,64,123,193,237,66,128,0,66,118,0,168,189,198,3,196,252,32,135,64,105,54,228,230,19,185,29,100,
  48338. 168,175,191,0,241,7,32,254,4,196,159,129,246,254,2,73,2,4,16,11,90,72,125,135,210,63,161,138,153,169,212,75,255,15,117,196,15,40,134,119,215,1,2,12,0,187,0,132,247,216,161,197,124,0,0,0,0,73,69,78,68,
  48339. 174,66,96,130,0,0};
  48340. return ImageCache::getFromMemory (fileicon_png, sizeof (fileicon_png));
  48341. }
  48342. void LookAndFeel::playAlertSound()
  48343. {
  48344. PlatformUtilities::beep();
  48345. }
  48346. void LookAndFeel::drawLevelMeter (Graphics& g, int width, int height, float level)
  48347. {
  48348. g.setColour (Colours::white.withAlpha (0.7f));
  48349. g.fillRoundedRectangle (0.0f, 0.0f, (float) width, (float) height, 3.0f);
  48350. g.setColour (Colours::black.withAlpha (0.2f));
  48351. g.drawRoundedRectangle (1.0f, 1.0f, width - 2.0f, height - 2.0f, 3.0f, 1.0f);
  48352. const int totalBlocks = 7;
  48353. const int numBlocks = roundDoubleToInt (totalBlocks * level);
  48354. const float w = (width - 6.0f) / (float) totalBlocks;
  48355. for (int i = 0; i < totalBlocks; ++i)
  48356. {
  48357. if (i >= numBlocks)
  48358. g.setColour (Colours::lightblue.withAlpha (0.6f));
  48359. else
  48360. g.setColour (i < totalBlocks - 1 ? Colours::blue.withAlpha (0.5f)
  48361. : Colours::red);
  48362. g.fillRoundedRectangle (3.0f + i * w + w * 0.1f, 3.0f, w * 0.8f, height - 6.0f, w * 0.4f);
  48363. }
  48364. }
  48365. static void createRoundedPath (Path& p,
  48366. const float x, const float y,
  48367. const float w, const float h,
  48368. const float cs,
  48369. const bool curveTopLeft, const bool curveTopRight,
  48370. const bool curveBottomLeft, const bool curveBottomRight) throw()
  48371. {
  48372. const float cs2 = 2.0f * cs;
  48373. if (curveTopLeft)
  48374. {
  48375. p.startNewSubPath (x, y + cs);
  48376. p.addArc (x, y, cs2, cs2, float_Pi * 1.5f, float_Pi * 2.0f);
  48377. }
  48378. else
  48379. {
  48380. p.startNewSubPath (x, y);
  48381. }
  48382. if (curveTopRight)
  48383. {
  48384. p.lineTo (x + w - cs, y);
  48385. p.addArc (x + w - cs2, y, cs2, cs2, 0.0f, float_Pi * 0.5f);
  48386. }
  48387. else
  48388. {
  48389. p.lineTo (x + w, y);
  48390. }
  48391. if (curveBottomRight)
  48392. {
  48393. p.lineTo (x + w, y + h - cs);
  48394. p.addArc (x + w - cs2, y + h - cs2, cs2, cs2, float_Pi * 0.5f, float_Pi);
  48395. }
  48396. else
  48397. {
  48398. p.lineTo (x + w, y + h);
  48399. }
  48400. if (curveBottomLeft)
  48401. {
  48402. p.lineTo (x + cs, y + h);
  48403. p.addArc (x, y + h - cs2, cs2, cs2, float_Pi, float_Pi * 1.5f);
  48404. }
  48405. else
  48406. {
  48407. p.lineTo (x, y + h);
  48408. }
  48409. p.closeSubPath();
  48410. }
  48411. void LookAndFeel::drawShinyButtonShape (Graphics& g,
  48412. float x, float y, float w, float h,
  48413. float maxCornerSize,
  48414. const Colour& baseColour,
  48415. const float strokeWidth,
  48416. const bool flatOnLeft,
  48417. const bool flatOnRight,
  48418. const bool flatOnTop,
  48419. const bool flatOnBottom) throw()
  48420. {
  48421. if (w <= strokeWidth * 1.1f || h <= strokeWidth * 1.1f)
  48422. return;
  48423. const float cs = jmin (maxCornerSize, w * 0.5f, h * 0.5f);
  48424. Path outline;
  48425. createRoundedPath (outline, x, y, w, h, cs,
  48426. ! (flatOnLeft || flatOnTop),
  48427. ! (flatOnRight || flatOnTop),
  48428. ! (flatOnLeft || flatOnBottom),
  48429. ! (flatOnRight || flatOnBottom));
  48430. ColourGradient cg (baseColour, 0.0f, y,
  48431. baseColour.overlaidWith (Colour (0x070000ff)), 0.0f, y + h,
  48432. false);
  48433. cg.addColour (0.5, baseColour.overlaidWith (Colour (0x33ffffff)));
  48434. cg.addColour (0.51, baseColour.overlaidWith (Colour (0x110000ff)));
  48435. GradientBrush gb (cg);
  48436. g.setBrush (&gb);
  48437. g.fillPath (outline);
  48438. g.setColour (Colour (0x80000000));
  48439. g.strokePath (outline, PathStrokeType (strokeWidth));
  48440. }
  48441. void LookAndFeel::drawGlassSphere (Graphics& g,
  48442. const float x, const float y,
  48443. const float diameter,
  48444. const Colour& colour,
  48445. const float outlineThickness) throw()
  48446. {
  48447. if (diameter <= outlineThickness)
  48448. return;
  48449. Path p;
  48450. p.addEllipse (x, y, diameter, diameter);
  48451. {
  48452. ColourGradient cg (Colours::white.overlaidWith (colour.withMultipliedAlpha (0.3f)), 0, y,
  48453. Colours::white.overlaidWith (colour.withMultipliedAlpha (0.3f)), 0, y + diameter, false);
  48454. cg.addColour (0.4, Colours::white.overlaidWith (colour));
  48455. GradientBrush gb (cg);
  48456. g.setBrush (&gb);
  48457. g.fillPath (p);
  48458. }
  48459. {
  48460. GradientBrush gb (Colours::white, 0, y + diameter * 0.06f,
  48461. Colours::transparentWhite, 0, y + diameter * 0.3f, false);
  48462. g.setBrush (&gb);
  48463. g.fillEllipse (x + diameter * 0.2f, y + diameter * 0.05f, diameter * 0.6f, diameter * 0.4f);
  48464. }
  48465. {
  48466. ColourGradient cg (Colours::transparentBlack,
  48467. x + diameter * 0.5f, y + diameter * 0.5f,
  48468. Colours::black.withAlpha (0.5f * outlineThickness * colour.getFloatAlpha()),
  48469. x, y + diameter * 0.5f, true);
  48470. cg.addColour (0.7, Colours::transparentBlack);
  48471. cg.addColour (0.8, Colours::black.withAlpha (0.1f * outlineThickness));
  48472. GradientBrush gb (cg);
  48473. g.setBrush (&gb);
  48474. g.fillPath (p);
  48475. }
  48476. g.setColour (Colours::black.withAlpha (0.5f * colour.getFloatAlpha()));
  48477. g.drawEllipse (x, y, diameter, diameter, outlineThickness);
  48478. }
  48479. void LookAndFeel::drawGlassPointer (Graphics& g,
  48480. const float x, const float y,
  48481. const float diameter,
  48482. const Colour& colour, const float outlineThickness,
  48483. const int direction) throw()
  48484. {
  48485. if (diameter <= outlineThickness)
  48486. return;
  48487. Path p;
  48488. p.startNewSubPath (x + diameter * 0.5f, y);
  48489. p.lineTo (x + diameter, y + diameter * 0.6f);
  48490. p.lineTo (x + diameter, y + diameter);
  48491. p.lineTo (x, y + diameter);
  48492. p.lineTo (x, y + diameter * 0.6f);
  48493. p.closeSubPath();
  48494. p.applyTransform (AffineTransform::rotation (direction * (float_Pi * 0.5f), x + diameter * 0.5f, y + diameter * 0.5f));
  48495. {
  48496. ColourGradient cg (Colours::white.overlaidWith (colour.withMultipliedAlpha (0.3f)), 0, y,
  48497. Colours::white.overlaidWith (colour.withMultipliedAlpha (0.3f)), 0, y + diameter, false);
  48498. cg.addColour (0.4, Colours::white.overlaidWith (colour));
  48499. GradientBrush gb (cg);
  48500. g.setBrush (&gb);
  48501. g.fillPath (p);
  48502. }
  48503. {
  48504. ColourGradient cg (Colours::transparentBlack,
  48505. x + diameter * 0.5f, y + diameter * 0.5f,
  48506. Colours::black.withAlpha (0.5f * outlineThickness * colour.getFloatAlpha()),
  48507. x - diameter * 0.2f, y + diameter * 0.5f, true);
  48508. cg.addColour (0.5, Colours::transparentBlack);
  48509. cg.addColour (0.7, Colours::black.withAlpha (0.07f * outlineThickness));
  48510. GradientBrush gb (cg);
  48511. g.setBrush (&gb);
  48512. g.fillPath (p);
  48513. }
  48514. g.setColour (Colours::black.withAlpha (0.5f * colour.getFloatAlpha()));
  48515. g.strokePath (p, PathStrokeType (outlineThickness));
  48516. }
  48517. void LookAndFeel::drawGlassLozenge (Graphics& g,
  48518. const float x, const float y,
  48519. const float width, const float height,
  48520. const Colour& colour,
  48521. const float outlineThickness,
  48522. const float cornerSize,
  48523. const bool flatOnLeft,
  48524. const bool flatOnRight,
  48525. const bool flatOnTop,
  48526. const bool flatOnBottom) throw()
  48527. {
  48528. if (width <= outlineThickness || height <= outlineThickness)
  48529. return;
  48530. const int intX = (int) x;
  48531. const int intY = (int) y;
  48532. const int intW = (int) width;
  48533. const int intH = (int) height;
  48534. const float cs = cornerSize < 0 ? jmin (width * 0.5f, height * 0.5f) : cornerSize;
  48535. const float edgeBlurRadius = height * 0.75f + (height - cs * 2.0f);
  48536. const int intEdge = (int) edgeBlurRadius;
  48537. Path outline;
  48538. createRoundedPath (outline, x, y, width, height, cs,
  48539. ! (flatOnLeft || flatOnTop),
  48540. ! (flatOnRight || flatOnTop),
  48541. ! (flatOnLeft || flatOnBottom),
  48542. ! (flatOnRight || flatOnBottom));
  48543. {
  48544. ColourGradient cg (colour.darker (0.2f), 0, y,
  48545. colour.darker (0.2f), 0, y + height, false);
  48546. cg.addColour (0.03, colour.withMultipliedAlpha (0.3f));
  48547. cg.addColour (0.4, colour);
  48548. cg.addColour (0.97, colour.withMultipliedAlpha (0.3f));
  48549. GradientBrush gb (cg);
  48550. g.setBrush (&gb);
  48551. g.fillPath (outline);
  48552. }
  48553. ColourGradient cg (Colours::transparentBlack, x + edgeBlurRadius, y + height * 0.5f,
  48554. colour.darker (0.2f), x, y + height * 0.5f, true);
  48555. cg.addColour (jlimit (0.0, 1.0, 1.0 - (cs * 0.5f) / edgeBlurRadius), Colours::transparentBlack);
  48556. cg.addColour (jlimit (0.0, 1.0, 1.0 - (cs * 0.25f) / edgeBlurRadius), colour.darker (0.2f).withMultipliedAlpha (0.3f));
  48557. if (! (flatOnLeft || flatOnTop || flatOnBottom))
  48558. {
  48559. GradientBrush gb (cg);
  48560. g.saveState();
  48561. g.setBrush (&gb);
  48562. g.reduceClipRegion (intX, intY, intEdge, intH);
  48563. g.fillPath (outline);
  48564. g.restoreState();
  48565. }
  48566. if (! (flatOnRight || flatOnTop || flatOnBottom))
  48567. {
  48568. cg.x1 = x + width - edgeBlurRadius;
  48569. cg.x2 = x + width;
  48570. GradientBrush gb (cg);
  48571. g.saveState();
  48572. g.setBrush (&gb);
  48573. g.reduceClipRegion (intX + intW - intEdge, intY, 2 + intEdge, intH);
  48574. g.fillPath (outline);
  48575. g.restoreState();
  48576. }
  48577. {
  48578. const float leftIndent = flatOnLeft ? 0.0f : cs * 0.4f;
  48579. const float rightIndent = flatOnRight ? 0.0f : cs * 0.4f;
  48580. Path highlight;
  48581. createRoundedPath (highlight,
  48582. x + leftIndent,
  48583. y + cs * 0.1f,
  48584. width - (leftIndent + rightIndent),
  48585. height * 0.4f, cs * 0.4f,
  48586. ! (flatOnLeft || flatOnTop),
  48587. ! (flatOnRight || flatOnTop),
  48588. ! (flatOnLeft || flatOnBottom),
  48589. ! (flatOnRight || flatOnBottom));
  48590. GradientBrush gb (colour.brighter (10.0f), 0, y + height * 0.06f,
  48591. Colours::transparentWhite, 0, y + height * 0.4f, false);
  48592. g.setBrush (&gb);
  48593. g.fillPath (highlight);
  48594. }
  48595. g.setColour (colour.darker().withMultipliedAlpha (1.5f));
  48596. g.strokePath (outline, PathStrokeType (outlineThickness));
  48597. }
  48598. END_JUCE_NAMESPACE
  48599. /********* End of inlined file: juce_LookAndFeel.cpp *********/
  48600. /********* Start of inlined file: juce_OldSchoolLookAndFeel.cpp *********/
  48601. BEGIN_JUCE_NAMESPACE
  48602. OldSchoolLookAndFeel::OldSchoolLookAndFeel()
  48603. {
  48604. setColour (TextButton::buttonColourId, Colour (0xffbbbbff));
  48605. setColour (ListBox::outlineColourId, findColour (ComboBox::outlineColourId));
  48606. setColour (ScrollBar::thumbColourId, Colour (0xffbbbbdd));
  48607. setColour (ScrollBar::backgroundColourId, Colours::transparentBlack);
  48608. setColour (Slider::thumbColourId, Colours::white);
  48609. setColour (Slider::trackColourId, Colour (0x7f000000));
  48610. setColour (Slider::textBoxOutlineColourId, Colours::grey);
  48611. setColour (ProgressBar::backgroundColourId, Colours::white.withAlpha (0.6f));
  48612. setColour (ProgressBar::foregroundColourId, Colours::green.withAlpha (0.7f));
  48613. setColour (PopupMenu::backgroundColourId, Colour (0xffeef5f8));
  48614. setColour (PopupMenu::highlightedBackgroundColourId, Colour (0xbfa4c2ce));
  48615. setColour (PopupMenu::highlightedTextColourId, Colours::black);
  48616. setColour (TextEditor::focusedOutlineColourId, findColour (TextButton::buttonColourId));
  48617. scrollbarShadow.setShadowProperties (2.2f, 0.5f, 0, 0);
  48618. }
  48619. OldSchoolLookAndFeel::~OldSchoolLookAndFeel()
  48620. {
  48621. }
  48622. void OldSchoolLookAndFeel::drawButtonBackground (Graphics& g,
  48623. Button& button,
  48624. const Colour& backgroundColour,
  48625. bool isMouseOverButton,
  48626. bool isButtonDown)
  48627. {
  48628. const int width = button.getWidth();
  48629. const int height = button.getHeight();
  48630. const float indent = 2.0f;
  48631. const int cornerSize = jmin (roundFloatToInt (width * 0.4f),
  48632. roundFloatToInt (height * 0.4f));
  48633. Path p;
  48634. p.addRoundedRectangle (indent, indent,
  48635. width - indent * 2.0f,
  48636. height - indent * 2.0f,
  48637. (float) cornerSize);
  48638. Colour bc (backgroundColour.withMultipliedSaturation (0.3f));
  48639. if (isMouseOverButton)
  48640. {
  48641. if (isButtonDown)
  48642. bc = bc.brighter();
  48643. else if (bc.getBrightness() > 0.5f)
  48644. bc = bc.darker (0.1f);
  48645. else
  48646. bc = bc.brighter (0.1f);
  48647. }
  48648. g.setColour (bc);
  48649. g.fillPath (p);
  48650. g.setColour (bc.contrasting().withAlpha ((isMouseOverButton) ? 0.6f : 0.4f));
  48651. g.strokePath (p, PathStrokeType ((isMouseOverButton) ? 2.0f : 1.4f));
  48652. }
  48653. void OldSchoolLookAndFeel::drawTickBox (Graphics& g,
  48654. Component& /*component*/,
  48655. int x, int y, int w, int h,
  48656. const bool ticked,
  48657. const bool isEnabled,
  48658. const bool /*isMouseOverButton*/,
  48659. const bool isButtonDown)
  48660. {
  48661. Path box;
  48662. box.addRoundedRectangle (0.0f, 2.0f, 6.0f, 6.0f, 1.0f);
  48663. g.setColour (isEnabled ? Colours::blue.withAlpha (isButtonDown ? 0.3f : 0.1f)
  48664. : Colours::lightgrey.withAlpha (0.1f));
  48665. AffineTransform trans (AffineTransform::scale (w / 9.0f, h / 9.0f)
  48666. .translated ((float) x, (float) y));
  48667. g.fillPath (box, trans);
  48668. g.setColour (Colours::black.withAlpha (0.6f));
  48669. g.strokePath (box, PathStrokeType (0.9f), trans);
  48670. if (ticked)
  48671. {
  48672. Path tick;
  48673. tick.startNewSubPath (1.5f, 3.0f);
  48674. tick.lineTo (3.0f, 6.0f);
  48675. tick.lineTo (6.0f, 0.0f);
  48676. g.setColour (isEnabled ? Colours::black : Colours::grey);
  48677. g.strokePath (tick, PathStrokeType (2.5f), trans);
  48678. }
  48679. }
  48680. void OldSchoolLookAndFeel::drawToggleButton (Graphics& g,
  48681. ToggleButton& button,
  48682. bool isMouseOverButton,
  48683. bool isButtonDown)
  48684. {
  48685. if (button.hasKeyboardFocus (true))
  48686. {
  48687. g.setColour (button.findColour (TextEditor::focusedOutlineColourId));
  48688. g.drawRect (0, 0, button.getWidth(), button.getHeight());
  48689. }
  48690. const int tickWidth = jmin (20, button.getHeight() - 4);
  48691. drawTickBox (g, button, 4, (button.getHeight() - tickWidth) / 2,
  48692. tickWidth, tickWidth,
  48693. button.getToggleState(),
  48694. button.isEnabled(),
  48695. isMouseOverButton,
  48696. isButtonDown);
  48697. g.setColour (button.findColour (ToggleButton::textColourId));
  48698. g.setFont (jmin (15.0f, button.getHeight() * 0.6f));
  48699. if (! button.isEnabled())
  48700. g.setOpacity (0.5f);
  48701. const int textX = tickWidth + 5;
  48702. g.drawFittedText (button.getButtonText(),
  48703. textX, 4,
  48704. button.getWidth() - textX - 2, button.getHeight() - 8,
  48705. Justification::centredLeft, 10);
  48706. }
  48707. void OldSchoolLookAndFeel::drawProgressBar (Graphics& g, ProgressBar& progressBar,
  48708. int width, int height,
  48709. double progress, const String& textToShow)
  48710. {
  48711. if (progress < 0 || progress >= 1.0)
  48712. {
  48713. LookAndFeel::drawProgressBar (g, progressBar, width, height, progress, textToShow);
  48714. }
  48715. else
  48716. {
  48717. const Colour background (progressBar.findColour (ProgressBar::backgroundColourId));
  48718. const Colour foreground (progressBar.findColour (ProgressBar::foregroundColourId));
  48719. g.fillAll (background);
  48720. g.setColour (foreground);
  48721. g.fillRect (1, 1,
  48722. jlimit (0, width - 2, roundDoubleToInt (progress * (width - 2))),
  48723. height - 2);
  48724. if (textToShow.isNotEmpty())
  48725. {
  48726. g.setColour (Colour::contrasting (background, foreground));
  48727. g.setFont (height * 0.6f);
  48728. g.drawText (textToShow, 0, 0, width, height, Justification::centred, false);
  48729. }
  48730. }
  48731. }
  48732. void OldSchoolLookAndFeel::drawScrollbarButton (Graphics& g,
  48733. ScrollBar& bar,
  48734. int width, int height,
  48735. int buttonDirection,
  48736. bool isScrollbarVertical,
  48737. bool isMouseOverButton,
  48738. bool isButtonDown)
  48739. {
  48740. if (isScrollbarVertical)
  48741. width -= 2;
  48742. else
  48743. height -= 2;
  48744. Path p;
  48745. if (buttonDirection == 0)
  48746. p.addTriangle (width * 0.5f, height * 0.2f,
  48747. width * 0.1f, height * 0.7f,
  48748. width * 0.9f, height * 0.7f);
  48749. else if (buttonDirection == 1)
  48750. p.addTriangle (width * 0.8f, height * 0.5f,
  48751. width * 0.3f, height * 0.1f,
  48752. width * 0.3f, height * 0.9f);
  48753. else if (buttonDirection == 2)
  48754. p.addTriangle (width * 0.5f, height * 0.8f,
  48755. width * 0.1f, height * 0.3f,
  48756. width * 0.9f, height * 0.3f);
  48757. else if (buttonDirection == 3)
  48758. p.addTriangle (width * 0.2f, height * 0.5f,
  48759. width * 0.7f, height * 0.1f,
  48760. width * 0.7f, height * 0.9f);
  48761. if (isButtonDown)
  48762. g.setColour (Colours::white);
  48763. else if (isMouseOverButton)
  48764. g.setColour (Colours::white.withAlpha (0.7f));
  48765. else
  48766. g.setColour (bar.findColour (ScrollBar::thumbColourId).withAlpha (0.5f));
  48767. g.fillPath (p);
  48768. g.setColour (Colours::black.withAlpha (0.5f));
  48769. g.strokePath (p, PathStrokeType (0.5f));
  48770. }
  48771. void OldSchoolLookAndFeel::drawScrollbar (Graphics& g,
  48772. ScrollBar& bar,
  48773. int x, int y,
  48774. int width, int height,
  48775. bool isScrollbarVertical,
  48776. int thumbStartPosition,
  48777. int thumbSize,
  48778. bool isMouseOver,
  48779. bool isMouseDown)
  48780. {
  48781. g.fillAll (bar.findColour (ScrollBar::backgroundColourId));
  48782. g.setColour (bar.findColour (ScrollBar::thumbColourId)
  48783. .withAlpha ((isMouseOver || isMouseDown) ? 0.4f : 0.15f));
  48784. if (thumbSize > 0.0f)
  48785. {
  48786. Rectangle thumb;
  48787. if (isScrollbarVertical)
  48788. {
  48789. width -= 2;
  48790. g.fillRect (x + roundFloatToInt (width * 0.35f), y,
  48791. roundFloatToInt (width * 0.3f), height);
  48792. thumb.setBounds (x + 1, thumbStartPosition,
  48793. width - 2, thumbSize);
  48794. }
  48795. else
  48796. {
  48797. height -= 2;
  48798. g.fillRect (x, y + roundFloatToInt (height * 0.35f),
  48799. width, roundFloatToInt (height * 0.3f));
  48800. thumb.setBounds (thumbStartPosition, y + 1,
  48801. thumbSize, height - 2);
  48802. }
  48803. g.setColour (bar.findColour (ScrollBar::thumbColourId)
  48804. .withAlpha ((isMouseOver || isMouseDown) ? 0.95f : 0.7f));
  48805. g.fillRect (thumb);
  48806. g.setColour (Colours::black.withAlpha ((isMouseOver || isMouseDown) ? 0.4f : 0.25f));
  48807. g.drawRect (thumb.getX(), thumb.getY(), thumb.getWidth(), thumb.getHeight());
  48808. if (thumbSize > 16)
  48809. {
  48810. for (int i = 3; --i >= 0;)
  48811. {
  48812. const float linePos = thumbStartPosition + thumbSize / 2 + (i - 1) * 4.0f;
  48813. g.setColour (Colours::black.withAlpha (0.15f));
  48814. if (isScrollbarVertical)
  48815. {
  48816. g.drawLine (x + width * 0.2f, linePos, width * 0.8f, linePos);
  48817. g.setColour (Colours::white.withAlpha (0.15f));
  48818. g.drawLine (width * 0.2f, linePos - 1, width * 0.8f, linePos - 1);
  48819. }
  48820. else
  48821. {
  48822. g.drawLine (linePos, height * 0.2f, linePos, height * 0.8f);
  48823. g.setColour (Colours::white.withAlpha (0.15f));
  48824. g.drawLine (linePos - 1, height * 0.2f, linePos - 1, height * 0.8f);
  48825. }
  48826. }
  48827. }
  48828. }
  48829. }
  48830. ImageEffectFilter* OldSchoolLookAndFeel::getScrollbarEffect()
  48831. {
  48832. return &scrollbarShadow;
  48833. }
  48834. void OldSchoolLookAndFeel::drawPopupMenuBackground (Graphics& g, int width, int height)
  48835. {
  48836. g.fillAll (findColour (PopupMenu::backgroundColourId));
  48837. g.setColour (Colours::black.withAlpha (0.6f));
  48838. g.drawRect (0, 0, width, height);
  48839. }
  48840. void OldSchoolLookAndFeel::drawMenuBarBackground (Graphics& g, int /*width*/, int /*height*/,
  48841. bool, MenuBarComponent& menuBar)
  48842. {
  48843. g.fillAll (menuBar.findColour (PopupMenu::backgroundColourId));
  48844. }
  48845. void OldSchoolLookAndFeel::drawTextEditorOutline (Graphics& g, int width, int height, TextEditor& textEditor)
  48846. {
  48847. if (textEditor.isEnabled())
  48848. {
  48849. g.setColour (textEditor.findColour (TextEditor::outlineColourId));
  48850. g.drawRect (0, 0, width, height);
  48851. }
  48852. }
  48853. void OldSchoolLookAndFeel::drawComboBox (Graphics& g, int width, int height,
  48854. const bool isButtonDown,
  48855. int buttonX, int buttonY,
  48856. int buttonW, int buttonH,
  48857. ComboBox& box)
  48858. {
  48859. g.fillAll (box.findColour (ComboBox::backgroundColourId));
  48860. g.setColour (box.findColour ((isButtonDown) ? ComboBox::buttonColourId
  48861. : ComboBox::backgroundColourId));
  48862. g.fillRect (buttonX, buttonY, buttonW, buttonH);
  48863. g.setColour (box.findColour (ComboBox::outlineColourId));
  48864. g.drawRect (0, 0, width, height);
  48865. const float arrowX = 0.2f;
  48866. const float arrowH = 0.3f;
  48867. if (box.isEnabled())
  48868. {
  48869. Path p;
  48870. p.addTriangle (buttonX + buttonW * 0.5f, buttonY + buttonH * (0.45f - arrowH),
  48871. buttonX + buttonW * (1.0f - arrowX), buttonY + buttonH * 0.45f,
  48872. buttonX + buttonW * arrowX, buttonY + buttonH * 0.45f);
  48873. p.addTriangle (buttonX + buttonW * 0.5f, buttonY + buttonH * (0.55f + arrowH),
  48874. buttonX + buttonW * (1.0f - arrowX), buttonY + buttonH * 0.55f,
  48875. buttonX + buttonW * arrowX, buttonY + buttonH * 0.55f);
  48876. g.setColour (box.findColour ((isButtonDown) ? ComboBox::backgroundColourId
  48877. : ComboBox::buttonColourId));
  48878. g.fillPath (p);
  48879. }
  48880. }
  48881. const Font OldSchoolLookAndFeel::getComboBoxFont (ComboBox& box)
  48882. {
  48883. Font f (jmin (15.0f, box.getHeight() * 0.85f));
  48884. f.setHorizontalScale (0.9f);
  48885. return f;
  48886. }
  48887. static void drawTriangle (Graphics& g, float x1, float y1, float x2, float y2, float x3, float y3, const Colour& fill, const Colour& outline) throw()
  48888. {
  48889. Path p;
  48890. p.addTriangle (x1, y1, x2, y2, x3, y3);
  48891. g.setColour (fill);
  48892. g.fillPath (p);
  48893. g.setColour (outline);
  48894. g.strokePath (p, PathStrokeType (0.3f));
  48895. }
  48896. void OldSchoolLookAndFeel::drawLinearSlider (Graphics& g,
  48897. int x, int y,
  48898. int w, int h,
  48899. float sliderPos,
  48900. float minSliderPos,
  48901. float maxSliderPos,
  48902. const Slider::SliderStyle style,
  48903. Slider& slider)
  48904. {
  48905. g.fillAll (slider.findColour (Slider::backgroundColourId));
  48906. if (style == Slider::LinearBar)
  48907. {
  48908. g.setColour (slider.findColour (Slider::thumbColourId));
  48909. g.fillRect (x, y, (int) sliderPos - x, h);
  48910. g.setColour (slider.findColour (Slider::textBoxTextColourId).withMultipliedAlpha (0.5f));
  48911. g.drawRect (x, y, (int) sliderPos - x, h);
  48912. }
  48913. else
  48914. {
  48915. g.setColour (slider.findColour (Slider::trackColourId)
  48916. .withMultipliedAlpha (slider.isEnabled() ? 1.0f : 0.3f));
  48917. if (slider.isHorizontal())
  48918. {
  48919. g.fillRect (x, y + roundFloatToInt (h * 0.6f),
  48920. w, roundFloatToInt (h * 0.2f));
  48921. }
  48922. else
  48923. {
  48924. g.fillRect (x + roundFloatToInt (w * 0.5f - jmin (3.0f, w * 0.1f)), y,
  48925. jmin (4, roundFloatToInt (w * 0.2f)), h);
  48926. }
  48927. float alpha = 0.35f;
  48928. if (slider.isEnabled())
  48929. alpha = slider.isMouseOverOrDragging() ? 1.0f : 0.7f;
  48930. const Colour fill (slider.findColour (Slider::thumbColourId).withAlpha (alpha));
  48931. const Colour outline (Colours::black.withAlpha (slider.isEnabled() ? 0.7f : 0.35f));
  48932. if (style == Slider::TwoValueVertical || style == Slider::ThreeValueVertical)
  48933. {
  48934. drawTriangle (g, x + w * 0.5f + jmin (4.0f, w * 0.3f), minSliderPos,
  48935. x + w * 0.5f - jmin (8.0f, w * 0.4f), minSliderPos - 7.0f,
  48936. x + w * 0.5f - jmin (8.0f, w * 0.4f), minSliderPos,
  48937. fill, outline);
  48938. drawTriangle (g, x + w * 0.5f + jmin (4.0f, w * 0.3f), maxSliderPos,
  48939. x + w * 0.5f - jmin (8.0f, w * 0.4f), maxSliderPos,
  48940. x + w * 0.5f - jmin (8.0f, w * 0.4f), maxSliderPos + 7.0f,
  48941. fill, outline);
  48942. }
  48943. else if (style == Slider::TwoValueHorizontal || style == Slider::ThreeValueHorizontal)
  48944. {
  48945. drawTriangle (g, minSliderPos, y + h * 0.6f - jmin (4.0f, h * 0.3f),
  48946. minSliderPos - 7.0f, y + h * 0.9f ,
  48947. minSliderPos, y + h * 0.9f,
  48948. fill, outline);
  48949. drawTriangle (g, maxSliderPos, y + h * 0.6f - jmin (4.0f, h * 0.3f),
  48950. maxSliderPos, y + h * 0.9f,
  48951. maxSliderPos + 7.0f, y + h * 0.9f,
  48952. fill, outline);
  48953. }
  48954. if (style == Slider::LinearHorizontal || style == Slider::ThreeValueHorizontal)
  48955. {
  48956. drawTriangle (g, sliderPos, y + h * 0.9f,
  48957. sliderPos - 7.0f, y + h * 0.2f,
  48958. sliderPos + 7.0f, y + h * 0.2f,
  48959. fill, outline);
  48960. }
  48961. else if (style == Slider::LinearVertical || style == Slider::ThreeValueVertical)
  48962. {
  48963. drawTriangle (g, x + w * 0.5f - jmin (4.0f, w * 0.3f), sliderPos,
  48964. x + w * 0.5f + jmin (8.0f, w * 0.4f), sliderPos - 7.0f,
  48965. x + w * 0.5f + jmin (8.0f, w * 0.4f), sliderPos + 7.0f,
  48966. fill, outline);
  48967. }
  48968. }
  48969. }
  48970. Button* OldSchoolLookAndFeel::createSliderButton (const bool isIncrement)
  48971. {
  48972. if (isIncrement)
  48973. return new ArrowButton ("u", 0.75f, Colours::white.withAlpha (0.8f));
  48974. else
  48975. return new ArrowButton ("d", 0.25f, Colours::white.withAlpha (0.8f));
  48976. }
  48977. ImageEffectFilter* OldSchoolLookAndFeel::getSliderEffect()
  48978. {
  48979. return &scrollbarShadow;
  48980. }
  48981. int OldSchoolLookAndFeel::getSliderThumbRadius (Slider&)
  48982. {
  48983. return 8;
  48984. }
  48985. void OldSchoolLookAndFeel::drawCornerResizer (Graphics& g,
  48986. int w, int h,
  48987. bool isMouseOver,
  48988. bool isMouseDragging)
  48989. {
  48990. g.setColour ((isMouseOver || isMouseDragging) ? Colours::lightgrey
  48991. : Colours::darkgrey);
  48992. const float lineThickness = jmin (w, h) * 0.1f;
  48993. for (float i = 0.0f; i < 1.0f; i += 0.3f)
  48994. {
  48995. g.drawLine (w * i,
  48996. h + 1.0f,
  48997. w + 1.0f,
  48998. h * i,
  48999. lineThickness);
  49000. }
  49001. }
  49002. Button* OldSchoolLookAndFeel::createDocumentWindowButton (int buttonType)
  49003. {
  49004. Path shape;
  49005. if (buttonType == DocumentWindow::closeButton)
  49006. {
  49007. shape.addLineSegment (0.0f, 0.0f, 1.0f, 1.0f, 0.35f);
  49008. shape.addLineSegment (1.0f, 0.0f, 0.0f, 1.0f, 0.35f);
  49009. ShapeButton* const b = new ShapeButton ("close",
  49010. Colour (0x7fff3333),
  49011. Colour (0xd7ff3333),
  49012. Colour (0xf7ff3333));
  49013. b->setShape (shape, true, true, true);
  49014. return b;
  49015. }
  49016. else if (buttonType == DocumentWindow::minimiseButton)
  49017. {
  49018. shape.addLineSegment (0.0f, 0.5f, 1.0f, 0.5f, 0.25f);
  49019. DrawableButton* b = new DrawableButton ("minimise", DrawableButton::ImageFitted);
  49020. DrawablePath dp;
  49021. dp.setPath (shape);
  49022. dp.setSolidFill (Colours::black.withAlpha (0.3f));
  49023. b->setImages (&dp);
  49024. return b;
  49025. }
  49026. else if (buttonType == DocumentWindow::maximiseButton)
  49027. {
  49028. shape.addLineSegment (0.5f, 0.0f, 0.5f, 1.0f, 0.25f);
  49029. shape.addLineSegment (0.0f, 0.5f, 1.0f, 0.5f, 0.25f);
  49030. DrawableButton* b = new DrawableButton ("maximise", DrawableButton::ImageFitted);
  49031. DrawablePath dp;
  49032. dp.setPath (shape);
  49033. dp.setSolidFill (Colours::black.withAlpha (0.3f));
  49034. b->setImages (&dp);
  49035. return b;
  49036. }
  49037. jassertfalse
  49038. return 0;
  49039. }
  49040. void OldSchoolLookAndFeel::positionDocumentWindowButtons (DocumentWindow&,
  49041. int titleBarX,
  49042. int titleBarY,
  49043. int titleBarW,
  49044. int titleBarH,
  49045. Button* minimiseButton,
  49046. Button* maximiseButton,
  49047. Button* closeButton,
  49048. bool positionTitleBarButtonsOnLeft)
  49049. {
  49050. titleBarY += titleBarH / 8;
  49051. titleBarH -= titleBarH / 4;
  49052. const int buttonW = titleBarH;
  49053. int x = positionTitleBarButtonsOnLeft ? titleBarX + 4
  49054. : titleBarX + titleBarW - buttonW - 4;
  49055. if (closeButton != 0)
  49056. {
  49057. closeButton->setBounds (x, titleBarY, buttonW, titleBarH);
  49058. x += positionTitleBarButtonsOnLeft ? buttonW + buttonW / 5
  49059. : -(buttonW + buttonW / 5);
  49060. }
  49061. if (positionTitleBarButtonsOnLeft)
  49062. swapVariables (minimiseButton, maximiseButton);
  49063. if (maximiseButton != 0)
  49064. {
  49065. maximiseButton->setBounds (x, titleBarY - 2, buttonW, titleBarH);
  49066. x += positionTitleBarButtonsOnLeft ? buttonW : -buttonW;
  49067. }
  49068. if (minimiseButton != 0)
  49069. minimiseButton->setBounds (x, titleBarY - 2, buttonW, titleBarH);
  49070. }
  49071. END_JUCE_NAMESPACE
  49072. /********* End of inlined file: juce_OldSchoolLookAndFeel.cpp *********/
  49073. /********* Start of inlined file: juce_MenuBarComponent.cpp *********/
  49074. BEGIN_JUCE_NAMESPACE
  49075. class DummyMenuComponent : public Component
  49076. {
  49077. DummyMenuComponent (const DummyMenuComponent&);
  49078. const DummyMenuComponent& operator= (const DummyMenuComponent&);
  49079. public:
  49080. DummyMenuComponent() {}
  49081. ~DummyMenuComponent() {}
  49082. void inputAttemptWhenModal()
  49083. {
  49084. exitModalState (0);
  49085. }
  49086. };
  49087. MenuBarComponent::MenuBarComponent (MenuBarModel* model_)
  49088. : model (0),
  49089. itemUnderMouse (-1),
  49090. currentPopupIndex (-1),
  49091. indexToShowAgain (-1),
  49092. lastMouseX (0),
  49093. lastMouseY (0),
  49094. inModalState (false),
  49095. currentPopup (0)
  49096. {
  49097. setRepaintsOnMouseActivity (true);
  49098. setWantsKeyboardFocus (false);
  49099. setMouseClickGrabsKeyboardFocus (false);
  49100. setModel (model_);
  49101. }
  49102. MenuBarComponent::~MenuBarComponent()
  49103. {
  49104. setModel (0);
  49105. Desktop::getInstance().removeGlobalMouseListener (this);
  49106. deleteAndZero (currentPopup);
  49107. }
  49108. void MenuBarComponent::setModel (MenuBarModel* const newModel)
  49109. {
  49110. if (model != newModel)
  49111. {
  49112. if (model != 0)
  49113. model->removeListener (this);
  49114. model = newModel;
  49115. if (model != 0)
  49116. model->addListener (this);
  49117. repaint();
  49118. menuBarItemsChanged (0);
  49119. }
  49120. }
  49121. void MenuBarComponent::paint (Graphics& g)
  49122. {
  49123. const bool isMouseOverBar = currentPopupIndex >= 0 || itemUnderMouse >= 0 || isMouseOver();
  49124. getLookAndFeel().drawMenuBarBackground (g,
  49125. getWidth(),
  49126. getHeight(),
  49127. isMouseOverBar,
  49128. *this);
  49129. if (model != 0)
  49130. {
  49131. for (int i = 0; i < menuNames.size(); ++i)
  49132. {
  49133. g.saveState();
  49134. g.setOrigin (xPositions [i], 0);
  49135. g.reduceClipRegion (0, 0, xPositions[i + 1] - xPositions[i], getHeight());
  49136. getLookAndFeel().drawMenuBarItem (g,
  49137. xPositions[i + 1] - xPositions[i],
  49138. getHeight(),
  49139. i,
  49140. menuNames[i],
  49141. i == itemUnderMouse,
  49142. i == currentPopupIndex,
  49143. isMouseOverBar,
  49144. *this);
  49145. g.restoreState();
  49146. }
  49147. }
  49148. }
  49149. void MenuBarComponent::resized()
  49150. {
  49151. xPositions.clear();
  49152. int x = 2;
  49153. xPositions.add (x);
  49154. for (int i = 0; i < menuNames.size(); ++i)
  49155. {
  49156. x += getLookAndFeel().getMenuBarItemWidth (*this, i, menuNames[i]);
  49157. xPositions.add (x);
  49158. }
  49159. }
  49160. int MenuBarComponent::getItemAt (const int x, const int y)
  49161. {
  49162. for (int i = 0; i < xPositions.size(); ++i)
  49163. if (x >= xPositions[i] && x < xPositions[i + 1])
  49164. return reallyContains (x, y, true) ? i : -1;
  49165. return -1;
  49166. }
  49167. void MenuBarComponent::repaintMenuItem (int index)
  49168. {
  49169. if (((unsigned int) index) < (unsigned int) xPositions.size())
  49170. {
  49171. const int x1 = xPositions [index];
  49172. const int x2 = xPositions [index + 1];
  49173. repaint (x1 - 2, 0, x2 - x1 + 4, getHeight());
  49174. }
  49175. }
  49176. void MenuBarComponent::updateItemUnderMouse (int x, int y)
  49177. {
  49178. const int newItem = getItemAt (x, y);
  49179. if (itemUnderMouse != newItem)
  49180. {
  49181. repaintMenuItem (itemUnderMouse);
  49182. itemUnderMouse = newItem;
  49183. repaintMenuItem (itemUnderMouse);
  49184. }
  49185. }
  49186. void MenuBarComponent::hideCurrentMenu()
  49187. {
  49188. deleteAndZero (currentPopup);
  49189. repaint();
  49190. }
  49191. void MenuBarComponent::showMenu (int index)
  49192. {
  49193. if (index != currentPopupIndex)
  49194. {
  49195. if (inModalState)
  49196. {
  49197. hideCurrentMenu();
  49198. indexToShowAgain = index;
  49199. return;
  49200. }
  49201. indexToShowAgain = -1;
  49202. currentPopupIndex = -1;
  49203. deleteAndZero (currentPopup);
  49204. menuBarItemsChanged (0);
  49205. Component* const prevFocused = getCurrentlyFocusedComponent();
  49206. ComponentDeletionWatcher* prevCompDeletionChecker = 0;
  49207. if (prevFocused != 0)
  49208. prevCompDeletionChecker = new ComponentDeletionWatcher (prevFocused);
  49209. ComponentDeletionWatcher deletionChecker (this);
  49210. enterModalState (false);
  49211. inModalState = true;
  49212. int result = 0;
  49213. ApplicationCommandManager* managerOfChosenCommand = 0;
  49214. Desktop::getInstance().addGlobalMouseListener (this);
  49215. for (;;)
  49216. {
  49217. const int x = getScreenX() + xPositions [itemUnderMouse];
  49218. const int w = xPositions [itemUnderMouse + 1] - xPositions [itemUnderMouse];
  49219. currentPopupIndex = itemUnderMouse;
  49220. indexToShowAgain = -1;
  49221. repaint();
  49222. if (((unsigned int) itemUnderMouse) < (unsigned int) menuNames.size())
  49223. {
  49224. PopupMenu m (model->getMenuForIndex (itemUnderMouse,
  49225. menuNames [itemUnderMouse]));
  49226. currentPopup = m.createMenuComponent (x, getScreenY(),
  49227. w, getHeight(),
  49228. 0, w, 0, 0,
  49229. true, this,
  49230. &managerOfChosenCommand,
  49231. this);
  49232. }
  49233. if (currentPopup == 0)
  49234. {
  49235. currentPopup = new DummyMenuComponent();
  49236. addAndMakeVisible (currentPopup);
  49237. }
  49238. currentPopup->enterModalState (false);
  49239. currentPopup->toFront (false); // need to do this after making it modal, or it could
  49240. // be stuck behind other comps that are already modal..
  49241. result = currentPopup->runModalLoop();
  49242. if (deletionChecker.hasBeenDeleted())
  49243. {
  49244. delete prevCompDeletionChecker;
  49245. return;
  49246. }
  49247. const int lastPopupIndex = currentPopupIndex;
  49248. deleteAndZero (currentPopup);
  49249. currentPopupIndex = -1;
  49250. if (result != 0)
  49251. {
  49252. topLevelIndexClicked = lastPopupIndex;
  49253. break;
  49254. }
  49255. else if (indexToShowAgain >= 0)
  49256. {
  49257. menuBarItemsChanged (0);
  49258. repaint();
  49259. itemUnderMouse = indexToShowAgain;
  49260. if (((unsigned int) itemUnderMouse) >= (unsigned int) menuNames.size())
  49261. break;
  49262. }
  49263. else
  49264. {
  49265. break;
  49266. }
  49267. }
  49268. Desktop::getInstance().removeGlobalMouseListener (this);
  49269. inModalState = false;
  49270. exitModalState (0);
  49271. if (prevCompDeletionChecker != 0)
  49272. {
  49273. if (! prevCompDeletionChecker->hasBeenDeleted())
  49274. prevFocused->grabKeyboardFocus();
  49275. delete prevCompDeletionChecker;
  49276. }
  49277. int mx, my;
  49278. getMouseXYRelative (mx, my);
  49279. updateItemUnderMouse (mx, my);
  49280. repaint();
  49281. if (result != 0)
  49282. {
  49283. if (managerOfChosenCommand != 0)
  49284. {
  49285. ApplicationCommandTarget::InvocationInfo info (result);
  49286. info.invocationMethod = ApplicationCommandTarget::InvocationInfo::fromMenu;
  49287. managerOfChosenCommand->invoke (info, true);
  49288. }
  49289. postCommandMessage (result);
  49290. }
  49291. }
  49292. }
  49293. void MenuBarComponent::handleCommandMessage (int commandId)
  49294. {
  49295. if (model != 0)
  49296. model->menuItemSelected (commandId, topLevelIndexClicked);
  49297. }
  49298. void MenuBarComponent::mouseEnter (const MouseEvent& e)
  49299. {
  49300. if (e.eventComponent == this)
  49301. updateItemUnderMouse (e.x, e.y);
  49302. }
  49303. void MenuBarComponent::mouseExit (const MouseEvent& e)
  49304. {
  49305. if (e.eventComponent == this)
  49306. updateItemUnderMouse (e.x, e.y);
  49307. }
  49308. void MenuBarComponent::mouseDown (const MouseEvent& e)
  49309. {
  49310. const MouseEvent e2 (e.getEventRelativeTo (this));
  49311. if (currentPopupIndex < 0)
  49312. {
  49313. updateItemUnderMouse (e2.x, e2.y);
  49314. currentPopupIndex = -2;
  49315. showMenu (itemUnderMouse);
  49316. }
  49317. }
  49318. void MenuBarComponent::mouseDrag (const MouseEvent& e)
  49319. {
  49320. const MouseEvent e2 (e.getEventRelativeTo (this));
  49321. const int item = getItemAt (e2.x, e2.y);
  49322. if (item >= 0)
  49323. showMenu (item);
  49324. }
  49325. void MenuBarComponent::mouseUp (const MouseEvent& e)
  49326. {
  49327. const MouseEvent e2 (e.getEventRelativeTo (this));
  49328. updateItemUnderMouse (e2.x, e2.y);
  49329. if (itemUnderMouse < 0 && dynamic_cast <DummyMenuComponent*> (currentPopup) != 0)
  49330. hideCurrentMenu();
  49331. }
  49332. void MenuBarComponent::mouseMove (const MouseEvent& e)
  49333. {
  49334. const MouseEvent e2 (e.getEventRelativeTo (this));
  49335. if (lastMouseX != e2.x || lastMouseY != e2.y)
  49336. {
  49337. if (currentPopupIndex >= 0)
  49338. {
  49339. const int item = getItemAt (e2.x, e2.y);
  49340. if (item >= 0)
  49341. showMenu (item);
  49342. }
  49343. else
  49344. {
  49345. updateItemUnderMouse (e2.x, e2.y);
  49346. }
  49347. lastMouseX = e2.x;
  49348. lastMouseY = e2.y;
  49349. }
  49350. }
  49351. bool MenuBarComponent::keyPressed (const KeyPress& key)
  49352. {
  49353. bool used = false;
  49354. const int numMenus = menuNames.size();
  49355. const int currentIndex = jlimit (0, menuNames.size() - 1, currentPopupIndex);
  49356. if (key.isKeyCode (KeyPress::leftKey))
  49357. {
  49358. showMenu ((currentIndex + numMenus - 1) % numMenus);
  49359. used = true;
  49360. }
  49361. else if (key.isKeyCode (KeyPress::rightKey))
  49362. {
  49363. showMenu ((currentIndex + 1) % numMenus);
  49364. used = true;
  49365. }
  49366. return used;
  49367. }
  49368. void MenuBarComponent::inputAttemptWhenModal()
  49369. {
  49370. hideCurrentMenu();
  49371. }
  49372. void MenuBarComponent::menuBarItemsChanged (MenuBarModel* /*menuBarModel*/)
  49373. {
  49374. StringArray newNames;
  49375. if (model != 0)
  49376. newNames = model->getMenuBarNames();
  49377. if (newNames != menuNames)
  49378. {
  49379. menuNames = newNames;
  49380. repaint();
  49381. resized();
  49382. }
  49383. }
  49384. void MenuBarComponent::menuCommandInvoked (MenuBarModel* /*menuBarModel*/,
  49385. const ApplicationCommandTarget::InvocationInfo& info)
  49386. {
  49387. if (model == 0
  49388. || (info.commandFlags & ApplicationCommandInfo::dontTriggerVisualFeedback) != 0)
  49389. return;
  49390. for (int i = 0; i < menuNames.size(); ++i)
  49391. {
  49392. const PopupMenu menu (model->getMenuForIndex (i, menuNames [i]));
  49393. if (menu.containsCommandItem (info.commandID))
  49394. {
  49395. itemUnderMouse = i;
  49396. repaintMenuItem (i);
  49397. startTimer (200);
  49398. break;
  49399. }
  49400. }
  49401. }
  49402. void MenuBarComponent::timerCallback()
  49403. {
  49404. stopTimer();
  49405. int mx, my;
  49406. getMouseXYRelative (mx, my);
  49407. updateItemUnderMouse (mx, my);
  49408. }
  49409. END_JUCE_NAMESPACE
  49410. /********* End of inlined file: juce_MenuBarComponent.cpp *********/
  49411. /********* Start of inlined file: juce_MenuBarModel.cpp *********/
  49412. BEGIN_JUCE_NAMESPACE
  49413. MenuBarModel::MenuBarModel() throw()
  49414. : manager (0)
  49415. {
  49416. }
  49417. MenuBarModel::~MenuBarModel()
  49418. {
  49419. setApplicationCommandManagerToWatch (0);
  49420. }
  49421. void MenuBarModel::menuItemsChanged()
  49422. {
  49423. triggerAsyncUpdate();
  49424. }
  49425. void MenuBarModel::setApplicationCommandManagerToWatch (ApplicationCommandManager* const newManager) throw()
  49426. {
  49427. if (manager != newManager)
  49428. {
  49429. if (manager != 0)
  49430. manager->removeListener (this);
  49431. manager = newManager;
  49432. if (manager != 0)
  49433. manager->addListener (this);
  49434. }
  49435. }
  49436. void MenuBarModel::addListener (MenuBarModelListener* const newListener) throw()
  49437. {
  49438. jassert (newListener != 0);
  49439. jassert (! listeners.contains (newListener)); // trying to add a listener to the list twice!
  49440. if (newListener != 0)
  49441. listeners.add (newListener);
  49442. }
  49443. void MenuBarModel::removeListener (MenuBarModelListener* const listenerToRemove) throw()
  49444. {
  49445. // Trying to remove a listener that isn't on the list!
  49446. // If this assertion happens because this object is a dangling pointer, make sure you've not
  49447. // deleted this menu model while it's still being used by something (e.g. by a MenuBarComponent)
  49448. jassert (listeners.contains (listenerToRemove));
  49449. listeners.removeValue (listenerToRemove);
  49450. }
  49451. void MenuBarModel::handleAsyncUpdate()
  49452. {
  49453. for (int i = listeners.size(); --i >= 0;)
  49454. {
  49455. ((MenuBarModelListener*) listeners.getUnchecked (i))->menuBarItemsChanged (this);
  49456. i = jmin (i, listeners.size());
  49457. }
  49458. }
  49459. void MenuBarModel::applicationCommandInvoked (const ApplicationCommandTarget::InvocationInfo& info)
  49460. {
  49461. for (int i = listeners.size(); --i >= 0;)
  49462. {
  49463. ((MenuBarModelListener*) listeners.getUnchecked (i))->menuCommandInvoked (this, info);
  49464. i = jmin (i, listeners.size());
  49465. }
  49466. }
  49467. void MenuBarModel::applicationCommandListChanged()
  49468. {
  49469. menuItemsChanged();
  49470. }
  49471. END_JUCE_NAMESPACE
  49472. /********* End of inlined file: juce_MenuBarModel.cpp *********/
  49473. /********* Start of inlined file: juce_PopupMenu.cpp *********/
  49474. BEGIN_JUCE_NAMESPACE
  49475. static VoidArray activeMenuWindows;
  49476. class MenuItemInfo
  49477. {
  49478. public:
  49479. const int itemId;
  49480. String text;
  49481. const Colour textColour;
  49482. const bool active, isSeparator, isTicked, usesColour;
  49483. Image* image;
  49484. PopupMenuCustomComponent* const customComp;
  49485. PopupMenu* subMenu;
  49486. ApplicationCommandManager* const commandManager;
  49487. MenuItemInfo() throw()
  49488. : itemId (0),
  49489. active (true),
  49490. isSeparator (true),
  49491. isTicked (false),
  49492. usesColour (false),
  49493. image (0),
  49494. customComp (0),
  49495. subMenu (0),
  49496. commandManager (0)
  49497. {
  49498. }
  49499. MenuItemInfo (const int itemId_,
  49500. const String& text_,
  49501. const bool active_,
  49502. const bool isTicked_,
  49503. const Image* im,
  49504. const Colour& textColour_,
  49505. const bool usesColour_,
  49506. PopupMenuCustomComponent* const customComp_,
  49507. const PopupMenu* const subMenu_,
  49508. ApplicationCommandManager* const commandManager_) throw()
  49509. : itemId (itemId_),
  49510. text (text_),
  49511. textColour (textColour_),
  49512. active (active_),
  49513. isSeparator (false),
  49514. isTicked (isTicked_),
  49515. usesColour (usesColour_),
  49516. image (0),
  49517. customComp (customComp_),
  49518. commandManager (commandManager_)
  49519. {
  49520. subMenu = (subMenu_ != 0) ? new PopupMenu (*subMenu_) : 0;
  49521. if (customComp != 0)
  49522. customComp->refCount_++;
  49523. if (im != 0)
  49524. image = im->createCopy();
  49525. if (commandManager_ != 0 && itemId_ != 0)
  49526. {
  49527. String shortcutKey;
  49528. Array <KeyPress> keyPresses (commandManager_->getKeyMappings()
  49529. ->getKeyPressesAssignedToCommand (itemId_));
  49530. for (int i = 0; i < keyPresses.size(); ++i)
  49531. {
  49532. const String key (keyPresses.getReference(i).getTextDescription());
  49533. if (shortcutKey.isNotEmpty())
  49534. shortcutKey << ", ";
  49535. if (key.length() == 1)
  49536. shortcutKey << "shortcut: '" << key << '\'';
  49537. else
  49538. shortcutKey << key;
  49539. }
  49540. shortcutKey = shortcutKey.trim();
  49541. if (shortcutKey.isNotEmpty())
  49542. text << "<end>" << shortcutKey;
  49543. }
  49544. }
  49545. MenuItemInfo (const MenuItemInfo& other) throw()
  49546. : itemId (other.itemId),
  49547. text (other.text),
  49548. textColour (other.textColour),
  49549. active (other.active),
  49550. isSeparator (other.isSeparator),
  49551. isTicked (other.isTicked),
  49552. usesColour (other.usesColour),
  49553. customComp (other.customComp),
  49554. commandManager (other.commandManager)
  49555. {
  49556. if (other.subMenu != 0)
  49557. subMenu = new PopupMenu (*(other.subMenu));
  49558. else
  49559. subMenu = 0;
  49560. if (other.image != 0)
  49561. image = other.image->createCopy();
  49562. else
  49563. image = 0;
  49564. if (customComp != 0)
  49565. customComp->refCount_++;
  49566. }
  49567. ~MenuItemInfo() throw()
  49568. {
  49569. delete subMenu;
  49570. delete image;
  49571. if (customComp != 0 && --(customComp->refCount_) == 0)
  49572. delete customComp;
  49573. }
  49574. bool canBeTriggered() const throw()
  49575. {
  49576. return active && ! (isSeparator || (subMenu != 0));
  49577. }
  49578. bool hasActiveSubMenu() const throw()
  49579. {
  49580. return active && (subMenu != 0);
  49581. }
  49582. juce_UseDebuggingNewOperator
  49583. private:
  49584. const MenuItemInfo& operator= (const MenuItemInfo&);
  49585. };
  49586. class MenuItemComponent : public Component
  49587. {
  49588. bool isHighlighted;
  49589. public:
  49590. MenuItemInfo itemInfo;
  49591. MenuItemComponent (const MenuItemInfo& itemInfo_)
  49592. : isHighlighted (false),
  49593. itemInfo (itemInfo_)
  49594. {
  49595. if (itemInfo.customComp != 0)
  49596. addAndMakeVisible (itemInfo.customComp);
  49597. }
  49598. ~MenuItemComponent()
  49599. {
  49600. if (itemInfo.customComp != 0)
  49601. removeChildComponent (itemInfo.customComp);
  49602. }
  49603. void getIdealSize (int& idealWidth,
  49604. int& idealHeight,
  49605. const int standardItemHeight)
  49606. {
  49607. if (itemInfo.customComp != 0)
  49608. {
  49609. itemInfo.customComp->getIdealSize (idealWidth, idealHeight);
  49610. }
  49611. else
  49612. {
  49613. getLookAndFeel().getIdealPopupMenuItemSize (itemInfo.text,
  49614. itemInfo.isSeparator,
  49615. standardItemHeight,
  49616. idealWidth,
  49617. idealHeight);
  49618. }
  49619. }
  49620. void paint (Graphics& g)
  49621. {
  49622. if (itemInfo.customComp == 0)
  49623. {
  49624. String mainText (itemInfo.text);
  49625. String endText;
  49626. const int endIndex = mainText.indexOf (T("<end>"));
  49627. if (endIndex >= 0)
  49628. {
  49629. endText = mainText.substring (endIndex + 5).trim();
  49630. mainText = mainText.substring (0, endIndex);
  49631. }
  49632. getLookAndFeel()
  49633. .drawPopupMenuItem (g, getWidth(), getHeight(),
  49634. itemInfo.isSeparator,
  49635. itemInfo.active,
  49636. isHighlighted,
  49637. itemInfo.isTicked,
  49638. itemInfo.subMenu != 0,
  49639. mainText, endText,
  49640. itemInfo.image,
  49641. itemInfo.usesColour ? &(itemInfo.textColour) : 0);
  49642. }
  49643. }
  49644. void resized()
  49645. {
  49646. if (getNumChildComponents() > 0)
  49647. getChildComponent(0)->setBounds (2, 0, getWidth() - 4, getHeight());
  49648. }
  49649. void setHighlighted (bool shouldBeHighlighted)
  49650. {
  49651. shouldBeHighlighted = shouldBeHighlighted && itemInfo.active;
  49652. if (isHighlighted != shouldBeHighlighted)
  49653. {
  49654. isHighlighted = shouldBeHighlighted;
  49655. if (itemInfo.customComp != 0)
  49656. {
  49657. itemInfo.customComp->isHighlighted = shouldBeHighlighted;
  49658. itemInfo.customComp->repaint();
  49659. }
  49660. repaint();
  49661. }
  49662. }
  49663. private:
  49664. MenuItemComponent (const MenuItemComponent&);
  49665. const MenuItemComponent& operator= (const MenuItemComponent&);
  49666. };
  49667. static const int scrollZone = 24;
  49668. static const int borderSize = 2;
  49669. static const int timerInterval = 50;
  49670. static const int dismissCommandId = 0x6287345f;
  49671. static bool wasHiddenBecauseOfAppChange = false;
  49672. class PopupMenuWindow : public Component,
  49673. private Timer
  49674. {
  49675. public:
  49676. PopupMenuWindow() throw()
  49677. : Component (T("menu")),
  49678. owner (0),
  49679. currentChild (0),
  49680. activeSubMenu (0),
  49681. menuBarComponent (0),
  49682. managerOfChosenCommand (0),
  49683. componentAttachedTo (0),
  49684. attachedCompWatcher (0),
  49685. lastMouseX (0),
  49686. lastMouseY (0),
  49687. minimumWidth (0),
  49688. maximumNumColumns (7),
  49689. standardItemHeight (0),
  49690. isOver (false),
  49691. hasBeenOver (false),
  49692. isDown (false),
  49693. needsToScroll (false),
  49694. hideOnExit (false),
  49695. disableMouseMoves (false),
  49696. hasAnyJuceCompHadFocus (false),
  49697. numColumns (0),
  49698. contentHeight (0),
  49699. childYOffset (0),
  49700. timeEnteredCurrentChildComp (0),
  49701. scrollAcceleration (1.0)
  49702. {
  49703. menuCreationTime = lastFocused = lastScroll = Time::getMillisecondCounter();
  49704. setWantsKeyboardFocus (true);
  49705. setOpaque (true);
  49706. setAlwaysOnTop (true);
  49707. Desktop::getInstance().addGlobalMouseListener (this);
  49708. activeMenuWindows.add (this);
  49709. }
  49710. ~PopupMenuWindow()
  49711. {
  49712. activeMenuWindows.removeValue (this);
  49713. Desktop::getInstance().removeGlobalMouseListener (this);
  49714. jassert (activeSubMenu == 0 || activeSubMenu->isValidComponent());
  49715. delete activeSubMenu;
  49716. deleteAllChildren();
  49717. delete attachedCompWatcher;
  49718. }
  49719. static PopupMenuWindow* create (const PopupMenu& menu,
  49720. const bool dismissOnMouseUp,
  49721. PopupMenuWindow* const owner_,
  49722. const int minX, const int maxX,
  49723. const int minY, const int maxY,
  49724. const int minimumWidth,
  49725. const int maximumNumColumns,
  49726. const int standardItemHeight,
  49727. const bool alignToRectangle,
  49728. const int itemIdThatMustBeVisible,
  49729. Component* const menuBarComponent,
  49730. ApplicationCommandManager** managerOfChosenCommand,
  49731. Component* const componentAttachedTo) throw()
  49732. {
  49733. if (menu.items.size() > 0)
  49734. {
  49735. int totalItems = 0;
  49736. PopupMenuWindow* const mw = new PopupMenuWindow();
  49737. mw->setLookAndFeel (menu.lookAndFeel);
  49738. mw->setWantsKeyboardFocus (false);
  49739. mw->minimumWidth = minimumWidth;
  49740. mw->maximumNumColumns = maximumNumColumns;
  49741. mw->standardItemHeight = standardItemHeight;
  49742. mw->dismissOnMouseUp = dismissOnMouseUp;
  49743. for (int i = 0; i < menu.items.size(); ++i)
  49744. {
  49745. MenuItemInfo* const item = (MenuItemInfo*) menu.items.getUnchecked(i);
  49746. mw->addItem (*item);
  49747. ++totalItems;
  49748. }
  49749. if (totalItems == 0)
  49750. {
  49751. delete mw;
  49752. }
  49753. else
  49754. {
  49755. mw->owner = owner_;
  49756. mw->menuBarComponent = menuBarComponent;
  49757. mw->managerOfChosenCommand = managerOfChosenCommand;
  49758. mw->componentAttachedTo = componentAttachedTo;
  49759. delete mw->attachedCompWatcher;
  49760. mw->attachedCompWatcher = componentAttachedTo != 0 ? new ComponentDeletionWatcher (componentAttachedTo) : 0;
  49761. mw->calculateWindowPos (minX, maxX, minY, maxY, alignToRectangle);
  49762. mw->setTopLeftPosition (mw->windowPos.getX(),
  49763. mw->windowPos.getY());
  49764. mw->updateYPositions();
  49765. if (itemIdThatMustBeVisible != 0)
  49766. {
  49767. const int y = minY - mw->windowPos.getY();
  49768. mw->ensureItemIsVisible (itemIdThatMustBeVisible,
  49769. (((unsigned int) y) < (unsigned int) mw->windowPos.getHeight()) ? y : -1);
  49770. }
  49771. mw->resizeToBestWindowPos();
  49772. mw->addToDesktop (ComponentPeer::windowIsTemporary
  49773. | mw->getLookAndFeel().getMenuWindowFlags());
  49774. return mw;
  49775. }
  49776. }
  49777. return 0;
  49778. }
  49779. void paint (Graphics& g)
  49780. {
  49781. getLookAndFeel().drawPopupMenuBackground (g, getWidth(), getHeight());
  49782. }
  49783. void paintOverChildren (Graphics& g)
  49784. {
  49785. if (isScrolling())
  49786. {
  49787. LookAndFeel& lf = getLookAndFeel();
  49788. if (isScrollZoneActive (false))
  49789. lf.drawPopupMenuUpDownArrow (g, getWidth(), scrollZone, true);
  49790. if (isScrollZoneActive (true))
  49791. {
  49792. g.setOrigin (0, getHeight() - scrollZone);
  49793. lf.drawPopupMenuUpDownArrow (g, getWidth(), scrollZone, false);
  49794. }
  49795. }
  49796. }
  49797. bool isScrollZoneActive (bool bottomOne) const
  49798. {
  49799. return isScrolling()
  49800. && (bottomOne
  49801. ? childYOffset < contentHeight - windowPos.getHeight()
  49802. : childYOffset > 0);
  49803. }
  49804. void addItem (const MenuItemInfo& item) throw()
  49805. {
  49806. MenuItemComponent* const mic = new MenuItemComponent (item);
  49807. addAndMakeVisible (mic);
  49808. int itemW = 80;
  49809. int itemH = 16;
  49810. mic->getIdealSize (itemW, itemH, standardItemHeight);
  49811. mic->setSize (itemW, jlimit (10, 600, itemH));
  49812. mic->addMouseListener (this, false);
  49813. }
  49814. // hide this and all sub-comps
  49815. void hide (const MenuItemInfo* const item) throw()
  49816. {
  49817. if (isVisible())
  49818. {
  49819. jassert (activeSubMenu == 0 || activeSubMenu->isValidComponent());
  49820. deleteAndZero (activeSubMenu);
  49821. currentChild = 0;
  49822. exitModalState (item != 0 ? item->itemId : 0);
  49823. setVisible (false);
  49824. if (item != 0
  49825. && item->commandManager != 0
  49826. && item->itemId != 0)
  49827. {
  49828. *managerOfChosenCommand = item->commandManager;
  49829. }
  49830. }
  49831. }
  49832. void dismissMenu (const MenuItemInfo* const item) throw()
  49833. {
  49834. if (owner != 0)
  49835. {
  49836. owner->dismissMenu (item);
  49837. }
  49838. else
  49839. {
  49840. if (item != 0)
  49841. {
  49842. // need a copy of this on the stack as the one passed in will get deleted during this call
  49843. const MenuItemInfo mi (*item);
  49844. hide (&mi);
  49845. }
  49846. else
  49847. {
  49848. hide (0);
  49849. }
  49850. }
  49851. }
  49852. void mouseMove (const MouseEvent&)
  49853. {
  49854. timerCallback();
  49855. }
  49856. void mouseDown (const MouseEvent&)
  49857. {
  49858. timerCallback();
  49859. }
  49860. void mouseDrag (const MouseEvent&)
  49861. {
  49862. timerCallback();
  49863. }
  49864. void mouseUp (const MouseEvent&)
  49865. {
  49866. timerCallback();
  49867. }
  49868. void mouseWheelMove (const MouseEvent&, float /*amountX*/, float amountY)
  49869. {
  49870. alterChildYPos (roundFloatToInt (-10.0f * amountY * scrollZone));
  49871. lastMouseX = -1;
  49872. }
  49873. bool keyPressed (const KeyPress& key)
  49874. {
  49875. if (key.isKeyCode (KeyPress::downKey))
  49876. {
  49877. selectNextItem (1);
  49878. }
  49879. else if (key.isKeyCode (KeyPress::upKey))
  49880. {
  49881. selectNextItem (-1);
  49882. }
  49883. else if (key.isKeyCode (KeyPress::leftKey))
  49884. {
  49885. PopupMenuWindow* parentWindow = owner;
  49886. if (parentWindow != 0)
  49887. {
  49888. MenuItemComponent* currentChildOfParent
  49889. = (parentWindow != 0) ? parentWindow->currentChild : 0;
  49890. hide (0);
  49891. if (parentWindow->isValidComponent())
  49892. parentWindow->setCurrentlyHighlightedChild (currentChildOfParent);
  49893. disableTimerUntilMouseMoves();
  49894. }
  49895. else if (menuBarComponent != 0)
  49896. {
  49897. menuBarComponent->keyPressed (key);
  49898. }
  49899. }
  49900. else if (key.isKeyCode (KeyPress::rightKey))
  49901. {
  49902. disableTimerUntilMouseMoves();
  49903. if (showSubMenuFor (currentChild))
  49904. {
  49905. jassert (activeSubMenu == 0 || activeSubMenu->isValidComponent());
  49906. if (activeSubMenu != 0 && activeSubMenu->isVisible())
  49907. activeSubMenu->selectNextItem (1);
  49908. }
  49909. else if (menuBarComponent != 0)
  49910. {
  49911. menuBarComponent->keyPressed (key);
  49912. }
  49913. }
  49914. else if (key.isKeyCode (KeyPress::returnKey))
  49915. {
  49916. triggerCurrentlyHighlightedItem();
  49917. }
  49918. else if (key.isKeyCode (KeyPress::escapeKey))
  49919. {
  49920. dismissMenu (0);
  49921. }
  49922. else
  49923. {
  49924. return false;
  49925. }
  49926. return true;
  49927. }
  49928. void inputAttemptWhenModal()
  49929. {
  49930. timerCallback();
  49931. if (! isOverAnyMenu())
  49932. {
  49933. if (componentAttachedTo != 0 && ! attachedCompWatcher->hasBeenDeleted())
  49934. {
  49935. // we want to dismiss the menu, but if we do it synchronously, then
  49936. // the mouse-click will be allowed to pass through. That's good, except
  49937. // when the user clicks on the button that orginally popped the menu up,
  49938. // as they'll expect the menu to go away, and in fact it'll just
  49939. // come back. So only dismiss synchronously if they're not on the original
  49940. // comp that we're attached to.
  49941. int mx, my;
  49942. componentAttachedTo->getMouseXYRelative (mx, my);
  49943. if (componentAttachedTo->reallyContains (mx, my, true))
  49944. {
  49945. postCommandMessage (dismissCommandId); // dismiss asynchrounously
  49946. return;
  49947. }
  49948. }
  49949. dismissMenu (0);
  49950. }
  49951. }
  49952. void handleCommandMessage (int commandId)
  49953. {
  49954. Component::handleCommandMessage (commandId);
  49955. if (commandId == dismissCommandId)
  49956. dismissMenu (0);
  49957. }
  49958. void timerCallback()
  49959. {
  49960. if (! isVisible())
  49961. return;
  49962. if (attachedCompWatcher != 0 && attachedCompWatcher->hasBeenDeleted())
  49963. {
  49964. dismissMenu (0);
  49965. return;
  49966. }
  49967. PopupMenuWindow* currentlyModalWindow = dynamic_cast <PopupMenuWindow*> (Component::getCurrentlyModalComponent());
  49968. if (currentlyModalWindow != 0 && ! treeContains (currentlyModalWindow))
  49969. return;
  49970. startTimer (timerInterval); // do this in case it was called from a mouse
  49971. // move rather than a real timer callback
  49972. int mx, my;
  49973. Desktop::getMousePosition (mx, my);
  49974. int x = mx, y = my;
  49975. globalPositionToRelative (x, y);
  49976. const uint32 now = Time::getMillisecondCounter();
  49977. if (now > timeEnteredCurrentChildComp + 100
  49978. && reallyContains (x, y, true)
  49979. && currentChild->isValidComponent()
  49980. && (! disableMouseMoves)
  49981. && ! (activeSubMenu != 0 && activeSubMenu->isVisible()))
  49982. {
  49983. showSubMenuFor (currentChild);
  49984. }
  49985. if (mx != lastMouseX || my != lastMouseY || now > lastMouseMoveTime + 350)
  49986. {
  49987. highlightItemUnderMouse (mx, my, x, y);
  49988. }
  49989. bool overScrollArea = false;
  49990. if (isScrolling()
  49991. && (isOver || (isDown && ((unsigned int) x) < (unsigned int) getWidth()))
  49992. && ((isScrollZoneActive (false) && y < scrollZone)
  49993. || (isScrollZoneActive (true) && y > getHeight() - scrollZone)))
  49994. {
  49995. if (now > lastScroll + 20)
  49996. {
  49997. scrollAcceleration = jmin (4.0, scrollAcceleration * 1.04);
  49998. int amount = 0;
  49999. for (int i = 0; i < getNumChildComponents() && amount == 0; ++i)
  50000. amount = ((int) scrollAcceleration) * getChildComponent (i)->getHeight();
  50001. alterChildYPos (y < scrollZone ? -amount : amount);
  50002. lastScroll = now;
  50003. }
  50004. overScrollArea = true;
  50005. lastMouseX = -1; // trigger a mouse-move
  50006. }
  50007. else
  50008. {
  50009. scrollAcceleration = 1.0;
  50010. }
  50011. const bool wasDown = isDown;
  50012. bool isOverAny = isOverAnyMenu();
  50013. if (hideOnExit && hasBeenOver && (! isOverAny) && activeSubMenu != 0)
  50014. {
  50015. activeSubMenu->updateMouseOverStatus (mx, my);
  50016. isOverAny = isOverAnyMenu();
  50017. }
  50018. if (hideOnExit && hasBeenOver && ! isOverAny)
  50019. {
  50020. hide (0);
  50021. }
  50022. else
  50023. {
  50024. isDown = hasBeenOver
  50025. && (ModifierKeys::getCurrentModifiers().isAnyMouseButtonDown()
  50026. || ModifierKeys::getCurrentModifiersRealtime().isAnyMouseButtonDown());
  50027. bool anyFocused = Process::isForegroundProcess();
  50028. if (anyFocused && Component::getCurrentlyFocusedComponent() == 0)
  50029. {
  50030. // because no component at all may have focus, our test here will
  50031. // only be triggered when something has focus and then loses it.
  50032. anyFocused = ! hasAnyJuceCompHadFocus;
  50033. for (int i = ComponentPeer::getNumPeers(); --i >= 0;)
  50034. {
  50035. if (ComponentPeer::getPeer (i)->isFocused())
  50036. {
  50037. anyFocused = true;
  50038. hasAnyJuceCompHadFocus = true;
  50039. break;
  50040. }
  50041. }
  50042. }
  50043. if (! anyFocused)
  50044. {
  50045. if (now > lastFocused + 10)
  50046. {
  50047. wasHiddenBecauseOfAppChange = true;
  50048. dismissMenu (0);
  50049. return; // may have been deleted by the previous call..
  50050. }
  50051. }
  50052. else if (wasDown && now > menuCreationTime + 250
  50053. && ! (isDown || overScrollArea))
  50054. {
  50055. isOver = reallyContains (x, y, true);
  50056. if (isOver)
  50057. {
  50058. triggerCurrentlyHighlightedItem();
  50059. }
  50060. else if ((hasBeenOver || ! dismissOnMouseUp) && ! isOverAny)
  50061. {
  50062. dismissMenu (0);
  50063. }
  50064. return; // may have been deleted by the previous calls..
  50065. }
  50066. else
  50067. {
  50068. lastFocused = now;
  50069. }
  50070. }
  50071. }
  50072. juce_UseDebuggingNewOperator
  50073. private:
  50074. PopupMenuWindow* owner;
  50075. MenuItemComponent* currentChild;
  50076. PopupMenuWindow* activeSubMenu;
  50077. Component* menuBarComponent;
  50078. ApplicationCommandManager** managerOfChosenCommand;
  50079. Component* componentAttachedTo;
  50080. ComponentDeletionWatcher* attachedCompWatcher;
  50081. Rectangle windowPos;
  50082. int lastMouseX, lastMouseY;
  50083. int minimumWidth, maximumNumColumns, standardItemHeight;
  50084. bool isOver, hasBeenOver, isDown, needsToScroll;
  50085. bool dismissOnMouseUp, hideOnExit, disableMouseMoves, hasAnyJuceCompHadFocus;
  50086. int numColumns, contentHeight, childYOffset;
  50087. Array <int> columnWidths;
  50088. uint32 menuCreationTime, lastFocused, lastScroll, lastMouseMoveTime, timeEnteredCurrentChildComp;
  50089. double scrollAcceleration;
  50090. bool overlaps (const Rectangle& r) const throw()
  50091. {
  50092. return r.intersects (getBounds())
  50093. || (owner != 0 && owner->overlaps (r));
  50094. }
  50095. bool isOverAnyMenu() const throw()
  50096. {
  50097. return (owner != 0) ? owner->isOverAnyMenu()
  50098. : isOverChildren();
  50099. }
  50100. bool isOverChildren() const throw()
  50101. {
  50102. jassert (activeSubMenu == 0 || activeSubMenu->isValidComponent());
  50103. return isVisible()
  50104. && (isOver || (activeSubMenu != 0 && activeSubMenu->isOverChildren()));
  50105. }
  50106. void updateMouseOverStatus (const int mx, const int my) throw()
  50107. {
  50108. int rx = mx, ry = my;
  50109. globalPositionToRelative (rx, ry);
  50110. isOver = reallyContains (rx, ry, true);
  50111. if (activeSubMenu != 0)
  50112. activeSubMenu->updateMouseOverStatus (mx, my);
  50113. }
  50114. bool treeContains (const PopupMenuWindow* const window) const throw()
  50115. {
  50116. const PopupMenuWindow* mw = this;
  50117. while (mw->owner != 0)
  50118. mw = mw->owner;
  50119. while (mw != 0)
  50120. {
  50121. if (mw == window)
  50122. return true;
  50123. mw = mw->activeSubMenu;
  50124. }
  50125. return false;
  50126. }
  50127. void calculateWindowPos (const int minX, const int maxX,
  50128. const int minY, const int maxY,
  50129. const bool alignToRectangle)
  50130. {
  50131. const Rectangle mon (Desktop::getInstance()
  50132. .getMonitorAreaContaining ((minX + maxX) / 2,
  50133. (minY + maxY) / 2,
  50134. true));
  50135. int x, y, widthToUse, heightToUse;
  50136. layoutMenuItems (mon.getWidth() - 24, widthToUse, heightToUse);
  50137. if (alignToRectangle)
  50138. {
  50139. x = minX;
  50140. const int spaceUnder = mon.getHeight() - (maxY - mon.getY());
  50141. const int spaceOver = minY - mon.getY();
  50142. if (heightToUse < spaceUnder - 30 || spaceUnder >= spaceOver)
  50143. y = maxY;
  50144. else
  50145. y = minY - heightToUse;
  50146. }
  50147. else
  50148. {
  50149. bool tendTowardsRight = (minX + maxX) / 2 < mon.getCentreX();
  50150. if (owner != 0)
  50151. {
  50152. if (owner->owner != 0)
  50153. {
  50154. const bool ownerGoingRight = (owner->getX() + owner->getWidth() / 2
  50155. > owner->owner->getX() + owner->owner->getWidth() / 2);
  50156. if (ownerGoingRight && maxX + widthToUse < mon.getRight() - 4)
  50157. tendTowardsRight = true;
  50158. else if ((! ownerGoingRight) && minX > widthToUse + 4)
  50159. tendTowardsRight = false;
  50160. }
  50161. else if (maxX + widthToUse < mon.getRight() - 32)
  50162. {
  50163. tendTowardsRight = true;
  50164. }
  50165. }
  50166. const int biggestSpace = jmax (mon.getRight() - maxX,
  50167. minX - mon.getX()) - 32;
  50168. if (biggestSpace < widthToUse)
  50169. {
  50170. layoutMenuItems (biggestSpace + (maxX - minX) / 3, widthToUse, heightToUse);
  50171. if (numColumns > 1)
  50172. layoutMenuItems (biggestSpace - 4, widthToUse, heightToUse);
  50173. tendTowardsRight = (mon.getRight() - maxX) >= (minX - mon.getX());
  50174. }
  50175. if (tendTowardsRight)
  50176. x = jmin (mon.getRight() - widthToUse - 4, maxX);
  50177. else
  50178. x = jmax (mon.getX() + 4, minX - widthToUse);
  50179. y = minY;
  50180. if ((minY + maxY) / 2 > mon.getCentreY())
  50181. y = jmax (mon.getY(), maxY - heightToUse);
  50182. }
  50183. x = jlimit (mon.getX() + 1, mon.getRight() - (widthToUse + 6), x);
  50184. y = jlimit (mon.getY() + 1, mon.getBottom() - (heightToUse + 6), y);
  50185. windowPos.setBounds (x, y, widthToUse, heightToUse);
  50186. // sets this flag if it's big enough to obscure any of its parent menus
  50187. hideOnExit = (owner != 0)
  50188. && owner->windowPos.intersects (windowPos.expanded (-4, -4));
  50189. }
  50190. void layoutMenuItems (const int maxMenuW, int& width, int& height)
  50191. {
  50192. numColumns = 0;
  50193. contentHeight = 0;
  50194. const int maxMenuH = getParentHeight() - 24;
  50195. int totalW;
  50196. do
  50197. {
  50198. ++numColumns;
  50199. totalW = workOutBestSize (numColumns, maxMenuW);
  50200. if (totalW > maxMenuW)
  50201. {
  50202. numColumns = jmax (1, numColumns - 1);
  50203. totalW = workOutBestSize (numColumns, maxMenuW); // to update col widths
  50204. break;
  50205. }
  50206. else if (totalW > maxMenuW / 2 || contentHeight < maxMenuH)
  50207. {
  50208. break;
  50209. }
  50210. } while (numColumns < maximumNumColumns);
  50211. const int actualH = jmin (contentHeight, maxMenuH);
  50212. needsToScroll = contentHeight > actualH;
  50213. width = updateYPositions();
  50214. height = actualH + borderSize * 2;
  50215. }
  50216. int workOutBestSize (const int numColumns, const int maxMenuW)
  50217. {
  50218. int totalW = 0;
  50219. contentHeight = 0;
  50220. int childNum = 0;
  50221. for (int col = 0; col < numColumns; ++col)
  50222. {
  50223. int i, colW = 50, colH = 0;
  50224. const int numChildren = jmin (getNumChildComponents() - childNum,
  50225. (getNumChildComponents() + numColumns - 1) / numColumns);
  50226. for (i = numChildren; --i >= 0;)
  50227. {
  50228. colW = jmax (colW, getChildComponent (childNum + i)->getWidth());
  50229. colH += getChildComponent (childNum + i)->getHeight();
  50230. }
  50231. colW = jmin (maxMenuW / jmax (1, numColumns - 2), colW + borderSize * 2);
  50232. columnWidths.set (col, colW);
  50233. totalW += colW;
  50234. contentHeight = jmax (contentHeight, colH);
  50235. childNum += numChildren;
  50236. }
  50237. if (totalW < minimumWidth)
  50238. {
  50239. totalW = minimumWidth;
  50240. for (int col = 0; col < numColumns; ++col)
  50241. columnWidths.set (0, totalW / numColumns);
  50242. }
  50243. return totalW;
  50244. }
  50245. void ensureItemIsVisible (const int itemId, int wantedY)
  50246. {
  50247. jassert (itemId != 0)
  50248. for (int i = getNumChildComponents(); --i >= 0;)
  50249. {
  50250. MenuItemComponent* const m = (MenuItemComponent*) getChildComponent (i);
  50251. if (m != 0
  50252. && m->itemInfo.itemId == itemId
  50253. && windowPos.getHeight() > scrollZone * 4)
  50254. {
  50255. const int currentY = m->getY();
  50256. if (wantedY > 0 || currentY < 0 || m->getBottom() > windowPos.getHeight())
  50257. {
  50258. if (wantedY < 0)
  50259. wantedY = jlimit (scrollZone,
  50260. jmax (scrollZone, windowPos.getHeight() - (scrollZone + m->getHeight())),
  50261. currentY);
  50262. const Rectangle mon (Desktop::getInstance()
  50263. .getMonitorAreaContaining (windowPos.getX(),
  50264. windowPos.getY(),
  50265. true));
  50266. int deltaY = wantedY - currentY;
  50267. const int newY = jlimit (mon.getY(),
  50268. mon.getBottom() - windowPos.getHeight(),
  50269. windowPos.getY() + deltaY);
  50270. deltaY -= newY - windowPos.getY();
  50271. childYOffset -= deltaY;
  50272. windowPos.setPosition (windowPos.getX(), newY);
  50273. updateYPositions();
  50274. }
  50275. break;
  50276. }
  50277. }
  50278. }
  50279. void resizeToBestWindowPos()
  50280. {
  50281. Rectangle r (windowPos);
  50282. if (childYOffset < 0)
  50283. {
  50284. r.setBounds (r.getX(), r.getY() - childYOffset,
  50285. r.getWidth(), r.getHeight() + childYOffset);
  50286. }
  50287. else if (childYOffset > 0)
  50288. {
  50289. const int spaceAtBottom = r.getHeight() - (contentHeight - childYOffset);
  50290. if (spaceAtBottom > 0)
  50291. r.setSize (r.getWidth(), r.getHeight() - spaceAtBottom);
  50292. }
  50293. setBounds (r);
  50294. updateYPositions();
  50295. }
  50296. void alterChildYPos (const int delta)
  50297. {
  50298. if (isScrolling())
  50299. {
  50300. childYOffset += delta;
  50301. if (delta < 0)
  50302. {
  50303. childYOffset = jmax (childYOffset, 0);
  50304. }
  50305. else if (delta > 0)
  50306. {
  50307. childYOffset = jmin (childYOffset,
  50308. contentHeight - windowPos.getHeight() + borderSize);
  50309. }
  50310. updateYPositions();
  50311. }
  50312. else
  50313. {
  50314. childYOffset = 0;
  50315. }
  50316. resizeToBestWindowPos();
  50317. repaint();
  50318. }
  50319. int updateYPositions()
  50320. {
  50321. int x = 0;
  50322. int childNum = 0;
  50323. for (int col = 0; col < numColumns; ++col)
  50324. {
  50325. const int numChildren = jmin (getNumChildComponents() - childNum,
  50326. (getNumChildComponents() + numColumns - 1) / numColumns);
  50327. const int colW = columnWidths [col];
  50328. int y = borderSize - (childYOffset + (getY() - windowPos.getY()));
  50329. for (int i = 0; i < numChildren; ++i)
  50330. {
  50331. Component* const c = getChildComponent (childNum + i);
  50332. c->setBounds (x, y, colW, c->getHeight());
  50333. y += c->getHeight();
  50334. }
  50335. x += colW;
  50336. childNum += numChildren;
  50337. }
  50338. return x;
  50339. }
  50340. bool isScrolling() const throw()
  50341. {
  50342. return childYOffset != 0 || needsToScroll;
  50343. }
  50344. void setCurrentlyHighlightedChild (MenuItemComponent* const child) throw()
  50345. {
  50346. if (currentChild->isValidComponent())
  50347. currentChild->setHighlighted (false);
  50348. currentChild = child;
  50349. if (currentChild != 0)
  50350. {
  50351. currentChild->setHighlighted (true);
  50352. timeEnteredCurrentChildComp = Time::getApproximateMillisecondCounter();
  50353. }
  50354. }
  50355. bool showSubMenuFor (MenuItemComponent* const childComp)
  50356. {
  50357. jassert (activeSubMenu == 0 || activeSubMenu->isValidComponent());
  50358. deleteAndZero (activeSubMenu);
  50359. if (childComp->isValidComponent() && childComp->itemInfo.hasActiveSubMenu())
  50360. {
  50361. int left = 0, top = 0;
  50362. childComp->relativePositionToGlobal (left, top);
  50363. int right = childComp->getWidth(), bottom = childComp->getHeight();
  50364. childComp->relativePositionToGlobal (right, bottom);
  50365. activeSubMenu = PopupMenuWindow::create (*(childComp->itemInfo.subMenu),
  50366. dismissOnMouseUp,
  50367. this,
  50368. left, right, top, bottom,
  50369. 0, maximumNumColumns,
  50370. standardItemHeight,
  50371. false, 0, menuBarComponent,
  50372. managerOfChosenCommand,
  50373. componentAttachedTo);
  50374. if (activeSubMenu != 0)
  50375. {
  50376. activeSubMenu->setVisible (true);
  50377. activeSubMenu->enterModalState (false);
  50378. activeSubMenu->toFront (false);
  50379. return true;
  50380. }
  50381. }
  50382. return false;
  50383. }
  50384. void highlightItemUnderMouse (const int mx, const int my, const int x, const int y)
  50385. {
  50386. isOver = reallyContains (x, y, true);
  50387. if (isOver)
  50388. hasBeenOver = true;
  50389. if (abs (lastMouseX - mx) > 2 || abs (lastMouseY - my) > 2)
  50390. {
  50391. lastMouseMoveTime = Time::getApproximateMillisecondCounter();
  50392. if (disableMouseMoves && isOver)
  50393. disableMouseMoves = false;
  50394. }
  50395. if (disableMouseMoves)
  50396. return;
  50397. bool isMovingTowardsMenu = false;
  50398. jassert (activeSubMenu == 0 || activeSubMenu->isValidComponent())
  50399. if (isOver && (activeSubMenu != 0) && (mx != lastMouseX || my != lastMouseY))
  50400. {
  50401. // try to intelligently guess whether the user is moving the mouse towards a currently-open
  50402. // submenu. To do this, look at whether the mouse stays inside a triangular region that
  50403. // extends from the last mouse pos to the submenu's rectangle..
  50404. float subX = (float) activeSubMenu->getScreenX();
  50405. if (activeSubMenu->getX() > getX())
  50406. {
  50407. lastMouseX -= 2; // to enlarge the triangle a bit, in case the mouse only moves a couple of pixels
  50408. }
  50409. else
  50410. {
  50411. lastMouseX += 2;
  50412. subX += activeSubMenu->getWidth();
  50413. }
  50414. Path areaTowardsSubMenu;
  50415. areaTowardsSubMenu.addTriangle ((float) lastMouseX,
  50416. (float) lastMouseY,
  50417. subX,
  50418. (float) activeSubMenu->getScreenY(),
  50419. subX,
  50420. (float) (activeSubMenu->getScreenY() + activeSubMenu->getHeight()));
  50421. isMovingTowardsMenu = areaTowardsSubMenu.contains ((float) mx, (float) my);
  50422. }
  50423. lastMouseX = mx;
  50424. lastMouseY = my;
  50425. if (! isMovingTowardsMenu)
  50426. {
  50427. Component* c = getComponentAt (x, y);
  50428. if (c == this)
  50429. c = 0;
  50430. MenuItemComponent* mic = dynamic_cast <MenuItemComponent*> (c);
  50431. if (mic == 0 && c != 0)
  50432. mic = c->findParentComponentOfClass ((MenuItemComponent*) 0);
  50433. if (mic != currentChild
  50434. && (isOver || (activeSubMenu == 0) || ! activeSubMenu->isVisible()))
  50435. {
  50436. if (isOver && (c != 0) && (activeSubMenu != 0))
  50437. {
  50438. activeSubMenu->hide (0);
  50439. }
  50440. if (! isOver)
  50441. mic = 0;
  50442. setCurrentlyHighlightedChild (mic);
  50443. }
  50444. }
  50445. }
  50446. void triggerCurrentlyHighlightedItem()
  50447. {
  50448. if (currentChild->isValidComponent()
  50449. && currentChild->itemInfo.canBeTriggered()
  50450. && (currentChild->itemInfo.customComp == 0
  50451. || currentChild->itemInfo.customComp->isTriggeredAutomatically))
  50452. {
  50453. dismissMenu (&currentChild->itemInfo);
  50454. }
  50455. }
  50456. void selectNextItem (const int delta)
  50457. {
  50458. disableTimerUntilMouseMoves();
  50459. MenuItemComponent* mic = 0;
  50460. bool wasLastOne = (currentChild == 0);
  50461. const int numItems = getNumChildComponents();
  50462. for (int i = 0; i < numItems + 1; ++i)
  50463. {
  50464. int index = (delta > 0) ? i : (numItems - 1 - i);
  50465. index = (index + numItems) % numItems;
  50466. mic = dynamic_cast <MenuItemComponent*> (getChildComponent (index));
  50467. if (mic != 0 && (mic->itemInfo.canBeTriggered() || mic->itemInfo.hasActiveSubMenu())
  50468. && wasLastOne)
  50469. break;
  50470. if (mic == currentChild)
  50471. wasLastOne = true;
  50472. }
  50473. setCurrentlyHighlightedChild (mic);
  50474. }
  50475. void disableTimerUntilMouseMoves() throw()
  50476. {
  50477. disableMouseMoves = true;
  50478. if (owner != 0)
  50479. owner->disableTimerUntilMouseMoves();
  50480. }
  50481. PopupMenuWindow (const PopupMenuWindow&);
  50482. const PopupMenuWindow& operator= (const PopupMenuWindow&);
  50483. };
  50484. PopupMenu::PopupMenu() throw()
  50485. : items (8),
  50486. lookAndFeel (0),
  50487. separatorPending (false)
  50488. {
  50489. }
  50490. PopupMenu::PopupMenu (const PopupMenu& other) throw()
  50491. : items (8),
  50492. lookAndFeel (other.lookAndFeel),
  50493. separatorPending (false)
  50494. {
  50495. items.ensureStorageAllocated (other.items.size());
  50496. for (int i = 0; i < other.items.size(); ++i)
  50497. items.add (new MenuItemInfo (*(const MenuItemInfo*) other.items.getUnchecked(i)));
  50498. }
  50499. const PopupMenu& PopupMenu::operator= (const PopupMenu& other) throw()
  50500. {
  50501. if (this != &other)
  50502. {
  50503. lookAndFeel = other.lookAndFeel;
  50504. clear();
  50505. items.ensureStorageAllocated (other.items.size());
  50506. for (int i = 0; i < other.items.size(); ++i)
  50507. items.add (new MenuItemInfo (*(const MenuItemInfo*) other.items.getUnchecked(i)));
  50508. }
  50509. return *this;
  50510. }
  50511. PopupMenu::~PopupMenu() throw()
  50512. {
  50513. clear();
  50514. }
  50515. void PopupMenu::clear() throw()
  50516. {
  50517. for (int i = items.size(); --i >= 0;)
  50518. {
  50519. MenuItemInfo* const mi = (MenuItemInfo*) items.getUnchecked(i);
  50520. delete mi;
  50521. }
  50522. items.clear();
  50523. separatorPending = false;
  50524. }
  50525. void PopupMenu::addSeparatorIfPending()
  50526. {
  50527. if (separatorPending)
  50528. {
  50529. separatorPending = false;
  50530. if (items.size() > 0)
  50531. items.add (new MenuItemInfo());
  50532. }
  50533. }
  50534. void PopupMenu::addItem (const int itemResultId,
  50535. const String& itemText,
  50536. const bool isActive,
  50537. const bool isTicked,
  50538. const Image* const iconToUse) throw()
  50539. {
  50540. jassert (itemResultId != 0); // 0 is used as a return value to indicate that the user
  50541. // didn't pick anything, so you shouldn't use it as the id
  50542. // for an item..
  50543. addSeparatorIfPending();
  50544. items.add (new MenuItemInfo (itemResultId,
  50545. itemText,
  50546. isActive,
  50547. isTicked,
  50548. iconToUse,
  50549. Colours::black,
  50550. false,
  50551. 0, 0, 0));
  50552. }
  50553. void PopupMenu::addCommandItem (ApplicationCommandManager* commandManager,
  50554. const int commandID,
  50555. const String& displayName) throw()
  50556. {
  50557. jassert (commandManager != 0 && commandID != 0);
  50558. const ApplicationCommandInfo* const registeredInfo = commandManager->getCommandForID (commandID);
  50559. if (registeredInfo != 0)
  50560. {
  50561. ApplicationCommandInfo info (*registeredInfo);
  50562. ApplicationCommandTarget* const target = commandManager->getTargetForCommand (commandID, info);
  50563. addSeparatorIfPending();
  50564. items.add (new MenuItemInfo (commandID,
  50565. displayName.isNotEmpty() ? displayName
  50566. : info.shortName,
  50567. target != 0 && (info.flags & ApplicationCommandInfo::isDisabled) == 0,
  50568. (info.flags & ApplicationCommandInfo::isTicked) != 0,
  50569. 0,
  50570. Colours::black,
  50571. false,
  50572. 0, 0,
  50573. commandManager));
  50574. }
  50575. }
  50576. void PopupMenu::addColouredItem (const int itemResultId,
  50577. const String& itemText,
  50578. const Colour& itemTextColour,
  50579. const bool isActive,
  50580. const bool isTicked,
  50581. const Image* const iconToUse) throw()
  50582. {
  50583. jassert (itemResultId != 0); // 0 is used as a return value to indicate that the user
  50584. // didn't pick anything, so you shouldn't use it as the id
  50585. // for an item..
  50586. addSeparatorIfPending();
  50587. items.add (new MenuItemInfo (itemResultId,
  50588. itemText,
  50589. isActive,
  50590. isTicked,
  50591. iconToUse,
  50592. itemTextColour,
  50593. true,
  50594. 0, 0, 0));
  50595. }
  50596. void PopupMenu::addCustomItem (const int itemResultId,
  50597. PopupMenuCustomComponent* const customComponent) throw()
  50598. {
  50599. jassert (itemResultId != 0); // 0 is used as a return value to indicate that the user
  50600. // didn't pick anything, so you shouldn't use it as the id
  50601. // for an item..
  50602. addSeparatorIfPending();
  50603. items.add (new MenuItemInfo (itemResultId,
  50604. String::empty,
  50605. true,
  50606. false,
  50607. 0,
  50608. Colours::black,
  50609. false,
  50610. customComponent,
  50611. 0, 0));
  50612. }
  50613. class NormalComponentWrapper : public PopupMenuCustomComponent
  50614. {
  50615. public:
  50616. NormalComponentWrapper (Component* const comp,
  50617. const int w, const int h,
  50618. const bool triggerMenuItemAutomaticallyWhenClicked)
  50619. : PopupMenuCustomComponent (triggerMenuItemAutomaticallyWhenClicked),
  50620. width (w),
  50621. height (h)
  50622. {
  50623. addAndMakeVisible (comp);
  50624. }
  50625. ~NormalComponentWrapper() {}
  50626. void getIdealSize (int& idealWidth, int& idealHeight)
  50627. {
  50628. idealWidth = width;
  50629. idealHeight = height;
  50630. }
  50631. void resized()
  50632. {
  50633. if (getChildComponent(0) != 0)
  50634. getChildComponent(0)->setBounds (0, 0, getWidth(), getHeight());
  50635. }
  50636. juce_UseDebuggingNewOperator
  50637. private:
  50638. const int width, height;
  50639. NormalComponentWrapper (const NormalComponentWrapper&);
  50640. const NormalComponentWrapper& operator= (const NormalComponentWrapper&);
  50641. };
  50642. void PopupMenu::addCustomItem (const int itemResultId,
  50643. Component* customComponent,
  50644. int idealWidth, int idealHeight,
  50645. const bool triggerMenuItemAutomaticallyWhenClicked) throw()
  50646. {
  50647. addCustomItem (itemResultId,
  50648. new NormalComponentWrapper (customComponent,
  50649. idealWidth, idealHeight,
  50650. triggerMenuItemAutomaticallyWhenClicked));
  50651. }
  50652. void PopupMenu::addSubMenu (const String& subMenuName,
  50653. const PopupMenu& subMenu,
  50654. const bool isActive,
  50655. Image* const iconToUse) throw()
  50656. {
  50657. addSeparatorIfPending();
  50658. items.add (new MenuItemInfo (0,
  50659. subMenuName,
  50660. isActive && (subMenu.getNumItems() > 0),
  50661. false,
  50662. iconToUse,
  50663. Colours::black,
  50664. false,
  50665. 0,
  50666. &subMenu,
  50667. 0));
  50668. }
  50669. void PopupMenu::addSeparator() throw()
  50670. {
  50671. separatorPending = true;
  50672. }
  50673. class HeaderItemComponent : public PopupMenuCustomComponent
  50674. {
  50675. public:
  50676. HeaderItemComponent (const String& name)
  50677. : PopupMenuCustomComponent (false)
  50678. {
  50679. setName (name);
  50680. }
  50681. ~HeaderItemComponent()
  50682. {
  50683. }
  50684. void paint (Graphics& g)
  50685. {
  50686. Font f (getLookAndFeel().getPopupMenuFont());
  50687. f.setBold (true);
  50688. g.setFont (f);
  50689. g.setColour (findColour (PopupMenu::headerTextColourId));
  50690. g.drawFittedText (getName(),
  50691. 12, 0, getWidth() - 16, proportionOfHeight (0.8f),
  50692. Justification::bottomLeft, 1);
  50693. }
  50694. void getIdealSize (int& idealWidth,
  50695. int& idealHeight)
  50696. {
  50697. getLookAndFeel().getIdealPopupMenuItemSize (getName(), false, -1, idealWidth, idealHeight);
  50698. idealHeight += idealHeight / 2;
  50699. idealWidth += idealWidth / 4;
  50700. }
  50701. juce_UseDebuggingNewOperator
  50702. };
  50703. void PopupMenu::addSectionHeader (const String& title) throw()
  50704. {
  50705. addCustomItem (0X4734a34f, new HeaderItemComponent (title));
  50706. }
  50707. Component* PopupMenu::createMenuComponent (const int x, const int y, const int w, const int h,
  50708. const int itemIdThatMustBeVisible,
  50709. const int minimumWidth,
  50710. const int maximumNumColumns,
  50711. const int standardItemHeight,
  50712. const bool alignToRectangle,
  50713. Component* menuBarComponent,
  50714. ApplicationCommandManager** managerOfChosenCommand,
  50715. Component* const componentAttachedTo) throw()
  50716. {
  50717. PopupMenuWindow* const pw
  50718. = PopupMenuWindow::create (*this,
  50719. ModifierKeys::getCurrentModifiers().isAnyMouseButtonDown(),
  50720. 0,
  50721. x, x + w,
  50722. y, y + h,
  50723. minimumWidth,
  50724. maximumNumColumns,
  50725. standardItemHeight,
  50726. alignToRectangle,
  50727. itemIdThatMustBeVisible,
  50728. menuBarComponent,
  50729. managerOfChosenCommand,
  50730. componentAttachedTo);
  50731. if (pw != 0)
  50732. pw->setVisible (true);
  50733. return pw;
  50734. }
  50735. int PopupMenu::showMenu (const int x, const int y, const int w, const int h,
  50736. const int itemIdThatMustBeVisible,
  50737. const int minimumWidth,
  50738. const int maximumNumColumns,
  50739. const int standardItemHeight,
  50740. const bool alignToRectangle,
  50741. Component* const componentAttachedTo) throw()
  50742. {
  50743. Component* const prevFocused = Component::getCurrentlyFocusedComponent();
  50744. ComponentDeletionWatcher* deletionChecker1 = 0;
  50745. if (prevFocused != 0)
  50746. deletionChecker1 = new ComponentDeletionWatcher (prevFocused);
  50747. Component* const prevTopLevel = (prevFocused != 0) ? prevFocused->getTopLevelComponent() : 0;
  50748. ComponentDeletionWatcher* deletionChecker2 = 0;
  50749. if (prevTopLevel != 0)
  50750. deletionChecker2 = new ComponentDeletionWatcher (prevTopLevel);
  50751. wasHiddenBecauseOfAppChange = false;
  50752. int result = 0;
  50753. ApplicationCommandManager* managerOfChosenCommand = 0;
  50754. Component* const popupComp = createMenuComponent (x, y, w, h,
  50755. itemIdThatMustBeVisible,
  50756. minimumWidth,
  50757. maximumNumColumns > 0 ? maximumNumColumns : 7,
  50758. standardItemHeight,
  50759. alignToRectangle, 0,
  50760. &managerOfChosenCommand,
  50761. componentAttachedTo);
  50762. if (popupComp != 0)
  50763. {
  50764. popupComp->enterModalState (false);
  50765. popupComp->toFront (false); // need to do this after making it modal, or it could
  50766. // be stuck behind other comps that are already modal..
  50767. result = popupComp->runModalLoop();
  50768. delete popupComp;
  50769. if (! wasHiddenBecauseOfAppChange)
  50770. {
  50771. if (deletionChecker2 != 0 && ! deletionChecker2->hasBeenDeleted())
  50772. prevTopLevel->toFront (true);
  50773. if (deletionChecker1 != 0 && ! deletionChecker1->hasBeenDeleted())
  50774. prevFocused->grabKeyboardFocus();
  50775. }
  50776. }
  50777. delete deletionChecker1;
  50778. delete deletionChecker2;
  50779. if (managerOfChosenCommand != 0 && result != 0)
  50780. {
  50781. ApplicationCommandTarget::InvocationInfo info (result);
  50782. info.invocationMethod = ApplicationCommandTarget::InvocationInfo::fromMenu;
  50783. managerOfChosenCommand->invoke (info, true);
  50784. }
  50785. return result;
  50786. }
  50787. int PopupMenu::show (const int itemIdThatMustBeVisible,
  50788. const int minimumWidth,
  50789. const int maximumNumColumns,
  50790. const int standardItemHeight)
  50791. {
  50792. int x, y;
  50793. Desktop::getMousePosition (x, y);
  50794. return showAt (x, y,
  50795. itemIdThatMustBeVisible,
  50796. minimumWidth,
  50797. maximumNumColumns,
  50798. standardItemHeight);
  50799. }
  50800. int PopupMenu::showAt (const int screenX,
  50801. const int screenY,
  50802. const int itemIdThatMustBeVisible,
  50803. const int minimumWidth,
  50804. const int maximumNumColumns,
  50805. const int standardItemHeight)
  50806. {
  50807. return showMenu (screenX, screenY, 1, 1,
  50808. itemIdThatMustBeVisible,
  50809. minimumWidth, maximumNumColumns,
  50810. standardItemHeight,
  50811. false, 0);
  50812. }
  50813. int PopupMenu::showAt (Component* componentToAttachTo,
  50814. const int itemIdThatMustBeVisible,
  50815. const int minimumWidth,
  50816. const int maximumNumColumns,
  50817. const int standardItemHeight)
  50818. {
  50819. if (componentToAttachTo != 0)
  50820. {
  50821. return showMenu (componentToAttachTo->getScreenX(),
  50822. componentToAttachTo->getScreenY(),
  50823. componentToAttachTo->getWidth(),
  50824. componentToAttachTo->getHeight(),
  50825. itemIdThatMustBeVisible,
  50826. minimumWidth,
  50827. maximumNumColumns,
  50828. standardItemHeight,
  50829. true, componentToAttachTo);
  50830. }
  50831. else
  50832. {
  50833. return show (itemIdThatMustBeVisible,
  50834. minimumWidth,
  50835. maximumNumColumns,
  50836. standardItemHeight);
  50837. }
  50838. }
  50839. void JUCE_CALLTYPE PopupMenu::dismissAllActiveMenus() throw()
  50840. {
  50841. for (int i = activeMenuWindows.size(); --i >= 0;)
  50842. {
  50843. PopupMenuWindow* const pmw = (PopupMenuWindow*) activeMenuWindows[i];
  50844. if (pmw != 0)
  50845. pmw->dismissMenu (0);
  50846. }
  50847. }
  50848. int PopupMenu::getNumItems() const throw()
  50849. {
  50850. int num = 0;
  50851. for (int i = items.size(); --i >= 0;)
  50852. if (! ((MenuItemInfo*) items.getUnchecked(i))->isSeparator)
  50853. ++num;
  50854. return num;
  50855. }
  50856. bool PopupMenu::containsCommandItem (const int commandID) const throw()
  50857. {
  50858. for (int i = items.size(); --i >= 0;)
  50859. {
  50860. const MenuItemInfo* mi = (const MenuItemInfo*) items.getUnchecked (i);
  50861. if ((mi->itemId == commandID && mi->commandManager != 0)
  50862. || (mi->subMenu != 0 && mi->subMenu->containsCommandItem (commandID)))
  50863. {
  50864. return true;
  50865. }
  50866. }
  50867. return false;
  50868. }
  50869. bool PopupMenu::containsAnyActiveItems() const throw()
  50870. {
  50871. for (int i = items.size(); --i >= 0;)
  50872. {
  50873. const MenuItemInfo* const mi = (const MenuItemInfo*) items.getUnchecked (i);
  50874. if (mi->subMenu != 0)
  50875. {
  50876. if (mi->subMenu->containsAnyActiveItems())
  50877. return true;
  50878. }
  50879. else if (mi->active)
  50880. {
  50881. return true;
  50882. }
  50883. }
  50884. return false;
  50885. }
  50886. void PopupMenu::setLookAndFeel (LookAndFeel* const newLookAndFeel) throw()
  50887. {
  50888. lookAndFeel = newLookAndFeel;
  50889. }
  50890. PopupMenuCustomComponent::PopupMenuCustomComponent (const bool isTriggeredAutomatically_)
  50891. : refCount_ (0),
  50892. isHighlighted (false),
  50893. isTriggeredAutomatically (isTriggeredAutomatically_)
  50894. {
  50895. }
  50896. PopupMenuCustomComponent::~PopupMenuCustomComponent()
  50897. {
  50898. jassert (refCount_ == 0); // should be deleted only by the menu component, as they keep a ref-count.
  50899. }
  50900. void PopupMenuCustomComponent::triggerMenuItem()
  50901. {
  50902. MenuItemComponent* const mic = dynamic_cast<MenuItemComponent*> (getParentComponent());
  50903. if (mic != 0)
  50904. {
  50905. PopupMenuWindow* const pmw = dynamic_cast<PopupMenuWindow*> (mic->getParentComponent());
  50906. if (pmw != 0)
  50907. {
  50908. pmw->dismissMenu (&mic->itemInfo);
  50909. }
  50910. else
  50911. {
  50912. // something must have gone wrong with the component hierarchy if this happens..
  50913. jassertfalse
  50914. }
  50915. }
  50916. else
  50917. {
  50918. // why isn't this component inside a menu? Not much point triggering the item if
  50919. // there's no menu.
  50920. jassertfalse
  50921. }
  50922. }
  50923. PopupMenu::MenuItemIterator::MenuItemIterator (const PopupMenu& menu_) throw()
  50924. : subMenu (0),
  50925. itemId (0),
  50926. isSeparator (false),
  50927. isTicked (false),
  50928. isEnabled (false),
  50929. isCustomComponent (false),
  50930. isSectionHeader (false),
  50931. customColour (0),
  50932. customImage (0),
  50933. menu (menu_),
  50934. index (0)
  50935. {
  50936. }
  50937. PopupMenu::MenuItemIterator::~MenuItemIterator() throw()
  50938. {
  50939. }
  50940. bool PopupMenu::MenuItemIterator::next() throw()
  50941. {
  50942. if (index >= menu.items.size())
  50943. return false;
  50944. const MenuItemInfo* const item = (const MenuItemInfo*) menu.items.getUnchecked (index);
  50945. ++index;
  50946. itemName = item->customComp != 0 ? item->customComp->getName() : item->text;
  50947. subMenu = item->subMenu;
  50948. itemId = item->itemId;
  50949. isSeparator = item->isSeparator;
  50950. isTicked = item->isTicked;
  50951. isEnabled = item->active;
  50952. isSectionHeader = dynamic_cast <HeaderItemComponent*> (item->customComp) != 0;
  50953. isCustomComponent = (! isSectionHeader) && item->customComp != 0;
  50954. customColour = item->usesColour ? &(item->textColour) : 0;
  50955. customImage = item->image;
  50956. commandManager = item->commandManager;
  50957. return true;
  50958. }
  50959. END_JUCE_NAMESPACE
  50960. /********* End of inlined file: juce_PopupMenu.cpp *********/
  50961. /********* Start of inlined file: juce_ComponentDragger.cpp *********/
  50962. BEGIN_JUCE_NAMESPACE
  50963. ComponentDragger::ComponentDragger()
  50964. : constrainer (0),
  50965. originalX (0),
  50966. originalY (0)
  50967. {
  50968. }
  50969. ComponentDragger::~ComponentDragger()
  50970. {
  50971. }
  50972. void ComponentDragger::startDraggingComponent (Component* const componentToDrag,
  50973. ComponentBoundsConstrainer* const constrainer_)
  50974. {
  50975. jassert (componentToDrag->isValidComponent());
  50976. if (componentToDrag->isValidComponent())
  50977. {
  50978. constrainer = constrainer_;
  50979. originalX = 0;
  50980. originalY = 0;
  50981. componentToDrag->relativePositionToGlobal (originalX, originalY);
  50982. }
  50983. }
  50984. void ComponentDragger::dragComponent (Component* const componentToDrag, const MouseEvent& e)
  50985. {
  50986. jassert (componentToDrag->isValidComponent());
  50987. jassert (e.mods.isAnyMouseButtonDown()); // (the event has to be a drag event..)
  50988. if (componentToDrag->isValidComponent())
  50989. {
  50990. int x = originalX + e.getDistanceFromDragStartX();
  50991. int y = originalY + e.getDistanceFromDragStartY();
  50992. int w = componentToDrag->getWidth();
  50993. int h = componentToDrag->getHeight();
  50994. const Component* const parentComp = componentToDrag->getParentComponent();
  50995. if (parentComp != 0)
  50996. parentComp->globalPositionToRelative (x, y);
  50997. if (constrainer != 0)
  50998. constrainer->setBoundsForComponent (componentToDrag, x, y, w, h,
  50999. false, false, false, false);
  51000. else
  51001. componentToDrag->setBounds (x, y, w, h);
  51002. }
  51003. }
  51004. END_JUCE_NAMESPACE
  51005. /********* End of inlined file: juce_ComponentDragger.cpp *********/
  51006. /********* Start of inlined file: juce_DragAndDropContainer.cpp *********/
  51007. BEGIN_JUCE_NAMESPACE
  51008. bool juce_performDragDropFiles (const StringArray& files, const bool copyFiles, bool& shouldStop);
  51009. bool juce_performDragDropText (const String& text, bool& shouldStop);
  51010. class DragImageComponent : public Component,
  51011. public Timer
  51012. {
  51013. private:
  51014. Image* image;
  51015. Component* const source;
  51016. DragAndDropContainer* const owner;
  51017. ComponentDeletionWatcher* sourceWatcher;
  51018. Component* mouseDragSource;
  51019. ComponentDeletionWatcher* mouseDragSourceWatcher;
  51020. DragAndDropTarget* currentlyOver;
  51021. String dragDesc;
  51022. int xOff, yOff;
  51023. bool hasCheckedForExternalDrag, drawImage;
  51024. DragImageComponent (const DragImageComponent&);
  51025. const DragImageComponent& operator= (const DragImageComponent&);
  51026. public:
  51027. DragImageComponent (Image* const im,
  51028. const String& desc,
  51029. Component* const s,
  51030. DragAndDropContainer* const o)
  51031. : image (im),
  51032. source (s),
  51033. owner (o),
  51034. currentlyOver (0),
  51035. dragDesc (desc),
  51036. hasCheckedForExternalDrag (false),
  51037. drawImage (true)
  51038. {
  51039. setSize (im->getWidth(), im->getHeight());
  51040. sourceWatcher = new ComponentDeletionWatcher (source);
  51041. mouseDragSource = Component::getComponentUnderMouse();
  51042. if (mouseDragSource == 0)
  51043. mouseDragSource = source;
  51044. mouseDragSourceWatcher = new ComponentDeletionWatcher (mouseDragSource);
  51045. mouseDragSource->addMouseListener (this, false);
  51046. int mx, my;
  51047. Desktop::getLastMouseDownPosition (mx, my);
  51048. source->globalPositionToRelative (mx, my);
  51049. xOff = jlimit (0, im->getWidth(), mx);
  51050. yOff = jlimit (0, im->getHeight(), my);
  51051. startTimer (200);
  51052. setInterceptsMouseClicks (false, false);
  51053. setAlwaysOnTop (true);
  51054. }
  51055. ~DragImageComponent()
  51056. {
  51057. if (owner->dragImageComponent == this)
  51058. owner->dragImageComponent = 0;
  51059. if (((Component*) currentlyOver)->isValidComponent())
  51060. {
  51061. Component* const over = dynamic_cast <Component*> (currentlyOver);
  51062. if (over != 0
  51063. && over->isValidComponent()
  51064. && source->isValidComponent()
  51065. && currentlyOver->isInterestedInDragSource (dragDesc, source))
  51066. {
  51067. currentlyOver->itemDragExit (dragDesc, source);
  51068. }
  51069. }
  51070. if (! mouseDragSourceWatcher->hasBeenDeleted())
  51071. mouseDragSource->removeMouseListener (this);
  51072. delete mouseDragSourceWatcher;
  51073. delete sourceWatcher;
  51074. delete image;
  51075. }
  51076. void paint (Graphics& g)
  51077. {
  51078. if (isOpaque())
  51079. g.fillAll (Colours::white);
  51080. if (drawImage)
  51081. {
  51082. g.setOpacity (1.0f);
  51083. g.drawImageAt (image, 0, 0);
  51084. }
  51085. }
  51086. DragAndDropTarget* findTarget (const int screenX, const int screenY,
  51087. int& relX, int& relY) const throw()
  51088. {
  51089. Component* hit = getParentComponent();
  51090. if (hit == 0)
  51091. {
  51092. hit = Desktop::getInstance().findComponentAt (screenX, screenY);
  51093. }
  51094. else
  51095. {
  51096. int rx = screenX, ry = screenY;
  51097. hit->globalPositionToRelative (rx, ry);
  51098. hit = hit->getComponentAt (rx, ry);
  51099. }
  51100. while (hit != 0)
  51101. {
  51102. DragAndDropTarget* const ddt = dynamic_cast <DragAndDropTarget*> (hit);
  51103. if (ddt != 0 && ddt->isInterestedInDragSource (dragDesc, source))
  51104. {
  51105. relX = screenX;
  51106. relY = screenY;
  51107. hit->globalPositionToRelative (relX, relY);
  51108. return ddt;
  51109. }
  51110. hit = hit->getParentComponent();
  51111. }
  51112. return 0;
  51113. }
  51114. void mouseUp (const MouseEvent& e)
  51115. {
  51116. if (e.originalComponent != this)
  51117. {
  51118. if (! mouseDragSourceWatcher->hasBeenDeleted())
  51119. mouseDragSource->removeMouseListener (this);
  51120. bool dropAccepted = false;
  51121. DragAndDropTarget* ddt = 0;
  51122. int relX = 0, relY = 0;
  51123. if (isVisible())
  51124. {
  51125. setVisible (false);
  51126. ddt = findTarget (e.getScreenX(),
  51127. e.getScreenY(),
  51128. relX, relY);
  51129. // fade this component and remove it - it'll be deleted later by the timer callback
  51130. dropAccepted = ddt != 0;
  51131. setVisible (true);
  51132. if (dropAccepted || sourceWatcher->hasBeenDeleted())
  51133. {
  51134. fadeOutComponent (120);
  51135. }
  51136. else
  51137. {
  51138. int targetX = source->getWidth() / 2;
  51139. int targetY = source->getHeight() / 2;
  51140. source->relativePositionToGlobal (targetX, targetY);
  51141. int ourCentreX = getWidth() / 2;
  51142. int ourCentreY = getHeight() / 2;
  51143. relativePositionToGlobal (ourCentreX, ourCentreY);
  51144. fadeOutComponent (120,
  51145. targetX - ourCentreX,
  51146. targetY - ourCentreY);
  51147. }
  51148. }
  51149. if (getParentComponent() != 0)
  51150. getParentComponent()->removeChildComponent (this);
  51151. if (dropAccepted && ddt != 0)
  51152. ddt->itemDropped (dragDesc, source, relX, relY);
  51153. // careful - this object could now be deleted..
  51154. }
  51155. }
  51156. void updateLocation (const bool canDoExternalDrag, int x, int y)
  51157. {
  51158. int newX = x - xOff;
  51159. int newY = y - yOff;
  51160. if (getParentComponent() != 0)
  51161. getParentComponent()->globalPositionToRelative (newX, newY);
  51162. if (newX != getX() || newY != getY())
  51163. {
  51164. setTopLeftPosition (newX, newY);
  51165. int relX = 0, relY = 0;
  51166. DragAndDropTarget* const ddt = findTarget (x, y, relX, relY);
  51167. drawImage = (ddt == 0) || ddt->shouldDrawDragImageWhenOver();
  51168. if (ddt != currentlyOver)
  51169. {
  51170. Component* const over = dynamic_cast <Component*> (currentlyOver);
  51171. if (over != 0
  51172. && over->isValidComponent()
  51173. && ! (sourceWatcher->hasBeenDeleted())
  51174. && currentlyOver->isInterestedInDragSource (dragDesc, source))
  51175. {
  51176. currentlyOver->itemDragExit (dragDesc, source);
  51177. }
  51178. currentlyOver = ddt;
  51179. if (currentlyOver != 0
  51180. && currentlyOver->isInterestedInDragSource (dragDesc, source))
  51181. currentlyOver->itemDragEnter (dragDesc, source, relX, relY);
  51182. }
  51183. if (currentlyOver != 0
  51184. && currentlyOver->isInterestedInDragSource (dragDesc, source))
  51185. currentlyOver->itemDragMove (dragDesc, source, relX, relY);
  51186. if (currentlyOver == 0
  51187. && canDoExternalDrag
  51188. && ! hasCheckedForExternalDrag)
  51189. {
  51190. if (Desktop::getInstance().findComponentAt (x, y) == 0)
  51191. {
  51192. hasCheckedForExternalDrag = true;
  51193. StringArray files;
  51194. bool canMoveFiles = false;
  51195. if (owner->shouldDropFilesWhenDraggedExternally (dragDesc, source, files, canMoveFiles)
  51196. && files.size() > 0)
  51197. {
  51198. ComponentDeletionWatcher cdw (this);
  51199. setVisible (false);
  51200. if (ModifierKeys::getCurrentModifiersRealtime().isAnyMouseButtonDown())
  51201. DragAndDropContainer::performExternalDragDropOfFiles (files, canMoveFiles);
  51202. if (! cdw.hasBeenDeleted())
  51203. delete this;
  51204. return;
  51205. }
  51206. }
  51207. }
  51208. }
  51209. }
  51210. void mouseDrag (const MouseEvent& e)
  51211. {
  51212. if (e.originalComponent != this)
  51213. updateLocation (true, e.getScreenX(), e.getScreenY());
  51214. }
  51215. void timerCallback()
  51216. {
  51217. if (sourceWatcher->hasBeenDeleted())
  51218. {
  51219. delete this;
  51220. }
  51221. else if (! isMouseButtonDownAnywhere())
  51222. {
  51223. if (! mouseDragSourceWatcher->hasBeenDeleted())
  51224. mouseDragSource->removeMouseListener (this);
  51225. delete this;
  51226. }
  51227. }
  51228. };
  51229. DragAndDropContainer::DragAndDropContainer()
  51230. : dragImageComponent (0)
  51231. {
  51232. }
  51233. DragAndDropContainer::~DragAndDropContainer()
  51234. {
  51235. if (dragImageComponent != 0)
  51236. delete dragImageComponent;
  51237. }
  51238. void DragAndDropContainer::startDragging (const String& sourceDescription,
  51239. Component* sourceComponent,
  51240. Image* im,
  51241. const bool allowDraggingToExternalWindows)
  51242. {
  51243. if (dragImageComponent != 0)
  51244. {
  51245. if (im != 0)
  51246. delete im;
  51247. }
  51248. else
  51249. {
  51250. Component* const thisComp = dynamic_cast <Component*> (this);
  51251. if (thisComp != 0)
  51252. {
  51253. int mx, my;
  51254. Desktop::getLastMouseDownPosition (mx, my);
  51255. if (im == 0)
  51256. {
  51257. im = sourceComponent->createComponentSnapshot (Rectangle (0, 0, sourceComponent->getWidth(), sourceComponent->getHeight()));
  51258. if (im->getFormat() != Image::ARGB)
  51259. {
  51260. Image* newIm = new Image (Image::ARGB, im->getWidth(), im->getHeight(), true);
  51261. Graphics g2 (*newIm);
  51262. g2.drawImageAt (im, 0, 0);
  51263. delete im;
  51264. im = newIm;
  51265. }
  51266. im->multiplyAllAlphas (0.6f);
  51267. const int lo = 150;
  51268. const int hi = 400;
  51269. int rx = mx, ry = my;
  51270. sourceComponent->globalPositionToRelative (rx, ry);
  51271. const int cx = jlimit (0, im->getWidth(), rx);
  51272. const int cy = jlimit (0, im->getHeight(), ry);
  51273. for (int y = im->getHeight(); --y >= 0;)
  51274. {
  51275. const double dy = (y - cy) * (y - cy);
  51276. for (int x = im->getWidth(); --x >= 0;)
  51277. {
  51278. const int dx = x - cx;
  51279. const int distance = roundDoubleToInt (sqrt (dx * dx + dy));
  51280. if (distance > lo)
  51281. {
  51282. const float alpha = (distance > hi) ? 0
  51283. : (hi - distance) / (float) (hi - lo)
  51284. + Random::getSystemRandom().nextFloat() * 0.008f;
  51285. im->multiplyAlphaAt (x, y, alpha);
  51286. }
  51287. }
  51288. }
  51289. }
  51290. DragImageComponent* const dic
  51291. = new DragImageComponent (im,
  51292. sourceDescription,
  51293. sourceComponent,
  51294. this);
  51295. dragImageComponent = dic;
  51296. currentDragDesc = sourceDescription;
  51297. if (allowDraggingToExternalWindows)
  51298. {
  51299. if (! Desktop::canUseSemiTransparentWindows())
  51300. dic->setOpaque (true);
  51301. dic->addToDesktop (ComponentPeer::windowIgnoresMouseClicks
  51302. | ComponentPeer::windowIsTemporary);
  51303. }
  51304. else
  51305. thisComp->addChildComponent (dic);
  51306. dic->updateLocation (false, mx, my);
  51307. dic->setVisible (true);
  51308. }
  51309. else
  51310. {
  51311. // this class must only be implemented by an object that
  51312. // is also a Component.
  51313. jassertfalse
  51314. if (im != 0)
  51315. delete im;
  51316. }
  51317. }
  51318. }
  51319. bool DragAndDropContainer::isDragAndDropActive() const
  51320. {
  51321. return dragImageComponent != 0;
  51322. }
  51323. const String DragAndDropContainer::getCurrentDragDescription() const
  51324. {
  51325. return (dragImageComponent != 0) ? currentDragDesc
  51326. : String::empty;
  51327. }
  51328. DragAndDropContainer* DragAndDropContainer::findParentDragContainerFor (Component* c)
  51329. {
  51330. if (c == 0)
  51331. return 0;
  51332. // (unable to use the syntax findParentComponentOfClass <DragAndDropContainer> () because of a VC6 compiler bug)
  51333. return c->findParentComponentOfClass ((DragAndDropContainer*) 0);
  51334. }
  51335. bool DragAndDropContainer::shouldDropFilesWhenDraggedExternally (const String&, Component*, StringArray&, bool&)
  51336. {
  51337. return false;
  51338. }
  51339. void DragAndDropTarget::itemDragEnter (const String&, Component*, int, int)
  51340. {
  51341. }
  51342. void DragAndDropTarget::itemDragMove (const String&, Component*, int, int)
  51343. {
  51344. }
  51345. void DragAndDropTarget::itemDragExit (const String&, Component*)
  51346. {
  51347. }
  51348. bool DragAndDropTarget::shouldDrawDragImageWhenOver()
  51349. {
  51350. return true;
  51351. }
  51352. void FileDragAndDropTarget::fileDragEnter (const StringArray&, int, int)
  51353. {
  51354. }
  51355. void FileDragAndDropTarget::fileDragMove (const StringArray&, int, int)
  51356. {
  51357. }
  51358. void FileDragAndDropTarget::fileDragExit (const StringArray&)
  51359. {
  51360. }
  51361. END_JUCE_NAMESPACE
  51362. /********* End of inlined file: juce_DragAndDropContainer.cpp *********/
  51363. /********* Start of inlined file: juce_MouseCursor.cpp *********/
  51364. BEGIN_JUCE_NAMESPACE
  51365. void* juce_createMouseCursorFromImage (const Image& image, int hotspotX, int hotspotY) throw();
  51366. void* juce_createStandardMouseCursor (MouseCursor::StandardCursorType type) throw();
  51367. // isStandard set depending on which interface was used to create the cursor
  51368. void juce_deleteMouseCursor (void* const cursorHandle, const bool isStandard) throw();
  51369. static CriticalSection mouseCursorLock;
  51370. static VoidArray standardCursors (2);
  51371. class RefCountedMouseCursor
  51372. {
  51373. public:
  51374. RefCountedMouseCursor (const MouseCursor::StandardCursorType t) throw()
  51375. : refCount (1),
  51376. standardType (t),
  51377. isStandard (true)
  51378. {
  51379. handle = juce_createStandardMouseCursor (standardType);
  51380. standardCursors.add (this);
  51381. }
  51382. RefCountedMouseCursor (Image& image,
  51383. const int hotSpotX,
  51384. const int hotSpotY) throw()
  51385. : refCount (1),
  51386. standardType (MouseCursor::NormalCursor),
  51387. isStandard (false)
  51388. {
  51389. handle = juce_createMouseCursorFromImage (image, hotSpotX, hotSpotY);
  51390. }
  51391. ~RefCountedMouseCursor() throw()
  51392. {
  51393. juce_deleteMouseCursor (handle, isStandard);
  51394. standardCursors.removeValue (this);
  51395. }
  51396. void decRef() throw()
  51397. {
  51398. if (--refCount == 0)
  51399. delete this;
  51400. }
  51401. void incRef() throw()
  51402. {
  51403. ++refCount;
  51404. }
  51405. void* getHandle() const throw()
  51406. {
  51407. return handle;
  51408. }
  51409. static RefCountedMouseCursor* findInstance (MouseCursor::StandardCursorType type) throw()
  51410. {
  51411. const ScopedLock sl (mouseCursorLock);
  51412. for (int i = 0; i < standardCursors.size(); i++)
  51413. {
  51414. RefCountedMouseCursor* const r = (RefCountedMouseCursor*) standardCursors.getUnchecked(i);
  51415. if (r->standardType == type)
  51416. {
  51417. r->incRef();
  51418. return r;
  51419. }
  51420. }
  51421. return new RefCountedMouseCursor (type);
  51422. }
  51423. juce_UseDebuggingNewOperator
  51424. private:
  51425. void* handle;
  51426. int refCount;
  51427. const MouseCursor::StandardCursorType standardType;
  51428. const bool isStandard;
  51429. const RefCountedMouseCursor& operator= (const RefCountedMouseCursor&);
  51430. };
  51431. MouseCursor::MouseCursor() throw()
  51432. {
  51433. cursorHandle = RefCountedMouseCursor::findInstance (NormalCursor);
  51434. }
  51435. MouseCursor::MouseCursor (const StandardCursorType type) throw()
  51436. {
  51437. cursorHandle = RefCountedMouseCursor::findInstance (type);
  51438. }
  51439. MouseCursor::MouseCursor (Image& image,
  51440. const int hotSpotX,
  51441. const int hotSpotY) throw()
  51442. {
  51443. cursorHandle = new RefCountedMouseCursor (image, hotSpotX, hotSpotY);
  51444. }
  51445. MouseCursor::MouseCursor (const MouseCursor& other) throw()
  51446. : cursorHandle (other.cursorHandle)
  51447. {
  51448. const ScopedLock sl (mouseCursorLock);
  51449. cursorHandle->incRef();
  51450. }
  51451. MouseCursor::~MouseCursor() throw()
  51452. {
  51453. const ScopedLock sl (mouseCursorLock);
  51454. cursorHandle->decRef();
  51455. }
  51456. const MouseCursor& MouseCursor::operator= (const MouseCursor& other) throw()
  51457. {
  51458. if (this != &other)
  51459. {
  51460. const ScopedLock sl (mouseCursorLock);
  51461. cursorHandle->decRef();
  51462. cursorHandle = other.cursorHandle;
  51463. cursorHandle->incRef();
  51464. }
  51465. return *this;
  51466. }
  51467. bool MouseCursor::operator== (const MouseCursor& other) const throw()
  51468. {
  51469. return cursorHandle == other.cursorHandle;
  51470. }
  51471. bool MouseCursor::operator!= (const MouseCursor& other) const throw()
  51472. {
  51473. return cursorHandle != other.cursorHandle;
  51474. }
  51475. void* MouseCursor::getHandle() const throw()
  51476. {
  51477. return cursorHandle->getHandle();
  51478. }
  51479. void MouseCursor::showWaitCursor() throw()
  51480. {
  51481. const MouseCursor mc (MouseCursor::WaitCursor);
  51482. mc.showInAllWindows();
  51483. }
  51484. void MouseCursor::hideWaitCursor() throw()
  51485. {
  51486. if (Component::getComponentUnderMouse()->isValidComponent())
  51487. {
  51488. Component::getComponentUnderMouse()->getMouseCursor().showInAllWindows();
  51489. }
  51490. else
  51491. {
  51492. const MouseCursor mc (MouseCursor::NormalCursor);
  51493. mc.showInAllWindows();
  51494. }
  51495. }
  51496. END_JUCE_NAMESPACE
  51497. /********* End of inlined file: juce_MouseCursor.cpp *********/
  51498. /********* Start of inlined file: juce_MouseEvent.cpp *********/
  51499. BEGIN_JUCE_NAMESPACE
  51500. MouseEvent::MouseEvent (const int x_,
  51501. const int y_,
  51502. const ModifierKeys& mods_,
  51503. Component* const originator,
  51504. const Time& eventTime_,
  51505. const int mouseDownX_,
  51506. const int mouseDownY_,
  51507. const Time& mouseDownTime_,
  51508. const int numberOfClicks_,
  51509. const bool mouseWasDragged) throw()
  51510. : x (x_),
  51511. y (y_),
  51512. mods (mods_),
  51513. eventComponent (originator),
  51514. originalComponent (originator),
  51515. eventTime (eventTime_),
  51516. mouseDownX (mouseDownX_),
  51517. mouseDownY (mouseDownY_),
  51518. mouseDownTime (mouseDownTime_),
  51519. numberOfClicks (numberOfClicks_),
  51520. wasMovedSinceMouseDown (mouseWasDragged)
  51521. {
  51522. }
  51523. MouseEvent::~MouseEvent() throw()
  51524. {
  51525. }
  51526. bool MouseEvent::mouseWasClicked() const throw()
  51527. {
  51528. return ! wasMovedSinceMouseDown;
  51529. }
  51530. int MouseEvent::getMouseDownX() const throw()
  51531. {
  51532. return mouseDownX;
  51533. }
  51534. int MouseEvent::getMouseDownY() const throw()
  51535. {
  51536. return mouseDownY;
  51537. }
  51538. int MouseEvent::getDistanceFromDragStartX() const throw()
  51539. {
  51540. return x - mouseDownX;
  51541. }
  51542. int MouseEvent::getDistanceFromDragStartY() const throw()
  51543. {
  51544. return y - mouseDownY;
  51545. }
  51546. int MouseEvent::getDistanceFromDragStart() const throw()
  51547. {
  51548. return roundDoubleToInt (juce_hypot (getDistanceFromDragStartX(),
  51549. getDistanceFromDragStartY()));
  51550. }
  51551. int MouseEvent::getLengthOfMousePress() const throw()
  51552. {
  51553. if (mouseDownTime.toMilliseconds() > 0)
  51554. return jmax (0, (int) (eventTime - mouseDownTime).inMilliseconds());
  51555. return 0;
  51556. }
  51557. int MouseEvent::getScreenX() const throw()
  51558. {
  51559. int sx = x, sy = y;
  51560. eventComponent->relativePositionToGlobal (sx, sy);
  51561. return sx;
  51562. }
  51563. int MouseEvent::getScreenY() const throw()
  51564. {
  51565. int sx = x, sy = y;
  51566. eventComponent->relativePositionToGlobal (sx, sy);
  51567. return sy;
  51568. }
  51569. int MouseEvent::getMouseDownScreenX() const throw()
  51570. {
  51571. int sx = mouseDownX, sy = mouseDownY;
  51572. eventComponent->relativePositionToGlobal (sx, sy);
  51573. return sx;
  51574. }
  51575. int MouseEvent::getMouseDownScreenY() const throw()
  51576. {
  51577. int sx = mouseDownX, sy = mouseDownY;
  51578. eventComponent->relativePositionToGlobal (sx, sy);
  51579. return sy;
  51580. }
  51581. const MouseEvent MouseEvent::getEventRelativeTo (Component* const otherComponent) const throw()
  51582. {
  51583. if (otherComponent == 0)
  51584. {
  51585. jassertfalse
  51586. return *this;
  51587. }
  51588. MouseEvent me (*this);
  51589. eventComponent->relativePositionToOtherComponent (otherComponent, me.x, me.y);
  51590. eventComponent->relativePositionToOtherComponent (otherComponent, me.mouseDownX, me.mouseDownY);
  51591. me.eventComponent = otherComponent;
  51592. return me;
  51593. }
  51594. static int doubleClickTimeOutMs = 400;
  51595. void MouseEvent::setDoubleClickTimeout (const int newTime) throw()
  51596. {
  51597. doubleClickTimeOutMs = newTime;
  51598. }
  51599. int MouseEvent::getDoubleClickTimeout() throw()
  51600. {
  51601. return doubleClickTimeOutMs;
  51602. }
  51603. END_JUCE_NAMESPACE
  51604. /********* End of inlined file: juce_MouseEvent.cpp *********/
  51605. /********* Start of inlined file: juce_MouseHoverDetector.cpp *********/
  51606. BEGIN_JUCE_NAMESPACE
  51607. MouseHoverDetector::MouseHoverDetector (const int hoverTimeMillisecs_)
  51608. : source (0),
  51609. hoverTimeMillisecs (hoverTimeMillisecs_),
  51610. hasJustHovered (false)
  51611. {
  51612. internalTimer.owner = this;
  51613. }
  51614. MouseHoverDetector::~MouseHoverDetector()
  51615. {
  51616. setHoverComponent (0);
  51617. }
  51618. void MouseHoverDetector::setHoverTimeMillisecs (const int newTimeInMillisecs)
  51619. {
  51620. hoverTimeMillisecs = newTimeInMillisecs;
  51621. }
  51622. void MouseHoverDetector::setHoverComponent (Component* const newSourceComponent)
  51623. {
  51624. if (source != newSourceComponent)
  51625. {
  51626. internalTimer.stopTimer();
  51627. hasJustHovered = false;
  51628. if (source != 0)
  51629. {
  51630. // ! you need to delete the hover detector before deleting its component
  51631. jassert (source->isValidComponent());
  51632. source->removeMouseListener (&internalTimer);
  51633. }
  51634. source = newSourceComponent;
  51635. if (newSourceComponent != 0)
  51636. newSourceComponent->addMouseListener (&internalTimer, false);
  51637. }
  51638. }
  51639. void MouseHoverDetector::hoverTimerCallback()
  51640. {
  51641. internalTimer.stopTimer();
  51642. if (source != 0)
  51643. {
  51644. int mx, my;
  51645. source->getMouseXYRelative (mx, my);
  51646. if (source->reallyContains (mx, my, false))
  51647. {
  51648. hasJustHovered = true;
  51649. mouseHovered (mx, my);
  51650. }
  51651. }
  51652. }
  51653. void MouseHoverDetector::checkJustHoveredCallback()
  51654. {
  51655. if (hasJustHovered)
  51656. {
  51657. hasJustHovered = false;
  51658. mouseMovedAfterHover();
  51659. }
  51660. }
  51661. void MouseHoverDetector::HoverDetectorInternal::timerCallback()
  51662. {
  51663. owner->hoverTimerCallback();
  51664. }
  51665. void MouseHoverDetector::HoverDetectorInternal::mouseEnter (const MouseEvent&)
  51666. {
  51667. stopTimer();
  51668. owner->checkJustHoveredCallback();
  51669. }
  51670. void MouseHoverDetector::HoverDetectorInternal::mouseExit (const MouseEvent&)
  51671. {
  51672. stopTimer();
  51673. owner->checkJustHoveredCallback();
  51674. }
  51675. void MouseHoverDetector::HoverDetectorInternal::mouseDown (const MouseEvent&)
  51676. {
  51677. stopTimer();
  51678. owner->checkJustHoveredCallback();
  51679. }
  51680. void MouseHoverDetector::HoverDetectorInternal::mouseUp (const MouseEvent&)
  51681. {
  51682. stopTimer();
  51683. owner->checkJustHoveredCallback();
  51684. }
  51685. void MouseHoverDetector::HoverDetectorInternal::mouseMove (const MouseEvent& e)
  51686. {
  51687. if (lastX != e.x || lastY != e.y) // to avoid fake mouse-moves setting it off
  51688. {
  51689. lastX = e.x;
  51690. lastY = e.y;
  51691. if (owner->source != 0)
  51692. startTimer (owner->hoverTimeMillisecs);
  51693. owner->checkJustHoveredCallback();
  51694. }
  51695. }
  51696. void MouseHoverDetector::HoverDetectorInternal::mouseWheelMove (const MouseEvent&, float, float)
  51697. {
  51698. stopTimer();
  51699. owner->checkJustHoveredCallback();
  51700. }
  51701. END_JUCE_NAMESPACE
  51702. /********* End of inlined file: juce_MouseHoverDetector.cpp *********/
  51703. /********* Start of inlined file: juce_MouseListener.cpp *********/
  51704. BEGIN_JUCE_NAMESPACE
  51705. void MouseListener::mouseEnter (const MouseEvent&)
  51706. {
  51707. }
  51708. void MouseListener::mouseExit (const MouseEvent&)
  51709. {
  51710. }
  51711. void MouseListener::mouseDown (const MouseEvent&)
  51712. {
  51713. }
  51714. void MouseListener::mouseUp (const MouseEvent&)
  51715. {
  51716. }
  51717. void MouseListener::mouseDrag (const MouseEvent&)
  51718. {
  51719. }
  51720. void MouseListener::mouseMove (const MouseEvent&)
  51721. {
  51722. }
  51723. void MouseListener::mouseDoubleClick (const MouseEvent&)
  51724. {
  51725. }
  51726. void MouseListener::mouseWheelMove (const MouseEvent&, float, float)
  51727. {
  51728. }
  51729. END_JUCE_NAMESPACE
  51730. /********* End of inlined file: juce_MouseListener.cpp *********/
  51731. /********* Start of inlined file: juce_BooleanPropertyComponent.cpp *********/
  51732. BEGIN_JUCE_NAMESPACE
  51733. BooleanPropertyComponent::BooleanPropertyComponent (const String& name,
  51734. const String& buttonTextWhenTrue,
  51735. const String& buttonTextWhenFalse)
  51736. : PropertyComponent (name),
  51737. onText (buttonTextWhenTrue),
  51738. offText (buttonTextWhenFalse)
  51739. {
  51740. addAndMakeVisible (button = new ToggleButton (String::empty));
  51741. button->setClickingTogglesState (false);
  51742. button->addButtonListener (this);
  51743. }
  51744. BooleanPropertyComponent::~BooleanPropertyComponent()
  51745. {
  51746. deleteAllChildren();
  51747. }
  51748. void BooleanPropertyComponent::paint (Graphics& g)
  51749. {
  51750. PropertyComponent::paint (g);
  51751. const Rectangle r (button->getBounds());
  51752. g.setColour (Colours::white);
  51753. g.fillRect (r);
  51754. g.setColour (findColour (ComboBox::outlineColourId));
  51755. g.drawRect (r.getX(), r.getY(), r.getWidth(), r.getHeight());
  51756. }
  51757. void BooleanPropertyComponent::refresh()
  51758. {
  51759. button->setToggleState (getState(), false);
  51760. button->setButtonText (button->getToggleState() ? onText : offText);
  51761. }
  51762. void BooleanPropertyComponent::buttonClicked (Button*)
  51763. {
  51764. setState (! getState());
  51765. }
  51766. END_JUCE_NAMESPACE
  51767. /********* End of inlined file: juce_BooleanPropertyComponent.cpp *********/
  51768. /********* Start of inlined file: juce_ButtonPropertyComponent.cpp *********/
  51769. BEGIN_JUCE_NAMESPACE
  51770. ButtonPropertyComponent::ButtonPropertyComponent (const String& name,
  51771. const bool triggerOnMouseDown)
  51772. : PropertyComponent (name)
  51773. {
  51774. addAndMakeVisible (button = new TextButton (String::empty));
  51775. button->setTriggeredOnMouseDown (triggerOnMouseDown);
  51776. button->addButtonListener (this);
  51777. }
  51778. ButtonPropertyComponent::~ButtonPropertyComponent()
  51779. {
  51780. deleteAllChildren();
  51781. }
  51782. void ButtonPropertyComponent::refresh()
  51783. {
  51784. button->setButtonText (getButtonText());
  51785. }
  51786. void ButtonPropertyComponent::buttonClicked (Button*)
  51787. {
  51788. buttonClicked();
  51789. }
  51790. END_JUCE_NAMESPACE
  51791. /********* End of inlined file: juce_ButtonPropertyComponent.cpp *********/
  51792. /********* Start of inlined file: juce_ChoicePropertyComponent.cpp *********/
  51793. BEGIN_JUCE_NAMESPACE
  51794. ChoicePropertyComponent::ChoicePropertyComponent (const String& name)
  51795. : PropertyComponent (name),
  51796. comboBox (0)
  51797. {
  51798. }
  51799. ChoicePropertyComponent::~ChoicePropertyComponent()
  51800. {
  51801. deleteAllChildren();
  51802. }
  51803. const StringArray& ChoicePropertyComponent::getChoices() const throw()
  51804. {
  51805. return choices;
  51806. }
  51807. void ChoicePropertyComponent::refresh()
  51808. {
  51809. if (comboBox == 0)
  51810. {
  51811. addAndMakeVisible (comboBox = new ComboBox (String::empty));
  51812. for (int i = 0; i < choices.size(); ++i)
  51813. {
  51814. if (choices[i].isNotEmpty())
  51815. comboBox->addItem (choices[i], i + 1);
  51816. else
  51817. comboBox->addSeparator();
  51818. }
  51819. comboBox->setEditableText (false);
  51820. comboBox->addListener (this);
  51821. }
  51822. comboBox->setSelectedId (getIndex() + 1, true);
  51823. }
  51824. void ChoicePropertyComponent::comboBoxChanged (ComboBox*)
  51825. {
  51826. const int newIndex = comboBox->getSelectedId() - 1;
  51827. if (newIndex != getIndex())
  51828. setIndex (newIndex);
  51829. }
  51830. END_JUCE_NAMESPACE
  51831. /********* End of inlined file: juce_ChoicePropertyComponent.cpp *********/
  51832. /********* Start of inlined file: juce_PropertyComponent.cpp *********/
  51833. BEGIN_JUCE_NAMESPACE
  51834. PropertyComponent::PropertyComponent (const String& name,
  51835. const int preferredHeight_)
  51836. : Component (name),
  51837. preferredHeight (preferredHeight_)
  51838. {
  51839. jassert (name.isNotEmpty());
  51840. }
  51841. PropertyComponent::~PropertyComponent()
  51842. {
  51843. }
  51844. void PropertyComponent::paint (Graphics& g)
  51845. {
  51846. getLookAndFeel().drawPropertyComponentBackground (g, getWidth(), getHeight(), *this);
  51847. getLookAndFeel().drawPropertyComponentLabel (g, getWidth(), getHeight(), *this);
  51848. }
  51849. void PropertyComponent::resized()
  51850. {
  51851. if (getNumChildComponents() > 0)
  51852. getChildComponent (0)->setBounds (getLookAndFeel().getPropertyComponentContentPosition (*this));
  51853. }
  51854. void PropertyComponent::enablementChanged()
  51855. {
  51856. repaint();
  51857. }
  51858. END_JUCE_NAMESPACE
  51859. /********* End of inlined file: juce_PropertyComponent.cpp *********/
  51860. /********* Start of inlined file: juce_PropertyPanel.cpp *********/
  51861. BEGIN_JUCE_NAMESPACE
  51862. class PropertyHolderComponent : public Component
  51863. {
  51864. public:
  51865. PropertyHolderComponent()
  51866. {
  51867. }
  51868. ~PropertyHolderComponent()
  51869. {
  51870. deleteAllChildren();
  51871. }
  51872. void paint (Graphics&)
  51873. {
  51874. }
  51875. void updateLayout (const int width);
  51876. void refreshAll() const;
  51877. };
  51878. class PropertySectionComponent : public Component
  51879. {
  51880. public:
  51881. PropertySectionComponent (const String& sectionTitle,
  51882. const Array <PropertyComponent*>& newProperties,
  51883. const bool open)
  51884. : Component (sectionTitle),
  51885. titleHeight (sectionTitle.isNotEmpty() ? 22 : 0),
  51886. isOpen_ (open)
  51887. {
  51888. for (int i = newProperties.size(); --i >= 0;)
  51889. {
  51890. addAndMakeVisible (newProperties.getUnchecked(i));
  51891. newProperties.getUnchecked(i)->refresh();
  51892. }
  51893. }
  51894. ~PropertySectionComponent()
  51895. {
  51896. deleteAllChildren();
  51897. }
  51898. void paint (Graphics& g)
  51899. {
  51900. if (titleHeight > 0)
  51901. getLookAndFeel().drawPropertyPanelSectionHeader (g, getName(), isOpen(), getWidth(), titleHeight);
  51902. }
  51903. void resized()
  51904. {
  51905. int y = titleHeight;
  51906. for (int i = getNumChildComponents(); --i >= 0;)
  51907. {
  51908. PropertyComponent* const pec = dynamic_cast <PropertyComponent*> (getChildComponent (i));
  51909. if (pec != 0)
  51910. {
  51911. const int prefH = pec->getPreferredHeight();
  51912. pec->setBounds (1, y, getWidth() - 2, prefH);
  51913. y += prefH;
  51914. }
  51915. }
  51916. }
  51917. int getPreferredHeight() const
  51918. {
  51919. int y = titleHeight;
  51920. if (isOpen())
  51921. {
  51922. for (int i = 0; i < getNumChildComponents(); ++i)
  51923. {
  51924. PropertyComponent* pec = dynamic_cast <PropertyComponent*> (getChildComponent (i));
  51925. if (pec != 0)
  51926. y += pec->getPreferredHeight();
  51927. }
  51928. }
  51929. return y;
  51930. }
  51931. void setOpen (const bool open)
  51932. {
  51933. if (isOpen_ != open)
  51934. {
  51935. isOpen_ = open;
  51936. for (int i = 0; i < getNumChildComponents(); ++i)
  51937. {
  51938. PropertyComponent* pec = dynamic_cast <PropertyComponent*> (getChildComponent (i));
  51939. if (pec != 0)
  51940. pec->setVisible (open);
  51941. }
  51942. // (unable to use the syntax findParentComponentOfClass <DragAndDropContainer> () because of a VC6 compiler bug)
  51943. PropertyPanel* const pp = findParentComponentOfClass ((PropertyPanel*) 0);
  51944. if (pp != 0)
  51945. pp->resized();
  51946. }
  51947. }
  51948. bool isOpen() const throw()
  51949. {
  51950. return isOpen_;
  51951. }
  51952. void refreshAll() const
  51953. {
  51954. for (int i = 0; i < getNumChildComponents(); ++i)
  51955. {
  51956. PropertyComponent* pec = dynamic_cast <PropertyComponent*> (getChildComponent (i));
  51957. if (pec != 0)
  51958. pec->refresh();
  51959. }
  51960. }
  51961. void mouseDown (const MouseEvent&)
  51962. {
  51963. }
  51964. void mouseUp (const MouseEvent& e)
  51965. {
  51966. if (e.getMouseDownX() < titleHeight
  51967. && e.x < titleHeight
  51968. && e.y < titleHeight
  51969. && e.getNumberOfClicks() != 2)
  51970. {
  51971. setOpen (! isOpen());
  51972. }
  51973. }
  51974. void mouseDoubleClick (const MouseEvent& e)
  51975. {
  51976. if (e.y < titleHeight)
  51977. setOpen (! isOpen());
  51978. }
  51979. private:
  51980. int titleHeight;
  51981. bool isOpen_;
  51982. };
  51983. void PropertyHolderComponent::updateLayout (const int width)
  51984. {
  51985. int y = 0;
  51986. for (int i = getNumChildComponents(); --i >= 0;)
  51987. {
  51988. PropertySectionComponent* const section
  51989. = dynamic_cast <PropertySectionComponent*> (getChildComponent (i));
  51990. if (section != 0)
  51991. {
  51992. const int prefH = section->getPreferredHeight();
  51993. section->setBounds (0, y, width, prefH);
  51994. y += prefH;
  51995. }
  51996. }
  51997. setSize (width, y);
  51998. repaint();
  51999. }
  52000. void PropertyHolderComponent::refreshAll() const
  52001. {
  52002. for (int i = getNumChildComponents(); --i >= 0;)
  52003. {
  52004. PropertySectionComponent* const section
  52005. = dynamic_cast <PropertySectionComponent*> (getChildComponent (i));
  52006. if (section != 0)
  52007. section->refreshAll();
  52008. }
  52009. }
  52010. PropertyPanel::PropertyPanel()
  52011. {
  52012. messageWhenEmpty = TRANS("(nothing selected)");
  52013. addAndMakeVisible (viewport = new Viewport());
  52014. viewport->setViewedComponent (propertyHolderComponent = new PropertyHolderComponent());
  52015. viewport->setFocusContainer (true);
  52016. }
  52017. PropertyPanel::~PropertyPanel()
  52018. {
  52019. clear();
  52020. deleteAllChildren();
  52021. }
  52022. void PropertyPanel::paint (Graphics& g)
  52023. {
  52024. if (propertyHolderComponent->getNumChildComponents() == 0)
  52025. {
  52026. g.setColour (Colours::black.withAlpha (0.5f));
  52027. g.setFont (14.0f);
  52028. g.drawText (messageWhenEmpty, 0, 0, getWidth(), 30,
  52029. Justification::centred, true);
  52030. }
  52031. }
  52032. void PropertyPanel::resized()
  52033. {
  52034. viewport->setBounds (0, 0, getWidth(), getHeight());
  52035. updatePropHolderLayout();
  52036. }
  52037. void PropertyPanel::clear()
  52038. {
  52039. if (propertyHolderComponent->getNumChildComponents() > 0)
  52040. {
  52041. propertyHolderComponent->deleteAllChildren();
  52042. repaint();
  52043. }
  52044. }
  52045. void PropertyPanel::addProperties (const Array <PropertyComponent*>& newProperties)
  52046. {
  52047. if (propertyHolderComponent->getNumChildComponents() == 0)
  52048. repaint();
  52049. propertyHolderComponent->addAndMakeVisible (new PropertySectionComponent (String::empty,
  52050. newProperties,
  52051. true), 0);
  52052. updatePropHolderLayout();
  52053. }
  52054. void PropertyPanel::addSection (const String& sectionTitle,
  52055. const Array <PropertyComponent*>& newProperties,
  52056. const bool shouldBeOpen)
  52057. {
  52058. jassert (sectionTitle.isNotEmpty());
  52059. if (propertyHolderComponent->getNumChildComponents() == 0)
  52060. repaint();
  52061. propertyHolderComponent->addAndMakeVisible (new PropertySectionComponent (sectionTitle,
  52062. newProperties,
  52063. shouldBeOpen), 0);
  52064. updatePropHolderLayout();
  52065. }
  52066. void PropertyPanel::updatePropHolderLayout() const
  52067. {
  52068. const int maxWidth = viewport->getMaximumVisibleWidth();
  52069. ((PropertyHolderComponent*) propertyHolderComponent)->updateLayout (maxWidth);
  52070. const int newMaxWidth = viewport->getMaximumVisibleWidth();
  52071. if (maxWidth != newMaxWidth)
  52072. {
  52073. // need to do this twice because of scrollbars changing the size, etc.
  52074. ((PropertyHolderComponent*) propertyHolderComponent)->updateLayout (newMaxWidth);
  52075. }
  52076. }
  52077. void PropertyPanel::refreshAll() const
  52078. {
  52079. ((PropertyHolderComponent*) propertyHolderComponent)->refreshAll();
  52080. }
  52081. const StringArray PropertyPanel::getSectionNames() const
  52082. {
  52083. StringArray s;
  52084. for (int i = 0; i < propertyHolderComponent->getNumChildComponents(); ++i)
  52085. {
  52086. PropertySectionComponent* const section = dynamic_cast <PropertySectionComponent*> (propertyHolderComponent->getChildComponent (i));
  52087. if (section != 0 && section->getName().isNotEmpty())
  52088. s.add (section->getName());
  52089. }
  52090. return s;
  52091. }
  52092. bool PropertyPanel::isSectionOpen (const int sectionIndex) const
  52093. {
  52094. int index = 0;
  52095. for (int i = 0; i < propertyHolderComponent->getNumChildComponents(); ++i)
  52096. {
  52097. PropertySectionComponent* const section = dynamic_cast <PropertySectionComponent*> (propertyHolderComponent->getChildComponent (i));
  52098. if (section != 0 && section->getName().isNotEmpty())
  52099. {
  52100. if (index == sectionIndex)
  52101. return section->isOpen();
  52102. ++index;
  52103. }
  52104. }
  52105. return false;
  52106. }
  52107. void PropertyPanel::setSectionOpen (const int sectionIndex, const bool shouldBeOpen)
  52108. {
  52109. int index = 0;
  52110. for (int i = 0; i < propertyHolderComponent->getNumChildComponents(); ++i)
  52111. {
  52112. PropertySectionComponent* const section = dynamic_cast <PropertySectionComponent*> (propertyHolderComponent->getChildComponent (i));
  52113. if (section != 0 && section->getName().isNotEmpty())
  52114. {
  52115. if (index == sectionIndex)
  52116. {
  52117. section->setOpen (shouldBeOpen);
  52118. break;
  52119. }
  52120. ++index;
  52121. }
  52122. }
  52123. }
  52124. XmlElement* PropertyPanel::getOpennessState() const
  52125. {
  52126. XmlElement* const xml = new XmlElement (T("PROPERTYPANELSTATE"));
  52127. const StringArray sections (getSectionNames());
  52128. for (int i = 0; i < sections.size(); ++i)
  52129. {
  52130. if (sections[i].isNotEmpty())
  52131. {
  52132. XmlElement* const e = new XmlElement (T("SECTION"));
  52133. e->setAttribute (T("name"), sections[i]);
  52134. e->setAttribute (T("open"), isSectionOpen (i) ? 1 : 0);
  52135. xml->addChildElement (e);
  52136. }
  52137. }
  52138. return xml;
  52139. }
  52140. void PropertyPanel::restoreOpennessState (const XmlElement& xml)
  52141. {
  52142. if (xml.hasTagName (T("PROPERTYPANELSTATE")))
  52143. {
  52144. const StringArray sections (getSectionNames());
  52145. forEachXmlChildElementWithTagName (xml, e, T("SECTION"))
  52146. {
  52147. setSectionOpen (sections.indexOf (e->getStringAttribute (T("name"))),
  52148. e->getBoolAttribute (T("open")));
  52149. }
  52150. }
  52151. }
  52152. void PropertyPanel::setMessageWhenEmpty (const String& newMessage)
  52153. {
  52154. if (messageWhenEmpty != newMessage)
  52155. {
  52156. messageWhenEmpty = newMessage;
  52157. repaint();
  52158. }
  52159. }
  52160. const String& PropertyPanel::getMessageWhenEmpty() const throw()
  52161. {
  52162. return messageWhenEmpty;
  52163. }
  52164. END_JUCE_NAMESPACE
  52165. /********* End of inlined file: juce_PropertyPanel.cpp *********/
  52166. /********* Start of inlined file: juce_SliderPropertyComponent.cpp *********/
  52167. BEGIN_JUCE_NAMESPACE
  52168. SliderPropertyComponent::SliderPropertyComponent (const String& name,
  52169. const double rangeMin,
  52170. const double rangeMax,
  52171. const double interval,
  52172. const double skewFactor)
  52173. : PropertyComponent (name)
  52174. {
  52175. addAndMakeVisible (slider = new Slider (name));
  52176. slider->setRange (rangeMin, rangeMax, interval);
  52177. slider->setSkewFactor (skewFactor);
  52178. slider->setSliderStyle (Slider::LinearBar);
  52179. slider->addListener (this);
  52180. }
  52181. SliderPropertyComponent::~SliderPropertyComponent()
  52182. {
  52183. deleteAllChildren();
  52184. }
  52185. void SliderPropertyComponent::refresh()
  52186. {
  52187. slider->setValue (getValue(), false);
  52188. }
  52189. void SliderPropertyComponent::sliderValueChanged (Slider*)
  52190. {
  52191. if (getValue() != slider->getValue())
  52192. setValue (slider->getValue());
  52193. }
  52194. END_JUCE_NAMESPACE
  52195. /********* End of inlined file: juce_SliderPropertyComponent.cpp *********/
  52196. /********* Start of inlined file: juce_TextPropertyComponent.cpp *********/
  52197. BEGIN_JUCE_NAMESPACE
  52198. class TextPropLabel : public Label
  52199. {
  52200. TextPropertyComponent& owner;
  52201. int maxChars;
  52202. bool isMultiline;
  52203. public:
  52204. TextPropLabel (TextPropertyComponent& owner_,
  52205. const int maxChars_, const bool isMultiline_)
  52206. : Label (String::empty, String::empty),
  52207. owner (owner_),
  52208. maxChars (maxChars_),
  52209. isMultiline (isMultiline_)
  52210. {
  52211. setEditable (true, true, false);
  52212. setColour (backgroundColourId, Colours::white);
  52213. setColour (outlineColourId, findColour (ComboBox::outlineColourId));
  52214. }
  52215. ~TextPropLabel()
  52216. {
  52217. }
  52218. TextEditor* createEditorComponent()
  52219. {
  52220. TextEditor* const textEditor = Label::createEditorComponent();
  52221. textEditor->setInputRestrictions (maxChars);
  52222. if (isMultiline)
  52223. {
  52224. textEditor->setMultiLine (true, true);
  52225. textEditor->setReturnKeyStartsNewLine (true);
  52226. }
  52227. return textEditor;
  52228. }
  52229. void textWasEdited()
  52230. {
  52231. owner.textWasEdited();
  52232. }
  52233. };
  52234. TextPropertyComponent::TextPropertyComponent (const String& name,
  52235. const int maxNumChars,
  52236. const bool isMultiLine)
  52237. : PropertyComponent (name)
  52238. {
  52239. addAndMakeVisible (textEditor = new TextPropLabel (*this, maxNumChars, isMultiLine));
  52240. if (isMultiLine)
  52241. {
  52242. textEditor->setJustificationType (Justification::topLeft);
  52243. preferredHeight = 120;
  52244. }
  52245. }
  52246. TextPropertyComponent::~TextPropertyComponent()
  52247. {
  52248. deleteAllChildren();
  52249. }
  52250. void TextPropertyComponent::refresh()
  52251. {
  52252. textEditor->setText (getText(), false);
  52253. }
  52254. void TextPropertyComponent::textWasEdited()
  52255. {
  52256. const String newText (textEditor->getText());
  52257. if (getText() != newText)
  52258. setText (newText);
  52259. }
  52260. END_JUCE_NAMESPACE
  52261. /********* End of inlined file: juce_TextPropertyComponent.cpp *********/
  52262. /********* Start of inlined file: juce_AudioDeviceSelectorComponent.cpp *********/
  52263. BEGIN_JUCE_NAMESPACE
  52264. class SimpleDeviceManagerInputLevelMeter : public Component,
  52265. public Timer
  52266. {
  52267. public:
  52268. SimpleDeviceManagerInputLevelMeter (AudioDeviceManager* const manager_)
  52269. : manager (manager_),
  52270. level (0)
  52271. {
  52272. startTimer (50);
  52273. manager->enableInputLevelMeasurement (true);
  52274. }
  52275. ~SimpleDeviceManagerInputLevelMeter()
  52276. {
  52277. manager->enableInputLevelMeasurement (false);
  52278. }
  52279. void timerCallback()
  52280. {
  52281. const float newLevel = (float) manager->getCurrentInputLevel();
  52282. if (fabsf (level - newLevel) > 0.005f)
  52283. {
  52284. level = newLevel;
  52285. repaint();
  52286. }
  52287. }
  52288. void paint (Graphics& g)
  52289. {
  52290. getLookAndFeel().drawLevelMeter (g, getWidth(), getHeight(), level);
  52291. }
  52292. private:
  52293. AudioDeviceManager* const manager;
  52294. float level;
  52295. };
  52296. class MidiInputSelectorComponentListBox : public ListBox,
  52297. public ListBoxModel
  52298. {
  52299. public:
  52300. MidiInputSelectorComponentListBox (AudioDeviceManager& deviceManager_,
  52301. const String& noItemsMessage_,
  52302. const int minNumber_,
  52303. const int maxNumber_)
  52304. : ListBox (String::empty, 0),
  52305. deviceManager (deviceManager_),
  52306. noItemsMessage (noItemsMessage_),
  52307. minNumber (minNumber_),
  52308. maxNumber (maxNumber_)
  52309. {
  52310. items = MidiInput::getDevices();
  52311. setModel (this);
  52312. setOutlineThickness (1);
  52313. }
  52314. ~MidiInputSelectorComponentListBox()
  52315. {
  52316. }
  52317. int getNumRows()
  52318. {
  52319. return items.size();
  52320. }
  52321. void paintListBoxItem (int row,
  52322. Graphics& g,
  52323. int width, int height,
  52324. bool rowIsSelected)
  52325. {
  52326. if (((unsigned int) row) < (unsigned int) items.size())
  52327. {
  52328. if (rowIsSelected)
  52329. g.fillAll (findColour (TextEditor::highlightColourId)
  52330. .withMultipliedAlpha (0.3f));
  52331. const String item (items [row]);
  52332. bool enabled = deviceManager.isMidiInputEnabled (item);
  52333. const int x = getTickX();
  52334. const int tickW = height - height / 4;
  52335. getLookAndFeel().drawTickBox (g, *this, x - tickW, (height - tickW) / 2, tickW, tickW,
  52336. enabled, true, true, false);
  52337. g.setFont (height * 0.6f);
  52338. g.setColour (findColour (ListBox::textColourId, true).withMultipliedAlpha (enabled ? 1.0f : 0.6f));
  52339. g.drawText (item, x, 0, width - x - 2, height, Justification::centredLeft, true);
  52340. }
  52341. }
  52342. void listBoxItemClicked (int row, const MouseEvent& e)
  52343. {
  52344. selectRow (row);
  52345. if (e.x < getTickX())
  52346. flipEnablement (row);
  52347. }
  52348. void listBoxItemDoubleClicked (int row, const MouseEvent&)
  52349. {
  52350. flipEnablement (row);
  52351. }
  52352. void returnKeyPressed (int row)
  52353. {
  52354. flipEnablement (row);
  52355. }
  52356. void paint (Graphics& g)
  52357. {
  52358. ListBox::paint (g);
  52359. if (items.size() == 0)
  52360. {
  52361. g.setColour (Colours::grey);
  52362. g.setFont (13.0f);
  52363. g.drawText (noItemsMessage,
  52364. 0, 0, getWidth(), getHeight() / 2,
  52365. Justification::centred, true);
  52366. }
  52367. }
  52368. int getBestHeight (const int preferredHeight)
  52369. {
  52370. const int extra = getOutlineThickness() * 2;
  52371. return jmax (getRowHeight() * 2 + extra,
  52372. jmin (getRowHeight() * getNumRows() + extra,
  52373. preferredHeight));
  52374. }
  52375. juce_UseDebuggingNewOperator
  52376. private:
  52377. AudioDeviceManager& deviceManager;
  52378. const String noItemsMessage;
  52379. StringArray items;
  52380. int minNumber, maxNumber;
  52381. void flipEnablement (const int row)
  52382. {
  52383. if (((unsigned int) row) < (unsigned int) items.size())
  52384. {
  52385. const String item (items [row]);
  52386. deviceManager.setMidiInputEnabled (item, ! deviceManager.isMidiInputEnabled (item));
  52387. }
  52388. }
  52389. int getTickX() const throw()
  52390. {
  52391. return getRowHeight() + 5;
  52392. }
  52393. MidiInputSelectorComponentListBox (const MidiInputSelectorComponentListBox&);
  52394. const MidiInputSelectorComponentListBox& operator= (const MidiInputSelectorComponentListBox&);
  52395. };
  52396. class AudioDeviceSettingsPanel : public Component,
  52397. public ComboBoxListener,
  52398. public ChangeListener,
  52399. public ButtonListener
  52400. {
  52401. public:
  52402. AudioDeviceSettingsPanel (AudioIODeviceType* type_,
  52403. AudioIODeviceType::DeviceSetupDetails& setup_,
  52404. const bool hideAdvancedOptionsWithButton)
  52405. : type (type_),
  52406. setup (setup_)
  52407. {
  52408. sampleRateDropDown = 0;
  52409. sampleRateLabel = 0;
  52410. bufferSizeDropDown = 0;
  52411. bufferSizeLabel = 0;
  52412. outputDeviceDropDown = 0;
  52413. outputDeviceLabel = 0;
  52414. inputDeviceDropDown = 0;
  52415. inputDeviceLabel = 0;
  52416. testButton = 0;
  52417. inputLevelMeter = 0;
  52418. showUIButton = 0;
  52419. inputChanList = 0;
  52420. outputChanList = 0;
  52421. inputChanLabel = 0;
  52422. outputChanLabel = 0;
  52423. showAdvancedSettingsButton = 0;
  52424. if (hideAdvancedOptionsWithButton)
  52425. {
  52426. addAndMakeVisible (showAdvancedSettingsButton = new TextButton (TRANS("Show advanced settings...")));
  52427. showAdvancedSettingsButton->addButtonListener (this);
  52428. }
  52429. type->scanForDevices();
  52430. setup.manager->addChangeListener (this);
  52431. changeListenerCallback (0);
  52432. }
  52433. ~AudioDeviceSettingsPanel()
  52434. {
  52435. setup.manager->removeChangeListener (this);
  52436. deleteAndZero (outputDeviceLabel);
  52437. deleteAndZero (inputDeviceLabel);
  52438. deleteAndZero (sampleRateLabel);
  52439. deleteAndZero (bufferSizeLabel);
  52440. deleteAndZero (showUIButton);
  52441. deleteAndZero (inputChanLabel);
  52442. deleteAndZero (outputChanLabel);
  52443. deleteAndZero (showAdvancedSettingsButton);
  52444. deleteAllChildren();
  52445. }
  52446. void resized()
  52447. {
  52448. const int lx = proportionOfWidth (0.35f);
  52449. const int w = proportionOfWidth (0.4f);
  52450. const int h = 24;
  52451. const int space = 6;
  52452. const int dh = h + space;
  52453. int y = 0;
  52454. if (outputDeviceDropDown != 0)
  52455. {
  52456. outputDeviceDropDown->setBounds (lx, y, w, h);
  52457. if (testButton != 0)
  52458. testButton->setBounds (proportionOfWidth (0.77f),
  52459. outputDeviceDropDown->getY(),
  52460. proportionOfWidth (0.18f),
  52461. h);
  52462. y += dh;
  52463. }
  52464. if (inputDeviceDropDown != 0)
  52465. {
  52466. inputDeviceDropDown->setBounds (lx, y, w, h);
  52467. inputLevelMeter->setBounds (proportionOfWidth (0.77f),
  52468. inputDeviceDropDown->getY(),
  52469. proportionOfWidth (0.18f),
  52470. h);
  52471. y += dh;
  52472. }
  52473. const int maxBoxHeight = 100;//(getHeight() - y - dh * 2) / numBoxes;
  52474. if (outputChanList != 0)
  52475. {
  52476. const int bh = outputChanList->getBestHeight (maxBoxHeight);
  52477. outputChanList->setBounds (lx, y, proportionOfWidth (0.55f), bh);
  52478. y += bh + space;
  52479. }
  52480. if (inputChanList != 0)
  52481. {
  52482. const int bh = inputChanList->getBestHeight (maxBoxHeight);
  52483. inputChanList->setBounds (lx, y, proportionOfWidth (0.55f), bh);
  52484. y += bh + space;
  52485. }
  52486. y += space * 2;
  52487. if (showAdvancedSettingsButton != 0)
  52488. {
  52489. showAdvancedSettingsButton->changeWidthToFitText (h);
  52490. showAdvancedSettingsButton->setTopLeftPosition (lx, y);
  52491. }
  52492. if (sampleRateDropDown != 0)
  52493. {
  52494. sampleRateDropDown->setVisible (showAdvancedSettingsButton == 0
  52495. || ! showAdvancedSettingsButton->isVisible());
  52496. sampleRateDropDown->setBounds (lx, y, w, h);
  52497. y += dh;
  52498. }
  52499. if (bufferSizeDropDown != 0)
  52500. {
  52501. bufferSizeDropDown->setVisible (showAdvancedSettingsButton == 0
  52502. || ! showAdvancedSettingsButton->isVisible());
  52503. bufferSizeDropDown->setBounds (lx, y, w, h);
  52504. y += dh;
  52505. }
  52506. if (showUIButton != 0)
  52507. {
  52508. showUIButton->setVisible (showAdvancedSettingsButton == 0
  52509. || ! showAdvancedSettingsButton->isVisible());
  52510. showUIButton->changeWidthToFitText (h);
  52511. showUIButton->setTopLeftPosition (lx, y);
  52512. }
  52513. }
  52514. void comboBoxChanged (ComboBox* comboBoxThatHasChanged)
  52515. {
  52516. if (comboBoxThatHasChanged == 0)
  52517. return;
  52518. AudioDeviceManager::AudioDeviceSetup config;
  52519. setup.manager->getAudioDeviceSetup (config);
  52520. String error;
  52521. if (comboBoxThatHasChanged == outputDeviceDropDown
  52522. || comboBoxThatHasChanged == inputDeviceDropDown)
  52523. {
  52524. if (outputDeviceDropDown != 0)
  52525. config.outputDeviceName = outputDeviceDropDown->getSelectedId() < 0 ? String::empty
  52526. : outputDeviceDropDown->getText();
  52527. if (inputDeviceDropDown != 0)
  52528. config.inputDeviceName = inputDeviceDropDown->getSelectedId() < 0 ? String::empty
  52529. : inputDeviceDropDown->getText();
  52530. if (! type->hasSeparateInputsAndOutputs())
  52531. config.inputDeviceName = config.outputDeviceName;
  52532. if (comboBoxThatHasChanged == inputDeviceDropDown)
  52533. config.useDefaultInputChannels = true;
  52534. else
  52535. config.useDefaultOutputChannels = true;
  52536. error = setup.manager->setAudioDeviceSetup (config, true);
  52537. showCorrectDeviceName (inputDeviceDropDown, true);
  52538. showCorrectDeviceName (outputDeviceDropDown, false);
  52539. updateControlPanelButton();
  52540. resized();
  52541. }
  52542. else if (comboBoxThatHasChanged == sampleRateDropDown)
  52543. {
  52544. if (sampleRateDropDown->getSelectedId() > 0)
  52545. {
  52546. config.sampleRate = sampleRateDropDown->getSelectedId();
  52547. error = setup.manager->setAudioDeviceSetup (config, true);
  52548. }
  52549. }
  52550. else if (comboBoxThatHasChanged == bufferSizeDropDown)
  52551. {
  52552. if (bufferSizeDropDown->getSelectedId() > 0)
  52553. {
  52554. config.bufferSize = bufferSizeDropDown->getSelectedId();
  52555. error = setup.manager->setAudioDeviceSetup (config, true);
  52556. }
  52557. }
  52558. if (error.isNotEmpty())
  52559. {
  52560. AlertWindow::showMessageBox (AlertWindow::WarningIcon,
  52561. T("Error when trying to open audio device!"),
  52562. error);
  52563. }
  52564. }
  52565. void buttonClicked (Button* button)
  52566. {
  52567. if (button == showAdvancedSettingsButton)
  52568. {
  52569. showAdvancedSettingsButton->setVisible (false);
  52570. resized();
  52571. }
  52572. else if (button == showUIButton)
  52573. {
  52574. AudioIODevice* const device = setup.manager->getCurrentAudioDevice();
  52575. if (device != 0 && device->showControlPanel())
  52576. {
  52577. setup.manager->closeAudioDevice();
  52578. setup.manager->restartLastAudioDevice();
  52579. getTopLevelComponent()->toFront (true);
  52580. }
  52581. }
  52582. else if (button == testButton && testButton != 0)
  52583. {
  52584. setup.manager->playTestSound();
  52585. }
  52586. }
  52587. void updateControlPanelButton()
  52588. {
  52589. AudioIODevice* const currentDevice = setup.manager->getCurrentAudioDevice();
  52590. deleteAndZero (showUIButton);
  52591. if (currentDevice != 0 && currentDevice->hasControlPanel())
  52592. {
  52593. addAndMakeVisible (showUIButton = new TextButton (TRANS ("show this device's control panel"),
  52594. TRANS ("opens the device's own control panel")));
  52595. showUIButton->addButtonListener (this);
  52596. }
  52597. resized();
  52598. }
  52599. void changeListenerCallback (void*)
  52600. {
  52601. AudioIODevice* const currentDevice = setup.manager->getCurrentAudioDevice();
  52602. if (setup.maxNumOutputChannels > 0 || ! type->hasSeparateInputsAndOutputs())
  52603. {
  52604. if (outputDeviceDropDown == 0)
  52605. {
  52606. outputDeviceDropDown = new ComboBox (String::empty);
  52607. outputDeviceDropDown->addListener (this);
  52608. addAndMakeVisible (outputDeviceDropDown);
  52609. outputDeviceLabel = new Label (String::empty,
  52610. type->hasSeparateInputsAndOutputs() ? TRANS ("output:")
  52611. : TRANS ("device:"));
  52612. outputDeviceLabel->attachToComponent (outputDeviceDropDown, true);
  52613. if (setup.maxNumOutputChannels > 0)
  52614. {
  52615. addAndMakeVisible (testButton = new TextButton (TRANS ("Test")));
  52616. testButton->addButtonListener (this);
  52617. }
  52618. }
  52619. addNamesToDeviceBox (*outputDeviceDropDown, false);
  52620. }
  52621. if (setup.maxNumInputChannels > 0 && type->hasSeparateInputsAndOutputs())
  52622. {
  52623. if (inputDeviceDropDown == 0)
  52624. {
  52625. inputDeviceDropDown = new ComboBox (String::empty);
  52626. inputDeviceDropDown->addListener (this);
  52627. addAndMakeVisible (inputDeviceDropDown);
  52628. inputDeviceLabel = new Label (String::empty, TRANS ("input:"));
  52629. inputDeviceLabel->attachToComponent (inputDeviceDropDown, true);
  52630. addAndMakeVisible (inputLevelMeter
  52631. = new SimpleDeviceManagerInputLevelMeter (setup.manager));
  52632. }
  52633. addNamesToDeviceBox (*inputDeviceDropDown, true);
  52634. }
  52635. updateControlPanelButton();
  52636. showCorrectDeviceName (inputDeviceDropDown, true);
  52637. showCorrectDeviceName (outputDeviceDropDown, false);
  52638. if (currentDevice != 0)
  52639. {
  52640. if (setup.maxNumOutputChannels > 0
  52641. && setup.minNumOutputChannels < setup.manager->getCurrentAudioDevice()->getOutputChannelNames().size())
  52642. {
  52643. if (outputChanList == 0)
  52644. {
  52645. addAndMakeVisible (outputChanList
  52646. = new ChannelSelectorListBox (setup, ChannelSelectorListBox::audioOutputType,
  52647. TRANS ("(no audio output channels found)")));
  52648. outputChanLabel = new Label (String::empty, TRANS ("active output channels:"));
  52649. outputChanLabel->attachToComponent (outputChanList, true);
  52650. }
  52651. outputChanList->refresh();
  52652. }
  52653. else
  52654. {
  52655. deleteAndZero (outputChanLabel);
  52656. deleteAndZero (outputChanList);
  52657. }
  52658. if (setup.maxNumInputChannels > 0
  52659. && setup.minNumInputChannels < setup.manager->getCurrentAudioDevice()->getInputChannelNames().size())
  52660. {
  52661. if (inputChanList == 0)
  52662. {
  52663. addAndMakeVisible (inputChanList
  52664. = new ChannelSelectorListBox (setup, ChannelSelectorListBox::audioInputType,
  52665. TRANS ("(no audio input channels found)")));
  52666. inputChanLabel = new Label (String::empty, TRANS ("active input channels:"));
  52667. inputChanLabel->attachToComponent (inputChanList, true);
  52668. }
  52669. inputChanList->refresh();
  52670. }
  52671. else
  52672. {
  52673. deleteAndZero (inputChanLabel);
  52674. deleteAndZero (inputChanList);
  52675. }
  52676. // sample rate..
  52677. {
  52678. if (sampleRateDropDown == 0)
  52679. {
  52680. addAndMakeVisible (sampleRateDropDown = new ComboBox (String::empty));
  52681. sampleRateDropDown->addListener (this);
  52682. delete sampleRateLabel;
  52683. sampleRateLabel = new Label (String::empty, TRANS ("sample rate:"));
  52684. sampleRateLabel->attachToComponent (sampleRateDropDown, true);
  52685. }
  52686. else
  52687. {
  52688. sampleRateDropDown->clear();
  52689. sampleRateDropDown->removeListener (this);
  52690. }
  52691. const int numRates = currentDevice->getNumSampleRates();
  52692. for (int i = 0; i < numRates; ++i)
  52693. {
  52694. const int rate = roundDoubleToInt (currentDevice->getSampleRate (i));
  52695. sampleRateDropDown->addItem (String (rate) + T(" Hz"), rate);
  52696. }
  52697. sampleRateDropDown->setSelectedId (roundDoubleToInt (currentDevice->getCurrentSampleRate()), true);
  52698. sampleRateDropDown->addListener (this);
  52699. }
  52700. // buffer size
  52701. {
  52702. if (bufferSizeDropDown == 0)
  52703. {
  52704. addAndMakeVisible (bufferSizeDropDown = new ComboBox (String::empty));
  52705. bufferSizeDropDown->addListener (this);
  52706. delete bufferSizeLabel;
  52707. bufferSizeLabel = new Label (String::empty, TRANS ("audio buffer size:"));
  52708. bufferSizeLabel->attachToComponent (bufferSizeDropDown, true);
  52709. }
  52710. else
  52711. {
  52712. bufferSizeDropDown->clear();
  52713. }
  52714. const int numBufferSizes = currentDevice->getNumBufferSizesAvailable();
  52715. double currentRate = currentDevice->getCurrentSampleRate();
  52716. if (currentRate == 0)
  52717. currentRate = 48000.0;
  52718. for (int i = 0; i < numBufferSizes; ++i)
  52719. {
  52720. const int bs = currentDevice->getBufferSizeSamples (i);
  52721. bufferSizeDropDown->addItem (String (bs)
  52722. + T(" samples (")
  52723. + String (bs * 1000.0 / currentRate, 1)
  52724. + T(" ms)"),
  52725. bs);
  52726. }
  52727. bufferSizeDropDown->setSelectedId (currentDevice->getCurrentBufferSizeSamples(), true);
  52728. }
  52729. }
  52730. else
  52731. {
  52732. jassert (setup.manager->getCurrentAudioDevice() == 0); // not the correct device type!
  52733. deleteAndZero (sampleRateLabel);
  52734. deleteAndZero (bufferSizeLabel);
  52735. deleteAndZero (sampleRateDropDown);
  52736. deleteAndZero (bufferSizeDropDown);
  52737. if (outputDeviceDropDown != 0)
  52738. outputDeviceDropDown->setSelectedId (-1, true);
  52739. if (inputDeviceDropDown != 0)
  52740. inputDeviceDropDown->setSelectedId (-1, true);
  52741. }
  52742. resized();
  52743. setSize (getWidth(), getLowestY() + 4);
  52744. }
  52745. private:
  52746. AudioIODeviceType* const type;
  52747. const AudioIODeviceType::DeviceSetupDetails setup;
  52748. ComboBox* outputDeviceDropDown;
  52749. ComboBox* inputDeviceDropDown;
  52750. ComboBox* sampleRateDropDown;
  52751. ComboBox* bufferSizeDropDown;
  52752. Label* outputDeviceLabel;
  52753. Label* inputDeviceLabel;
  52754. Label* sampleRateLabel;
  52755. Label* bufferSizeLabel;
  52756. Label* inputChanLabel;
  52757. Label* outputChanLabel;
  52758. TextButton* testButton;
  52759. Component* inputLevelMeter;
  52760. TextButton* showUIButton;
  52761. TextButton* showAdvancedSettingsButton;
  52762. void showCorrectDeviceName (ComboBox* const box, const bool isInput)
  52763. {
  52764. if (box != 0)
  52765. {
  52766. AudioIODevice* const currentDevice = dynamic_cast <AudioIODevice*> (setup.manager->getCurrentAudioDevice());
  52767. const int index = type->getIndexOfDevice (currentDevice, isInput);
  52768. box->setSelectedId (index + 1, true);
  52769. if (testButton != 0 && ! isInput)
  52770. testButton->setEnabled (index >= 0);
  52771. }
  52772. }
  52773. void addNamesToDeviceBox (ComboBox& combo, bool isInputs)
  52774. {
  52775. const StringArray devs (type->getDeviceNames (isInputs));
  52776. combo.clear (true);
  52777. for (int i = 0; i < devs.size(); ++i)
  52778. combo.addItem (devs[i], i + 1);
  52779. combo.addItem (TRANS("<< none >>"), -1);
  52780. combo.setSelectedId (-1, true);
  52781. }
  52782. int getLowestY() const
  52783. {
  52784. int y = 0;
  52785. for (int i = getNumChildComponents(); --i >= 0;)
  52786. y = jmax (y, getChildComponent (i)->getBottom());
  52787. return y;
  52788. }
  52789. class ChannelSelectorListBox : public ListBox,
  52790. public ListBoxModel
  52791. {
  52792. public:
  52793. enum BoxType
  52794. {
  52795. audioInputType,
  52796. audioOutputType
  52797. };
  52798. ChannelSelectorListBox (const AudioIODeviceType::DeviceSetupDetails& setup_,
  52799. const BoxType type_,
  52800. const String& noItemsMessage_)
  52801. : ListBox (String::empty, 0),
  52802. setup (setup_),
  52803. type (type_),
  52804. noItemsMessage (noItemsMessage_)
  52805. {
  52806. refresh();
  52807. setModel (this);
  52808. setOutlineThickness (1);
  52809. }
  52810. ~ChannelSelectorListBox()
  52811. {
  52812. }
  52813. void refresh()
  52814. {
  52815. items.clear();
  52816. AudioIODevice* const currentDevice = setup.manager->getCurrentAudioDevice();
  52817. if (currentDevice != 0)
  52818. {
  52819. if (type == audioInputType)
  52820. items = currentDevice->getInputChannelNames();
  52821. else if (type == audioOutputType)
  52822. items = currentDevice->getOutputChannelNames();
  52823. if (setup.useStereoPairs)
  52824. {
  52825. StringArray pairs;
  52826. for (int i = 0; i < items.size(); i += 2)
  52827. {
  52828. String name (items[i]);
  52829. String name2 (items[i + 1]);
  52830. String commonBit;
  52831. for (int j = 0; j < name.length(); ++j)
  52832. if (name.substring (0, j).equalsIgnoreCase (name2.substring (0, j)))
  52833. commonBit = name.substring (0, j);
  52834. pairs.add (name.trim()
  52835. + " + "
  52836. + name2.substring (commonBit.length()).trim());
  52837. }
  52838. items = pairs;
  52839. }
  52840. }
  52841. updateContent();
  52842. repaint();
  52843. }
  52844. int getNumRows()
  52845. {
  52846. return items.size();
  52847. }
  52848. void paintListBoxItem (int row,
  52849. Graphics& g,
  52850. int width, int height,
  52851. bool rowIsSelected)
  52852. {
  52853. if (((unsigned int) row) < (unsigned int) items.size())
  52854. {
  52855. if (rowIsSelected)
  52856. g.fillAll (findColour (TextEditor::highlightColourId)
  52857. .withMultipliedAlpha (0.3f));
  52858. const String item (items [row]);
  52859. bool enabled = false;
  52860. AudioDeviceManager::AudioDeviceSetup config;
  52861. setup.manager->getAudioDeviceSetup (config);
  52862. if (setup.useStereoPairs)
  52863. {
  52864. if (type == audioInputType)
  52865. enabled = config.inputChannels [row * 2] || config.inputChannels [row * 2 + 1];
  52866. else if (type == audioOutputType)
  52867. enabled = config.outputChannels [row * 2] || config.outputChannels [row * 2 + 1];
  52868. }
  52869. else
  52870. {
  52871. if (type == audioInputType)
  52872. enabled = config.inputChannels [row];
  52873. else if (type == audioOutputType)
  52874. enabled = config.outputChannels [row];
  52875. }
  52876. const int x = getTickX();
  52877. const int tickW = height - height / 4;
  52878. getLookAndFeel().drawTickBox (g, *this, x - tickW, (height - tickW) / 2, tickW, tickW,
  52879. enabled, true, true, false);
  52880. g.setFont (height * 0.6f);
  52881. g.setColour (findColour (ListBox::textColourId, true).withMultipliedAlpha (enabled ? 1.0f : 0.6f));
  52882. g.drawText (item, x, 0, width - x - 2, height, Justification::centredLeft, true);
  52883. }
  52884. }
  52885. void listBoxItemClicked (int row, const MouseEvent& e)
  52886. {
  52887. selectRow (row);
  52888. if (e.x < getTickX())
  52889. flipEnablement (row);
  52890. }
  52891. void listBoxItemDoubleClicked (int row, const MouseEvent&)
  52892. {
  52893. flipEnablement (row);
  52894. }
  52895. void returnKeyPressed (int row)
  52896. {
  52897. flipEnablement (row);
  52898. }
  52899. void paint (Graphics& g)
  52900. {
  52901. ListBox::paint (g);
  52902. if (items.size() == 0)
  52903. {
  52904. g.setColour (Colours::grey);
  52905. g.setFont (13.0f);
  52906. g.drawText (noItemsMessage,
  52907. 0, 0, getWidth(), getHeight() / 2,
  52908. Justification::centred, true);
  52909. }
  52910. }
  52911. int getBestHeight (int maxHeight)
  52912. {
  52913. return getRowHeight() * jlimit (2, jmax (2, maxHeight / getRowHeight()),
  52914. getNumRows())
  52915. + getOutlineThickness() * 2;
  52916. }
  52917. juce_UseDebuggingNewOperator
  52918. private:
  52919. const AudioIODeviceType::DeviceSetupDetails setup;
  52920. const BoxType type;
  52921. const String noItemsMessage;
  52922. StringArray items;
  52923. void flipEnablement (const int row)
  52924. {
  52925. jassert (type == audioInputType || type == audioOutputType);
  52926. if (((unsigned int) row) < (unsigned int) items.size())
  52927. {
  52928. AudioDeviceManager::AudioDeviceSetup config;
  52929. setup.manager->getAudioDeviceSetup (config);
  52930. if (setup.useStereoPairs)
  52931. {
  52932. BitArray bits;
  52933. BitArray& original = (type == audioInputType ? config.inputChannels
  52934. : config.outputChannels);
  52935. int i;
  52936. for (i = 0; i < 256; i += 2)
  52937. bits.setBit (i / 2, original [i] || original [i + 1]);
  52938. if (type == audioInputType)
  52939. {
  52940. config.useDefaultInputChannels = false;
  52941. flipBit (bits, row, setup.minNumInputChannels / 2, setup.maxNumInputChannels / 2);
  52942. }
  52943. else
  52944. {
  52945. config.useDefaultOutputChannels = false;
  52946. flipBit (bits, row, setup.minNumOutputChannels / 2, setup.maxNumOutputChannels / 2);
  52947. }
  52948. for (i = 0; i < 256; ++i)
  52949. original.setBit (i, bits [i / 2]);
  52950. }
  52951. else
  52952. {
  52953. if (type == audioInputType)
  52954. {
  52955. config.useDefaultInputChannels = false;
  52956. flipBit (config.inputChannels, row, setup.minNumInputChannels, setup.maxNumInputChannels);
  52957. }
  52958. else
  52959. {
  52960. config.useDefaultOutputChannels = false;
  52961. flipBit (config.outputChannels, row, setup.minNumOutputChannels, setup.maxNumOutputChannels);
  52962. }
  52963. }
  52964. String error (setup.manager->setAudioDeviceSetup (config, true));
  52965. if (! error.isEmpty())
  52966. {
  52967. //xxx
  52968. }
  52969. }
  52970. }
  52971. static void flipBit (BitArray& chans, int index, int minNumber, int maxNumber)
  52972. {
  52973. const int numActive = chans.countNumberOfSetBits();
  52974. if (chans [index])
  52975. {
  52976. if (numActive > minNumber)
  52977. chans.setBit (index, false);
  52978. }
  52979. else
  52980. {
  52981. if (numActive >= maxNumber)
  52982. {
  52983. const int firstActiveChan = chans.findNextSetBit();
  52984. chans.setBit (index > firstActiveChan
  52985. ? firstActiveChan : chans.getHighestBit(),
  52986. false);
  52987. }
  52988. chans.setBit (index, true);
  52989. }
  52990. }
  52991. int getTickX() const throw()
  52992. {
  52993. return getRowHeight() + 5;
  52994. }
  52995. ChannelSelectorListBox (const ChannelSelectorListBox&);
  52996. const ChannelSelectorListBox& operator= (const ChannelSelectorListBox&);
  52997. };
  52998. ChannelSelectorListBox* inputChanList;
  52999. ChannelSelectorListBox* outputChanList;
  53000. AudioDeviceSettingsPanel (const AudioDeviceSettingsPanel&);
  53001. const AudioDeviceSettingsPanel& operator= (const AudioDeviceSettingsPanel&);
  53002. };
  53003. AudioDeviceSelectorComponent::AudioDeviceSelectorComponent (AudioDeviceManager& deviceManager_,
  53004. const int minInputChannels_,
  53005. const int maxInputChannels_,
  53006. const int minOutputChannels_,
  53007. const int maxOutputChannels_,
  53008. const bool showMidiInputOptions,
  53009. const bool showMidiOutputSelector,
  53010. const bool showChannelsAsStereoPairs_,
  53011. const bool hideAdvancedOptionsWithButton_)
  53012. : deviceManager (deviceManager_),
  53013. minOutputChannels (minOutputChannels_),
  53014. maxOutputChannels (maxOutputChannels_),
  53015. minInputChannels (minInputChannels_),
  53016. maxInputChannels (maxInputChannels_),
  53017. showChannelsAsStereoPairs (showChannelsAsStereoPairs_),
  53018. hideAdvancedOptionsWithButton (hideAdvancedOptionsWithButton_),
  53019. deviceTypeDropDown (0),
  53020. deviceTypeDropDownLabel (0),
  53021. audioDeviceSettingsComp (0)
  53022. {
  53023. jassert (minOutputChannels >= 0 && minOutputChannels <= maxOutputChannels);
  53024. jassert (minInputChannels >= 0 && minInputChannels <= maxInputChannels);
  53025. if (deviceManager_.getAvailableDeviceTypes().size() > 1)
  53026. {
  53027. deviceTypeDropDown = new ComboBox (String::empty);
  53028. for (int i = 0; i < deviceManager_.getAvailableDeviceTypes().size(); ++i)
  53029. {
  53030. deviceTypeDropDown
  53031. ->addItem (deviceManager_.getAvailableDeviceTypes().getUnchecked(i)->getTypeName(),
  53032. i + 1);
  53033. }
  53034. addAndMakeVisible (deviceTypeDropDown);
  53035. deviceTypeDropDown->addListener (this);
  53036. deviceTypeDropDownLabel = new Label (String::empty, TRANS ("audio device type:"));
  53037. deviceTypeDropDownLabel->setJustificationType (Justification::centredRight);
  53038. deviceTypeDropDownLabel->attachToComponent (deviceTypeDropDown, true);
  53039. }
  53040. if (showMidiInputOptions)
  53041. {
  53042. addAndMakeVisible (midiInputsList
  53043. = new MidiInputSelectorComponentListBox (deviceManager,
  53044. TRANS("(no midi inputs available)"),
  53045. 0, 0));
  53046. midiInputsLabel = new Label (String::empty, TRANS ("active midi inputs:"));
  53047. midiInputsLabel->setJustificationType (Justification::topRight);
  53048. midiInputsLabel->attachToComponent (midiInputsList, true);
  53049. }
  53050. else
  53051. {
  53052. midiInputsList = 0;
  53053. midiInputsLabel = 0;
  53054. }
  53055. if (showMidiOutputSelector)
  53056. {
  53057. addAndMakeVisible (midiOutputSelector = new ComboBox (String::empty));
  53058. midiOutputSelector->addListener (this);
  53059. midiOutputLabel = new Label ("lm", TRANS("Midi Output:"));
  53060. midiOutputLabel->attachToComponent (midiOutputSelector, true);
  53061. }
  53062. else
  53063. {
  53064. midiOutputSelector = 0;
  53065. midiOutputLabel = 0;
  53066. }
  53067. deviceManager_.addChangeListener (this);
  53068. changeListenerCallback (0);
  53069. }
  53070. AudioDeviceSelectorComponent::~AudioDeviceSelectorComponent()
  53071. {
  53072. deviceManager.removeChangeListener (this);
  53073. deleteAllChildren();
  53074. }
  53075. void AudioDeviceSelectorComponent::resized()
  53076. {
  53077. const int lx = proportionOfWidth (0.35f);
  53078. const int w = proportionOfWidth (0.4f);
  53079. const int h = 24;
  53080. const int space = 6;
  53081. const int dh = h + space;
  53082. int y = 15;
  53083. if (deviceTypeDropDown != 0)
  53084. {
  53085. deviceTypeDropDown->setBounds (lx, y, proportionOfWidth (0.3f), h);
  53086. y += dh + space * 2;
  53087. }
  53088. if (audioDeviceSettingsComp != 0)
  53089. {
  53090. audioDeviceSettingsComp->setBounds (0, y, getWidth(), audioDeviceSettingsComp->getHeight());
  53091. y += audioDeviceSettingsComp->getHeight() + space;
  53092. }
  53093. if (midiInputsList != 0)
  53094. {
  53095. const int bh = midiInputsList->getBestHeight (jmin (h * 8, getHeight() - y - space));
  53096. midiInputsList->setBounds (lx, y, w, bh);
  53097. y += bh + space;
  53098. }
  53099. if (midiOutputSelector != 0)
  53100. midiOutputSelector->setBounds (lx, y, w, h);
  53101. }
  53102. void AudioDeviceSelectorComponent::buttonClicked (Button*)
  53103. {
  53104. AudioIODevice* const device = deviceManager.getCurrentAudioDevice();
  53105. if (device != 0 && device->hasControlPanel())
  53106. {
  53107. if (device->showControlPanel())
  53108. deviceManager.restartLastAudioDevice();
  53109. getTopLevelComponent()->toFront (true);
  53110. }
  53111. }
  53112. void AudioDeviceSelectorComponent::comboBoxChanged (ComboBox* comboBoxThatHasChanged)
  53113. {
  53114. if (comboBoxThatHasChanged == deviceTypeDropDown)
  53115. {
  53116. AudioIODeviceType* const type = deviceManager.getAvailableDeviceTypes() [deviceTypeDropDown->getSelectedId() - 1];
  53117. if (type != 0)
  53118. {
  53119. deleteAndZero (audioDeviceSettingsComp);
  53120. deviceManager.setCurrentAudioDeviceType (type->getTypeName(), true);
  53121. changeListenerCallback (0); // needed in case the type hasn't actally changed
  53122. }
  53123. }
  53124. else if (comboBoxThatHasChanged == midiOutputSelector)
  53125. {
  53126. deviceManager.setDefaultMidiOutput (midiOutputSelector->getText());
  53127. }
  53128. }
  53129. void AudioDeviceSelectorComponent::changeListenerCallback (void*)
  53130. {
  53131. if (deviceTypeDropDown != 0)
  53132. {
  53133. deviceTypeDropDown->setText (deviceManager.getCurrentAudioDeviceType(), false);
  53134. }
  53135. if (audioDeviceSettingsComp == 0
  53136. || audioDeviceSettingsCompType != deviceManager.getCurrentAudioDeviceType())
  53137. {
  53138. audioDeviceSettingsCompType = deviceManager.getCurrentAudioDeviceType();
  53139. deleteAndZero (audioDeviceSettingsComp);
  53140. AudioIODeviceType* const type
  53141. = deviceManager.getAvailableDeviceTypes() [deviceTypeDropDown == 0
  53142. ? 0 : deviceTypeDropDown->getSelectedId() - 1];
  53143. if (type != 0)
  53144. {
  53145. AudioIODeviceType::DeviceSetupDetails details;
  53146. details.manager = &deviceManager;
  53147. details.minNumInputChannels = minInputChannels;
  53148. details.maxNumInputChannels = maxInputChannels;
  53149. details.minNumOutputChannels = minOutputChannels;
  53150. details.maxNumOutputChannels = maxOutputChannels;
  53151. details.useStereoPairs = showChannelsAsStereoPairs;
  53152. audioDeviceSettingsComp = new AudioDeviceSettingsPanel (type, details, hideAdvancedOptionsWithButton);
  53153. if (audioDeviceSettingsComp != 0)
  53154. {
  53155. addAndMakeVisible (audioDeviceSettingsComp);
  53156. audioDeviceSettingsComp->resized();
  53157. }
  53158. }
  53159. }
  53160. if (midiInputsList != 0)
  53161. {
  53162. midiInputsList->updateContent();
  53163. midiInputsList->repaint();
  53164. }
  53165. if (midiOutputSelector != 0)
  53166. {
  53167. midiOutputSelector->clear();
  53168. const StringArray midiOuts (MidiOutput::getDevices());
  53169. midiOutputSelector->addItem (TRANS("<< none >>"), -1);
  53170. midiOutputSelector->addSeparator();
  53171. for (int i = 0; i < midiOuts.size(); ++i)
  53172. midiOutputSelector->addItem (midiOuts[i], i + 1);
  53173. int current = -1;
  53174. if (deviceManager.getDefaultMidiOutput() != 0)
  53175. current = 1 + midiOuts.indexOf (deviceManager.getDefaultMidiOutputName());
  53176. midiOutputSelector->setSelectedId (current, true);
  53177. }
  53178. resized();
  53179. }
  53180. END_JUCE_NAMESPACE
  53181. /********* End of inlined file: juce_AudioDeviceSelectorComponent.cpp *********/
  53182. /********* Start of inlined file: juce_BubbleComponent.cpp *********/
  53183. BEGIN_JUCE_NAMESPACE
  53184. BubbleComponent::BubbleComponent()
  53185. : side (0),
  53186. allowablePlacements (above | below | left | right),
  53187. arrowTipX (0.0f),
  53188. arrowTipY (0.0f)
  53189. {
  53190. setInterceptsMouseClicks (false, false);
  53191. shadow.setShadowProperties (5.0f, 0.35f, 0, 0);
  53192. setComponentEffect (&shadow);
  53193. }
  53194. BubbleComponent::~BubbleComponent()
  53195. {
  53196. }
  53197. void BubbleComponent::paint (Graphics& g)
  53198. {
  53199. int x = content.getX();
  53200. int y = content.getY();
  53201. int w = content.getWidth();
  53202. int h = content.getHeight();
  53203. int cw, ch;
  53204. getContentSize (cw, ch);
  53205. if (side == 3)
  53206. x += w - cw;
  53207. else if (side != 1)
  53208. x += (w - cw) / 2;
  53209. w = cw;
  53210. if (side == 2)
  53211. y += h - ch;
  53212. else if (side != 0)
  53213. y += (h - ch) / 2;
  53214. h = ch;
  53215. getLookAndFeel().drawBubble (g, arrowTipX, arrowTipY,
  53216. (float) x, (float) y,
  53217. (float) w, (float) h);
  53218. const int cx = x + (w - cw) / 2;
  53219. const int cy = y + (h - ch) / 2;
  53220. const int indent = 3;
  53221. g.setOrigin (cx + indent, cy + indent);
  53222. g.reduceClipRegion (0, 0, cw - indent * 2, ch - indent * 2);
  53223. paintContent (g, cw - indent * 2, ch - indent * 2);
  53224. }
  53225. void BubbleComponent::setAllowedPlacement (const int newPlacement)
  53226. {
  53227. allowablePlacements = newPlacement;
  53228. }
  53229. void BubbleComponent::setPosition (Component* componentToPointTo)
  53230. {
  53231. jassert (componentToPointTo->isValidComponent());
  53232. int tx = 0;
  53233. int ty = 0;
  53234. if (getParentComponent() != 0)
  53235. componentToPointTo->relativePositionToOtherComponent (getParentComponent(), tx, ty);
  53236. else
  53237. componentToPointTo->relativePositionToGlobal (tx, ty);
  53238. setPosition (Rectangle (tx, ty, componentToPointTo->getWidth(), componentToPointTo->getHeight()));
  53239. }
  53240. void BubbleComponent::setPosition (const int arrowTipX,
  53241. const int arrowTipY)
  53242. {
  53243. setPosition (Rectangle (arrowTipX, arrowTipY, 1, 1));
  53244. }
  53245. void BubbleComponent::setPosition (const Rectangle& rectangleToPointTo)
  53246. {
  53247. Rectangle availableSpace;
  53248. if (getParentComponent() != 0)
  53249. {
  53250. availableSpace.setSize (getParentComponent()->getWidth(),
  53251. getParentComponent()->getHeight());
  53252. }
  53253. else
  53254. {
  53255. availableSpace = getParentMonitorArea();
  53256. }
  53257. int x = 0;
  53258. int y = 0;
  53259. int w = 150;
  53260. int h = 30;
  53261. getContentSize (w, h);
  53262. w += 30;
  53263. h += 30;
  53264. const float edgeIndent = 2.0f;
  53265. const int arrowLength = jmin (10, h / 3, w / 3);
  53266. int spaceAbove = ((allowablePlacements & above) != 0) ? jmax (0, rectangleToPointTo.getY() - availableSpace.getY()) : -1;
  53267. int spaceBelow = ((allowablePlacements & below) != 0) ? jmax (0, availableSpace.getBottom() - rectangleToPointTo.getBottom()) : -1;
  53268. int spaceLeft = ((allowablePlacements & left) != 0) ? jmax (0, rectangleToPointTo.getX() - availableSpace.getX()) : -1;
  53269. int spaceRight = ((allowablePlacements & right) != 0) ? jmax (0, availableSpace.getRight() - rectangleToPointTo.getRight()) : -1;
  53270. // look at whether the component is elongated, and if so, try to position next to its longer dimension.
  53271. if (rectangleToPointTo.getWidth() > rectangleToPointTo.getHeight() * 2
  53272. && (spaceAbove > h + 20 || spaceBelow > h + 20))
  53273. {
  53274. spaceLeft = spaceRight = 0;
  53275. }
  53276. else if (rectangleToPointTo.getWidth() < rectangleToPointTo.getHeight() / 2
  53277. && (spaceLeft > w + 20 || spaceRight > w + 20))
  53278. {
  53279. spaceAbove = spaceBelow = 0;
  53280. }
  53281. if (jmax (spaceAbove, spaceBelow) >= jmax (spaceLeft, spaceRight))
  53282. {
  53283. x = rectangleToPointTo.getX() + (rectangleToPointTo.getWidth() - w) / 2;
  53284. arrowTipX = w * 0.5f;
  53285. content.setSize (w, h - arrowLength);
  53286. if (spaceAbove >= spaceBelow)
  53287. {
  53288. // above
  53289. y = rectangleToPointTo.getY() - h;
  53290. content.setPosition (0, 0);
  53291. arrowTipY = h - edgeIndent;
  53292. side = 2;
  53293. }
  53294. else
  53295. {
  53296. // below
  53297. y = rectangleToPointTo.getBottom();
  53298. content.setPosition (0, arrowLength);
  53299. arrowTipY = edgeIndent;
  53300. side = 0;
  53301. }
  53302. }
  53303. else
  53304. {
  53305. y = rectangleToPointTo.getY() + (rectangleToPointTo.getHeight() - h) / 2;
  53306. arrowTipY = h * 0.5f;
  53307. content.setSize (w - arrowLength, h);
  53308. if (spaceLeft > spaceRight)
  53309. {
  53310. // on the left
  53311. x = rectangleToPointTo.getX() - w;
  53312. content.setPosition (0, 0);
  53313. arrowTipX = w - edgeIndent;
  53314. side = 3;
  53315. }
  53316. else
  53317. {
  53318. // on the right
  53319. x = rectangleToPointTo.getRight();
  53320. content.setPosition (arrowLength, 0);
  53321. arrowTipX = edgeIndent;
  53322. side = 1;
  53323. }
  53324. }
  53325. setBounds (x, y, w, h);
  53326. }
  53327. END_JUCE_NAMESPACE
  53328. /********* End of inlined file: juce_BubbleComponent.cpp *********/
  53329. /********* Start of inlined file: juce_BubbleMessageComponent.cpp *********/
  53330. BEGIN_JUCE_NAMESPACE
  53331. BubbleMessageComponent::BubbleMessageComponent (int fadeOutLengthMs)
  53332. : fadeOutLength (fadeOutLengthMs),
  53333. deleteAfterUse (false)
  53334. {
  53335. }
  53336. BubbleMessageComponent::~BubbleMessageComponent()
  53337. {
  53338. fadeOutComponent (fadeOutLength);
  53339. }
  53340. void BubbleMessageComponent::showAt (int x, int y,
  53341. const String& text,
  53342. const int numMillisecondsBeforeRemoving,
  53343. const bool removeWhenMouseClicked,
  53344. const bool deleteSelfAfterUse)
  53345. {
  53346. textLayout.clear();
  53347. textLayout.setText (text, Font (14.0f));
  53348. textLayout.layout (256, Justification::centredLeft, true);
  53349. setPosition (x, y);
  53350. init (numMillisecondsBeforeRemoving, removeWhenMouseClicked, deleteSelfAfterUse);
  53351. }
  53352. void BubbleMessageComponent::showAt (Component* const component,
  53353. const String& text,
  53354. const int numMillisecondsBeforeRemoving,
  53355. const bool removeWhenMouseClicked,
  53356. const bool deleteSelfAfterUse)
  53357. {
  53358. textLayout.clear();
  53359. textLayout.setText (text, Font (14.0f));
  53360. textLayout.layout (256, Justification::centredLeft, true);
  53361. setPosition (component);
  53362. init (numMillisecondsBeforeRemoving, removeWhenMouseClicked, deleteSelfAfterUse);
  53363. }
  53364. void BubbleMessageComponent::init (const int numMillisecondsBeforeRemoving,
  53365. const bool removeWhenMouseClicked,
  53366. const bool deleteSelfAfterUse)
  53367. {
  53368. setVisible (true);
  53369. deleteAfterUse = deleteSelfAfterUse;
  53370. if (numMillisecondsBeforeRemoving > 0)
  53371. expiryTime = Time::getMillisecondCounter() + numMillisecondsBeforeRemoving;
  53372. else
  53373. expiryTime = 0;
  53374. startTimer (77);
  53375. mouseClickCounter = Desktop::getInstance().getMouseButtonClickCounter();
  53376. if (! (removeWhenMouseClicked && isShowing()))
  53377. mouseClickCounter += 0xfffff;
  53378. repaint();
  53379. }
  53380. void BubbleMessageComponent::getContentSize (int& w, int& h)
  53381. {
  53382. w = textLayout.getWidth() + 16;
  53383. h = textLayout.getHeight() + 16;
  53384. }
  53385. void BubbleMessageComponent::paintContent (Graphics& g, int w, int h)
  53386. {
  53387. g.setColour (findColour (TooltipWindow::textColourId));
  53388. textLayout.drawWithin (g, 0, 0, w, h, Justification::centred);
  53389. }
  53390. void BubbleMessageComponent::timerCallback()
  53391. {
  53392. if (Desktop::getInstance().getMouseButtonClickCounter() > mouseClickCounter)
  53393. {
  53394. stopTimer();
  53395. setVisible (false);
  53396. if (deleteAfterUse)
  53397. delete this;
  53398. }
  53399. else if (expiryTime != 0 && Time::getMillisecondCounter() > expiryTime)
  53400. {
  53401. stopTimer();
  53402. fadeOutComponent (fadeOutLength);
  53403. if (deleteAfterUse)
  53404. delete this;
  53405. }
  53406. }
  53407. END_JUCE_NAMESPACE
  53408. /********* End of inlined file: juce_BubbleMessageComponent.cpp *********/
  53409. /********* Start of inlined file: juce_ColourSelector.cpp *********/
  53410. BEGIN_JUCE_NAMESPACE
  53411. static const int swatchesPerRow = 8;
  53412. static const int swatchHeight = 22;
  53413. class ColourComponentSlider : public Slider
  53414. {
  53415. public:
  53416. ColourComponentSlider (const String& name)
  53417. : Slider (name)
  53418. {
  53419. setRange (0.0, 255.0, 1.0);
  53420. }
  53421. ~ColourComponentSlider()
  53422. {
  53423. }
  53424. const String getTextFromValue (double currentValue)
  53425. {
  53426. return String::formatted (T("%02X"), (int)currentValue);
  53427. }
  53428. double getValueFromText (const String& text)
  53429. {
  53430. return (double) text.getHexValue32();
  53431. }
  53432. private:
  53433. ColourComponentSlider (const ColourComponentSlider&);
  53434. const ColourComponentSlider& operator= (const ColourComponentSlider&);
  53435. };
  53436. class ColourSpaceMarker : public Component
  53437. {
  53438. public:
  53439. ColourSpaceMarker()
  53440. {
  53441. setInterceptsMouseClicks (false, false);
  53442. }
  53443. ~ColourSpaceMarker()
  53444. {
  53445. }
  53446. void paint (Graphics& g)
  53447. {
  53448. g.setColour (Colour::greyLevel (0.1f));
  53449. g.drawEllipse (1.0f, 1.0f, getWidth() - 2.0f, getHeight() - 2.0f, 1.0f);
  53450. g.setColour (Colour::greyLevel (0.9f));
  53451. g.drawEllipse (2.0f, 2.0f, getWidth() - 4.0f, getHeight() - 4.0f, 1.0f);
  53452. }
  53453. private:
  53454. ColourSpaceMarker (const ColourSpaceMarker&);
  53455. const ColourSpaceMarker& operator= (const ColourSpaceMarker&);
  53456. };
  53457. class ColourSpaceView : public Component
  53458. {
  53459. ColourSelector* const owner;
  53460. float& h;
  53461. float& s;
  53462. float& v;
  53463. float lastHue;
  53464. ColourSpaceMarker* marker;
  53465. const int edge;
  53466. public:
  53467. ColourSpaceView (ColourSelector* owner_,
  53468. float& h_, float& s_, float& v_,
  53469. const int edgeSize)
  53470. : owner (owner_),
  53471. h (h_), s (s_), v (v_),
  53472. lastHue (0.0f),
  53473. edge (edgeSize)
  53474. {
  53475. addAndMakeVisible (marker = new ColourSpaceMarker());
  53476. setMouseCursor (MouseCursor::CrosshairCursor);
  53477. }
  53478. ~ColourSpaceView()
  53479. {
  53480. deleteAllChildren();
  53481. }
  53482. void paint (Graphics& g)
  53483. {
  53484. const float hue = h;
  53485. const float xScale = 1.0f / (getWidth() - edge * 2);
  53486. const float yScale = 1.0f / (getHeight() - edge * 2);
  53487. const Rectangle clip (g.getClipBounds());
  53488. const int x1 = jmax (clip.getX(), edge) & ~1;
  53489. const int x2 = jmin (clip.getRight(), getWidth() - edge) | 1;
  53490. const int y1 = jmax (clip.getY(), edge) & ~1;
  53491. const int y2 = jmin (clip.getBottom(), getHeight() - edge) | 1;
  53492. for (int y = y1; y < y2; y += 2)
  53493. {
  53494. const float v = jlimit (0.0f, 1.0f, 1.0f - (y - edge) * yScale);
  53495. for (int x = x1; x < x2; x += 2)
  53496. {
  53497. const float s = jlimit (0.0f, 1.0f, (x - edge) * xScale);
  53498. g.setColour (Colour (hue, s, v, 1.0f));
  53499. g.fillRect (x, y, 2, 2);
  53500. }
  53501. }
  53502. }
  53503. void mouseDown (const MouseEvent& e)
  53504. {
  53505. mouseDrag (e);
  53506. }
  53507. void mouseDrag (const MouseEvent& e)
  53508. {
  53509. const float s = (e.x - edge) / (float) (getWidth() - edge * 2);
  53510. const float v = 1.0f - (e.y - edge) / (float) (getHeight() - edge * 2);
  53511. owner->setSV (s, v);
  53512. }
  53513. void updateIfNeeded()
  53514. {
  53515. if (lastHue != h)
  53516. {
  53517. lastHue = h;
  53518. repaint();
  53519. }
  53520. resized();
  53521. }
  53522. void resized()
  53523. {
  53524. marker->setBounds (roundFloatToInt ((getWidth() - edge * 2) * s),
  53525. roundFloatToInt ((getHeight() - edge * 2) * (1.0f - v)),
  53526. edge * 2, edge * 2);
  53527. }
  53528. private:
  53529. ColourSpaceView (const ColourSpaceView&);
  53530. const ColourSpaceView& operator= (const ColourSpaceView&);
  53531. };
  53532. class HueSelectorMarker : public Component
  53533. {
  53534. public:
  53535. HueSelectorMarker()
  53536. {
  53537. setInterceptsMouseClicks (false, false);
  53538. }
  53539. ~HueSelectorMarker()
  53540. {
  53541. }
  53542. void paint (Graphics& g)
  53543. {
  53544. Path p;
  53545. p.addTriangle (1.0f, 1.0f,
  53546. getWidth() * 0.3f, getHeight() * 0.5f,
  53547. 1.0f, getHeight() - 1.0f);
  53548. p.addTriangle (getWidth() - 1.0f, 1.0f,
  53549. getWidth() * 0.7f, getHeight() * 0.5f,
  53550. getWidth() - 1.0f, getHeight() - 1.0f);
  53551. g.setColour (Colours::white.withAlpha (0.75f));
  53552. g.fillPath (p);
  53553. g.setColour (Colours::black.withAlpha (0.75f));
  53554. g.strokePath (p, PathStrokeType (1.2f));
  53555. }
  53556. private:
  53557. HueSelectorMarker (const HueSelectorMarker&);
  53558. const HueSelectorMarker& operator= (const HueSelectorMarker&);
  53559. };
  53560. class HueSelectorComp : public Component
  53561. {
  53562. public:
  53563. HueSelectorComp (ColourSelector* owner_,
  53564. float& h_, float& s_, float& v_,
  53565. const int edgeSize)
  53566. : owner (owner_),
  53567. h (h_), s (s_), v (v_),
  53568. lastHue (0.0f),
  53569. edge (edgeSize)
  53570. {
  53571. addAndMakeVisible (marker = new HueSelectorMarker());
  53572. }
  53573. ~HueSelectorComp()
  53574. {
  53575. deleteAllChildren();
  53576. }
  53577. void paint (Graphics& g)
  53578. {
  53579. const float yScale = 1.0f / (getHeight() - edge * 2);
  53580. const Rectangle clip (g.getClipBounds());
  53581. for (int y = jmin (clip.getBottom(), getHeight() - edge); --y >= jmax (edge, clip.getY());)
  53582. {
  53583. g.setColour (Colour ((y - edge) * yScale, 1.0f, 1.0f, 1.0f));
  53584. g.fillRect (edge, y, getWidth() - edge * 2, 1);
  53585. }
  53586. }
  53587. void resized()
  53588. {
  53589. marker->setBounds (0, roundFloatToInt ((getHeight() - edge * 2) * h),
  53590. getWidth(), edge * 2);
  53591. }
  53592. void mouseDown (const MouseEvent& e)
  53593. {
  53594. mouseDrag (e);
  53595. }
  53596. void mouseDrag (const MouseEvent& e)
  53597. {
  53598. const float hue = (e.y - edge) / (float) (getHeight() - edge * 2);
  53599. owner->setHue (hue);
  53600. }
  53601. void updateIfNeeded()
  53602. {
  53603. resized();
  53604. }
  53605. private:
  53606. ColourSelector* const owner;
  53607. float& h;
  53608. float& s;
  53609. float& v;
  53610. float lastHue;
  53611. HueSelectorMarker* marker;
  53612. const int edge;
  53613. HueSelectorComp (const HueSelectorComp&);
  53614. const HueSelectorComp& operator= (const HueSelectorComp&);
  53615. };
  53616. class SwatchComponent : public Component
  53617. {
  53618. public:
  53619. SwatchComponent (ColourSelector* owner_, int index_)
  53620. : owner (owner_),
  53621. index (index_)
  53622. {
  53623. }
  53624. ~SwatchComponent()
  53625. {
  53626. }
  53627. void paint (Graphics& g)
  53628. {
  53629. const Colour colour (owner->getSwatchColour (index));
  53630. g.fillCheckerBoard (0, 0, getWidth(), getHeight(),
  53631. 6, 6,
  53632. Colour (0xffdddddd).overlaidWith (colour),
  53633. Colour (0xffffffff).overlaidWith (colour));
  53634. }
  53635. void mouseDown (const MouseEvent&)
  53636. {
  53637. PopupMenu m;
  53638. m.addItem (1, TRANS("Use this swatch as the current colour"));
  53639. m.addSeparator();
  53640. m.addItem (2, TRANS("Set this swatch to the current colour"));
  53641. const int r = m.showAt (this);
  53642. if (r == 1)
  53643. {
  53644. owner->setCurrentColour (owner->getSwatchColour (index));
  53645. }
  53646. else if (r == 2)
  53647. {
  53648. if (owner->getSwatchColour (index) != owner->getCurrentColour())
  53649. {
  53650. owner->setSwatchColour (index, owner->getCurrentColour());
  53651. repaint();
  53652. }
  53653. }
  53654. }
  53655. private:
  53656. ColourSelector* const owner;
  53657. const int index;
  53658. SwatchComponent (const SwatchComponent&);
  53659. const SwatchComponent& operator= (const SwatchComponent&);
  53660. };
  53661. ColourSelector::ColourSelector (const int flags_,
  53662. const int edgeGap_,
  53663. const int gapAroundColourSpaceComponent)
  53664. : colour (Colours::white),
  53665. flags (flags_),
  53666. topSpace (0),
  53667. edgeGap (edgeGap_)
  53668. {
  53669. // not much point having a selector with no components in it!
  53670. jassert ((flags_ & (showColourAtTop | showSliders | showColourspace)) != 0);
  53671. updateHSV();
  53672. if ((flags & showSliders) != 0)
  53673. {
  53674. addAndMakeVisible (sliders[0] = new ColourComponentSlider (TRANS ("red")));
  53675. addAndMakeVisible (sliders[1] = new ColourComponentSlider (TRANS ("green")));
  53676. addAndMakeVisible (sliders[2] = new ColourComponentSlider (TRANS ("blue")));
  53677. addChildComponent (sliders[3] = new ColourComponentSlider (TRANS ("alpha")));
  53678. sliders[3]->setVisible ((flags & showAlphaChannel) != 0);
  53679. for (int i = 4; --i >= 0;)
  53680. sliders[i]->addListener (this);
  53681. }
  53682. else
  53683. {
  53684. zeromem (sliders, sizeof (sliders));
  53685. }
  53686. if ((flags & showColourspace) != 0)
  53687. {
  53688. addAndMakeVisible (colourSpace = new ColourSpaceView (this, h, s, v, gapAroundColourSpaceComponent));
  53689. addAndMakeVisible (hueSelector = new HueSelectorComp (this, h, s, v, gapAroundColourSpaceComponent));
  53690. }
  53691. else
  53692. {
  53693. colourSpace = 0;
  53694. hueSelector = 0;
  53695. }
  53696. update();
  53697. }
  53698. ColourSelector::~ColourSelector()
  53699. {
  53700. dispatchPendingMessages();
  53701. deleteAllChildren();
  53702. }
  53703. const Colour ColourSelector::getCurrentColour() const
  53704. {
  53705. return ((flags & showAlphaChannel) != 0) ? colour
  53706. : colour.withAlpha ((uint8) 0xff);
  53707. }
  53708. void ColourSelector::setCurrentColour (const Colour& c)
  53709. {
  53710. if (c != colour)
  53711. {
  53712. colour = ((flags & showAlphaChannel) != 0) ? c : c.withAlpha ((uint8) 0xff);
  53713. updateHSV();
  53714. update();
  53715. }
  53716. }
  53717. void ColourSelector::setHue (float newH)
  53718. {
  53719. newH = jlimit (0.0f, 1.0f, newH);
  53720. if (h != newH)
  53721. {
  53722. h = newH;
  53723. colour = Colour (h, s, v, colour.getFloatAlpha());
  53724. update();
  53725. }
  53726. }
  53727. void ColourSelector::setSV (float newS, float newV)
  53728. {
  53729. newS = jlimit (0.0f, 1.0f, newS);
  53730. newV = jlimit (0.0f, 1.0f, newV);
  53731. if (s != newS || v != newV)
  53732. {
  53733. s = newS;
  53734. v = newV;
  53735. colour = Colour (h, s, v, colour.getFloatAlpha());
  53736. update();
  53737. }
  53738. }
  53739. void ColourSelector::updateHSV()
  53740. {
  53741. colour.getHSB (h, s, v);
  53742. }
  53743. void ColourSelector::update()
  53744. {
  53745. if (sliders[0] != 0)
  53746. {
  53747. sliders[0]->setValue ((int) colour.getRed());
  53748. sliders[1]->setValue ((int) colour.getGreen());
  53749. sliders[2]->setValue ((int) colour.getBlue());
  53750. sliders[3]->setValue ((int) colour.getAlpha());
  53751. }
  53752. if (colourSpace != 0)
  53753. {
  53754. ((ColourSpaceView*) colourSpace)->updateIfNeeded();
  53755. ((HueSelectorComp*) hueSelector)->updateIfNeeded();
  53756. }
  53757. if ((flags & showColourAtTop) != 0)
  53758. repaint (0, edgeGap, getWidth(), topSpace - edgeGap);
  53759. sendChangeMessage (this);
  53760. }
  53761. void ColourSelector::paint (Graphics& g)
  53762. {
  53763. g.fillAll (findColour (backgroundColourId));
  53764. if ((flags & showColourAtTop) != 0)
  53765. {
  53766. const Colour colour (getCurrentColour());
  53767. g.fillCheckerBoard (edgeGap, edgeGap, getWidth() - edgeGap - edgeGap, topSpace - edgeGap - edgeGap,
  53768. 10, 10,
  53769. Colour (0xffdddddd).overlaidWith (colour),
  53770. Colour (0xffffffff).overlaidWith (colour));
  53771. g.setColour (Colours::white.overlaidWith (colour).contrasting());
  53772. g.setFont (14.0f, true);
  53773. g.drawText (((flags & showAlphaChannel) != 0)
  53774. ? String::formatted (T("#%02X%02X%02X%02X"),
  53775. (int) colour.getAlpha(),
  53776. (int) colour.getRed(),
  53777. (int) colour.getGreen(),
  53778. (int) colour.getBlue())
  53779. : String::formatted (T("#%02X%02X%02X"),
  53780. (int) colour.getRed(),
  53781. (int) colour.getGreen(),
  53782. (int) colour.getBlue()),
  53783. 0, edgeGap, getWidth(), topSpace - edgeGap * 2,
  53784. Justification::centred, false);
  53785. }
  53786. if ((flags & showSliders) != 0)
  53787. {
  53788. g.setColour (findColour (labelTextColourId));
  53789. g.setFont (11.0f);
  53790. for (int i = 4; --i >= 0;)
  53791. {
  53792. if (sliders[i]->isVisible())
  53793. g.drawText (sliders[i]->getName() + T(":"),
  53794. 0, sliders[i]->getY(),
  53795. sliders[i]->getX() - 8, sliders[i]->getHeight(),
  53796. Justification::centredRight, false);
  53797. }
  53798. }
  53799. }
  53800. void ColourSelector::resized()
  53801. {
  53802. const int numSliders = ((flags & showAlphaChannel) != 0) ? 4 : 3;
  53803. const int numSwatches = getNumSwatches();
  53804. const int swatchSpace = numSwatches > 0 ? edgeGap + swatchHeight * ((numSwatches + 7) / swatchesPerRow) : 0;
  53805. const int sliderSpace = ((flags & showSliders) != 0) ? jmin (22 * numSliders + edgeGap, proportionOfHeight (0.3f)) : 0;
  53806. topSpace = ((flags & showColourAtTop) != 0) ? jmin (30 + edgeGap * 2, proportionOfHeight (0.2f)) : edgeGap;
  53807. int y = topSpace;
  53808. if ((flags & showColourspace) != 0)
  53809. {
  53810. const int hueWidth = jmin (50, proportionOfWidth (0.15f));
  53811. colourSpace->setBounds (edgeGap, y,
  53812. getWidth() - hueWidth - edgeGap - 4,
  53813. getHeight() - topSpace - sliderSpace - swatchSpace - edgeGap);
  53814. hueSelector->setBounds (colourSpace->getRight() + 4, y,
  53815. getWidth() - edgeGap - (colourSpace->getRight() + 4),
  53816. colourSpace->getHeight());
  53817. y = getHeight() - sliderSpace - swatchSpace - edgeGap;
  53818. }
  53819. if ((flags & showSliders) != 0)
  53820. {
  53821. const int sliderHeight = jmax (4, sliderSpace / numSliders);
  53822. for (int i = 0; i < numSliders; ++i)
  53823. {
  53824. sliders[i]->setBounds (proportionOfWidth (0.2f), y,
  53825. proportionOfWidth (0.72f), sliderHeight - 2);
  53826. y += sliderHeight;
  53827. }
  53828. }
  53829. if (numSwatches > 0)
  53830. {
  53831. const int startX = 8;
  53832. const int xGap = 4;
  53833. const int yGap = 4;
  53834. const int swatchWidth = (getWidth() - startX * 2) / swatchesPerRow;
  53835. y += edgeGap;
  53836. if (swatchComponents.size() != numSwatches)
  53837. {
  53838. int i;
  53839. for (i = swatchComponents.size(); --i >= 0;)
  53840. {
  53841. SwatchComponent* const sc = (SwatchComponent*) swatchComponents.getUnchecked(i);
  53842. delete sc;
  53843. }
  53844. for (i = 0; i < numSwatches; ++i)
  53845. {
  53846. SwatchComponent* const sc = new SwatchComponent (this, i);
  53847. swatchComponents.add (sc);
  53848. addAndMakeVisible (sc);
  53849. }
  53850. }
  53851. int x = startX;
  53852. for (int i = 0; i < swatchComponents.size(); ++i)
  53853. {
  53854. SwatchComponent* const sc = (SwatchComponent*) swatchComponents.getUnchecked(i);
  53855. sc->setBounds (x + xGap / 2,
  53856. y + yGap / 2,
  53857. swatchWidth - xGap,
  53858. swatchHeight - yGap);
  53859. if (((i + 1) % swatchesPerRow) == 0)
  53860. {
  53861. x = startX;
  53862. y += swatchHeight;
  53863. }
  53864. else
  53865. {
  53866. x += swatchWidth;
  53867. }
  53868. }
  53869. }
  53870. }
  53871. void ColourSelector::sliderValueChanged (Slider*)
  53872. {
  53873. if (sliders[0] != 0)
  53874. setCurrentColour (Colour ((uint8) sliders[0]->getValue(),
  53875. (uint8) sliders[1]->getValue(),
  53876. (uint8) sliders[2]->getValue(),
  53877. (uint8) sliders[3]->getValue()));
  53878. }
  53879. int ColourSelector::getNumSwatches() const
  53880. {
  53881. return 0;
  53882. }
  53883. const Colour ColourSelector::getSwatchColour (const int) const
  53884. {
  53885. jassertfalse // if you've overridden getNumSwatches(), you also need to implement this method
  53886. return Colours::black;
  53887. }
  53888. void ColourSelector::setSwatchColour (const int, const Colour&) const
  53889. {
  53890. jassertfalse // if you've overridden getNumSwatches(), you also need to implement this method
  53891. }
  53892. END_JUCE_NAMESPACE
  53893. /********* End of inlined file: juce_ColourSelector.cpp *********/
  53894. /********* Start of inlined file: juce_DropShadower.cpp *********/
  53895. BEGIN_JUCE_NAMESPACE
  53896. class ShadowWindow : public Component
  53897. {
  53898. Component* owner;
  53899. Image** shadowImageSections;
  53900. const int type; // 0 = left, 1 = right, 2 = top, 3 = bottom. left + right are full-height
  53901. public:
  53902. ShadowWindow (Component* const owner_,
  53903. const int type_,
  53904. Image** const shadowImageSections_)
  53905. : owner (owner_),
  53906. shadowImageSections (shadowImageSections_),
  53907. type (type_)
  53908. {
  53909. setInterceptsMouseClicks (false, false);
  53910. if (owner_->isOnDesktop())
  53911. {
  53912. setSize (1, 1); // to keep the OS happy by not having zero-size windows
  53913. addToDesktop (ComponentPeer::windowIgnoresMouseClicks
  53914. | ComponentPeer::windowIsTemporary);
  53915. }
  53916. else if (owner_->getParentComponent() != 0)
  53917. {
  53918. owner_->getParentComponent()->addChildComponent (this);
  53919. }
  53920. }
  53921. ~ShadowWindow()
  53922. {
  53923. }
  53924. void paint (Graphics& g)
  53925. {
  53926. Image* const topLeft = shadowImageSections [type * 3];
  53927. Image* const bottomRight = shadowImageSections [type * 3 + 1];
  53928. Image* const filler = shadowImageSections [type * 3 + 2];
  53929. ImageBrush fillBrush (filler, 0, 0, 1.0f);
  53930. g.setOpacity (1.0f);
  53931. if (type < 2)
  53932. {
  53933. int imH = jmin (topLeft->getHeight(), getHeight() / 2);
  53934. g.drawImage (topLeft,
  53935. 0, 0, topLeft->getWidth(), imH,
  53936. 0, 0, topLeft->getWidth(), imH);
  53937. imH = jmin (bottomRight->getHeight(), getHeight() - getHeight() / 2);
  53938. g.drawImage (bottomRight,
  53939. 0, getHeight() - imH, bottomRight->getWidth(), imH,
  53940. 0, bottomRight->getHeight() - imH, bottomRight->getWidth(), imH);
  53941. g.setBrush (&fillBrush);
  53942. g.fillRect (0, topLeft->getHeight(), getWidth(), getHeight() - (topLeft->getHeight() + bottomRight->getHeight()));
  53943. }
  53944. else
  53945. {
  53946. int imW = jmin (topLeft->getWidth(), getWidth() / 2);
  53947. g.drawImage (topLeft,
  53948. 0, 0, imW, topLeft->getHeight(),
  53949. 0, 0, imW, topLeft->getHeight());
  53950. imW = jmin (bottomRight->getWidth(), getWidth() - getWidth() / 2);
  53951. g.drawImage (bottomRight,
  53952. getWidth() - imW, 0, imW, bottomRight->getHeight(),
  53953. bottomRight->getWidth() - imW, 0, imW, bottomRight->getHeight());
  53954. g.setBrush (&fillBrush);
  53955. g.fillRect (topLeft->getWidth(), 0, getWidth() - (topLeft->getWidth() + bottomRight->getWidth()), getHeight());
  53956. }
  53957. }
  53958. void resized()
  53959. {
  53960. repaint(); // (needed for correct repainting)
  53961. }
  53962. private:
  53963. ShadowWindow (const ShadowWindow&);
  53964. const ShadowWindow& operator= (const ShadowWindow&);
  53965. };
  53966. DropShadower::DropShadower (const float alpha_,
  53967. const int xOffset_,
  53968. const int yOffset_,
  53969. const float blurRadius_)
  53970. : owner (0),
  53971. numShadows (0),
  53972. shadowEdge (jmax (xOffset_, yOffset_) + (int) blurRadius_),
  53973. xOffset (xOffset_),
  53974. yOffset (yOffset_),
  53975. alpha (alpha_),
  53976. blurRadius (blurRadius_),
  53977. inDestructor (false),
  53978. reentrant (false)
  53979. {
  53980. }
  53981. DropShadower::~DropShadower()
  53982. {
  53983. if (owner != 0)
  53984. owner->removeComponentListener (this);
  53985. inDestructor = true;
  53986. deleteShadowWindows();
  53987. }
  53988. void DropShadower::deleteShadowWindows()
  53989. {
  53990. if (numShadows > 0)
  53991. {
  53992. int i;
  53993. for (i = numShadows; --i >= 0;)
  53994. delete shadowWindows[i];
  53995. for (i = 12; --i >= 0;)
  53996. delete shadowImageSections[i];
  53997. numShadows = 0;
  53998. }
  53999. }
  54000. void DropShadower::setOwner (Component* componentToFollow)
  54001. {
  54002. if (componentToFollow != owner)
  54003. {
  54004. if (owner != 0)
  54005. owner->removeComponentListener (this);
  54006. // (the component can't be null)
  54007. jassert (componentToFollow != 0);
  54008. owner = componentToFollow;
  54009. jassert (owner != 0);
  54010. jassert (owner->isOpaque()); // doesn't work properly for semi-transparent comps!
  54011. owner->addComponentListener (this);
  54012. updateShadows();
  54013. }
  54014. }
  54015. void DropShadower::componentMovedOrResized (Component&, bool /*wasMoved*/, bool /*wasResized*/)
  54016. {
  54017. updateShadows();
  54018. }
  54019. void DropShadower::componentBroughtToFront (Component&)
  54020. {
  54021. bringShadowWindowsToFront();
  54022. }
  54023. void DropShadower::componentChildrenChanged (Component&)
  54024. {
  54025. }
  54026. void DropShadower::componentParentHierarchyChanged (Component&)
  54027. {
  54028. deleteShadowWindows();
  54029. updateShadows();
  54030. }
  54031. void DropShadower::componentVisibilityChanged (Component&)
  54032. {
  54033. updateShadows();
  54034. }
  54035. void DropShadower::updateShadows()
  54036. {
  54037. if (reentrant || inDestructor || (owner == 0))
  54038. return;
  54039. reentrant = true;
  54040. ComponentPeer* const nw = owner->getPeer();
  54041. const bool isOwnerVisible = owner->isVisible()
  54042. && (nw == 0 || ! nw->isMinimised());
  54043. const bool createShadowWindows = numShadows == 0
  54044. && owner->getWidth() > 0
  54045. && owner->getHeight() > 0
  54046. && isOwnerVisible
  54047. && (Desktop::canUseSemiTransparentWindows()
  54048. || owner->getParentComponent() != 0);
  54049. if (createShadowWindows)
  54050. {
  54051. // keep a cached version of the image to save doing the gaussian too often
  54052. String imageId;
  54053. imageId << shadowEdge << T(',')
  54054. << xOffset << T(',')
  54055. << yOffset << T(',')
  54056. << alpha;
  54057. const int hash = imageId.hashCode();
  54058. Image* bigIm = ImageCache::getFromHashCode (hash);
  54059. if (bigIm == 0)
  54060. {
  54061. bigIm = new Image (Image::ARGB, shadowEdge * 5, shadowEdge * 5, true);
  54062. Graphics bigG (*bigIm);
  54063. bigG.setColour (Colours::black.withAlpha (alpha));
  54064. bigG.fillRect (shadowEdge + xOffset,
  54065. shadowEdge + yOffset,
  54066. bigIm->getWidth() - (shadowEdge * 2),
  54067. bigIm->getHeight() - (shadowEdge * 2));
  54068. ImageConvolutionKernel blurKernel (roundFloatToInt (blurRadius * 2.0f));
  54069. blurKernel.createGaussianBlur (blurRadius);
  54070. blurKernel.applyToImage (*bigIm, 0,
  54071. xOffset,
  54072. yOffset,
  54073. bigIm->getWidth(),
  54074. bigIm->getHeight());
  54075. ImageCache::addImageToCache (bigIm, hash);
  54076. }
  54077. const int iw = bigIm->getWidth();
  54078. const int ih = bigIm->getHeight();
  54079. const int shadowEdge2 = shadowEdge * 2;
  54080. setShadowImage (bigIm, 0, shadowEdge, shadowEdge2, 0, 0);
  54081. setShadowImage (bigIm, 1, shadowEdge, shadowEdge2, 0, ih - shadowEdge2);
  54082. setShadowImage (bigIm, 2, shadowEdge, shadowEdge, 0, shadowEdge2);
  54083. setShadowImage (bigIm, 3, shadowEdge, shadowEdge2, iw - shadowEdge, 0);
  54084. setShadowImage (bigIm, 4, shadowEdge, shadowEdge2, iw - shadowEdge, ih - shadowEdge2);
  54085. setShadowImage (bigIm, 5, shadowEdge, shadowEdge, iw - shadowEdge, shadowEdge2);
  54086. setShadowImage (bigIm, 6, shadowEdge, shadowEdge, shadowEdge, 0);
  54087. setShadowImage (bigIm, 7, shadowEdge, shadowEdge, iw - shadowEdge2, 0);
  54088. setShadowImage (bigIm, 8, shadowEdge, shadowEdge, shadowEdge2, 0);
  54089. setShadowImage (bigIm, 9, shadowEdge, shadowEdge, shadowEdge, ih - shadowEdge);
  54090. setShadowImage (bigIm, 10, shadowEdge, shadowEdge, iw - shadowEdge2, ih - shadowEdge);
  54091. setShadowImage (bigIm, 11, shadowEdge, shadowEdge, shadowEdge2, ih - shadowEdge);
  54092. ImageCache::release (bigIm);
  54093. for (int i = 0; i < 4; ++i)
  54094. {
  54095. shadowWindows[numShadows] = new ShadowWindow (owner, i, shadowImageSections);
  54096. ++numShadows;
  54097. }
  54098. }
  54099. if (numShadows > 0)
  54100. {
  54101. for (int i = numShadows; --i >= 0;)
  54102. {
  54103. shadowWindows[i]->setAlwaysOnTop (owner->isAlwaysOnTop());
  54104. shadowWindows[i]->setVisible (isOwnerVisible);
  54105. }
  54106. const int x = owner->getX();
  54107. const int y = owner->getY() - shadowEdge;
  54108. const int w = owner->getWidth();
  54109. const int h = owner->getHeight() + shadowEdge + shadowEdge;
  54110. shadowWindows[0]->setBounds (x - shadowEdge,
  54111. y,
  54112. shadowEdge,
  54113. h);
  54114. shadowWindows[1]->setBounds (x + w,
  54115. y,
  54116. shadowEdge,
  54117. h);
  54118. shadowWindows[2]->setBounds (x,
  54119. y,
  54120. w,
  54121. shadowEdge);
  54122. shadowWindows[3]->setBounds (x,
  54123. owner->getBottom(),
  54124. w,
  54125. shadowEdge);
  54126. }
  54127. reentrant = false;
  54128. if (createShadowWindows)
  54129. bringShadowWindowsToFront();
  54130. }
  54131. void DropShadower::setShadowImage (Image* const src,
  54132. const int num,
  54133. const int w,
  54134. const int h,
  54135. const int sx,
  54136. const int sy) throw()
  54137. {
  54138. shadowImageSections[num] = new Image (Image::ARGB, w, h, true);
  54139. Graphics g (*shadowImageSections[num]);
  54140. g.drawImage (src, 0, 0, w, h, sx, sy, w, h);
  54141. }
  54142. void DropShadower::bringShadowWindowsToFront()
  54143. {
  54144. if (! (inDestructor || reentrant))
  54145. {
  54146. updateShadows();
  54147. reentrant = true;
  54148. for (int i = numShadows; --i >= 0;)
  54149. shadowWindows[i]->toBehind (owner);
  54150. reentrant = false;
  54151. }
  54152. }
  54153. END_JUCE_NAMESPACE
  54154. /********* End of inlined file: juce_DropShadower.cpp *********/
  54155. /********* Start of inlined file: juce_MagnifierComponent.cpp *********/
  54156. BEGIN_JUCE_NAMESPACE
  54157. class MagnifyingPeer : public ComponentPeer
  54158. {
  54159. public:
  54160. MagnifyingPeer (Component* const component,
  54161. MagnifierComponent* const magnifierComp_)
  54162. : ComponentPeer (component, 0),
  54163. magnifierComp (magnifierComp_)
  54164. {
  54165. }
  54166. ~MagnifyingPeer()
  54167. {
  54168. }
  54169. void* getNativeHandle() const { return 0; }
  54170. void setVisible (bool) {}
  54171. void setTitle (const String&) {}
  54172. void setPosition (int, int) {}
  54173. void setSize (int, int) {}
  54174. void setBounds (int, int, int, int, const bool) {}
  54175. void setMinimised (bool) {}
  54176. bool isMinimised() const { return false; }
  54177. void setFullScreen (bool) {}
  54178. bool isFullScreen() const { return false; }
  54179. const BorderSize getFrameSize() const { return BorderSize (0); }
  54180. bool setAlwaysOnTop (bool) { return true; }
  54181. void toFront (bool) {}
  54182. void toBehind (ComponentPeer*) {}
  54183. void setIcon (const Image&) {}
  54184. bool isFocused() const
  54185. {
  54186. return magnifierComp->hasKeyboardFocus (true);
  54187. }
  54188. void grabFocus()
  54189. {
  54190. ComponentPeer* peer = magnifierComp->getPeer();
  54191. if (peer != 0)
  54192. peer->grabFocus();
  54193. }
  54194. void textInputRequired (int x, int y)
  54195. {
  54196. ComponentPeer* peer = magnifierComp->getPeer();
  54197. if (peer != 0)
  54198. peer->textInputRequired (x, y);
  54199. }
  54200. void getBounds (int& x, int& y, int& w, int& h) const
  54201. {
  54202. x = magnifierComp->getScreenX();
  54203. y = magnifierComp->getScreenY();
  54204. w = component->getWidth();
  54205. h = component->getHeight();
  54206. }
  54207. int getScreenX() const { return magnifierComp->getScreenX(); }
  54208. int getScreenY() const { return magnifierComp->getScreenY(); }
  54209. void relativePositionToGlobal (int& x, int& y)
  54210. {
  54211. const double zoom = magnifierComp->getScaleFactor();
  54212. x = roundDoubleToInt (x * zoom);
  54213. y = roundDoubleToInt (y * zoom);
  54214. magnifierComp->relativePositionToGlobal (x, y);
  54215. }
  54216. void globalPositionToRelative (int& x, int& y)
  54217. {
  54218. magnifierComp->globalPositionToRelative (x, y);
  54219. const double zoom = magnifierComp->getScaleFactor();
  54220. x = roundDoubleToInt (x / zoom);
  54221. y = roundDoubleToInt (y / zoom);
  54222. }
  54223. bool contains (int x, int y, bool) const
  54224. {
  54225. return ((unsigned int) x) < (unsigned int) magnifierComp->getWidth()
  54226. && ((unsigned int) y) < (unsigned int) magnifierComp->getHeight();
  54227. }
  54228. void repaint (int x, int y, int w, int h)
  54229. {
  54230. const double zoom = magnifierComp->getScaleFactor();
  54231. magnifierComp->repaint ((int) (x * zoom),
  54232. (int) (y * zoom),
  54233. roundDoubleToInt (w * zoom) + 1,
  54234. roundDoubleToInt (h * zoom) + 1);
  54235. }
  54236. void performAnyPendingRepaintsNow()
  54237. {
  54238. }
  54239. juce_UseDebuggingNewOperator
  54240. private:
  54241. MagnifierComponent* const magnifierComp;
  54242. MagnifyingPeer (const MagnifyingPeer&);
  54243. const MagnifyingPeer& operator= (const MagnifyingPeer&);
  54244. };
  54245. class PeerHolderComp : public Component
  54246. {
  54247. public:
  54248. PeerHolderComp (MagnifierComponent* const magnifierComp_)
  54249. : magnifierComp (magnifierComp_)
  54250. {
  54251. setVisible (true);
  54252. }
  54253. ~PeerHolderComp()
  54254. {
  54255. }
  54256. ComponentPeer* createNewPeer (int, void*)
  54257. {
  54258. return new MagnifyingPeer (this, magnifierComp);
  54259. }
  54260. void childBoundsChanged (Component* c)
  54261. {
  54262. if (c != 0)
  54263. {
  54264. setSize (c->getWidth(), c->getHeight());
  54265. magnifierComp->childBoundsChanged (this);
  54266. }
  54267. }
  54268. void mouseWheelMove (const MouseEvent& e, float ix, float iy)
  54269. {
  54270. // unhandled mouse wheel moves can be referred upwards to the parent comp..
  54271. Component* const p = magnifierComp->getParentComponent();
  54272. if (p != 0)
  54273. p->mouseWheelMove (e.getEventRelativeTo (p), ix, iy);
  54274. }
  54275. private:
  54276. MagnifierComponent* const magnifierComp;
  54277. PeerHolderComp (const PeerHolderComp&);
  54278. const PeerHolderComp& operator= (const PeerHolderComp&);
  54279. };
  54280. MagnifierComponent::MagnifierComponent (Component* const content_,
  54281. const bool deleteContentCompWhenNoLongerNeeded)
  54282. : content (content_),
  54283. scaleFactor (0.0),
  54284. peer (0),
  54285. deleteContent (deleteContentCompWhenNoLongerNeeded)
  54286. {
  54287. holderComp = new PeerHolderComp (this);
  54288. setScaleFactor (1.0);
  54289. }
  54290. MagnifierComponent::~MagnifierComponent()
  54291. {
  54292. delete holderComp;
  54293. if (deleteContent)
  54294. delete content;
  54295. }
  54296. void MagnifierComponent::setScaleFactor (double newScaleFactor)
  54297. {
  54298. jassert (newScaleFactor > 0.0); // hmm - unlikely to work well with a negative scale factor
  54299. newScaleFactor = jlimit (1.0 / 8.0, 1000.0, newScaleFactor);
  54300. if (scaleFactor != newScaleFactor)
  54301. {
  54302. scaleFactor = newScaleFactor;
  54303. if (scaleFactor == 1.0)
  54304. {
  54305. holderComp->removeFromDesktop();
  54306. peer = 0;
  54307. addChildComponent (content);
  54308. childBoundsChanged (content);
  54309. }
  54310. else
  54311. {
  54312. holderComp->addAndMakeVisible (content);
  54313. holderComp->childBoundsChanged (content);
  54314. childBoundsChanged (holderComp);
  54315. holderComp->addToDesktop (0);
  54316. peer = holderComp->getPeer();
  54317. }
  54318. repaint();
  54319. }
  54320. }
  54321. void MagnifierComponent::paint (Graphics& g)
  54322. {
  54323. const int w = holderComp->getWidth();
  54324. const int h = holderComp->getHeight();
  54325. if (w == 0 || h == 0)
  54326. return;
  54327. const Rectangle r (g.getClipBounds());
  54328. const int srcX = (int) (r.getX() / scaleFactor);
  54329. const int srcY = (int) (r.getY() / scaleFactor);
  54330. int srcW = roundDoubleToInt (r.getRight() / scaleFactor) - srcX;
  54331. int srcH = roundDoubleToInt (r.getBottom() / scaleFactor) - srcY;
  54332. if (scaleFactor >= 1.0)
  54333. {
  54334. ++srcW;
  54335. ++srcH;
  54336. }
  54337. Image temp (Image::ARGB, jmax (w, srcX + srcW), jmax (h, srcY + srcH), false);
  54338. temp.clear (srcX, srcY, srcW, srcH);
  54339. Graphics g2 (temp);
  54340. g2.reduceClipRegion (srcX, srcY, srcW, srcH);
  54341. holderComp->paintEntireComponent (g2);
  54342. g.setImageResamplingQuality (Graphics::lowResamplingQuality);
  54343. g.drawImage (&temp,
  54344. 0, 0, (int) (w * scaleFactor), (int) (h * scaleFactor),
  54345. 0, 0, w, h,
  54346. false);
  54347. }
  54348. void MagnifierComponent::childBoundsChanged (Component* c)
  54349. {
  54350. if (c != 0)
  54351. setSize (roundDoubleToInt (c->getWidth() * scaleFactor),
  54352. roundDoubleToInt (c->getHeight() * scaleFactor));
  54353. }
  54354. void MagnifierComponent::mouseDown (const MouseEvent& e)
  54355. {
  54356. if (peer != 0)
  54357. peer->handleMouseDown (scaleInt (e.x), scaleInt (e.y), e.eventTime.toMilliseconds());
  54358. }
  54359. void MagnifierComponent::mouseUp (const MouseEvent& e)
  54360. {
  54361. if (peer != 0)
  54362. peer->handleMouseUp (e.mods.getRawFlags(), scaleInt (e.x), scaleInt (e.y), e.eventTime.toMilliseconds());
  54363. }
  54364. void MagnifierComponent::mouseDrag (const MouseEvent& e)
  54365. {
  54366. if (peer != 0)
  54367. peer->handleMouseDrag (scaleInt (e.x), scaleInt (e.y), e.eventTime.toMilliseconds());
  54368. }
  54369. void MagnifierComponent::mouseMove (const MouseEvent& e)
  54370. {
  54371. if (peer != 0)
  54372. peer->handleMouseMove (scaleInt (e.x), scaleInt (e.y), e.eventTime.toMilliseconds());
  54373. }
  54374. void MagnifierComponent::mouseEnter (const MouseEvent& e)
  54375. {
  54376. if (peer != 0)
  54377. peer->handleMouseEnter (scaleInt (e.x), scaleInt (e.y), e.eventTime.toMilliseconds());
  54378. }
  54379. void MagnifierComponent::mouseExit (const MouseEvent& e)
  54380. {
  54381. if (peer != 0)
  54382. peer->handleMouseExit (scaleInt (e.x), scaleInt (e.y), e.eventTime.toMilliseconds());
  54383. }
  54384. void MagnifierComponent::mouseWheelMove (const MouseEvent& e, float ix, float iy)
  54385. {
  54386. if (peer != 0)
  54387. peer->handleMouseWheel (roundFloatToInt (ix * 256.0f),
  54388. roundFloatToInt (iy * 256.0f),
  54389. e.eventTime.toMilliseconds());
  54390. else
  54391. Component::mouseWheelMove (e, ix, iy);
  54392. }
  54393. int MagnifierComponent::scaleInt (const int n) const throw()
  54394. {
  54395. return roundDoubleToInt (n / scaleFactor);
  54396. }
  54397. END_JUCE_NAMESPACE
  54398. /********* End of inlined file: juce_MagnifierComponent.cpp *********/
  54399. /********* Start of inlined file: juce_MidiKeyboardComponent.cpp *********/
  54400. BEGIN_JUCE_NAMESPACE
  54401. class MidiKeyboardUpDownButton : public Button
  54402. {
  54403. public:
  54404. MidiKeyboardUpDownButton (MidiKeyboardComponent* const owner_,
  54405. const int delta_)
  54406. : Button (String::empty),
  54407. owner (owner_),
  54408. delta (delta_)
  54409. {
  54410. setOpaque (true);
  54411. }
  54412. ~MidiKeyboardUpDownButton()
  54413. {
  54414. }
  54415. void clicked()
  54416. {
  54417. int note = owner->getLowestVisibleKey();
  54418. if (delta < 0)
  54419. note = (note - 1) / 12;
  54420. else
  54421. note = note / 12 + 1;
  54422. owner->setLowestVisibleKey (note * 12);
  54423. }
  54424. void paintButton (Graphics& g,
  54425. bool isMouseOverButton,
  54426. bool isButtonDown)
  54427. {
  54428. owner->drawUpDownButton (g, getWidth(), getHeight(),
  54429. isMouseOverButton, isButtonDown,
  54430. delta > 0);
  54431. }
  54432. private:
  54433. MidiKeyboardComponent* const owner;
  54434. const int delta;
  54435. MidiKeyboardUpDownButton (const MidiKeyboardUpDownButton&);
  54436. const MidiKeyboardUpDownButton& operator= (const MidiKeyboardUpDownButton&);
  54437. };
  54438. MidiKeyboardComponent::MidiKeyboardComponent (MidiKeyboardState& state_,
  54439. const Orientation orientation_)
  54440. : state (state_),
  54441. xOffset (0),
  54442. blackNoteLength (1),
  54443. keyWidth (16.0f),
  54444. orientation (orientation_),
  54445. midiChannel (1),
  54446. midiInChannelMask (0xffff),
  54447. velocity (1.0f),
  54448. noteUnderMouse (-1),
  54449. mouseDownNote (-1),
  54450. rangeStart (0),
  54451. rangeEnd (127),
  54452. firstKey (12 * 4),
  54453. canScroll (true),
  54454. mouseDragging (false),
  54455. keyPresses (4),
  54456. keyPressNotes (16),
  54457. keyMappingOctave (6),
  54458. octaveNumForMiddleC (3)
  54459. {
  54460. addChildComponent (scrollDown = new MidiKeyboardUpDownButton (this, -1));
  54461. addChildComponent (scrollUp = new MidiKeyboardUpDownButton (this, 1));
  54462. // initialise with a default set of querty key-mappings..
  54463. const char* const keymap = "awsedftgyhujkolp;";
  54464. for (int i = String (keymap).length(); --i >= 0;)
  54465. setKeyPressForNote (KeyPress (keymap[i], 0, 0), i);
  54466. setOpaque (true);
  54467. setWantsKeyboardFocus (true);
  54468. state.addListener (this);
  54469. }
  54470. MidiKeyboardComponent::~MidiKeyboardComponent()
  54471. {
  54472. state.removeListener (this);
  54473. jassert (mouseDownNote < 0 && keysPressed.countNumberOfSetBits() == 0); // leaving stuck notes!
  54474. deleteAllChildren();
  54475. }
  54476. void MidiKeyboardComponent::setKeyWidth (const float widthInPixels)
  54477. {
  54478. keyWidth = widthInPixels;
  54479. resized();
  54480. }
  54481. void MidiKeyboardComponent::setOrientation (const Orientation newOrientation)
  54482. {
  54483. if (orientation != newOrientation)
  54484. {
  54485. orientation = newOrientation;
  54486. resized();
  54487. }
  54488. }
  54489. void MidiKeyboardComponent::setAvailableRange (const int lowestNote,
  54490. const int highestNote)
  54491. {
  54492. jassert (lowestNote >= 0 && lowestNote <= 127);
  54493. jassert (highestNote >= 0 && highestNote <= 127);
  54494. jassert (lowestNote <= highestNote);
  54495. if (rangeStart != lowestNote || rangeEnd != highestNote)
  54496. {
  54497. rangeStart = jlimit (0, 127, lowestNote);
  54498. rangeEnd = jlimit (0, 127, highestNote);
  54499. firstKey = jlimit (rangeStart, rangeEnd, firstKey);
  54500. resized();
  54501. }
  54502. }
  54503. void MidiKeyboardComponent::setLowestVisibleKey (int noteNumber)
  54504. {
  54505. noteNumber = jlimit (rangeStart, rangeEnd, noteNumber);
  54506. if (noteNumber != firstKey)
  54507. {
  54508. firstKey = noteNumber;
  54509. sendChangeMessage (this);
  54510. resized();
  54511. }
  54512. }
  54513. void MidiKeyboardComponent::setScrollButtonsVisible (const bool canScroll_)
  54514. {
  54515. if (canScroll != canScroll_)
  54516. {
  54517. canScroll = canScroll_;
  54518. resized();
  54519. }
  54520. }
  54521. void MidiKeyboardComponent::colourChanged()
  54522. {
  54523. repaint();
  54524. }
  54525. void MidiKeyboardComponent::setMidiChannel (const int midiChannelNumber)
  54526. {
  54527. jassert (midiChannelNumber > 0 && midiChannelNumber <= 16);
  54528. if (midiChannel != midiChannelNumber)
  54529. {
  54530. resetAnyKeysInUse();
  54531. midiChannel = jlimit (1, 16, midiChannelNumber);
  54532. }
  54533. }
  54534. void MidiKeyboardComponent::setMidiChannelsToDisplay (const int midiChannelMask)
  54535. {
  54536. midiInChannelMask = midiChannelMask;
  54537. triggerAsyncUpdate();
  54538. }
  54539. void MidiKeyboardComponent::setVelocity (const float velocity_)
  54540. {
  54541. velocity = jlimit (0.0f, 1.0f, velocity_);
  54542. }
  54543. void MidiKeyboardComponent::getKeyPosition (int midiNoteNumber, const float keyWidth, int& x, int& w) const
  54544. {
  54545. jassert (midiNoteNumber >= 0 && midiNoteNumber < 128);
  54546. static const float blackNoteWidth = 0.7f;
  54547. static const float notePos[] = { 0.0f, 1 - blackNoteWidth * 0.6f,
  54548. 1.0f, 2 - blackNoteWidth * 0.4f,
  54549. 2.0f, 3.0f, 4 - blackNoteWidth * 0.7f,
  54550. 4.0f, 5 - blackNoteWidth * 0.5f,
  54551. 5.0f, 6 - blackNoteWidth * 0.3f,
  54552. 6.0f };
  54553. static const float widths[] = { 1.0f, blackNoteWidth,
  54554. 1.0f, blackNoteWidth,
  54555. 1.0f, 1.0f, blackNoteWidth,
  54556. 1.0f, blackNoteWidth,
  54557. 1.0f, blackNoteWidth,
  54558. 1.0f };
  54559. const int octave = midiNoteNumber / 12;
  54560. const int note = midiNoteNumber % 12;
  54561. x = roundFloatToInt (octave * 7.0f * keyWidth + notePos [note] * keyWidth);
  54562. w = roundFloatToInt (widths [note] * keyWidth);
  54563. }
  54564. void MidiKeyboardComponent::getKeyPos (int midiNoteNumber, int& x, int& w) const
  54565. {
  54566. getKeyPosition (midiNoteNumber, keyWidth, x, w);
  54567. int rx, rw;
  54568. getKeyPosition (rangeStart, keyWidth, rx, rw);
  54569. x -= xOffset + rx;
  54570. }
  54571. int MidiKeyboardComponent::getKeyStartPosition (const int midiNoteNumber) const
  54572. {
  54573. int x, y;
  54574. getKeyPos (midiNoteNumber, x, y);
  54575. return x;
  54576. }
  54577. static const uint8 whiteNotes[] = { 0, 2, 4, 5, 7, 9, 11 };
  54578. static const uint8 blackNotes[] = { 1, 3, 6, 8, 10 };
  54579. int MidiKeyboardComponent::xyToNote (int x, int y)
  54580. {
  54581. if (! reallyContains (x, y, false))
  54582. return -1;
  54583. if (orientation != horizontalKeyboard)
  54584. {
  54585. swapVariables (x, y);
  54586. if (orientation == verticalKeyboardFacingLeft)
  54587. y = getWidth() - y;
  54588. else
  54589. x = getHeight() - x;
  54590. }
  54591. return remappedXYToNote (x + xOffset, y);
  54592. }
  54593. int MidiKeyboardComponent::remappedXYToNote (int x, int y) const
  54594. {
  54595. if (y < blackNoteLength)
  54596. {
  54597. for (int octaveStart = 12 * (rangeStart / 12); octaveStart <= rangeEnd; octaveStart += 12)
  54598. {
  54599. for (int i = 0; i < 5; ++i)
  54600. {
  54601. const int note = octaveStart + blackNotes [i];
  54602. if (note >= rangeStart && note <= rangeEnd)
  54603. {
  54604. int kx, kw;
  54605. getKeyPos (note, kx, kw);
  54606. kx += xOffset;
  54607. if (x >= kx && x < kx + kw)
  54608. return note;
  54609. }
  54610. }
  54611. }
  54612. }
  54613. for (int octaveStart = 12 * (rangeStart / 12); octaveStart <= rangeEnd; octaveStart += 12)
  54614. {
  54615. for (int i = 0; i < 7; ++i)
  54616. {
  54617. const int note = octaveStart + whiteNotes [i];
  54618. if (note >= rangeStart && note <= rangeEnd)
  54619. {
  54620. int kx, kw;
  54621. getKeyPos (note, kx, kw);
  54622. kx += xOffset;
  54623. if (x >= kx && x < kx + kw)
  54624. return note;
  54625. }
  54626. }
  54627. }
  54628. return -1;
  54629. }
  54630. void MidiKeyboardComponent::repaintNote (const int noteNum)
  54631. {
  54632. if (noteNum >= rangeStart && noteNum <= rangeEnd)
  54633. {
  54634. int x, w;
  54635. getKeyPos (noteNum, x, w);
  54636. if (orientation == horizontalKeyboard)
  54637. repaint (x, 0, w, getHeight());
  54638. else if (orientation == verticalKeyboardFacingLeft)
  54639. repaint (0, x, getWidth(), w);
  54640. else if (orientation == verticalKeyboardFacingRight)
  54641. repaint (0, getHeight() - x - w, getWidth(), w);
  54642. }
  54643. }
  54644. void MidiKeyboardComponent::paint (Graphics& g)
  54645. {
  54646. g.fillAll (Colours::white.overlaidWith (findColour (whiteNoteColourId)));
  54647. const Colour lineColour (findColour (keySeparatorLineColourId));
  54648. const Colour textColour (findColour (textLabelColourId));
  54649. int x, w, octave;
  54650. for (octave = 0; octave < 128; octave += 12)
  54651. {
  54652. for (int white = 0; white < 7; ++white)
  54653. {
  54654. const int noteNum = octave + whiteNotes [white];
  54655. if (noteNum >= rangeStart && noteNum <= rangeEnd)
  54656. {
  54657. getKeyPos (noteNum, x, w);
  54658. if (orientation == horizontalKeyboard)
  54659. drawWhiteNote (noteNum, g, x, 0, w, getHeight(),
  54660. state.isNoteOnForChannels (midiInChannelMask, noteNum),
  54661. noteUnderMouse == noteNum,
  54662. lineColour, textColour);
  54663. else if (orientation == verticalKeyboardFacingLeft)
  54664. drawWhiteNote (noteNum, g, 0, x, getWidth(), w,
  54665. state.isNoteOnForChannels (midiInChannelMask, noteNum),
  54666. noteUnderMouse == noteNum,
  54667. lineColour, textColour);
  54668. else if (orientation == verticalKeyboardFacingRight)
  54669. drawWhiteNote (noteNum, g, 0, getHeight() - x - w, getWidth(), w,
  54670. state.isNoteOnForChannels (midiInChannelMask, noteNum),
  54671. noteUnderMouse == noteNum,
  54672. lineColour, textColour);
  54673. }
  54674. }
  54675. }
  54676. float x1 = 0.0f, y1 = 0.0f, x2 = 0.0f, y2 = 0.0f;
  54677. if (orientation == verticalKeyboardFacingLeft)
  54678. {
  54679. x1 = getWidth() - 1.0f;
  54680. x2 = getWidth() - 5.0f;
  54681. }
  54682. else if (orientation == verticalKeyboardFacingRight)
  54683. x2 = 5.0f;
  54684. else
  54685. y2 = 5.0f;
  54686. GradientBrush gb (Colours::black.withAlpha (0.3f), x1, y1,
  54687. Colours::transparentBlack, x2, y2, false);
  54688. g.setBrush (&gb);
  54689. getKeyPos (rangeEnd, x, w);
  54690. x += w;
  54691. if (orientation == verticalKeyboardFacingLeft)
  54692. g.fillRect (getWidth() - 5, 0, 5, x);
  54693. else if (orientation == verticalKeyboardFacingRight)
  54694. g.fillRect (0, 0, 5, x);
  54695. else
  54696. g.fillRect (0, 0, x, 5);
  54697. g.setColour (lineColour);
  54698. if (orientation == verticalKeyboardFacingLeft)
  54699. g.fillRect (0, 0, 1, x);
  54700. else if (orientation == verticalKeyboardFacingRight)
  54701. g.fillRect (getWidth() - 1, 0, 1, x);
  54702. else
  54703. g.fillRect (0, getHeight() - 1, x, 1);
  54704. const Colour blackNoteColour (findColour (blackNoteColourId));
  54705. for (octave = 0; octave < 128; octave += 12)
  54706. {
  54707. for (int black = 0; black < 5; ++black)
  54708. {
  54709. const int noteNum = octave + blackNotes [black];
  54710. if (noteNum >= rangeStart && noteNum <= rangeEnd)
  54711. {
  54712. getKeyPos (noteNum, x, w);
  54713. if (orientation == horizontalKeyboard)
  54714. drawBlackNote (noteNum, g, x, 0, w, blackNoteLength,
  54715. state.isNoteOnForChannels (midiInChannelMask, noteNum),
  54716. noteUnderMouse == noteNum,
  54717. blackNoteColour);
  54718. else if (orientation == verticalKeyboardFacingLeft)
  54719. drawBlackNote (noteNum, g, getWidth() - blackNoteLength, x, blackNoteLength, w,
  54720. state.isNoteOnForChannels (midiInChannelMask, noteNum),
  54721. noteUnderMouse == noteNum,
  54722. blackNoteColour);
  54723. else if (orientation == verticalKeyboardFacingRight)
  54724. drawBlackNote (noteNum, g, 0, getHeight() - x - w, blackNoteLength, w,
  54725. state.isNoteOnForChannels (midiInChannelMask, noteNum),
  54726. noteUnderMouse == noteNum,
  54727. blackNoteColour);
  54728. }
  54729. }
  54730. }
  54731. }
  54732. void MidiKeyboardComponent::drawWhiteNote (int midiNoteNumber,
  54733. Graphics& g, int x, int y, int w, int h,
  54734. bool isDown, bool isOver,
  54735. const Colour& lineColour,
  54736. const Colour& textColour)
  54737. {
  54738. Colour c (Colours::transparentWhite);
  54739. if (isDown)
  54740. c = findColour (keyDownOverlayColourId);
  54741. if (isOver)
  54742. c = c.overlaidWith (findColour (mouseOverKeyOverlayColourId));
  54743. g.setColour (c);
  54744. g.fillRect (x, y, w, h);
  54745. const String text (getWhiteNoteText (midiNoteNumber));
  54746. if (! text.isEmpty())
  54747. {
  54748. g.setColour (textColour);
  54749. Font f (jmin (12.0f, keyWidth * 0.9f));
  54750. f.setHorizontalScale (0.8f);
  54751. g.setFont (f);
  54752. Justification justification (Justification::centredBottom);
  54753. if (orientation == verticalKeyboardFacingLeft)
  54754. justification = Justification::centredLeft;
  54755. else if (orientation == verticalKeyboardFacingRight)
  54756. justification = Justification::centredRight;
  54757. g.drawFittedText (text, x + 2, y + 2, w - 4, h - 4, justification, 1);
  54758. }
  54759. g.setColour (lineColour);
  54760. if (orientation == horizontalKeyboard)
  54761. g.fillRect (x, y, 1, h);
  54762. else if (orientation == verticalKeyboardFacingLeft)
  54763. g.fillRect (x, y, w, 1);
  54764. else if (orientation == verticalKeyboardFacingRight)
  54765. g.fillRect (x, y + h - 1, w, 1);
  54766. if (midiNoteNumber == rangeEnd)
  54767. {
  54768. if (orientation == horizontalKeyboard)
  54769. g.fillRect (x + w, y, 1, h);
  54770. else if (orientation == verticalKeyboardFacingLeft)
  54771. g.fillRect (x, y + h, w, 1);
  54772. else if (orientation == verticalKeyboardFacingRight)
  54773. g.fillRect (x, y - 1, w, 1);
  54774. }
  54775. }
  54776. void MidiKeyboardComponent::drawBlackNote (int /*midiNoteNumber*/,
  54777. Graphics& g, int x, int y, int w, int h,
  54778. bool isDown, bool isOver,
  54779. const Colour& noteFillColour)
  54780. {
  54781. Colour c (noteFillColour);
  54782. if (isDown)
  54783. c = c.overlaidWith (findColour (keyDownOverlayColourId));
  54784. if (isOver)
  54785. c = c.overlaidWith (findColour (mouseOverKeyOverlayColourId));
  54786. g.setColour (c);
  54787. g.fillRect (x, y, w, h);
  54788. if (isDown)
  54789. {
  54790. g.setColour (noteFillColour);
  54791. g.drawRect (x, y, w, h);
  54792. }
  54793. else
  54794. {
  54795. const int xIndent = jmax (1, jmin (w, h) / 8);
  54796. g.setColour (c.brighter());
  54797. if (orientation == horizontalKeyboard)
  54798. g.fillRect (x + xIndent, y, w - xIndent * 2, 7 * h / 8);
  54799. else if (orientation == verticalKeyboardFacingLeft)
  54800. g.fillRect (x + w / 8, y + xIndent, w - w / 8, h - xIndent * 2);
  54801. else if (orientation == verticalKeyboardFacingRight)
  54802. g.fillRect (x, y + xIndent, 7 * w / 8, h - xIndent * 2);
  54803. }
  54804. }
  54805. void MidiKeyboardComponent::setOctaveForMiddleC (const int octaveNumForMiddleC_) throw()
  54806. {
  54807. octaveNumForMiddleC = octaveNumForMiddleC_;
  54808. repaint();
  54809. }
  54810. const String MidiKeyboardComponent::getWhiteNoteText (const int midiNoteNumber)
  54811. {
  54812. if (keyWidth > 14.0f && midiNoteNumber % 12 == 0)
  54813. return MidiMessage::getMidiNoteName (midiNoteNumber, true, true, octaveNumForMiddleC);
  54814. return String::empty;
  54815. }
  54816. void MidiKeyboardComponent::drawUpDownButton (Graphics& g, int w, int h,
  54817. const bool isMouseOver,
  54818. const bool isButtonDown,
  54819. const bool movesOctavesUp)
  54820. {
  54821. g.fillAll (findColour (upDownButtonBackgroundColourId));
  54822. float angle;
  54823. if (orientation == MidiKeyboardComponent::horizontalKeyboard)
  54824. angle = movesOctavesUp ? 0.0f : 0.5f;
  54825. else if (orientation == MidiKeyboardComponent::verticalKeyboardFacingLeft)
  54826. angle = movesOctavesUp ? 0.25f : 0.75f;
  54827. else
  54828. angle = movesOctavesUp ? 0.75f : 0.25f;
  54829. Path path;
  54830. path.lineTo (0.0f, 1.0f);
  54831. path.lineTo (1.0f, 0.5f);
  54832. path.closeSubPath();
  54833. path.applyTransform (AffineTransform::rotation (float_Pi * 2.0f * angle, 0.5f, 0.5f));
  54834. g.setColour (findColour (upDownButtonArrowColourId)
  54835. .withAlpha (isButtonDown ? 1.0f : (isMouseOver ? 0.6f : 0.4f)));
  54836. g.fillPath (path, path.getTransformToScaleToFit (1.0f, 1.0f,
  54837. w - 2.0f,
  54838. h - 2.0f,
  54839. true));
  54840. }
  54841. void MidiKeyboardComponent::resized()
  54842. {
  54843. int w = getWidth();
  54844. int h = getHeight();
  54845. if (w > 0 && h > 0)
  54846. {
  54847. if (orientation != horizontalKeyboard)
  54848. swapVariables (w, h);
  54849. blackNoteLength = roundFloatToInt (h * 0.7f);
  54850. int kx2, kw2;
  54851. getKeyPos (rangeEnd, kx2, kw2);
  54852. kx2 += kw2;
  54853. if (firstKey != rangeStart)
  54854. {
  54855. int kx1, kw1;
  54856. getKeyPos (rangeStart, kx1, kw1);
  54857. if (kx2 - kx1 <= w)
  54858. {
  54859. firstKey = rangeStart;
  54860. sendChangeMessage (this);
  54861. repaint();
  54862. }
  54863. }
  54864. const bool showScrollButtons = canScroll && (firstKey > rangeStart || kx2 > w + xOffset * 2);
  54865. scrollDown->setVisible (showScrollButtons);
  54866. scrollUp->setVisible (showScrollButtons);
  54867. xOffset = 0;
  54868. if (showScrollButtons)
  54869. {
  54870. const int scrollButtonW = jmin (12, w / 2);
  54871. if (orientation == horizontalKeyboard)
  54872. {
  54873. scrollDown->setBounds (0, 0, scrollButtonW, getHeight());
  54874. scrollUp->setBounds (getWidth() - scrollButtonW, 0, scrollButtonW, getHeight());
  54875. }
  54876. else if (orientation == verticalKeyboardFacingLeft)
  54877. {
  54878. scrollDown->setBounds (0, 0, getWidth(), scrollButtonW);
  54879. scrollUp->setBounds (0, getHeight() - scrollButtonW, getWidth(), scrollButtonW);
  54880. }
  54881. else if (orientation == verticalKeyboardFacingRight)
  54882. {
  54883. scrollDown->setBounds (0, getHeight() - scrollButtonW, getWidth(), scrollButtonW);
  54884. scrollUp->setBounds (0, 0, getWidth(), scrollButtonW);
  54885. }
  54886. int endOfLastKey, kw;
  54887. getKeyPos (rangeEnd, endOfLastKey, kw);
  54888. endOfLastKey += kw;
  54889. const int spaceAvailable = w - scrollButtonW * 2;
  54890. const int lastStartKey = remappedXYToNote (endOfLastKey - spaceAvailable, 0) + 1;
  54891. if (lastStartKey >= 0 && firstKey > lastStartKey)
  54892. {
  54893. firstKey = jlimit (rangeStart, rangeEnd, lastStartKey);
  54894. sendChangeMessage (this);
  54895. }
  54896. int newOffset = 0;
  54897. getKeyPos (firstKey, newOffset, kw);
  54898. xOffset = newOffset - scrollButtonW;
  54899. }
  54900. else
  54901. {
  54902. firstKey = rangeStart;
  54903. }
  54904. timerCallback();
  54905. repaint();
  54906. }
  54907. }
  54908. void MidiKeyboardComponent::handleNoteOn (MidiKeyboardState*, int /*midiChannel*/, int /*midiNoteNumber*/, float /*velocity*/)
  54909. {
  54910. triggerAsyncUpdate();
  54911. }
  54912. void MidiKeyboardComponent::handleNoteOff (MidiKeyboardState*, int /*midiChannel*/, int /*midiNoteNumber*/)
  54913. {
  54914. triggerAsyncUpdate();
  54915. }
  54916. void MidiKeyboardComponent::handleAsyncUpdate()
  54917. {
  54918. for (int i = rangeStart; i <= rangeEnd; ++i)
  54919. {
  54920. if (keysCurrentlyDrawnDown[i] != state.isNoteOnForChannels (midiInChannelMask, i))
  54921. {
  54922. keysCurrentlyDrawnDown.setBit (i, state.isNoteOnForChannels (midiInChannelMask, i));
  54923. repaintNote (i);
  54924. }
  54925. }
  54926. }
  54927. void MidiKeyboardComponent::resetAnyKeysInUse()
  54928. {
  54929. if (keysPressed.countNumberOfSetBits() > 0 || mouseDownNote > 0)
  54930. {
  54931. state.allNotesOff (midiChannel);
  54932. keysPressed.clear();
  54933. mouseDownNote = -1;
  54934. }
  54935. }
  54936. void MidiKeyboardComponent::updateNoteUnderMouse (int x, int y)
  54937. {
  54938. const int newNote = (mouseDragging || isMouseOver())
  54939. ? xyToNote (x, y) : -1;
  54940. if (noteUnderMouse != newNote)
  54941. {
  54942. if (mouseDownNote >= 0)
  54943. {
  54944. state.noteOff (midiChannel, mouseDownNote);
  54945. mouseDownNote = -1;
  54946. }
  54947. if (mouseDragging && newNote >= 0)
  54948. {
  54949. state.noteOn (midiChannel, newNote, velocity);
  54950. mouseDownNote = newNote;
  54951. }
  54952. repaintNote (noteUnderMouse);
  54953. noteUnderMouse = newNote;
  54954. repaintNote (noteUnderMouse);
  54955. }
  54956. else if (mouseDownNote >= 0 && ! mouseDragging)
  54957. {
  54958. state.noteOff (midiChannel, mouseDownNote);
  54959. mouseDownNote = -1;
  54960. }
  54961. }
  54962. void MidiKeyboardComponent::mouseMove (const MouseEvent& e)
  54963. {
  54964. updateNoteUnderMouse (e.x, e.y);
  54965. stopTimer();
  54966. }
  54967. void MidiKeyboardComponent::mouseDrag (const MouseEvent& e)
  54968. {
  54969. const int newNote = xyToNote (e.x, e.y);
  54970. if (newNote >= 0)
  54971. mouseDraggedToKey (newNote, e);
  54972. updateNoteUnderMouse (e.x, e.y);
  54973. }
  54974. bool MidiKeyboardComponent::mouseDownOnKey (int /*midiNoteNumber*/, const MouseEvent&)
  54975. {
  54976. return true;
  54977. }
  54978. void MidiKeyboardComponent::mouseDraggedToKey (int /*midiNoteNumber*/, const MouseEvent&)
  54979. {
  54980. }
  54981. void MidiKeyboardComponent::mouseDown (const MouseEvent& e)
  54982. {
  54983. const int newNote = xyToNote (e.x, e.y);
  54984. mouseDragging = false;
  54985. if (newNote >= 0 && mouseDownOnKey (newNote, e))
  54986. {
  54987. repaintNote (noteUnderMouse);
  54988. noteUnderMouse = -1;
  54989. mouseDragging = true;
  54990. updateNoteUnderMouse (e.x, e.y);
  54991. startTimer (500);
  54992. }
  54993. }
  54994. void MidiKeyboardComponent::mouseUp (const MouseEvent& e)
  54995. {
  54996. mouseDragging = false;
  54997. updateNoteUnderMouse (e.x, e.y);
  54998. stopTimer();
  54999. }
  55000. void MidiKeyboardComponent::mouseEnter (const MouseEvent& e)
  55001. {
  55002. updateNoteUnderMouse (e.x, e.y);
  55003. }
  55004. void MidiKeyboardComponent::mouseExit (const MouseEvent& e)
  55005. {
  55006. updateNoteUnderMouse (e.x, e.y);
  55007. }
  55008. void MidiKeyboardComponent::mouseWheelMove (const MouseEvent&, float ix, float iy)
  55009. {
  55010. setLowestVisibleKey (getLowestVisibleKey() + roundFloatToInt ((ix != 0 ? ix : iy) * 5.0f));
  55011. }
  55012. void MidiKeyboardComponent::timerCallback()
  55013. {
  55014. int mx, my;
  55015. getMouseXYRelative (mx, my);
  55016. updateNoteUnderMouse (mx, my);
  55017. }
  55018. void MidiKeyboardComponent::clearKeyMappings()
  55019. {
  55020. resetAnyKeysInUse();
  55021. keyPressNotes.clear();
  55022. keyPresses.clear();
  55023. }
  55024. void MidiKeyboardComponent::setKeyPressForNote (const KeyPress& key,
  55025. const int midiNoteOffsetFromC)
  55026. {
  55027. removeKeyPressForNote (midiNoteOffsetFromC);
  55028. keyPressNotes.add (midiNoteOffsetFromC);
  55029. keyPresses.add (key);
  55030. }
  55031. void MidiKeyboardComponent::removeKeyPressForNote (const int midiNoteOffsetFromC)
  55032. {
  55033. for (int i = keyPressNotes.size(); --i >= 0;)
  55034. {
  55035. if (keyPressNotes.getUnchecked (i) == midiNoteOffsetFromC)
  55036. {
  55037. keyPressNotes.remove (i);
  55038. keyPresses.remove (i);
  55039. }
  55040. }
  55041. }
  55042. void MidiKeyboardComponent::setKeyPressBaseOctave (const int newOctaveNumber)
  55043. {
  55044. jassert (newOctaveNumber >= 0 && newOctaveNumber <= 10);
  55045. keyMappingOctave = newOctaveNumber;
  55046. }
  55047. bool MidiKeyboardComponent::keyStateChanged()
  55048. {
  55049. bool keyPressUsed = false;
  55050. for (int i = keyPresses.size(); --i >= 0;)
  55051. {
  55052. const int note = 12 * keyMappingOctave + keyPressNotes.getUnchecked (i);
  55053. if (keyPresses.getReference(i).isCurrentlyDown())
  55054. {
  55055. if (! keysPressed [note])
  55056. {
  55057. keysPressed.setBit (note);
  55058. state.noteOn (midiChannel, note, velocity);
  55059. keyPressUsed = true;
  55060. }
  55061. }
  55062. else
  55063. {
  55064. if (keysPressed [note])
  55065. {
  55066. keysPressed.clearBit (note);
  55067. state.noteOff (midiChannel, note);
  55068. keyPressUsed = true;
  55069. }
  55070. }
  55071. }
  55072. return keyPressUsed;
  55073. }
  55074. void MidiKeyboardComponent::focusLost (FocusChangeType)
  55075. {
  55076. resetAnyKeysInUse();
  55077. }
  55078. END_JUCE_NAMESPACE
  55079. /********* End of inlined file: juce_MidiKeyboardComponent.cpp *********/
  55080. /********* Start of inlined file: juce_OpenGLComponent.cpp *********/
  55081. #if JUCE_OPENGL
  55082. BEGIN_JUCE_NAMESPACE
  55083. extern void juce_glViewport (const int w, const int h);
  55084. OpenGLPixelFormat::OpenGLPixelFormat (const int bitsPerRGBComponent,
  55085. const int alphaBits_,
  55086. const int depthBufferBits_,
  55087. const int stencilBufferBits_) throw()
  55088. : redBits (bitsPerRGBComponent),
  55089. greenBits (bitsPerRGBComponent),
  55090. blueBits (bitsPerRGBComponent),
  55091. alphaBits (alphaBits_),
  55092. depthBufferBits (depthBufferBits_),
  55093. stencilBufferBits (stencilBufferBits_),
  55094. accumulationBufferRedBits (0),
  55095. accumulationBufferGreenBits (0),
  55096. accumulationBufferBlueBits (0),
  55097. accumulationBufferAlphaBits (0),
  55098. fullSceneAntiAliasingNumSamples (0)
  55099. {
  55100. }
  55101. bool OpenGLPixelFormat::operator== (const OpenGLPixelFormat& other) const throw()
  55102. {
  55103. return memcmp (this, &other, sizeof (other)) == 0;
  55104. }
  55105. static VoidArray knownContexts;
  55106. OpenGLContext::OpenGLContext() throw()
  55107. {
  55108. knownContexts.add (this);
  55109. }
  55110. OpenGLContext::~OpenGLContext()
  55111. {
  55112. knownContexts.removeValue (this);
  55113. }
  55114. OpenGLContext* OpenGLContext::getCurrentContext()
  55115. {
  55116. for (int i = knownContexts.size(); --i >= 0;)
  55117. {
  55118. OpenGLContext* const oglc = (OpenGLContext*) knownContexts.getUnchecked(i);
  55119. if (oglc->isActive())
  55120. return oglc;
  55121. }
  55122. return 0;
  55123. }
  55124. class OpenGLComponentWatcher : public ComponentMovementWatcher
  55125. {
  55126. public:
  55127. OpenGLComponentWatcher (OpenGLComponent* const owner_)
  55128. : ComponentMovementWatcher (owner_),
  55129. owner (owner_),
  55130. wasShowing (false)
  55131. {
  55132. }
  55133. ~OpenGLComponentWatcher() {}
  55134. void componentMovedOrResized (bool /*wasMoved*/, bool /*wasResized*/)
  55135. {
  55136. owner->updateContextPosition();
  55137. }
  55138. void componentPeerChanged()
  55139. {
  55140. const ScopedLock sl (owner->getContextLock());
  55141. owner->deleteContext();
  55142. }
  55143. void componentVisibilityChanged (Component&)
  55144. {
  55145. const bool isShowingNow = owner->isShowing();
  55146. if (wasShowing != isShowingNow)
  55147. {
  55148. wasShowing = isShowingNow;
  55149. owner->updateContextPosition();
  55150. }
  55151. }
  55152. juce_UseDebuggingNewOperator
  55153. private:
  55154. OpenGLComponent* const owner;
  55155. bool wasShowing;
  55156. };
  55157. OpenGLComponent::OpenGLComponent()
  55158. : context (0),
  55159. contextToShareListsWith (0),
  55160. needToUpdateViewport (true)
  55161. {
  55162. setOpaque (true);
  55163. componentWatcher = new OpenGLComponentWatcher (this);
  55164. }
  55165. OpenGLComponent::~OpenGLComponent()
  55166. {
  55167. deleteContext();
  55168. delete componentWatcher;
  55169. }
  55170. void OpenGLComponent::deleteContext()
  55171. {
  55172. const ScopedLock sl (contextLock);
  55173. deleteAndZero (context);
  55174. }
  55175. void OpenGLComponent::updateContextPosition()
  55176. {
  55177. needToUpdateViewport = true;
  55178. if (getWidth() > 0 && getHeight() > 0)
  55179. {
  55180. Component* const topComp = getTopLevelComponent();
  55181. if (topComp->getPeer() != 0)
  55182. {
  55183. const ScopedLock sl (contextLock);
  55184. if (context != 0)
  55185. context->updateWindowPosition (getScreenX() - topComp->getScreenX(),
  55186. getScreenY() - topComp->getScreenY(),
  55187. getWidth(),
  55188. getHeight(),
  55189. topComp->getHeight());
  55190. }
  55191. }
  55192. }
  55193. const OpenGLPixelFormat OpenGLComponent::getPixelFormat() const
  55194. {
  55195. OpenGLPixelFormat pf;
  55196. const ScopedLock sl (contextLock);
  55197. if (context != 0)
  55198. pf = context->getPixelFormat();
  55199. return pf;
  55200. }
  55201. void OpenGLComponent::setPixelFormat (const OpenGLPixelFormat& formatToUse)
  55202. {
  55203. if (! (preferredPixelFormat == formatToUse))
  55204. {
  55205. const ScopedLock sl (contextLock);
  55206. deleteContext();
  55207. preferredPixelFormat = formatToUse;
  55208. }
  55209. }
  55210. void OpenGLComponent::shareWith (OpenGLContext* context)
  55211. {
  55212. if (contextToShareListsWith != context)
  55213. {
  55214. const ScopedLock sl (contextLock);
  55215. deleteContext();
  55216. contextToShareListsWith = context;
  55217. }
  55218. }
  55219. bool OpenGLComponent::makeCurrentContextActive()
  55220. {
  55221. if (context == 0)
  55222. {
  55223. const ScopedLock sl (contextLock);
  55224. if (isShowing() && getTopLevelComponent()->getPeer() != 0)
  55225. {
  55226. context = OpenGLContext::createContextForWindow (this,
  55227. preferredPixelFormat,
  55228. contextToShareListsWith);
  55229. if (context != 0)
  55230. {
  55231. updateContextPosition();
  55232. if (context->makeActive())
  55233. newOpenGLContextCreated();
  55234. }
  55235. }
  55236. }
  55237. return context != 0 && context->makeActive();
  55238. }
  55239. void OpenGLComponent::makeCurrentContextInactive()
  55240. {
  55241. if (context != 0)
  55242. context->makeInactive();
  55243. }
  55244. bool OpenGLComponent::isActiveContext() const throw()
  55245. {
  55246. return context != 0 && context->isActive();
  55247. }
  55248. void OpenGLComponent::swapBuffers()
  55249. {
  55250. if (context != 0)
  55251. context->swapBuffers();
  55252. }
  55253. void OpenGLComponent::paint (Graphics&)
  55254. {
  55255. if (renderAndSwapBuffers())
  55256. {
  55257. ComponentPeer* const peer = getPeer();
  55258. if (peer != 0)
  55259. {
  55260. peer->addMaskedRegion (getScreenX() - peer->getScreenX(),
  55261. getScreenY() - peer->getScreenY(),
  55262. getWidth(), getHeight());
  55263. }
  55264. }
  55265. }
  55266. bool OpenGLComponent::renderAndSwapBuffers()
  55267. {
  55268. const ScopedLock sl (contextLock);
  55269. if (! makeCurrentContextActive())
  55270. return false;
  55271. if (needToUpdateViewport)
  55272. {
  55273. needToUpdateViewport = false;
  55274. juce_glViewport (getWidth(), getHeight());
  55275. }
  55276. renderOpenGL();
  55277. swapBuffers();
  55278. return true;
  55279. }
  55280. void OpenGLComponent::internalRepaint (int x, int y, int w, int h)
  55281. {
  55282. Component::internalRepaint (x, y, w, h);
  55283. if (context != 0)
  55284. context->repaint();
  55285. }
  55286. END_JUCE_NAMESPACE
  55287. #endif
  55288. /********* End of inlined file: juce_OpenGLComponent.cpp *********/
  55289. /********* Start of inlined file: juce_PreferencesPanel.cpp *********/
  55290. BEGIN_JUCE_NAMESPACE
  55291. PreferencesPanel::PreferencesPanel()
  55292. : currentPage (0),
  55293. buttonSize (70)
  55294. {
  55295. }
  55296. PreferencesPanel::~PreferencesPanel()
  55297. {
  55298. deleteAllChildren();
  55299. }
  55300. void PreferencesPanel::addSettingsPage (const String& title,
  55301. const Drawable* icon,
  55302. const Drawable* overIcon,
  55303. const Drawable* downIcon)
  55304. {
  55305. DrawableButton* button = new DrawableButton (title, DrawableButton::ImageAboveTextLabel);
  55306. button->setImages (icon, overIcon, downIcon);
  55307. button->setRadioGroupId (1);
  55308. button->addButtonListener (this);
  55309. button->setClickingTogglesState (true);
  55310. button->setWantsKeyboardFocus (false);
  55311. addAndMakeVisible (button);
  55312. resized();
  55313. }
  55314. void PreferencesPanel::addSettingsPage (const String& title,
  55315. const char* imageData,
  55316. const int imageDataSize)
  55317. {
  55318. DrawableImage icon, iconOver, iconDown;
  55319. icon.setImage (ImageCache::getFromMemory (imageData, imageDataSize), true);
  55320. iconOver.setImage (ImageCache::getFromMemory (imageData, imageDataSize), true);
  55321. iconOver.setOverlayColour (Colours::black.withAlpha (0.12f));
  55322. iconDown.setImage (ImageCache::getFromMemory (imageData, imageDataSize), true);
  55323. iconDown.setOverlayColour (Colours::black.withAlpha (0.25f));
  55324. addSettingsPage (title, &icon, &iconOver, &iconDown);
  55325. if (currentPage == 0)
  55326. setCurrentPage (title);
  55327. }
  55328. class PrefsDialogWindow : public DialogWindow
  55329. {
  55330. public:
  55331. PrefsDialogWindow (const String& dialogtitle,
  55332. const Colour& backgroundColour)
  55333. : DialogWindow (dialogtitle, backgroundColour, true)
  55334. {
  55335. }
  55336. ~PrefsDialogWindow()
  55337. {
  55338. }
  55339. void closeButtonPressed()
  55340. {
  55341. exitModalState (0);
  55342. }
  55343. private:
  55344. PrefsDialogWindow (const PrefsDialogWindow&);
  55345. const PrefsDialogWindow& operator= (const PrefsDialogWindow&);
  55346. };
  55347. void PreferencesPanel::showInDialogBox (const String& dialogtitle,
  55348. int dialogWidth,
  55349. int dialogHeight,
  55350. const Colour& backgroundColour)
  55351. {
  55352. setSize (dialogWidth, dialogHeight);
  55353. PrefsDialogWindow dw (dialogtitle, backgroundColour);
  55354. dw.setContentComponent (this, true, true);
  55355. dw.centreAroundComponent (0, dw.getWidth(), dw.getHeight());
  55356. dw.runModalLoop();
  55357. }
  55358. void PreferencesPanel::resized()
  55359. {
  55360. int x = 0;
  55361. for (int i = 0; i < getNumChildComponents(); ++i)
  55362. {
  55363. Component* c = getChildComponent (i);
  55364. if (dynamic_cast <DrawableButton*> (c) == 0)
  55365. {
  55366. c->setBounds (0, buttonSize + 5, getWidth(), getHeight() - buttonSize - 5);
  55367. }
  55368. else
  55369. {
  55370. c->setBounds (x, 0, buttonSize, buttonSize);
  55371. x += buttonSize;
  55372. }
  55373. }
  55374. }
  55375. void PreferencesPanel::paint (Graphics& g)
  55376. {
  55377. g.setColour (Colours::grey);
  55378. g.fillRect (0, buttonSize + 2, getWidth(), 1);
  55379. }
  55380. void PreferencesPanel::setCurrentPage (const String& pageName)
  55381. {
  55382. if (currentPageName != pageName)
  55383. {
  55384. currentPageName = pageName;
  55385. deleteAndZero (currentPage);
  55386. currentPage = createComponentForPage (pageName);
  55387. if (currentPage != 0)
  55388. {
  55389. addAndMakeVisible (currentPage);
  55390. currentPage->toBack();
  55391. resized();
  55392. }
  55393. for (int i = 0; i < getNumChildComponents(); ++i)
  55394. {
  55395. DrawableButton* db = dynamic_cast <DrawableButton*> (getChildComponent (i));
  55396. if (db != 0 && db->getName() == pageName)
  55397. {
  55398. db->setToggleState (true, false);
  55399. break;
  55400. }
  55401. }
  55402. }
  55403. }
  55404. void PreferencesPanel::buttonClicked (Button*)
  55405. {
  55406. for (int i = 0; i < getNumChildComponents(); ++i)
  55407. {
  55408. DrawableButton* db = dynamic_cast <DrawableButton*> (getChildComponent (i));
  55409. if (db != 0 && db->getToggleState())
  55410. {
  55411. setCurrentPage (db->getName());
  55412. break;
  55413. }
  55414. }
  55415. }
  55416. END_JUCE_NAMESPACE
  55417. /********* End of inlined file: juce_PreferencesPanel.cpp *********/
  55418. /********* Start of inlined file: juce_QuickTimeMovieComponent.cpp *********/
  55419. #if JUCE_QUICKTIME
  55420. #ifdef _MSC_VER
  55421. #pragma warning (disable: 4514)
  55422. #endif
  55423. #ifdef _WIN32
  55424. #include <windows.h>
  55425. #ifdef _MSC_VER
  55426. #pragma warning (push)
  55427. #pragma warning (disable : 4100)
  55428. #endif
  55429. /* If you've got an include error here, you probably need to install the QuickTime SDK and
  55430. add its header directory to your include path.
  55431. Alternatively, if you don't need any QuickTime services, just turn off the JUCE_QUICKTIME
  55432. flag in juce_Config.h
  55433. */
  55434. #include <Movies.h>
  55435. #include <QTML.h>
  55436. #include <QuickTimeComponents.h>
  55437. #include <MediaHandlers.h>
  55438. #include <ImageCodec.h>
  55439. #ifdef _MSC_VER
  55440. #pragma warning (pop)
  55441. #endif
  55442. // If you've got QuickTime 7 installed, then these COM objects should be found in
  55443. // the "\Program Files\Quicktime" directory. You'll need to add this directory to
  55444. // your include search path to make these import statements work.
  55445. #import <QTOLibrary.dll>
  55446. #import <QTOControl.dll>
  55447. using namespace QTOLibrary;
  55448. using namespace QTOControlLib;
  55449. #else
  55450. #include <Carbon/Carbon.h>
  55451. #include <QuickTime/Movies.h>
  55452. #include <QuickTime/QuickTimeComponents.h>
  55453. #include <QuickTime/MediaHandlers.h>
  55454. #endif
  55455. BEGIN_JUCE_NAMESPACE
  55456. bool juce_OpenQuickTimeMovieFromStream (InputStream* input, Movie& movie, Handle& dataHandle);
  55457. static bool hasLoadedQT = false;
  55458. static bool isQTAvailable = false;
  55459. struct QTMovieCompInternal
  55460. {
  55461. QTMovieCompInternal()
  55462. : dataHandle (0)
  55463. {
  55464. #if JUCE_MAC
  55465. movie = 0;
  55466. controller = 0;
  55467. #endif
  55468. }
  55469. ~QTMovieCompInternal()
  55470. {
  55471. clearHandle();
  55472. }
  55473. #if JUCE_MAC
  55474. Movie movie;
  55475. MovieController controller;
  55476. #else
  55477. IQTControlPtr qtControlInternal;
  55478. IQTMoviePtr qtMovieInternal;
  55479. #endif
  55480. Handle dataHandle;
  55481. void clearHandle()
  55482. {
  55483. if (dataHandle != 0)
  55484. {
  55485. DisposeHandle (dataHandle);
  55486. dataHandle = 0;
  55487. }
  55488. }
  55489. };
  55490. #if JUCE_WIN32
  55491. #define qtControl (((QTMovieCompInternal*) internal)->qtControlInternal)
  55492. #define qtMovie (((QTMovieCompInternal*) internal)->qtMovieInternal)
  55493. QuickTimeMovieComponent::QuickTimeMovieComponent()
  55494. : movieLoaded (false),
  55495. controllerVisible (true)
  55496. {
  55497. internal = new QTMovieCompInternal();
  55498. setMouseEventsAllowed (false);
  55499. }
  55500. QuickTimeMovieComponent::~QuickTimeMovieComponent()
  55501. {
  55502. closeMovie();
  55503. qtControl = 0;
  55504. deleteControl();
  55505. delete internal;
  55506. internal = 0;
  55507. }
  55508. bool QuickTimeMovieComponent::isQuickTimeAvailable() throw()
  55509. {
  55510. if (! hasLoadedQT)
  55511. {
  55512. hasLoadedQT = true;
  55513. isQTAvailable = (InitializeQTML (0) == noErr)
  55514. && (EnterMovies() == noErr);
  55515. }
  55516. return isQTAvailable;
  55517. }
  55518. void QuickTimeMovieComponent::createControlIfNeeded()
  55519. {
  55520. if (isShowing() && ! isControlCreated())
  55521. {
  55522. const IID qtIID = __uuidof (QTControl);
  55523. if (createControl (&qtIID))
  55524. {
  55525. const IID qtInterfaceIID = __uuidof (IQTControl);
  55526. qtControl = (IQTControl*) queryInterface (&qtInterfaceIID);
  55527. if (qtControl != 0)
  55528. {
  55529. qtControl->Release(); // it has one ref too many at this point
  55530. qtControl->QuickTimeInitialize();
  55531. qtControl->PutSizing (qtMovieFitsControl);
  55532. if (movieFile != File::nonexistent)
  55533. loadMovie (movieFile, controllerVisible);
  55534. }
  55535. }
  55536. }
  55537. }
  55538. bool QuickTimeMovieComponent::isControlCreated() const
  55539. {
  55540. return isControlOpen();
  55541. }
  55542. bool QuickTimeMovieComponent::loadMovie (InputStream* movieStream,
  55543. const bool isControllerVisible)
  55544. {
  55545. movieFile = File::nonexistent;
  55546. movieLoaded = false;
  55547. qtMovie = 0;
  55548. controllerVisible = isControllerVisible;
  55549. createControlIfNeeded();
  55550. if (isControlCreated())
  55551. {
  55552. if (qtControl != 0)
  55553. {
  55554. qtControl->Put_MovieHandle (0);
  55555. ((QTMovieCompInternal*) internal)->clearHandle();
  55556. Movie movie;
  55557. if (juce_OpenQuickTimeMovieFromStream (movieStream, movie, ((QTMovieCompInternal*) internal)->dataHandle))
  55558. {
  55559. qtControl->Put_MovieHandle ((long) (pointer_sized_int) movie);
  55560. qtMovie = qtControl->GetMovie();
  55561. if (qtMovie != 0)
  55562. qtMovie->PutMovieControllerType (isControllerVisible ? qtMovieControllerTypeStandard
  55563. : qtMovieControllerTypeNone);
  55564. }
  55565. if (movie == 0)
  55566. ((QTMovieCompInternal*) internal)->clearHandle();
  55567. }
  55568. movieLoaded = (qtMovie != 0);
  55569. }
  55570. else
  55571. {
  55572. // You're trying to open a movie when the control hasn't yet been created, probably because
  55573. // you've not yet added this component to a Window and made the whole component hierarchy visible.
  55574. jassertfalse
  55575. }
  55576. delete movieStream;
  55577. return movieLoaded;
  55578. }
  55579. void QuickTimeMovieComponent::closeMovie()
  55580. {
  55581. stop();
  55582. movieFile = File::nonexistent;
  55583. movieLoaded = false;
  55584. qtMovie = 0;
  55585. if (qtControl != 0)
  55586. qtControl->Put_MovieHandle (0);
  55587. ((QTMovieCompInternal*) internal)->clearHandle();
  55588. }
  55589. const File QuickTimeMovieComponent::getCurrentMovieFile() const
  55590. {
  55591. return movieFile;
  55592. }
  55593. bool QuickTimeMovieComponent::isMovieOpen() const
  55594. {
  55595. return movieLoaded;
  55596. }
  55597. double QuickTimeMovieComponent::getMovieDuration() const
  55598. {
  55599. if (qtMovie != 0)
  55600. return qtMovie->GetDuration() / (double) qtMovie->GetTimeScale();
  55601. return 0.0;
  55602. }
  55603. void QuickTimeMovieComponent::getMovieNormalSize (int& width, int& height) const
  55604. {
  55605. if (qtMovie != 0)
  55606. {
  55607. struct QTRECT r = qtMovie->GetNaturalRect();
  55608. width = r.right - r.left;
  55609. height = r.bottom - r.top;
  55610. }
  55611. else
  55612. {
  55613. width = height = 0;
  55614. }
  55615. }
  55616. void QuickTimeMovieComponent::play()
  55617. {
  55618. if (qtMovie != 0)
  55619. qtMovie->Play();
  55620. }
  55621. void QuickTimeMovieComponent::stop()
  55622. {
  55623. if (qtMovie != 0)
  55624. qtMovie->Stop();
  55625. }
  55626. bool QuickTimeMovieComponent::isPlaying() const
  55627. {
  55628. return qtMovie != 0 && qtMovie->GetRate() != 0.0f;
  55629. }
  55630. void QuickTimeMovieComponent::setPosition (const double seconds)
  55631. {
  55632. if (qtMovie != 0)
  55633. qtMovie->PutTime ((long) (seconds * qtMovie->GetTimeScale()));
  55634. }
  55635. double QuickTimeMovieComponent::getPosition() const
  55636. {
  55637. if (qtMovie != 0)
  55638. return qtMovie->GetTime() / (double) qtMovie->GetTimeScale();
  55639. return 0.0;
  55640. }
  55641. void QuickTimeMovieComponent::setSpeed (const float newSpeed)
  55642. {
  55643. if (qtMovie != 0)
  55644. qtMovie->PutRate (newSpeed);
  55645. }
  55646. void QuickTimeMovieComponent::setMovieVolume (const float newVolume)
  55647. {
  55648. if (qtMovie != 0)
  55649. {
  55650. qtMovie->PutAudioVolume (newVolume);
  55651. qtMovie->PutAudioMute (newVolume <= 0);
  55652. }
  55653. }
  55654. float QuickTimeMovieComponent::getMovieVolume() const
  55655. {
  55656. if (qtMovie != 0)
  55657. return qtMovie->GetAudioVolume();
  55658. return 0.0f;
  55659. }
  55660. void QuickTimeMovieComponent::setLooping (const bool shouldLoop)
  55661. {
  55662. if (qtMovie != 0)
  55663. qtMovie->PutLoop (shouldLoop);
  55664. }
  55665. bool QuickTimeMovieComponent::isLooping() const
  55666. {
  55667. return qtMovie != 0 && qtMovie->GetLoop();
  55668. }
  55669. bool QuickTimeMovieComponent::isControllerVisible() const
  55670. {
  55671. return controllerVisible;
  55672. }
  55673. void QuickTimeMovieComponent::parentHierarchyChanged()
  55674. {
  55675. createControlIfNeeded();
  55676. QTWinBaseClass::parentHierarchyChanged();
  55677. }
  55678. void QuickTimeMovieComponent::visibilityChanged()
  55679. {
  55680. createControlIfNeeded();
  55681. QTWinBaseClass::visibilityChanged();
  55682. }
  55683. void QuickTimeMovieComponent::paint (Graphics& g)
  55684. {
  55685. if (! isControlCreated())
  55686. g.fillAll (Colours::black);
  55687. }
  55688. #endif
  55689. #if JUCE_MAC
  55690. static VoidArray activeQTWindows (2);
  55691. struct MacClickEventData
  55692. {
  55693. ::Point where;
  55694. long when;
  55695. long modifiers;
  55696. };
  55697. void OfferMouseClickToQuickTime (WindowRef window,
  55698. ::Point where, long when, long modifiers,
  55699. Component* topLevelComp)
  55700. {
  55701. if (hasLoadedQT)
  55702. {
  55703. for (int i = activeQTWindows.size(); --i >= 0;)
  55704. {
  55705. QuickTimeMovieComponent* const qtw = (QuickTimeMovieComponent*) activeQTWindows[i];
  55706. if (qtw->isVisible() && topLevelComp->isParentOf (qtw))
  55707. {
  55708. MacClickEventData data;
  55709. data.where = where;
  55710. data.when = when;
  55711. data.modifiers = modifiers;
  55712. qtw->handleMCEvent (&data);
  55713. }
  55714. }
  55715. }
  55716. }
  55717. QuickTimeMovieComponent::QuickTimeMovieComponent()
  55718. : internal (new QTMovieCompInternal()),
  55719. associatedWindow (0),
  55720. controllerVisible (false),
  55721. controllerAssignedToWindow (false),
  55722. reentrant (false)
  55723. {
  55724. if (! hasLoadedQT)
  55725. {
  55726. hasLoadedQT = true;
  55727. isQTAvailable = EnterMovies() == noErr;
  55728. }
  55729. setOpaque (true);
  55730. setVisible (true);
  55731. activeQTWindows.add (this);
  55732. }
  55733. QuickTimeMovieComponent::~QuickTimeMovieComponent()
  55734. {
  55735. closeMovie();
  55736. activeQTWindows.removeValue ((void*) this);
  55737. QTMovieCompInternal* const i = (QTMovieCompInternal*) internal;
  55738. delete i;
  55739. if (activeQTWindows.size() == 0 && isQTAvailable)
  55740. {
  55741. isQTAvailable = false;
  55742. hasLoadedQT = false;
  55743. ExitMovies();
  55744. }
  55745. }
  55746. bool QuickTimeMovieComponent::isQuickTimeAvailable() throw()
  55747. {
  55748. if (! hasLoadedQT)
  55749. {
  55750. hasLoadedQT = true;
  55751. isQTAvailable = EnterMovies() == noErr;
  55752. }
  55753. return isQTAvailable;
  55754. }
  55755. bool QuickTimeMovieComponent::loadMovie (InputStream* movieStream,
  55756. const bool controllerVisible_)
  55757. {
  55758. if (! isQTAvailable)
  55759. return false;
  55760. closeMovie();
  55761. movieFile = File::nonexistent;
  55762. if (getPeer() == 0)
  55763. {
  55764. // To open a movie, this component must be visible inside a functioning window, so that
  55765. // the QT control can be assigned to the window.
  55766. jassertfalse
  55767. return false;
  55768. }
  55769. controllerVisible = controllerVisible_;
  55770. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55771. GrafPtr savedPort;
  55772. GetPort (&savedPort);
  55773. bool result = false;
  55774. if (juce_OpenQuickTimeMovieFromStream (movieStream, qmci->movie, qmci->dataHandle))
  55775. {
  55776. qmci->controller = 0;
  55777. void* window = getWindowHandle();
  55778. if (window != associatedWindow && window != 0)
  55779. associatedWindow = window;
  55780. assignMovieToWindow();
  55781. SetMovieActive (qmci->movie, true);
  55782. SetMovieProgressProc (qmci->movie, (MovieProgressUPP) -1, 0);
  55783. startTimer (1000 / 50); // this needs to be quite a high frequency for smooth playback
  55784. result = true;
  55785. repaint();
  55786. }
  55787. MacSetPort (savedPort);
  55788. return result;
  55789. }
  55790. void QuickTimeMovieComponent::closeMovie()
  55791. {
  55792. stop();
  55793. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55794. if (qmci->controller != 0)
  55795. {
  55796. DisposeMovieController (qmci->controller);
  55797. qmci->controller = 0;
  55798. }
  55799. if (qmci->movie != 0)
  55800. {
  55801. DisposeMovie (qmci->movie);
  55802. qmci->movie = 0;
  55803. }
  55804. qmci->clearHandle();
  55805. stopTimer();
  55806. movieFile = File::nonexistent;
  55807. }
  55808. bool QuickTimeMovieComponent::isMovieOpen() const
  55809. {
  55810. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55811. return qmci->movie != 0 && qmci->controller != 0;
  55812. }
  55813. const File QuickTimeMovieComponent::getCurrentMovieFile() const
  55814. {
  55815. return movieFile;
  55816. }
  55817. static GrafPtr getPortForWindow (void* window)
  55818. {
  55819. if (window == 0)
  55820. return 0;
  55821. return (GrafPtr) GetWindowPort ((WindowRef) window);
  55822. }
  55823. void QuickTimeMovieComponent::assignMovieToWindow()
  55824. {
  55825. if (reentrant)
  55826. return;
  55827. reentrant = true;
  55828. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55829. if (qmci->controller != 0)
  55830. {
  55831. DisposeMovieController (qmci->controller);
  55832. qmci->controller = 0;
  55833. }
  55834. controllerAssignedToWindow = false;
  55835. void* window = getWindowHandle();
  55836. GrafPtr port = getPortForWindow (window);
  55837. if (port != 0)
  55838. {
  55839. GrafPtr savedPort;
  55840. GetPort (&savedPort);
  55841. SetMovieGWorld (qmci->movie, (CGrafPtr) port, 0);
  55842. MacSetPort (port);
  55843. Rect r;
  55844. r.top = 0;
  55845. r.left = 0;
  55846. r.right = (short) jmax (1, getWidth());
  55847. r.bottom = (short) jmax (1, getHeight());
  55848. SetMovieBox (qmci->movie, &r);
  55849. // create the movie controller
  55850. qmci->controller = NewMovieController (qmci->movie, &r,
  55851. controllerVisible ? mcTopLeftMovie
  55852. : mcNotVisible);
  55853. if (qmci->controller != 0)
  55854. {
  55855. MCEnableEditing (qmci->controller, true);
  55856. MCDoAction (qmci->controller, mcActionSetUseBadge, (void*) false);
  55857. MCDoAction (qmci->controller, mcActionSetLoopIsPalindrome, (void*) false);
  55858. setLooping (looping);
  55859. MCDoAction (qmci->controller, mcActionSetFlags,
  55860. (void*) (pointer_sized_int) (mcFlagSuppressMovieFrame | (controllerVisible ? 0 : (mcFlagSuppressStepButtons | mcFlagSuppressSpeakerButton))));
  55861. MCSetControllerBoundsRect (qmci->controller, &r);
  55862. controllerAssignedToWindow = true;
  55863. resized();
  55864. }
  55865. MacSetPort (savedPort);
  55866. }
  55867. else
  55868. {
  55869. SetMovieGWorld (qmci->movie, 0, 0);
  55870. }
  55871. reentrant = false;
  55872. }
  55873. void QuickTimeMovieComponent::play()
  55874. {
  55875. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55876. if (qmci->movie != 0)
  55877. StartMovie (qmci->movie);
  55878. }
  55879. void QuickTimeMovieComponent::stop()
  55880. {
  55881. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55882. if (qmci->movie != 0)
  55883. StopMovie (qmci->movie);
  55884. }
  55885. bool QuickTimeMovieComponent::isPlaying() const
  55886. {
  55887. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55888. return qmci->movie != 0 && GetMovieRate (qmci->movie) != 0;
  55889. }
  55890. void QuickTimeMovieComponent::setPosition (const double seconds)
  55891. {
  55892. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55893. if (qmci->controller != 0)
  55894. {
  55895. TimeRecord time;
  55896. time.base = GetMovieTimeBase (qmci->movie);
  55897. time.scale = 100000;
  55898. const uint64 t = (uint64) (100000.0 * seconds);
  55899. time.value.lo = (UInt32) (t & 0xffffffff);
  55900. time.value.hi = (UInt32) (t >> 32);
  55901. SetMovieTime (qmci->movie, &time);
  55902. timerCallback(); // to call MCIdle
  55903. }
  55904. else
  55905. {
  55906. jassertfalse // no movie is open, so can't set the position.
  55907. }
  55908. }
  55909. double QuickTimeMovieComponent::getPosition() const
  55910. {
  55911. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55912. if (qmci->movie != 0)
  55913. {
  55914. TimeRecord time;
  55915. GetMovieTime (qmci->movie, &time);
  55916. return ((int64) (((uint64) time.value.hi << 32) | (uint64) time.value.lo))
  55917. / (double) time.scale;
  55918. }
  55919. return 0.0;
  55920. }
  55921. void QuickTimeMovieComponent::setSpeed (const float newSpeed)
  55922. {
  55923. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55924. if (qmci->movie != 0)
  55925. SetMovieRate (qmci->movie, (Fixed) (newSpeed * (Fixed) 0x00010000L));
  55926. }
  55927. double QuickTimeMovieComponent::getMovieDuration() const
  55928. {
  55929. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55930. if (qmci->movie != 0)
  55931. return GetMovieDuration (qmci->movie) / (double) GetMovieTimeScale (qmci->movie);
  55932. return 0.0;
  55933. }
  55934. void QuickTimeMovieComponent::setLooping (const bool shouldLoop)
  55935. {
  55936. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55937. looping = shouldLoop;
  55938. if (qmci->controller != 0)
  55939. MCDoAction (qmci->controller, mcActionSetLooping, (void*) shouldLoop);
  55940. }
  55941. bool QuickTimeMovieComponent::isLooping() const
  55942. {
  55943. return looping;
  55944. }
  55945. void QuickTimeMovieComponent::setMovieVolume (const float newVolume)
  55946. {
  55947. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55948. if (qmci->movie != 0)
  55949. SetMovieVolume (qmci->movie, jlimit ((short) 0, (short) 0x100, (short) (newVolume * 0x0100)));
  55950. }
  55951. float QuickTimeMovieComponent::getMovieVolume() const
  55952. {
  55953. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55954. if (qmci->movie != 0)
  55955. return jmax (0.0f, GetMovieVolume (qmci->movie) / (float) 0x0100);
  55956. return 0.0f;
  55957. }
  55958. void QuickTimeMovieComponent::getMovieNormalSize (int& width, int& height) const
  55959. {
  55960. width = 0;
  55961. height = 0;
  55962. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55963. if (qmci->movie != 0)
  55964. {
  55965. Rect r;
  55966. GetMovieNaturalBoundsRect (qmci->movie, &r);
  55967. width = r.right - r.left;
  55968. height = r.bottom - r.top;
  55969. }
  55970. }
  55971. void QuickTimeMovieComponent::paint (Graphics& g)
  55972. {
  55973. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  55974. if (qmci->movie == 0 || qmci->controller == 0)
  55975. {
  55976. g.fillAll (Colours::black);
  55977. return;
  55978. }
  55979. GrafPtr savedPort;
  55980. GetPort (&savedPort);
  55981. MacSetPort (getPortForWindow (getWindowHandle()));
  55982. MCDraw (qmci->controller, (WindowRef) getWindowHandle());
  55983. MacSetPort (savedPort);
  55984. ComponentPeer* const peer = getPeer();
  55985. if (peer != 0)
  55986. {
  55987. peer->addMaskedRegion (getScreenX() - peer->getScreenX(),
  55988. getScreenY() - peer->getScreenY(),
  55989. getWidth(), getHeight());
  55990. }
  55991. timerCallback();
  55992. }
  55993. static const Rectangle getMoviePos (Component* const c)
  55994. {
  55995. return Rectangle (c->getScreenX() - c->getTopLevelComponent()->getScreenX(),
  55996. c->getScreenY() - c->getTopLevelComponent()->getScreenY(),
  55997. jmax (1, c->getWidth()),
  55998. jmax (1, c->getHeight()));
  55999. }
  56000. void QuickTimeMovieComponent::moved()
  56001. {
  56002. resized();
  56003. }
  56004. void QuickTimeMovieComponent::resized()
  56005. {
  56006. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  56007. if (qmci->controller != 0 && isShowing())
  56008. {
  56009. checkWindowAssociation();
  56010. GrafPtr port = getPortForWindow (getWindowHandle());
  56011. if (port != 0)
  56012. {
  56013. GrafPtr savedPort;
  56014. GetPort (&savedPort);
  56015. SetMovieGWorld (qmci->movie, (CGrafPtr) port, 0);
  56016. MacSetPort (port);
  56017. lastPositionApplied = getMoviePos (this);
  56018. Rect r;
  56019. r.left = (short) lastPositionApplied.getX();
  56020. r.top = (short) lastPositionApplied.getY();
  56021. r.right = (short) lastPositionApplied.getRight();
  56022. r.bottom = (short) lastPositionApplied.getBottom();
  56023. if (MCGetVisible (qmci->controller))
  56024. MCSetControllerBoundsRect (qmci->controller, &r);
  56025. else
  56026. SetMovieBox (qmci->movie, &r);
  56027. if (! isPlaying())
  56028. timerCallback();
  56029. MacSetPort (savedPort);
  56030. repaint();
  56031. }
  56032. }
  56033. }
  56034. void QuickTimeMovieComponent::visibilityChanged()
  56035. {
  56036. checkWindowAssociation();
  56037. QTWinBaseClass::visibilityChanged();
  56038. }
  56039. void QuickTimeMovieComponent::timerCallback()
  56040. {
  56041. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  56042. if (qmci->controller != 0)
  56043. {
  56044. if (isTimerRunning())
  56045. startTimer (getTimerInterval());
  56046. MCIdle (qmci->controller);
  56047. if (lastPositionApplied != getMoviePos (this))
  56048. resized();
  56049. }
  56050. }
  56051. void QuickTimeMovieComponent::checkWindowAssociation()
  56052. {
  56053. void* const window = getWindowHandle();
  56054. if (window != associatedWindow
  56055. || (window != 0 && ! controllerAssignedToWindow))
  56056. {
  56057. associatedWindow = window;
  56058. assignMovieToWindow();
  56059. }
  56060. }
  56061. void QuickTimeMovieComponent::parentHierarchyChanged()
  56062. {
  56063. checkWindowAssociation();
  56064. }
  56065. void QuickTimeMovieComponent::handleMCEvent (void* ev)
  56066. {
  56067. QTMovieCompInternal* const qmci = (QTMovieCompInternal*) internal;
  56068. if (qmci->controller != 0 && isShowing())
  56069. {
  56070. MacClickEventData* data = (MacClickEventData*) ev;
  56071. data->where.h -= getTopLevelComponent()->getScreenX();
  56072. data->where.v -= getTopLevelComponent()->getScreenY();
  56073. Boolean b = false;
  56074. MCPtInController (qmci->controller, data->where, &b);
  56075. if (b)
  56076. {
  56077. const int oldTimeBeforeWaitCursor = MessageManager::getInstance()->getTimeBeforeShowingWaitCursor();
  56078. MessageManager::getInstance()->setTimeBeforeShowingWaitCursor (0);
  56079. MCClick (qmci->controller,
  56080. (WindowRef) getWindowHandle(),
  56081. data->where,
  56082. data->when,
  56083. data->modifiers);
  56084. MessageManager::getInstance()->setTimeBeforeShowingWaitCursor (oldTimeBeforeWaitCursor);
  56085. }
  56086. }
  56087. }
  56088. #endif
  56089. // (methods common to both platforms..)
  56090. static Handle createHandleDataRef (Handle dataHandle, const char* fileName)
  56091. {
  56092. Handle dataRef = 0;
  56093. OSStatus err = PtrToHand (&dataHandle, &dataRef, sizeof (Handle));
  56094. if (err == noErr)
  56095. {
  56096. Str255 suffix;
  56097. CharacterFunctions::copy ((char*) suffix, fileName, 128);
  56098. StringPtr name = suffix;
  56099. err = PtrAndHand (name, dataRef, name[0] + 1);
  56100. if (err == noErr)
  56101. {
  56102. long atoms[3];
  56103. atoms[0] = EndianU32_NtoB (3 * sizeof (long));
  56104. atoms[1] = EndianU32_NtoB (kDataRefExtensionMacOSFileType);
  56105. atoms[2] = EndianU32_NtoB (MovieFileType);
  56106. err = PtrAndHand (atoms, dataRef, 3 * sizeof (long));
  56107. if (err == noErr)
  56108. return dataRef;
  56109. }
  56110. DisposeHandle (dataRef);
  56111. }
  56112. return 0;
  56113. }
  56114. static CFStringRef juceStringToCFString (const String& s)
  56115. {
  56116. const int len = s.length();
  56117. const juce_wchar* const t = (const juce_wchar*) s;
  56118. UniChar* temp = (UniChar*) juce_malloc (sizeof (UniChar) * len + 4);
  56119. for (int i = 0; i <= len; ++i)
  56120. temp[i] = t[i];
  56121. CFStringRef result = CFStringCreateWithCharacters (kCFAllocatorDefault, temp, len);
  56122. juce_free (temp);
  56123. return result;
  56124. }
  56125. static bool openMovie (QTNewMoviePropertyElement* props, int prop, Movie& movie)
  56126. {
  56127. Boolean trueBool = true;
  56128. props[prop].propClass = kQTPropertyClass_MovieInstantiation;
  56129. props[prop].propID = kQTMovieInstantiationPropertyID_DontResolveDataRefs;
  56130. props[prop].propValueSize = sizeof (trueBool);
  56131. props[prop].propValueAddress = &trueBool;
  56132. ++prop;
  56133. props[prop].propClass = kQTPropertyClass_MovieInstantiation;
  56134. props[prop].propID = kQTMovieInstantiationPropertyID_AsyncOK;
  56135. props[prop].propValueSize = sizeof (trueBool);
  56136. props[prop].propValueAddress = &trueBool;
  56137. ++prop;
  56138. Boolean isActive = true;
  56139. props[prop].propClass = kQTPropertyClass_NewMovieProperty;
  56140. props[prop].propID = kQTNewMoviePropertyID_Active;
  56141. props[prop].propValueSize = sizeof (isActive);
  56142. props[prop].propValueAddress = &isActive;
  56143. ++prop;
  56144. #if JUCE_MAC
  56145. SetPort (0);
  56146. #else
  56147. MacSetPort (0);
  56148. #endif
  56149. jassert (prop <= 5);
  56150. OSStatus err = NewMovieFromProperties (prop, props, 0, 0, &movie);
  56151. return err == noErr;
  56152. }
  56153. bool juce_OpenQuickTimeMovieFromStream (InputStream* input, Movie& movie, Handle& dataHandle)
  56154. {
  56155. if (input == 0)
  56156. return false;
  56157. dataHandle = 0;
  56158. bool ok = false;
  56159. QTNewMoviePropertyElement props[5];
  56160. zeromem (props, sizeof (props));
  56161. int prop = 0;
  56162. DataReferenceRecord dr;
  56163. props[prop].propClass = kQTPropertyClass_DataLocation;
  56164. props[prop].propID = kQTDataLocationPropertyID_DataReference;
  56165. props[prop].propValueSize = sizeof (dr);
  56166. props[prop].propValueAddress = (void*) &dr;
  56167. ++prop;
  56168. FileInputStream* const fin = dynamic_cast <FileInputStream*> (input);
  56169. if (fin != 0)
  56170. {
  56171. CFStringRef filePath = juceStringToCFString (fin->getFile().getFullPathName());
  56172. QTNewDataReferenceFromFullPathCFString (filePath, (QTPathStyle) kQTNativeDefaultPathStyle, 0,
  56173. &dr.dataRef, &dr.dataRefType);
  56174. ok = openMovie (props, prop, movie);
  56175. DisposeHandle (dr.dataRef);
  56176. CFRelease (filePath);
  56177. }
  56178. else
  56179. {
  56180. // sanity-check because this currently needs to load the whole stream into memory..
  56181. jassert (input->getTotalLength() < 50 * 1024 * 1024);
  56182. dataHandle = NewHandle ((Size) input->getTotalLength());
  56183. HLock (dataHandle);
  56184. // read the entire stream into memory - this is a pain, but can't get it to work
  56185. // properly using a custom callback to supply the data.
  56186. input->read (*dataHandle, (int) input->getTotalLength());
  56187. HUnlock (dataHandle);
  56188. // different types to get QT to try. (We should really be a bit smarter here by
  56189. // working out in advance which one the stream contains, rather than just trying
  56190. // each one)
  56191. const char* const suffixesToTry[] = { "\04.mov", "\04.mp3",
  56192. "\04.avi", "\04.m4a" };
  56193. for (int i = 0; i < numElementsInArray (suffixesToTry) && ! ok; ++i)
  56194. {
  56195. /* // this fails for some bizarre reason - it can be bodged to work with
  56196. // movies, but can't seem to do it for other file types..
  56197. QTNewMovieUserProcRecord procInfo;
  56198. procInfo.getMovieUserProc = NewGetMovieUPP (readMovieStreamProc);
  56199. procInfo.getMovieUserProcRefcon = this;
  56200. procInfo.defaultDataRef.dataRef = dataRef;
  56201. procInfo.defaultDataRef.dataRefType = HandleDataHandlerSubType;
  56202. props[prop].propClass = kQTPropertyClass_DataLocation;
  56203. props[prop].propID = kQTDataLocationPropertyID_MovieUserProc;
  56204. props[prop].propValueSize = sizeof (procInfo);
  56205. props[prop].propValueAddress = (void*) &procInfo;
  56206. ++prop; */
  56207. dr.dataRef = createHandleDataRef (dataHandle, suffixesToTry [i]);
  56208. dr.dataRefType = HandleDataHandlerSubType;
  56209. ok = openMovie (props, prop, movie);
  56210. DisposeHandle (dr.dataRef);
  56211. }
  56212. }
  56213. return ok;
  56214. }
  56215. bool QuickTimeMovieComponent::loadMovie (const File& movieFile_,
  56216. const bool isControllerVisible)
  56217. {
  56218. const bool ok = loadMovie ((InputStream*) movieFile_.createInputStream(), isControllerVisible);
  56219. movieFile = movieFile_;
  56220. return ok;
  56221. }
  56222. void QuickTimeMovieComponent::goToStart()
  56223. {
  56224. setPosition (0.0);
  56225. }
  56226. void QuickTimeMovieComponent::setBoundsWithCorrectAspectRatio (const Rectangle& spaceToFitWithin,
  56227. const RectanglePlacement& placement)
  56228. {
  56229. int normalWidth, normalHeight;
  56230. getMovieNormalSize (normalWidth, normalHeight);
  56231. if (normalWidth > 0 && normalHeight > 0 && ! spaceToFitWithin.isEmpty())
  56232. {
  56233. double x = 0.0, y = 0.0, w = normalWidth, h = normalHeight;
  56234. placement.applyTo (x, y, w, h,
  56235. spaceToFitWithin.getX(), spaceToFitWithin.getY(),
  56236. spaceToFitWithin.getWidth(), spaceToFitWithin.getHeight());
  56237. if (w > 0 && h > 0)
  56238. {
  56239. setBounds (roundDoubleToInt (x), roundDoubleToInt (y),
  56240. roundDoubleToInt (w), roundDoubleToInt (h));
  56241. }
  56242. }
  56243. else
  56244. {
  56245. setBounds (spaceToFitWithin);
  56246. }
  56247. }
  56248. END_JUCE_NAMESPACE
  56249. #endif
  56250. /********* End of inlined file: juce_QuickTimeMovieComponent.cpp *********/
  56251. /********* Start of inlined file: juce_SystemTrayIconComponent.cpp *********/
  56252. #if JUCE_WIN32 || JUCE_LINUX
  56253. BEGIN_JUCE_NAMESPACE
  56254. SystemTrayIconComponent::SystemTrayIconComponent()
  56255. {
  56256. addToDesktop (0);
  56257. }
  56258. SystemTrayIconComponent::~SystemTrayIconComponent()
  56259. {
  56260. }
  56261. END_JUCE_NAMESPACE
  56262. #endif
  56263. /********* End of inlined file: juce_SystemTrayIconComponent.cpp *********/
  56264. /********* Start of inlined file: juce_AlertWindow.cpp *********/
  56265. BEGIN_JUCE_NAMESPACE
  56266. static const int titleH = 24;
  56267. static const int iconWidth = 80;
  56268. class AlertWindowTextEditor : public TextEditor
  56269. {
  56270. public:
  56271. #if JUCE_LINUX
  56272. #define PASSWORD_CHAR 0x2022
  56273. #else
  56274. #define PASSWORD_CHAR 0x25cf
  56275. #endif
  56276. AlertWindowTextEditor (const String& name,
  56277. const bool isPasswordBox)
  56278. : TextEditor (name,
  56279. isPasswordBox ? (const tchar) PASSWORD_CHAR
  56280. : (const tchar) 0)
  56281. {
  56282. setSelectAllWhenFocused (true);
  56283. }
  56284. ~AlertWindowTextEditor()
  56285. {
  56286. }
  56287. void returnPressed()
  56288. {
  56289. // pass these up the component hierarchy to be trigger the buttons
  56290. getParentComponent()->keyPressed (KeyPress (KeyPress::returnKey, 0, T('\n')));
  56291. }
  56292. void escapePressed()
  56293. {
  56294. // pass these up the component hierarchy to be trigger the buttons
  56295. getParentComponent()->keyPressed (KeyPress (KeyPress::escapeKey, 0, 0));
  56296. }
  56297. private:
  56298. AlertWindowTextEditor (const AlertWindowTextEditor&);
  56299. const AlertWindowTextEditor& operator= (const AlertWindowTextEditor&);
  56300. };
  56301. AlertWindow::AlertWindow (const String& title,
  56302. const String& message,
  56303. AlertIconType iconType)
  56304. : TopLevelWindow (title, true),
  56305. alertIconType (iconType)
  56306. {
  56307. if (message.isEmpty())
  56308. text = T(" "); // to force an update if the message is empty
  56309. setMessage (message);
  56310. #if JUCE_MAC
  56311. setAlwaysOnTop (true);
  56312. #else
  56313. for (int i = Desktop::getInstance().getNumComponents(); --i >= 0;)
  56314. {
  56315. Component* const c = Desktop::getInstance().getComponent (i);
  56316. if (c != 0 && c->isAlwaysOnTop() && c->isShowing())
  56317. {
  56318. setAlwaysOnTop (true);
  56319. break;
  56320. }
  56321. }
  56322. #endif
  56323. lookAndFeelChanged();
  56324. constrainer.setMinimumOnscreenAmounts (0x10000, 0x10000, 0x10000, 0x10000);
  56325. }
  56326. AlertWindow::~AlertWindow()
  56327. {
  56328. for (int i = customComps.size(); --i >= 0;)
  56329. removeChildComponent ((Component*) customComps[i]);
  56330. deleteAllChildren();
  56331. }
  56332. void AlertWindow::setMessage (const String& message)
  56333. {
  56334. const String newMessage (message.substring (0, 2048));
  56335. if (text != newMessage)
  56336. {
  56337. text = newMessage;
  56338. font.setHeight (15.0f);
  56339. Font titleFont (font.getHeight() * 1.1f, Font::bold);
  56340. textLayout.setText (getName() + T("\n\n"), titleFont);
  56341. textLayout.appendText (text, font);
  56342. updateLayout (true);
  56343. repaint();
  56344. }
  56345. }
  56346. void AlertWindow::buttonClicked (Button* button)
  56347. {
  56348. for (int i = 0; i < buttons.size(); i++)
  56349. {
  56350. TextButton* const c = (TextButton*) buttons[i];
  56351. if (button->getName() == c->getName())
  56352. {
  56353. if (c->getParentComponent() != 0)
  56354. c->getParentComponent()->exitModalState (c->getCommandID());
  56355. break;
  56356. }
  56357. }
  56358. }
  56359. void AlertWindow::addButton (const String& name,
  56360. const int returnValue,
  56361. const KeyPress& shortcutKey1,
  56362. const KeyPress& shortcutKey2)
  56363. {
  56364. TextButton* const b = new TextButton (name, String::empty);
  56365. b->setWantsKeyboardFocus (true);
  56366. b->setMouseClickGrabsKeyboardFocus (false);
  56367. b->setCommandToTrigger (0, returnValue, false);
  56368. b->addShortcut (shortcutKey1);
  56369. b->addShortcut (shortcutKey2);
  56370. b->addButtonListener (this);
  56371. b->changeWidthToFitText (getLookAndFeel().getAlertWindowButtonHeight());
  56372. addAndMakeVisible (b, 0);
  56373. buttons.add (b);
  56374. updateLayout (false);
  56375. }
  56376. int AlertWindow::getNumButtons() const
  56377. {
  56378. return buttons.size();
  56379. }
  56380. void AlertWindow::addTextEditor (const String& name,
  56381. const String& initialContents,
  56382. const String& onScreenLabel,
  56383. const bool isPasswordBox)
  56384. {
  56385. AlertWindowTextEditor* const tc = new AlertWindowTextEditor (name, isPasswordBox);
  56386. tc->setColour (TextEditor::outlineColourId, findColour (ComboBox::outlineColourId));
  56387. tc->setFont (font);
  56388. tc->setText (initialContents);
  56389. tc->setCaretPosition (initialContents.length());
  56390. addAndMakeVisible (tc);
  56391. textBoxes.add (tc);
  56392. allComps.add (tc);
  56393. textboxNames.add (onScreenLabel);
  56394. updateLayout (false);
  56395. }
  56396. const String AlertWindow::getTextEditorContents (const String& nameOfTextEditor) const
  56397. {
  56398. for (int i = textBoxes.size(); --i >= 0;)
  56399. if (((TextEditor*)textBoxes[i])->getName() == nameOfTextEditor)
  56400. return ((TextEditor*)textBoxes[i])->getText();
  56401. return String::empty;
  56402. }
  56403. void AlertWindow::addComboBox (const String& name,
  56404. const StringArray& items,
  56405. const String& onScreenLabel)
  56406. {
  56407. ComboBox* const cb = new ComboBox (name);
  56408. for (int i = 0; i < items.size(); ++i)
  56409. cb->addItem (items[i], i + 1);
  56410. addAndMakeVisible (cb);
  56411. cb->setSelectedItemIndex (0);
  56412. comboBoxes.add (cb);
  56413. allComps.add (cb);
  56414. comboBoxNames.add (onScreenLabel);
  56415. updateLayout (false);
  56416. }
  56417. ComboBox* AlertWindow::getComboBoxComponent (const String& nameOfList) const
  56418. {
  56419. for (int i = comboBoxes.size(); --i >= 0;)
  56420. if (((ComboBox*) comboBoxes[i])->getName() == nameOfList)
  56421. return (ComboBox*) comboBoxes[i];
  56422. return 0;
  56423. }
  56424. class AlertTextComp : public TextEditor
  56425. {
  56426. AlertTextComp (const AlertTextComp&);
  56427. const AlertTextComp& operator= (const AlertTextComp&);
  56428. int bestWidth;
  56429. public:
  56430. AlertTextComp (const String& message,
  56431. const Font& font)
  56432. {
  56433. setReadOnly (true);
  56434. setMultiLine (true, true);
  56435. setCaretVisible (false);
  56436. setScrollbarsShown (true);
  56437. lookAndFeelChanged();
  56438. setWantsKeyboardFocus (false);
  56439. setFont (font);
  56440. setText (message, false);
  56441. bestWidth = 2 * (int) sqrt (font.getHeight() * font.getStringWidth (message));
  56442. setColour (TextEditor::backgroundColourId, Colours::transparentBlack);
  56443. setColour (TextEditor::outlineColourId, Colours::transparentBlack);
  56444. setColour (TextEditor::shadowColourId, Colours::transparentBlack);
  56445. }
  56446. ~AlertTextComp()
  56447. {
  56448. }
  56449. int getPreferredWidth() const throw() { return bestWidth; }
  56450. void updateLayout (const int width)
  56451. {
  56452. TextLayout text;
  56453. text.appendText (getText(), getFont());
  56454. text.layout (width - 8, Justification::topLeft, true);
  56455. setSize (width, jmin (width, text.getHeight() + (int) getFont().getHeight()));
  56456. }
  56457. };
  56458. void AlertWindow::addTextBlock (const String& text)
  56459. {
  56460. AlertTextComp* const c = new AlertTextComp (text, font);
  56461. textBlocks.add (c);
  56462. allComps.add (c);
  56463. addAndMakeVisible (c);
  56464. updateLayout (false);
  56465. }
  56466. void AlertWindow::addProgressBarComponent (double& progressValue)
  56467. {
  56468. ProgressBar* const pb = new ProgressBar (progressValue);
  56469. progressBars.add (pb);
  56470. allComps.add (pb);
  56471. addAndMakeVisible (pb);
  56472. updateLayout (false);
  56473. }
  56474. void AlertWindow::addCustomComponent (Component* const component)
  56475. {
  56476. customComps.add (component);
  56477. allComps.add (component);
  56478. addAndMakeVisible (component);
  56479. updateLayout (false);
  56480. }
  56481. int AlertWindow::getNumCustomComponents() const
  56482. {
  56483. return customComps.size();
  56484. }
  56485. Component* AlertWindow::getCustomComponent (const int index) const
  56486. {
  56487. return (Component*) customComps [index];
  56488. }
  56489. Component* AlertWindow::removeCustomComponent (const int index)
  56490. {
  56491. Component* const c = getCustomComponent (index);
  56492. if (c != 0)
  56493. {
  56494. customComps.removeValue (c);
  56495. allComps.removeValue (c);
  56496. removeChildComponent (c);
  56497. updateLayout (false);
  56498. }
  56499. return c;
  56500. }
  56501. void AlertWindow::paint (Graphics& g)
  56502. {
  56503. getLookAndFeel().drawAlertBox (g, *this, textArea, textLayout);
  56504. g.setColour (findColour (textColourId));
  56505. g.setFont (getLookAndFeel().getAlertWindowFont());
  56506. int i;
  56507. for (i = textBoxes.size(); --i >= 0;)
  56508. {
  56509. if (textboxNames[i].isNotEmpty())
  56510. {
  56511. const TextEditor* const te = (TextEditor*) textBoxes[i];
  56512. g.drawFittedText (textboxNames[i],
  56513. te->getX(), te->getY() - 14,
  56514. te->getWidth(), 14,
  56515. Justification::centredLeft, 1);
  56516. }
  56517. }
  56518. for (i = comboBoxNames.size(); --i >= 0;)
  56519. {
  56520. if (comboBoxNames[i].isNotEmpty())
  56521. {
  56522. const ComboBox* const cb = (ComboBox*) comboBoxes[i];
  56523. g.drawFittedText (comboBoxNames[i],
  56524. cb->getX(), cb->getY() - 14,
  56525. cb->getWidth(), 14,
  56526. Justification::centredLeft, 1);
  56527. }
  56528. }
  56529. }
  56530. void AlertWindow::updateLayout (const bool onlyIncreaseSize)
  56531. {
  56532. const int wid = jmax (font.getStringWidth (text),
  56533. font.getStringWidth (getName()));
  56534. const int sw = (int) sqrt (font.getHeight() * wid);
  56535. int w = jmin (300 + sw * 2, (int) (getParentWidth() * 0.7f));
  56536. const int edgeGap = 10;
  56537. int iconSpace;
  56538. if (alertIconType == NoIcon)
  56539. {
  56540. textLayout.layout (w, Justification::horizontallyCentred, true);
  56541. iconSpace = 0;
  56542. }
  56543. else
  56544. {
  56545. textLayout.layout (w, Justification::left, true);
  56546. iconSpace = iconWidth;
  56547. }
  56548. w = jmax (350, textLayout.getWidth() + iconSpace + edgeGap * 4);
  56549. w = jmin (w, (int) (getParentWidth() * 0.7f));
  56550. const int textLayoutH = textLayout.getHeight();
  56551. const int textBottom = 16 + titleH + textLayoutH;
  56552. int h = textBottom;
  56553. int buttonW = 40;
  56554. int i;
  56555. for (i = 0; i < buttons.size(); ++i)
  56556. buttonW += 16 + ((const TextButton*) buttons[i])->getWidth();
  56557. w = jmax (buttonW, w);
  56558. h += (textBoxes.size() + comboBoxes.size() + progressBars.size()) * 50;
  56559. if (buttons.size() > 0)
  56560. h += 20 + ((TextButton*) buttons[0])->getHeight();
  56561. for (i = customComps.size(); --i >= 0;)
  56562. {
  56563. w = jmax (w, ((Component*) customComps[i])->getWidth() + 40);
  56564. h += 10 + ((Component*) customComps[i])->getHeight();
  56565. }
  56566. for (i = textBlocks.size(); --i >= 0;)
  56567. {
  56568. const AlertTextComp* const ac = (AlertTextComp*) textBlocks[i];
  56569. w = jmax (w, ac->getPreferredWidth());
  56570. }
  56571. w = jmin (w, (int) (getParentWidth() * 0.7f));
  56572. for (i = textBlocks.size(); --i >= 0;)
  56573. {
  56574. AlertTextComp* const ac = (AlertTextComp*) textBlocks[i];
  56575. ac->updateLayout ((int) (w * 0.8f));
  56576. h += ac->getHeight() + 10;
  56577. }
  56578. h = jmin (getParentHeight() - 50, h);
  56579. if (onlyIncreaseSize)
  56580. {
  56581. w = jmax (w, getWidth());
  56582. h = jmax (h, getHeight());
  56583. }
  56584. if (! isVisible())
  56585. {
  56586. centreAroundComponent (0, w, h);
  56587. }
  56588. else
  56589. {
  56590. const int cx = getX() + getWidth() / 2;
  56591. const int cy = getY() + getHeight() / 2;
  56592. setBounds (cx - w / 2,
  56593. cy - h / 2,
  56594. w, h);
  56595. }
  56596. textArea.setBounds (edgeGap, edgeGap, w - (edgeGap * 2), h - edgeGap);
  56597. const int spacer = 16;
  56598. int totalWidth = -spacer;
  56599. for (i = buttons.size(); --i >= 0;)
  56600. totalWidth += ((TextButton*) buttons[i])->getWidth() + spacer;
  56601. int x = (w - totalWidth) / 2;
  56602. int y = (int) (getHeight() * 0.95f);
  56603. for (i = 0; i < buttons.size(); ++i)
  56604. {
  56605. TextButton* const c = (TextButton*) buttons[i];
  56606. int ny = proportionOfHeight (0.95f) - c->getHeight();
  56607. c->setTopLeftPosition (x, ny);
  56608. if (ny < y)
  56609. y = ny;
  56610. x += c->getWidth() + spacer;
  56611. c->toFront (false);
  56612. }
  56613. y = textBottom;
  56614. for (i = 0; i < allComps.size(); ++i)
  56615. {
  56616. Component* const c = (Component*) allComps[i];
  56617. const int h = 22;
  56618. const int comboIndex = comboBoxes.indexOf (c);
  56619. if (comboIndex >= 0 && comboBoxNames [comboIndex].isNotEmpty())
  56620. y += 18;
  56621. const int tbIndex = textBoxes.indexOf (c);
  56622. if (tbIndex >= 0 && textboxNames[tbIndex].isNotEmpty())
  56623. y += 18;
  56624. if (customComps.contains (c) || textBlocks.contains (c))
  56625. {
  56626. c->setTopLeftPosition ((getWidth() - c->getWidth()) / 2, y);
  56627. y += c->getHeight() + 10;
  56628. }
  56629. else
  56630. {
  56631. c->setBounds (proportionOfWidth (0.1f), y, proportionOfWidth (0.8f), h);
  56632. y += h + 10;
  56633. }
  56634. }
  56635. setWantsKeyboardFocus (getNumChildComponents() == 0);
  56636. }
  56637. bool AlertWindow::containsAnyExtraComponents() const
  56638. {
  56639. return textBoxes.size()
  56640. + comboBoxes.size()
  56641. + progressBars.size()
  56642. + customComps.size() > 0;
  56643. }
  56644. void AlertWindow::mouseDown (const MouseEvent&)
  56645. {
  56646. dragger.startDraggingComponent (this, &constrainer);
  56647. }
  56648. void AlertWindow::mouseDrag (const MouseEvent& e)
  56649. {
  56650. dragger.dragComponent (this, e);
  56651. }
  56652. bool AlertWindow::keyPressed (const KeyPress& key)
  56653. {
  56654. for (int i = buttons.size(); --i >= 0;)
  56655. {
  56656. TextButton* const b = (TextButton*) buttons[i];
  56657. if (b->isRegisteredForShortcut (key))
  56658. {
  56659. b->triggerClick();
  56660. return true;
  56661. }
  56662. }
  56663. if (key.isKeyCode (KeyPress::escapeKey) && buttons.size() == 0)
  56664. {
  56665. exitModalState (0);
  56666. return true;
  56667. }
  56668. else if (key.isKeyCode (KeyPress::returnKey) && buttons.size() == 1)
  56669. {
  56670. ((TextButton*) buttons.getFirst())->triggerClick();
  56671. return true;
  56672. }
  56673. return false;
  56674. }
  56675. void AlertWindow::lookAndFeelChanged()
  56676. {
  56677. const int flags = getLookAndFeel().getAlertBoxWindowFlags();
  56678. setUsingNativeTitleBar ((flags & ComponentPeer::windowHasTitleBar) != 0);
  56679. setDropShadowEnabled ((flags & ComponentPeer::windowHasDropShadow) != 0);
  56680. }
  56681. struct AlertWindowInfo
  56682. {
  56683. String title, message, button1, button2, button3;
  56684. AlertWindow::AlertIconType iconType;
  56685. int numButtons;
  56686. int run() const
  56687. {
  56688. return (int) (pointer_sized_int)
  56689. MessageManager::getInstance()->callFunctionOnMessageThread (showCallback, (void*) this);
  56690. }
  56691. private:
  56692. int show() const
  56693. {
  56694. AlertWindow aw (title, message, iconType);
  56695. if (numButtons == 1)
  56696. {
  56697. aw.addButton (button1, 0,
  56698. KeyPress (KeyPress::escapeKey, 0, 0),
  56699. KeyPress (KeyPress::returnKey, 0, 0));
  56700. }
  56701. else
  56702. {
  56703. const KeyPress button1ShortCut (CharacterFunctions::toLowerCase (button1[0]), 0, 0);
  56704. KeyPress button2ShortCut (CharacterFunctions::toLowerCase (button2[0]), 0, 0);
  56705. if (button1ShortCut == button2ShortCut)
  56706. button2ShortCut = KeyPress();
  56707. if (numButtons == 2)
  56708. {
  56709. aw.addButton (button1, 1, KeyPress (KeyPress::returnKey, 0, 0), button1ShortCut);
  56710. aw.addButton (button2, 0, KeyPress (KeyPress::escapeKey, 0, 0), button2ShortCut);
  56711. }
  56712. else
  56713. {
  56714. jassert (numButtons == 3);
  56715. aw.addButton (button1, 1, button1ShortCut);
  56716. aw.addButton (button2, 2, button2ShortCut);
  56717. aw.addButton (button3, 0, KeyPress (KeyPress::escapeKey, 0, 0));
  56718. }
  56719. }
  56720. return aw.runModalLoop();
  56721. }
  56722. static void* showCallback (void* userData)
  56723. {
  56724. return (void*) (pointer_sized_int) ((const AlertWindowInfo*) userData)->show();
  56725. }
  56726. };
  56727. void AlertWindow::showMessageBox (AlertIconType iconType,
  56728. const String& title,
  56729. const String& message,
  56730. const String& buttonText)
  56731. {
  56732. AlertWindowInfo info;
  56733. info.title = title;
  56734. info.message = message;
  56735. info.button1 = buttonText.isEmpty() ? TRANS("ok") : buttonText;
  56736. info.iconType = iconType;
  56737. info.numButtons = 1;
  56738. info.run();
  56739. }
  56740. bool AlertWindow::showOkCancelBox (AlertIconType iconType,
  56741. const String& title,
  56742. const String& message,
  56743. const String& button1Text,
  56744. const String& button2Text)
  56745. {
  56746. AlertWindowInfo info;
  56747. info.title = title;
  56748. info.message = message;
  56749. info.button1 = button1Text.isEmpty() ? TRANS("ok") : button1Text;
  56750. info.button2 = button2Text.isEmpty() ? TRANS("cancel") : button2Text;
  56751. info.iconType = iconType;
  56752. info.numButtons = 2;
  56753. return info.run() != 0;
  56754. }
  56755. int AlertWindow::showYesNoCancelBox (AlertIconType iconType,
  56756. const String& title,
  56757. const String& message,
  56758. const String& button1Text,
  56759. const String& button2Text,
  56760. const String& button3Text)
  56761. {
  56762. AlertWindowInfo info;
  56763. info.title = title;
  56764. info.message = message;
  56765. info.button1 = button1Text.isEmpty() ? TRANS("yes") : button1Text;
  56766. info.button2 = button2Text.isEmpty() ? TRANS("no") : button2Text;
  56767. info.button3 = button3Text.isEmpty() ? TRANS("cancel") : button3Text;
  56768. info.iconType = iconType;
  56769. info.numButtons = 3;
  56770. return info.run();
  56771. }
  56772. END_JUCE_NAMESPACE
  56773. /********* End of inlined file: juce_AlertWindow.cpp *********/
  56774. /********* Start of inlined file: juce_ComponentPeer.cpp *********/
  56775. BEGIN_JUCE_NAMESPACE
  56776. //#define JUCE_ENABLE_REPAINT_DEBUGGING 1
  56777. // these are over in juce_component.cpp
  56778. extern int64 juce_recentMouseDownTimes[4];
  56779. extern int juce_recentMouseDownX [4];
  56780. extern int juce_recentMouseDownY [4];
  56781. extern Component* juce_recentMouseDownComponent [4];
  56782. extern int juce_LastMousePosX;
  56783. extern int juce_LastMousePosY;
  56784. extern int juce_MouseClickCounter;
  56785. extern bool juce_MouseHasMovedSignificantlySincePressed;
  56786. static const int fakeMouseMoveMessage = 0x7fff00ff;
  56787. static VoidArray heavyweightPeers (4);
  56788. ComponentPeer::ComponentPeer (Component* const component_,
  56789. const int styleFlags_) throw()
  56790. : component (component_),
  56791. styleFlags (styleFlags_),
  56792. lastPaintTime (0),
  56793. constrainer (0),
  56794. lastFocusedComponent (0),
  56795. dragAndDropTargetComponent (0),
  56796. lastDragAndDropCompUnderMouse (0),
  56797. fakeMouseMessageSent (false),
  56798. isWindowMinimised (false)
  56799. {
  56800. heavyweightPeers.add (this);
  56801. }
  56802. ComponentPeer::~ComponentPeer()
  56803. {
  56804. heavyweightPeers.removeValue (this);
  56805. delete dragAndDropTargetComponent;
  56806. }
  56807. int ComponentPeer::getNumPeers() throw()
  56808. {
  56809. return heavyweightPeers.size();
  56810. }
  56811. ComponentPeer* ComponentPeer::getPeer (const int index) throw()
  56812. {
  56813. return (ComponentPeer*) heavyweightPeers [index];
  56814. }
  56815. ComponentPeer* ComponentPeer::getPeerFor (const Component* const component) throw()
  56816. {
  56817. for (int i = heavyweightPeers.size(); --i >= 0;)
  56818. {
  56819. ComponentPeer* const peer = (ComponentPeer*) heavyweightPeers.getUnchecked(i);
  56820. if (peer->getComponent() == component)
  56821. return peer;
  56822. }
  56823. return 0;
  56824. }
  56825. bool ComponentPeer::isValidPeer (const ComponentPeer* const peer) throw()
  56826. {
  56827. return heavyweightPeers.contains (const_cast <ComponentPeer*> (peer));
  56828. }
  56829. void ComponentPeer::updateCurrentModifiers() throw()
  56830. {
  56831. ModifierKeys::updateCurrentModifiers();
  56832. }
  56833. void ComponentPeer::handleMouseEnter (int x, int y, const int64 time)
  56834. {
  56835. jassert (component->isValidComponent());
  56836. updateCurrentModifiers();
  56837. Component* c = component->getComponentAt (x, y);
  56838. const ComponentDeletionWatcher deletionChecker (component);
  56839. if (c != Component::componentUnderMouse && Component::componentUnderMouse != 0)
  56840. {
  56841. jassert (Component::componentUnderMouse->isValidComponent());
  56842. const int oldX = x;
  56843. const int oldY = y;
  56844. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56845. Component::componentUnderMouse->internalMouseExit (x, y, time);
  56846. Component::componentUnderMouse = 0;
  56847. if (deletionChecker.hasBeenDeleted())
  56848. return;
  56849. c = component->getComponentAt (oldX, oldY);
  56850. }
  56851. Component::componentUnderMouse = c;
  56852. if (Component::componentUnderMouse != 0)
  56853. {
  56854. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56855. Component::componentUnderMouse->internalMouseEnter (x, y, time);
  56856. }
  56857. }
  56858. void ComponentPeer::handleMouseMove (int x, int y, const int64 time)
  56859. {
  56860. jassert (component->isValidComponent());
  56861. updateCurrentModifiers();
  56862. fakeMouseMessageSent = false;
  56863. const ComponentDeletionWatcher deletionChecker (component);
  56864. Component* c = component->getComponentAt (x, y);
  56865. if (c != Component::componentUnderMouse)
  56866. {
  56867. const int oldX = x;
  56868. const int oldY = y;
  56869. if (Component::componentUnderMouse != 0)
  56870. {
  56871. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56872. Component::componentUnderMouse->internalMouseExit (x, y, time);
  56873. x = oldX;
  56874. y = oldY;
  56875. Component::componentUnderMouse = 0;
  56876. if (deletionChecker.hasBeenDeleted())
  56877. return; // if this window has just been deleted..
  56878. c = component->getComponentAt (x, y);
  56879. }
  56880. Component::componentUnderMouse = c;
  56881. if (c != 0)
  56882. {
  56883. component->relativePositionToOtherComponent (c, x, y);
  56884. c->internalMouseEnter (x, y, time);
  56885. x = oldX;
  56886. y = oldY;
  56887. if (deletionChecker.hasBeenDeleted())
  56888. return; // if this window has just been deleted..
  56889. }
  56890. }
  56891. if (Component::componentUnderMouse != 0)
  56892. {
  56893. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56894. Component::componentUnderMouse->internalMouseMove (x, y, time);
  56895. }
  56896. }
  56897. void ComponentPeer::handleMouseDown (int x, int y, const int64 time)
  56898. {
  56899. ++juce_MouseClickCounter;
  56900. updateCurrentModifiers();
  56901. int numMouseButtonsDown = 0;
  56902. if (ModifierKeys::getCurrentModifiers().isLeftButtonDown())
  56903. ++numMouseButtonsDown;
  56904. if (ModifierKeys::getCurrentModifiers().isRightButtonDown())
  56905. ++numMouseButtonsDown;
  56906. if (ModifierKeys::getCurrentModifiers().isMiddleButtonDown())
  56907. ++numMouseButtonsDown;
  56908. if (numMouseButtonsDown == 1)
  56909. {
  56910. Component::componentUnderMouse = component->getComponentAt (x, y);
  56911. if (Component::componentUnderMouse != 0)
  56912. {
  56913. // can't set these in the mouseDownInt() method, because it's re-entrant, so do it here..
  56914. for (int i = numElementsInArray (juce_recentMouseDownTimes); --i > 0;)
  56915. {
  56916. juce_recentMouseDownTimes [i] = juce_recentMouseDownTimes [i - 1];
  56917. juce_recentMouseDownX [i] = juce_recentMouseDownX [i - 1];
  56918. juce_recentMouseDownY [i] = juce_recentMouseDownY [i - 1];
  56919. juce_recentMouseDownComponent [i] = juce_recentMouseDownComponent [i - 1];
  56920. }
  56921. juce_recentMouseDownTimes[0] = time;
  56922. juce_recentMouseDownX[0] = x;
  56923. juce_recentMouseDownY[0] = y;
  56924. juce_recentMouseDownComponent[0] = Component::componentUnderMouse;
  56925. relativePositionToGlobal (juce_recentMouseDownX[0], juce_recentMouseDownY[0]);
  56926. juce_MouseHasMovedSignificantlySincePressed = false;
  56927. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56928. Component::componentUnderMouse->internalMouseDown (x, y);
  56929. }
  56930. }
  56931. }
  56932. void ComponentPeer::handleMouseDrag (int x, int y, const int64 time)
  56933. {
  56934. updateCurrentModifiers();
  56935. if (Component::componentUnderMouse != 0)
  56936. {
  56937. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56938. Component::componentUnderMouse->internalMouseDrag (x, y, time);
  56939. }
  56940. }
  56941. void ComponentPeer::handleMouseUp (const int oldModifiers, int x, int y, const int64 time)
  56942. {
  56943. updateCurrentModifiers();
  56944. int numMouseButtonsDown = 0;
  56945. if ((oldModifiers & ModifierKeys::leftButtonModifier) != 0)
  56946. ++numMouseButtonsDown;
  56947. if ((oldModifiers & ModifierKeys::rightButtonModifier) != 0)
  56948. ++numMouseButtonsDown;
  56949. if ((oldModifiers & ModifierKeys::middleButtonModifier) != 0)
  56950. ++numMouseButtonsDown;
  56951. if (numMouseButtonsDown == 1)
  56952. {
  56953. const ComponentDeletionWatcher deletionChecker (component);
  56954. Component* c = component->getComponentAt (x, y);
  56955. if (c != Component::componentUnderMouse)
  56956. {
  56957. const int oldX = x;
  56958. const int oldY = y;
  56959. if (Component::componentUnderMouse != 0)
  56960. {
  56961. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56962. Component::componentUnderMouse->internalMouseUp (oldModifiers, x, y, time);
  56963. x = oldX;
  56964. y = oldY;
  56965. if (Component::componentUnderMouse != 0)
  56966. Component::componentUnderMouse->internalMouseExit (x, y, time);
  56967. if (deletionChecker.hasBeenDeleted())
  56968. return;
  56969. c = component->getComponentAt (oldX, oldY);
  56970. }
  56971. Component::componentUnderMouse = c;
  56972. if (Component::componentUnderMouse != 0)
  56973. {
  56974. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56975. Component::componentUnderMouse->internalMouseEnter (x, y, time);
  56976. }
  56977. }
  56978. else
  56979. {
  56980. if (Component::componentUnderMouse != 0)
  56981. {
  56982. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56983. Component::componentUnderMouse->internalMouseUp (oldModifiers, x, y, time);
  56984. }
  56985. }
  56986. }
  56987. }
  56988. void ComponentPeer::handleMouseExit (int x, int y, const int64 time)
  56989. {
  56990. jassert (component->isValidComponent());
  56991. updateCurrentModifiers();
  56992. if (Component::componentUnderMouse != 0)
  56993. {
  56994. component->relativePositionToOtherComponent (Component::componentUnderMouse, x, y);
  56995. Component::componentUnderMouse->internalMouseExit (x, y, time);
  56996. Component::componentUnderMouse = 0;
  56997. }
  56998. }
  56999. void ComponentPeer::handleMouseWheel (const int amountX, const int amountY, const int64 time)
  57000. {
  57001. updateCurrentModifiers();
  57002. if (Component::componentUnderMouse != 0)
  57003. Component::componentUnderMouse->internalMouseWheel (amountX, amountY, time);
  57004. }
  57005. void ComponentPeer::sendFakeMouseMove() throw()
  57006. {
  57007. if ((! fakeMouseMessageSent)
  57008. && component->flags.hasHeavyweightPeerFlag
  57009. && ! ModifierKeys::getCurrentModifiers().isAnyMouseButtonDown())
  57010. {
  57011. if (! isMinimised())
  57012. {
  57013. int realX, realY, realW, realH;
  57014. getBounds (realX, realY, realW, realH);
  57015. component->bounds_.setBounds (realX, realY, realW, realH);
  57016. }
  57017. int x, y;
  57018. component->getMouseXYRelative (x, y);
  57019. if (((unsigned int) x) < (unsigned int) component->getWidth()
  57020. && ((unsigned int) y) < (unsigned int) component->getHeight()
  57021. && contains (x, y, false))
  57022. {
  57023. postMessage (new Message (fakeMouseMoveMessage, x, y, 0));
  57024. }
  57025. fakeMouseMessageSent = true;
  57026. }
  57027. }
  57028. void ComponentPeer::handleMessage (const Message& message)
  57029. {
  57030. if (message.intParameter1 == fakeMouseMoveMessage)
  57031. {
  57032. handleMouseMove (message.intParameter2,
  57033. message.intParameter3,
  57034. Time::currentTimeMillis());
  57035. }
  57036. }
  57037. void ComponentPeer::handlePaint (LowLevelGraphicsContext& contextToPaintTo)
  57038. {
  57039. Graphics g (&contextToPaintTo);
  57040. #if JUCE_ENABLE_REPAINT_DEBUGGING
  57041. g.saveState();
  57042. #endif
  57043. JUCE_TRY
  57044. {
  57045. component->paintEntireComponent (g);
  57046. }
  57047. JUCE_CATCH_EXCEPTION
  57048. #if JUCE_ENABLE_REPAINT_DEBUGGING
  57049. // enabling this code will fill all areas that get repainted with a colour overlay, to show
  57050. // clearly when things are being repainted.
  57051. {
  57052. g.restoreState();
  57053. g.fillAll (Colour ((uint8) Random::getSystemRandom().nextInt (255),
  57054. (uint8) Random::getSystemRandom().nextInt (255),
  57055. (uint8) Random::getSystemRandom().nextInt (255),
  57056. (uint8) 0x50));
  57057. }
  57058. #endif
  57059. }
  57060. bool ComponentPeer::handleKeyPress (const int keyCode,
  57061. const juce_wchar textCharacter)
  57062. {
  57063. updateCurrentModifiers();
  57064. Component* target = Component::currentlyFocusedComponent->isValidComponent()
  57065. ? Component::currentlyFocusedComponent
  57066. : component;
  57067. if (target->isCurrentlyBlockedByAnotherModalComponent())
  57068. {
  57069. Component* const currentModalComp = Component::getCurrentlyModalComponent();
  57070. if (currentModalComp != 0)
  57071. target = currentModalComp;
  57072. }
  57073. const KeyPress keyInfo (keyCode,
  57074. ModifierKeys::getCurrentModifiers().getRawFlags()
  57075. & ModifierKeys::allKeyboardModifiers,
  57076. textCharacter);
  57077. bool keyWasUsed = false;
  57078. while (target != 0)
  57079. {
  57080. const ComponentDeletionWatcher deletionChecker (target);
  57081. if (target->keyListeners_ != 0)
  57082. {
  57083. for (int i = target->keyListeners_->size(); --i >= 0;)
  57084. {
  57085. keyWasUsed = ((KeyListener*) target->keyListeners_->getUnchecked(i))->keyPressed (keyInfo, target);
  57086. if (keyWasUsed || deletionChecker.hasBeenDeleted())
  57087. return keyWasUsed;
  57088. i = jmin (i, target->keyListeners_->size());
  57089. }
  57090. }
  57091. keyWasUsed = target->keyPressed (keyInfo);
  57092. if (keyWasUsed || deletionChecker.hasBeenDeleted())
  57093. break;
  57094. if (keyInfo.isKeyCode (KeyPress::tabKey) && Component::getCurrentlyFocusedComponent() != 0)
  57095. {
  57096. Component::getCurrentlyFocusedComponent()
  57097. ->moveKeyboardFocusToSibling (! keyInfo.getModifiers().isShiftDown());
  57098. keyWasUsed = true;
  57099. break;
  57100. }
  57101. target = target->parentComponent_;
  57102. }
  57103. return keyWasUsed;
  57104. }
  57105. bool ComponentPeer::handleKeyUpOrDown()
  57106. {
  57107. updateCurrentModifiers();
  57108. Component* target = Component::currentlyFocusedComponent->isValidComponent()
  57109. ? Component::currentlyFocusedComponent
  57110. : component;
  57111. if (target->isCurrentlyBlockedByAnotherModalComponent())
  57112. {
  57113. Component* const currentModalComp = Component::getCurrentlyModalComponent();
  57114. if (currentModalComp != 0)
  57115. target = currentModalComp;
  57116. }
  57117. bool keyWasUsed = false;
  57118. while (target != 0)
  57119. {
  57120. const ComponentDeletionWatcher deletionChecker (target);
  57121. keyWasUsed = target->keyStateChanged();
  57122. if (keyWasUsed || deletionChecker.hasBeenDeleted())
  57123. break;
  57124. if (target->keyListeners_ != 0)
  57125. {
  57126. for (int i = target->keyListeners_->size(); --i >= 0;)
  57127. {
  57128. keyWasUsed = ((KeyListener*) target->keyListeners_->getUnchecked(i))->keyStateChanged (target);
  57129. if (keyWasUsed || deletionChecker.hasBeenDeleted())
  57130. return keyWasUsed;
  57131. i = jmin (i, target->keyListeners_->size());
  57132. }
  57133. }
  57134. target = target->parentComponent_;
  57135. }
  57136. return keyWasUsed;
  57137. }
  57138. void ComponentPeer::handleModifierKeysChange()
  57139. {
  57140. updateCurrentModifiers();
  57141. Component* target = Component::getComponentUnderMouse();
  57142. if (target == 0)
  57143. target = Component::getCurrentlyFocusedComponent();
  57144. if (target == 0)
  57145. target = component;
  57146. if (target->isValidComponent())
  57147. target->internalModifierKeysChanged();
  57148. }
  57149. void ComponentPeer::handleBroughtToFront()
  57150. {
  57151. updateCurrentModifiers();
  57152. if (component != 0)
  57153. component->internalBroughtToFront();
  57154. }
  57155. void ComponentPeer::setConstrainer (ComponentBoundsConstrainer* const newConstrainer) throw()
  57156. {
  57157. constrainer = newConstrainer;
  57158. }
  57159. void ComponentPeer::handleMovedOrResized()
  57160. {
  57161. jassert (component->isValidComponent());
  57162. updateCurrentModifiers();
  57163. const bool nowMinimised = isMinimised();
  57164. if (component->flags.hasHeavyweightPeerFlag && ! nowMinimised)
  57165. {
  57166. const ComponentDeletionWatcher deletionChecker (component);
  57167. int realX, realY, realW, realH;
  57168. getBounds (realX, realY, realW, realH);
  57169. const bool wasMoved = (component->getX() != realX || component->getY() != realY);
  57170. const bool wasResized = (component->getWidth() != realW || component->getHeight() != realH);
  57171. if (wasMoved || wasResized)
  57172. {
  57173. component->bounds_.setBounds (realX, realY, realW, realH);
  57174. if (wasResized)
  57175. component->repaint();
  57176. component->sendMovedResizedMessages (wasMoved, wasResized);
  57177. if (deletionChecker.hasBeenDeleted())
  57178. return;
  57179. }
  57180. }
  57181. if (isWindowMinimised != nowMinimised)
  57182. {
  57183. isWindowMinimised = nowMinimised;
  57184. component->minimisationStateChanged (nowMinimised);
  57185. component->sendVisibilityChangeMessage();
  57186. }
  57187. if (! isFullScreen())
  57188. lastNonFullscreenBounds = component->getBounds();
  57189. }
  57190. void ComponentPeer::handleFocusGain()
  57191. {
  57192. updateCurrentModifiers();
  57193. if (component->isParentOf (lastFocusedComponent))
  57194. {
  57195. Component::currentlyFocusedComponent = lastFocusedComponent;
  57196. Desktop::getInstance().triggerFocusCallback();
  57197. lastFocusedComponent->internalFocusGain (Component::focusChangedDirectly);
  57198. }
  57199. else
  57200. {
  57201. if (! component->isCurrentlyBlockedByAnotherModalComponent())
  57202. {
  57203. component->grabKeyboardFocus();
  57204. }
  57205. else
  57206. {
  57207. Component* const currentModalComp = Component::getCurrentlyModalComponent();
  57208. if (currentModalComp != 0)
  57209. currentModalComp->toFront (! currentModalComp->hasKeyboardFocus (true));
  57210. }
  57211. }
  57212. }
  57213. void ComponentPeer::handleFocusLoss()
  57214. {
  57215. updateCurrentModifiers();
  57216. if (component->hasKeyboardFocus (true))
  57217. {
  57218. lastFocusedComponent = Component::currentlyFocusedComponent;
  57219. if (lastFocusedComponent != 0)
  57220. {
  57221. Component::currentlyFocusedComponent = 0;
  57222. Desktop::getInstance().triggerFocusCallback();
  57223. lastFocusedComponent->internalFocusLoss (Component::focusChangedByMouseClick);
  57224. }
  57225. }
  57226. }
  57227. Component* ComponentPeer::getLastFocusedSubcomponent() const throw()
  57228. {
  57229. return (component->isParentOf (lastFocusedComponent) && lastFocusedComponent->isShowing())
  57230. ? lastFocusedComponent
  57231. : component;
  57232. }
  57233. void ComponentPeer::handleScreenSizeChange()
  57234. {
  57235. updateCurrentModifiers();
  57236. component->parentSizeChanged();
  57237. handleMovedOrResized();
  57238. }
  57239. void ComponentPeer::setNonFullScreenBounds (const Rectangle& newBounds) throw()
  57240. {
  57241. lastNonFullscreenBounds = newBounds;
  57242. }
  57243. const Rectangle& ComponentPeer::getNonFullScreenBounds() const throw()
  57244. {
  57245. return lastNonFullscreenBounds;
  57246. }
  57247. static FileDragAndDropTarget* findDragAndDropTarget (Component* c,
  57248. const StringArray& files,
  57249. FileDragAndDropTarget* const lastOne)
  57250. {
  57251. while (c != 0)
  57252. {
  57253. FileDragAndDropTarget* const t = dynamic_cast <FileDragAndDropTarget*> (c);
  57254. if (t != 0 && (t == lastOne || t->isInterestedInFileDrag (files)))
  57255. return t;
  57256. c = c->getParentComponent();
  57257. }
  57258. return 0;
  57259. }
  57260. void ComponentPeer::handleFileDragMove (const StringArray& files, int x, int y)
  57261. {
  57262. updateCurrentModifiers();
  57263. FileDragAndDropTarget* lastTarget = 0;
  57264. if (dragAndDropTargetComponent != 0 && ! dragAndDropTargetComponent->hasBeenDeleted())
  57265. lastTarget = const_cast <FileDragAndDropTarget*> (dynamic_cast <const FileDragAndDropTarget*> (dragAndDropTargetComponent->getComponent()));
  57266. FileDragAndDropTarget* newTarget = 0;
  57267. Component* const compUnderMouse = component->getComponentAt (x, y);
  57268. if (compUnderMouse != lastDragAndDropCompUnderMouse)
  57269. {
  57270. lastDragAndDropCompUnderMouse = compUnderMouse;
  57271. newTarget = findDragAndDropTarget (compUnderMouse, files, lastTarget);
  57272. if (newTarget != lastTarget)
  57273. {
  57274. if (lastTarget != 0)
  57275. lastTarget->fileDragExit (files);
  57276. deleteAndZero (dragAndDropTargetComponent);
  57277. if (newTarget != 0)
  57278. {
  57279. Component* const targetComp = dynamic_cast <Component*> (newTarget);
  57280. int mx = x, my = y;
  57281. component->relativePositionToOtherComponent (targetComp, mx, my);
  57282. dragAndDropTargetComponent = new ComponentDeletionWatcher (dynamic_cast <Component*> (newTarget));
  57283. newTarget->fileDragEnter (files, mx, my);
  57284. }
  57285. }
  57286. }
  57287. else
  57288. {
  57289. newTarget = lastTarget;
  57290. }
  57291. if (newTarget != 0)
  57292. {
  57293. Component* const targetComp = dynamic_cast <Component*> (newTarget);
  57294. component->relativePositionToOtherComponent (targetComp, x, y);
  57295. newTarget->fileDragMove (files, x, y);
  57296. }
  57297. }
  57298. void ComponentPeer::handleFileDragExit (const StringArray& files)
  57299. {
  57300. handleFileDragMove (files, -1, -1);
  57301. jassert (dragAndDropTargetComponent == 0);
  57302. lastDragAndDropCompUnderMouse = 0;
  57303. }
  57304. void ComponentPeer::handleFileDragDrop (const StringArray& files, int x, int y)
  57305. {
  57306. handleFileDragMove (files, x, y);
  57307. if (dragAndDropTargetComponent != 0 && ! dragAndDropTargetComponent->hasBeenDeleted())
  57308. {
  57309. FileDragAndDropTarget* const target = const_cast <FileDragAndDropTarget*> (dynamic_cast <const FileDragAndDropTarget*> (dragAndDropTargetComponent->getComponent()));
  57310. deleteAndZero (dragAndDropTargetComponent);
  57311. lastDragAndDropCompUnderMouse = 0;
  57312. if (target != 0)
  57313. {
  57314. Component* const targetComp = dynamic_cast <Component*> (target);
  57315. if (targetComp->isCurrentlyBlockedByAnotherModalComponent())
  57316. {
  57317. targetComp->internalModalInputAttempt();
  57318. if (targetComp->isCurrentlyBlockedByAnotherModalComponent())
  57319. return;
  57320. }
  57321. component->relativePositionToOtherComponent (targetComp, x, y);
  57322. target->filesDropped (files, x, y);
  57323. }
  57324. }
  57325. }
  57326. void ComponentPeer::handleUserClosingWindow()
  57327. {
  57328. updateCurrentModifiers();
  57329. component->userTriedToCloseWindow();
  57330. }
  57331. void ComponentPeer::clearMaskedRegion() throw()
  57332. {
  57333. maskedRegion.clear();
  57334. }
  57335. void ComponentPeer::addMaskedRegion (int x, int y, int w, int h) throw()
  57336. {
  57337. maskedRegion.add (x, y, w, h);
  57338. }
  57339. END_JUCE_NAMESPACE
  57340. /********* End of inlined file: juce_ComponentPeer.cpp *********/
  57341. /********* Start of inlined file: juce_DialogWindow.cpp *********/
  57342. BEGIN_JUCE_NAMESPACE
  57343. DialogWindow::DialogWindow (const String& name,
  57344. const Colour& backgroundColour_,
  57345. const bool escapeKeyTriggersCloseButton_,
  57346. const bool addToDesktop_)
  57347. : DocumentWindow (name, backgroundColour_, DocumentWindow::closeButton, addToDesktop_),
  57348. escapeKeyTriggersCloseButton (escapeKeyTriggersCloseButton_)
  57349. {
  57350. }
  57351. DialogWindow::~DialogWindow()
  57352. {
  57353. }
  57354. void DialogWindow::resized()
  57355. {
  57356. DocumentWindow::resized();
  57357. const KeyPress esc (KeyPress::escapeKey, 0, 0);
  57358. if (escapeKeyTriggersCloseButton
  57359. && getCloseButton() != 0
  57360. && ! getCloseButton()->isRegisteredForShortcut (esc))
  57361. {
  57362. getCloseButton()->addShortcut (esc);
  57363. }
  57364. }
  57365. class TempDialogWindow : public DialogWindow
  57366. {
  57367. public:
  57368. TempDialogWindow (const String& title, const Colour& colour, const bool escapeCloses)
  57369. : DialogWindow (title, colour, escapeCloses, true)
  57370. {
  57371. }
  57372. ~TempDialogWindow()
  57373. {
  57374. }
  57375. void closeButtonPressed()
  57376. {
  57377. setVisible (false);
  57378. }
  57379. private:
  57380. TempDialogWindow (const TempDialogWindow&);
  57381. const TempDialogWindow& operator= (const TempDialogWindow&);
  57382. };
  57383. int DialogWindow::showModalDialog (const String& dialogTitle,
  57384. Component* contentComponent,
  57385. Component* componentToCentreAround,
  57386. const Colour& colour,
  57387. const bool escapeKeyTriggersCloseButton,
  57388. const bool shouldBeResizable,
  57389. const bool useBottomRightCornerResizer)
  57390. {
  57391. TempDialogWindow dw (dialogTitle, colour, escapeKeyTriggersCloseButton);
  57392. dw.setContentComponent (contentComponent, true, true);
  57393. dw.centreAroundComponent (componentToCentreAround, dw.getWidth(), dw.getHeight());
  57394. dw.setResizable (shouldBeResizable, useBottomRightCornerResizer);
  57395. const int result = dw.runModalLoop();
  57396. dw.setContentComponent (0, false);
  57397. return result;
  57398. }
  57399. END_JUCE_NAMESPACE
  57400. /********* End of inlined file: juce_DialogWindow.cpp *********/
  57401. /********* Start of inlined file: juce_DocumentWindow.cpp *********/
  57402. BEGIN_JUCE_NAMESPACE
  57403. DocumentWindow::DocumentWindow (const String& title,
  57404. const Colour& backgroundColour,
  57405. const int requiredButtons_,
  57406. const bool addToDesktop_)
  57407. : ResizableWindow (title, backgroundColour, addToDesktop_),
  57408. titleBarHeight (26),
  57409. menuBarHeight (24),
  57410. requiredButtons (requiredButtons_),
  57411. #if JUCE_MAC
  57412. positionTitleBarButtonsOnLeft (true),
  57413. #else
  57414. positionTitleBarButtonsOnLeft (false),
  57415. #endif
  57416. drawTitleTextCentred (true),
  57417. titleBarIcon (0),
  57418. menuBar (0),
  57419. menuBarModel (0)
  57420. {
  57421. zeromem (titleBarButtons, sizeof (titleBarButtons));
  57422. setResizeLimits (128, 128, 32768, 32768);
  57423. lookAndFeelChanged();
  57424. }
  57425. DocumentWindow::~DocumentWindow()
  57426. {
  57427. for (int i = 0; i < 3; ++i)
  57428. delete titleBarButtons[i];
  57429. delete titleBarIcon;
  57430. delete menuBar;
  57431. }
  57432. void DocumentWindow::repaintTitleBar()
  57433. {
  57434. const int border = getBorderSize();
  57435. repaint (border, border, getWidth() - border * 2, getTitleBarHeight());
  57436. }
  57437. void DocumentWindow::setName (const String& newName)
  57438. {
  57439. if (newName != getName())
  57440. {
  57441. Component::setName (newName);
  57442. repaintTitleBar();
  57443. }
  57444. }
  57445. void DocumentWindow::setIcon (const Image* imageToUse)
  57446. {
  57447. deleteAndZero (titleBarIcon);
  57448. if (imageToUse != 0)
  57449. titleBarIcon = imageToUse->createCopy();
  57450. repaintTitleBar();
  57451. }
  57452. void DocumentWindow::setTitleBarHeight (const int newHeight)
  57453. {
  57454. titleBarHeight = newHeight;
  57455. resized();
  57456. repaintTitleBar();
  57457. }
  57458. void DocumentWindow::setTitleBarButtonsRequired (const int requiredButtons_,
  57459. const bool positionTitleBarButtonsOnLeft_)
  57460. {
  57461. requiredButtons = requiredButtons_;
  57462. positionTitleBarButtonsOnLeft = positionTitleBarButtonsOnLeft_;
  57463. lookAndFeelChanged();
  57464. }
  57465. void DocumentWindow::setTitleBarTextCentred (const bool textShouldBeCentred)
  57466. {
  57467. drawTitleTextCentred = textShouldBeCentred;
  57468. repaintTitleBar();
  57469. }
  57470. void DocumentWindow::setMenuBar (MenuBarModel* menuBarModel_,
  57471. const int menuBarHeight_)
  57472. {
  57473. if (menuBarModel != menuBarModel_)
  57474. {
  57475. delete menuBar;
  57476. menuBar = 0;
  57477. menuBarModel = menuBarModel_;
  57478. menuBarHeight = (menuBarHeight_ > 0) ? menuBarHeight_
  57479. : getLookAndFeel().getDefaultMenuBarHeight();
  57480. if (menuBarModel != 0)
  57481. {
  57482. // (call the Component method directly to avoid the assertion in ResizableWindow)
  57483. Component::addAndMakeVisible (menuBar = new MenuBarComponent (menuBarModel));
  57484. menuBar->setEnabled (isActiveWindow());
  57485. }
  57486. resized();
  57487. }
  57488. }
  57489. void DocumentWindow::closeButtonPressed()
  57490. {
  57491. /* If you've got a close button, you have to override this method to get
  57492. rid of your window!
  57493. If the window is just a pop-up, you should override this method and make
  57494. it delete the window in whatever way is appropriate for your app. E.g. you
  57495. might just want to call "delete this".
  57496. If your app is centred around this window such that the whole app should quit when
  57497. the window is closed, then you will probably want to use this method as an opportunity
  57498. to call JUCEApplication::quit(), and leave the window to be deleted later by your
  57499. JUCEApplication::shutdown() method. (Doing it this way means that your window will
  57500. still get cleaned-up if the app is quit by some other means (e.g. a cmd-Q on the mac
  57501. or closing it via the taskbar icon on Windows).
  57502. */
  57503. jassertfalse
  57504. }
  57505. void DocumentWindow::minimiseButtonPressed()
  57506. {
  57507. setMinimised (true);
  57508. }
  57509. void DocumentWindow::maximiseButtonPressed()
  57510. {
  57511. setFullScreen (! isFullScreen());
  57512. }
  57513. void DocumentWindow::paint (Graphics& g)
  57514. {
  57515. ResizableWindow::paint (g);
  57516. if (resizableBorder == 0 && getBorderSize() == 1)
  57517. {
  57518. g.setColour (getBackgroundColour().overlaidWith (Colour (0x80000000)));
  57519. g.drawRect (0, 0, getWidth(), getHeight());
  57520. }
  57521. const int border = getBorderSize();
  57522. g.setOrigin (border, border);
  57523. g.reduceClipRegion (0, 0, getWidth() - border * 2, getTitleBarHeight());
  57524. int titleSpaceX1 = 6;
  57525. int titleSpaceX2 = getWidth() - 6;
  57526. for (int i = 0; i < 3; ++i)
  57527. {
  57528. if (titleBarButtons[i] != 0)
  57529. {
  57530. if (positionTitleBarButtonsOnLeft)
  57531. titleSpaceX1 = jmax (titleSpaceX1, titleBarButtons[i]->getRight() + (getWidth() - titleBarButtons[i]->getRight()) / 8);
  57532. else
  57533. titleSpaceX2 = jmin (titleSpaceX2, titleBarButtons[i]->getX() - (titleBarButtons[i]->getX() / 8));
  57534. }
  57535. }
  57536. getLookAndFeel()
  57537. .drawDocumentWindowTitleBar (*this, g,
  57538. getWidth() - border * 2,
  57539. getTitleBarHeight(),
  57540. titleSpaceX1, jmax (1, titleSpaceX2 - titleSpaceX1),
  57541. titleBarIcon, ! drawTitleTextCentred);
  57542. }
  57543. void DocumentWindow::resized()
  57544. {
  57545. ResizableWindow::resized();
  57546. if (titleBarButtons[1] != 0)
  57547. titleBarButtons[1]->setToggleState (isFullScreen(), false);
  57548. const int border = getBorderSize();
  57549. getLookAndFeel()
  57550. .positionDocumentWindowButtons (*this,
  57551. border, border,
  57552. getWidth() - border * 2, getTitleBarHeight(),
  57553. titleBarButtons[0],
  57554. titleBarButtons[1],
  57555. titleBarButtons[2],
  57556. positionTitleBarButtonsOnLeft);
  57557. if (menuBar != 0)
  57558. menuBar->setBounds (border, border + getTitleBarHeight(),
  57559. getWidth() - border * 2, menuBarHeight);
  57560. }
  57561. Button* DocumentWindow::getCloseButton() const throw()
  57562. {
  57563. return titleBarButtons[2];
  57564. }
  57565. Button* DocumentWindow::getMinimiseButton() const throw()
  57566. {
  57567. return titleBarButtons[0];
  57568. }
  57569. Button* DocumentWindow::getMaximiseButton() const throw()
  57570. {
  57571. return titleBarButtons[1];
  57572. }
  57573. int DocumentWindow::getDesktopWindowStyleFlags() const
  57574. {
  57575. int flags = ResizableWindow::getDesktopWindowStyleFlags();
  57576. if ((requiredButtons & minimiseButton) != 0)
  57577. flags |= ComponentPeer::windowHasMinimiseButton;
  57578. if ((requiredButtons & maximiseButton) != 0)
  57579. flags |= ComponentPeer::windowHasMaximiseButton;
  57580. if ((requiredButtons & closeButton) != 0)
  57581. flags |= ComponentPeer::windowHasCloseButton;
  57582. return flags;
  57583. }
  57584. void DocumentWindow::lookAndFeelChanged()
  57585. {
  57586. int i;
  57587. for (i = 0; i < 3; ++i)
  57588. deleteAndZero (titleBarButtons[i]);
  57589. if (! isUsingNativeTitleBar())
  57590. {
  57591. titleBarButtons[0] = ((requiredButtons & minimiseButton) != 0)
  57592. ? getLookAndFeel().createDocumentWindowButton (minimiseButton) : 0;
  57593. titleBarButtons[1] = ((requiredButtons & maximiseButton) != 0)
  57594. ? getLookAndFeel().createDocumentWindowButton (maximiseButton) : 0;
  57595. titleBarButtons[2] = ((requiredButtons & closeButton) != 0)
  57596. ? getLookAndFeel().createDocumentWindowButton (closeButton) : 0;
  57597. for (i = 0; i < 3; ++i)
  57598. {
  57599. if (titleBarButtons[i] != 0)
  57600. {
  57601. buttonListener.owner = this;
  57602. titleBarButtons[i]->addButtonListener (&buttonListener);
  57603. titleBarButtons[i]->setWantsKeyboardFocus (false);
  57604. // (call the Component method directly to avoid the assertion in ResizableWindow)
  57605. Component::addAndMakeVisible (titleBarButtons[i]);
  57606. }
  57607. }
  57608. if (getCloseButton() != 0)
  57609. {
  57610. #if JUCE_MAC
  57611. getCloseButton()->addShortcut (KeyPress (T('w'), ModifierKeys::commandModifier, 0));
  57612. #else
  57613. getCloseButton()->addShortcut (KeyPress (KeyPress::F4Key, ModifierKeys::altModifier, 0));
  57614. #endif
  57615. }
  57616. }
  57617. activeWindowStatusChanged();
  57618. ResizableWindow::lookAndFeelChanged();
  57619. }
  57620. void DocumentWindow::parentHierarchyChanged()
  57621. {
  57622. lookAndFeelChanged();
  57623. }
  57624. void DocumentWindow::activeWindowStatusChanged()
  57625. {
  57626. ResizableWindow::activeWindowStatusChanged();
  57627. for (int i = 0; i < 3; ++i)
  57628. if (titleBarButtons[i] != 0)
  57629. titleBarButtons[i]->setEnabled (isActiveWindow());
  57630. if (menuBar != 0)
  57631. menuBar->setEnabled (isActiveWindow());
  57632. }
  57633. const BorderSize DocumentWindow::getBorderThickness()
  57634. {
  57635. return BorderSize (getBorderSize());
  57636. }
  57637. const BorderSize DocumentWindow::getContentComponentBorder()
  57638. {
  57639. const int size = getBorderSize();
  57640. return BorderSize (size
  57641. + (isUsingNativeTitleBar() ? 0 : titleBarHeight)
  57642. + (menuBar != 0 ? menuBarHeight : 0),
  57643. size, size, size);
  57644. }
  57645. void DocumentWindow::mouseDoubleClick (const MouseEvent& e)
  57646. {
  57647. const int border = getBorderSize();
  57648. if (e.x >= border
  57649. && e.y >= border
  57650. && e.x < getWidth() - border
  57651. && e.y < border + getTitleBarHeight()
  57652. && getMaximiseButton() != 0)
  57653. {
  57654. getMaximiseButton()->triggerClick();
  57655. }
  57656. }
  57657. void DocumentWindow::userTriedToCloseWindow()
  57658. {
  57659. closeButtonPressed();
  57660. }
  57661. int DocumentWindow::getTitleBarHeight() const
  57662. {
  57663. return isUsingNativeTitleBar() ? 0 : jmin (titleBarHeight, getHeight() - 4);
  57664. }
  57665. int DocumentWindow::getBorderSize() const
  57666. {
  57667. return (isFullScreen() || isUsingNativeTitleBar()) ? 0 : (resizableBorder != 0 ? 4 : 1);
  57668. }
  57669. DocumentWindow::ButtonListenerProxy::ButtonListenerProxy()
  57670. {
  57671. }
  57672. void DocumentWindow::ButtonListenerProxy::buttonClicked (Button* button)
  57673. {
  57674. if (button == owner->getMinimiseButton())
  57675. {
  57676. owner->minimiseButtonPressed();
  57677. }
  57678. else if (button == owner->getMaximiseButton())
  57679. {
  57680. owner->maximiseButtonPressed();
  57681. }
  57682. else if (button == owner->getCloseButton())
  57683. {
  57684. owner->closeButtonPressed();
  57685. }
  57686. }
  57687. END_JUCE_NAMESPACE
  57688. /********* End of inlined file: juce_DocumentWindow.cpp *********/
  57689. /********* Start of inlined file: juce_ResizableWindow.cpp *********/
  57690. BEGIN_JUCE_NAMESPACE
  57691. ResizableWindow::ResizableWindow (const String& name,
  57692. const Colour& backgroundColour_,
  57693. const bool addToDesktop_)
  57694. : TopLevelWindow (name, addToDesktop_),
  57695. resizableCorner (0),
  57696. resizableBorder (0),
  57697. contentComponent (0),
  57698. resizeToFitContent (false),
  57699. fullscreen (false),
  57700. constrainer (0)
  57701. #ifdef JUCE_DEBUG
  57702. , hasBeenResized (false)
  57703. #endif
  57704. {
  57705. setBackgroundColour (backgroundColour_);
  57706. defaultConstrainer.setMinimumOnscreenAmounts (0x10000, 16, 24, 16);
  57707. lastNonFullScreenPos.setBounds (50, 50, 256, 256);
  57708. if (addToDesktop_)
  57709. Component::addToDesktop (getDesktopWindowStyleFlags());
  57710. }
  57711. ResizableWindow::~ResizableWindow()
  57712. {
  57713. deleteAndZero (resizableCorner);
  57714. deleteAndZero (resizableBorder);
  57715. deleteAndZero (contentComponent);
  57716. // have you been adding your own components directly to this window..? tut tut tut.
  57717. // Read the instructions for using a ResizableWindow!
  57718. jassert (getNumChildComponents() == 0);
  57719. }
  57720. int ResizableWindow::getDesktopWindowStyleFlags() const
  57721. {
  57722. int flags = TopLevelWindow::getDesktopWindowStyleFlags();
  57723. if (isResizable() && (flags & ComponentPeer::windowHasTitleBar) != 0)
  57724. flags |= ComponentPeer::windowIsResizable;
  57725. return flags;
  57726. }
  57727. void ResizableWindow::setContentComponent (Component* const newContentComponent,
  57728. const bool deleteOldOne,
  57729. const bool resizeToFit)
  57730. {
  57731. resizeToFitContent = resizeToFit;
  57732. if (contentComponent != newContentComponent)
  57733. {
  57734. if (deleteOldOne)
  57735. delete contentComponent;
  57736. else
  57737. removeChildComponent (contentComponent);
  57738. contentComponent = newContentComponent;
  57739. Component::addAndMakeVisible (contentComponent);
  57740. }
  57741. if (resizeToFit)
  57742. childBoundsChanged (contentComponent);
  57743. resized(); // must always be called to position the new content comp
  57744. }
  57745. void ResizableWindow::setContentComponentSize (int width, int height)
  57746. {
  57747. jassert (width > 0 && height > 0); // not a great idea to give it a zero size..
  57748. const BorderSize border (getContentComponentBorder());
  57749. setSize (width + border.getLeftAndRight(),
  57750. height + border.getTopAndBottom());
  57751. }
  57752. const BorderSize ResizableWindow::getBorderThickness()
  57753. {
  57754. return BorderSize (isUsingNativeTitleBar() ? 0 : ((resizableBorder != 0 && ! isFullScreen()) ? 5 : 3));
  57755. }
  57756. const BorderSize ResizableWindow::getContentComponentBorder()
  57757. {
  57758. return getBorderThickness();
  57759. }
  57760. void ResizableWindow::moved()
  57761. {
  57762. updateLastPos();
  57763. }
  57764. void ResizableWindow::visibilityChanged()
  57765. {
  57766. TopLevelWindow::visibilityChanged();
  57767. updateLastPos();
  57768. }
  57769. void ResizableWindow::resized()
  57770. {
  57771. if (resizableBorder != 0)
  57772. {
  57773. resizableBorder->setVisible (! isFullScreen());
  57774. resizableBorder->setBorderThickness (getBorderThickness());
  57775. resizableBorder->setSize (getWidth(), getHeight());
  57776. resizableBorder->toBack();
  57777. }
  57778. if (resizableCorner != 0)
  57779. {
  57780. resizableCorner->setVisible (! isFullScreen());
  57781. const int resizerSize = 18;
  57782. resizableCorner->setBounds (getWidth() - resizerSize,
  57783. getHeight() - resizerSize,
  57784. resizerSize, resizerSize);
  57785. }
  57786. if (contentComponent != 0)
  57787. contentComponent->setBoundsInset (getContentComponentBorder());
  57788. updateLastPos();
  57789. #ifdef JUCE_DEBUG
  57790. hasBeenResized = true;
  57791. #endif
  57792. }
  57793. void ResizableWindow::childBoundsChanged (Component* child)
  57794. {
  57795. if ((child == contentComponent) && (child != 0) && resizeToFitContent)
  57796. {
  57797. // not going to look very good if this component has a zero size..
  57798. jassert (child->getWidth() > 0);
  57799. jassert (child->getHeight() > 0);
  57800. const BorderSize borders (getContentComponentBorder());
  57801. setSize (child->getWidth() + borders.getLeftAndRight(),
  57802. child->getHeight() + borders.getTopAndBottom());
  57803. }
  57804. }
  57805. void ResizableWindow::activeWindowStatusChanged()
  57806. {
  57807. const BorderSize borders (getContentComponentBorder());
  57808. repaint (0, 0, getWidth(), borders.getTop());
  57809. repaint (0, borders.getTop(), borders.getLeft(), getHeight() - borders.getBottom() - borders.getTop());
  57810. repaint (0, getHeight() - borders.getBottom(), getWidth(), borders.getBottom());
  57811. repaint (getWidth() - borders.getRight(), borders.getTop(), borders.getRight(), getHeight() - borders.getBottom() - borders.getTop());
  57812. }
  57813. void ResizableWindow::setResizable (const bool shouldBeResizable,
  57814. const bool useBottomRightCornerResizer)
  57815. {
  57816. if (shouldBeResizable)
  57817. {
  57818. if (useBottomRightCornerResizer)
  57819. {
  57820. deleteAndZero (resizableBorder);
  57821. if (resizableCorner == 0)
  57822. {
  57823. Component::addChildComponent (resizableCorner = new ResizableCornerComponent (this, constrainer));
  57824. resizableCorner->setAlwaysOnTop (true);
  57825. }
  57826. }
  57827. else
  57828. {
  57829. deleteAndZero (resizableCorner);
  57830. if (resizableBorder == 0)
  57831. Component::addChildComponent (resizableBorder = new ResizableBorderComponent (this, constrainer));
  57832. }
  57833. }
  57834. else
  57835. {
  57836. deleteAndZero (resizableCorner);
  57837. deleteAndZero (resizableBorder);
  57838. }
  57839. if (isUsingNativeTitleBar())
  57840. recreateDesktopWindow();
  57841. childBoundsChanged (contentComponent);
  57842. resized();
  57843. }
  57844. bool ResizableWindow::isResizable() const throw()
  57845. {
  57846. return resizableCorner != 0
  57847. || resizableBorder != 0;
  57848. }
  57849. void ResizableWindow::setResizeLimits (const int newMinimumWidth,
  57850. const int newMinimumHeight,
  57851. const int newMaximumWidth,
  57852. const int newMaximumHeight) throw()
  57853. {
  57854. // if you've set up a custom constrainer then these settings won't have any effect..
  57855. jassert (constrainer == &defaultConstrainer || constrainer == 0);
  57856. if (constrainer == 0)
  57857. setConstrainer (&defaultConstrainer);
  57858. defaultConstrainer.setSizeLimits (newMinimumWidth, newMinimumHeight,
  57859. newMaximumWidth, newMaximumHeight);
  57860. setBoundsConstrained (getX(), getY(), getWidth(), getHeight());
  57861. }
  57862. void ResizableWindow::setConstrainer (ComponentBoundsConstrainer* newConstrainer)
  57863. {
  57864. if (constrainer != newConstrainer)
  57865. {
  57866. constrainer = newConstrainer;
  57867. const bool useBottomRightCornerResizer = resizableCorner != 0;
  57868. const bool shouldBeResizable = useBottomRightCornerResizer || resizableBorder != 0;
  57869. deleteAndZero (resizableCorner);
  57870. deleteAndZero (resizableBorder);
  57871. setResizable (shouldBeResizable, useBottomRightCornerResizer);
  57872. ComponentPeer* const peer = getPeer();
  57873. if (peer != 0)
  57874. peer->setConstrainer (newConstrainer);
  57875. }
  57876. }
  57877. void ResizableWindow::setBoundsConstrained (int x, int y, int w, int h)
  57878. {
  57879. if (constrainer != 0)
  57880. constrainer->setBoundsForComponent (this, x, y, w, h, false, false, false, false);
  57881. else
  57882. setBounds (x, y, w, h);
  57883. }
  57884. void ResizableWindow::paint (Graphics& g)
  57885. {
  57886. g.fillAll (backgroundColour);
  57887. if (! isFullScreen())
  57888. {
  57889. getLookAndFeel().drawResizableWindowBorder (g, getWidth(), getHeight(),
  57890. getBorderThickness(), *this);
  57891. }
  57892. #ifdef JUCE_DEBUG
  57893. /* If this fails, then you've probably written a subclass with a resized()
  57894. callback but forgotten to make it call its parent class's resized() method.
  57895. It's important when you override methods like resized(), moved(),
  57896. etc., that you make sure the base class methods also get called.
  57897. Of course you shouldn't really be overriding ResizableWindow::resized() anyway,
  57898. because your content should all be inside the content component - and it's the
  57899. content component's resized() method that you should be using to do your
  57900. layout.
  57901. */
  57902. jassert (hasBeenResized || (getWidth() == 0 && getHeight() == 0));
  57903. #endif
  57904. }
  57905. void ResizableWindow::lookAndFeelChanged()
  57906. {
  57907. resized();
  57908. if (isOnDesktop())
  57909. {
  57910. Component::addToDesktop (getDesktopWindowStyleFlags());
  57911. ComponentPeer* const peer = getPeer();
  57912. if (peer != 0)
  57913. peer->setConstrainer (constrainer);
  57914. }
  57915. }
  57916. void ResizableWindow::setBackgroundColour (const Colour& newColour)
  57917. {
  57918. if (Desktop::canUseSemiTransparentWindows())
  57919. backgroundColour = newColour;
  57920. else
  57921. backgroundColour = newColour.withAlpha (1.0f);
  57922. setOpaque (backgroundColour.isOpaque());
  57923. repaint();
  57924. }
  57925. bool ResizableWindow::isFullScreen() const
  57926. {
  57927. if (isOnDesktop())
  57928. {
  57929. ComponentPeer* const peer = getPeer();
  57930. return peer != 0 && peer->isFullScreen();
  57931. }
  57932. return fullscreen;
  57933. }
  57934. void ResizableWindow::setFullScreen (const bool shouldBeFullScreen)
  57935. {
  57936. if (shouldBeFullScreen != isFullScreen())
  57937. {
  57938. updateLastPos();
  57939. fullscreen = shouldBeFullScreen;
  57940. if (isOnDesktop())
  57941. {
  57942. ComponentPeer* const peer = getPeer();
  57943. if (peer != 0)
  57944. {
  57945. // keep a copy of this intact in case the real one gets messed-up while we're un-maximising
  57946. const Rectangle lastPos (lastNonFullScreenPos);
  57947. peer->setFullScreen (shouldBeFullScreen);
  57948. if (! shouldBeFullScreen)
  57949. setBounds (lastPos);
  57950. }
  57951. else
  57952. {
  57953. jassertfalse
  57954. }
  57955. }
  57956. else
  57957. {
  57958. if (shouldBeFullScreen)
  57959. setBounds (0, 0, getParentWidth(), getParentHeight());
  57960. else
  57961. setBounds (lastNonFullScreenPos);
  57962. }
  57963. resized();
  57964. }
  57965. }
  57966. bool ResizableWindow::isMinimised() const
  57967. {
  57968. ComponentPeer* const peer = getPeer();
  57969. return (peer != 0) && peer->isMinimised();
  57970. }
  57971. void ResizableWindow::setMinimised (const bool shouldMinimise)
  57972. {
  57973. if (shouldMinimise != isMinimised())
  57974. {
  57975. ComponentPeer* const peer = getPeer();
  57976. if (peer != 0)
  57977. {
  57978. updateLastPos();
  57979. peer->setMinimised (shouldMinimise);
  57980. }
  57981. else
  57982. {
  57983. jassertfalse
  57984. }
  57985. }
  57986. }
  57987. void ResizableWindow::updateLastPos()
  57988. {
  57989. if (isShowing() && ! (isFullScreen() || isMinimised()))
  57990. {
  57991. lastNonFullScreenPos = getBounds();
  57992. }
  57993. }
  57994. void ResizableWindow::parentSizeChanged()
  57995. {
  57996. if (isFullScreen() && getParentComponent() != 0)
  57997. {
  57998. setBounds (0, 0, getParentWidth(), getParentHeight());
  57999. }
  58000. }
  58001. const String ResizableWindow::getWindowStateAsString()
  58002. {
  58003. updateLastPos();
  58004. String s;
  58005. if (isFullScreen())
  58006. s << "fs ";
  58007. s << lastNonFullScreenPos.getX() << T(' ')
  58008. << lastNonFullScreenPos.getY() << T(' ')
  58009. << lastNonFullScreenPos.getWidth() << T(' ')
  58010. << lastNonFullScreenPos.getHeight();
  58011. return s;
  58012. }
  58013. bool ResizableWindow::restoreWindowStateFromString (const String& s)
  58014. {
  58015. StringArray tokens;
  58016. tokens.addTokens (s, false);
  58017. tokens.removeEmptyStrings();
  58018. tokens.trim();
  58019. const bool fs = tokens[0].startsWithIgnoreCase (T("fs"));
  58020. const int n = fs ? 1 : 0;
  58021. if (tokens.size() != 4 + n)
  58022. return false;
  58023. Rectangle r (tokens[n].getIntValue(),
  58024. tokens[n + 1].getIntValue(),
  58025. tokens[n + 2].getIntValue(),
  58026. tokens[n + 3].getIntValue());
  58027. if (r.isEmpty())
  58028. return false;
  58029. const Rectangle screen (Desktop::getInstance().getMonitorAreaContaining (r.getX(), r.getY()));
  58030. r = r.getIntersection (screen);
  58031. lastNonFullScreenPos = r;
  58032. if (isOnDesktop())
  58033. {
  58034. ComponentPeer* const peer = getPeer();
  58035. if (peer != 0)
  58036. peer->setNonFullScreenBounds (r);
  58037. }
  58038. setFullScreen (fs);
  58039. if (! fs)
  58040. setBoundsConstrained (r.getX(),
  58041. r.getY(),
  58042. r.getWidth(),
  58043. r.getHeight());
  58044. return true;
  58045. }
  58046. void ResizableWindow::mouseDown (const MouseEvent&)
  58047. {
  58048. if (! isFullScreen())
  58049. dragger.startDraggingComponent (this, constrainer);
  58050. }
  58051. void ResizableWindow::mouseDrag (const MouseEvent& e)
  58052. {
  58053. if (! isFullScreen())
  58054. dragger.dragComponent (this, e);
  58055. }
  58056. #ifdef JUCE_DEBUG
  58057. void ResizableWindow::addChildComponent (Component* const child, int zOrder)
  58058. {
  58059. /* Agh! You shouldn't add components directly to a ResizableWindow - this class
  58060. manages its child components automatically, and if you add your own it'll cause
  58061. trouble. Instead, use setContentComponent() to give it a component which
  58062. will be automatically resized and kept in the right place - then you can add
  58063. subcomponents to the content comp. See the notes for the ResizableWindow class
  58064. for more info.
  58065. If you really know what you're doing and want to avoid this assertion, just call
  58066. Component::addChildComponent directly.
  58067. */
  58068. jassertfalse
  58069. Component::addChildComponent (child, zOrder);
  58070. }
  58071. void ResizableWindow::addAndMakeVisible (Component* const child, int zOrder)
  58072. {
  58073. /* Agh! You shouldn't add components directly to a ResizableWindow - this class
  58074. manages its child components automatically, and if you add your own it'll cause
  58075. trouble. Instead, use setContentComponent() to give it a component which
  58076. will be automatically resized and kept in the right place - then you can add
  58077. subcomponents to the content comp. See the notes for the ResizableWindow class
  58078. for more info.
  58079. If you really know what you're doing and want to avoid this assertion, just call
  58080. Component::addAndMakeVisible directly.
  58081. */
  58082. jassertfalse
  58083. Component::addAndMakeVisible (child, zOrder);
  58084. }
  58085. #endif
  58086. END_JUCE_NAMESPACE
  58087. /********* End of inlined file: juce_ResizableWindow.cpp *********/
  58088. /********* Start of inlined file: juce_SplashScreen.cpp *********/
  58089. BEGIN_JUCE_NAMESPACE
  58090. SplashScreen::SplashScreen()
  58091. : backgroundImage (0),
  58092. isImageInCache (false)
  58093. {
  58094. setOpaque (true);
  58095. }
  58096. SplashScreen::~SplashScreen()
  58097. {
  58098. if (isImageInCache)
  58099. ImageCache::release (backgroundImage);
  58100. else
  58101. delete backgroundImage;
  58102. }
  58103. void SplashScreen::show (const String& title,
  58104. Image* const backgroundImage_,
  58105. const int minimumTimeToDisplayFor,
  58106. const bool useDropShadow,
  58107. const bool removeOnMouseClick)
  58108. {
  58109. backgroundImage = backgroundImage_;
  58110. jassert (backgroundImage_ != 0);
  58111. if (backgroundImage_ != 0)
  58112. {
  58113. isImageInCache = ImageCache::isImageInCache (backgroundImage_);
  58114. setOpaque (! backgroundImage_->hasAlphaChannel());
  58115. show (title,
  58116. backgroundImage_->getWidth(),
  58117. backgroundImage_->getHeight(),
  58118. minimumTimeToDisplayFor,
  58119. useDropShadow,
  58120. removeOnMouseClick);
  58121. }
  58122. }
  58123. void SplashScreen::show (const String& title,
  58124. const int width,
  58125. const int height,
  58126. const int minimumTimeToDisplayFor,
  58127. const bool useDropShadow,
  58128. const bool removeOnMouseClick)
  58129. {
  58130. setName (title);
  58131. setAlwaysOnTop (true);
  58132. setVisible (true);
  58133. centreWithSize (width, height);
  58134. addToDesktop (useDropShadow ? ComponentPeer::windowHasDropShadow : 0);
  58135. toFront (false);
  58136. MessageManager::getInstance()->dispatchPendingMessages();
  58137. repaint();
  58138. originalClickCounter = removeOnMouseClick
  58139. ? Desktop::getMouseButtonClickCounter()
  58140. : INT_MAX;
  58141. earliestTimeToDelete = Time::getCurrentTime() + RelativeTime::milliseconds (minimumTimeToDisplayFor);
  58142. startTimer (50);
  58143. }
  58144. void SplashScreen::paint (Graphics& g)
  58145. {
  58146. if (backgroundImage != 0)
  58147. {
  58148. g.setOpacity (1.0f);
  58149. g.drawImage (backgroundImage,
  58150. 0, 0, getWidth(), getHeight(),
  58151. 0, 0, backgroundImage->getWidth(), backgroundImage->getHeight());
  58152. }
  58153. }
  58154. void SplashScreen::timerCallback()
  58155. {
  58156. if (Time::getCurrentTime() > earliestTimeToDelete
  58157. || Desktop::getMouseButtonClickCounter() > originalClickCounter)
  58158. {
  58159. delete this;
  58160. }
  58161. }
  58162. END_JUCE_NAMESPACE
  58163. /********* End of inlined file: juce_SplashScreen.cpp *********/
  58164. /********* Start of inlined file: juce_ThreadWithProgressWindow.cpp *********/
  58165. BEGIN_JUCE_NAMESPACE
  58166. ThreadWithProgressWindow::ThreadWithProgressWindow (const String& title,
  58167. const bool hasProgressBar,
  58168. const bool hasCancelButton,
  58169. const int timeOutMsWhenCancelling_,
  58170. const String& cancelButtonText)
  58171. : Thread ("Juce Progress Window"),
  58172. progress (0.0),
  58173. alertWindow (title, String::empty, AlertWindow::NoIcon),
  58174. timeOutMsWhenCancelling (timeOutMsWhenCancelling_)
  58175. {
  58176. if (hasProgressBar)
  58177. alertWindow.addProgressBarComponent (progress);
  58178. if (hasCancelButton)
  58179. alertWindow.addButton (cancelButtonText, 1);
  58180. }
  58181. ThreadWithProgressWindow::~ThreadWithProgressWindow()
  58182. {
  58183. stopThread (timeOutMsWhenCancelling);
  58184. }
  58185. bool ThreadWithProgressWindow::runThread (const int priority)
  58186. {
  58187. startThread (priority);
  58188. startTimer (100);
  58189. {
  58190. const ScopedLock sl (messageLock);
  58191. alertWindow.setMessage (message);
  58192. }
  58193. const bool wasCancelled = alertWindow.runModalLoop() != 0;
  58194. stopThread (timeOutMsWhenCancelling);
  58195. alertWindow.setVisible (false);
  58196. return ! wasCancelled;
  58197. }
  58198. void ThreadWithProgressWindow::setProgress (const double newProgress)
  58199. {
  58200. progress = newProgress;
  58201. }
  58202. void ThreadWithProgressWindow::setStatusMessage (const String& newStatusMessage)
  58203. {
  58204. const ScopedLock sl (messageLock);
  58205. message = newStatusMessage;
  58206. }
  58207. void ThreadWithProgressWindow::timerCallback()
  58208. {
  58209. if (! isThreadRunning())
  58210. {
  58211. // thread has finished normally..
  58212. alertWindow.exitModalState (0);
  58213. alertWindow.setVisible (false);
  58214. }
  58215. else
  58216. {
  58217. const ScopedLock sl (messageLock);
  58218. alertWindow.setMessage (message);
  58219. }
  58220. }
  58221. END_JUCE_NAMESPACE
  58222. /********* End of inlined file: juce_ThreadWithProgressWindow.cpp *********/
  58223. /********* Start of inlined file: juce_TooltipWindow.cpp *********/
  58224. BEGIN_JUCE_NAMESPACE
  58225. TooltipWindow::TooltipWindow (Component* const parentComponent,
  58226. const int millisecondsBeforeTipAppears_)
  58227. : Component ("tooltip"),
  58228. millisecondsBeforeTipAppears (millisecondsBeforeTipAppears_),
  58229. mouseX (0),
  58230. mouseY (0),
  58231. lastMouseMoveTime (0),
  58232. lastHideTime (0),
  58233. lastComponentUnderMouse (0),
  58234. changedCompsSinceShown (true)
  58235. {
  58236. startTimer (123);
  58237. setAlwaysOnTop (true);
  58238. setOpaque (true);
  58239. if (parentComponent != 0)
  58240. {
  58241. parentComponent->addChildComponent (this);
  58242. }
  58243. else
  58244. {
  58245. setSize (1, 1); // to keep the OS happy by not having zero-size windows
  58246. addToDesktop (ComponentPeer::windowHasDropShadow
  58247. | ComponentPeer::windowIsTemporary);
  58248. }
  58249. }
  58250. TooltipWindow::~TooltipWindow()
  58251. {
  58252. }
  58253. void TooltipWindow::paint (Graphics& g)
  58254. {
  58255. getLookAndFeel().drawTooltip (g, tip, getWidth(), getHeight());
  58256. }
  58257. void TooltipWindow::mouseEnter (const MouseEvent&)
  58258. {
  58259. setVisible (false);
  58260. }
  58261. void TooltipWindow::showFor (Component* const c)
  58262. {
  58263. TooltipClient* const ttc = dynamic_cast <TooltipClient*> (c);
  58264. if (ttc != 0 && ! c->isCurrentlyBlockedByAnotherModalComponent())
  58265. tip = ttc->getTooltip();
  58266. else
  58267. tip = String::empty;
  58268. if (tip.isEmpty())
  58269. {
  58270. setVisible (false);
  58271. }
  58272. else
  58273. {
  58274. int mx, my;
  58275. Desktop::getMousePosition (mx, my);
  58276. if (getParentComponent() != 0)
  58277. getParentComponent()->globalPositionToRelative (mx, my);
  58278. int x, y, w, h;
  58279. getLookAndFeel().getTooltipSize (tip, w, h);
  58280. if (mx > getParentWidth() / 2)
  58281. x = mx - (w + 12);
  58282. else
  58283. x = mx + 24;
  58284. if (my > getParentHeight() / 2)
  58285. y = my - (h + 6);
  58286. else
  58287. y = my + 6;
  58288. setBounds (x, y, w, h);
  58289. setVisible (true);
  58290. toFront (false);
  58291. }
  58292. }
  58293. void TooltipWindow::timerCallback()
  58294. {
  58295. int mx, my;
  58296. Desktop::getMousePosition (mx, my);
  58297. const unsigned int now = Time::getApproximateMillisecondCounter();
  58298. Component* const underMouse = Component::getComponentUnderMouse();
  58299. const bool changedComp = (underMouse != lastComponentUnderMouse);
  58300. lastComponentUnderMouse = underMouse;
  58301. if (changedComp
  58302. || abs (mx - mouseX) > 4
  58303. || abs (my - mouseY) > 4
  58304. || Desktop::getInstance().getMouseButtonClickCounter() > mouseClicks)
  58305. {
  58306. lastMouseMoveTime = now;
  58307. if (isVisible())
  58308. {
  58309. lastHideTime = now;
  58310. setVisible (false);
  58311. }
  58312. changedCompsSinceShown = changedCompsSinceShown || changedComp;
  58313. tip = String::empty;
  58314. mouseX = mx;
  58315. mouseY = my;
  58316. }
  58317. if (changedCompsSinceShown)
  58318. {
  58319. if ((now > lastMouseMoveTime + millisecondsBeforeTipAppears
  58320. || now < lastHideTime + 500)
  58321. && ! isVisible())
  58322. {
  58323. if (underMouse->isValidComponent())
  58324. showFor (underMouse);
  58325. changedCompsSinceShown = false;
  58326. }
  58327. }
  58328. mouseClicks = Desktop::getInstance().getMouseButtonClickCounter();
  58329. }
  58330. END_JUCE_NAMESPACE
  58331. /********* End of inlined file: juce_TooltipWindow.cpp *********/
  58332. /********* Start of inlined file: juce_TopLevelWindow.cpp *********/
  58333. BEGIN_JUCE_NAMESPACE
  58334. /** Keeps track of the active top level window.
  58335. */
  58336. class TopLevelWindowManager : public Timer,
  58337. public DeletedAtShutdown
  58338. {
  58339. public:
  58340. TopLevelWindowManager()
  58341. : windows (8),
  58342. currentActive (0)
  58343. {
  58344. }
  58345. ~TopLevelWindowManager()
  58346. {
  58347. clearSingletonInstance();
  58348. }
  58349. juce_DeclareSingleton_SingleThreaded_Minimal (TopLevelWindowManager)
  58350. void timerCallback()
  58351. {
  58352. startTimer (1731);
  58353. TopLevelWindow* active = 0;
  58354. if (Process::isForegroundProcess())
  58355. {
  58356. active = currentActive;
  58357. Component* const c = Component::getCurrentlyFocusedComponent();
  58358. TopLevelWindow* tlw = dynamic_cast <TopLevelWindow*> (c);
  58359. if (tlw == 0 && c != 0)
  58360. // (unable to use the syntax findParentComponentOfClass <TopLevelWindow> () because of a VC6 compiler bug)
  58361. tlw = c->findParentComponentOfClass ((TopLevelWindow*) 0);
  58362. if (tlw != 0)
  58363. active = tlw;
  58364. }
  58365. if (active != currentActive)
  58366. {
  58367. currentActive = active;
  58368. for (int i = windows.size(); --i >= 0;)
  58369. {
  58370. TopLevelWindow* const tlw = (TopLevelWindow*) windows.getUnchecked (i);
  58371. tlw->setWindowActive (isWindowActive (tlw));
  58372. i = jmin (i, windows.size() - 1);
  58373. }
  58374. Desktop::getInstance().triggerFocusCallback();
  58375. }
  58376. }
  58377. bool addWindow (TopLevelWindow* const w) throw()
  58378. {
  58379. windows.add (w);
  58380. startTimer (10);
  58381. return isWindowActive (w);
  58382. }
  58383. void removeWindow (TopLevelWindow* const w) throw()
  58384. {
  58385. startTimer (10);
  58386. if (currentActive == w)
  58387. currentActive = 0;
  58388. windows.removeValue (w);
  58389. if (windows.size() == 0)
  58390. deleteInstance();
  58391. }
  58392. VoidArray windows;
  58393. private:
  58394. TopLevelWindow* currentActive;
  58395. bool isWindowActive (TopLevelWindow* const tlw) const throw()
  58396. {
  58397. return (tlw == currentActive
  58398. || tlw->isParentOf (currentActive)
  58399. || tlw->hasKeyboardFocus (true))
  58400. && tlw->isShowing();
  58401. }
  58402. TopLevelWindowManager (const TopLevelWindowManager&);
  58403. const TopLevelWindowManager& operator= (const TopLevelWindowManager&);
  58404. };
  58405. juce_ImplementSingleton_SingleThreaded (TopLevelWindowManager)
  58406. void juce_CheckCurrentlyFocusedTopLevelWindow() throw()
  58407. {
  58408. if (TopLevelWindowManager::getInstanceWithoutCreating() != 0)
  58409. TopLevelWindowManager::getInstanceWithoutCreating()->startTimer (20);
  58410. }
  58411. TopLevelWindow::TopLevelWindow (const String& name,
  58412. const bool addToDesktop_)
  58413. : Component (name),
  58414. useDropShadow (true),
  58415. useNativeTitleBar (false),
  58416. windowIsActive_ (false),
  58417. shadower (0)
  58418. {
  58419. setOpaque (true);
  58420. if (addToDesktop_)
  58421. Component::addToDesktop (getDesktopWindowStyleFlags());
  58422. else
  58423. setDropShadowEnabled (true);
  58424. setWantsKeyboardFocus (true);
  58425. setBroughtToFrontOnMouseClick (true);
  58426. windowIsActive_ = TopLevelWindowManager::getInstance()->addWindow (this);
  58427. }
  58428. TopLevelWindow::~TopLevelWindow()
  58429. {
  58430. deleteAndZero (shadower);
  58431. TopLevelWindowManager::getInstance()->removeWindow (this);
  58432. }
  58433. void TopLevelWindow::focusOfChildComponentChanged (FocusChangeType)
  58434. {
  58435. if (hasKeyboardFocus (true))
  58436. TopLevelWindowManager::getInstance()->timerCallback();
  58437. else
  58438. TopLevelWindowManager::getInstance()->startTimer (10);
  58439. }
  58440. void TopLevelWindow::setWindowActive (const bool isNowActive) throw()
  58441. {
  58442. if (windowIsActive_ != isNowActive)
  58443. {
  58444. windowIsActive_ = isNowActive;
  58445. activeWindowStatusChanged();
  58446. }
  58447. }
  58448. void TopLevelWindow::activeWindowStatusChanged()
  58449. {
  58450. }
  58451. void TopLevelWindow::parentHierarchyChanged()
  58452. {
  58453. setDropShadowEnabled (useDropShadow);
  58454. }
  58455. void TopLevelWindow::visibilityChanged()
  58456. {
  58457. if (isShowing())
  58458. toFront (true);
  58459. }
  58460. int TopLevelWindow::getDesktopWindowStyleFlags() const
  58461. {
  58462. int flags = ComponentPeer::windowAppearsOnTaskbar;
  58463. if (useDropShadow)
  58464. flags |= ComponentPeer::windowHasDropShadow;
  58465. if (useNativeTitleBar)
  58466. flags |= ComponentPeer::windowHasTitleBar;
  58467. return flags;
  58468. }
  58469. void TopLevelWindow::setDropShadowEnabled (const bool useShadow)
  58470. {
  58471. useDropShadow = useShadow;
  58472. if (isOnDesktop())
  58473. {
  58474. deleteAndZero (shadower);
  58475. Component::addToDesktop (getDesktopWindowStyleFlags());
  58476. }
  58477. else
  58478. {
  58479. if (useShadow && isOpaque())
  58480. {
  58481. if (shadower == 0)
  58482. {
  58483. shadower = getLookAndFeel().createDropShadowerForComponent (this);
  58484. if (shadower != 0)
  58485. shadower->setOwner (this);
  58486. }
  58487. }
  58488. else
  58489. {
  58490. deleteAndZero (shadower);
  58491. }
  58492. }
  58493. }
  58494. void TopLevelWindow::setUsingNativeTitleBar (const bool useNativeTitleBar_)
  58495. {
  58496. if (useNativeTitleBar != useNativeTitleBar_)
  58497. {
  58498. useNativeTitleBar = useNativeTitleBar_;
  58499. recreateDesktopWindow();
  58500. sendLookAndFeelChange();
  58501. }
  58502. }
  58503. void TopLevelWindow::recreateDesktopWindow()
  58504. {
  58505. if (isOnDesktop())
  58506. {
  58507. Component::addToDesktop (getDesktopWindowStyleFlags());
  58508. toFront (true);
  58509. }
  58510. }
  58511. void TopLevelWindow::addToDesktop (int windowStyleFlags, void* nativeWindowToAttachTo)
  58512. {
  58513. /* It's not recommended to change the desktop window flags directly for a TopLevelWindow,
  58514. because this class needs to make sure its layout corresponds with settings like whether
  58515. it's got a native title bar or not.
  58516. If you need custom flags for your window, you can override the getDesktopWindowStyleFlags()
  58517. method. If you do this, it's best to call the base class's getDesktopWindowStyleFlags()
  58518. method, then add or remove whatever flags are necessary from this value before returning it.
  58519. */
  58520. jassert ((windowStyleFlags & ~ComponentPeer::windowIsSemiTransparent)
  58521. == (getDesktopWindowStyleFlags() & ~ComponentPeer::windowIsSemiTransparent));
  58522. Component::addToDesktop (windowStyleFlags, nativeWindowToAttachTo);
  58523. if (windowStyleFlags != getDesktopWindowStyleFlags())
  58524. sendLookAndFeelChange();
  58525. }
  58526. void TopLevelWindow::centreAroundComponent (Component* c, const int width, const int height)
  58527. {
  58528. if (c == 0)
  58529. c = TopLevelWindow::getActiveTopLevelWindow();
  58530. if (c == 0)
  58531. {
  58532. centreWithSize (width, height);
  58533. }
  58534. else
  58535. {
  58536. int x = (c->getWidth() - width) / 2;
  58537. int y = (c->getHeight() - height) / 2;
  58538. c->relativePositionToGlobal (x, y);
  58539. Rectangle parentArea (c->getParentMonitorArea());
  58540. if (getParentComponent() != 0)
  58541. {
  58542. getParentComponent()->globalPositionToRelative (x, y);
  58543. parentArea.setBounds (0, 0, getParentWidth(), getParentHeight());
  58544. }
  58545. parentArea.reduce (12, 12);
  58546. setBounds (jlimit (parentArea.getX(), jmax (parentArea.getX(), parentArea.getRight() - width), x),
  58547. jlimit (parentArea.getY(), jmax (parentArea.getY(), parentArea.getBottom() - height), y),
  58548. width, height);
  58549. }
  58550. }
  58551. int TopLevelWindow::getNumTopLevelWindows() throw()
  58552. {
  58553. return TopLevelWindowManager::getInstance()->windows.size();
  58554. }
  58555. TopLevelWindow* TopLevelWindow::getTopLevelWindow (const int index) throw()
  58556. {
  58557. return (TopLevelWindow*) TopLevelWindowManager::getInstance()->windows [index];
  58558. }
  58559. TopLevelWindow* TopLevelWindow::getActiveTopLevelWindow() throw()
  58560. {
  58561. TopLevelWindow* best = 0;
  58562. int bestNumTWLParents = -1;
  58563. for (int i = TopLevelWindow::getNumTopLevelWindows(); --i >= 0;)
  58564. {
  58565. TopLevelWindow* const tlw = TopLevelWindow::getTopLevelWindow (i);
  58566. if (tlw->isActiveWindow())
  58567. {
  58568. int numTWLParents = 0;
  58569. const Component* c = tlw->getParentComponent();
  58570. while (c != 0)
  58571. {
  58572. if (dynamic_cast <const TopLevelWindow*> (c) != 0)
  58573. ++numTWLParents;
  58574. c = c->getParentComponent();
  58575. }
  58576. if (bestNumTWLParents < numTWLParents)
  58577. {
  58578. best = tlw;
  58579. bestNumTWLParents = numTWLParents;
  58580. }
  58581. }
  58582. }
  58583. return best;
  58584. }
  58585. END_JUCE_NAMESPACE
  58586. /********* End of inlined file: juce_TopLevelWindow.cpp *********/
  58587. /********* Start of inlined file: juce_Brush.cpp *********/
  58588. BEGIN_JUCE_NAMESPACE
  58589. Brush::Brush() throw()
  58590. {
  58591. }
  58592. Brush::~Brush() throw()
  58593. {
  58594. }
  58595. void Brush::paintVerticalLine (LowLevelGraphicsContext& context,
  58596. int x, float y1, float y2) throw()
  58597. {
  58598. Path p;
  58599. p.addRectangle ((float) x, y1, 1.0f, y2 - y1);
  58600. paintPath (context, p, AffineTransform::identity);
  58601. }
  58602. void Brush::paintHorizontalLine (LowLevelGraphicsContext& context,
  58603. int y, float x1, float x2) throw()
  58604. {
  58605. Path p;
  58606. p.addRectangle (x1, (float) y, x2 - x1, 1.0f);
  58607. paintPath (context, p, AffineTransform::identity);
  58608. }
  58609. void Brush::paintLine (LowLevelGraphicsContext& context,
  58610. float x1, float y1, float x2, float y2) throw()
  58611. {
  58612. Path p;
  58613. p.addLineSegment (x1, y1, x2, y2, 1.0f);
  58614. paintPath (context, p, AffineTransform::identity);
  58615. }
  58616. END_JUCE_NAMESPACE
  58617. /********* End of inlined file: juce_Brush.cpp *********/
  58618. /********* Start of inlined file: juce_GradientBrush.cpp *********/
  58619. BEGIN_JUCE_NAMESPACE
  58620. GradientBrush::GradientBrush (const Colour& colour1,
  58621. const float x1,
  58622. const float y1,
  58623. const Colour& colour2,
  58624. const float x2,
  58625. const float y2,
  58626. const bool isRadial) throw()
  58627. : gradient (colour1, x1, y1,
  58628. colour2, x2, y2,
  58629. isRadial)
  58630. {
  58631. }
  58632. GradientBrush::GradientBrush (const ColourGradient& gradient_) throw()
  58633. : gradient (gradient_)
  58634. {
  58635. }
  58636. GradientBrush::~GradientBrush() throw()
  58637. {
  58638. }
  58639. Brush* GradientBrush::createCopy() const throw()
  58640. {
  58641. return new GradientBrush (gradient);
  58642. }
  58643. void GradientBrush::applyTransform (const AffineTransform& transform) throw()
  58644. {
  58645. gradient.transform = gradient.transform.followedBy (transform);
  58646. }
  58647. void GradientBrush::multiplyOpacity (const float multiple) throw()
  58648. {
  58649. gradient.multiplyOpacity (multiple);
  58650. }
  58651. bool GradientBrush::isInvisible() const throw()
  58652. {
  58653. return gradient.isInvisible();
  58654. }
  58655. void GradientBrush::paintPath (LowLevelGraphicsContext& context,
  58656. const Path& path, const AffineTransform& transform) throw()
  58657. {
  58658. context.fillPathWithGradient (path, transform, gradient, EdgeTable::Oversampling_4times);
  58659. }
  58660. void GradientBrush::paintRectangle (LowLevelGraphicsContext& context,
  58661. int x, int y, int w, int h) throw()
  58662. {
  58663. context.fillRectWithGradient (x, y, w, h, gradient);
  58664. }
  58665. void GradientBrush::paintAlphaChannel (LowLevelGraphicsContext& context,
  58666. const Image& alphaChannelImage, int imageX, int imageY,
  58667. int x, int y, int w, int h) throw()
  58668. {
  58669. context.saveState();
  58670. if (context.reduceClipRegion (x, y, w, h))
  58671. context.fillAlphaChannelWithGradient (alphaChannelImage, imageX, imageY, gradient);
  58672. context.restoreState();
  58673. }
  58674. END_JUCE_NAMESPACE
  58675. /********* End of inlined file: juce_GradientBrush.cpp *********/
  58676. /********* Start of inlined file: juce_ImageBrush.cpp *********/
  58677. BEGIN_JUCE_NAMESPACE
  58678. ImageBrush::ImageBrush (Image* const image_,
  58679. const int anchorX_,
  58680. const int anchorY_,
  58681. const float opacity_) throw()
  58682. : image (image_),
  58683. anchorX (anchorX_),
  58684. anchorY (anchorY_),
  58685. opacity (opacity_)
  58686. {
  58687. jassert (image != 0); // not much point creating a brush without an image, is there?
  58688. if (image != 0)
  58689. {
  58690. if (image->getWidth() == 0 || image->getHeight() == 0)
  58691. {
  58692. jassertfalse // you've passed in an empty image - not exactly brilliant for tiling.
  58693. image = 0;
  58694. }
  58695. }
  58696. }
  58697. ImageBrush::~ImageBrush() throw()
  58698. {
  58699. }
  58700. Brush* ImageBrush::createCopy() const throw()
  58701. {
  58702. return new ImageBrush (image, anchorX, anchorY, opacity);
  58703. }
  58704. void ImageBrush::multiplyOpacity (const float multiple) throw()
  58705. {
  58706. opacity *= multiple;
  58707. }
  58708. bool ImageBrush::isInvisible() const throw()
  58709. {
  58710. return opacity == 0.0f;
  58711. }
  58712. void ImageBrush::applyTransform (const AffineTransform& /*transform*/) throw()
  58713. {
  58714. //xxx should probably be smarter and warp the image
  58715. }
  58716. void ImageBrush::getStartXY (int& x, int& y) const throw()
  58717. {
  58718. x -= anchorX;
  58719. y -= anchorY;
  58720. const int iw = image->getWidth();
  58721. const int ih = image->getHeight();
  58722. if (x < 0)
  58723. x = ((x / iw) - 1) * iw;
  58724. else
  58725. x = (x / iw) * iw;
  58726. if (y < 0)
  58727. y = ((y / ih) - 1) * ih;
  58728. else
  58729. y = (y / ih) * ih;
  58730. x += anchorX;
  58731. y += anchorY;
  58732. }
  58733. void ImageBrush::paintRectangle (LowLevelGraphicsContext& context,
  58734. int x, int y, int w, int h) throw()
  58735. {
  58736. context.saveState();
  58737. if (image != 0 && context.reduceClipRegion (x, y, w, h))
  58738. {
  58739. const int right = x + w;
  58740. const int bottom = y + h;
  58741. const int iw = image->getWidth();
  58742. const int ih = image->getHeight();
  58743. int startX = x;
  58744. getStartXY (startX, y);
  58745. while (y < bottom)
  58746. {
  58747. x = startX;
  58748. while (x < right)
  58749. {
  58750. context.blendImage (*image, x, y, iw, ih, 0, 0, opacity);
  58751. x += iw;
  58752. }
  58753. y += ih;
  58754. }
  58755. }
  58756. context.restoreState();
  58757. }
  58758. void ImageBrush::paintPath (LowLevelGraphicsContext& context,
  58759. const Path& path, const AffineTransform& transform) throw()
  58760. {
  58761. if (image != 0)
  58762. {
  58763. Rectangle clip (context.getClipBounds());
  58764. {
  58765. float x, y, w, h;
  58766. path.getBoundsTransformed (transform, x, y, w, h);
  58767. clip = clip.getIntersection (Rectangle ((int) floorf (x),
  58768. (int) floorf (y),
  58769. 2 + (int) floorf (w),
  58770. 2 + (int) floorf (h)));
  58771. }
  58772. int x = clip.getX();
  58773. int y = clip.getY();
  58774. const int right = clip.getRight();
  58775. const int bottom = clip.getBottom();
  58776. const int iw = image->getWidth();
  58777. const int ih = image->getHeight();
  58778. int startX = x;
  58779. getStartXY (startX, y);
  58780. while (y < bottom)
  58781. {
  58782. x = startX;
  58783. while (x < right)
  58784. {
  58785. context.fillPathWithImage (path, transform, *image, x, y, opacity, EdgeTable::Oversampling_4times);
  58786. x += iw;
  58787. }
  58788. y += ih;
  58789. }
  58790. }
  58791. }
  58792. void ImageBrush::paintAlphaChannel (LowLevelGraphicsContext& context,
  58793. const Image& alphaChannelImage, int imageX, int imageY,
  58794. int x, int y, int w, int h) throw()
  58795. {
  58796. context.saveState();
  58797. if (image != 0 && context.reduceClipRegion (x, y, w, h))
  58798. {
  58799. const Rectangle clip (context.getClipBounds());
  58800. x = clip.getX();
  58801. y = clip.getY();
  58802. const int right = clip.getRight();
  58803. const int bottom = clip.getBottom();
  58804. const int iw = image->getWidth();
  58805. const int ih = image->getHeight();
  58806. int startX = x;
  58807. getStartXY (startX, y);
  58808. while (y < bottom)
  58809. {
  58810. x = startX;
  58811. while (x < right)
  58812. {
  58813. context.fillAlphaChannelWithImage (alphaChannelImage,
  58814. imageX, imageY, *image,
  58815. x, y, opacity);
  58816. x += iw;
  58817. }
  58818. y += ih;
  58819. }
  58820. }
  58821. context.restoreState();
  58822. }
  58823. END_JUCE_NAMESPACE
  58824. /********* End of inlined file: juce_ImageBrush.cpp *********/
  58825. /********* Start of inlined file: juce_SolidColourBrush.cpp *********/
  58826. BEGIN_JUCE_NAMESPACE
  58827. SolidColourBrush::SolidColourBrush() throw()
  58828. : colour (0xff000000)
  58829. {
  58830. }
  58831. SolidColourBrush::SolidColourBrush (const Colour& colour_) throw()
  58832. : colour (colour_)
  58833. {
  58834. }
  58835. SolidColourBrush::~SolidColourBrush() throw()
  58836. {
  58837. }
  58838. Brush* SolidColourBrush::createCopy() const throw()
  58839. {
  58840. return new SolidColourBrush (colour);
  58841. }
  58842. void SolidColourBrush::applyTransform (const AffineTransform& /*transform*/) throw()
  58843. {
  58844. }
  58845. void SolidColourBrush::multiplyOpacity (const float multiple) throw()
  58846. {
  58847. colour = colour.withMultipliedAlpha (multiple);
  58848. }
  58849. bool SolidColourBrush::isInvisible() const throw()
  58850. {
  58851. return colour.isTransparent();
  58852. }
  58853. void SolidColourBrush::paintPath (LowLevelGraphicsContext& context,
  58854. const Path& path, const AffineTransform& transform) throw()
  58855. {
  58856. if (! colour.isTransparent())
  58857. context.fillPathWithColour (path, transform, colour, EdgeTable::Oversampling_4times);
  58858. }
  58859. void SolidColourBrush::paintRectangle (LowLevelGraphicsContext& context,
  58860. int x, int y, int w, int h) throw()
  58861. {
  58862. if (! colour.isTransparent())
  58863. context.fillRectWithColour (x, y, w, h, colour, false);
  58864. }
  58865. void SolidColourBrush::paintAlphaChannel (LowLevelGraphicsContext& context,
  58866. const Image& alphaChannelImage, int imageX, int imageY,
  58867. int x, int y, int w, int h) throw()
  58868. {
  58869. if (! colour.isTransparent())
  58870. {
  58871. context.saveState();
  58872. if (context.reduceClipRegion (x, y, w, h))
  58873. context.fillAlphaChannelWithColour (alphaChannelImage, imageX, imageY, colour);
  58874. context.restoreState();
  58875. }
  58876. }
  58877. void SolidColourBrush::paintVerticalLine (LowLevelGraphicsContext& context,
  58878. int x, float y1, float y2) throw()
  58879. {
  58880. context.drawVerticalLine (x, y1, y2, colour);
  58881. }
  58882. void SolidColourBrush::paintHorizontalLine (LowLevelGraphicsContext& context,
  58883. int y, float x1, float x2) throw()
  58884. {
  58885. context.drawHorizontalLine (y, x1, x2, colour);
  58886. }
  58887. void SolidColourBrush::paintLine (LowLevelGraphicsContext& context,
  58888. float x1, float y1, float x2, float y2) throw()
  58889. {
  58890. context.drawLine (x1, y1, x2, y2, colour);
  58891. }
  58892. END_JUCE_NAMESPACE
  58893. /********* End of inlined file: juce_SolidColourBrush.cpp *********/
  58894. /********* Start of inlined file: juce_Colour.cpp *********/
  58895. BEGIN_JUCE_NAMESPACE
  58896. static forcedinline uint8 floatAlphaToInt (const float alpha)
  58897. {
  58898. return (uint8) jlimit (0, 0xff, roundFloatToInt (alpha * 255.0f));
  58899. }
  58900. static const float oneOver255 = 1.0f / 255.0f;
  58901. Colour::Colour() throw()
  58902. : argb (0)
  58903. {
  58904. }
  58905. Colour::Colour (const Colour& other) throw()
  58906. : argb (other.argb)
  58907. {
  58908. }
  58909. const Colour& Colour::operator= (const Colour& other) throw()
  58910. {
  58911. argb = other.argb;
  58912. return *this;
  58913. }
  58914. bool Colour::operator== (const Colour& other) const throw()
  58915. {
  58916. return argb.getARGB() == other.argb.getARGB();
  58917. }
  58918. bool Colour::operator!= (const Colour& other) const throw()
  58919. {
  58920. return argb.getARGB() != other.argb.getARGB();
  58921. }
  58922. Colour::Colour (const uint32 argb_) throw()
  58923. : argb (argb_)
  58924. {
  58925. }
  58926. Colour::Colour (const uint8 red,
  58927. const uint8 green,
  58928. const uint8 blue) throw()
  58929. {
  58930. argb.setARGB (0xff, red, green, blue);
  58931. }
  58932. const Colour Colour::fromRGB (const uint8 red,
  58933. const uint8 green,
  58934. const uint8 blue) throw()
  58935. {
  58936. return Colour (red, green, blue);
  58937. }
  58938. Colour::Colour (const uint8 red,
  58939. const uint8 green,
  58940. const uint8 blue,
  58941. const uint8 alpha) throw()
  58942. {
  58943. argb.setARGB (alpha, red, green, blue);
  58944. }
  58945. const Colour Colour::fromRGBA (const uint8 red,
  58946. const uint8 green,
  58947. const uint8 blue,
  58948. const uint8 alpha) throw()
  58949. {
  58950. return Colour (red, green, blue, alpha);
  58951. }
  58952. Colour::Colour (const uint8 red,
  58953. const uint8 green,
  58954. const uint8 blue,
  58955. const float alpha) throw()
  58956. {
  58957. argb.setARGB (floatAlphaToInt (alpha), red, green, blue);
  58958. }
  58959. const Colour Colour::fromRGBAFloat (const uint8 red,
  58960. const uint8 green,
  58961. const uint8 blue,
  58962. const float alpha) throw()
  58963. {
  58964. return Colour (red, green, blue, alpha);
  58965. }
  58966. static void convertHSBtoRGB (float h, const float s, float v,
  58967. uint8& r, uint8& g, uint8& b) throw()
  58968. {
  58969. v *= 255.0f;
  58970. const uint8 intV = (uint8) roundFloatToInt (v);
  58971. if (s == 0)
  58972. {
  58973. r = intV;
  58974. g = intV;
  58975. b = intV;
  58976. }
  58977. else
  58978. {
  58979. h = (h - floorf (h)) * 6.0f + 0.00001f; // need a small adjustment to compensate for rounding errors
  58980. const float f = h - floorf (h);
  58981. const uint8 x = (uint8) roundFloatToInt (v * (1.0f - s));
  58982. const float y = v * (1.0f - s * f);
  58983. const float z = v * (1.0f - (s * (1.0f - f)));
  58984. if (h < 1.0f)
  58985. {
  58986. r = intV;
  58987. g = (uint8) roundFloatToInt (z);
  58988. b = x;
  58989. }
  58990. else if (h < 2.0f)
  58991. {
  58992. r = (uint8) roundFloatToInt (y);
  58993. g = intV;
  58994. b = x;
  58995. }
  58996. else if (h < 3.0f)
  58997. {
  58998. r = x;
  58999. g = intV;
  59000. b = (uint8) roundFloatToInt (z);
  59001. }
  59002. else if (h < 4.0f)
  59003. {
  59004. r = x;
  59005. g = (uint8) roundFloatToInt (y);
  59006. b = intV;
  59007. }
  59008. else if (h < 5.0f)
  59009. {
  59010. r = (uint8) roundFloatToInt (z);
  59011. g = x;
  59012. b = intV;
  59013. }
  59014. else if (h < 6.0f)
  59015. {
  59016. r = intV;
  59017. g = x;
  59018. b = (uint8) roundFloatToInt (y);
  59019. }
  59020. else
  59021. {
  59022. r = 0;
  59023. g = 0;
  59024. b = 0;
  59025. }
  59026. }
  59027. }
  59028. Colour::Colour (const float hue,
  59029. const float saturation,
  59030. const float brightness,
  59031. const float alpha) throw()
  59032. {
  59033. uint8 r = getRed(), g = getGreen(), b = getBlue();
  59034. convertHSBtoRGB (hue, saturation, brightness, r, g, b);
  59035. argb.setARGB (floatAlphaToInt (alpha), r, g, b);
  59036. }
  59037. const Colour Colour::fromHSV (const float hue,
  59038. const float saturation,
  59039. const float brightness,
  59040. const float alpha) throw()
  59041. {
  59042. return Colour (hue, saturation, brightness, alpha);
  59043. }
  59044. Colour::Colour (const float hue,
  59045. const float saturation,
  59046. const float brightness,
  59047. const uint8 alpha) throw()
  59048. {
  59049. uint8 r = getRed(), g = getGreen(), b = getBlue();
  59050. convertHSBtoRGB (hue, saturation, brightness, r, g, b);
  59051. argb.setARGB (alpha, r, g, b);
  59052. }
  59053. Colour::~Colour() throw()
  59054. {
  59055. }
  59056. const PixelARGB Colour::getPixelARGB() const throw()
  59057. {
  59058. PixelARGB p (argb);
  59059. p.premultiply();
  59060. return p;
  59061. }
  59062. uint32 Colour::getARGB() const throw()
  59063. {
  59064. return argb.getARGB();
  59065. }
  59066. bool Colour::isTransparent() const throw()
  59067. {
  59068. return getAlpha() == 0;
  59069. }
  59070. bool Colour::isOpaque() const throw()
  59071. {
  59072. return getAlpha() == 0xff;
  59073. }
  59074. const Colour Colour::withAlpha (const uint8 newAlpha) const throw()
  59075. {
  59076. PixelARGB newCol (argb);
  59077. newCol.setAlpha (newAlpha);
  59078. return Colour (newCol.getARGB());
  59079. }
  59080. const Colour Colour::withAlpha (const float newAlpha) const throw()
  59081. {
  59082. jassert (newAlpha >= 0 && newAlpha <= 1.0f);
  59083. PixelARGB newCol (argb);
  59084. newCol.setAlpha (floatAlphaToInt (newAlpha));
  59085. return Colour (newCol.getARGB());
  59086. }
  59087. const Colour Colour::withMultipliedAlpha (const float alphaMultiplier) const throw()
  59088. {
  59089. jassert (alphaMultiplier >= 0);
  59090. PixelARGB newCol (argb);
  59091. newCol.setAlpha ((uint8) jmin (0xff, roundFloatToInt (alphaMultiplier * newCol.getAlpha())));
  59092. return Colour (newCol.getARGB());
  59093. }
  59094. const Colour Colour::overlaidWith (const Colour& src) const throw()
  59095. {
  59096. const int destAlpha = getAlpha();
  59097. if (destAlpha > 0)
  59098. {
  59099. const int invA = 0xff - (int) src.getAlpha();
  59100. const int resA = 0xff - (((0xff - destAlpha) * invA) >> 8);
  59101. if (resA > 0)
  59102. {
  59103. const int da = (invA * destAlpha) / resA;
  59104. return Colour ((uint8) (src.getRed() + ((((int) getRed() - src.getRed()) * da) >> 8)),
  59105. (uint8) (src.getGreen() + ((((int) getGreen() - src.getGreen()) * da) >> 8)),
  59106. (uint8) (src.getBlue() + ((((int) getBlue() - src.getBlue()) * da) >> 8)),
  59107. (uint8) resA);
  59108. }
  59109. return *this;
  59110. }
  59111. else
  59112. {
  59113. return src;
  59114. }
  59115. }
  59116. float Colour::getFloatRed() const throw()
  59117. {
  59118. return getRed() * oneOver255;
  59119. }
  59120. float Colour::getFloatGreen() const throw()
  59121. {
  59122. return getGreen() * oneOver255;
  59123. }
  59124. float Colour::getFloatBlue() const throw()
  59125. {
  59126. return getBlue() * oneOver255;
  59127. }
  59128. float Colour::getFloatAlpha() const throw()
  59129. {
  59130. return getAlpha() * oneOver255;
  59131. }
  59132. void Colour::getHSB (float& h, float& s, float& v) const throw()
  59133. {
  59134. const int r = getRed();
  59135. const int g = getGreen();
  59136. const int b = getBlue();
  59137. const int hi = jmax (r, g, b);
  59138. const int lo = jmin (r, g, b);
  59139. if (hi != 0)
  59140. {
  59141. s = (hi - lo) / (float) hi;
  59142. if (s != 0)
  59143. {
  59144. const float invDiff = 1.0f / (hi - lo);
  59145. const float red = (hi - r) * invDiff;
  59146. const float green = (hi - g) * invDiff;
  59147. const float blue = (hi - b) * invDiff;
  59148. if (r == hi)
  59149. h = blue - green;
  59150. else if (g == hi)
  59151. h = 2.0f + red - blue;
  59152. else
  59153. h = 4.0f + green - red;
  59154. h *= 1.0f / 6.0f;
  59155. if (h < 0)
  59156. ++h;
  59157. }
  59158. else
  59159. {
  59160. h = 0;
  59161. }
  59162. }
  59163. else
  59164. {
  59165. s = 0;
  59166. h = 0;
  59167. }
  59168. v = hi * oneOver255;
  59169. }
  59170. float Colour::getHue() const throw()
  59171. {
  59172. float h, s, b;
  59173. getHSB (h, s, b);
  59174. return h;
  59175. }
  59176. const Colour Colour::withHue (const float hue) const throw()
  59177. {
  59178. float h, s, b;
  59179. getHSB (h, s, b);
  59180. return Colour (hue, s, b, getAlpha());
  59181. }
  59182. const Colour Colour::withRotatedHue (const float amountToRotate) const throw()
  59183. {
  59184. float h, s, b;
  59185. getHSB (h, s, b);
  59186. h += amountToRotate;
  59187. h -= floorf (h);
  59188. return Colour (h, s, b, getAlpha());
  59189. }
  59190. float Colour::getSaturation() const throw()
  59191. {
  59192. float h, s, b;
  59193. getHSB (h, s, b);
  59194. return s;
  59195. }
  59196. const Colour Colour::withSaturation (const float saturation) const throw()
  59197. {
  59198. float h, s, b;
  59199. getHSB (h, s, b);
  59200. return Colour (h, saturation, b, getAlpha());
  59201. }
  59202. const Colour Colour::withMultipliedSaturation (const float amount) const throw()
  59203. {
  59204. float h, s, b;
  59205. getHSB (h, s, b);
  59206. return Colour (h, jmin (1.0f, s * amount), b, getAlpha());
  59207. }
  59208. float Colour::getBrightness() const throw()
  59209. {
  59210. float h, s, b;
  59211. getHSB (h, s, b);
  59212. return b;
  59213. }
  59214. const Colour Colour::withBrightness (const float brightness) const throw()
  59215. {
  59216. float h, s, b;
  59217. getHSB (h, s, b);
  59218. return Colour (h, s, brightness, getAlpha());
  59219. }
  59220. const Colour Colour::withMultipliedBrightness (const float amount) const throw()
  59221. {
  59222. float h, s, b;
  59223. getHSB (h, s, b);
  59224. b *= amount;
  59225. if (b > 1.0f)
  59226. b = 1.0f;
  59227. return Colour (h, s, b, getAlpha());
  59228. }
  59229. const Colour Colour::brighter (float amount) const throw()
  59230. {
  59231. amount = 1.0f / (1.0f + amount);
  59232. return Colour ((uint8) (255 - (amount * (255 - getRed()))),
  59233. (uint8) (255 - (amount * (255 - getGreen()))),
  59234. (uint8) (255 - (amount * (255 - getBlue()))),
  59235. getAlpha());
  59236. }
  59237. const Colour Colour::darker (float amount) const throw()
  59238. {
  59239. amount = 1.0f / (1.0f + amount);
  59240. return Colour ((uint8) (amount * getRed()),
  59241. (uint8) (amount * getGreen()),
  59242. (uint8) (amount * getBlue()),
  59243. getAlpha());
  59244. }
  59245. const Colour Colour::greyLevel (const float brightness) throw()
  59246. {
  59247. const uint8 level
  59248. = (uint8) jlimit (0x00, 0xff, roundFloatToInt (brightness * 255.0f));
  59249. return Colour (level, level, level);
  59250. }
  59251. const Colour Colour::contrasting (const float amount) const throw()
  59252. {
  59253. return overlaidWith ((((int) getRed() + (int) getGreen() + (int) getBlue() >= 3 * 128)
  59254. ? Colours::black
  59255. : Colours::white).withAlpha (amount));
  59256. }
  59257. const Colour Colour::contrasting (const Colour& colour1,
  59258. const Colour& colour2) throw()
  59259. {
  59260. const float b1 = colour1.getBrightness();
  59261. const float b2 = colour2.getBrightness();
  59262. float best = 0.0f;
  59263. float bestDist = 0.0f;
  59264. for (float i = 0.0f; i < 1.0f; i += 0.02f)
  59265. {
  59266. const float d1 = fabsf (i - b1);
  59267. const float d2 = fabsf (i - b2);
  59268. const float dist = jmin (d1, d2, 1.0f - d1, 1.0f - d2);
  59269. if (dist > bestDist)
  59270. {
  59271. best = i;
  59272. bestDist = dist;
  59273. }
  59274. }
  59275. return colour1.overlaidWith (colour2.withMultipliedAlpha (0.5f))
  59276. .withBrightness (best);
  59277. }
  59278. const String Colour::toString() const throw()
  59279. {
  59280. return String::toHexString ((int) argb.getARGB());
  59281. }
  59282. const Colour Colour::fromString (const String& encodedColourString)
  59283. {
  59284. return Colour ((uint32) encodedColourString.getHexValue32());
  59285. }
  59286. END_JUCE_NAMESPACE
  59287. /********* End of inlined file: juce_Colour.cpp *********/
  59288. /********* Start of inlined file: juce_ColourGradient.cpp *********/
  59289. BEGIN_JUCE_NAMESPACE
  59290. ColourGradient::ColourGradient() throw()
  59291. : colours (4)
  59292. {
  59293. #ifdef JUCE_DEBUG
  59294. x1 = 987654.0f;
  59295. #endif
  59296. }
  59297. ColourGradient::ColourGradient (const Colour& colour1,
  59298. const float x1_,
  59299. const float y1_,
  59300. const Colour& colour2,
  59301. const float x2_,
  59302. const float y2_,
  59303. const bool isRadial_) throw()
  59304. : x1 (x1_),
  59305. y1 (y1_),
  59306. x2 (x2_),
  59307. y2 (y2_),
  59308. isRadial (isRadial_),
  59309. colours (4)
  59310. {
  59311. colours.add (0);
  59312. colours.add (colour1.getPixelARGB().getARGB());
  59313. colours.add (1 << 16);
  59314. colours.add (colour2.getPixelARGB().getARGB());
  59315. }
  59316. ColourGradient::~ColourGradient() throw()
  59317. {
  59318. }
  59319. void ColourGradient::clearColours() throw()
  59320. {
  59321. colours.clear();
  59322. }
  59323. void ColourGradient::addColour (const double proportionAlongGradient,
  59324. const Colour& colour) throw()
  59325. {
  59326. // must be within the two end-points
  59327. jassert (proportionAlongGradient >= 0 && proportionAlongGradient <= 1.0);
  59328. const uint32 pos = jlimit (0, 65535, roundDoubleToInt (proportionAlongGradient * 65536.0));
  59329. int i;
  59330. for (i = 0; i < colours.size(); i += 2)
  59331. if (colours.getUnchecked(i) > pos)
  59332. break;
  59333. colours.insert (i, pos);
  59334. colours.insert (i + 1, colour.getPixelARGB().getARGB());
  59335. }
  59336. void ColourGradient::multiplyOpacity (const float multiplier) throw()
  59337. {
  59338. for (int i = 1; i < colours.size(); i += 2)
  59339. {
  59340. PixelARGB pix (colours.getUnchecked(i));
  59341. pix.multiplyAlpha (multiplier);
  59342. colours.set (i, pix.getARGB());
  59343. }
  59344. }
  59345. int ColourGradient::getNumColours() const throw()
  59346. {
  59347. return colours.size() >> 1;
  59348. }
  59349. double ColourGradient::getColourPosition (const int index) const throw()
  59350. {
  59351. return colours [index << 1];
  59352. }
  59353. const Colour ColourGradient::getColour (const int index) const throw()
  59354. {
  59355. PixelARGB pix (colours [(index << 1) + 1]);
  59356. pix.unpremultiply();
  59357. return Colour (pix.getARGB());
  59358. }
  59359. PixelARGB* ColourGradient::createLookupTable (int& numEntries) const throw()
  59360. {
  59361. #ifdef JUCE_DEBUG
  59362. // trying to use the object without setting its co-ordinates? Have a careful read of
  59363. // the comments for the constructors.
  59364. jassert (x1 != 987654.0f);
  59365. #endif
  59366. const int numColours = colours.size() >> 1;
  59367. float tx1 = x1, ty1 = y1, tx2 = x2, ty2 = y2;
  59368. transform.transformPoint (tx1, ty1);
  59369. transform.transformPoint (tx2, ty2);
  59370. const double distance = juce_hypot (tx1 - tx2, ty1 - ty2);
  59371. numEntries = jlimit (1, (numColours - 1) << 8, 3 * (int) distance);
  59372. PixelARGB* const lookupTable = (PixelARGB*) juce_calloc (numEntries * sizeof (PixelARGB));
  59373. if (numColours >= 2)
  59374. {
  59375. jassert (colours.getUnchecked (0) == 0); // the first colour specified has to go at position 0
  59376. PixelARGB pix1 (colours.getUnchecked (1));
  59377. int index = 0;
  59378. for (int j = 2; j < colours.size(); j += 2)
  59379. {
  59380. const int numToDo = ((colours.getUnchecked (j) * numEntries) >> 16) - index;
  59381. const PixelARGB pix2 (colours.getUnchecked (j + 1));
  59382. for (int i = 0; i < numToDo; ++i)
  59383. {
  59384. jassert (index >= 0 && index < numEntries);
  59385. lookupTable[index] = pix1;
  59386. lookupTable[index].tween (pix2, (i << 8) / numToDo);
  59387. ++index;
  59388. }
  59389. pix1 = pix2;
  59390. }
  59391. while (index < numEntries)
  59392. lookupTable [index++] = pix1;
  59393. }
  59394. else
  59395. {
  59396. jassertfalse // no colours specified!
  59397. }
  59398. return lookupTable;
  59399. }
  59400. bool ColourGradient::isOpaque() const throw()
  59401. {
  59402. for (int i = 1; i < colours.size(); i += 2)
  59403. if (PixelARGB (colours.getUnchecked(i)).getAlpha() < 0xff)
  59404. return false;
  59405. return true;
  59406. }
  59407. bool ColourGradient::isInvisible() const throw()
  59408. {
  59409. for (int i = 1; i < colours.size(); i += 2)
  59410. if (PixelARGB (colours.getUnchecked(i)).getAlpha() > 0)
  59411. return false;
  59412. return true;
  59413. }
  59414. END_JUCE_NAMESPACE
  59415. /********* End of inlined file: juce_ColourGradient.cpp *********/
  59416. /********* Start of inlined file: juce_Colours.cpp *********/
  59417. BEGIN_JUCE_NAMESPACE
  59418. const Colour Colours::transparentBlack (0);
  59419. const Colour Colours::transparentWhite (0x00ffffff);
  59420. const Colour Colours::aliceblue (0xfff0f8ff);
  59421. const Colour Colours::antiquewhite (0xfffaebd7);
  59422. const Colour Colours::aqua (0xff00ffff);
  59423. const Colour Colours::aquamarine (0xff7fffd4);
  59424. const Colour Colours::azure (0xfff0ffff);
  59425. const Colour Colours::beige (0xfff5f5dc);
  59426. const Colour Colours::bisque (0xffffe4c4);
  59427. const Colour Colours::black (0xff000000);
  59428. const Colour Colours::blanchedalmond (0xffffebcd);
  59429. const Colour Colours::blue (0xff0000ff);
  59430. const Colour Colours::blueviolet (0xff8a2be2);
  59431. const Colour Colours::brown (0xffa52a2a);
  59432. const Colour Colours::burlywood (0xffdeb887);
  59433. const Colour Colours::cadetblue (0xff5f9ea0);
  59434. const Colour Colours::chartreuse (0xff7fff00);
  59435. const Colour Colours::chocolate (0xffd2691e);
  59436. const Colour Colours::coral (0xffff7f50);
  59437. const Colour Colours::cornflowerblue (0xff6495ed);
  59438. const Colour Colours::cornsilk (0xfffff8dc);
  59439. const Colour Colours::crimson (0xffdc143c);
  59440. const Colour Colours::cyan (0xff00ffff);
  59441. const Colour Colours::darkblue (0xff00008b);
  59442. const Colour Colours::darkcyan (0xff008b8b);
  59443. const Colour Colours::darkgoldenrod (0xffb8860b);
  59444. const Colour Colours::darkgrey (0xff555555);
  59445. const Colour Colours::darkgreen (0xff006400);
  59446. const Colour Colours::darkkhaki (0xffbdb76b);
  59447. const Colour Colours::darkmagenta (0xff8b008b);
  59448. const Colour Colours::darkolivegreen (0xff556b2f);
  59449. const Colour Colours::darkorange (0xffff8c00);
  59450. const Colour Colours::darkorchid (0xff9932cc);
  59451. const Colour Colours::darkred (0xff8b0000);
  59452. const Colour Colours::darksalmon (0xffe9967a);
  59453. const Colour Colours::darkseagreen (0xff8fbc8f);
  59454. const Colour Colours::darkslateblue (0xff483d8b);
  59455. const Colour Colours::darkslategrey (0xff2f4f4f);
  59456. const Colour Colours::darkturquoise (0xff00ced1);
  59457. const Colour Colours::darkviolet (0xff9400d3);
  59458. const Colour Colours::deeppink (0xffff1493);
  59459. const Colour Colours::deepskyblue (0xff00bfff);
  59460. const Colour Colours::dimgrey (0xff696969);
  59461. const Colour Colours::dodgerblue (0xff1e90ff);
  59462. const Colour Colours::firebrick (0xffb22222);
  59463. const Colour Colours::floralwhite (0xfffffaf0);
  59464. const Colour Colours::forestgreen (0xff228b22);
  59465. const Colour Colours::fuchsia (0xffff00ff);
  59466. const Colour Colours::gainsboro (0xffdcdcdc);
  59467. const Colour Colours::gold (0xffffd700);
  59468. const Colour Colours::goldenrod (0xffdaa520);
  59469. const Colour Colours::grey (0xff808080);
  59470. const Colour Colours::green (0xff008000);
  59471. const Colour Colours::greenyellow (0xffadff2f);
  59472. const Colour Colours::honeydew (0xfff0fff0);
  59473. const Colour Colours::hotpink (0xffff69b4);
  59474. const Colour Colours::indianred (0xffcd5c5c);
  59475. const Colour Colours::indigo (0xff4b0082);
  59476. const Colour Colours::ivory (0xfffffff0);
  59477. const Colour Colours::khaki (0xfff0e68c);
  59478. const Colour Colours::lavender (0xffe6e6fa);
  59479. const Colour Colours::lavenderblush (0xfffff0f5);
  59480. const Colour Colours::lemonchiffon (0xfffffacd);
  59481. const Colour Colours::lightblue (0xffadd8e6);
  59482. const Colour Colours::lightcoral (0xfff08080);
  59483. const Colour Colours::lightcyan (0xffe0ffff);
  59484. const Colour Colours::lightgoldenrodyellow (0xfffafad2);
  59485. const Colour Colours::lightgreen (0xff90ee90);
  59486. const Colour Colours::lightgrey (0xffd3d3d3);
  59487. const Colour Colours::lightpink (0xffffb6c1);
  59488. const Colour Colours::lightsalmon (0xffffa07a);
  59489. const Colour Colours::lightseagreen (0xff20b2aa);
  59490. const Colour Colours::lightskyblue (0xff87cefa);
  59491. const Colour Colours::lightslategrey (0xff778899);
  59492. const Colour Colours::lightsteelblue (0xffb0c4de);
  59493. const Colour Colours::lightyellow (0xffffffe0);
  59494. const Colour Colours::lime (0xff00ff00);
  59495. const Colour Colours::limegreen (0xff32cd32);
  59496. const Colour Colours::linen (0xfffaf0e6);
  59497. const Colour Colours::magenta (0xffff00ff);
  59498. const Colour Colours::maroon (0xff800000);
  59499. const Colour Colours::mediumaquamarine (0xff66cdaa);
  59500. const Colour Colours::mediumblue (0xff0000cd);
  59501. const Colour Colours::mediumorchid (0xffba55d3);
  59502. const Colour Colours::mediumpurple (0xff9370db);
  59503. const Colour Colours::mediumseagreen (0xff3cb371);
  59504. const Colour Colours::mediumslateblue (0xff7b68ee);
  59505. const Colour Colours::mediumspringgreen (0xff00fa9a);
  59506. const Colour Colours::mediumturquoise (0xff48d1cc);
  59507. const Colour Colours::mediumvioletred (0xffc71585);
  59508. const Colour Colours::midnightblue (0xff191970);
  59509. const Colour Colours::mintcream (0xfff5fffa);
  59510. const Colour Colours::mistyrose (0xffffe4e1);
  59511. const Colour Colours::navajowhite (0xffffdead);
  59512. const Colour Colours::navy (0xff000080);
  59513. const Colour Colours::oldlace (0xfffdf5e6);
  59514. const Colour Colours::olive (0xff808000);
  59515. const Colour Colours::olivedrab (0xff6b8e23);
  59516. const Colour Colours::orange (0xffffa500);
  59517. const Colour Colours::orangered (0xffff4500);
  59518. const Colour Colours::orchid (0xffda70d6);
  59519. const Colour Colours::palegoldenrod (0xffeee8aa);
  59520. const Colour Colours::palegreen (0xff98fb98);
  59521. const Colour Colours::paleturquoise (0xffafeeee);
  59522. const Colour Colours::palevioletred (0xffdb7093);
  59523. const Colour Colours::papayawhip (0xffffefd5);
  59524. const Colour Colours::peachpuff (0xffffdab9);
  59525. const Colour Colours::peru (0xffcd853f);
  59526. const Colour Colours::pink (0xffffc0cb);
  59527. const Colour Colours::plum (0xffdda0dd);
  59528. const Colour Colours::powderblue (0xffb0e0e6);
  59529. const Colour Colours::purple (0xff800080);
  59530. const Colour Colours::red (0xffff0000);
  59531. const Colour Colours::rosybrown (0xffbc8f8f);
  59532. const Colour Colours::royalblue (0xff4169e1);
  59533. const Colour Colours::saddlebrown (0xff8b4513);
  59534. const Colour Colours::salmon (0xfffa8072);
  59535. const Colour Colours::sandybrown (0xfff4a460);
  59536. const Colour Colours::seagreen (0xff2e8b57);
  59537. const Colour Colours::seashell (0xfffff5ee);
  59538. const Colour Colours::sienna (0xffa0522d);
  59539. const Colour Colours::silver (0xffc0c0c0);
  59540. const Colour Colours::skyblue (0xff87ceeb);
  59541. const Colour Colours::slateblue (0xff6a5acd);
  59542. const Colour Colours::slategrey (0xff708090);
  59543. const Colour Colours::snow (0xfffffafa);
  59544. const Colour Colours::springgreen (0xff00ff7f);
  59545. const Colour Colours::steelblue (0xff4682b4);
  59546. const Colour Colours::tan (0xffd2b48c);
  59547. const Colour Colours::teal (0xff008080);
  59548. const Colour Colours::thistle (0xffd8bfd8);
  59549. const Colour Colours::tomato (0xffff6347);
  59550. const Colour Colours::turquoise (0xff40e0d0);
  59551. const Colour Colours::violet (0xffee82ee);
  59552. const Colour Colours::wheat (0xfff5deb3);
  59553. const Colour Colours::white (0xffffffff);
  59554. const Colour Colours::whitesmoke (0xfff5f5f5);
  59555. const Colour Colours::yellow (0xffffff00);
  59556. const Colour Colours::yellowgreen (0xff9acd32);
  59557. const Colour Colours::findColourForName (const String& colourName,
  59558. const Colour& defaultColour)
  59559. {
  59560. static const int presets[] =
  59561. {
  59562. // (first value is the string's hashcode, second is ARGB)
  59563. 0x05978fff, 0xff000000, /* black */
  59564. 0x06bdcc29, 0xffffffff, /* white */
  59565. 0x002e305a, 0xff0000ff, /* blue */
  59566. 0x00308adf, 0xff808080, /* grey */
  59567. 0x05e0cf03, 0xff008000, /* green */
  59568. 0x0001b891, 0xffff0000, /* red */
  59569. 0xd43c6474, 0xffffff00, /* yellow */
  59570. 0x620886da, 0xfff0f8ff, /* aliceblue */
  59571. 0x20a2676a, 0xfffaebd7, /* antiquewhite */
  59572. 0x002dcebc, 0xff00ffff, /* aqua */
  59573. 0x46bb5f7e, 0xff7fffd4, /* aquamarine */
  59574. 0x0590228f, 0xfff0ffff, /* azure */
  59575. 0x05947fe4, 0xfff5f5dc, /* beige */
  59576. 0xad388e35, 0xffffe4c4, /* bisque */
  59577. 0x00674f7e, 0xffffebcd, /* blanchedalmond */
  59578. 0x39129959, 0xff8a2be2, /* blueviolet */
  59579. 0x059a8136, 0xffa52a2a, /* brown */
  59580. 0x89cea8f9, 0xffdeb887, /* burlywood */
  59581. 0x0fa260cf, 0xff5f9ea0, /* cadetblue */
  59582. 0x6b748956, 0xff7fff00, /* chartreuse */
  59583. 0x2903623c, 0xffd2691e, /* chocolate */
  59584. 0x05a74431, 0xffff7f50, /* coral */
  59585. 0x618d42dd, 0xff6495ed, /* cornflowerblue */
  59586. 0xe4b479fd, 0xfffff8dc, /* cornsilk */
  59587. 0x3d8c4edf, 0xffdc143c, /* crimson */
  59588. 0x002ed323, 0xff00ffff, /* cyan */
  59589. 0x67cc74d0, 0xff00008b, /* darkblue */
  59590. 0x67cd1799, 0xff008b8b, /* darkcyan */
  59591. 0x31bbd168, 0xffb8860b, /* darkgoldenrod */
  59592. 0x67cecf55, 0xff555555, /* darkgrey */
  59593. 0x920b194d, 0xff006400, /* darkgreen */
  59594. 0x923edd4c, 0xffbdb76b, /* darkkhaki */
  59595. 0x5c293873, 0xff8b008b, /* darkmagenta */
  59596. 0x6b6671fe, 0xff556b2f, /* darkolivegreen */
  59597. 0xbcfd2524, 0xffff8c00, /* darkorange */
  59598. 0xbcfdf799, 0xff9932cc, /* darkorchid */
  59599. 0x55ee0d5b, 0xff8b0000, /* darkred */
  59600. 0xc2e5f564, 0xffe9967a, /* darksalmon */
  59601. 0x61be858a, 0xff8fbc8f, /* darkseagreen */
  59602. 0xc2b0f2bd, 0xff483d8b, /* darkslateblue */
  59603. 0xc2b34d42, 0xff2f4f4f, /* darkslategrey */
  59604. 0x7cf2b06b, 0xff00ced1, /* darkturquoise */
  59605. 0xc8769375, 0xff9400d3, /* darkviolet */
  59606. 0x25832862, 0xffff1493, /* deeppink */
  59607. 0xfcad568f, 0xff00bfff, /* deepskyblue */
  59608. 0x634c8b67, 0xff696969, /* dimgrey */
  59609. 0x45c1ce55, 0xff1e90ff, /* dodgerblue */
  59610. 0xef19e3cb, 0xffb22222, /* firebrick */
  59611. 0xb852b195, 0xfffffaf0, /* floralwhite */
  59612. 0xd086fd06, 0xff228b22, /* forestgreen */
  59613. 0xe106b6d7, 0xffff00ff, /* fuchsia */
  59614. 0x7880d61e, 0xffdcdcdc, /* gainsboro */
  59615. 0x00308060, 0xffffd700, /* gold */
  59616. 0xb3b3bc1e, 0xffdaa520, /* goldenrod */
  59617. 0xbab8a537, 0xffadff2f, /* greenyellow */
  59618. 0xe4cacafb, 0xfff0fff0, /* honeydew */
  59619. 0x41892743, 0xffff69b4, /* hotpink */
  59620. 0xd5796f1a, 0xffcd5c5c, /* indianred */
  59621. 0xb969fed2, 0xff4b0082, /* indigo */
  59622. 0x05fef6a9, 0xfffffff0, /* ivory */
  59623. 0x06149302, 0xfff0e68c, /* khaki */
  59624. 0xad5a05c7, 0xffe6e6fa, /* lavender */
  59625. 0x7c4d5b99, 0xfffff0f5, /* lavenderblush */
  59626. 0x195756f0, 0xfffffacd, /* lemonchiffon */
  59627. 0x28e4ea70, 0xffadd8e6, /* lightblue */
  59628. 0xf3c7ccdb, 0xfff08080, /* lightcoral */
  59629. 0x28e58d39, 0xffe0ffff, /* lightcyan */
  59630. 0x21234e3c, 0xfffafad2, /* lightgoldenrodyellow */
  59631. 0xf40157ad, 0xff90ee90, /* lightgreen */
  59632. 0x28e744f5, 0xffd3d3d3, /* lightgrey */
  59633. 0x28eb3b8c, 0xffffb6c1, /* lightpink */
  59634. 0x9fb78304, 0xffffa07a, /* lightsalmon */
  59635. 0x50632b2a, 0xff20b2aa, /* lightseagreen */
  59636. 0x68fb7b25, 0xff87cefa, /* lightskyblue */
  59637. 0xa8a35ba2, 0xff778899, /* lightslategrey */
  59638. 0xa20d484f, 0xffb0c4de, /* lightsteelblue */
  59639. 0xaa2cf10a, 0xffffffe0, /* lightyellow */
  59640. 0x0032afd5, 0xff00ff00, /* lime */
  59641. 0x607bbc4e, 0xff32cd32, /* limegreen */
  59642. 0x06234efa, 0xfffaf0e6, /* linen */
  59643. 0x316858a9, 0xffff00ff, /* magenta */
  59644. 0xbf8ca470, 0xff800000, /* maroon */
  59645. 0xbd58e0b3, 0xff66cdaa, /* mediumaquamarine */
  59646. 0x967dfd4f, 0xff0000cd, /* mediumblue */
  59647. 0x056f5c58, 0xffba55d3, /* mediumorchid */
  59648. 0x07556b71, 0xff9370db, /* mediumpurple */
  59649. 0x5369b689, 0xff3cb371, /* mediumseagreen */
  59650. 0x066be19e, 0xff7b68ee, /* mediumslateblue */
  59651. 0x3256b281, 0xff00fa9a, /* mediumspringgreen */
  59652. 0xc0ad9f4c, 0xff48d1cc, /* mediumturquoise */
  59653. 0x628e63dd, 0xffc71585, /* mediumvioletred */
  59654. 0x168eb32a, 0xff191970, /* midnightblue */
  59655. 0x4306b960, 0xfff5fffa, /* mintcream */
  59656. 0x4cbc0e6b, 0xffffe4e1, /* mistyrose */
  59657. 0xe97218a6, 0xffffdead, /* navajowhite */
  59658. 0x00337bb6, 0xff000080, /* navy */
  59659. 0xadd2d33e, 0xfffdf5e6, /* oldlace */
  59660. 0x064ee1db, 0xff808000, /* olive */
  59661. 0x9e33a98a, 0xff6b8e23, /* olivedrab */
  59662. 0xc3de262e, 0xffffa500, /* orange */
  59663. 0x58bebba3, 0xffff4500, /* orangered */
  59664. 0xc3def8a3, 0xffda70d6, /* orchid */
  59665. 0x28cb4834, 0xffeee8aa, /* palegoldenrod */
  59666. 0x3d9dd619, 0xff98fb98, /* palegreen */
  59667. 0x74022737, 0xffafeeee, /* paleturquoise */
  59668. 0x15e2ebc8, 0xffdb7093, /* palevioletred */
  59669. 0x5fd898e2, 0xffffefd5, /* papayawhip */
  59670. 0x93e1b776, 0xffffdab9, /* peachpuff */
  59671. 0x003472f8, 0xffcd853f, /* peru */
  59672. 0x00348176, 0xffffc0cb, /* pink */
  59673. 0x00348d94, 0xffdda0dd, /* plum */
  59674. 0xd036be93, 0xffb0e0e6, /* powderblue */
  59675. 0xc5c507bc, 0xff800080, /* purple */
  59676. 0xa89d65b3, 0xffbc8f8f, /* rosybrown */
  59677. 0xbd9413e1, 0xff4169e1, /* royalblue */
  59678. 0xf456044f, 0xff8b4513, /* saddlebrown */
  59679. 0xc9c6f66e, 0xfffa8072, /* salmon */
  59680. 0x0bb131e1, 0xfff4a460, /* sandybrown */
  59681. 0x34636c14, 0xff2e8b57, /* seagreen */
  59682. 0x3507fb41, 0xfffff5ee, /* seashell */
  59683. 0xca348772, 0xffa0522d, /* sienna */
  59684. 0xca37d30d, 0xffc0c0c0, /* silver */
  59685. 0x80da74fb, 0xff87ceeb, /* skyblue */
  59686. 0x44a8dd73, 0xff6a5acd, /* slateblue */
  59687. 0x44ab37f8, 0xff708090, /* slategrey */
  59688. 0x0035f183, 0xfffffafa, /* snow */
  59689. 0xd5440d16, 0xff00ff7f, /* springgreen */
  59690. 0x3e1524a5, 0xff4682b4, /* steelblue */
  59691. 0x0001bfa1, 0xffd2b48c, /* tan */
  59692. 0x0036425c, 0xff008080, /* teal */
  59693. 0xafc8858f, 0xffd8bfd8, /* thistle */
  59694. 0xcc41600a, 0xffff6347, /* tomato */
  59695. 0xfeea9b21, 0xff40e0d0, /* turquoise */
  59696. 0xcf57947f, 0xffee82ee, /* violet */
  59697. 0x06bdbae7, 0xfff5deb3, /* wheat */
  59698. 0x10802ee6, 0xfff5f5f5, /* whitesmoke */
  59699. 0xe1b5130f, 0xff9acd32 /* yellowgreen */
  59700. };
  59701. const int hash = colourName.trim().toLowerCase().hashCode();
  59702. for (int i = 0; i < numElementsInArray (presets); i += 2)
  59703. if (presets [i] == hash)
  59704. return Colour (presets [i + 1]);
  59705. return defaultColour;
  59706. }
  59707. END_JUCE_NAMESPACE
  59708. /********* End of inlined file: juce_Colours.cpp *********/
  59709. /********* Start of inlined file: juce_EdgeTable.cpp *********/
  59710. BEGIN_JUCE_NAMESPACE
  59711. EdgeTable::EdgeTable (const int top_,
  59712. const int height_,
  59713. const OversamplingLevel oversampling_,
  59714. const int expectedEdgesPerLine) throw()
  59715. : top (top_),
  59716. height (height_),
  59717. maxEdgesPerLine (expectedEdgesPerLine),
  59718. lineStrideElements ((expectedEdgesPerLine << 1) + 1),
  59719. oversampling (oversampling_)
  59720. {
  59721. table = (int*) juce_calloc ((height << (int)oversampling_)
  59722. * lineStrideElements * sizeof (int));
  59723. }
  59724. EdgeTable::EdgeTable (const EdgeTable& other) throw()
  59725. : table (0)
  59726. {
  59727. operator= (other);
  59728. }
  59729. const EdgeTable& EdgeTable::operator= (const EdgeTable& other) throw()
  59730. {
  59731. juce_free (table);
  59732. top = other.top;
  59733. height = other.height;
  59734. maxEdgesPerLine = other.maxEdgesPerLine;
  59735. lineStrideElements = other.lineStrideElements;
  59736. oversampling = other.oversampling;
  59737. const int tableSize = (height << (int)oversampling)
  59738. * lineStrideElements * sizeof (int);
  59739. table = (int*) juce_malloc (tableSize);
  59740. memcpy (table, other.table, tableSize);
  59741. return *this;
  59742. }
  59743. EdgeTable::~EdgeTable() throw()
  59744. {
  59745. juce_free (table);
  59746. }
  59747. void EdgeTable::remapTableForNumEdges (const int newNumEdgesPerLine) throw()
  59748. {
  59749. if (newNumEdgesPerLine != maxEdgesPerLine)
  59750. {
  59751. maxEdgesPerLine = newNumEdgesPerLine;
  59752. const int newLineStrideElements = maxEdgesPerLine * 2 + 1;
  59753. int* const newTable = (int*) juce_malloc ((height << (int) oversampling)
  59754. * newLineStrideElements * sizeof (int));
  59755. for (int i = 0; i < (height << (int) oversampling); ++i)
  59756. {
  59757. const int* srcLine = table + lineStrideElements * i;
  59758. int* dstLine = newTable + newLineStrideElements * i;
  59759. int num = *srcLine++;
  59760. *dstLine++ = num;
  59761. num <<= 1;
  59762. while (--num >= 0)
  59763. *dstLine++ = *srcLine++;
  59764. }
  59765. juce_free (table);
  59766. table = newTable;
  59767. lineStrideElements = newLineStrideElements;
  59768. }
  59769. }
  59770. void EdgeTable::optimiseTable() throw()
  59771. {
  59772. int maxLineElements = 0;
  59773. for (int i = height; --i >= 0;)
  59774. maxLineElements = jmax (maxLineElements,
  59775. table [i * lineStrideElements]);
  59776. remapTableForNumEdges (maxLineElements);
  59777. }
  59778. void EdgeTable::addEdgePoint (const int x, const int y, const int winding) throw()
  59779. {
  59780. jassert (y >= 0 && y < (height << oversampling))
  59781. int* lineStart = table + lineStrideElements * y;
  59782. int n = lineStart[0];
  59783. if (n >= maxEdgesPerLine)
  59784. {
  59785. remapTableForNumEdges (maxEdgesPerLine + juce_edgeTableDefaultEdgesPerLine);
  59786. lineStart = table + lineStrideElements * y;
  59787. }
  59788. n <<= 1;
  59789. int* const line = lineStart + 1;
  59790. while (n > 0)
  59791. {
  59792. const int cx = line [n - 2];
  59793. if (cx <= x)
  59794. break;
  59795. line [n] = cx;
  59796. line [n + 1] = line [n - 1];
  59797. n -= 2;
  59798. }
  59799. line [n] = x;
  59800. line [n + 1] = winding;
  59801. lineStart[0]++;
  59802. }
  59803. void EdgeTable::addPath (const Path& path,
  59804. const AffineTransform& transform) throw()
  59805. {
  59806. const int windingAmount = 256 / (1 << (int) oversampling);
  59807. const float timesOversampling = (float) (1 << (int) oversampling);
  59808. const int bottomLimit = (height << (int) oversampling);
  59809. PathFlatteningIterator iter (path, transform);
  59810. while (iter.next())
  59811. {
  59812. int y1 = roundFloatToInt (iter.y1 * timesOversampling) - (top << (int) oversampling);
  59813. int y2 = roundFloatToInt (iter.y2 * timesOversampling) - (top << (int) oversampling);
  59814. if (y1 != y2)
  59815. {
  59816. const double x1 = 256.0 * iter.x1;
  59817. const double x2 = 256.0 * iter.x2;
  59818. const double multiplier = (x2 - x1) / (y2 - y1);
  59819. const int oldY1 = y1;
  59820. int winding;
  59821. if (y1 > y2)
  59822. {
  59823. swapVariables (y1, y2);
  59824. winding = windingAmount;
  59825. }
  59826. else
  59827. {
  59828. winding = -windingAmount;
  59829. }
  59830. jassert (y1 < y2);
  59831. if (y1 < 0)
  59832. y1 = 0;
  59833. if (y2 > bottomLimit)
  59834. y2 = bottomLimit;
  59835. while (y1 < y2)
  59836. {
  59837. addEdgePoint (roundDoubleToInt (x1 + multiplier * (y1 - oldY1)),
  59838. y1,
  59839. winding);
  59840. ++y1;
  59841. }
  59842. }
  59843. }
  59844. if (! path.isUsingNonZeroWinding())
  59845. {
  59846. // if it's an alternate-winding path, we need to go through and
  59847. // make sure all the windings are alternating.
  59848. int* lineStart = table;
  59849. for (int i = height << (int) oversampling; --i >= 0;)
  59850. {
  59851. int* line = lineStart;
  59852. lineStart += lineStrideElements;
  59853. int num = *line;
  59854. while (--num >= 0)
  59855. {
  59856. line += 2;
  59857. *line = abs (*line);
  59858. if (--num >= 0)
  59859. {
  59860. line += 2;
  59861. *line = -abs (*line);
  59862. }
  59863. }
  59864. }
  59865. }
  59866. }
  59867. END_JUCE_NAMESPACE
  59868. /********* End of inlined file: juce_EdgeTable.cpp *********/
  59869. /********* Start of inlined file: juce_Graphics.cpp *********/
  59870. BEGIN_JUCE_NAMESPACE
  59871. static const Graphics::ResamplingQuality defaultQuality = Graphics::mediumResamplingQuality;
  59872. #define MINIMUM_COORD -0x3fffffff
  59873. #define MAXIMUM_COORD 0x3fffffff
  59874. #undef ASSERT_COORDS_ARE_SENSIBLE_NUMBERS
  59875. #define ASSERT_COORDS_ARE_SENSIBLE_NUMBERS(x, y, w, h) \
  59876. jassert ((int) x >= MINIMUM_COORD \
  59877. && (int) x <= MAXIMUM_COORD \
  59878. && (int) y >= MINIMUM_COORD \
  59879. && (int) y <= MAXIMUM_COORD \
  59880. && (int) w >= MINIMUM_COORD \
  59881. && (int) w <= MAXIMUM_COORD \
  59882. && (int) h >= MINIMUM_COORD \
  59883. && (int) h <= MAXIMUM_COORD);
  59884. LowLevelGraphicsContext::LowLevelGraphicsContext()
  59885. {
  59886. }
  59887. LowLevelGraphicsContext::~LowLevelGraphicsContext()
  59888. {
  59889. }
  59890. Graphics::Graphics (Image& imageToDrawOnto) throw()
  59891. : context (imageToDrawOnto.createLowLevelContext()),
  59892. ownsContext (true),
  59893. state (new GraphicsState()),
  59894. saveStatePending (false)
  59895. {
  59896. }
  59897. Graphics::Graphics (LowLevelGraphicsContext* const internalContext) throw()
  59898. : context (internalContext),
  59899. ownsContext (false),
  59900. state (new GraphicsState()),
  59901. saveStatePending (false)
  59902. {
  59903. }
  59904. Graphics::~Graphics() throw()
  59905. {
  59906. delete state;
  59907. if (ownsContext)
  59908. delete context;
  59909. }
  59910. void Graphics::resetToDefaultState() throw()
  59911. {
  59912. setColour (Colours::black);
  59913. state->font.resetToDefaultState();
  59914. state->quality = defaultQuality;
  59915. }
  59916. bool Graphics::isVectorDevice() const throw()
  59917. {
  59918. return context->isVectorDevice();
  59919. }
  59920. bool Graphics::reduceClipRegion (const int x, const int y,
  59921. const int w, const int h) throw()
  59922. {
  59923. saveStateIfPending();
  59924. return context->reduceClipRegion (x, y, w, h);
  59925. }
  59926. bool Graphics::reduceClipRegion (const RectangleList& clipRegion) throw()
  59927. {
  59928. saveStateIfPending();
  59929. return context->reduceClipRegion (clipRegion);
  59930. }
  59931. void Graphics::excludeClipRegion (const int x, const int y,
  59932. const int w, const int h) throw()
  59933. {
  59934. saveStateIfPending();
  59935. context->excludeClipRegion (x, y, w, h);
  59936. }
  59937. bool Graphics::isClipEmpty() const throw()
  59938. {
  59939. return context->isClipEmpty();
  59940. }
  59941. const Rectangle Graphics::getClipBounds() const throw()
  59942. {
  59943. return context->getClipBounds();
  59944. }
  59945. void Graphics::saveState() throw()
  59946. {
  59947. saveStateIfPending();
  59948. saveStatePending = true;
  59949. }
  59950. void Graphics::restoreState() throw()
  59951. {
  59952. if (saveStatePending)
  59953. {
  59954. saveStatePending = false;
  59955. }
  59956. else
  59957. {
  59958. const int stackSize = stateStack.size();
  59959. if (stackSize > 0)
  59960. {
  59961. context->restoreState();
  59962. delete state;
  59963. state = stateStack.getUnchecked (stackSize - 1);
  59964. stateStack.removeLast (1, false);
  59965. }
  59966. else
  59967. {
  59968. // Trying to call restoreState() more times than you've called saveState() !
  59969. // Be careful to correctly match each saveState() with exactly one call to restoreState().
  59970. jassertfalse
  59971. }
  59972. }
  59973. }
  59974. void Graphics::saveStateIfPending() throw()
  59975. {
  59976. if (saveStatePending)
  59977. {
  59978. saveStatePending = false;
  59979. context->saveState();
  59980. stateStack.add (new GraphicsState (*state));
  59981. }
  59982. }
  59983. void Graphics::setOrigin (const int newOriginX,
  59984. const int newOriginY) throw()
  59985. {
  59986. saveStateIfPending();
  59987. context->setOrigin (newOriginX, newOriginY);
  59988. }
  59989. bool Graphics::clipRegionIntersects (const int x, const int y,
  59990. const int w, const int h) const throw()
  59991. {
  59992. return context->clipRegionIntersects (x, y, w, h);
  59993. }
  59994. void Graphics::setColour (const Colour& newColour) throw()
  59995. {
  59996. saveStateIfPending();
  59997. state->colour = newColour;
  59998. deleteAndZero (state->brush);
  59999. }
  60000. const Colour& Graphics::getCurrentColour() const throw()
  60001. {
  60002. return state->colour;
  60003. }
  60004. void Graphics::setOpacity (const float newOpacity) throw()
  60005. {
  60006. saveStateIfPending();
  60007. state->colour = state->colour.withAlpha (newOpacity);
  60008. }
  60009. void Graphics::setBrush (const Brush* const newBrush) throw()
  60010. {
  60011. saveStateIfPending();
  60012. delete state->brush;
  60013. if (newBrush != 0)
  60014. state->brush = newBrush->createCopy();
  60015. else
  60016. state->brush = 0;
  60017. }
  60018. Graphics::GraphicsState::GraphicsState() throw()
  60019. : colour (Colours::black),
  60020. brush (0),
  60021. quality (defaultQuality)
  60022. {
  60023. }
  60024. Graphics::GraphicsState::GraphicsState (const GraphicsState& other) throw()
  60025. : colour (other.colour),
  60026. brush (other.brush != 0 ? other.brush->createCopy() : 0),
  60027. font (other.font),
  60028. quality (other.quality)
  60029. {
  60030. }
  60031. Graphics::GraphicsState::~GraphicsState() throw()
  60032. {
  60033. delete brush;
  60034. }
  60035. void Graphics::setFont (const Font& newFont) throw()
  60036. {
  60037. saveStateIfPending();
  60038. state->font = newFont;
  60039. }
  60040. void Graphics::setFont (const float newFontHeight,
  60041. const int newFontStyleFlags) throw()
  60042. {
  60043. saveStateIfPending();
  60044. state->font.setSizeAndStyle (newFontHeight, newFontStyleFlags, 1.0f, 0.0f);
  60045. }
  60046. const Font& Graphics::getCurrentFont() const throw()
  60047. {
  60048. return state->font;
  60049. }
  60050. void Graphics::drawSingleLineText (const String& text,
  60051. const int startX,
  60052. const int baselineY) const throw()
  60053. {
  60054. if (text.isNotEmpty()
  60055. && startX < context->getClipBounds().getRight())
  60056. {
  60057. GlyphArrangement arr;
  60058. arr.addLineOfText (state->font, text, (float) startX, (float) baselineY);
  60059. arr.draw (*this);
  60060. }
  60061. }
  60062. void Graphics::drawTextAsPath (const String& text,
  60063. const AffineTransform& transform) const throw()
  60064. {
  60065. if (text.isNotEmpty())
  60066. {
  60067. GlyphArrangement arr;
  60068. arr.addLineOfText (state->font, text, 0.0f, 0.0f);
  60069. arr.draw (*this, transform);
  60070. }
  60071. }
  60072. void Graphics::drawMultiLineText (const String& text,
  60073. const int startX,
  60074. const int baselineY,
  60075. const int maximumLineWidth) const throw()
  60076. {
  60077. if (text.isNotEmpty()
  60078. && startX < context->getClipBounds().getRight())
  60079. {
  60080. GlyphArrangement arr;
  60081. arr.addJustifiedText (state->font, text,
  60082. (float) startX, (float) baselineY, (float) maximumLineWidth,
  60083. Justification::left);
  60084. arr.draw (*this);
  60085. }
  60086. }
  60087. void Graphics::drawText (const String& text,
  60088. const int x,
  60089. const int y,
  60090. const int width,
  60091. const int height,
  60092. const Justification& justificationType,
  60093. const bool useEllipsesIfTooBig) const throw()
  60094. {
  60095. if (text.isNotEmpty() && context->clipRegionIntersects (x, y, width, height))
  60096. {
  60097. GlyphArrangement arr;
  60098. arr.addCurtailedLineOfText (state->font, text,
  60099. 0.0f, 0.0f, (float)width,
  60100. useEllipsesIfTooBig);
  60101. arr.justifyGlyphs (0, arr.getNumGlyphs(),
  60102. (float) x, (float) y,
  60103. (float) width, (float) height,
  60104. justificationType);
  60105. arr.draw (*this);
  60106. }
  60107. }
  60108. void Graphics::drawFittedText (const String& text,
  60109. const int x,
  60110. const int y,
  60111. const int width,
  60112. const int height,
  60113. const Justification& justification,
  60114. const int maximumNumberOfLines,
  60115. const float minimumHorizontalScale) const throw()
  60116. {
  60117. if (text.isNotEmpty()
  60118. && width > 0 && height > 0
  60119. && context->clipRegionIntersects (x, y, width, height))
  60120. {
  60121. GlyphArrangement arr;
  60122. arr.addFittedText (state->font, text,
  60123. (float) x, (float) y,
  60124. (float) width, (float) height,
  60125. justification,
  60126. maximumNumberOfLines,
  60127. minimumHorizontalScale);
  60128. arr.draw (*this);
  60129. }
  60130. }
  60131. void Graphics::fillRect (int x,
  60132. int y,
  60133. int width,
  60134. int height) const throw()
  60135. {
  60136. // passing in a silly number can cause maths problems in rendering!
  60137. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60138. SolidColourBrush colourBrush (state->colour);
  60139. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush).paintRectangle (*context, x, y, width, height);
  60140. }
  60141. void Graphics::fillRect (const Rectangle& r) const throw()
  60142. {
  60143. fillRect (r.getX(),
  60144. r.getY(),
  60145. r.getWidth(),
  60146. r.getHeight());
  60147. }
  60148. void Graphics::fillRect (const float x,
  60149. const float y,
  60150. const float width,
  60151. const float height) const throw()
  60152. {
  60153. // passing in a silly number can cause maths problems in rendering!
  60154. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60155. Path p;
  60156. p.addRectangle (x, y, width, height);
  60157. fillPath (p);
  60158. }
  60159. void Graphics::setPixel (int x, int y) const throw()
  60160. {
  60161. if (context->clipRegionIntersects (x, y, 1, 1))
  60162. {
  60163. SolidColourBrush colourBrush (state->colour);
  60164. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush).paintRectangle (*context, x, y, 1, 1);
  60165. }
  60166. }
  60167. void Graphics::fillAll() const throw()
  60168. {
  60169. fillRect (context->getClipBounds());
  60170. }
  60171. void Graphics::fillAll (const Colour& colourToUse) const throw()
  60172. {
  60173. if (! colourToUse.isTransparent())
  60174. {
  60175. const Rectangle clip (context->getClipBounds());
  60176. context->fillRectWithColour (clip.getX(), clip.getY(), clip.getWidth(), clip.getHeight(),
  60177. colourToUse, false);
  60178. }
  60179. }
  60180. void Graphics::fillPath (const Path& path,
  60181. const AffineTransform& transform) const throw()
  60182. {
  60183. if ((! context->isClipEmpty()) && ! path.isEmpty())
  60184. {
  60185. SolidColourBrush colourBrush (state->colour);
  60186. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush).paintPath (*context, path, transform);
  60187. }
  60188. }
  60189. void Graphics::strokePath (const Path& path,
  60190. const PathStrokeType& strokeType,
  60191. const AffineTransform& transform) const throw()
  60192. {
  60193. if (! state->colour.isTransparent())
  60194. {
  60195. Path stroke;
  60196. strokeType.createStrokedPath (stroke, path, transform);
  60197. fillPath (stroke);
  60198. }
  60199. }
  60200. void Graphics::drawRect (const int x,
  60201. const int y,
  60202. const int width,
  60203. const int height,
  60204. const int lineThickness) const throw()
  60205. {
  60206. // passing in a silly number can cause maths problems in rendering!
  60207. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60208. SolidColourBrush colourBrush (state->colour);
  60209. Brush& b = (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush);
  60210. b.paintRectangle (*context, x, y, width, lineThickness);
  60211. b.paintRectangle (*context, x, y + lineThickness, lineThickness, height - lineThickness * 2);
  60212. b.paintRectangle (*context, x + width - lineThickness, y + lineThickness, lineThickness, height - lineThickness * 2);
  60213. b.paintRectangle (*context, x, y + height - lineThickness, width, lineThickness);
  60214. }
  60215. void Graphics::drawRect (const float x,
  60216. const float y,
  60217. const float width,
  60218. const float height,
  60219. const float lineThickness) const throw()
  60220. {
  60221. // passing in a silly number can cause maths problems in rendering!
  60222. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60223. Path p;
  60224. p.addRectangle (x, y, width, lineThickness);
  60225. p.addRectangle (x, y + lineThickness, lineThickness, height - lineThickness * 2.0f);
  60226. p.addRectangle (x + width - lineThickness, y + lineThickness, lineThickness, height - lineThickness * 2.0f);
  60227. p.addRectangle (x, y + height - lineThickness, width, lineThickness);
  60228. fillPath (p);
  60229. }
  60230. void Graphics::drawRect (const Rectangle& r,
  60231. const int lineThickness) const throw()
  60232. {
  60233. drawRect (r.getX(), r.getY(),
  60234. r.getWidth(), r.getHeight(),
  60235. lineThickness);
  60236. }
  60237. void Graphics::drawBevel (const int x,
  60238. const int y,
  60239. const int width,
  60240. const int height,
  60241. const int bevelThickness,
  60242. const Colour& topLeftColour,
  60243. const Colour& bottomRightColour,
  60244. const bool useGradient) const throw()
  60245. {
  60246. // passing in a silly number can cause maths problems in rendering!
  60247. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60248. if (clipRegionIntersects (x, y, width, height))
  60249. {
  60250. const float oldOpacity = state->colour.getFloatAlpha();
  60251. const float ramp = oldOpacity / bevelThickness;
  60252. for (int i = bevelThickness; --i >= 0;)
  60253. {
  60254. const float op = useGradient ? ramp * (bevelThickness - i)
  60255. : oldOpacity;
  60256. context->fillRectWithColour (x + i, y + i, width - i * 2, 1, topLeftColour.withMultipliedAlpha (op), false);
  60257. context->fillRectWithColour (x + i, y + i + 1, 1, height - i * 2 - 2, topLeftColour.withMultipliedAlpha (op * 0.75f), false);
  60258. context->fillRectWithColour (x + i, y + height - i - 1, width - i * 2, 1, bottomRightColour.withMultipliedAlpha (op), false);
  60259. context->fillRectWithColour (x + width - i - 1, y + i + 1, 1, height - i * 2 - 2, bottomRightColour.withMultipliedAlpha (op * 0.75f), false);
  60260. }
  60261. }
  60262. }
  60263. void Graphics::fillEllipse (const float x,
  60264. const float y,
  60265. const float width,
  60266. const float height) const throw()
  60267. {
  60268. // passing in a silly number can cause maths problems in rendering!
  60269. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60270. Path p;
  60271. p.addEllipse (x, y, width, height);
  60272. fillPath (p);
  60273. }
  60274. void Graphics::drawEllipse (const float x,
  60275. const float y,
  60276. const float width,
  60277. const float height,
  60278. const float lineThickness) const throw()
  60279. {
  60280. // passing in a silly number can cause maths problems in rendering!
  60281. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60282. Path p;
  60283. p.addEllipse (x, y, width, height);
  60284. strokePath (p, PathStrokeType (lineThickness));
  60285. }
  60286. void Graphics::fillRoundedRectangle (const float x,
  60287. const float y,
  60288. const float width,
  60289. const float height,
  60290. const float cornerSize) const throw()
  60291. {
  60292. // passing in a silly number can cause maths problems in rendering!
  60293. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60294. Path p;
  60295. p.addRoundedRectangle (x, y, width, height, cornerSize);
  60296. fillPath (p);
  60297. }
  60298. void Graphics::fillRoundedRectangle (const Rectangle& r,
  60299. const float cornerSize) const throw()
  60300. {
  60301. fillRoundedRectangle ((float) r.getX(),
  60302. (float) r.getY(),
  60303. (float) r.getWidth(),
  60304. (float) r.getHeight(),
  60305. cornerSize);
  60306. }
  60307. void Graphics::drawRoundedRectangle (const float x,
  60308. const float y,
  60309. const float width,
  60310. const float height,
  60311. const float cornerSize,
  60312. const float lineThickness) const throw()
  60313. {
  60314. // passing in a silly number can cause maths problems in rendering!
  60315. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, width, height);
  60316. Path p;
  60317. p.addRoundedRectangle (x, y, width, height, cornerSize);
  60318. strokePath (p, PathStrokeType (lineThickness));
  60319. }
  60320. void Graphics::drawRoundedRectangle (const Rectangle& r,
  60321. const float cornerSize,
  60322. const float lineThickness) const throw()
  60323. {
  60324. drawRoundedRectangle ((float) r.getX(),
  60325. (float) r.getY(),
  60326. (float) r.getWidth(),
  60327. (float) r.getHeight(),
  60328. cornerSize, lineThickness);
  60329. }
  60330. void Graphics::drawArrow (const float startX,
  60331. const float startY,
  60332. const float endX,
  60333. const float endY,
  60334. const float lineThickness,
  60335. const float arrowheadWidth,
  60336. const float arrowheadLength) const throw()
  60337. {
  60338. Path p;
  60339. p.addArrow (startX, startY, endX, endY,
  60340. lineThickness, arrowheadWidth, arrowheadLength);
  60341. fillPath (p);
  60342. }
  60343. void Graphics::fillCheckerBoard (int x, int y,
  60344. int width, int height,
  60345. const int checkWidth,
  60346. const int checkHeight,
  60347. const Colour& colour1,
  60348. const Colour& colour2) const throw()
  60349. {
  60350. jassert (checkWidth > 0 && checkHeight > 0); // can't be zero or less!
  60351. if (checkWidth > 0 && checkHeight > 0)
  60352. {
  60353. if (colour1 == colour2)
  60354. {
  60355. context->fillRectWithColour (x, y, width, height, colour1, false);
  60356. }
  60357. else
  60358. {
  60359. const Rectangle clip (context->getClipBounds());
  60360. const int right = jmin (x + width, clip.getRight());
  60361. const int bottom = jmin (y + height, clip.getBottom());
  60362. int cy = 0;
  60363. while (y < bottom)
  60364. {
  60365. int cx = cy;
  60366. for (int xx = x; xx < right; xx += checkWidth)
  60367. context->fillRectWithColour (xx, y,
  60368. jmin (checkWidth, right - xx),
  60369. jmin (checkHeight, bottom - y),
  60370. ((cx++ & 1) == 0) ? colour1 : colour2,
  60371. false);
  60372. ++cy;
  60373. y += checkHeight;
  60374. }
  60375. }
  60376. }
  60377. }
  60378. void Graphics::drawVerticalLine (const int x, float top, float bottom) const throw()
  60379. {
  60380. SolidColourBrush colourBrush (state->colour);
  60381. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush).paintVerticalLine (*context, x, top, bottom);
  60382. }
  60383. void Graphics::drawHorizontalLine (const int y, float left, float right) const throw()
  60384. {
  60385. SolidColourBrush colourBrush (state->colour);
  60386. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush).paintHorizontalLine (*context, y, left, right);
  60387. }
  60388. void Graphics::drawLine (float x1, float y1,
  60389. float x2, float y2) const throw()
  60390. {
  60391. if (! context->isClipEmpty())
  60392. {
  60393. SolidColourBrush colourBrush (state->colour);
  60394. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush).paintLine (*context, x1, y1, x2, y2);
  60395. }
  60396. }
  60397. void Graphics::drawLine (const float startX,
  60398. const float startY,
  60399. const float endX,
  60400. const float endY,
  60401. const float lineThickness) const throw()
  60402. {
  60403. Path p;
  60404. p.addLineSegment (startX, startY, endX, endY, lineThickness);
  60405. fillPath (p);
  60406. }
  60407. void Graphics::drawLine (const Line& line) const throw()
  60408. {
  60409. drawLine (line.getStartX(), line.getStartY(), line.getEndX(), line.getEndY());
  60410. }
  60411. void Graphics::drawLine (const Line& line,
  60412. const float lineThickness) const throw()
  60413. {
  60414. drawLine (line.getStartX(), line.getStartY(), line.getEndX(), line.getEndY(), lineThickness);
  60415. }
  60416. void Graphics::drawDashedLine (const float startX,
  60417. const float startY,
  60418. const float endX,
  60419. const float endY,
  60420. const float* const dashLengths,
  60421. const int numDashLengths,
  60422. const float lineThickness) const throw()
  60423. {
  60424. const double dx = endX - startX;
  60425. const double dy = endY - startY;
  60426. const double totalLen = juce_hypot (dx, dy);
  60427. if (totalLen >= 0.5)
  60428. {
  60429. const double onePixAlpha = 1.0 / totalLen;
  60430. double alpha = 0.0;
  60431. float x = startX;
  60432. float y = startY;
  60433. int n = 0;
  60434. while (alpha < 1.0f)
  60435. {
  60436. alpha = jmin (1.0, alpha + dashLengths[n++] * onePixAlpha);
  60437. n = n % numDashLengths;
  60438. const float oldX = x;
  60439. const float oldY = y;
  60440. x = (float) (startX + dx * alpha);
  60441. y = (float) (startY + dy * alpha);
  60442. if ((n & 1) != 0)
  60443. {
  60444. if (lineThickness != 1.0f)
  60445. drawLine (oldX, oldY, x, y, lineThickness);
  60446. else
  60447. drawLine (oldX, oldY, x, y);
  60448. }
  60449. }
  60450. }
  60451. }
  60452. void Graphics::setImageResamplingQuality (const Graphics::ResamplingQuality newQuality) throw()
  60453. {
  60454. saveStateIfPending();
  60455. state->quality = newQuality;
  60456. }
  60457. void Graphics::drawImageAt (const Image* const imageToDraw,
  60458. const int topLeftX,
  60459. const int topLeftY,
  60460. const bool fillAlphaChannelWithCurrentBrush) const throw()
  60461. {
  60462. if (imageToDraw != 0)
  60463. {
  60464. const int imageW = imageToDraw->getWidth();
  60465. const int imageH = imageToDraw->getHeight();
  60466. drawImage (imageToDraw,
  60467. topLeftX, topLeftY, imageW, imageH,
  60468. 0, 0, imageW, imageH,
  60469. fillAlphaChannelWithCurrentBrush);
  60470. }
  60471. }
  60472. void Graphics::drawImageWithin (const Image* const imageToDraw,
  60473. const int destX,
  60474. const int destY,
  60475. const int destW,
  60476. const int destH,
  60477. const RectanglePlacement& placementWithinTarget,
  60478. const bool fillAlphaChannelWithCurrentBrush) const throw()
  60479. {
  60480. // passing in a silly number can cause maths problems in rendering!
  60481. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (destX, destY, destW, destH);
  60482. if (imageToDraw != 0)
  60483. {
  60484. const int imageW = imageToDraw->getWidth();
  60485. const int imageH = imageToDraw->getHeight();
  60486. if (imageW > 0 && imageH > 0)
  60487. {
  60488. double newX = 0.0, newY = 0.0;
  60489. double newW = imageW;
  60490. double newH = imageH;
  60491. placementWithinTarget.applyTo (newX, newY, newW, newH,
  60492. destX, destY, destW, destH);
  60493. if (newW > 0 && newH > 0)
  60494. {
  60495. drawImage (imageToDraw,
  60496. roundDoubleToInt (newX), roundDoubleToInt (newY),
  60497. roundDoubleToInt (newW), roundDoubleToInt (newH),
  60498. 0, 0, imageW, imageH,
  60499. fillAlphaChannelWithCurrentBrush);
  60500. }
  60501. }
  60502. }
  60503. }
  60504. void Graphics::drawImage (const Image* const imageToDraw,
  60505. int dx, int dy, int dw, int dh,
  60506. int sx, int sy, int sw, int sh,
  60507. const bool fillAlphaChannelWithCurrentBrush) const throw()
  60508. {
  60509. // passing in a silly number can cause maths problems in rendering!
  60510. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (dx, dy, dw, dh);
  60511. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (sx, sy, sw, sh);
  60512. if (imageToDraw == 0 || ! context->clipRegionIntersects (dx, dy, dw, dh))
  60513. return;
  60514. if (sw == dw && sh == dh)
  60515. {
  60516. if (sx < 0)
  60517. {
  60518. dx -= sx;
  60519. dw += sx;
  60520. sw += sx;
  60521. sx = 0;
  60522. }
  60523. if (sx + sw > imageToDraw->getWidth())
  60524. {
  60525. const int amount = sx + sw - imageToDraw->getWidth();
  60526. dw -= amount;
  60527. sw -= amount;
  60528. }
  60529. if (sy < 0)
  60530. {
  60531. dy -= sy;
  60532. dh += sy;
  60533. sh += sy;
  60534. sy = 0;
  60535. }
  60536. if (sy + sh > imageToDraw->getHeight())
  60537. {
  60538. const int amount = sy + sh - imageToDraw->getHeight();
  60539. dh -= amount;
  60540. sh -= amount;
  60541. }
  60542. if (dw <= 0 || dh <= 0 || sw <= 0 || sh <= 0)
  60543. return;
  60544. if (fillAlphaChannelWithCurrentBrush)
  60545. {
  60546. SolidColourBrush colourBrush (state->colour);
  60547. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush)
  60548. .paintAlphaChannel (*context, *imageToDraw,
  60549. dx - sx, dy - sy,
  60550. dx, dy,
  60551. dw, dh);
  60552. }
  60553. else
  60554. {
  60555. context->blendImage (*imageToDraw,
  60556. dx, dy, dw, dh, sx, sy,
  60557. state->colour.getFloatAlpha());
  60558. }
  60559. }
  60560. else
  60561. {
  60562. if (dw <= 0 || dh <= 0 || sw <= 0 || sh <= 0)
  60563. return;
  60564. if (fillAlphaChannelWithCurrentBrush)
  60565. {
  60566. if (imageToDraw->isRGB())
  60567. {
  60568. fillRect (dx, dy, dw, dh);
  60569. }
  60570. else
  60571. {
  60572. int tx = dx;
  60573. int ty = dy;
  60574. int tw = dw;
  60575. int th = dh;
  60576. if (context->getClipBounds().intersectRectangle (tx, ty, tw, th))
  60577. {
  60578. Image temp (imageToDraw->getFormat(), tw, th, true);
  60579. Graphics g (temp);
  60580. g.setImageResamplingQuality (state->quality);
  60581. g.setOrigin (dx - tx, dy - ty);
  60582. g.drawImage (imageToDraw,
  60583. 0, 0, dw, dh,
  60584. sx, sy, sw, sh,
  60585. false);
  60586. SolidColourBrush colourBrush (state->colour);
  60587. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush)
  60588. .paintAlphaChannel (*context, temp, tx, ty, tx, ty, tw, th);
  60589. }
  60590. }
  60591. }
  60592. else
  60593. {
  60594. context->blendImageRescaling (*imageToDraw,
  60595. dx, dy, dw, dh,
  60596. sx, sy, sw, sh,
  60597. state->colour.getFloatAlpha(),
  60598. state->quality);
  60599. }
  60600. }
  60601. }
  60602. void Graphics::drawImageTransformed (const Image* const imageToDraw,
  60603. int sourceClipX,
  60604. int sourceClipY,
  60605. int sourceClipWidth,
  60606. int sourceClipHeight,
  60607. const AffineTransform& transform,
  60608. const bool fillAlphaChannelWithCurrentBrush) const throw()
  60609. {
  60610. if (imageToDraw != 0
  60611. && (! context->isClipEmpty())
  60612. && ! transform.isSingularity())
  60613. {
  60614. if (fillAlphaChannelWithCurrentBrush)
  60615. {
  60616. Path p;
  60617. p.addRectangle ((float) sourceClipX, (float) sourceClipY,
  60618. (float) sourceClipWidth, (float) sourceClipHeight);
  60619. p.applyTransform (transform);
  60620. float dx, dy, dw, dh;
  60621. p.getBounds (dx, dy, dw, dh);
  60622. int tx = (int) dx;
  60623. int ty = (int) dy;
  60624. int tw = roundFloatToInt (dw) + 2;
  60625. int th = roundFloatToInt (dh) + 2;
  60626. if (context->getClipBounds().intersectRectangle (tx, ty, tw, th))
  60627. {
  60628. Image temp (imageToDraw->getFormat(), tw, th, true);
  60629. Graphics g (temp);
  60630. g.setImageResamplingQuality (state->quality);
  60631. g.drawImageTransformed (imageToDraw,
  60632. sourceClipX,
  60633. sourceClipY,
  60634. sourceClipWidth,
  60635. sourceClipHeight,
  60636. transform.translated ((float) -tx, (float) -ty),
  60637. false);
  60638. SolidColourBrush colourBrush (state->colour);
  60639. (state->brush != 0 ? *(state->brush) : (Brush&) colourBrush).paintAlphaChannel (*context, temp, tx, ty, tx, ty, tw, th);
  60640. }
  60641. }
  60642. else
  60643. {
  60644. context->blendImageWarping (*imageToDraw,
  60645. sourceClipX,
  60646. sourceClipY,
  60647. sourceClipWidth,
  60648. sourceClipHeight,
  60649. transform,
  60650. state->colour.getFloatAlpha(),
  60651. state->quality);
  60652. }
  60653. }
  60654. }
  60655. END_JUCE_NAMESPACE
  60656. /********* End of inlined file: juce_Graphics.cpp *********/
  60657. /********* Start of inlined file: juce_Justification.cpp *********/
  60658. BEGIN_JUCE_NAMESPACE
  60659. Justification::Justification (const Justification& other) throw()
  60660. : flags (other.flags)
  60661. {
  60662. }
  60663. const Justification& Justification::operator= (const Justification& other) throw()
  60664. {
  60665. flags = other.flags;
  60666. return *this;
  60667. }
  60668. int Justification::getOnlyVerticalFlags() const throw()
  60669. {
  60670. return flags & (top | bottom | verticallyCentred);
  60671. }
  60672. int Justification::getOnlyHorizontalFlags() const throw()
  60673. {
  60674. return flags & (left | right | horizontallyCentred | horizontallyJustified);
  60675. }
  60676. void Justification::applyToRectangle (int& x, int& y,
  60677. const int w, const int h,
  60678. const int spaceX, const int spaceY,
  60679. const int spaceW, const int spaceH) const throw()
  60680. {
  60681. if ((flags & horizontallyCentred) != 0)
  60682. {
  60683. x = spaceX + ((spaceW - w) >> 1);
  60684. }
  60685. else if ((flags & right) != 0)
  60686. {
  60687. x = spaceX + spaceW - w;
  60688. }
  60689. else
  60690. {
  60691. x = spaceX;
  60692. }
  60693. if ((flags & verticallyCentred) != 0)
  60694. {
  60695. y = spaceY + ((spaceH - h) >> 1);
  60696. }
  60697. else if ((flags & bottom) != 0)
  60698. {
  60699. y = spaceY + spaceH - h;
  60700. }
  60701. else
  60702. {
  60703. y = spaceY;
  60704. }
  60705. }
  60706. END_JUCE_NAMESPACE
  60707. /********* End of inlined file: juce_Justification.cpp *********/
  60708. /********* Start of inlined file: juce_LowLevelGraphicsPostScriptRenderer.cpp *********/
  60709. BEGIN_JUCE_NAMESPACE
  60710. #if JUCE_MSVC
  60711. #pragma warning (disable: 4996) // deprecated sprintf warning
  60712. #endif
  60713. // this will throw an assertion if you try to draw something that's not
  60714. // possible in postscript
  60715. #define WARN_ABOUT_NON_POSTSCRIPT_OPERATIONS 0
  60716. #if defined (JUCE_DEBUG) && WARN_ABOUT_NON_POSTSCRIPT_OPERATIONS
  60717. #define notPossibleInPostscriptAssert jassertfalse
  60718. #else
  60719. #define notPossibleInPostscriptAssert
  60720. #endif
  60721. LowLevelGraphicsPostScriptRenderer::LowLevelGraphicsPostScriptRenderer (OutputStream& resultingPostScript,
  60722. const String& documentTitle,
  60723. const int totalWidth_,
  60724. const int totalHeight_)
  60725. : out (resultingPostScript),
  60726. totalWidth (totalWidth_),
  60727. totalHeight (totalHeight_),
  60728. xOffset (0),
  60729. yOffset (0),
  60730. needToClip (true)
  60731. {
  60732. clip = new RectangleList (Rectangle (0, 0, totalWidth_, totalHeight_));
  60733. const float scale = jmin ((520.0f / totalWidth_), (750.0f / totalHeight));
  60734. out << "%!PS-Adobe-3.0 EPSF-3.0"
  60735. "\n%%BoundingBox: 0 0 600 824"
  60736. "\n%%Pages: 0"
  60737. "\n%%Creator: Raw Material Software JUCE"
  60738. "\n%%Title: " << documentTitle <<
  60739. "\n%%CreationDate: none"
  60740. "\n%%LanguageLevel: 2"
  60741. "\n%%EndComments"
  60742. "\n%%BeginProlog"
  60743. "\n%%BeginResource: JRes"
  60744. "\n/bd {bind def} bind def"
  60745. "\n/c {setrgbcolor} bd"
  60746. "\n/m {moveto} bd"
  60747. "\n/l {lineto} bd"
  60748. "\n/rl {rlineto} bd"
  60749. "\n/ct {curveto} bd"
  60750. "\n/cp {closepath} bd"
  60751. "\n/pr {3 index 3 index moveto 1 index 0 rlineto 0 1 index rlineto pop neg 0 rlineto pop pop closepath} bd"
  60752. "\n/doclip {initclip newpath} bd"
  60753. "\n/endclip {clip newpath} bd"
  60754. "\n%%EndResource"
  60755. "\n%%EndProlog"
  60756. "\n%%BeginSetup"
  60757. "\n%%EndSetup"
  60758. "\n%%Page: 1 1"
  60759. "\n%%BeginPageSetup"
  60760. "\n%%EndPageSetup\n\n"
  60761. << "40 800 translate\n"
  60762. << scale << ' ' << scale << " scale\n\n";
  60763. }
  60764. LowLevelGraphicsPostScriptRenderer::~LowLevelGraphicsPostScriptRenderer()
  60765. {
  60766. delete clip;
  60767. }
  60768. bool LowLevelGraphicsPostScriptRenderer::isVectorDevice() const
  60769. {
  60770. return true;
  60771. }
  60772. void LowLevelGraphicsPostScriptRenderer::setOrigin (int x, int y)
  60773. {
  60774. if (x != 0 || y != 0)
  60775. {
  60776. xOffset += x;
  60777. yOffset += y;
  60778. needToClip = true;
  60779. }
  60780. }
  60781. bool LowLevelGraphicsPostScriptRenderer::reduceClipRegion (int x, int y, int w, int h)
  60782. {
  60783. needToClip = true;
  60784. return clip->clipTo (Rectangle (x + xOffset, y + yOffset, w, h));
  60785. }
  60786. bool LowLevelGraphicsPostScriptRenderer::reduceClipRegion (const RectangleList& clipRegion)
  60787. {
  60788. needToClip = true;
  60789. return clip->clipTo (clipRegion);
  60790. }
  60791. void LowLevelGraphicsPostScriptRenderer::excludeClipRegion (int x, int y, int w, int h)
  60792. {
  60793. needToClip = true;
  60794. clip->subtract (Rectangle (x + xOffset, y + yOffset, w, h));
  60795. }
  60796. bool LowLevelGraphicsPostScriptRenderer::clipRegionIntersects (int x, int y, int w, int h)
  60797. {
  60798. return clip->intersectsRectangle (Rectangle (x + xOffset, y + yOffset, w, h));
  60799. }
  60800. const Rectangle LowLevelGraphicsPostScriptRenderer::getClipBounds() const
  60801. {
  60802. return clip->getBounds().translated (-xOffset, -yOffset);
  60803. }
  60804. bool LowLevelGraphicsPostScriptRenderer::isClipEmpty() const
  60805. {
  60806. return clip->isEmpty();
  60807. }
  60808. LowLevelGraphicsPostScriptRenderer::SavedState::SavedState (RectangleList* const clip_,
  60809. const int xOffset_, const int yOffset_)
  60810. : clip (clip_),
  60811. xOffset (xOffset_),
  60812. yOffset (yOffset_)
  60813. {
  60814. }
  60815. LowLevelGraphicsPostScriptRenderer::SavedState::~SavedState()
  60816. {
  60817. delete clip;
  60818. }
  60819. void LowLevelGraphicsPostScriptRenderer::saveState()
  60820. {
  60821. stateStack.add (new SavedState (new RectangleList (*clip), xOffset, yOffset));
  60822. }
  60823. void LowLevelGraphicsPostScriptRenderer::restoreState()
  60824. {
  60825. SavedState* const top = stateStack.getLast();
  60826. if (top != 0)
  60827. {
  60828. clip->swapWith (*top->clip);
  60829. xOffset = top->xOffset;
  60830. yOffset = top->yOffset;
  60831. stateStack.removeLast();
  60832. needToClip = true;
  60833. }
  60834. else
  60835. {
  60836. jassertfalse // trying to pop with an empty stack!
  60837. }
  60838. }
  60839. void LowLevelGraphicsPostScriptRenderer::writeClip()
  60840. {
  60841. if (needToClip)
  60842. {
  60843. needToClip = false;
  60844. out << "doclip ";
  60845. int itemsOnLine = 0;
  60846. for (RectangleList::Iterator i (*clip); i.next();)
  60847. {
  60848. if (++itemsOnLine == 6)
  60849. {
  60850. itemsOnLine = 0;
  60851. out << '\n';
  60852. }
  60853. const Rectangle& r = *i.getRectangle();
  60854. out << r.getX() << ' ' << -r.getY() << ' '
  60855. << r.getWidth() << ' ' << -r.getHeight() << " pr ";
  60856. }
  60857. out << "endclip\n";
  60858. }
  60859. }
  60860. void LowLevelGraphicsPostScriptRenderer::writeColour (const Colour& colour)
  60861. {
  60862. Colour c (Colours::white.overlaidWith (colour));
  60863. if (lastColour != c)
  60864. {
  60865. lastColour = c;
  60866. out << String (c.getFloatRed(), 3) << ' '
  60867. << String (c.getFloatGreen(), 3) << ' '
  60868. << String (c.getFloatBlue(), 3) << " c\n";
  60869. }
  60870. }
  60871. void LowLevelGraphicsPostScriptRenderer::writeXY (const float x, const float y) const
  60872. {
  60873. out << String (x, 2) << ' '
  60874. << String (-y, 2) << ' ';
  60875. }
  60876. void LowLevelGraphicsPostScriptRenderer::writePath (const Path& path) const
  60877. {
  60878. out << "newpath ";
  60879. float lastX = 0.0f;
  60880. float lastY = 0.0f;
  60881. int itemsOnLine = 0;
  60882. Path::Iterator i (path);
  60883. while (i.next())
  60884. {
  60885. if (++itemsOnLine == 4)
  60886. {
  60887. itemsOnLine = 0;
  60888. out << '\n';
  60889. }
  60890. switch (i.elementType)
  60891. {
  60892. case Path::Iterator::startNewSubPath:
  60893. writeXY (i.x1, i.y1);
  60894. lastX = i.x1;
  60895. lastY = i.y1;
  60896. out << "m ";
  60897. break;
  60898. case Path::Iterator::lineTo:
  60899. writeXY (i.x1, i.y1);
  60900. lastX = i.x1;
  60901. lastY = i.y1;
  60902. out << "l ";
  60903. break;
  60904. case Path::Iterator::quadraticTo:
  60905. {
  60906. const float cp1x = lastX + (i.x1 - lastX) * 2.0f / 3.0f;
  60907. const float cp1y = lastY + (i.y1 - lastY) * 2.0f / 3.0f;
  60908. const float cp2x = cp1x + (i.x2 - lastX) / 3.0f;
  60909. const float cp2y = cp1y + (i.y2 - lastY) / 3.0f;
  60910. writeXY (cp1x, cp1y);
  60911. writeXY (cp2x, cp2y);
  60912. writeXY (i.x2, i.y2);
  60913. out << "ct ";
  60914. lastX = i.x2;
  60915. lastY = i.y2;
  60916. }
  60917. break;
  60918. case Path::Iterator::cubicTo:
  60919. writeXY (i.x1, i.y1);
  60920. writeXY (i.x2, i.y2);
  60921. writeXY (i.x3, i.y3);
  60922. out << "ct ";
  60923. lastX = i.x3;
  60924. lastY = i.y3;
  60925. break;
  60926. case Path::Iterator::closePath:
  60927. out << "cp ";
  60928. break;
  60929. default:
  60930. jassertfalse
  60931. break;
  60932. }
  60933. }
  60934. out << '\n';
  60935. }
  60936. void LowLevelGraphicsPostScriptRenderer::writeTransform (const AffineTransform& trans) const
  60937. {
  60938. out << "[ "
  60939. << trans.mat00 << ' '
  60940. << trans.mat10 << ' '
  60941. << trans.mat01 << ' '
  60942. << trans.mat11 << ' '
  60943. << trans.mat02 << ' '
  60944. << trans.mat12 << " ] concat ";
  60945. }
  60946. void LowLevelGraphicsPostScriptRenderer::fillRectWithColour (int x, int y, int w, int h, const Colour& colour, const bool /*replaceExistingContents*/)
  60947. {
  60948. writeClip();
  60949. writeColour (colour);
  60950. x += xOffset;
  60951. y += yOffset;
  60952. out << x << ' ' << -(y + h) << ' ' << w << ' ' << h << " rectfill\n";
  60953. }
  60954. void LowLevelGraphicsPostScriptRenderer::fillRectWithGradient (int x, int y, int w, int h, const ColourGradient& gradient)
  60955. {
  60956. Path p;
  60957. p.addRectangle ((float) x, (float) y, (float) w, (float) h);
  60958. fillPathWithGradient (p, AffineTransform::identity, gradient, EdgeTable::Oversampling_256times);
  60959. }
  60960. void LowLevelGraphicsPostScriptRenderer::fillPathWithColour (const Path& path, const AffineTransform& t,
  60961. const Colour& colour, EdgeTable::OversamplingLevel /*quality*/)
  60962. {
  60963. writeClip();
  60964. Path p (path);
  60965. p.applyTransform (t.translated ((float) xOffset, (float) yOffset));
  60966. writePath (p);
  60967. writeColour (colour);
  60968. out << "fill\n";
  60969. }
  60970. void LowLevelGraphicsPostScriptRenderer::fillPathWithGradient (const Path& path, const AffineTransform& t, const ColourGradient& gradient, EdgeTable::OversamplingLevel /*quality*/)
  60971. {
  60972. // this doesn't work correctly yet - it could be improved to handle solid gradients, but
  60973. // postscript can't do semi-transparent ones.
  60974. notPossibleInPostscriptAssert // you can disable this warning by setting the WARN_ABOUT_NON_POSTSCRIPT_OPERATIONS flag at the top of this file
  60975. writeClip();
  60976. out << "gsave ";
  60977. {
  60978. Path p (path);
  60979. p.applyTransform (t.translated ((float) xOffset, (float) yOffset));
  60980. writePath (p);
  60981. out << "clip\n";
  60982. }
  60983. int numColours = 256;
  60984. PixelARGB* const colours = gradient.createLookupTable (numColours);
  60985. for (int i = numColours; --i >= 0;)
  60986. colours[i].unpremultiply();
  60987. const Rectangle bounds (clip->getBounds());
  60988. // ideally this would draw lots of lines or ellipses to approximate the gradient, but for the
  60989. // time-being, this just fills it with the average colour..
  60990. writeColour (Colour (colours [numColours / 2].getARGB()));
  60991. out << bounds.getX() << ' ' << -bounds.getBottom() << ' ' << bounds.getWidth() << ' ' << bounds.getHeight() << " rectfill\n";
  60992. juce_free (colours);
  60993. out << "grestore\n";
  60994. }
  60995. void LowLevelGraphicsPostScriptRenderer::fillPathWithImage (const Path& path, const AffineTransform& transform,
  60996. const Image& sourceImage,
  60997. int imageX, int imageY,
  60998. float opacity, EdgeTable::OversamplingLevel /*quality*/)
  60999. {
  61000. writeClip();
  61001. out << "gsave ";
  61002. Path p (path);
  61003. p.applyTransform (transform.translated ((float) xOffset, (float) yOffset));
  61004. writePath (p);
  61005. out << "clip\n";
  61006. blendImage (sourceImage, imageX, imageY, sourceImage.getWidth(), sourceImage.getHeight(), 0, 0, opacity);
  61007. out << "grestore\n";
  61008. }
  61009. void LowLevelGraphicsPostScriptRenderer::fillAlphaChannelWithColour (const Image& /*clipImage*/, int x, int y, const Colour& colour)
  61010. {
  61011. x += xOffset;
  61012. y += yOffset;
  61013. writeClip();
  61014. writeColour (colour);
  61015. notPossibleInPostscriptAssert // you can disable this warning by setting the WARN_ABOUT_NON_POSTSCRIPT_OPERATIONS flag at the top of this file
  61016. }
  61017. void LowLevelGraphicsPostScriptRenderer::fillAlphaChannelWithGradient (const Image& /*alphaChannelImage*/, int imageX, int imageY, const ColourGradient& /*gradient*/)
  61018. {
  61019. imageX += xOffset;
  61020. imageY += yOffset;
  61021. writeClip();
  61022. notPossibleInPostscriptAssert // you can disable this warning by setting the WARN_ABOUT_NON_POSTSCRIPT_OPERATIONS flag at the top of this file
  61023. }
  61024. void LowLevelGraphicsPostScriptRenderer::fillAlphaChannelWithImage (const Image& /*alphaImage*/, int alphaImageX, int alphaImageY,
  61025. const Image& /*fillerImage*/, int fillerImageX, int fillerImageY, float /*opacity*/)
  61026. {
  61027. alphaImageX += xOffset;
  61028. alphaImageY += yOffset;
  61029. fillerImageX += xOffset;
  61030. fillerImageY += yOffset;
  61031. writeClip();
  61032. notPossibleInPostscriptAssert // you can disable this warning by setting the WARN_ABOUT_NON_POSTSCRIPT_OPERATIONS flag at the top of this file
  61033. }
  61034. void LowLevelGraphicsPostScriptRenderer::blendImageRescaling (const Image& sourceImage,
  61035. int dx, int dy, int dw, int dh,
  61036. int sx, int sy, int sw, int sh,
  61037. float alpha,
  61038. const Graphics::ResamplingQuality quality)
  61039. {
  61040. if (sw > 0 && sh > 0)
  61041. {
  61042. jassert (sx >= 0 && sx + sw <= sourceImage.getWidth());
  61043. jassert (sy >= 0 && sy + sh <= sourceImage.getHeight());
  61044. if (sw == dw && sh == dh)
  61045. {
  61046. blendImage (sourceImage,
  61047. dx, dy, dw, dh,
  61048. sx, sy, alpha);
  61049. }
  61050. else
  61051. {
  61052. blendImageWarping (sourceImage,
  61053. sx, sy, sw, sh,
  61054. AffineTransform::scale (dw / (float) sw,
  61055. dh / (float) sh)
  61056. .translated ((float) (dx - sx),
  61057. (float) (dy - sy)),
  61058. alpha,
  61059. quality);
  61060. }
  61061. }
  61062. }
  61063. void LowLevelGraphicsPostScriptRenderer::blendImage (const Image& sourceImage, int dx, int dy, int dw, int dh, int sx, int sy, float opacity)
  61064. {
  61065. blendImageWarping (sourceImage,
  61066. sx, sy, dw, dh,
  61067. AffineTransform::translation ((float) dx, (float) dy),
  61068. opacity, Graphics::highResamplingQuality);
  61069. }
  61070. void LowLevelGraphicsPostScriptRenderer::writeImage (const Image& im,
  61071. const int sx, const int sy,
  61072. const int maxW, const int maxH) const
  61073. {
  61074. out << "{<\n";
  61075. const int w = jmin (maxW, im.getWidth());
  61076. const int h = jmin (maxH, im.getHeight());
  61077. int charsOnLine = 0;
  61078. int lineStride, pixelStride;
  61079. const uint8* data = im.lockPixelDataReadOnly (0, 0, w, h, lineStride, pixelStride);
  61080. Colour pixel;
  61081. for (int y = h; --y >= 0;)
  61082. {
  61083. for (int x = 0; x < w; ++x)
  61084. {
  61085. const uint8* pixelData = data + lineStride * y + pixelStride * x;
  61086. if (x >= sx && y >= sy)
  61087. {
  61088. if (im.isARGB())
  61089. {
  61090. PixelARGB p (*(const PixelARGB*) pixelData);
  61091. p.unpremultiply();
  61092. pixel = Colours::white.overlaidWith (Colour (p.getARGB()));
  61093. }
  61094. else if (im.isRGB())
  61095. {
  61096. pixel = Colour (((const PixelRGB*) pixelData)->getARGB());
  61097. }
  61098. else
  61099. {
  61100. pixel = Colour ((uint8) 0, (uint8) 0, (uint8) 0, *pixelData);
  61101. }
  61102. }
  61103. else
  61104. {
  61105. pixel = Colours::transparentWhite;
  61106. }
  61107. char colourString [16];
  61108. sprintf (colourString, "%x%x%x", pixel.getRed(), pixel.getGreen(), pixel.getBlue());
  61109. out << (const char*) colourString;
  61110. charsOnLine += 3;
  61111. if (charsOnLine > 100)
  61112. {
  61113. out << '\n';
  61114. charsOnLine = 0;
  61115. }
  61116. }
  61117. }
  61118. im.releasePixelDataReadOnly (data);
  61119. out << "\n>}\n";
  61120. }
  61121. void LowLevelGraphicsPostScriptRenderer::blendImageWarping (const Image& sourceImage,
  61122. int srcClipX, int srcClipY,
  61123. int srcClipW, int srcClipH,
  61124. const AffineTransform& t,
  61125. float /*opacity*/,
  61126. const Graphics::ResamplingQuality /*quality*/)
  61127. {
  61128. const int w = jmin (sourceImage.getWidth(), srcClipX + srcClipW);
  61129. const int h = jmin (sourceImage.getHeight(), srcClipY + srcClipH);
  61130. writeClip();
  61131. out << "gsave ";
  61132. writeTransform (t.translated ((float) xOffset, (float) yOffset)
  61133. .scaled (1.0f, -1.0f));
  61134. RectangleList imageClip;
  61135. sourceImage.createSolidAreaMask (imageClip, 0.5f);
  61136. imageClip.clipTo (Rectangle (srcClipX, srcClipY, srcClipW, srcClipH));
  61137. out << "newpath ";
  61138. int itemsOnLine = 0;
  61139. for (RectangleList::Iterator i (imageClip); i.next();)
  61140. {
  61141. if (++itemsOnLine == 6)
  61142. {
  61143. out << '\n';
  61144. itemsOnLine = 0;
  61145. }
  61146. const Rectangle& r = *i.getRectangle();
  61147. out << r.getX() << ' ' << r.getY() << ' ' << r.getWidth() << ' ' << r.getHeight() << " pr ";
  61148. }
  61149. out << " clip newpath\n";
  61150. out << w << ' ' << h << " scale\n";
  61151. out << w << ' ' << h << " 8 [" << w << " 0 0 -" << h << ' ' << (int) 0 << ' ' << h << " ]\n";
  61152. writeImage (sourceImage, srcClipX, srcClipY, srcClipW, srcClipH);
  61153. out << "false 3 colorimage grestore\n";
  61154. needToClip = true;
  61155. }
  61156. void LowLevelGraphicsPostScriptRenderer::drawLine (double x1, double y1, double x2, double y2, const Colour& colour)
  61157. {
  61158. Path p;
  61159. p.addLineSegment ((float) x1, (float) y1, (float) x2, (float) y2, 1.0f);
  61160. fillPathWithColour (p, AffineTransform::identity, colour, EdgeTable::Oversampling_256times);
  61161. }
  61162. void LowLevelGraphicsPostScriptRenderer::drawVerticalLine (const int x, double top, double bottom, const Colour& col)
  61163. {
  61164. drawLine (x, top, x, bottom, col);
  61165. }
  61166. void LowLevelGraphicsPostScriptRenderer::drawHorizontalLine (const int y, double left, double right, const Colour& col)
  61167. {
  61168. drawLine (left, y, right, y, col);
  61169. }
  61170. END_JUCE_NAMESPACE
  61171. /********* End of inlined file: juce_LowLevelGraphicsPostScriptRenderer.cpp *********/
  61172. /********* Start of inlined file: juce_LowLevelGraphicsSoftwareRenderer.cpp *********/
  61173. BEGIN_JUCE_NAMESPACE
  61174. #if ! (defined (JUCE_MAC) || (defined (JUCE_WIN32) && defined (JUCE_64BIT)))
  61175. #define JUCE_USE_SSE_INSTRUCTIONS 1
  61176. #endif
  61177. #if defined (JUCE_DEBUG) && JUCE_MSVC
  61178. #pragma warning (disable: 4714)
  61179. #endif
  61180. #define MINIMUM_COORD -0x3fffffff
  61181. #define MAXIMUM_COORD 0x3fffffff
  61182. #undef ASSERT_COORDS_ARE_SENSIBLE_NUMBERS
  61183. #define ASSERT_COORDS_ARE_SENSIBLE_NUMBERS(x, y, w, h) \
  61184. jassert ((int) x >= MINIMUM_COORD \
  61185. && (int) x <= MAXIMUM_COORD \
  61186. && (int) y >= MINIMUM_COORD \
  61187. && (int) y <= MAXIMUM_COORD \
  61188. && (int) w >= 0 \
  61189. && (int) w < MAXIMUM_COORD \
  61190. && (int) h >= 0 \
  61191. && (int) h < MAXIMUM_COORD);
  61192. static void replaceRectRGB (uint8* pixels, const int w, int h, const int stride, const Colour& colour) throw()
  61193. {
  61194. const PixelARGB blendColour (colour.getPixelARGB());
  61195. if (w < 32)
  61196. {
  61197. while (--h >= 0)
  61198. {
  61199. PixelRGB* dest = (PixelRGB*) pixels;
  61200. for (int i = w; --i >= 0;)
  61201. (dest++)->set (blendColour);
  61202. pixels += stride;
  61203. }
  61204. }
  61205. else
  61206. {
  61207. // for wider fills, it's worth using some optimisations..
  61208. const uint8 r = blendColour.getRed();
  61209. const uint8 g = blendColour.getGreen();
  61210. const uint8 b = blendColour.getBlue();
  61211. if (r == g && r == b) // if all the component values are the same, we can cheat..
  61212. {
  61213. while (--h >= 0)
  61214. {
  61215. memset (pixels, r, w * 3);
  61216. pixels += stride;
  61217. }
  61218. }
  61219. else
  61220. {
  61221. PixelRGB filler [4];
  61222. filler[0].set (blendColour);
  61223. filler[1].set (blendColour);
  61224. filler[2].set (blendColour);
  61225. filler[3].set (blendColour);
  61226. const int* const intFiller = (const int*) filler;
  61227. while (--h >= 0)
  61228. {
  61229. uint8* dest = (uint8*) pixels;
  61230. int i = w;
  61231. while ((i > 8) && (((pointer_sized_int) dest & 7) != 0))
  61232. {
  61233. ((PixelRGB*) dest)->set (blendColour);
  61234. dest += 3;
  61235. --i;
  61236. }
  61237. while (i >= 4)
  61238. {
  61239. ((int*) dest) [0] = intFiller[0];
  61240. ((int*) dest) [1] = intFiller[1];
  61241. ((int*) dest) [2] = intFiller[2];
  61242. dest += 12;
  61243. i -= 4;
  61244. }
  61245. while (--i >= 0)
  61246. {
  61247. ((PixelRGB*) dest)->set (blendColour);
  61248. dest += 3;
  61249. }
  61250. pixels += stride;
  61251. }
  61252. }
  61253. }
  61254. }
  61255. static void replaceRectARGB (uint8* pixels, const int w, int h, const int stride, const Colour& colour) throw()
  61256. {
  61257. const PixelARGB blendColour (colour.getPixelARGB());
  61258. while (--h >= 0)
  61259. {
  61260. PixelARGB* const dest = (PixelARGB*) pixels;
  61261. for (int i = 0; i < w; ++i)
  61262. dest[i] = blendColour;
  61263. pixels += stride;
  61264. }
  61265. }
  61266. static void blendRectRGB (uint8* pixels, const int w, int h, const int stride, const Colour& colour) throw()
  61267. {
  61268. if (colour.isOpaque())
  61269. {
  61270. replaceRectRGB (pixels, w, h, stride, colour);
  61271. }
  61272. else
  61273. {
  61274. const PixelARGB blendColour (colour.getPixelARGB());
  61275. const int alpha = blendColour.getAlpha();
  61276. if (alpha <= 0)
  61277. return;
  61278. #if defined (JUCE_USE_SSE_INSTRUCTIONS) && ! JUCE_64BIT
  61279. if (SystemStats::hasSSE())
  61280. {
  61281. int64 rgb0 = (((int64) blendColour.getRed()) << 32)
  61282. | (int64) ((blendColour.getGreen() << 16)
  61283. | blendColour.getBlue());
  61284. const int invAlpha = 0xff - alpha;
  61285. int64 aaaa = (invAlpha << 16) | invAlpha;
  61286. aaaa = (aaaa << 16) | aaaa;
  61287. #ifndef JUCE_GCC
  61288. __asm
  61289. {
  61290. movq mm1, aaaa
  61291. movq mm2, rgb0
  61292. pxor mm7, mm7
  61293. }
  61294. while (--h >= 0)
  61295. {
  61296. __asm
  61297. {
  61298. mov edx, pixels
  61299. mov ebx, w
  61300. pixloop:
  61301. prefetchnta [edx]
  61302. mov ax, [edx + 1]
  61303. shl eax, 8
  61304. mov al, [edx]
  61305. movd mm0, eax
  61306. punpcklbw mm0, mm7
  61307. pmullw mm0, mm1
  61308. psrlw mm0, 8
  61309. paddw mm0, mm2
  61310. packuswb mm0, mm7
  61311. movd eax, mm0
  61312. mov [edx], al
  61313. inc edx
  61314. shr eax, 8
  61315. mov [edx], ax
  61316. add edx, 2
  61317. dec ebx
  61318. jg pixloop
  61319. }
  61320. pixels += stride;
  61321. }
  61322. __asm emms
  61323. #else
  61324. __asm__ __volatile__ (
  61325. "movq %[aaaa], %%mm1 \n"
  61326. "\tmovq %[rgb0], %%mm2 \n"
  61327. "\tpxor %%mm7, %%mm7 \n"
  61328. ".lineLoop2: \n"
  61329. "\tmovl %%esi,%%edx \n"
  61330. "\tmovl %[w], %%ebx \n"
  61331. ".pixLoop2: \n"
  61332. "\tprefetchnta (%%edx) \n"
  61333. "\tmov (%%edx), %%ax \n"
  61334. "\tshl $8, %%eax \n"
  61335. "\tmov 2(%%edx), %%al \n"
  61336. "\tmovd %%eax, %%mm0 \n"
  61337. "\tpunpcklbw %%mm7, %%mm0 \n"
  61338. "\tpmullw %%mm1, %%mm0 \n"
  61339. "\tpsrlw $8, %%mm0 \n"
  61340. "\tpaddw %%mm2, %%mm0 \n"
  61341. "\tpackuswb %%mm7, %%mm0 \n"
  61342. "\tmovd %%mm0, %%eax \n"
  61343. "\tmovb %%al, (%%edx) \n"
  61344. "\tinc %%edx \n"
  61345. "\tshr $8, %%eax \n"
  61346. "\tmovw %%ax, (%%edx) \n"
  61347. "\tadd $2, %%edx \n"
  61348. "\tdec %%ebx \n"
  61349. "\tjg .pixLoop2 \n"
  61350. "\tadd %%edi, %%esi \n"
  61351. "\tdec %%ecx \n"
  61352. "\tjg .lineLoop2 \n"
  61353. "\temms \n"
  61354. : /* No output registers */
  61355. : [aaaa] "m" (aaaa), /* Input registers */
  61356. [rgb0] "m" (rgb0),
  61357. [w] "m" (w),
  61358. "c" (h),
  61359. [stride] "D" (stride),
  61360. [pixels] "S" (pixels)
  61361. : "cc", "eax", "edx", "memory" /* Clobber list */
  61362. );
  61363. #endif
  61364. }
  61365. else
  61366. #endif
  61367. {
  61368. while (--h >= 0)
  61369. {
  61370. PixelRGB* dest = (PixelRGB*) pixels;
  61371. for (int i = w; --i >= 0;)
  61372. (dest++)->blend (blendColour);
  61373. pixels += stride;
  61374. }
  61375. }
  61376. }
  61377. }
  61378. static void blendRectARGB (uint8* pixels, const int w, int h, const int stride, const Colour& colour) throw()
  61379. {
  61380. if (colour.isOpaque())
  61381. {
  61382. replaceRectARGB (pixels, w, h, stride, colour);
  61383. }
  61384. else
  61385. {
  61386. const PixelARGB blendColour (colour.getPixelARGB());
  61387. const int alpha = blendColour.getAlpha();
  61388. if (alpha <= 0)
  61389. return;
  61390. while (--h >= 0)
  61391. {
  61392. PixelARGB* dest = (PixelARGB*) pixels;
  61393. for (int i = w; --i >= 0;)
  61394. (dest++)->blend (blendColour);
  61395. pixels += stride;
  61396. }
  61397. }
  61398. }
  61399. static void blendAlphaMapARGB (uint8* destPixel, const int imageStride,
  61400. const uint8* alphaValues, const int w, int h,
  61401. const int pixelStride, const int lineStride,
  61402. const Colour& colour) throw()
  61403. {
  61404. const PixelARGB srcPix (colour.getPixelARGB());
  61405. while (--h >= 0)
  61406. {
  61407. PixelARGB* dest = (PixelARGB*) destPixel;
  61408. const uint8* src = alphaValues;
  61409. int i = w;
  61410. while (--i >= 0)
  61411. {
  61412. unsigned int srcAlpha = *src;
  61413. src += pixelStride;
  61414. if (srcAlpha > 0)
  61415. dest->blend (srcPix, srcAlpha);
  61416. ++dest;
  61417. }
  61418. alphaValues += lineStride;
  61419. destPixel += imageStride;
  61420. }
  61421. }
  61422. static void blendAlphaMapRGB (uint8* destPixel, const int imageStride,
  61423. const uint8* alphaValues, int const width, int height,
  61424. const int pixelStride, const int lineStride,
  61425. const Colour& colour) throw()
  61426. {
  61427. const PixelARGB srcPix (colour.getPixelARGB());
  61428. while (--height >= 0)
  61429. {
  61430. PixelRGB* dest = (PixelRGB*) destPixel;
  61431. const uint8* src = alphaValues;
  61432. int i = width;
  61433. while (--i >= 0)
  61434. {
  61435. unsigned int srcAlpha = *src;
  61436. src += pixelStride;
  61437. if (srcAlpha > 0)
  61438. dest->blend (srcPix, srcAlpha);
  61439. ++dest;
  61440. }
  61441. alphaValues += lineStride;
  61442. destPixel += imageStride;
  61443. }
  61444. }
  61445. template <class PixelType>
  61446. class SolidColourEdgeTableRenderer
  61447. {
  61448. uint8* const data;
  61449. const int stride;
  61450. PixelType* linePixels;
  61451. PixelARGB sourceColour;
  61452. SolidColourEdgeTableRenderer (const SolidColourEdgeTableRenderer&);
  61453. const SolidColourEdgeTableRenderer& operator= (const SolidColourEdgeTableRenderer&);
  61454. public:
  61455. SolidColourEdgeTableRenderer (uint8* const data_,
  61456. const int stride_,
  61457. const Colour& colour) throw()
  61458. : data (data_),
  61459. stride (stride_),
  61460. sourceColour (colour.getPixelARGB())
  61461. {
  61462. }
  61463. forcedinline void setEdgeTableYPos (const int y) throw()
  61464. {
  61465. linePixels = (PixelType*) (data + stride * y);
  61466. }
  61467. forcedinline void handleEdgeTablePixel (const int x, const int alphaLevel) const throw()
  61468. {
  61469. linePixels[x].blend (sourceColour, alphaLevel);
  61470. }
  61471. forcedinline void handleEdgeTableLine (const int x, int width, const int alphaLevel) const throw()
  61472. {
  61473. PixelARGB p (sourceColour);
  61474. p.multiplyAlpha (alphaLevel);
  61475. PixelType* dest = linePixels + x;
  61476. if (p.getAlpha() < 0xff)
  61477. {
  61478. do
  61479. {
  61480. dest->blend (p);
  61481. ++dest;
  61482. } while (--width > 0);
  61483. }
  61484. else
  61485. {
  61486. do
  61487. {
  61488. dest->set (p);
  61489. ++dest;
  61490. } while (--width > 0);
  61491. }
  61492. }
  61493. };
  61494. class AlphaBitmapRenderer
  61495. {
  61496. uint8* data;
  61497. int stride;
  61498. uint8* lineStart;
  61499. AlphaBitmapRenderer (const AlphaBitmapRenderer&);
  61500. const AlphaBitmapRenderer& operator= (const AlphaBitmapRenderer&);
  61501. public:
  61502. AlphaBitmapRenderer (uint8* const data_,
  61503. const int stride_) throw()
  61504. : data (data_),
  61505. stride (stride_)
  61506. {
  61507. }
  61508. forcedinline void setEdgeTableYPos (const int y) throw()
  61509. {
  61510. lineStart = data + (stride * y);
  61511. }
  61512. forcedinline void handleEdgeTablePixel (const int x, const int alphaLevel) const throw()
  61513. {
  61514. lineStart [x] = (uint8) alphaLevel;
  61515. }
  61516. forcedinline void handleEdgeTableLine (const int x, int width, const int alphaLevel) const throw()
  61517. {
  61518. uint8* d = lineStart + x;
  61519. while (--width >= 0)
  61520. *d++ = (uint8) alphaLevel;
  61521. }
  61522. };
  61523. static const int numScaleBits = 12;
  61524. class LinearGradientPixelGenerator
  61525. {
  61526. const PixelARGB* const lookupTable;
  61527. const int numEntries;
  61528. PixelARGB linePix;
  61529. int start, scale;
  61530. double grad, yTerm;
  61531. bool vertical, horizontal;
  61532. LinearGradientPixelGenerator (const LinearGradientPixelGenerator&);
  61533. const LinearGradientPixelGenerator& operator= (const LinearGradientPixelGenerator&);
  61534. public:
  61535. LinearGradientPixelGenerator (const ColourGradient& gradient,
  61536. const PixelARGB* const lookupTable_, const int numEntries_)
  61537. : lookupTable (lookupTable_),
  61538. numEntries (numEntries_)
  61539. {
  61540. jassert (numEntries_ >= 0);
  61541. float x1 = gradient.x1;
  61542. float y1 = gradient.y1;
  61543. float x2 = gradient.x2;
  61544. float y2 = gradient.y2;
  61545. if (! gradient.transform.isIdentity())
  61546. {
  61547. Line l (x2, y2, x1, y1);
  61548. const Point p3 = l.getPointAlongLine (0.0, 100.0f);
  61549. float x3 = p3.getX();
  61550. float y3 = p3.getY();
  61551. gradient.transform.transformPoint (x1, y1);
  61552. gradient.transform.transformPoint (x2, y2);
  61553. gradient.transform.transformPoint (x3, y3);
  61554. Line l2 (x2, y2, x3, y3);
  61555. float prop = l2.findNearestPointTo (x1, y1);
  61556. const Point newP2 (l2.getPointAlongLineProportionally (prop));
  61557. x2 = newP2.getX();
  61558. y2 = newP2.getY();
  61559. }
  61560. vertical = fabs (x1 - x2) < 0.001f;
  61561. horizontal = fabs (y1 - y2) < 0.001f;
  61562. if (vertical)
  61563. {
  61564. scale = roundDoubleToInt ((numEntries << numScaleBits) / (double) (y2 - y1));
  61565. start = roundDoubleToInt (y1 * scale);
  61566. }
  61567. else if (horizontal)
  61568. {
  61569. scale = roundDoubleToInt ((numEntries << numScaleBits) / (double) (x2 - x1));
  61570. start = roundDoubleToInt (x1 * scale);
  61571. }
  61572. else
  61573. {
  61574. grad = (y2 - y1) / (double) (x1 - x2);
  61575. yTerm = y1 - x1 / grad;
  61576. scale = roundDoubleToInt ((numEntries << numScaleBits) / (yTerm * grad - (y2 * grad - x2)));
  61577. grad *= scale;
  61578. }
  61579. }
  61580. forcedinline void setY (const int y) throw()
  61581. {
  61582. if (vertical)
  61583. linePix = lookupTable [jlimit (0, numEntries, (y * scale - start) >> numScaleBits)];
  61584. else if (! horizontal)
  61585. start = roundDoubleToInt ((y - yTerm) * grad);
  61586. }
  61587. forcedinline const PixelARGB getPixel (const int x) const throw()
  61588. {
  61589. if (vertical)
  61590. return linePix;
  61591. return lookupTable [jlimit (0, numEntries, (x * scale - start) >> numScaleBits)];
  61592. }
  61593. };
  61594. class RadialGradientPixelGenerator
  61595. {
  61596. protected:
  61597. const PixelARGB* const lookupTable;
  61598. const int numEntries;
  61599. const double gx1, gy1;
  61600. double maxDist, invScale;
  61601. double dy;
  61602. RadialGradientPixelGenerator (const RadialGradientPixelGenerator&);
  61603. const RadialGradientPixelGenerator& operator= (const RadialGradientPixelGenerator&);
  61604. public:
  61605. RadialGradientPixelGenerator (const ColourGradient& gradient,
  61606. const PixelARGB* const lookupTable_, const int numEntries_) throw()
  61607. : lookupTable (lookupTable_),
  61608. numEntries (numEntries_),
  61609. gx1 (gradient.x1),
  61610. gy1 (gradient.y1)
  61611. {
  61612. jassert (numEntries_ >= 0);
  61613. const float dx = gradient.x1 - gradient.x2;
  61614. const float dy = gradient.y1 - gradient.y2;
  61615. maxDist = dx * dx + dy * dy;
  61616. invScale = (numEntries + 1) / sqrt (maxDist);
  61617. }
  61618. forcedinline void setY (const int y) throw()
  61619. {
  61620. dy = y - gy1;
  61621. dy *= dy;
  61622. }
  61623. forcedinline const PixelARGB getPixel (const int px) const throw()
  61624. {
  61625. double x = px - gx1;
  61626. x *= x;
  61627. x += dy;
  61628. if (x >= maxDist)
  61629. return lookupTable [numEntries];
  61630. else
  61631. return lookupTable [jmin (numEntries, roundDoubleToInt (sqrt (x) * invScale))];
  61632. }
  61633. };
  61634. class TransformedRadialGradientPixelGenerator : public RadialGradientPixelGenerator
  61635. {
  61636. double tM10, tM00, lineYM01, lineYM11;
  61637. AffineTransform inverseTransform;
  61638. TransformedRadialGradientPixelGenerator (const TransformedRadialGradientPixelGenerator&);
  61639. const TransformedRadialGradientPixelGenerator& operator= (const TransformedRadialGradientPixelGenerator&);
  61640. public:
  61641. TransformedRadialGradientPixelGenerator (const ColourGradient& gradient,
  61642. const PixelARGB* const lookupTable_, const int numEntries_) throw()
  61643. : RadialGradientPixelGenerator (gradient, lookupTable_, numEntries_),
  61644. inverseTransform (gradient.transform.inverted())
  61645. {
  61646. tM10 = inverseTransform.mat10;
  61647. tM00 = inverseTransform.mat00;
  61648. }
  61649. forcedinline void setY (const int y) throw()
  61650. {
  61651. lineYM01 = inverseTransform.mat01 * y + inverseTransform.mat02 - gx1;
  61652. lineYM11 = inverseTransform.mat11 * y + inverseTransform.mat12 - gy1;
  61653. }
  61654. forcedinline const PixelARGB getPixel (const int px) const throw()
  61655. {
  61656. double x = px;
  61657. const double y = tM10 * x + lineYM11;
  61658. x = tM00 * x + lineYM01;
  61659. x *= x;
  61660. x += y * y;
  61661. if (x >= maxDist)
  61662. return lookupTable [numEntries];
  61663. else
  61664. return lookupTable [jmin (numEntries, roundDoubleToInt (sqrt (x) * invScale))];
  61665. }
  61666. };
  61667. template <class PixelType, class GradientType>
  61668. class GradientEdgeTableRenderer : public GradientType
  61669. {
  61670. uint8* const data;
  61671. const int stride;
  61672. PixelType* linePixels;
  61673. GradientEdgeTableRenderer (const GradientEdgeTableRenderer&);
  61674. const GradientEdgeTableRenderer& operator= (const GradientEdgeTableRenderer&);
  61675. public:
  61676. GradientEdgeTableRenderer (uint8* const data_,
  61677. const int stride_,
  61678. const ColourGradient& gradient,
  61679. const PixelARGB* const lookupTable, const int numEntries) throw()
  61680. : GradientType (gradient, lookupTable, numEntries - 1),
  61681. data (data_),
  61682. stride (stride_)
  61683. {
  61684. }
  61685. forcedinline void setEdgeTableYPos (const int y) throw()
  61686. {
  61687. linePixels = (PixelType*) (data + stride * y);
  61688. GradientType::setY (y);
  61689. }
  61690. forcedinline void handleEdgeTablePixel (const int x, const int alphaLevel) const throw()
  61691. {
  61692. linePixels[x].blend (GradientType::getPixel (x), alphaLevel);
  61693. }
  61694. forcedinline void handleEdgeTableLine (int x, int width, const int alphaLevel) const throw()
  61695. {
  61696. PixelType* dest = linePixels + x;
  61697. if (alphaLevel < 0xff)
  61698. {
  61699. do
  61700. {
  61701. (dest++)->blend (GradientType::getPixel (x++), alphaLevel);
  61702. } while (--width > 0);
  61703. }
  61704. else
  61705. {
  61706. do
  61707. {
  61708. (dest++)->blend (GradientType::getPixel (x++));
  61709. } while (--width > 0);
  61710. }
  61711. }
  61712. };
  61713. template <class DestPixelType, class SrcPixelType>
  61714. class ImageFillEdgeTableRenderer
  61715. {
  61716. uint8* const destImageData;
  61717. const uint8* srcImageData;
  61718. int stride, srcStride, extraAlpha;
  61719. DestPixelType* linePixels;
  61720. SrcPixelType* sourceLineStart;
  61721. ImageFillEdgeTableRenderer (const ImageFillEdgeTableRenderer&);
  61722. const ImageFillEdgeTableRenderer& operator= (const ImageFillEdgeTableRenderer&);
  61723. public:
  61724. ImageFillEdgeTableRenderer (uint8* const destImageData_,
  61725. const int stride_,
  61726. const uint8* srcImageData_,
  61727. const int srcStride_,
  61728. int extraAlpha_,
  61729. SrcPixelType*) throw() // dummy param to avoid compiler error
  61730. : destImageData (destImageData_),
  61731. srcImageData (srcImageData_),
  61732. stride (stride_),
  61733. srcStride (srcStride_),
  61734. extraAlpha (extraAlpha_)
  61735. {
  61736. }
  61737. forcedinline void setEdgeTableYPos (int y) throw()
  61738. {
  61739. linePixels = (DestPixelType*) (destImageData + stride * y);
  61740. sourceLineStart = (SrcPixelType*) (srcImageData + srcStride * y);
  61741. }
  61742. forcedinline void handleEdgeTablePixel (const int x, int alphaLevel) const throw()
  61743. {
  61744. alphaLevel = (alphaLevel * extraAlpha) >> 8;
  61745. linePixels[x].blend (sourceLineStart [x], alphaLevel);
  61746. }
  61747. forcedinline void handleEdgeTableLine (int x, int width, int alphaLevel) const throw()
  61748. {
  61749. DestPixelType* dest = linePixels + x;
  61750. alphaLevel = (alphaLevel * extraAlpha) >> 8;
  61751. if (alphaLevel < 0xfe)
  61752. {
  61753. do
  61754. {
  61755. dest++ ->blend (sourceLineStart [x++], alphaLevel);
  61756. } while (--width > 0);
  61757. }
  61758. else
  61759. {
  61760. do
  61761. {
  61762. dest++ ->blend (sourceLineStart [x++]);
  61763. } while (--width > 0);
  61764. }
  61765. }
  61766. };
  61767. static void blendRowOfPixels (PixelARGB* dst,
  61768. const PixelRGB* src,
  61769. int width) throw()
  61770. {
  61771. while (--width >= 0)
  61772. (dst++)->set (*src++);
  61773. }
  61774. static void blendRowOfPixels (PixelRGB* dst,
  61775. const PixelRGB* src,
  61776. int width) throw()
  61777. {
  61778. memcpy (dst, src, 3 * width);
  61779. }
  61780. static void blendRowOfPixels (PixelRGB* dst,
  61781. const PixelARGB* src,
  61782. int width) throw()
  61783. {
  61784. while (--width >= 0)
  61785. (dst++)->blend (*src++);
  61786. }
  61787. static void blendRowOfPixels (PixelARGB* dst,
  61788. const PixelARGB* src,
  61789. int width) throw()
  61790. {
  61791. while (--width >= 0)
  61792. (dst++)->blend (*src++);
  61793. }
  61794. static void blendRowOfPixels (PixelARGB* dst,
  61795. const PixelRGB* src,
  61796. int width,
  61797. const uint8 alpha) throw()
  61798. {
  61799. while (--width >= 0)
  61800. (dst++)->blend (*src++, alpha);
  61801. }
  61802. static void blendRowOfPixels (PixelRGB* dst,
  61803. const PixelRGB* src,
  61804. int width,
  61805. const uint8 alpha) throw()
  61806. {
  61807. uint8* d = (uint8*) dst;
  61808. const uint8* s = (const uint8*) src;
  61809. const int inverseAlpha = 0xff - alpha;
  61810. while (--width >= 0)
  61811. {
  61812. d[0] = (uint8) (s[0] + (((d[0] - s[0]) * inverseAlpha) >> 8));
  61813. d[1] = (uint8) (s[1] + (((d[1] - s[1]) * inverseAlpha) >> 8));
  61814. d[2] = (uint8) (s[2] + (((d[2] - s[2]) * inverseAlpha) >> 8));
  61815. d += 3;
  61816. s += 3;
  61817. }
  61818. }
  61819. static void blendRowOfPixels (PixelRGB* dst,
  61820. const PixelARGB* src,
  61821. int width,
  61822. const uint8 alpha) throw()
  61823. {
  61824. while (--width >= 0)
  61825. (dst++)->blend (*src++, alpha);
  61826. }
  61827. static void blendRowOfPixels (PixelARGB* dst,
  61828. const PixelARGB* src,
  61829. int width,
  61830. const uint8 alpha) throw()
  61831. {
  61832. while (--width >= 0)
  61833. (dst++)->blend (*src++, alpha);
  61834. }
  61835. template <class DestPixelType, class SrcPixelType>
  61836. static void overlayImage (DestPixelType* dest,
  61837. const int destStride,
  61838. const SrcPixelType* src,
  61839. const int srcStride,
  61840. const int width,
  61841. int height,
  61842. const uint8 alpha) throw()
  61843. {
  61844. if (alpha < 0xff)
  61845. {
  61846. while (--height >= 0)
  61847. {
  61848. blendRowOfPixels (dest, src, width, alpha);
  61849. dest = (DestPixelType*) (((uint8*) dest) + destStride);
  61850. src = (const SrcPixelType*) (((const uint8*) src) + srcStride);
  61851. }
  61852. }
  61853. else
  61854. {
  61855. while (--height >= 0)
  61856. {
  61857. blendRowOfPixels (dest, src, width);
  61858. dest = (DestPixelType*) (((uint8*) dest) + destStride);
  61859. src = (const SrcPixelType*) (((const uint8*) src) + srcStride);
  61860. }
  61861. }
  61862. }
  61863. template <class DestPixelType, class SrcPixelType>
  61864. static void transformedImageRender (Image& destImage,
  61865. const Image& sourceImage,
  61866. const int destClipX, const int destClipY,
  61867. const int destClipW, const int destClipH,
  61868. const int srcClipX, const int srcClipY,
  61869. const int srcClipWidth, const int srcClipHeight,
  61870. double srcX, double srcY,
  61871. const double lineDX, const double lineDY,
  61872. const double pixelDX, const double pixelDY,
  61873. const uint8 alpha,
  61874. const Graphics::ResamplingQuality quality,
  61875. DestPixelType*,
  61876. SrcPixelType*) throw() // forced by a compiler bug to include dummy
  61877. // parameters of the templated classes to
  61878. // make it use the correct instance of this function..
  61879. {
  61880. int destStride, destPixelStride;
  61881. uint8* const destPixels = destImage.lockPixelDataReadWrite (destClipX, destClipY, destClipW, destClipH, destStride, destPixelStride);
  61882. int srcStride, srcPixelStride;
  61883. const uint8* const srcPixels = sourceImage.lockPixelDataReadOnly (srcClipX, srcClipY, srcClipWidth, srcClipHeight, srcStride, srcPixelStride);
  61884. if (quality == Graphics::lowResamplingQuality) // nearest-neighbour..
  61885. {
  61886. for (int y = 0; y < destClipH; ++y)
  61887. {
  61888. double sx = srcX;
  61889. double sy = srcY;
  61890. DestPixelType* dest = (DestPixelType*) (destPixels + destStride * y);
  61891. for (int x = 0; x < destClipW; ++x)
  61892. {
  61893. const int ix = roundDoubleToInt (floor (sx)) - srcClipX;
  61894. if (((unsigned int) ix) < (unsigned int) srcClipWidth)
  61895. {
  61896. const int iy = roundDoubleToInt (floor (sy)) - srcClipY;
  61897. if (((unsigned int) iy) < (unsigned int) srcClipHeight)
  61898. {
  61899. const SrcPixelType* const src = (const SrcPixelType*) (srcPixels + srcStride * iy + srcPixelStride * ix);
  61900. dest->blend (*src, alpha);
  61901. }
  61902. }
  61903. ++dest;
  61904. sx += pixelDX;
  61905. sy += pixelDY;
  61906. }
  61907. srcX += lineDX;
  61908. srcY += lineDY;
  61909. }
  61910. }
  61911. else
  61912. {
  61913. jassert (quality == Graphics::mediumResamplingQuality); // (only bilinear is implemented, so that's what you'll get here..)
  61914. for (int y = 0; y < destClipH; ++y)
  61915. {
  61916. double sx = srcX;
  61917. double sy = srcY;
  61918. DestPixelType* dest = (DestPixelType*) (destPixels + destStride * y);
  61919. for (int x = 0; x < destClipW; ++x)
  61920. {
  61921. const double fx = floor (sx);
  61922. const double fy = floor (sy);
  61923. const int ix = roundDoubleToInt (fx) - srcClipX;
  61924. const int iy = roundDoubleToInt (fy) - srcClipY;
  61925. if (ix < srcClipWidth && iy < srcClipHeight)
  61926. {
  61927. PixelARGB p1 (0), p2 (0), p3 (0), p4 (0);
  61928. const SrcPixelType* src = (const SrcPixelType*) (srcPixels + srcStride * iy + srcPixelStride * ix);
  61929. if (iy >= 0)
  61930. {
  61931. if (ix >= 0)
  61932. p1.set (src[0]);
  61933. if (((unsigned int) (ix + 1)) < (unsigned int) srcClipWidth)
  61934. p2.set (src[1]);
  61935. }
  61936. if (((unsigned int) (iy + 1)) < (unsigned int) srcClipHeight)
  61937. {
  61938. src = (const SrcPixelType*) (((const uint8*) src) + srcStride);
  61939. if (ix >= 0)
  61940. p3.set (src[0]);
  61941. if (((unsigned int) (ix + 1)) < (unsigned int) srcClipWidth)
  61942. p4.set (src[1]);
  61943. }
  61944. const int dx = roundDoubleToInt ((sx - fx) * 255.0);
  61945. p1.tween (p2, dx);
  61946. p3.tween (p4, dx);
  61947. p1.tween (p3, roundDoubleToInt ((sy - fy) * 255.0));
  61948. if (p1.getAlpha() > 0)
  61949. dest->blend (p1, alpha);
  61950. }
  61951. ++dest;
  61952. sx += pixelDX;
  61953. sy += pixelDY;
  61954. }
  61955. srcX += lineDX;
  61956. srcY += lineDY;
  61957. }
  61958. }
  61959. destImage.releasePixelDataReadWrite (destPixels);
  61960. sourceImage.releasePixelDataReadOnly (srcPixels);
  61961. }
  61962. template <class SrcPixelType, class DestPixelType>
  61963. static void renderAlphaMap (DestPixelType* destPixels,
  61964. int destStride,
  61965. SrcPixelType* srcPixels,
  61966. int srcStride,
  61967. const uint8* alphaValues,
  61968. const int lineStride, const int pixelStride,
  61969. int width, int height,
  61970. const int extraAlpha) throw()
  61971. {
  61972. while (--height >= 0)
  61973. {
  61974. SrcPixelType* srcPix = srcPixels;
  61975. srcPixels = (SrcPixelType*) (((const uint8*) srcPixels) + srcStride);
  61976. DestPixelType* destPix = destPixels;
  61977. destPixels = (DestPixelType*) (((uint8*) destPixels) + destStride);
  61978. const uint8* alpha = alphaValues;
  61979. alphaValues += lineStride;
  61980. if (extraAlpha < 0x100)
  61981. {
  61982. for (int i = width; --i >= 0;)
  61983. {
  61984. destPix++ ->blend (*srcPix++, (extraAlpha * *alpha) >> 8);
  61985. alpha += pixelStride;
  61986. }
  61987. }
  61988. else
  61989. {
  61990. for (int i = width; --i >= 0;)
  61991. {
  61992. destPix++ ->blend (*srcPix++, *alpha);
  61993. alpha += pixelStride;
  61994. }
  61995. }
  61996. }
  61997. }
  61998. LowLevelGraphicsSoftwareRenderer::LowLevelGraphicsSoftwareRenderer (Image& image_)
  61999. : image (image_),
  62000. xOffset (0),
  62001. yOffset (0),
  62002. stateStack (20)
  62003. {
  62004. clip = new RectangleList (Rectangle (0, 0, image_.getWidth(), image_.getHeight()));
  62005. }
  62006. LowLevelGraphicsSoftwareRenderer::~LowLevelGraphicsSoftwareRenderer()
  62007. {
  62008. delete clip;
  62009. }
  62010. bool LowLevelGraphicsSoftwareRenderer::isVectorDevice() const
  62011. {
  62012. return false;
  62013. }
  62014. void LowLevelGraphicsSoftwareRenderer::setOrigin (int x, int y)
  62015. {
  62016. xOffset += x;
  62017. yOffset += y;
  62018. }
  62019. bool LowLevelGraphicsSoftwareRenderer::reduceClipRegion (int x, int y, int w, int h)
  62020. {
  62021. return clip->clipTo (Rectangle (x + xOffset, y + yOffset, w, h));
  62022. }
  62023. bool LowLevelGraphicsSoftwareRenderer::reduceClipRegion (const RectangleList& clipRegion)
  62024. {
  62025. RectangleList temp (clipRegion);
  62026. temp.offsetAll (xOffset, yOffset);
  62027. return clip->clipTo (temp);
  62028. }
  62029. void LowLevelGraphicsSoftwareRenderer::excludeClipRegion (int x, int y, int w, int h)
  62030. {
  62031. clip->subtract (Rectangle (x + xOffset, y + yOffset, w, h));
  62032. }
  62033. bool LowLevelGraphicsSoftwareRenderer::clipRegionIntersects (int x, int y, int w, int h)
  62034. {
  62035. return clip->intersectsRectangle (Rectangle (x + xOffset, y + yOffset, w, h));
  62036. }
  62037. const Rectangle LowLevelGraphicsSoftwareRenderer::getClipBounds() const
  62038. {
  62039. return clip->getBounds().translated (-xOffset, -yOffset);
  62040. }
  62041. bool LowLevelGraphicsSoftwareRenderer::isClipEmpty() const
  62042. {
  62043. return clip->isEmpty();
  62044. }
  62045. LowLevelGraphicsSoftwareRenderer::SavedState::SavedState (RectangleList* const clip_,
  62046. const int xOffset_, const int yOffset_)
  62047. : clip (clip_),
  62048. xOffset (xOffset_),
  62049. yOffset (yOffset_)
  62050. {
  62051. }
  62052. LowLevelGraphicsSoftwareRenderer::SavedState::~SavedState()
  62053. {
  62054. delete clip;
  62055. }
  62056. void LowLevelGraphicsSoftwareRenderer::saveState()
  62057. {
  62058. stateStack.add (new SavedState (new RectangleList (*clip), xOffset, yOffset));
  62059. }
  62060. void LowLevelGraphicsSoftwareRenderer::restoreState()
  62061. {
  62062. SavedState* const top = stateStack.getLast();
  62063. if (top != 0)
  62064. {
  62065. clip->swapWith (*top->clip);
  62066. xOffset = top->xOffset;
  62067. yOffset = top->yOffset;
  62068. stateStack.removeLast();
  62069. }
  62070. else
  62071. {
  62072. jassertfalse // trying to pop with an empty stack!
  62073. }
  62074. }
  62075. void LowLevelGraphicsSoftwareRenderer::fillRectWithColour (int x, int y, int w, int h, const Colour& colour, const bool replaceExistingContents)
  62076. {
  62077. x += xOffset;
  62078. y += yOffset;
  62079. for (RectangleList::Iterator i (*clip); i.next();)
  62080. {
  62081. clippedFillRectWithColour (*i.getRectangle(), x, y, w, h, colour, replaceExistingContents);
  62082. }
  62083. }
  62084. void LowLevelGraphicsSoftwareRenderer::clippedFillRectWithColour (const Rectangle& clipRect,
  62085. int x, int y, int w, int h, const Colour& colour, const bool replaceExistingContents)
  62086. {
  62087. if (clipRect.intersectRectangle (x, y, w, h))
  62088. {
  62089. int stride, pixelStride;
  62090. uint8* const pixels = (uint8*) image.lockPixelDataReadWrite (x, y, w, h, stride, pixelStride);
  62091. if (image.getFormat() == Image::RGB)
  62092. {
  62093. if (replaceExistingContents)
  62094. replaceRectRGB (pixels, w, h, stride, colour);
  62095. else
  62096. blendRectRGB (pixels, w, h, stride, colour);
  62097. }
  62098. else if (image.getFormat() == Image::ARGB)
  62099. {
  62100. if (replaceExistingContents)
  62101. replaceRectARGB (pixels, w, h, stride, colour);
  62102. else
  62103. blendRectARGB (pixels, w, h, stride, colour);
  62104. }
  62105. else
  62106. {
  62107. jassertfalse // not done!
  62108. }
  62109. image.releasePixelDataReadWrite (pixels);
  62110. }
  62111. }
  62112. void LowLevelGraphicsSoftwareRenderer::fillRectWithGradient (int x, int y, int w, int h, const ColourGradient& gradient)
  62113. {
  62114. Path p;
  62115. p.addRectangle ((float) x, (float) y, (float) w, (float) h);
  62116. fillPathWithGradient (p, AffineTransform::identity, gradient, EdgeTable::Oversampling_none);
  62117. }
  62118. bool LowLevelGraphicsSoftwareRenderer::getPathBounds (int clipX, int clipY, int clipW, int clipH,
  62119. const Path& path, const AffineTransform& transform,
  62120. int& x, int& y, int& w, int& h) const
  62121. {
  62122. float tx, ty, tw, th;
  62123. path.getBoundsTransformed (transform, tx, ty, tw, th);
  62124. x = roundDoubleToInt (tx) - 1;
  62125. y = roundDoubleToInt (ty) - 1;
  62126. w = roundDoubleToInt (tw) + 2;
  62127. h = roundDoubleToInt (th) + 2;
  62128. // seems like this operation is using some crazy out-of-range numbers..
  62129. ASSERT_COORDS_ARE_SENSIBLE_NUMBERS (x, y, w, h);
  62130. return Rectangle::intersectRectangles (x, y, w, h, clipX, clipY, clipW, clipH);
  62131. }
  62132. void LowLevelGraphicsSoftwareRenderer::fillPathWithColour (const Path& path, const AffineTransform& t,
  62133. const Colour& colour, EdgeTable::OversamplingLevel quality)
  62134. {
  62135. for (RectangleList::Iterator i (*clip); i.next();)
  62136. {
  62137. const Rectangle& r = *i.getRectangle();
  62138. clippedFillPathWithColour (r.getX(), r.getY(), r.getWidth(), r.getHeight(), path, t, colour, quality);
  62139. }
  62140. }
  62141. void LowLevelGraphicsSoftwareRenderer::clippedFillPathWithColour (int clipX, int clipY, int clipW, int clipH, const Path& path, const AffineTransform& t,
  62142. const Colour& colour, EdgeTable::OversamplingLevel quality)
  62143. {
  62144. const AffineTransform transform (t.translated ((float) xOffset, (float) yOffset));
  62145. int cx, cy, cw, ch;
  62146. if (getPathBounds (clipX, clipY, clipW, clipH, path, transform, cx, cy, cw, ch))
  62147. {
  62148. EdgeTable edgeTable (0, ch, quality);
  62149. edgeTable.addPath (path, transform.translated ((float) -cx, (float) -cy));
  62150. int stride, pixelStride;
  62151. uint8* const pixels = (uint8*) image.lockPixelDataReadWrite (cx, cy, cw, ch, stride, pixelStride);
  62152. if (image.getFormat() == Image::RGB)
  62153. {
  62154. jassert (pixelStride == 3);
  62155. SolidColourEdgeTableRenderer <PixelRGB> renderer (pixels, stride, colour);
  62156. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62157. }
  62158. else if (image.getFormat() == Image::ARGB)
  62159. {
  62160. jassert (pixelStride == 4);
  62161. SolidColourEdgeTableRenderer <PixelARGB> renderer (pixels, stride, colour);
  62162. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62163. }
  62164. else if (image.getFormat() == Image::SingleChannel)
  62165. {
  62166. jassert (pixelStride == 1);
  62167. AlphaBitmapRenderer renderer (pixels, stride);
  62168. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62169. }
  62170. image.releasePixelDataReadWrite (pixels);
  62171. }
  62172. }
  62173. void LowLevelGraphicsSoftwareRenderer::fillPathWithGradient (const Path& path, const AffineTransform& t, const ColourGradient& gradient, EdgeTable::OversamplingLevel quality)
  62174. {
  62175. for (RectangleList::Iterator i (*clip); i.next();)
  62176. {
  62177. const Rectangle& r = *i.getRectangle();
  62178. clippedFillPathWithGradient (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62179. path, t, gradient, quality);
  62180. }
  62181. }
  62182. void LowLevelGraphicsSoftwareRenderer::clippedFillPathWithGradient (int clipX, int clipY, int clipW, int clipH, const Path& path, const AffineTransform& t,
  62183. const ColourGradient& gradient, EdgeTable::OversamplingLevel quality)
  62184. {
  62185. const AffineTransform transform (t.translated ((float) xOffset, (float) yOffset));
  62186. int cx, cy, cw, ch;
  62187. if (getPathBounds (clipX, clipY, clipW, clipH, path, transform, cx, cy, cw, ch))
  62188. {
  62189. int stride, pixelStride;
  62190. uint8* const pixels = (uint8*) image.lockPixelDataReadWrite (cx, cy, cw, ch, stride, pixelStride);
  62191. ColourGradient g2 (gradient);
  62192. const bool isIdentity = g2.transform.isIdentity();
  62193. if (isIdentity)
  62194. {
  62195. g2.x1 += xOffset - cx;
  62196. g2.x2 += xOffset - cx;
  62197. g2.y1 += yOffset - cy;
  62198. g2.y2 += yOffset - cy;
  62199. }
  62200. else
  62201. {
  62202. g2.transform = g2.transform.translated ((float) (xOffset - cx),
  62203. (float) (yOffset - cy));
  62204. }
  62205. int numLookupEntries;
  62206. PixelARGB* const lookupTable = g2.createLookupTable (numLookupEntries);
  62207. jassert (numLookupEntries > 0);
  62208. EdgeTable edgeTable (0, ch, quality);
  62209. edgeTable.addPath (path, transform.translated ((float) -cx, (float) -cy));
  62210. if (image.getFormat() == Image::RGB)
  62211. {
  62212. jassert (pixelStride == 3);
  62213. if (g2.isRadial)
  62214. {
  62215. if (isIdentity)
  62216. {
  62217. GradientEdgeTableRenderer <PixelRGB, RadialGradientPixelGenerator> renderer (pixels, stride, g2, lookupTable, numLookupEntries);
  62218. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62219. }
  62220. else
  62221. {
  62222. GradientEdgeTableRenderer <PixelRGB, TransformedRadialGradientPixelGenerator> renderer (pixels, stride, g2, lookupTable, numLookupEntries);
  62223. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62224. }
  62225. }
  62226. else
  62227. {
  62228. GradientEdgeTableRenderer <PixelRGB, LinearGradientPixelGenerator> renderer (pixels, stride, g2, lookupTable, numLookupEntries);
  62229. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62230. }
  62231. }
  62232. else if (image.getFormat() == Image::ARGB)
  62233. {
  62234. jassert (pixelStride == 4);
  62235. if (g2.isRadial)
  62236. {
  62237. if (isIdentity)
  62238. {
  62239. GradientEdgeTableRenderer <PixelARGB, RadialGradientPixelGenerator> renderer (pixels, stride, g2, lookupTable, numLookupEntries);
  62240. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62241. }
  62242. else
  62243. {
  62244. GradientEdgeTableRenderer <PixelARGB, TransformedRadialGradientPixelGenerator> renderer (pixels, stride, g2, lookupTable, numLookupEntries);
  62245. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62246. }
  62247. }
  62248. else
  62249. {
  62250. GradientEdgeTableRenderer <PixelARGB, LinearGradientPixelGenerator> renderer (pixels, stride, g2, lookupTable, numLookupEntries);
  62251. edgeTable.iterate (renderer, 0, 0, cw, ch, 0);
  62252. }
  62253. }
  62254. else if (image.getFormat() == Image::SingleChannel)
  62255. {
  62256. jassertfalse // not done!
  62257. }
  62258. juce_free (lookupTable);
  62259. image.releasePixelDataReadWrite (pixels);
  62260. }
  62261. }
  62262. void LowLevelGraphicsSoftwareRenderer::fillPathWithImage (const Path& path, const AffineTransform& transform,
  62263. const Image& sourceImage, int imageX, int imageY, float opacity, EdgeTable::OversamplingLevel quality)
  62264. {
  62265. imageX += xOffset;
  62266. imageY += yOffset;
  62267. for (RectangleList::Iterator i (*clip); i.next();)
  62268. {
  62269. const Rectangle& r = *i.getRectangle();
  62270. clippedFillPathWithImage (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62271. path, transform, sourceImage, imageX, imageY, opacity, quality);
  62272. }
  62273. }
  62274. void LowLevelGraphicsSoftwareRenderer::clippedFillPathWithImage (int x, int y, int w, int h, const Path& path, const AffineTransform& transform,
  62275. const Image& sourceImage, int imageX, int imageY, float opacity, EdgeTable::OversamplingLevel quality)
  62276. {
  62277. if (Rectangle::intersectRectangles (x, y, w, h, imageX, imageY, sourceImage.getWidth(), sourceImage.getHeight()))
  62278. {
  62279. EdgeTable edgeTable (0, h, quality);
  62280. edgeTable.addPath (path, transform.translated ((float) (xOffset - x), (float) (yOffset - y)));
  62281. int stride, pixelStride;
  62282. uint8* const pixels = (uint8*) image.lockPixelDataReadWrite (x, y, w, h, stride, pixelStride);
  62283. int srcStride, srcPixelStride;
  62284. const uint8* const srcPix = (const uint8*) sourceImage.lockPixelDataReadOnly (x - imageX, y - imageY, w, h, srcStride, srcPixelStride);
  62285. const int alpha = jlimit (0, 255, roundDoubleToInt (opacity * 255.0f));
  62286. if (image.getFormat() == Image::RGB)
  62287. {
  62288. if (sourceImage.getFormat() == Image::RGB)
  62289. {
  62290. ImageFillEdgeTableRenderer <PixelRGB, PixelRGB> renderer (pixels, stride,
  62291. srcPix, srcStride,
  62292. alpha, (PixelRGB*) 0);
  62293. edgeTable.iterate (renderer, 0, 0, w, h, 0);
  62294. }
  62295. else if (sourceImage.getFormat() == Image::ARGB)
  62296. {
  62297. ImageFillEdgeTableRenderer <PixelRGB, PixelARGB> renderer (pixels, stride,
  62298. srcPix, srcStride,
  62299. alpha, (PixelARGB*) 0);
  62300. edgeTable.iterate (renderer, 0, 0, w, h, 0);
  62301. }
  62302. else
  62303. {
  62304. jassertfalse // not done!
  62305. }
  62306. }
  62307. else if (image.getFormat() == Image::ARGB)
  62308. {
  62309. if (sourceImage.getFormat() == Image::RGB)
  62310. {
  62311. ImageFillEdgeTableRenderer <PixelARGB, PixelRGB> renderer (pixels, stride,
  62312. srcPix, srcStride,
  62313. alpha, (PixelRGB*) 0);
  62314. edgeTable.iterate (renderer, 0, 0, w, h, 0);
  62315. }
  62316. else if (sourceImage.getFormat() == Image::ARGB)
  62317. {
  62318. ImageFillEdgeTableRenderer <PixelARGB, PixelARGB> renderer (pixels, stride,
  62319. srcPix, srcStride,
  62320. alpha, (PixelARGB*) 0);
  62321. edgeTable.iterate (renderer, 0, 0, w, h, 0);
  62322. }
  62323. else
  62324. {
  62325. jassertfalse // not done!
  62326. }
  62327. }
  62328. else
  62329. {
  62330. jassertfalse // not done!
  62331. }
  62332. sourceImage.releasePixelDataReadOnly (srcPix);
  62333. image.releasePixelDataReadWrite (pixels);
  62334. }
  62335. }
  62336. void LowLevelGraphicsSoftwareRenderer::fillAlphaChannelWithColour (const Image& clipImage, int x, int y, const Colour& colour)
  62337. {
  62338. x += xOffset;
  62339. y += yOffset;
  62340. for (RectangleList::Iterator i (*clip); i.next();)
  62341. {
  62342. const Rectangle& r = *i.getRectangle();
  62343. clippedFillAlphaChannelWithColour (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62344. clipImage, x, y, colour);
  62345. }
  62346. }
  62347. void LowLevelGraphicsSoftwareRenderer::clippedFillAlphaChannelWithColour (int clipX, int clipY, int clipW, int clipH, const Image& clipImage, int x, int y, const Colour& colour)
  62348. {
  62349. int w = clipImage.getWidth();
  62350. int h = clipImage.getHeight();
  62351. int sx = 0;
  62352. int sy = 0;
  62353. if (x < clipX)
  62354. {
  62355. sx = clipX - x;
  62356. w -= clipX - x;
  62357. x = clipX;
  62358. }
  62359. if (y < clipY)
  62360. {
  62361. sy = clipY - y;
  62362. h -= clipY - y;
  62363. y = clipY;
  62364. }
  62365. if (x + w > clipX + clipW)
  62366. w = clipX + clipW - x;
  62367. if (y + h > clipY + clipH)
  62368. h = clipY + clipH - y;
  62369. if (w > 0 && h > 0)
  62370. {
  62371. int stride, alphaStride, pixelStride;
  62372. uint8* const pixels = (uint8*) image.lockPixelDataReadWrite (x, y, w, h, stride, pixelStride);
  62373. const uint8* const alphaValues
  62374. = clipImage.lockPixelDataReadOnly (sx, sy, w, h, alphaStride, pixelStride);
  62375. #if JUCE_MAC
  62376. const uint8* const alphas = alphaValues;
  62377. #else
  62378. const uint8* const alphas = alphaValues + (clipImage.getFormat() == Image::ARGB ? 3 : 0);
  62379. #endif
  62380. if (image.getFormat() == Image::RGB)
  62381. {
  62382. blendAlphaMapRGB (pixels, stride,
  62383. alphas, w, h,
  62384. pixelStride, alphaStride,
  62385. colour);
  62386. }
  62387. else if (image.getFormat() == Image::ARGB)
  62388. {
  62389. blendAlphaMapARGB (pixels, stride,
  62390. alphas, w, h,
  62391. pixelStride, alphaStride,
  62392. colour);
  62393. }
  62394. else
  62395. {
  62396. jassertfalse // not done!
  62397. }
  62398. clipImage.releasePixelDataReadOnly (alphaValues);
  62399. image.releasePixelDataReadWrite (pixels);
  62400. }
  62401. }
  62402. void LowLevelGraphicsSoftwareRenderer::fillAlphaChannelWithGradient (const Image& alphaChannelImage, int imageX, int imageY, const ColourGradient& gradient)
  62403. {
  62404. imageX += xOffset;
  62405. imageY += yOffset;
  62406. for (RectangleList::Iterator i (*clip); i.next();)
  62407. {
  62408. const Rectangle& r = *i.getRectangle();
  62409. clippedFillAlphaChannelWithGradient (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62410. alphaChannelImage, imageX, imageY, gradient);
  62411. }
  62412. }
  62413. void LowLevelGraphicsSoftwareRenderer::clippedFillAlphaChannelWithGradient (int x, int y, int w, int h,
  62414. const Image& alphaChannelImage,
  62415. int imageX, int imageY, const ColourGradient& gradient)
  62416. {
  62417. if (Rectangle::intersectRectangles (x, y, w, h, imageX, imageY, alphaChannelImage.getWidth(), alphaChannelImage.getHeight()))
  62418. {
  62419. ColourGradient g2 (gradient);
  62420. g2.x1 += xOffset - x;
  62421. g2.x2 += xOffset - x;
  62422. g2.y1 += yOffset - y;
  62423. g2.y2 += yOffset - y;
  62424. Image temp (g2.isOpaque() ? Image::RGB : Image::ARGB, w, h, true);
  62425. LowLevelGraphicsSoftwareRenderer tempG (temp);
  62426. tempG.fillRectWithGradient (0, 0, w, h, g2);
  62427. clippedFillAlphaChannelWithImage (x, y, w, h,
  62428. alphaChannelImage, imageX, imageY,
  62429. temp, x, y, 1.0f);
  62430. }
  62431. }
  62432. void LowLevelGraphicsSoftwareRenderer::fillAlphaChannelWithImage (const Image& alphaImage, int alphaImageX, int alphaImageY,
  62433. const Image& fillerImage, int fillerImageX, int fillerImageY, float opacity)
  62434. {
  62435. alphaImageX += xOffset;
  62436. alphaImageY += yOffset;
  62437. fillerImageX += xOffset;
  62438. fillerImageY += yOffset;
  62439. for (RectangleList::Iterator i (*clip); i.next();)
  62440. {
  62441. const Rectangle& r = *i.getRectangle();
  62442. clippedFillAlphaChannelWithImage (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62443. alphaImage, alphaImageX, alphaImageY,
  62444. fillerImage, fillerImageX, fillerImageY, opacity);
  62445. }
  62446. }
  62447. void LowLevelGraphicsSoftwareRenderer::clippedFillAlphaChannelWithImage (int x, int y, int w, int h, const Image& alphaImage, int alphaImageX, int alphaImageY,
  62448. const Image& fillerImage, int fillerImageX, int fillerImageY, float opacity)
  62449. {
  62450. if (Rectangle::intersectRectangles (x, y, w, h, alphaImageX, alphaImageY, alphaImage.getWidth(), alphaImage.getHeight())
  62451. && Rectangle::intersectRectangles (x, y, w, h, fillerImageX, fillerImageY, fillerImage.getWidth(), fillerImage.getHeight()))
  62452. {
  62453. int dstStride, dstPixStride;
  62454. uint8* const dstPix = image.lockPixelDataReadWrite (x, y, w, h, dstStride, dstPixStride);
  62455. int srcStride, srcPixStride;
  62456. const uint8* const srcPix = fillerImage.lockPixelDataReadOnly (x - fillerImageX, y - fillerImageY, w, h, srcStride, srcPixStride);
  62457. int maskStride, maskPixStride;
  62458. const uint8* const alpha
  62459. = alphaImage.lockPixelDataReadOnly (x - alphaImageX, y - alphaImageY, w, h, maskStride, maskPixStride);
  62460. #if JUCE_MAC
  62461. const uint8* const alphaValues = alpha;
  62462. #else
  62463. const uint8* const alphaValues = alpha + (alphaImage.getFormat() == Image::ARGB ? 3 : 0);
  62464. #endif
  62465. const int extraAlpha = jlimit (0, 0x100, roundDoubleToInt (opacity * 256.0f));
  62466. if (image.getFormat() == Image::RGB)
  62467. {
  62468. if (fillerImage.getFormat() == Image::RGB)
  62469. {
  62470. renderAlphaMap ((PixelRGB*) dstPix, dstStride, (const PixelRGB*) srcPix, srcStride, alphaValues, maskStride, maskPixStride, w, h, extraAlpha);
  62471. }
  62472. else if (fillerImage.getFormat() == Image::ARGB)
  62473. {
  62474. renderAlphaMap ((PixelRGB*) dstPix, dstStride, (const PixelARGB*) srcPix, srcStride, alphaValues, maskStride, maskPixStride, w, h, extraAlpha);
  62475. }
  62476. else
  62477. {
  62478. jassertfalse // not done!
  62479. }
  62480. }
  62481. else if (image.getFormat() == Image::ARGB)
  62482. {
  62483. if (fillerImage.getFormat() == Image::RGB)
  62484. {
  62485. renderAlphaMap ((PixelARGB*) dstPix, dstStride, (const PixelRGB*) srcPix, srcStride, alphaValues, maskStride, maskPixStride, w, h, extraAlpha);
  62486. }
  62487. else if (fillerImage.getFormat() == Image::ARGB)
  62488. {
  62489. renderAlphaMap ((PixelARGB*) dstPix, dstStride, (const PixelARGB*) srcPix, srcStride, alphaValues, maskStride, maskPixStride, w, h, extraAlpha);
  62490. }
  62491. else
  62492. {
  62493. jassertfalse // not done!
  62494. }
  62495. }
  62496. else
  62497. {
  62498. jassertfalse // not done!
  62499. }
  62500. alphaImage.releasePixelDataReadOnly (alphaValues);
  62501. fillerImage.releasePixelDataReadOnly (srcPix);
  62502. image.releasePixelDataReadWrite (dstPix);
  62503. }
  62504. }
  62505. void LowLevelGraphicsSoftwareRenderer::blendImage (const Image& sourceImage, int dx, int dy, int dw, int dh, int sx, int sy, float opacity)
  62506. {
  62507. dx += xOffset;
  62508. dy += yOffset;
  62509. for (RectangleList::Iterator i (*clip); i.next();)
  62510. {
  62511. const Rectangle& r = *i.getRectangle();
  62512. clippedBlendImage (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62513. sourceImage, dx, dy, dw, dh, sx, sy, opacity);
  62514. }
  62515. }
  62516. void LowLevelGraphicsSoftwareRenderer::clippedBlendImage (int clipX, int clipY, int clipW, int clipH,
  62517. const Image& sourceImage, int dx, int dy, int dw, int dh, int sx, int sy, float opacity)
  62518. {
  62519. if (dx < clipX)
  62520. {
  62521. sx += clipX - dx;
  62522. dw -= clipX - dx;
  62523. dx = clipX;
  62524. }
  62525. if (dy < clipY)
  62526. {
  62527. sy += clipY - dy;
  62528. dh -= clipY - dy;
  62529. dy = clipY;
  62530. }
  62531. if (dx + dw > clipX + clipW)
  62532. dw = clipX + clipW - dx;
  62533. if (dy + dh > clipY + clipH)
  62534. dh = clipY + clipH - dy;
  62535. if (dw <= 0 || dh <= 0)
  62536. return;
  62537. const uint8 alpha = (uint8) jlimit (0, 0xff, roundDoubleToInt (opacity * 256.0f));
  62538. if (alpha == 0)
  62539. return;
  62540. int dstStride, dstPixelStride;
  62541. uint8* const dstPixels = image.lockPixelDataReadWrite (dx, dy, dw, dh, dstStride, dstPixelStride);
  62542. int srcStride, srcPixelStride;
  62543. const uint8* const srcPixels = sourceImage.lockPixelDataReadOnly (sx, sy, dw, dh, srcStride, srcPixelStride);
  62544. if (image.getFormat() == Image::ARGB)
  62545. {
  62546. if (sourceImage.getFormat() == Image::ARGB)
  62547. {
  62548. overlayImage ((PixelARGB*) dstPixels, dstStride,
  62549. (PixelARGB*) srcPixels, srcStride,
  62550. dw, dh, alpha);
  62551. }
  62552. else if (sourceImage.getFormat() == Image::RGB)
  62553. {
  62554. overlayImage ((PixelARGB*) dstPixels, dstStride,
  62555. (PixelRGB*) srcPixels, srcStride,
  62556. dw, dh, alpha);
  62557. }
  62558. else
  62559. {
  62560. jassertfalse
  62561. }
  62562. }
  62563. else if (image.getFormat() == Image::RGB)
  62564. {
  62565. if (sourceImage.getFormat() == Image::ARGB)
  62566. {
  62567. overlayImage ((PixelRGB*) dstPixels, dstStride,
  62568. (PixelARGB*) srcPixels, srcStride,
  62569. dw, dh, alpha);
  62570. }
  62571. else if (sourceImage.getFormat() == Image::RGB)
  62572. {
  62573. overlayImage ((PixelRGB*) dstPixels, dstStride,
  62574. (PixelRGB*) srcPixels, srcStride,
  62575. dw, dh, alpha);
  62576. }
  62577. else
  62578. {
  62579. jassertfalse
  62580. }
  62581. }
  62582. else
  62583. {
  62584. jassertfalse
  62585. }
  62586. image.releasePixelDataReadWrite (dstPixels);
  62587. sourceImage.releasePixelDataReadOnly (srcPixels);
  62588. }
  62589. void LowLevelGraphicsSoftwareRenderer::blendImageRescaling (const Image& sourceImage,
  62590. int dx, int dy, int dw, int dh,
  62591. int sx, int sy, int sw, int sh,
  62592. float alpha,
  62593. const Graphics::ResamplingQuality quality)
  62594. {
  62595. if (sw > 0 && sh > 0)
  62596. {
  62597. if (sw == dw && sh == dh)
  62598. {
  62599. blendImage (sourceImage,
  62600. dx, dy, dw, dh,
  62601. sx, sy, alpha);
  62602. }
  62603. else
  62604. {
  62605. blendImageWarping (sourceImage,
  62606. sx, sy, sw, sh,
  62607. AffineTransform::translation ((float) -sx,
  62608. (float) -sy)
  62609. .scaled (dw / (float) sw,
  62610. dh / (float) sh)
  62611. .translated ((float) dx,
  62612. (float) dy),
  62613. alpha,
  62614. quality);
  62615. }
  62616. }
  62617. }
  62618. void LowLevelGraphicsSoftwareRenderer::blendImageWarping (const Image& sourceImage,
  62619. int srcClipX, int srcClipY, int srcClipW, int srcClipH,
  62620. const AffineTransform& t,
  62621. float opacity,
  62622. const Graphics::ResamplingQuality quality)
  62623. {
  62624. const AffineTransform transform (t.translated ((float) xOffset, (float) yOffset));
  62625. for (RectangleList::Iterator i (*clip); i.next();)
  62626. {
  62627. const Rectangle& r = *i.getRectangle();
  62628. clippedBlendImageWarping (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62629. sourceImage, srcClipX, srcClipY, srcClipW, srcClipH,
  62630. transform, opacity, quality);
  62631. }
  62632. }
  62633. void LowLevelGraphicsSoftwareRenderer::clippedBlendImageWarping (int destClipX, int destClipY, int destClipW, int destClipH,
  62634. const Image& sourceImage,
  62635. int srcClipX, int srcClipY, int srcClipW, int srcClipH,
  62636. const AffineTransform& transform,
  62637. float opacity,
  62638. const Graphics::ResamplingQuality quality)
  62639. {
  62640. if (opacity > 0 && destClipW > 0 && destClipH > 0 && ! transform.isSingularity())
  62641. {
  62642. Rectangle::intersectRectangles (srcClipX, srcClipY, srcClipW, srcClipH,
  62643. 0, 0, sourceImage.getWidth(), sourceImage.getHeight());
  62644. if (srcClipW <= 0 || srcClipH <= 0)
  62645. return;
  62646. jassert (srcClipX >= 0 && srcClipY >= 0);
  62647. Path imageBounds;
  62648. imageBounds.addRectangle ((float) srcClipX, (float) srcClipY, (float) srcClipW, (float) srcClipH);
  62649. imageBounds.applyTransform (transform);
  62650. float imX, imY, imW, imH;
  62651. imageBounds.getBounds (imX, imY, imW, imH);
  62652. if (Rectangle::intersectRectangles (destClipX, destClipY, destClipW, destClipH,
  62653. (int) floorf (imX),
  62654. (int) floorf (imY),
  62655. 1 + roundDoubleToInt (imW),
  62656. 1 + roundDoubleToInt (imH)))
  62657. {
  62658. const uint8 alpha = (uint8) jlimit (0, 0xff, roundDoubleToInt (opacity * 256.0f));
  62659. float srcX1 = (float) destClipX;
  62660. float srcY1 = (float) destClipY;
  62661. float srcX2 = (float) (destClipX + destClipW);
  62662. float srcY2 = srcY1;
  62663. float srcX3 = srcX1;
  62664. float srcY3 = (float) (destClipY + destClipH);
  62665. AffineTransform inverse (transform.inverted());
  62666. inverse.transformPoint (srcX1, srcY1);
  62667. inverse.transformPoint (srcX2, srcY2);
  62668. inverse.transformPoint (srcX3, srcY3);
  62669. const double lineDX = (double) (srcX3 - srcX1) / destClipH;
  62670. const double lineDY = (double) (srcY3 - srcY1) / destClipH;
  62671. const double pixelDX = (double) (srcX2 - srcX1) / destClipW;
  62672. const double pixelDY = (double) (srcY2 - srcY1) / destClipW;
  62673. if (image.getFormat() == Image::ARGB)
  62674. {
  62675. if (sourceImage.getFormat() == Image::ARGB)
  62676. {
  62677. transformedImageRender (image, sourceImage,
  62678. destClipX, destClipY, destClipW, destClipH,
  62679. srcClipX, srcClipY, srcClipW, srcClipH,
  62680. srcX1, srcY1, lineDX, lineDY, pixelDX, pixelDY,
  62681. alpha, quality, (PixelARGB*)0, (PixelARGB*)0);
  62682. }
  62683. else if (sourceImage.getFormat() == Image::RGB)
  62684. {
  62685. transformedImageRender (image, sourceImage,
  62686. destClipX, destClipY, destClipW, destClipH,
  62687. srcClipX, srcClipY, srcClipW, srcClipH,
  62688. srcX1, srcY1, lineDX, lineDY, pixelDX, pixelDY,
  62689. alpha, quality, (PixelARGB*)0, (PixelRGB*)0);
  62690. }
  62691. else
  62692. {
  62693. jassertfalse
  62694. }
  62695. }
  62696. else if (image.getFormat() == Image::RGB)
  62697. {
  62698. if (sourceImage.getFormat() == Image::ARGB)
  62699. {
  62700. transformedImageRender (image, sourceImage,
  62701. destClipX, destClipY, destClipW, destClipH,
  62702. srcClipX, srcClipY, srcClipW, srcClipH,
  62703. srcX1, srcY1, lineDX, lineDY, pixelDX, pixelDY,
  62704. alpha, quality, (PixelRGB*)0, (PixelARGB*)0);
  62705. }
  62706. else if (sourceImage.getFormat() == Image::RGB)
  62707. {
  62708. transformedImageRender (image, sourceImage,
  62709. destClipX, destClipY, destClipW, destClipH,
  62710. srcClipX, srcClipY, srcClipW, srcClipH,
  62711. srcX1, srcY1, lineDX, lineDY, pixelDX, pixelDY,
  62712. alpha, quality, (PixelRGB*)0, (PixelRGB*)0);
  62713. }
  62714. else
  62715. {
  62716. jassertfalse
  62717. }
  62718. }
  62719. else
  62720. {
  62721. jassertfalse
  62722. }
  62723. }
  62724. }
  62725. }
  62726. void LowLevelGraphicsSoftwareRenderer::drawLine (double x1, double y1, double x2, double y2, const Colour& colour)
  62727. {
  62728. x1 += xOffset;
  62729. y1 += yOffset;
  62730. x2 += xOffset;
  62731. y2 += yOffset;
  62732. for (RectangleList::Iterator i (*clip); i.next();)
  62733. {
  62734. const Rectangle& r = *i.getRectangle();
  62735. clippedDrawLine (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62736. x1, y1, x2, y2, colour);
  62737. }
  62738. }
  62739. void LowLevelGraphicsSoftwareRenderer::clippedDrawLine (int clipX, int clipY, int clipW, int clipH, double x1, double y1, double x2, double y2, const Colour& colour)
  62740. {
  62741. if (clipW > 0 && clipH > 0)
  62742. {
  62743. if (x1 == x2)
  62744. {
  62745. if (y2 < y1)
  62746. swapVariables (y1, y2);
  62747. clippedDrawVerticalLine (clipX, clipY, clipW, clipH, roundDoubleToInt (x1), y1, y2, colour);
  62748. }
  62749. else if (y1 == y2)
  62750. {
  62751. if (x2 < x1)
  62752. swapVariables (x1, x2);
  62753. clippedDrawHorizontalLine (clipX, clipY, clipW, clipH, roundDoubleToInt (y1), x1, x2, colour);
  62754. }
  62755. else
  62756. {
  62757. double gradient = (y2 - y1) / (x2 - x1);
  62758. if (fabs (gradient) > 1.0)
  62759. {
  62760. gradient = 1.0 / gradient;
  62761. int y = roundDoubleToInt (y1);
  62762. const int startY = y;
  62763. int endY = roundDoubleToInt (y2);
  62764. if (y > endY)
  62765. swapVariables (y, endY);
  62766. while (y < endY)
  62767. {
  62768. const double x = x1 + gradient * (y - startY);
  62769. clippedDrawHorizontalLine (clipX, clipY, clipW, clipH, y, x, x + 1.0, colour);
  62770. ++y;
  62771. }
  62772. }
  62773. else
  62774. {
  62775. int x = roundDoubleToInt (x1);
  62776. const int startX = x;
  62777. int endX = roundDoubleToInt (x2);
  62778. if (x > endX)
  62779. swapVariables (x, endX);
  62780. while (x < endX)
  62781. {
  62782. const double y = y1 + gradient * (x - startX);
  62783. clippedDrawVerticalLine (clipX, clipY, clipW, clipH, x, y, y + 1.0, colour);
  62784. ++x;
  62785. }
  62786. }
  62787. }
  62788. }
  62789. }
  62790. void LowLevelGraphicsSoftwareRenderer::drawVerticalLine (const int x, double top, double bottom, const Colour& col)
  62791. {
  62792. for (RectangleList::Iterator i (*clip); i.next();)
  62793. {
  62794. const Rectangle& r = *i.getRectangle();
  62795. clippedDrawVerticalLine (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62796. x + xOffset, top + yOffset, bottom + yOffset, col);
  62797. }
  62798. }
  62799. void LowLevelGraphicsSoftwareRenderer::clippedDrawVerticalLine (int clipX, int clipY, int clipW, int clipH,
  62800. const int x, double top, double bottom, const Colour& col)
  62801. {
  62802. jassert (top <= bottom);
  62803. if (((unsigned int) (x - clipX)) < (unsigned int) clipW
  62804. && top < clipY + clipH
  62805. && bottom > clipY
  62806. && clipW > 0)
  62807. {
  62808. if (top < clipY)
  62809. top = clipY;
  62810. if (bottom > clipY + clipH)
  62811. bottom = clipY + clipH;
  62812. if (bottom > top)
  62813. drawVertical (x, top, bottom, col);
  62814. }
  62815. }
  62816. void LowLevelGraphicsSoftwareRenderer::drawHorizontalLine (const int y, double left, double right, const Colour& col)
  62817. {
  62818. for (RectangleList::Iterator i (*clip); i.next();)
  62819. {
  62820. const Rectangle& r = *i.getRectangle();
  62821. clippedDrawHorizontalLine (r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  62822. y + yOffset, left + xOffset, right + xOffset, col);
  62823. }
  62824. }
  62825. void LowLevelGraphicsSoftwareRenderer::clippedDrawHorizontalLine (int clipX, int clipY, int clipW, int clipH,
  62826. const int y, double left, double right, const Colour& col)
  62827. {
  62828. jassert (left <= right);
  62829. if (((unsigned int) (y - clipY)) < (unsigned int) clipH
  62830. && left < clipX + clipW
  62831. && right > clipX
  62832. && clipW > 0)
  62833. {
  62834. if (left < clipX)
  62835. left = clipX;
  62836. if (right > clipX + clipW)
  62837. right = clipX + clipW;
  62838. if (right > left)
  62839. drawHorizontal (y, left, right, col);
  62840. }
  62841. }
  62842. void LowLevelGraphicsSoftwareRenderer::drawVertical (const int x,
  62843. const double top,
  62844. const double bottom,
  62845. const Colour& col)
  62846. {
  62847. int wholeStart = (int) top;
  62848. const int wholeEnd = (int) bottom;
  62849. const int lastAlpha = roundDoubleToInt (255.0 * (bottom - wholeEnd));
  62850. const int totalPixels = (wholeEnd - wholeStart) + (lastAlpha > 0 ? 1 : 0);
  62851. if (totalPixels <= 0)
  62852. return;
  62853. int lineStride, dstPixelStride;
  62854. uint8* const dstPixels = image.lockPixelDataReadWrite (x, wholeStart, 1, totalPixels, lineStride, dstPixelStride);
  62855. uint8* dest = dstPixels;
  62856. PixelARGB colour (col.getPixelARGB());
  62857. if (wholeEnd == wholeStart)
  62858. {
  62859. if (image.getFormat() == Image::ARGB)
  62860. ((PixelARGB*) dest)->blend (colour, roundDoubleToInt (255.0 * (bottom - top)));
  62861. else if (image.getFormat() == Image::RGB)
  62862. ((PixelRGB*) dest)->blend (colour, roundDoubleToInt (255.0 * (bottom - top)));
  62863. else
  62864. {
  62865. jassertfalse
  62866. }
  62867. }
  62868. else
  62869. {
  62870. if (image.getFormat() == Image::ARGB)
  62871. {
  62872. ((PixelARGB*) dest)->blend (colour, roundDoubleToInt (255.0 * (1.0 - (top - wholeStart))));
  62873. ++wholeStart;
  62874. dest += lineStride;
  62875. if (colour.getAlpha() == 0xff)
  62876. {
  62877. while (wholeEnd > wholeStart)
  62878. {
  62879. ((PixelARGB*) dest)->set (colour);
  62880. ++wholeStart;
  62881. dest += lineStride;
  62882. }
  62883. }
  62884. else
  62885. {
  62886. while (wholeEnd > wholeStart)
  62887. {
  62888. ((PixelARGB*) dest)->blend (colour);
  62889. ++wholeStart;
  62890. dest += lineStride;
  62891. }
  62892. }
  62893. if (lastAlpha > 0)
  62894. {
  62895. ((PixelARGB*) dest)->blend (colour, lastAlpha);
  62896. }
  62897. }
  62898. else if (image.getFormat() == Image::RGB)
  62899. {
  62900. ((PixelRGB*) dest)->blend (colour, roundDoubleToInt (255.0 * (1.0 - (top - wholeStart))));
  62901. ++wholeStart;
  62902. dest += lineStride;
  62903. if (colour.getAlpha() == 0xff)
  62904. {
  62905. while (wholeEnd > wholeStart)
  62906. {
  62907. ((PixelRGB*) dest)->set (colour);
  62908. ++wholeStart;
  62909. dest += lineStride;
  62910. }
  62911. }
  62912. else
  62913. {
  62914. while (wholeEnd > wholeStart)
  62915. {
  62916. ((PixelRGB*) dest)->blend (colour);
  62917. ++wholeStart;
  62918. dest += lineStride;
  62919. }
  62920. }
  62921. if (lastAlpha > 0)
  62922. {
  62923. ((PixelRGB*) dest)->blend (colour, lastAlpha);
  62924. }
  62925. }
  62926. else
  62927. {
  62928. jassertfalse
  62929. }
  62930. }
  62931. image.releasePixelDataReadWrite (dstPixels);
  62932. }
  62933. void LowLevelGraphicsSoftwareRenderer::drawHorizontal (const int y,
  62934. const double top,
  62935. const double bottom,
  62936. const Colour& col)
  62937. {
  62938. int wholeStart = (int) top;
  62939. const int wholeEnd = (int) bottom;
  62940. const int lastAlpha = roundDoubleToInt (255.0 * (bottom - wholeEnd));
  62941. const int totalPixels = (wholeEnd - wholeStart) + (lastAlpha > 0 ? 1 : 0);
  62942. if (totalPixels <= 0)
  62943. return;
  62944. int lineStride, dstPixelStride;
  62945. uint8* const dstPixels = image.lockPixelDataReadWrite (wholeStart, y, totalPixels, 1, lineStride, dstPixelStride);
  62946. uint8* dest = dstPixels;
  62947. PixelARGB colour (col.getPixelARGB());
  62948. if (wholeEnd == wholeStart)
  62949. {
  62950. if (image.getFormat() == Image::ARGB)
  62951. ((PixelARGB*) dest)->blend (colour, roundDoubleToInt (255.0 * (bottom - top)));
  62952. else if (image.getFormat() == Image::RGB)
  62953. ((PixelRGB*) dest)->blend (colour, roundDoubleToInt (255.0 * (bottom - top)));
  62954. else
  62955. {
  62956. jassertfalse
  62957. }
  62958. }
  62959. else
  62960. {
  62961. if (image.getFormat() == Image::ARGB)
  62962. {
  62963. ((PixelARGB*) dest)->blend (colour, roundDoubleToInt (255.0 * (1.0 - (top - wholeStart))));
  62964. dest += dstPixelStride;
  62965. ++wholeStart;
  62966. if (colour.getAlpha() == 0xff)
  62967. {
  62968. while (wholeEnd > wholeStart)
  62969. {
  62970. ((PixelARGB*) dest)->set (colour);
  62971. dest += dstPixelStride;
  62972. ++wholeStart;
  62973. }
  62974. }
  62975. else
  62976. {
  62977. while (wholeEnd > wholeStart)
  62978. {
  62979. ((PixelARGB*) dest)->blend (colour);
  62980. dest += dstPixelStride;
  62981. ++wholeStart;
  62982. }
  62983. }
  62984. if (lastAlpha > 0)
  62985. {
  62986. ((PixelARGB*) dest)->blend (colour, lastAlpha);
  62987. }
  62988. }
  62989. else if (image.getFormat() == Image::RGB)
  62990. {
  62991. ((PixelRGB*) dest)->blend (colour, roundDoubleToInt (255.0 * (1.0 - (top - wholeStart))));
  62992. dest += dstPixelStride;
  62993. ++wholeStart;
  62994. if (colour.getAlpha() == 0xff)
  62995. {
  62996. while (wholeEnd > wholeStart)
  62997. {
  62998. ((PixelRGB*) dest)->set (colour);
  62999. dest += dstPixelStride;
  63000. ++wholeStart;
  63001. }
  63002. }
  63003. else
  63004. {
  63005. while (wholeEnd > wholeStart)
  63006. {
  63007. ((PixelRGB*) dest)->blend (colour);
  63008. dest += dstPixelStride;
  63009. ++wholeStart;
  63010. }
  63011. }
  63012. if (lastAlpha > 0)
  63013. {
  63014. ((PixelRGB*) dest)->blend (colour, lastAlpha);
  63015. }
  63016. }
  63017. else
  63018. {
  63019. jassertfalse
  63020. }
  63021. }
  63022. image.releasePixelDataReadWrite (dstPixels);
  63023. }
  63024. END_JUCE_NAMESPACE
  63025. /********* End of inlined file: juce_LowLevelGraphicsSoftwareRenderer.cpp *********/
  63026. /********* Start of inlined file: juce_RectanglePlacement.cpp *********/
  63027. BEGIN_JUCE_NAMESPACE
  63028. RectanglePlacement::RectanglePlacement (const RectanglePlacement& other) throw()
  63029. : flags (other.flags)
  63030. {
  63031. }
  63032. const RectanglePlacement& RectanglePlacement::operator= (const RectanglePlacement& other) throw()
  63033. {
  63034. flags = other.flags;
  63035. return *this;
  63036. }
  63037. void RectanglePlacement::applyTo (double& x, double& y,
  63038. double& w, double& h,
  63039. const double dx, const double dy,
  63040. const double dw, const double dh) const throw()
  63041. {
  63042. if (w == 0 || h == 0)
  63043. return;
  63044. if ((flags & stretchToFit) != 0)
  63045. {
  63046. x = dx;
  63047. y = dy;
  63048. w = dw;
  63049. h = dh;
  63050. }
  63051. else
  63052. {
  63053. double scale = (flags & fillDestination) != 0 ? jmax (dw / w, dh / h)
  63054. : jmin (dw / w, dh / h);
  63055. if ((flags & onlyReduceInSize) != 0)
  63056. scale = jmin (scale, 1.0);
  63057. if ((flags & onlyIncreaseInSize) != 0)
  63058. scale = jmax (scale, 1.0);
  63059. w *= scale;
  63060. h *= scale;
  63061. if ((flags & xLeft) != 0)
  63062. x = dx;
  63063. else if ((flags & xRight) != 0)
  63064. x = dx + dw - w;
  63065. else
  63066. x = dx + (dw - w) * 0.5;
  63067. if ((flags & yTop) != 0)
  63068. y = dy;
  63069. else if ((flags & yBottom) != 0)
  63070. y = dy + dh - h;
  63071. else
  63072. y = dy + (dh - h) * 0.5;
  63073. }
  63074. }
  63075. const AffineTransform RectanglePlacement::getTransformToFit (float x, float y,
  63076. float w, float h,
  63077. const float dx, const float dy,
  63078. const float dw, const float dh) const throw()
  63079. {
  63080. if (w == 0 || h == 0)
  63081. return AffineTransform::identity;
  63082. const float scaleX = dw / w;
  63083. const float scaleY = dh / h;
  63084. if ((flags & stretchToFit) != 0)
  63085. {
  63086. return AffineTransform::translation (-x, -y)
  63087. .scaled (scaleX, scaleY)
  63088. .translated (dx - x, dy - y);
  63089. }
  63090. float scale = (flags & fillDestination) != 0 ? jmax (scaleX, scaleY)
  63091. : jmin (scaleX, scaleY);
  63092. if ((flags & onlyReduceInSize) != 0)
  63093. scale = jmin (scale, 1.0f);
  63094. if ((flags & onlyIncreaseInSize) != 0)
  63095. scale = jmax (scale, 1.0f);
  63096. w *= scale;
  63097. h *= scale;
  63098. float newX = dx;
  63099. if ((flags & xRight) != 0)
  63100. newX += dw - w; // right
  63101. else if ((flags & xLeft) == 0)
  63102. newX += (dw - w) / 2.0f; // centre
  63103. float newY = dy;
  63104. if ((flags & yBottom) != 0)
  63105. newY += dh - h; // bottom
  63106. else if ((flags & yTop) == 0)
  63107. newY += (dh - h) / 2.0f; // centre
  63108. return AffineTransform::translation (-x, -y)
  63109. .scaled (scale, scale)
  63110. .translated (newX, newY);
  63111. }
  63112. END_JUCE_NAMESPACE
  63113. /********* End of inlined file: juce_RectanglePlacement.cpp *********/
  63114. /********* Start of inlined file: juce_Drawable.cpp *********/
  63115. BEGIN_JUCE_NAMESPACE
  63116. Drawable::Drawable()
  63117. {
  63118. }
  63119. Drawable::~Drawable()
  63120. {
  63121. }
  63122. void Drawable::drawAt (Graphics& g, const float x, const float y) const
  63123. {
  63124. draw (g, AffineTransform::translation (x, y));
  63125. }
  63126. void Drawable::drawWithin (Graphics& g,
  63127. const int destX,
  63128. const int destY,
  63129. const int destW,
  63130. const int destH,
  63131. const RectanglePlacement& placement) const
  63132. {
  63133. if (destW > 0 && destH > 0)
  63134. {
  63135. float x, y, w, h;
  63136. getBounds (x, y, w, h);
  63137. draw (g, placement.getTransformToFit (x, y, w, h,
  63138. (float) destX, (float) destY,
  63139. (float) destW, (float) destH));
  63140. }
  63141. }
  63142. Drawable* Drawable::createFromImageData (const void* data, const int numBytes)
  63143. {
  63144. Drawable* result = 0;
  63145. Image* const image = ImageFileFormat::loadFrom (data, numBytes);
  63146. if (image != 0)
  63147. {
  63148. DrawableImage* const di = new DrawableImage();
  63149. di->setImage (image, true);
  63150. result = di;
  63151. }
  63152. else
  63153. {
  63154. const String asString (String::createStringFromData (data, numBytes));
  63155. XmlDocument doc (asString);
  63156. XmlElement* const outer = doc.getDocumentElement (true);
  63157. if (outer != 0 && outer->hasTagName (T("svg")))
  63158. {
  63159. XmlElement* const svg = doc.getDocumentElement();
  63160. if (svg != 0)
  63161. {
  63162. result = Drawable::createFromSVG (*svg);
  63163. delete svg;
  63164. }
  63165. }
  63166. delete outer;
  63167. }
  63168. return result;
  63169. }
  63170. Drawable* Drawable::createFromImageDataStream (InputStream& dataSource)
  63171. {
  63172. MemoryBlock mb;
  63173. dataSource.readIntoMemoryBlock (mb);
  63174. return createFromImageData (mb.getData(), mb.getSize());
  63175. }
  63176. Drawable* Drawable::createFromImageFile (const File& file)
  63177. {
  63178. FileInputStream* fin = file.createInputStream();
  63179. if (fin == 0)
  63180. return 0;
  63181. Drawable* d = createFromImageDataStream (*fin);
  63182. delete fin;
  63183. return d;
  63184. }
  63185. END_JUCE_NAMESPACE
  63186. /********* End of inlined file: juce_Drawable.cpp *********/
  63187. /********* Start of inlined file: juce_DrawableComposite.cpp *********/
  63188. BEGIN_JUCE_NAMESPACE
  63189. DrawableComposite::DrawableComposite()
  63190. {
  63191. }
  63192. DrawableComposite::~DrawableComposite()
  63193. {
  63194. }
  63195. void DrawableComposite::insertDrawable (Drawable* drawable,
  63196. const AffineTransform& transform,
  63197. const int index)
  63198. {
  63199. if (drawable != 0)
  63200. {
  63201. if (! drawables.contains (drawable))
  63202. {
  63203. drawables.insert (index, drawable);
  63204. if (transform.isIdentity())
  63205. transforms.insert (index, 0);
  63206. else
  63207. transforms.insert (index, new AffineTransform (transform));
  63208. }
  63209. else
  63210. {
  63211. jassertfalse // trying to add a drawable that's already in here!
  63212. }
  63213. }
  63214. }
  63215. void DrawableComposite::insertDrawable (const Drawable& drawable,
  63216. const AffineTransform& transform,
  63217. const int index)
  63218. {
  63219. insertDrawable (drawable.createCopy(), transform, index);
  63220. }
  63221. void DrawableComposite::removeDrawable (const int index)
  63222. {
  63223. drawables.remove (index);
  63224. transforms.remove (index);
  63225. }
  63226. void DrawableComposite::bringToFront (const int index)
  63227. {
  63228. if (index >= 0 && index < drawables.size() - 1)
  63229. {
  63230. drawables.move (index, -1);
  63231. transforms.move (index, -1);
  63232. }
  63233. }
  63234. void DrawableComposite::draw (Graphics& g, const AffineTransform& transform) const
  63235. {
  63236. for (int i = 0; i < drawables.size(); ++i)
  63237. {
  63238. const AffineTransform* const t = transforms.getUnchecked(i);
  63239. drawables.getUnchecked(i)->draw (g, t == 0 ? transform
  63240. : t->followedBy (transform));
  63241. }
  63242. }
  63243. void DrawableComposite::getBounds (float& x, float& y, float& width, float& height) const
  63244. {
  63245. Path totalPath;
  63246. for (int i = 0; i < drawables.size(); ++i)
  63247. {
  63248. drawables.getUnchecked(i)->getBounds (x, y, width, height);
  63249. if (width > 0.0f && height > 0.0f)
  63250. {
  63251. Path outline;
  63252. outline.addRectangle (x, y, width, height);
  63253. const AffineTransform* const t = transforms.getUnchecked(i);
  63254. if (t == 0)
  63255. totalPath.addPath (outline);
  63256. else
  63257. totalPath.addPath (outline, *t);
  63258. }
  63259. }
  63260. totalPath.getBounds (x, y, width, height);
  63261. }
  63262. bool DrawableComposite::hitTest (float x, float y) const
  63263. {
  63264. for (int i = 0; i < drawables.size(); ++i)
  63265. {
  63266. float tx = x;
  63267. float ty = y;
  63268. const AffineTransform* const t = transforms.getUnchecked(i);
  63269. if (t != 0)
  63270. t->inverted().transformPoint (tx, ty);
  63271. if (drawables.getUnchecked(i)->hitTest (tx, ty))
  63272. return true;
  63273. }
  63274. return false;
  63275. }
  63276. Drawable* DrawableComposite::createCopy() const
  63277. {
  63278. DrawableComposite* const dc = new DrawableComposite();
  63279. for (int i = 0; i < drawables.size(); ++i)
  63280. {
  63281. dc->drawables.add (drawables.getUnchecked(i)->createCopy());
  63282. const AffineTransform* const t = transforms.getUnchecked(i);
  63283. dc->transforms.add (t != 0 ? new AffineTransform (*t) : 0);
  63284. }
  63285. return dc;
  63286. }
  63287. END_JUCE_NAMESPACE
  63288. /********* End of inlined file: juce_DrawableComposite.cpp *********/
  63289. /********* Start of inlined file: juce_DrawableImage.cpp *********/
  63290. BEGIN_JUCE_NAMESPACE
  63291. DrawableImage::DrawableImage()
  63292. : image (0),
  63293. canDeleteImage (false),
  63294. opacity (1.0f),
  63295. overlayColour (0x00000000)
  63296. {
  63297. }
  63298. DrawableImage::~DrawableImage()
  63299. {
  63300. clearImage();
  63301. }
  63302. void DrawableImage::clearImage()
  63303. {
  63304. if (canDeleteImage && image != 0)
  63305. {
  63306. if (ImageCache::isImageInCache (image))
  63307. ImageCache::release (image);
  63308. else
  63309. delete image;
  63310. }
  63311. image = 0;
  63312. }
  63313. void DrawableImage::setImage (const Image& imageToCopy)
  63314. {
  63315. clearImage();
  63316. image = new Image (imageToCopy);
  63317. canDeleteImage = true;
  63318. }
  63319. void DrawableImage::setImage (Image* imageToUse,
  63320. const bool releaseWhenNotNeeded)
  63321. {
  63322. clearImage();
  63323. image = imageToUse;
  63324. canDeleteImage = releaseWhenNotNeeded;
  63325. }
  63326. void DrawableImage::setOpacity (const float newOpacity)
  63327. {
  63328. opacity = newOpacity;
  63329. }
  63330. void DrawableImage::setOverlayColour (const Colour& newOverlayColour)
  63331. {
  63332. overlayColour = newOverlayColour;
  63333. }
  63334. void DrawableImage::draw (Graphics& g, const AffineTransform& transform) const
  63335. {
  63336. if (image != 0)
  63337. {
  63338. const Colour oldColour (g.getCurrentColour()); // save this so we can restore it later
  63339. if (opacity > 0.0f && ! overlayColour.isOpaque())
  63340. {
  63341. g.setColour (oldColour.withMultipliedAlpha (opacity));
  63342. g.drawImageTransformed (image,
  63343. 0, 0, image->getWidth(), image->getHeight(),
  63344. transform, false);
  63345. }
  63346. if (! overlayColour.isTransparent())
  63347. {
  63348. g.setColour (overlayColour.withMultipliedAlpha (oldColour.getFloatAlpha()));
  63349. g.drawImageTransformed (image,
  63350. 0, 0, image->getWidth(), image->getHeight(),
  63351. transform, true);
  63352. }
  63353. g.setColour (oldColour);
  63354. }
  63355. }
  63356. void DrawableImage::getBounds (float& x, float& y, float& width, float& height) const
  63357. {
  63358. x = 0.0f;
  63359. y = 0.0f;
  63360. width = 0.0f;
  63361. height = 0.0f;
  63362. if (image != 0)
  63363. {
  63364. width = (float) image->getWidth();
  63365. height = (float) image->getHeight();
  63366. }
  63367. }
  63368. bool DrawableImage::hitTest (float x, float y) const
  63369. {
  63370. return image != 0
  63371. && x >= 0.0f
  63372. && y >= 0.0f
  63373. && x < image->getWidth()
  63374. && y < image->getHeight()
  63375. && image->getPixelAt (roundFloatToInt (x), roundFloatToInt (y)).getAlpha() >= 127;
  63376. }
  63377. Drawable* DrawableImage::createCopy() const
  63378. {
  63379. DrawableImage* const di = new DrawableImage();
  63380. di->opacity = opacity;
  63381. di->overlayColour = overlayColour;
  63382. if (image != 0)
  63383. {
  63384. if ((! canDeleteImage) || ! ImageCache::isImageInCache (image))
  63385. {
  63386. di->setImage (*image);
  63387. }
  63388. else
  63389. {
  63390. ImageCache::incReferenceCount (image);
  63391. di->setImage (image, true);
  63392. }
  63393. }
  63394. return di;
  63395. }
  63396. END_JUCE_NAMESPACE
  63397. /********* End of inlined file: juce_DrawableImage.cpp *********/
  63398. /********* Start of inlined file: juce_DrawablePath.cpp *********/
  63399. BEGIN_JUCE_NAMESPACE
  63400. DrawablePath::DrawablePath()
  63401. : fillBrush (new SolidColourBrush (Colours::black)),
  63402. strokeBrush (0),
  63403. strokeType (0.0f)
  63404. {
  63405. }
  63406. DrawablePath::~DrawablePath()
  63407. {
  63408. delete fillBrush;
  63409. delete strokeBrush;
  63410. }
  63411. void DrawablePath::setPath (const Path& newPath)
  63412. {
  63413. path = newPath;
  63414. updateOutline();
  63415. }
  63416. void DrawablePath::setSolidFill (const Colour& newColour)
  63417. {
  63418. delete fillBrush;
  63419. fillBrush = new SolidColourBrush (newColour);
  63420. }
  63421. void DrawablePath::setFillBrush (const Brush& newBrush)
  63422. {
  63423. delete fillBrush;
  63424. fillBrush = newBrush.createCopy();
  63425. }
  63426. void DrawablePath::setOutline (const float thickness, const Colour& colour)
  63427. {
  63428. strokeType = PathStrokeType (thickness);
  63429. delete strokeBrush;
  63430. strokeBrush = new SolidColourBrush (colour);
  63431. updateOutline();
  63432. }
  63433. void DrawablePath::setOutline (const PathStrokeType& strokeType_, const Brush& newStrokeBrush)
  63434. {
  63435. strokeType = strokeType_;
  63436. delete strokeBrush;
  63437. strokeBrush = newStrokeBrush.createCopy();
  63438. updateOutline();
  63439. }
  63440. void DrawablePath::draw (Graphics& g, const AffineTransform& transform) const
  63441. {
  63442. const Colour oldColour (g.getCurrentColour()); // save this so we can restore it later
  63443. const float currentOpacity = oldColour.getFloatAlpha();
  63444. {
  63445. Brush* const tempBrush = fillBrush->createCopy();
  63446. tempBrush->applyTransform (transform);
  63447. tempBrush->multiplyOpacity (currentOpacity);
  63448. g.setBrush (tempBrush);
  63449. g.fillPath (path, transform);
  63450. delete tempBrush;
  63451. }
  63452. if (strokeBrush != 0 && strokeType.getStrokeThickness() > 0.0f)
  63453. {
  63454. Brush* const tempBrush = strokeBrush->createCopy();
  63455. tempBrush->applyTransform (transform);
  63456. tempBrush->multiplyOpacity (currentOpacity);
  63457. g.setBrush (tempBrush);
  63458. g.fillPath (outline, transform);
  63459. delete tempBrush;
  63460. }
  63461. g.setColour (oldColour);
  63462. }
  63463. void DrawablePath::updateOutline()
  63464. {
  63465. outline.clear();
  63466. strokeType.createStrokedPath (outline, path, AffineTransform::identity, 4.0f);
  63467. }
  63468. void DrawablePath::getBounds (float& x, float& y, float& width, float& height) const
  63469. {
  63470. if (strokeType.getStrokeThickness() > 0.0f)
  63471. outline.getBounds (x, y, width, height);
  63472. else
  63473. path.getBounds (x, y, width, height);
  63474. }
  63475. bool DrawablePath::hitTest (float x, float y) const
  63476. {
  63477. return path.contains (x, y)
  63478. || outline.contains (x, y);
  63479. }
  63480. Drawable* DrawablePath::createCopy() const
  63481. {
  63482. DrawablePath* const dp = new DrawablePath();
  63483. dp->path = path;
  63484. dp->setFillBrush (*fillBrush);
  63485. if (strokeBrush != 0)
  63486. dp->setOutline (strokeType, *strokeBrush);
  63487. return dp;
  63488. }
  63489. END_JUCE_NAMESPACE
  63490. /********* End of inlined file: juce_DrawablePath.cpp *********/
  63491. /********* Start of inlined file: juce_DrawableText.cpp *********/
  63492. BEGIN_JUCE_NAMESPACE
  63493. DrawableText::DrawableText()
  63494. : colour (Colours::white)
  63495. {
  63496. }
  63497. DrawableText::~DrawableText()
  63498. {
  63499. }
  63500. void DrawableText::setText (const GlyphArrangement& newText)
  63501. {
  63502. text = newText;
  63503. }
  63504. void DrawableText::setText (const String& newText, const Font& fontToUse)
  63505. {
  63506. text.clear();
  63507. text.addLineOfText (fontToUse, newText, 0.0f, 0.0f);
  63508. }
  63509. void DrawableText::setColour (const Colour& newColour)
  63510. {
  63511. colour = newColour;
  63512. }
  63513. void DrawableText::draw (Graphics& g, const AffineTransform& transform) const
  63514. {
  63515. const Colour oldColour (g.getCurrentColour()); // save this so we can restore it later
  63516. g.setColour (colour.withMultipliedAlpha (oldColour.getFloatAlpha()));
  63517. text.draw (g, transform);
  63518. g.setColour (oldColour);
  63519. }
  63520. void DrawableText::getBounds (float& x, float& y, float& width, float& height) const
  63521. {
  63522. text.getBoundingBox (0, -1, x, y, width, height, false); // (really returns top, left, bottom, right)
  63523. width -= x;
  63524. height -= y;
  63525. }
  63526. bool DrawableText::hitTest (float x, float y) const
  63527. {
  63528. return text.findGlyphIndexAt (x, y) >= 0;
  63529. }
  63530. Drawable* DrawableText::createCopy() const
  63531. {
  63532. DrawableText* const dt = new DrawableText();
  63533. dt->text = text;
  63534. dt->colour = colour;
  63535. return dt;
  63536. }
  63537. END_JUCE_NAMESPACE
  63538. /********* End of inlined file: juce_DrawableText.cpp *********/
  63539. /********* Start of inlined file: juce_SVGParser.cpp *********/
  63540. BEGIN_JUCE_NAMESPACE
  63541. class SVGState
  63542. {
  63543. public:
  63544. SVGState (const XmlElement* const topLevel)
  63545. : topLevelXml (topLevel),
  63546. x (0), y (0),
  63547. width (512), height (512),
  63548. viewBoxW (0), viewBoxH (0)
  63549. {
  63550. }
  63551. ~SVGState()
  63552. {
  63553. }
  63554. Drawable* parseSVGElement (const XmlElement& xml)
  63555. {
  63556. if (! xml.hasTagName (T("svg")))
  63557. return 0;
  63558. DrawableComposite* const drawable = new DrawableComposite();
  63559. drawable->setName (xml.getStringAttribute (T("id")));
  63560. SVGState newState (*this);
  63561. if (xml.hasAttribute (T("transform")))
  63562. newState.addTransform (xml);
  63563. newState.x = getCoordLength (xml.getStringAttribute (T("x"), String (newState.x)), viewBoxW);
  63564. newState.y = getCoordLength (xml.getStringAttribute (T("y"), String (newState.y)), viewBoxH);
  63565. newState.width = getCoordLength (xml.getStringAttribute (T("width"), String (newState.width)), viewBoxW);
  63566. newState.height = getCoordLength (xml.getStringAttribute (T("height"), String (newState.height)), viewBoxH);
  63567. if (xml.hasAttribute (T("viewBox")))
  63568. {
  63569. const String viewParams (xml.getStringAttribute (T("viewBox")));
  63570. int i = 0;
  63571. float vx, vy, vw, vh;
  63572. if (parseCoords (viewParams, vx, vy, i, true)
  63573. && parseCoords (viewParams, vw, vh, i, true)
  63574. && vw > 0
  63575. && vh > 0)
  63576. {
  63577. newState.viewBoxW = vw;
  63578. newState.viewBoxH = vh;
  63579. int placementFlags = 0;
  63580. const String aspect (xml.getStringAttribute (T("preserveAspectRatio")));
  63581. if (aspect.containsIgnoreCase (T("none")))
  63582. {
  63583. placementFlags = RectanglePlacement::stretchToFit;
  63584. }
  63585. else
  63586. {
  63587. if (aspect.containsIgnoreCase (T("slice")))
  63588. placementFlags |= RectanglePlacement::fillDestination;
  63589. if (aspect.containsIgnoreCase (T("xMin")))
  63590. placementFlags |= RectanglePlacement::xLeft;
  63591. else if (aspect.containsIgnoreCase (T("xMax")))
  63592. placementFlags |= RectanglePlacement::xRight;
  63593. else
  63594. placementFlags |= RectanglePlacement::xMid;
  63595. if (aspect.containsIgnoreCase (T("yMin")))
  63596. placementFlags |= RectanglePlacement::yTop;
  63597. else if (aspect.containsIgnoreCase (T("yMax")))
  63598. placementFlags |= RectanglePlacement::yBottom;
  63599. else
  63600. placementFlags |= RectanglePlacement::yMid;
  63601. }
  63602. const RectanglePlacement placement (placementFlags);
  63603. newState.transform
  63604. = placement.getTransformToFit (vx, vy, vw, vh,
  63605. 0.0f, 0.0f, newState.width, newState.height)
  63606. .followedBy (newState.transform);
  63607. }
  63608. }
  63609. else
  63610. {
  63611. if (viewBoxW == 0)
  63612. newState.viewBoxW = newState.width;
  63613. if (viewBoxH == 0)
  63614. newState.viewBoxH = newState.height;
  63615. }
  63616. newState.parseSubElements (xml, drawable);
  63617. return drawable;
  63618. }
  63619. private:
  63620. const XmlElement* const topLevelXml;
  63621. float x, y, width, height, viewBoxW, viewBoxH;
  63622. AffineTransform transform;
  63623. String cssStyleText;
  63624. void parseSubElements (const XmlElement& xml, DrawableComposite* const parentDrawable)
  63625. {
  63626. forEachXmlChildElement (xml, e)
  63627. {
  63628. Drawable* d = 0;
  63629. if (e->hasTagName (T("g")))
  63630. d = parseGroupElement (*e);
  63631. else if (e->hasTagName (T("svg")))
  63632. d = parseSVGElement (*e);
  63633. else if (e->hasTagName (T("path")))
  63634. d = parsePath (*e);
  63635. else if (e->hasTagName (T("rect")))
  63636. d = parseRect (*e);
  63637. else if (e->hasTagName (T("circle")))
  63638. d = parseCircle (*e);
  63639. else if (e->hasTagName (T("ellipse")))
  63640. d = parseEllipse (*e);
  63641. else if (e->hasTagName (T("line")))
  63642. d = parseLine (*e);
  63643. else if (e->hasTagName (T("polyline")))
  63644. d = parsePolygon (*e, true);
  63645. else if (e->hasTagName (T("polygon")))
  63646. d = parsePolygon (*e, false);
  63647. else if (e->hasTagName (T("text")))
  63648. d = parseText (*e);
  63649. else if (e->hasTagName (T("switch")))
  63650. d = parseSwitch (*e);
  63651. else if (e->hasTagName (T("style")))
  63652. parseCSSStyle (*e);
  63653. parentDrawable->insertDrawable (d);
  63654. }
  63655. }
  63656. DrawableComposite* parseSwitch (const XmlElement& xml)
  63657. {
  63658. const XmlElement* const group = xml.getChildByName (T("g"));
  63659. if (group != 0)
  63660. return parseGroupElement (*group);
  63661. return 0;
  63662. }
  63663. DrawableComposite* parseGroupElement (const XmlElement& xml)
  63664. {
  63665. DrawableComposite* const drawable = new DrawableComposite();
  63666. drawable->setName (xml.getStringAttribute (T("id")));
  63667. if (xml.hasAttribute (T("transform")))
  63668. {
  63669. SVGState newState (*this);
  63670. newState.addTransform (xml);
  63671. newState.parseSubElements (xml, drawable);
  63672. }
  63673. else
  63674. {
  63675. parseSubElements (xml, drawable);
  63676. }
  63677. return drawable;
  63678. }
  63679. Drawable* parsePath (const XmlElement& xml) const
  63680. {
  63681. const String d (xml.getStringAttribute (T("d")).trimStart());
  63682. Path path;
  63683. if (getStyleAttribute (&xml, T("fill-rule")).trim().equalsIgnoreCase (T("evenodd")))
  63684. path.setUsingNonZeroWinding (false);
  63685. int index = 0;
  63686. float lastX = 0, lastY = 0;
  63687. float lastX2 = 0, lastY2 = 0;
  63688. tchar lastCommandChar = 0;
  63689. bool carryOn = true;
  63690. const String validCommandChars (T("MmLlHhVvCcSsQqTtAaZz"));
  63691. for (;;)
  63692. {
  63693. float x, y, x2, y2, x3, y3;
  63694. const bool isRelative = (d[index] >= 'a' && d[index] <= 'z');
  63695. if (validCommandChars.containsChar (d[index]))
  63696. lastCommandChar = d [index++];
  63697. switch (lastCommandChar)
  63698. {
  63699. case T('M'):
  63700. case T('m'):
  63701. case T('L'):
  63702. case T('l'):
  63703. if (parseCoords (d, x, y, index, false))
  63704. {
  63705. if (isRelative)
  63706. {
  63707. x += lastX;
  63708. y += lastY;
  63709. }
  63710. if (lastCommandChar == T('M') || lastCommandChar == T('m'))
  63711. path.startNewSubPath (x, y);
  63712. else
  63713. path.lineTo (x, y);
  63714. lastX2 = lastX;
  63715. lastY2 = lastY;
  63716. lastX = x;
  63717. lastY = y;
  63718. }
  63719. else
  63720. {
  63721. ++index;
  63722. }
  63723. break;
  63724. case T('H'):
  63725. case T('h'):
  63726. if (parseCoord (d, x, index, false, true))
  63727. {
  63728. if (isRelative)
  63729. x += lastX;
  63730. path.lineTo (x, lastY);
  63731. lastX2 = lastX;
  63732. lastX = x;
  63733. }
  63734. else
  63735. {
  63736. ++index;
  63737. }
  63738. break;
  63739. case T('V'):
  63740. case T('v'):
  63741. if (parseCoord (d, y, index, false, false))
  63742. {
  63743. if (isRelative)
  63744. y += lastY;
  63745. path.lineTo (lastX, y);
  63746. lastY2 = lastY;
  63747. lastY = y;
  63748. }
  63749. else
  63750. {
  63751. ++index;
  63752. }
  63753. break;
  63754. case T('C'):
  63755. case T('c'):
  63756. if (parseCoords (d, x, y, index, false)
  63757. && parseCoords (d, x2, y2, index, false)
  63758. && parseCoords (d, x3, y3, index, false))
  63759. {
  63760. if (isRelative)
  63761. {
  63762. x += lastX;
  63763. y += lastY;
  63764. x2 += lastX;
  63765. y2 += lastY;
  63766. x3 += lastX;
  63767. y3 += lastY;
  63768. }
  63769. path.cubicTo (x, y, x2, y2, x3, y3);
  63770. lastX2 = x2;
  63771. lastY2 = y2;
  63772. lastX = x3;
  63773. lastY = y3;
  63774. }
  63775. else
  63776. {
  63777. ++index;
  63778. }
  63779. break;
  63780. case T('S'):
  63781. case T('s'):
  63782. if (parseCoords (d, x, y, index, false)
  63783. && parseCoords (d, x3, y3, index, false))
  63784. {
  63785. if (isRelative)
  63786. {
  63787. x += lastX;
  63788. y += lastY;
  63789. x3 += lastX;
  63790. y3 += lastY;
  63791. }
  63792. x2 = lastX + (lastX - lastX2);
  63793. y2 = lastY + (lastY - lastY2);
  63794. path.cubicTo (x2, y2, x, y, x3, y3);
  63795. lastX2 = x2;
  63796. lastY2 = y2;
  63797. lastX = x3;
  63798. lastY = y3;
  63799. }
  63800. else
  63801. {
  63802. ++index;
  63803. }
  63804. break;
  63805. case T('Q'):
  63806. case T('q'):
  63807. if (parseCoords (d, x, y, index, false)
  63808. && parseCoords (d, x2, y2, index, false))
  63809. {
  63810. if (isRelative)
  63811. {
  63812. x += lastX;
  63813. y += lastY;
  63814. x2 += lastX;
  63815. y2 += lastY;
  63816. }
  63817. path.quadraticTo (x, y, x2, y2);
  63818. lastX2 = x;
  63819. lastY2 = y;
  63820. lastX = x2;
  63821. lastY = y2;
  63822. }
  63823. else
  63824. {
  63825. ++index;
  63826. }
  63827. break;
  63828. case T('T'):
  63829. case T('t'):
  63830. if (parseCoords (d, x, y, index, false))
  63831. {
  63832. if (isRelative)
  63833. {
  63834. x += lastX;
  63835. y += lastY;
  63836. }
  63837. x2 = lastX + (lastX - lastX2);
  63838. y2 = lastY + (lastY - lastY2);
  63839. path.quadraticTo (x2, y2, x, y);
  63840. lastX2 = x2;
  63841. lastY2 = y2;
  63842. lastX = x;
  63843. lastY = y;
  63844. }
  63845. else
  63846. {
  63847. ++index;
  63848. }
  63849. break;
  63850. case T('A'):
  63851. case T('a'):
  63852. if (parseCoords (d, x, y, index, false))
  63853. {
  63854. String num;
  63855. if (parseNextNumber (d, num, index, false))
  63856. {
  63857. const float angle = num.getFloatValue() * (180.0f / float_Pi);
  63858. if (parseNextNumber (d, num, index, false))
  63859. {
  63860. const bool largeArc = num.getIntValue() != 0;
  63861. if (parseNextNumber (d, num, index, false))
  63862. {
  63863. const bool sweep = num.getIntValue() != 0;
  63864. if (parseCoords (d, x2, y2, index, false))
  63865. {
  63866. if (isRelative)
  63867. {
  63868. x2 += lastX;
  63869. y2 += lastY;
  63870. }
  63871. if (lastX != x2 || lastY != y2)
  63872. {
  63873. double centreX, centreY, startAngle, deltaAngle;
  63874. double rx = x, ry = y;
  63875. endpointToCentreParameters (lastX, lastY, x2, y2,
  63876. angle, largeArc, sweep,
  63877. rx, ry, centreX, centreY,
  63878. startAngle, deltaAngle);
  63879. path.addCentredArc ((float) centreX, (float) centreY,
  63880. (float) rx, (float) ry,
  63881. angle, (float) startAngle, (float) (startAngle + deltaAngle),
  63882. false);
  63883. path.lineTo (x2, y2);
  63884. }
  63885. lastX2 = lastX;
  63886. lastY2 = lastY;
  63887. lastX = x2;
  63888. lastY = y2;
  63889. }
  63890. }
  63891. }
  63892. }
  63893. }
  63894. else
  63895. {
  63896. ++index;
  63897. }
  63898. break;
  63899. case T('Z'):
  63900. case T('z'):
  63901. path.closeSubPath();
  63902. while (CharacterFunctions::isWhitespace (d [index]))
  63903. ++index;
  63904. break;
  63905. default:
  63906. carryOn = false;
  63907. break;
  63908. }
  63909. if (! carryOn)
  63910. break;
  63911. }
  63912. return parseShape (xml, path);
  63913. }
  63914. Drawable* parseRect (const XmlElement& xml) const
  63915. {
  63916. Path rect;
  63917. const bool hasRX = xml.hasAttribute (T("rx"));
  63918. const bool hasRY = xml.hasAttribute (T("ry"));
  63919. if (hasRX || hasRY)
  63920. {
  63921. float rx = getCoordLength (xml.getStringAttribute (T("rx")), viewBoxW);
  63922. float ry = getCoordLength (xml.getStringAttribute (T("ry")), viewBoxH);
  63923. if (! hasRX)
  63924. rx = ry;
  63925. else if (! hasRY)
  63926. ry = rx;
  63927. rect.addRoundedRectangle (getCoordLength (xml.getStringAttribute (T("x")), viewBoxW),
  63928. getCoordLength (xml.getStringAttribute (T("y")), viewBoxH),
  63929. getCoordLength (xml.getStringAttribute (T("width")), viewBoxW),
  63930. getCoordLength (xml.getStringAttribute (T("height")), viewBoxH),
  63931. rx, ry);
  63932. }
  63933. else
  63934. {
  63935. rect.addRectangle (getCoordLength (xml.getStringAttribute (T("x")), viewBoxW),
  63936. getCoordLength (xml.getStringAttribute (T("y")), viewBoxH),
  63937. getCoordLength (xml.getStringAttribute (T("width")), viewBoxW),
  63938. getCoordLength (xml.getStringAttribute (T("height")), viewBoxH));
  63939. }
  63940. return parseShape (xml, rect);
  63941. }
  63942. Drawable* parseCircle (const XmlElement& xml) const
  63943. {
  63944. Path circle;
  63945. const float cx = getCoordLength (xml.getStringAttribute (T("cx")), viewBoxW);
  63946. const float cy = getCoordLength (xml.getStringAttribute (T("cy")), viewBoxH);
  63947. const float radius = getCoordLength (xml.getStringAttribute (T("r")), viewBoxW);
  63948. circle.addEllipse (cx - radius, cy - radius, radius * 2.0f, radius * 2.0f);
  63949. return parseShape (xml, circle);
  63950. }
  63951. Drawable* parseEllipse (const XmlElement& xml) const
  63952. {
  63953. Path ellipse;
  63954. const float cx = getCoordLength (xml.getStringAttribute (T("cx")), viewBoxW);
  63955. const float cy = getCoordLength (xml.getStringAttribute (T("cy")), viewBoxH);
  63956. const float radiusX = getCoordLength (xml.getStringAttribute (T("rx")), viewBoxW);
  63957. const float radiusY = getCoordLength (xml.getStringAttribute (T("ry")), viewBoxH);
  63958. ellipse.addEllipse (cx - radiusX, cy - radiusY, radiusX * 2.0f, radiusY * 2.0f);
  63959. return parseShape (xml, ellipse);
  63960. }
  63961. Drawable* parseLine (const XmlElement& xml) const
  63962. {
  63963. Path line;
  63964. const float x1 = getCoordLength (xml.getStringAttribute (T("x1")), viewBoxW);
  63965. const float y1 = getCoordLength (xml.getStringAttribute (T("y1")), viewBoxH);
  63966. const float x2 = getCoordLength (xml.getStringAttribute (T("x2")), viewBoxW);
  63967. const float y2 = getCoordLength (xml.getStringAttribute (T("y2")), viewBoxH);
  63968. line.startNewSubPath (x1, y1);
  63969. line.lineTo (x2, y2);
  63970. return parseShape (xml, line);
  63971. }
  63972. Drawable* parsePolygon (const XmlElement& xml, const bool isPolyline) const
  63973. {
  63974. const String points (xml.getStringAttribute (T("points")));
  63975. Path path;
  63976. int index = 0;
  63977. float x, y;
  63978. if (parseCoords (points, x, y, index, true))
  63979. {
  63980. float firstX = x;
  63981. float firstY = y;
  63982. float lastX = 0, lastY = 0;
  63983. path.startNewSubPath (x, y);
  63984. while (parseCoords (points, x, y, index, true))
  63985. {
  63986. lastX = x;
  63987. lastY = y;
  63988. path.lineTo (x, y);
  63989. }
  63990. if ((! isPolyline) || (firstX == lastX && firstY == lastY))
  63991. path.closeSubPath();
  63992. }
  63993. return parseShape (xml, path);
  63994. }
  63995. Drawable* parseShape (const XmlElement& xml, Path& path,
  63996. const bool parseTransform = true) const
  63997. {
  63998. if (parseTransform && xml.hasAttribute (T("transform")))
  63999. {
  64000. SVGState newState (*this);
  64001. newState.addTransform (xml);
  64002. return newState.parseShape (xml, path, false);
  64003. }
  64004. DrawablePath* dp = new DrawablePath();
  64005. dp->setSolidFill (Colours::transparentBlack);
  64006. path.applyTransform (transform);
  64007. dp->setPath (path);
  64008. Path::Iterator iter (path);
  64009. bool containsClosedSubPath = false;
  64010. while (iter.next())
  64011. {
  64012. if (iter.elementType == Path::Iterator::closePath)
  64013. {
  64014. containsClosedSubPath = true;
  64015. break;
  64016. }
  64017. }
  64018. Brush* const fillBrush
  64019. = getBrushForFill (path,
  64020. getStyleAttribute (&xml, T("fill")),
  64021. getStyleAttribute (&xml, T("fill-opacity")),
  64022. getStyleAttribute (&xml, T("opacity")),
  64023. containsClosedSubPath ? Colours::black
  64024. : Colours::transparentBlack);
  64025. if (fillBrush != 0)
  64026. {
  64027. if (! fillBrush->isInvisible())
  64028. {
  64029. fillBrush->applyTransform (transform);
  64030. dp->setFillBrush (*fillBrush);
  64031. }
  64032. delete fillBrush;
  64033. }
  64034. const String strokeType (getStyleAttribute (&xml, T("stroke")));
  64035. if (strokeType.isNotEmpty() && ! strokeType.equalsIgnoreCase (T("none")))
  64036. {
  64037. Brush* const strokeBrush
  64038. = getBrushForFill (path, strokeType,
  64039. getStyleAttribute (&xml, T("stroke-opacity")),
  64040. getStyleAttribute (&xml, T("opacity")),
  64041. Colours::transparentBlack);
  64042. if (strokeBrush != 0)
  64043. {
  64044. const PathStrokeType stroke (getStrokeFor (&xml));
  64045. if (! strokeBrush->isInvisible())
  64046. {
  64047. strokeBrush->applyTransform (transform);
  64048. dp->setOutline (stroke, *strokeBrush);
  64049. }
  64050. delete strokeBrush;
  64051. }
  64052. }
  64053. return dp;
  64054. }
  64055. const XmlElement* findLinkedElement (const XmlElement* e) const
  64056. {
  64057. const String id (e->getStringAttribute (T("xlink:href")));
  64058. if (! id.startsWithChar (T('#')))
  64059. return 0;
  64060. return findElementForId (topLevelXml, id.substring (1));
  64061. }
  64062. void addGradientStopsIn (ColourGradient& cg, const XmlElement* const fillXml) const
  64063. {
  64064. if (fillXml == 0)
  64065. return;
  64066. forEachXmlChildElementWithTagName (*fillXml, e, T("stop"))
  64067. {
  64068. int index = 0;
  64069. Colour col (parseColour (getStyleAttribute (e, T("stop-color")), index, Colours::black));
  64070. const String opacity (getStyleAttribute (e, T("stop-opacity"), T("1")));
  64071. col = col.withMultipliedAlpha (jlimit (0.0f, 1.0f, opacity.getFloatValue()));
  64072. double offset = e->getDoubleAttribute (T("offset"));
  64073. if (e->getStringAttribute (T("offset")).containsChar (T('%')))
  64074. offset *= 0.01;
  64075. cg.addColour (jlimit (0.0, 1.0, offset), col);
  64076. }
  64077. }
  64078. Brush* getBrushForFill (const Path& path,
  64079. const String& fill,
  64080. const String& fillOpacity,
  64081. const String& overallOpacity,
  64082. const Colour& defaultColour) const
  64083. {
  64084. float opacity = 1.0f;
  64085. if (overallOpacity.isNotEmpty())
  64086. opacity = jlimit (0.0f, 1.0f, overallOpacity.getFloatValue());
  64087. if (fillOpacity.isNotEmpty())
  64088. opacity *= (jlimit (0.0f, 1.0f, fillOpacity.getFloatValue()));
  64089. if (fill.startsWithIgnoreCase (T("url")))
  64090. {
  64091. const String id (fill.fromFirstOccurrenceOf (T("#"), false, false)
  64092. .upToLastOccurrenceOf (T(")"), false, false).trim());
  64093. const XmlElement* const fillXml = findElementForId (topLevelXml, id);
  64094. if (fillXml != 0
  64095. && (fillXml->hasTagName (T("linearGradient"))
  64096. || fillXml->hasTagName (T("radialGradient"))))
  64097. {
  64098. const XmlElement* inheritedFrom = findLinkedElement (fillXml);
  64099. ColourGradient cg;
  64100. addGradientStopsIn (cg, inheritedFrom);
  64101. addGradientStopsIn (cg, fillXml);
  64102. if (cg.getNumColours() > 0)
  64103. {
  64104. cg.addColour (0.0, cg.getColour (0));
  64105. cg.addColour (1.0, cg.getColour (cg.getNumColours() - 1));
  64106. }
  64107. else
  64108. {
  64109. cg.addColour (0.0, Colours::black);
  64110. cg.addColour (1.0, Colours::black);
  64111. }
  64112. if (overallOpacity.isNotEmpty())
  64113. cg.multiplyOpacity (overallOpacity.getFloatValue());
  64114. jassert (cg.getNumColours() > 0);
  64115. cg.isRadial = fillXml->hasTagName (T("radialGradient"));
  64116. cg.transform = parseTransform (fillXml->getStringAttribute (T("gradientTransform")));
  64117. float width = viewBoxW;
  64118. float height = viewBoxH;
  64119. float dx = 0.0;
  64120. float dy = 0.0;
  64121. const bool userSpace = fillXml->getStringAttribute (T("gradientUnits")).equalsIgnoreCase (T("userSpaceOnUse"));
  64122. if (! userSpace)
  64123. path.getBounds (dx, dy, width, height);
  64124. if (cg.isRadial)
  64125. {
  64126. cg.x1 = dx + getCoordLength (fillXml->getStringAttribute (T("cx"), T("50%")), width);
  64127. cg.y1 = dy + getCoordLength (fillXml->getStringAttribute (T("cy"), T("50%")), height);
  64128. const float radius = getCoordLength (fillXml->getStringAttribute (T("r"), T("50%")), width);
  64129. cg.x2 = cg.x1 + radius;
  64130. cg.y2 = cg.y1;
  64131. //xxx (the fx, fy focal point isn't handled properly here..)
  64132. }
  64133. else
  64134. {
  64135. cg.x1 = dx + getCoordLength (fillXml->getStringAttribute (T("x1"), T("0%")), width);
  64136. cg.y1 = dy + getCoordLength (fillXml->getStringAttribute (T("y1"), T("0%")), height);
  64137. cg.x2 = dx + getCoordLength (fillXml->getStringAttribute (T("x2"), T("100%")), width);
  64138. cg.y2 = dy + getCoordLength (fillXml->getStringAttribute (T("y2"), T("0%")), height);
  64139. if (cg.x1 == cg.x2 && cg.y1 == cg.y2)
  64140. return new SolidColourBrush (cg.getColour (cg.getNumColours() - 1));
  64141. }
  64142. return new GradientBrush (cg);
  64143. }
  64144. }
  64145. if (fill.equalsIgnoreCase (T("none")))
  64146. return new SolidColourBrush (Colours::transparentBlack);
  64147. int i = 0;
  64148. Colour colour (parseColour (fill, i, defaultColour));
  64149. colour = colour.withMultipliedAlpha (opacity);
  64150. return new SolidColourBrush (colour);
  64151. }
  64152. const PathStrokeType getStrokeFor (const XmlElement* const xml) const
  64153. {
  64154. const String width (getStyleAttribute (xml, T("stroke-width")));
  64155. const String cap (getStyleAttribute (xml, T("stroke-linecap")));
  64156. const String join (getStyleAttribute (xml, T("stroke-linejoin")));
  64157. //const String mitreLimit (getStyleAttribute (xml, T("stroke-miterlimit")));
  64158. //const String dashArray (getStyleAttribute (xml, T("stroke-dasharray")));
  64159. //const String dashOffset (getStyleAttribute (xml, T("stroke-dashoffset")));
  64160. PathStrokeType::JointStyle joinStyle = PathStrokeType::mitered;
  64161. PathStrokeType::EndCapStyle capStyle = PathStrokeType::butt;
  64162. if (join.equalsIgnoreCase (T("round")))
  64163. joinStyle = PathStrokeType::curved;
  64164. else if (join.equalsIgnoreCase (T("bevel")))
  64165. joinStyle = PathStrokeType::beveled;
  64166. if (cap.equalsIgnoreCase (T("round")))
  64167. capStyle = PathStrokeType::rounded;
  64168. else if (cap.equalsIgnoreCase (T("square")))
  64169. capStyle = PathStrokeType::square;
  64170. float ox = 0.0f, oy = 0.0f;
  64171. transform.transformPoint (ox, oy);
  64172. float x = getCoordLength (width, viewBoxW), y = 0.0f;
  64173. transform.transformPoint (x, y);
  64174. return PathStrokeType (width.isNotEmpty() ? juce_hypotf (x - ox, y - oy) : 1.0f,
  64175. joinStyle, capStyle);
  64176. }
  64177. Drawable* parseText (const XmlElement& xml)
  64178. {
  64179. Array <float> xCoords, yCoords, dxCoords, dyCoords;
  64180. getCoordList (xCoords, getInheritedAttribute (&xml, T("x")), true, true);
  64181. getCoordList (yCoords, getInheritedAttribute (&xml, T("y")), true, false);
  64182. getCoordList (dxCoords, getInheritedAttribute (&xml, T("dx")), true, true);
  64183. getCoordList (dyCoords, getInheritedAttribute (&xml, T("dy")), true, false);
  64184. //xxx not done text yet!
  64185. forEachXmlChildElement (xml, e)
  64186. {
  64187. if (e->isTextElement())
  64188. {
  64189. const String text (e->getText());
  64190. Path path;
  64191. Drawable* s = parseShape (*e, path);
  64192. delete s;
  64193. }
  64194. else if (e->hasTagName (T("tspan")))
  64195. {
  64196. Drawable* s = parseText (*e);
  64197. delete s;
  64198. }
  64199. }
  64200. return 0;
  64201. }
  64202. void addTransform (const XmlElement& xml)
  64203. {
  64204. transform = parseTransform (xml.getStringAttribute (T("transform")))
  64205. .followedBy (transform);
  64206. }
  64207. bool parseCoord (const String& s, float& value, int& index,
  64208. const bool allowUnits, const bool isX) const
  64209. {
  64210. String number;
  64211. if (! parseNextNumber (s, number, index, allowUnits))
  64212. {
  64213. value = 0;
  64214. return false;
  64215. }
  64216. value = getCoordLength (number, isX ? viewBoxW : viewBoxH);
  64217. return true;
  64218. }
  64219. bool parseCoords (const String& s, float& x, float& y,
  64220. int& index, const bool allowUnits) const
  64221. {
  64222. return parseCoord (s, x, index, allowUnits, true)
  64223. && parseCoord (s, y, index, allowUnits, false);
  64224. }
  64225. float getCoordLength (const String& s, const float sizeForProportions) const
  64226. {
  64227. float n = s.getFloatValue();
  64228. const int len = s.length();
  64229. if (len > 2)
  64230. {
  64231. const float dpi = 96.0f;
  64232. const tchar n1 = s [len - 2];
  64233. const tchar n2 = s [len - 1];
  64234. if (n1 == T('i') && n2 == T('n'))
  64235. n *= dpi;
  64236. else if (n1 == T('m') && n2 == T('m'))
  64237. n *= dpi / 25.4f;
  64238. else if (n1 == T('c') && n2 == T('m'))
  64239. n *= dpi / 2.54f;
  64240. else if (n1 == T('p') && n2 == T('c'))
  64241. n *= 15.0f;
  64242. else if (n2 == T('%'))
  64243. n *= 0.01f * sizeForProportions;
  64244. }
  64245. return n;
  64246. }
  64247. void getCoordList (Array <float>& coords, const String& list,
  64248. const bool allowUnits, const bool isX) const
  64249. {
  64250. int index = 0;
  64251. float value;
  64252. while (parseCoord (list, value, index, allowUnits, isX))
  64253. coords.add (value);
  64254. }
  64255. void parseCSSStyle (const XmlElement& xml)
  64256. {
  64257. cssStyleText = xml.getAllSubText() + T("\n") + cssStyleText;
  64258. }
  64259. const String getStyleAttribute (const XmlElement* xml, const String& attributeName,
  64260. const String& defaultValue = String::empty) const
  64261. {
  64262. if (xml->hasAttribute (attributeName))
  64263. return xml->getStringAttribute (attributeName, defaultValue);
  64264. const String styleAtt (xml->getStringAttribute (T("style")));
  64265. if (styleAtt.isNotEmpty())
  64266. {
  64267. const String value (getAttributeFromStyleList (styleAtt, attributeName, String::empty));
  64268. if (value.isNotEmpty())
  64269. return value;
  64270. }
  64271. else if (xml->hasAttribute (T("class")))
  64272. {
  64273. const String className (T(".") + xml->getStringAttribute (T("class")));
  64274. int index = cssStyleText.indexOfIgnoreCase (className + T(" "));
  64275. if (index < 0)
  64276. index = cssStyleText.indexOfIgnoreCase (className + T("{"));
  64277. if (index >= 0)
  64278. {
  64279. const int openBracket = cssStyleText.indexOfChar (index, T('{'));
  64280. if (openBracket > index)
  64281. {
  64282. const int closeBracket = cssStyleText.indexOfChar (openBracket, T('}'));
  64283. if (closeBracket > openBracket)
  64284. {
  64285. const String value (getAttributeFromStyleList (cssStyleText.substring (openBracket + 1, closeBracket), attributeName, defaultValue));
  64286. if (value.isNotEmpty())
  64287. return value;
  64288. }
  64289. }
  64290. }
  64291. }
  64292. xml = const_cast <XmlElement*> (topLevelXml)->findParentElementOf (xml);
  64293. if (xml != 0)
  64294. return getStyleAttribute (xml, attributeName, defaultValue);
  64295. return defaultValue;
  64296. }
  64297. const String getInheritedAttribute (const XmlElement* xml, const String& attributeName) const
  64298. {
  64299. if (xml->hasAttribute (attributeName))
  64300. return xml->getStringAttribute (attributeName);
  64301. xml = const_cast <XmlElement*> (topLevelXml)->findParentElementOf (xml);
  64302. if (xml != 0)
  64303. return getInheritedAttribute (xml, attributeName);
  64304. return String::empty;
  64305. }
  64306. static bool isIdentifierChar (const tchar c)
  64307. {
  64308. return CharacterFunctions::isLetter (c) || c == T('-');
  64309. }
  64310. static const String getAttributeFromStyleList (const String& list, const String& attributeName, const String& defaultValue)
  64311. {
  64312. int i = 0;
  64313. for (;;)
  64314. {
  64315. i = list.indexOf (i, attributeName);
  64316. if (i < 0)
  64317. break;
  64318. if ((i == 0 || (i > 0 && ! isIdentifierChar (list [i - 1])))
  64319. && ! isIdentifierChar (list [i + attributeName.length()]))
  64320. {
  64321. i = list.indexOfChar (i, T(':'));
  64322. if (i < 0)
  64323. break;
  64324. int end = list.indexOfChar (i, T(';'));
  64325. if (end < 0)
  64326. end = 0x7ffff;
  64327. return list.substring (i + 1, end).trim();
  64328. }
  64329. ++i;
  64330. }
  64331. return defaultValue;
  64332. }
  64333. static bool parseNextNumber (const String& source, String& value, int& index, const bool allowUnits)
  64334. {
  64335. const tchar* const s = (const tchar*) source;
  64336. while (CharacterFunctions::isWhitespace (s[index]) || s[index] == T(','))
  64337. ++index;
  64338. int start = index;
  64339. if (CharacterFunctions::isDigit (s[index]) || s[index] == T('.') || s[index] == T('-'))
  64340. ++index;
  64341. while (CharacterFunctions::isDigit (s[index]) || s[index] == T('.'))
  64342. ++index;
  64343. if ((s[index] == T('e') || s[index] == T('E'))
  64344. && (CharacterFunctions::isDigit (s[index + 1])
  64345. || s[index + 1] == T('-')
  64346. || s[index + 1] == T('+')))
  64347. {
  64348. index += 2;
  64349. while (CharacterFunctions::isDigit (s[index]))
  64350. ++index;
  64351. }
  64352. if (allowUnits)
  64353. {
  64354. while (CharacterFunctions::isLetter (s[index]))
  64355. ++index;
  64356. }
  64357. if (index == start)
  64358. return false;
  64359. value = String (s + start, index - start);
  64360. while (CharacterFunctions::isWhitespace (s[index]) || s[index] == T(','))
  64361. ++index;
  64362. return true;
  64363. }
  64364. static const Colour parseColour (const String& s, int& index, const Colour& defaultColour)
  64365. {
  64366. if (s [index] == T('#'))
  64367. {
  64368. uint32 hex [6];
  64369. zeromem (hex, sizeof (hex));
  64370. int numChars = 0;
  64371. for (int i = 6; --i >= 0;)
  64372. {
  64373. const int hexValue = CharacterFunctions::getHexDigitValue (s [++index]);
  64374. if (hexValue >= 0)
  64375. hex [numChars++] = hexValue;
  64376. else
  64377. break;
  64378. }
  64379. if (numChars <= 3)
  64380. return Colour ((uint8) (hex [0] * 0x11),
  64381. (uint8) (hex [1] * 0x11),
  64382. (uint8) (hex [2] * 0x11));
  64383. else
  64384. return Colour ((uint8) ((hex [0] << 4) + hex [1]),
  64385. (uint8) ((hex [2] << 4) + hex [3]),
  64386. (uint8) ((hex [4] << 4) + hex [5]));
  64387. }
  64388. else if (s [index] == T('r')
  64389. && s [index + 1] == T('g')
  64390. && s [index + 2] == T('b'))
  64391. {
  64392. const int openBracket = s.indexOfChar (index, T('('));
  64393. const int closeBracket = s.indexOfChar (openBracket, T(')'));
  64394. if (openBracket >= 3 && closeBracket > openBracket)
  64395. {
  64396. index = closeBracket;
  64397. StringArray tokens;
  64398. tokens.addTokens (s.substring (openBracket + 1, closeBracket), T(","), T(""));
  64399. tokens.trim();
  64400. tokens.removeEmptyStrings();
  64401. if (tokens[0].containsChar T('%'))
  64402. return Colour ((uint8) roundDoubleToInt (2.55 * tokens[0].getDoubleValue()),
  64403. (uint8) roundDoubleToInt (2.55 * tokens[1].getDoubleValue()),
  64404. (uint8) roundDoubleToInt (2.55 * tokens[2].getDoubleValue()));
  64405. else
  64406. return Colour ((uint8) tokens[0].getIntValue(),
  64407. (uint8) tokens[1].getIntValue(),
  64408. (uint8) tokens[2].getIntValue());
  64409. }
  64410. }
  64411. return Colours::findColourForName (s, defaultColour);
  64412. }
  64413. static const AffineTransform parseTransform (String t)
  64414. {
  64415. AffineTransform result;
  64416. while (t.isNotEmpty())
  64417. {
  64418. StringArray tokens;
  64419. tokens.addTokens (t.fromFirstOccurrenceOf (T("("), false, false)
  64420. .upToFirstOccurrenceOf (T(")"), false, false),
  64421. T(", "), 0);
  64422. tokens.removeEmptyStrings (true);
  64423. float numbers [6];
  64424. for (int i = 0; i < 6; ++i)
  64425. numbers[i] = tokens[i].getFloatValue();
  64426. AffineTransform trans;
  64427. if (t.startsWithIgnoreCase (T("matrix")))
  64428. {
  64429. trans = AffineTransform (numbers[0], numbers[2], numbers[4],
  64430. numbers[1], numbers[3], numbers[5]);
  64431. }
  64432. else if (t.startsWithIgnoreCase (T("translate")))
  64433. {
  64434. trans = trans.translated (numbers[0], numbers[1]);
  64435. }
  64436. else if (t.startsWithIgnoreCase (T("scale")))
  64437. {
  64438. if (tokens.size() == 1)
  64439. trans = trans.scaled (numbers[0], numbers[0]);
  64440. else
  64441. trans = trans.scaled (numbers[0], numbers[1]);
  64442. }
  64443. else if (t.startsWithIgnoreCase (T("rotate")))
  64444. {
  64445. if (tokens.size() != 3)
  64446. trans = trans.rotated (numbers[0] / (180.0f / float_Pi));
  64447. else
  64448. trans = trans.rotated (numbers[0] / (180.0f / float_Pi),
  64449. numbers[1], numbers[2]);
  64450. }
  64451. else if (t.startsWithIgnoreCase (T("skewX")))
  64452. {
  64453. trans = AffineTransform (1.0f, tanf (numbers[0] * (float_Pi / 180.0f)), 0.0f,
  64454. 0.0f, 1.0f, 0.0f);
  64455. }
  64456. else if (t.startsWithIgnoreCase (T("skewY")))
  64457. {
  64458. trans = AffineTransform (1.0f, 0.0f, 0.0f,
  64459. tanf (numbers[0] * (float_Pi / 180.0f)), 1.0f, 0.0f);
  64460. }
  64461. result = trans.followedBy (result);
  64462. t = t.fromFirstOccurrenceOf (T(")"), false, false).trimStart();
  64463. }
  64464. return result;
  64465. }
  64466. static void endpointToCentreParameters (const double x1, const double y1,
  64467. const double x2, const double y2,
  64468. const double angle,
  64469. const bool largeArc, const bool sweep,
  64470. double& rx, double& ry,
  64471. double& centreX, double& centreY,
  64472. double& startAngle, double& deltaAngle)
  64473. {
  64474. const double midX = (x1 - x2) * 0.5;
  64475. const double midY = (y1 - y2) * 0.5;
  64476. const double cosAngle = cos (angle);
  64477. const double sinAngle = sin (angle);
  64478. const double xp = cosAngle * midX + sinAngle * midY;
  64479. const double yp = cosAngle * midY - sinAngle * midX;
  64480. const double xp2 = xp * xp;
  64481. const double yp2 = yp * yp;
  64482. double rx2 = rx * rx;
  64483. double ry2 = ry * ry;
  64484. const double s = (xp2 / rx2) + (yp2 / ry2);
  64485. double c;
  64486. if (s <= 1.0)
  64487. {
  64488. c = sqrt (jmax (0.0, ((rx2 * ry2) - (rx2 * yp2) - (ry2 * xp2))
  64489. / (( rx2 * yp2) + (ry2 * xp2))));
  64490. if (largeArc == sweep)
  64491. c = -c;
  64492. }
  64493. else
  64494. {
  64495. const double s2 = sqrt (s);
  64496. rx *= s2;
  64497. ry *= s2;
  64498. rx2 = rx * rx;
  64499. ry2 = ry * ry;
  64500. c = 0;
  64501. }
  64502. const double cpx = ((rx * yp) / ry) * c;
  64503. const double cpy = ((-ry * xp) / rx) * c;
  64504. centreX = ((x1 + x2) * 0.5) + (cosAngle * cpx) - (sinAngle * cpy);
  64505. centreY = ((y1 + y2) * 0.5) + (sinAngle * cpx) + (cosAngle * cpy);
  64506. const double ux = (xp - cpx) / rx;
  64507. const double uy = (yp - cpy) / ry;
  64508. const double vx = (-xp - cpx) / rx;
  64509. const double vy = (-yp - cpy) / ry;
  64510. const double length = juce_hypot (ux, uy);
  64511. startAngle = acos (jlimit (-1.0, 1.0, ux / length));
  64512. if (uy < 0)
  64513. startAngle = -startAngle;
  64514. startAngle += double_Pi * 0.5;
  64515. deltaAngle = acos (jlimit (-1.0, 1.0, ((ux * vx) + (uy * vy))
  64516. / (length * juce_hypot (vx, vy))));
  64517. if ((ux * vy) - (uy * vx) < 0)
  64518. deltaAngle = -deltaAngle;
  64519. if (sweep)
  64520. {
  64521. if (deltaAngle < 0)
  64522. deltaAngle += double_Pi * 2.0;
  64523. }
  64524. else
  64525. {
  64526. if (deltaAngle > 0)
  64527. deltaAngle -= double_Pi * 2.0;
  64528. }
  64529. deltaAngle = fmod (deltaAngle, double_Pi * 2.0);
  64530. }
  64531. static const XmlElement* findElementForId (const XmlElement* const parent, const String& id)
  64532. {
  64533. forEachXmlChildElement (*parent, e)
  64534. {
  64535. if (e->compareAttribute (T("id"), id))
  64536. return e;
  64537. const XmlElement* const found = findElementForId (e, id);
  64538. if (found != 0)
  64539. return found;
  64540. }
  64541. return 0;
  64542. }
  64543. const SVGState& operator= (const SVGState&);
  64544. };
  64545. Drawable* Drawable::createFromSVG (const XmlElement& svgDocument)
  64546. {
  64547. SVGState state (&svgDocument);
  64548. return state.parseSVGElement (svgDocument);
  64549. }
  64550. END_JUCE_NAMESPACE
  64551. /********* End of inlined file: juce_SVGParser.cpp *********/
  64552. /********* Start of inlined file: juce_DropShadowEffect.cpp *********/
  64553. BEGIN_JUCE_NAMESPACE
  64554. #if JUCE_MSVC
  64555. #pragma optimize ("t", on) // try to avoid slowing everything down in debug builds
  64556. #endif
  64557. DropShadowEffect::DropShadowEffect()
  64558. : offsetX (0),
  64559. offsetY (0),
  64560. radius (4),
  64561. opacity (0.6f)
  64562. {
  64563. }
  64564. DropShadowEffect::~DropShadowEffect()
  64565. {
  64566. }
  64567. void DropShadowEffect::setShadowProperties (const float newRadius,
  64568. const float newOpacity,
  64569. const int newShadowOffsetX,
  64570. const int newShadowOffsetY)
  64571. {
  64572. radius = jmax (1.1f, newRadius);
  64573. offsetX = newShadowOffsetX;
  64574. offsetY = newShadowOffsetY;
  64575. opacity = newOpacity;
  64576. }
  64577. void DropShadowEffect::applyEffect (Image& image, Graphics& g)
  64578. {
  64579. const int w = image.getWidth();
  64580. const int h = image.getHeight();
  64581. int lineStride, pixelStride;
  64582. const PixelARGB* srcPixels = (const PixelARGB*) image.lockPixelDataReadOnly (0, 0, image.getWidth(), image.getHeight(), lineStride, pixelStride);
  64583. Image shadowImage (Image::SingleChannel, w, h, false);
  64584. int destStride, destPixelStride;
  64585. uint8* const shadowChannel = (uint8*) shadowImage.lockPixelDataReadWrite (0, 0, w, h, destStride, destPixelStride);
  64586. const int filter = roundFloatToInt (63.0f / radius);
  64587. const int radiusMinus1 = roundFloatToInt ((radius - 1.0f) * 63.0f);
  64588. for (int x = w; --x >= 0;)
  64589. {
  64590. int shadowAlpha = 0;
  64591. const PixelARGB* src = srcPixels + x;
  64592. uint8* shadowPix = shadowChannel + x;
  64593. for (int y = h; --y >= 0;)
  64594. {
  64595. shadowAlpha = ((shadowAlpha * radiusMinus1 + (src->getAlpha() << 6)) * filter) >> 12;
  64596. *shadowPix = (uint8) shadowAlpha;
  64597. src = (const PixelARGB*) (((const uint8*) src) + lineStride);
  64598. shadowPix += destStride;
  64599. }
  64600. }
  64601. for (int y = h; --y >= 0;)
  64602. {
  64603. int shadowAlpha = 0;
  64604. uint8* shadowPix = shadowChannel + y * destStride;
  64605. for (int x = w; --x >= 0;)
  64606. {
  64607. shadowAlpha = ((shadowAlpha * radiusMinus1 + (*shadowPix << 6)) * filter) >> 12;
  64608. *shadowPix++ = (uint8) shadowAlpha;
  64609. }
  64610. }
  64611. image.releasePixelDataReadOnly (srcPixels);
  64612. shadowImage.releasePixelDataReadWrite (shadowChannel);
  64613. g.setColour (Colours::black.withAlpha (opacity));
  64614. g.drawImageAt (&shadowImage, offsetX, offsetY, true);
  64615. g.setOpacity (1.0f);
  64616. g.drawImageAt (&image, 0, 0);
  64617. }
  64618. END_JUCE_NAMESPACE
  64619. /********* End of inlined file: juce_DropShadowEffect.cpp *********/
  64620. /********* Start of inlined file: juce_GlowEffect.cpp *********/
  64621. BEGIN_JUCE_NAMESPACE
  64622. GlowEffect::GlowEffect()
  64623. : radius (2.0f),
  64624. colour (Colours::white)
  64625. {
  64626. }
  64627. GlowEffect::~GlowEffect()
  64628. {
  64629. }
  64630. void GlowEffect::setGlowProperties (const float newRadius,
  64631. const Colour& newColour)
  64632. {
  64633. radius = newRadius;
  64634. colour = newColour;
  64635. }
  64636. void GlowEffect::applyEffect (Image& image, Graphics& g)
  64637. {
  64638. const int w = image.getWidth();
  64639. const int h = image.getHeight();
  64640. Image temp (image.getFormat(), w, h, true);
  64641. ImageConvolutionKernel blurKernel (roundFloatToInt (radius * 2.0f));
  64642. blurKernel.createGaussianBlur (radius);
  64643. blurKernel.rescaleAllValues (radius);
  64644. blurKernel.applyToImage (temp, &image, 0, 0, w, h);
  64645. g.setColour (colour);
  64646. g.drawImageAt (&temp, 0, 0, true);
  64647. g.setOpacity (1.0f);
  64648. g.drawImageAt (&image, 0, 0, false);
  64649. }
  64650. END_JUCE_NAMESPACE
  64651. /********* End of inlined file: juce_GlowEffect.cpp *********/
  64652. /********* Start of inlined file: juce_ReduceOpacityEffect.cpp *********/
  64653. BEGIN_JUCE_NAMESPACE
  64654. ReduceOpacityEffect::ReduceOpacityEffect (const float opacity_)
  64655. : opacity (opacity_)
  64656. {
  64657. }
  64658. ReduceOpacityEffect::~ReduceOpacityEffect()
  64659. {
  64660. }
  64661. void ReduceOpacityEffect::setOpacity (const float newOpacity)
  64662. {
  64663. opacity = jlimit (0.0f, 1.0f, newOpacity);
  64664. }
  64665. void ReduceOpacityEffect::applyEffect (Image& image, Graphics& g)
  64666. {
  64667. g.setOpacity (opacity);
  64668. g.drawImageAt (&image, 0, 0);
  64669. }
  64670. END_JUCE_NAMESPACE
  64671. /********* End of inlined file: juce_ReduceOpacityEffect.cpp *********/
  64672. /********* Start of inlined file: juce_Font.cpp *********/
  64673. BEGIN_JUCE_NAMESPACE
  64674. static const float minFontHeight = 0.1f;
  64675. static const float maxFontHeight = 10000.0f;
  64676. static const float defaultFontHeight = 14.0f;
  64677. static String defaultSans, defaultSerif, defaultFixed, fallbackFont;
  64678. Font::Font() throw()
  64679. : typefaceName (defaultSans),
  64680. height (defaultFontHeight),
  64681. horizontalScale (1.0f),
  64682. kerning (0),
  64683. ascent (0),
  64684. styleFlags (Font::plain)
  64685. {
  64686. }
  64687. void Font::resetToDefaultState() throw()
  64688. {
  64689. typefaceName = defaultSans;
  64690. height = defaultFontHeight;
  64691. horizontalScale = 1.0f;
  64692. kerning = 0;
  64693. ascent = 0;
  64694. styleFlags = Font::plain;
  64695. typeface = 0;
  64696. }
  64697. Font::Font (const float fontHeight,
  64698. const int styleFlags_) throw()
  64699. : typefaceName (defaultSans),
  64700. height (jlimit (minFontHeight, maxFontHeight, fontHeight)),
  64701. horizontalScale (1.0f),
  64702. kerning (0),
  64703. ascent (0),
  64704. styleFlags (styleFlags_)
  64705. {
  64706. }
  64707. Font::Font (const String& typefaceName_,
  64708. const float fontHeight,
  64709. const int styleFlags_) throw()
  64710. : typefaceName (typefaceName_),
  64711. height (jlimit (minFontHeight, maxFontHeight, fontHeight)),
  64712. horizontalScale (1.0f),
  64713. kerning (0),
  64714. ascent (0),
  64715. styleFlags (styleFlags_)
  64716. {
  64717. }
  64718. Font::Font (const Font& other) throw()
  64719. : typefaceName (other.typefaceName),
  64720. height (other.height),
  64721. horizontalScale (other.horizontalScale),
  64722. kerning (other.kerning),
  64723. ascent (other.ascent),
  64724. styleFlags (other.styleFlags),
  64725. typeface (other.typeface)
  64726. {
  64727. }
  64728. const Font& Font::operator= (const Font& other) throw()
  64729. {
  64730. if (this != &other)
  64731. {
  64732. typefaceName = other.typefaceName;
  64733. height = other.height;
  64734. styleFlags = other.styleFlags;
  64735. horizontalScale = other.horizontalScale;
  64736. kerning = other.kerning;
  64737. ascent = other.ascent;
  64738. typeface = other.typeface;
  64739. }
  64740. return *this;
  64741. }
  64742. Font::~Font() throw()
  64743. {
  64744. }
  64745. Font::Font (const Typeface& face) throw()
  64746. : height (11.0f),
  64747. horizontalScale (1.0f),
  64748. kerning (0),
  64749. ascent (0),
  64750. styleFlags (plain)
  64751. {
  64752. typefaceName = face.getName();
  64753. setBold (face.isBold());
  64754. setItalic (face.isItalic());
  64755. typeface = new Typeface (face);
  64756. }
  64757. bool Font::operator== (const Font& other) const throw()
  64758. {
  64759. return height == other.height
  64760. && horizontalScale == other.horizontalScale
  64761. && kerning == other.kerning
  64762. && styleFlags == other.styleFlags
  64763. && typefaceName == other.typefaceName;
  64764. }
  64765. bool Font::operator!= (const Font& other) const throw()
  64766. {
  64767. return ! operator== (other);
  64768. }
  64769. void Font::setTypefaceName (const String& faceName) throw()
  64770. {
  64771. typefaceName = faceName;
  64772. typeface = 0;
  64773. ascent = 0;
  64774. }
  64775. void Font::initialiseDefaultFontNames() throw()
  64776. {
  64777. Font::getDefaultFontNames (defaultSans,
  64778. defaultSerif,
  64779. defaultFixed);
  64780. }
  64781. void clearUpDefaultFontNames() throw() // called at shutdown by code in Typface
  64782. {
  64783. defaultSans = String::empty;
  64784. defaultSerif = String::empty;
  64785. defaultFixed = String::empty;
  64786. fallbackFont = String::empty;
  64787. }
  64788. const String Font::getDefaultSansSerifFontName() throw()
  64789. {
  64790. return defaultSans;
  64791. }
  64792. const String Font::getDefaultSerifFontName() throw()
  64793. {
  64794. return defaultSerif;
  64795. }
  64796. const String Font::getDefaultMonospacedFontName() throw()
  64797. {
  64798. return defaultFixed;
  64799. }
  64800. void Font::setDefaultSansSerifFontName (const String& name) throw()
  64801. {
  64802. defaultSans = name;
  64803. }
  64804. const String Font::getFallbackFontName() throw()
  64805. {
  64806. return fallbackFont;
  64807. }
  64808. void Font::setFallbackFontName (const String& name) throw()
  64809. {
  64810. fallbackFont = name;
  64811. }
  64812. void Font::setHeight (float newHeight) throw()
  64813. {
  64814. height = jlimit (minFontHeight, maxFontHeight, newHeight);
  64815. }
  64816. void Font::setHeightWithoutChangingWidth (float newHeight) throw()
  64817. {
  64818. newHeight = jlimit (minFontHeight, maxFontHeight, newHeight);
  64819. horizontalScale *= (height / newHeight);
  64820. height = newHeight;
  64821. }
  64822. void Font::setStyleFlags (const int newFlags) throw()
  64823. {
  64824. if (styleFlags != newFlags)
  64825. {
  64826. styleFlags = newFlags;
  64827. typeface = 0;
  64828. ascent = 0;
  64829. }
  64830. }
  64831. void Font::setSizeAndStyle (const float newHeight,
  64832. const int newStyleFlags,
  64833. const float newHorizontalScale,
  64834. const float newKerningAmount) throw()
  64835. {
  64836. height = jlimit (minFontHeight, maxFontHeight, newHeight);
  64837. horizontalScale = newHorizontalScale;
  64838. kerning = newKerningAmount;
  64839. setStyleFlags (newStyleFlags);
  64840. }
  64841. void Font::setHorizontalScale (const float scaleFactor) throw()
  64842. {
  64843. horizontalScale = scaleFactor;
  64844. }
  64845. void Font::setExtraKerningFactor (const float extraKerning) throw()
  64846. {
  64847. kerning = extraKerning;
  64848. }
  64849. void Font::setBold (const bool shouldBeBold) throw()
  64850. {
  64851. setStyleFlags (shouldBeBold ? (styleFlags | bold)
  64852. : (styleFlags & ~bold));
  64853. }
  64854. bool Font::isBold() const throw()
  64855. {
  64856. return (styleFlags & bold) != 0;
  64857. }
  64858. void Font::setItalic (const bool shouldBeItalic) throw()
  64859. {
  64860. setStyleFlags (shouldBeItalic ? (styleFlags | italic)
  64861. : (styleFlags & ~italic));
  64862. }
  64863. bool Font::isItalic() const throw()
  64864. {
  64865. return (styleFlags & italic) != 0;
  64866. }
  64867. void Font::setUnderline (const bool shouldBeUnderlined) throw()
  64868. {
  64869. setStyleFlags (shouldBeUnderlined ? (styleFlags | underlined)
  64870. : (styleFlags & ~underlined));
  64871. }
  64872. bool Font::isUnderlined() const throw()
  64873. {
  64874. return (styleFlags & underlined) != 0;
  64875. }
  64876. float Font::getAscent() const throw()
  64877. {
  64878. if (ascent == 0)
  64879. ascent = getTypeface()->getAscent();
  64880. return height * ascent;
  64881. }
  64882. float Font::getDescent() const throw()
  64883. {
  64884. return height - getAscent();
  64885. }
  64886. int Font::getStringWidth (const String& text) const throw()
  64887. {
  64888. return roundFloatToInt (getStringWidthFloat (text));
  64889. }
  64890. float Font::getStringWidthFloat (const String& text) const throw()
  64891. {
  64892. float x = 0.0f;
  64893. if (text.isNotEmpty())
  64894. {
  64895. Typeface* const typeface = getTypeface();
  64896. const juce_wchar* t = (const juce_wchar*) text;
  64897. do
  64898. {
  64899. const TypefaceGlyphInfo* const glyph = typeface->getGlyph (*t++);
  64900. if (glyph != 0)
  64901. x += kerning + glyph->getHorizontalSpacing (*t);
  64902. }
  64903. while (*t != 0);
  64904. x *= height;
  64905. x *= horizontalScale;
  64906. }
  64907. return x;
  64908. }
  64909. Typeface* Font::getTypeface() const throw()
  64910. {
  64911. if (typeface == 0)
  64912. typeface = Typeface::getTypefaceFor (*this);
  64913. return typeface;
  64914. }
  64915. void Font::findFonts (OwnedArray<Font>& destArray) throw()
  64916. {
  64917. const StringArray names (findAllTypefaceNames());
  64918. for (int i = 0; i < names.size(); ++i)
  64919. destArray.add (new Font (names[i], defaultFontHeight, Font::plain));
  64920. }
  64921. END_JUCE_NAMESPACE
  64922. /********* End of inlined file: juce_Font.cpp *********/
  64923. /********* Start of inlined file: juce_GlyphArrangement.cpp *********/
  64924. BEGIN_JUCE_NAMESPACE
  64925. #define SHOULD_WRAP(x, wrapwidth) (((x) - 0.0001f) >= (wrapwidth))
  64926. class FontGlyphAlphaMap
  64927. {
  64928. public:
  64929. bool draw (const Graphics& g, float x, const float y) const throw()
  64930. {
  64931. if (bitmap1 == 0)
  64932. return false;
  64933. x += xOrigin;
  64934. const float xFloor = floorf (x);
  64935. const int intX = (int) xFloor;
  64936. g.drawImageAt (((x - xFloor) >= 0.5f && bitmap2 != 0) ? bitmap2 : bitmap1,
  64937. intX, (int) floorf (y + yOrigin), true);
  64938. return true;
  64939. }
  64940. juce_UseDebuggingNewOperator
  64941. private:
  64942. Image* bitmap1;
  64943. Image* bitmap2;
  64944. float xOrigin, yOrigin;
  64945. int lastAccessCount;
  64946. Typeface::Ptr typeface;
  64947. float height, horizontalScale;
  64948. juce_wchar character;
  64949. friend class GlyphCache;
  64950. FontGlyphAlphaMap() throw()
  64951. : bitmap1 (0),
  64952. bitmap2 (0),
  64953. lastAccessCount (0),
  64954. height (0),
  64955. horizontalScale (0),
  64956. character (0)
  64957. {
  64958. }
  64959. ~FontGlyphAlphaMap() throw()
  64960. {
  64961. delete bitmap1;
  64962. delete bitmap2;
  64963. }
  64964. class AlphaBitmapRenderer
  64965. {
  64966. uint8* const data;
  64967. const int stride;
  64968. uint8* lineStart;
  64969. AlphaBitmapRenderer (const AlphaBitmapRenderer&);
  64970. const AlphaBitmapRenderer& operator= (const AlphaBitmapRenderer&);
  64971. public:
  64972. AlphaBitmapRenderer (uint8* const data_,
  64973. const int stride_) throw()
  64974. : data (data_),
  64975. stride (stride_)
  64976. {
  64977. }
  64978. forcedinline void setEdgeTableYPos (const int y) throw()
  64979. {
  64980. lineStart = data + (stride * y);
  64981. }
  64982. forcedinline void handleEdgeTablePixel (const int x, const int alphaLevel) const throw()
  64983. {
  64984. lineStart [x] = (uint8) alphaLevel;
  64985. }
  64986. forcedinline void handleEdgeTableLine (const int x, int width, const int alphaLevel) const throw()
  64987. {
  64988. uint8* d = lineStart + x;
  64989. while (--width >= 0)
  64990. *d++ = (uint8) alphaLevel;
  64991. }
  64992. };
  64993. Image* createAlphaMapFromPath (const Path& path,
  64994. float& topLeftX, float& topLeftY,
  64995. float xScale, float yScale,
  64996. const float subPixelOffsetX) throw()
  64997. {
  64998. Image* im = 0;
  64999. float px, py, pw, ph;
  65000. path.getBounds (px, py, pw, ph);
  65001. topLeftX = floorf (px * xScale);
  65002. topLeftY = floorf (py * yScale);
  65003. int bitmapWidth = roundFloatToInt (pw * xScale) + 2;
  65004. int bitmapHeight = roundFloatToInt (ph * yScale) + 2;
  65005. im = new Image (Image::SingleChannel, bitmapWidth, bitmapHeight, true);
  65006. EdgeTable edgeTable (0, bitmapHeight, EdgeTable::Oversampling_16times);
  65007. edgeTable.addPath (path, AffineTransform::scale (xScale, yScale)
  65008. .translated (subPixelOffsetX - topLeftX, -topLeftY));
  65009. int stride, pixelStride;
  65010. uint8* const pixels = (uint8*) im->lockPixelDataReadWrite (0, 0, bitmapWidth, bitmapHeight, stride, pixelStride);
  65011. jassert (pixelStride == 1);
  65012. AlphaBitmapRenderer renderer (pixels, stride);
  65013. edgeTable.iterate (renderer, 0, 0, bitmapWidth, bitmapHeight, 0);
  65014. im->releasePixelDataReadWrite (pixels);
  65015. return im;
  65016. }
  65017. void generate (Typeface* const face,
  65018. const juce_wchar character_,
  65019. const float fontHeight,
  65020. const float fontHorizontalScale) throw()
  65021. {
  65022. character = character_;
  65023. typeface = face;
  65024. height = fontHeight;
  65025. horizontalScale = fontHorizontalScale;
  65026. const Path* const glyphPath = face->getOutlineForGlyph (character_);
  65027. deleteAndZero (bitmap1);
  65028. deleteAndZero (bitmap2);
  65029. const float fontHScale = fontHeight * fontHorizontalScale;
  65030. if (glyphPath != 0 && ! glyphPath->isEmpty())
  65031. {
  65032. bitmap1 = createAlphaMapFromPath (*glyphPath, xOrigin, yOrigin, fontHScale, fontHeight, 0.0f);
  65033. if (fontHScale < 24.0f)
  65034. bitmap2 = createAlphaMapFromPath (*glyphPath, xOrigin, yOrigin, fontHScale, fontHeight, 0.5f);
  65035. }
  65036. else
  65037. {
  65038. xOrigin = yOrigin = 0;
  65039. }
  65040. }
  65041. };
  65042. static const int defaultNumGlyphsToCache = 120;
  65043. class GlyphCache;
  65044. static GlyphCache* cacheInstance = 0;
  65045. class GlyphCache : private DeletedAtShutdown
  65046. {
  65047. public:
  65048. static GlyphCache* getInstance() throw()
  65049. {
  65050. if (cacheInstance == 0)
  65051. cacheInstance = new GlyphCache();
  65052. return cacheInstance;
  65053. }
  65054. const FontGlyphAlphaMap& getGlyphFor (Typeface* const typeface,
  65055. const float fontHeight,
  65056. const float fontHorizontalScale,
  65057. const juce_wchar character) throw()
  65058. {
  65059. ++accessCounter;
  65060. int oldestCounter = INT_MAX;
  65061. int oldestIndex = 0;
  65062. for (int i = numGlyphs; --i >= 0;)
  65063. {
  65064. FontGlyphAlphaMap& g = glyphs[i];
  65065. if (g.character == character
  65066. && g.height == fontHeight
  65067. && g.typeface->hashCode() == typeface->hashCode()
  65068. && g.horizontalScale == fontHorizontalScale)
  65069. {
  65070. g.lastAccessCount = accessCounter;
  65071. ++hits;
  65072. return g;
  65073. }
  65074. if (oldestCounter > g.lastAccessCount)
  65075. {
  65076. oldestCounter = g.lastAccessCount;
  65077. oldestIndex = i;
  65078. }
  65079. }
  65080. ++misses;
  65081. if (hits + misses > (numGlyphs << 4))
  65082. {
  65083. if (misses * 2 > hits)
  65084. setCacheSize (numGlyphs + 32);
  65085. hits = 0;
  65086. misses = 0;
  65087. oldestIndex = 0;
  65088. }
  65089. FontGlyphAlphaMap& oldest = glyphs [oldestIndex];
  65090. oldest.lastAccessCount = accessCounter;
  65091. oldest.generate (typeface,
  65092. character,
  65093. fontHeight,
  65094. fontHorizontalScale);
  65095. return oldest;
  65096. }
  65097. void setCacheSize (const int num) throw()
  65098. {
  65099. if (numGlyphs != num)
  65100. {
  65101. numGlyphs = num;
  65102. if (glyphs != 0)
  65103. delete[] glyphs;
  65104. glyphs = new FontGlyphAlphaMap [numGlyphs];
  65105. hits = 0;
  65106. misses = 0;
  65107. }
  65108. }
  65109. juce_UseDebuggingNewOperator
  65110. private:
  65111. FontGlyphAlphaMap* glyphs;
  65112. int numGlyphs, accessCounter;
  65113. int hits, misses;
  65114. GlyphCache() throw()
  65115. : glyphs (0),
  65116. numGlyphs (0),
  65117. accessCounter (0)
  65118. {
  65119. setCacheSize (defaultNumGlyphsToCache);
  65120. }
  65121. ~GlyphCache() throw()
  65122. {
  65123. delete[] glyphs;
  65124. jassert (cacheInstance == this);
  65125. cacheInstance = 0;
  65126. }
  65127. GlyphCache (const GlyphCache&);
  65128. const GlyphCache& operator= (const GlyphCache&);
  65129. };
  65130. PositionedGlyph::PositionedGlyph() throw()
  65131. {
  65132. }
  65133. void PositionedGlyph::draw (const Graphics& g) const throw()
  65134. {
  65135. if (! glyphInfo->isWhitespace())
  65136. {
  65137. if (fontHeight < 100.0f && fontHeight > 0.1f && ! g.isVectorDevice())
  65138. {
  65139. const FontGlyphAlphaMap& alphaMap
  65140. = GlyphCache::getInstance()->getGlyphFor (glyphInfo->getTypeface(),
  65141. fontHeight,
  65142. fontHorizontalScale,
  65143. getCharacter());
  65144. alphaMap.draw (g, x, y);
  65145. }
  65146. else
  65147. {
  65148. // that's a bit of a dodgy size, isn't it??
  65149. jassert (fontHeight > 0.0f && fontHeight < 4000.0f);
  65150. draw (g, AffineTransform::identity);
  65151. }
  65152. }
  65153. }
  65154. void PositionedGlyph::draw (const Graphics& g,
  65155. const AffineTransform& transform) const throw()
  65156. {
  65157. if (! glyphInfo->isWhitespace())
  65158. {
  65159. g.fillPath (glyphInfo->getPath(),
  65160. AffineTransform::scale (fontHeight * fontHorizontalScale, fontHeight)
  65161. .translated (x, y)
  65162. .followedBy (transform));
  65163. }
  65164. }
  65165. void PositionedGlyph::createPath (Path& path) const throw()
  65166. {
  65167. if (! glyphInfo->isWhitespace())
  65168. {
  65169. path.addPath (glyphInfo->getPath(),
  65170. AffineTransform::scale (fontHeight * fontHorizontalScale, fontHeight)
  65171. .translated (x, y));
  65172. }
  65173. }
  65174. bool PositionedGlyph::hitTest (float px, float py) const throw()
  65175. {
  65176. if (px >= getLeft() && px < getRight()
  65177. && py >= getTop() && py < getBottom()
  65178. && fontHeight > 0.0f
  65179. && ! glyphInfo->isWhitespace())
  65180. {
  65181. AffineTransform::translation (-x, -y)
  65182. .scaled (1.0f / (fontHeight * fontHorizontalScale), 1.0f / fontHeight)
  65183. .transformPoint (px, py);
  65184. return glyphInfo->getPath().contains (px, py);
  65185. }
  65186. return false;
  65187. }
  65188. void PositionedGlyph::moveBy (const float deltaX,
  65189. const float deltaY) throw()
  65190. {
  65191. x += deltaX;
  65192. y += deltaY;
  65193. }
  65194. GlyphArrangement::GlyphArrangement() throw()
  65195. : numGlyphs (0),
  65196. numAllocated (0),
  65197. glyphs (0)
  65198. {
  65199. }
  65200. GlyphArrangement::GlyphArrangement (const GlyphArrangement& other) throw()
  65201. : numGlyphs (0),
  65202. numAllocated (0),
  65203. glyphs (0)
  65204. {
  65205. addGlyphArrangement (other);
  65206. }
  65207. const GlyphArrangement& GlyphArrangement::operator= (const GlyphArrangement& other) throw()
  65208. {
  65209. if (this != &other)
  65210. {
  65211. clear();
  65212. addGlyphArrangement (other);
  65213. }
  65214. return *this;
  65215. }
  65216. GlyphArrangement::~GlyphArrangement() throw()
  65217. {
  65218. clear();
  65219. juce_free (glyphs);
  65220. }
  65221. void GlyphArrangement::ensureNumGlyphsAllocated (const int minGlyphs) throw()
  65222. {
  65223. if (numAllocated <= minGlyphs)
  65224. {
  65225. numAllocated = minGlyphs + 2;
  65226. if (glyphs == 0)
  65227. glyphs = (PositionedGlyph*) juce_malloc (numAllocated * sizeof (PositionedGlyph));
  65228. else
  65229. glyphs = (PositionedGlyph*) juce_realloc (glyphs, numAllocated * sizeof (PositionedGlyph));
  65230. }
  65231. }
  65232. void GlyphArrangement::incGlyphRefCount (const int i) const throw()
  65233. {
  65234. jassert (((unsigned int) i) < (unsigned int) numGlyphs);
  65235. if (glyphs[i].glyphInfo != 0 && glyphs[i].glyphInfo->getTypeface() != 0)
  65236. glyphs[i].glyphInfo->getTypeface()->incReferenceCount();
  65237. }
  65238. void GlyphArrangement::decGlyphRefCount (const int i) const throw()
  65239. {
  65240. if (glyphs[i].glyphInfo != 0 && glyphs[i].glyphInfo->getTypeface() != 0)
  65241. glyphs[i].glyphInfo->getTypeface()->decReferenceCount();
  65242. }
  65243. void GlyphArrangement::clear() throw()
  65244. {
  65245. for (int i = numGlyphs; --i >= 0;)
  65246. decGlyphRefCount (i);
  65247. numGlyphs = 0;
  65248. }
  65249. PositionedGlyph& GlyphArrangement::getGlyph (const int index) const throw()
  65250. {
  65251. jassert (((unsigned int) index) < (unsigned int) numGlyphs);
  65252. return glyphs [index];
  65253. }
  65254. void GlyphArrangement::addGlyphArrangement (const GlyphArrangement& other) throw()
  65255. {
  65256. ensureNumGlyphsAllocated (numGlyphs + other.numGlyphs);
  65257. memcpy (glyphs + numGlyphs, other.glyphs,
  65258. other.numGlyphs * sizeof (PositionedGlyph));
  65259. for (int i = other.numGlyphs; --i >= 0;)
  65260. incGlyphRefCount (numGlyphs++);
  65261. }
  65262. void GlyphArrangement::removeLast() throw()
  65263. {
  65264. if (numGlyphs > 0)
  65265. decGlyphRefCount (--numGlyphs);
  65266. }
  65267. void GlyphArrangement::removeRangeOfGlyphs (int startIndex, const int num) throw()
  65268. {
  65269. jassert (startIndex >= 0);
  65270. if (startIndex < 0)
  65271. startIndex = 0;
  65272. if (num < 0 || startIndex + num >= numGlyphs)
  65273. {
  65274. while (numGlyphs > startIndex)
  65275. removeLast();
  65276. }
  65277. else if (num > 0)
  65278. {
  65279. int i;
  65280. for (i = startIndex; i < startIndex + num; ++i)
  65281. decGlyphRefCount (i);
  65282. for (i = numGlyphs - (startIndex + num); --i >= 0;)
  65283. {
  65284. glyphs [startIndex] = glyphs [startIndex + num];
  65285. ++startIndex;
  65286. }
  65287. numGlyphs -= num;
  65288. }
  65289. }
  65290. void GlyphArrangement::addLineOfText (const Font& font,
  65291. const String& text,
  65292. const float xOffset,
  65293. const float yOffset) throw()
  65294. {
  65295. addCurtailedLineOfText (font, text,
  65296. xOffset, yOffset,
  65297. 1.0e10f, false);
  65298. }
  65299. void GlyphArrangement::addCurtailedLineOfText (const Font& font,
  65300. const String& text,
  65301. float xOffset,
  65302. const float yOffset,
  65303. const float maxWidthPixels,
  65304. const bool useEllipsis) throw()
  65305. {
  65306. const int textLen = text.length();
  65307. if (textLen > 0)
  65308. {
  65309. ensureNumGlyphsAllocated (numGlyphs + textLen + 3); // extra chars for ellipsis
  65310. Typeface* const typeface = font.getTypeface();
  65311. const float fontHeight = font.getHeight();
  65312. const float ascent = font.getAscent();
  65313. const float fontHorizontalScale = font.getHorizontalScale();
  65314. const float heightTimesScale = fontHorizontalScale * fontHeight;
  65315. const float kerningFactor = font.getExtraKerningFactor();
  65316. const float startX = xOffset;
  65317. const juce_wchar* const unicodeText = (const juce_wchar*) text;
  65318. for (int i = 0; i < textLen; ++i)
  65319. {
  65320. const TypefaceGlyphInfo* const glyph = typeface->getGlyph (unicodeText[i]);
  65321. if (glyph != 0)
  65322. {
  65323. jassert (numAllocated > numGlyphs);
  65324. ensureNumGlyphsAllocated (numGlyphs);
  65325. PositionedGlyph& pg = glyphs [numGlyphs];
  65326. pg.glyphInfo = glyph;
  65327. pg.x = xOffset;
  65328. pg.y = yOffset;
  65329. pg.w = heightTimesScale * glyph->getHorizontalSpacing (0);
  65330. pg.fontHeight = fontHeight;
  65331. pg.fontAscent = ascent;
  65332. pg.fontHorizontalScale = fontHorizontalScale;
  65333. pg.isUnderlined = font.isUnderlined();
  65334. xOffset += heightTimesScale * (kerningFactor + glyph->getHorizontalSpacing (unicodeText [i + 1]));
  65335. if (xOffset - startX > maxWidthPixels + 1.0f)
  65336. {
  65337. // curtail the string if it's too wide..
  65338. if (useEllipsis && textLen > 3 && numGlyphs >= 3)
  65339. appendEllipsis (font, startX + maxWidthPixels);
  65340. break;
  65341. }
  65342. else
  65343. {
  65344. if (glyph->getTypeface() != 0)
  65345. glyph->getTypeface()->incReferenceCount();
  65346. ++numGlyphs;
  65347. }
  65348. }
  65349. }
  65350. }
  65351. }
  65352. void GlyphArrangement::appendEllipsis (const Font& font, const float maxXPixels) throw()
  65353. {
  65354. const TypefaceGlyphInfo* const dotGlyph = font.getTypeface()->getGlyph (T('.'));
  65355. if (dotGlyph != 0)
  65356. {
  65357. if (numGlyphs > 0)
  65358. {
  65359. PositionedGlyph& glyph = glyphs [numGlyphs - 1];
  65360. const float fontHeight = glyph.fontHeight;
  65361. const float fontHorizontalScale = glyph.fontHorizontalScale;
  65362. const float fontAscent = glyph.fontAscent;
  65363. const float dx = fontHeight * fontHorizontalScale
  65364. * (font.getExtraKerningFactor() + dotGlyph->getHorizontalSpacing (T('.')));
  65365. float xOffset = 0.0f, yOffset = 0.0f;
  65366. for (int dotPos = 3; --dotPos >= 0 && numGlyphs > 0;)
  65367. {
  65368. removeLast();
  65369. jassert (numAllocated > numGlyphs);
  65370. PositionedGlyph& pg = glyphs [numGlyphs];
  65371. xOffset = pg.x;
  65372. yOffset = pg.y;
  65373. if (numGlyphs == 0 || xOffset + dx * 3 <= maxXPixels)
  65374. break;
  65375. }
  65376. for (int i = 3; --i >= 0;)
  65377. {
  65378. jassert (numAllocated > numGlyphs);
  65379. ensureNumGlyphsAllocated (numGlyphs);
  65380. PositionedGlyph& pg = glyphs [numGlyphs];
  65381. pg.glyphInfo = dotGlyph;
  65382. pg.x = xOffset;
  65383. pg.y = yOffset;
  65384. pg.w = dx;
  65385. pg.fontHeight = fontHeight;
  65386. pg.fontAscent = fontAscent;
  65387. pg.fontHorizontalScale = fontHorizontalScale;
  65388. pg.isUnderlined = font.isUnderlined();
  65389. xOffset += dx;
  65390. if (dotGlyph->getTypeface() != 0)
  65391. dotGlyph->getTypeface()->incReferenceCount();
  65392. ++numGlyphs;
  65393. }
  65394. }
  65395. }
  65396. }
  65397. void GlyphArrangement::addJustifiedText (const Font& font,
  65398. const String& text,
  65399. float x, float y,
  65400. const float maxLineWidth,
  65401. const Justification& horizontalLayout) throw()
  65402. {
  65403. int lineStartIndex = numGlyphs;
  65404. addLineOfText (font, text, x, y);
  65405. const float originalY = y;
  65406. while (lineStartIndex < numGlyphs)
  65407. {
  65408. int i = lineStartIndex;
  65409. if (glyphs[i].getCharacter() != T('\n') && glyphs[i].getCharacter() != T('\r'))
  65410. ++i;
  65411. const float lineMaxX = glyphs [lineStartIndex].getLeft() + maxLineWidth;
  65412. int lastWordBreakIndex = -1;
  65413. while (i < numGlyphs)
  65414. {
  65415. PositionedGlyph& pg = glyphs[i];
  65416. const juce_wchar c = pg.getCharacter();
  65417. if (c == T('\r') || c == T('\n'))
  65418. {
  65419. ++i;
  65420. if (c == T('\r') && i < numGlyphs && glyphs [i].getCharacter() == T('\n'))
  65421. ++i;
  65422. break;
  65423. }
  65424. else if (pg.isWhitespace())
  65425. {
  65426. lastWordBreakIndex = i + 1;
  65427. }
  65428. else if (SHOULD_WRAP (pg.getRight(), lineMaxX))
  65429. {
  65430. if (lastWordBreakIndex >= 0)
  65431. i = lastWordBreakIndex;
  65432. break;
  65433. }
  65434. ++i;
  65435. }
  65436. const float currentLineStartX = glyphs [lineStartIndex].getLeft();
  65437. float currentLineEndX = currentLineStartX;
  65438. for (int j = i; --j >= lineStartIndex;)
  65439. {
  65440. if (! glyphs[j].isWhitespace())
  65441. {
  65442. currentLineEndX = glyphs[j].getRight();
  65443. break;
  65444. }
  65445. }
  65446. float deltaX = 0.0f;
  65447. if (horizontalLayout.testFlags (Justification::horizontallyJustified))
  65448. spreadOutLine (lineStartIndex, i - lineStartIndex, maxLineWidth);
  65449. else if (horizontalLayout.testFlags (Justification::horizontallyCentred))
  65450. deltaX = (maxLineWidth - (currentLineEndX - currentLineStartX)) * 0.5f;
  65451. else if (horizontalLayout.testFlags (Justification::right))
  65452. deltaX = maxLineWidth - (currentLineEndX - currentLineStartX);
  65453. moveRangeOfGlyphs (lineStartIndex, i - lineStartIndex,
  65454. x + deltaX - currentLineStartX, y - originalY);
  65455. lineStartIndex = i;
  65456. y += font.getHeight();
  65457. }
  65458. }
  65459. void GlyphArrangement::addFittedText (const Font& f,
  65460. const String& text,
  65461. float x, float y,
  65462. float width, float height,
  65463. const Justification& layout,
  65464. int maximumLines,
  65465. const float minimumHorizontalScale) throw()
  65466. {
  65467. // doesn't make much sense if this is outside a sensible range of 0.5 to 1.0
  65468. jassert (minimumHorizontalScale > 0 && minimumHorizontalScale <= 1.0f);
  65469. if (text.containsAnyOf (T("\r\n")))
  65470. {
  65471. GlyphArrangement ga;
  65472. ga.addJustifiedText (f, text, x, y, width, layout);
  65473. float l, t, r, b;
  65474. ga.getBoundingBox (0, -1, l, t, r, b, false);
  65475. float dy = y - t;
  65476. if (layout.testFlags (Justification::verticallyCentred))
  65477. dy += (height - (b - t)) * 0.5f;
  65478. else if (layout.testFlags (Justification::bottom))
  65479. dy += height - (b - t);
  65480. ga.moveRangeOfGlyphs (0, -1, 0.0f, dy);
  65481. addGlyphArrangement (ga);
  65482. return;
  65483. }
  65484. int startIndex = numGlyphs;
  65485. addLineOfText (f, text.trim(), x, y);
  65486. if (numGlyphs > startIndex)
  65487. {
  65488. float lineWidth = glyphs[numGlyphs - 1].getRight() - glyphs[startIndex].getLeft();
  65489. if (lineWidth <= 0)
  65490. return;
  65491. if (lineWidth * minimumHorizontalScale < width)
  65492. {
  65493. if (lineWidth > width)
  65494. {
  65495. stretchRangeOfGlyphs (startIndex, numGlyphs - startIndex,
  65496. width / lineWidth);
  65497. }
  65498. justifyGlyphs (startIndex, numGlyphs - startIndex,
  65499. x, y, width, height, layout);
  65500. }
  65501. else if (maximumLines <= 1)
  65502. {
  65503. const float ratio = jmax (minimumHorizontalScale, width / lineWidth);
  65504. stretchRangeOfGlyphs (startIndex, numGlyphs - startIndex, ratio);
  65505. while (numGlyphs > 0 && glyphs [numGlyphs - 1].x + glyphs [numGlyphs - 1].w >= x + width)
  65506. removeLast();
  65507. appendEllipsis (f, x + width);
  65508. justifyGlyphs (startIndex, numGlyphs - startIndex,
  65509. x, y, width, height, layout);
  65510. }
  65511. else
  65512. {
  65513. Font font (f);
  65514. String txt (text.trim());
  65515. const int length = txt.length();
  65516. int numLines = 1;
  65517. const int originalStartIndex = startIndex;
  65518. if (length <= 12 && ! txt.containsAnyOf (T(" -\t\r\n")))
  65519. maximumLines = 1;
  65520. maximumLines = jmin (maximumLines, length);
  65521. while (numLines < maximumLines)
  65522. {
  65523. ++numLines;
  65524. const float newFontHeight = height / (float)numLines;
  65525. if (newFontHeight < 8.0f)
  65526. break;
  65527. if (newFontHeight < font.getHeight())
  65528. {
  65529. font.setHeight (newFontHeight);
  65530. while (numGlyphs > startIndex)
  65531. removeLast();
  65532. addLineOfText (font, txt, x, y);
  65533. lineWidth = glyphs[numGlyphs - 1].getRight() - glyphs[startIndex].getLeft();
  65534. }
  65535. if (numLines > lineWidth / width)
  65536. break;
  65537. }
  65538. if (numLines < 1)
  65539. numLines = 1;
  65540. float lineY = y;
  65541. float widthPerLine = lineWidth / numLines;
  65542. int lastLineStartIndex = 0;
  65543. for (int line = 0; line < numLines; ++line)
  65544. {
  65545. int i = startIndex;
  65546. lastLineStartIndex = i;
  65547. float lineStartX = glyphs[startIndex].getLeft();
  65548. while (i < numGlyphs)
  65549. {
  65550. lineWidth = (glyphs[i].getRight() - lineStartX);
  65551. if (lineWidth > widthPerLine)
  65552. {
  65553. // got to a point where the line's too long, so skip forward to find a
  65554. // good place to break it..
  65555. const int searchStartIndex = i;
  65556. while (i < numGlyphs)
  65557. {
  65558. if ((glyphs[i].getRight() - lineStartX) * minimumHorizontalScale < width)
  65559. {
  65560. if (glyphs[i].isWhitespace()
  65561. || glyphs[i].getCharacter() == T('-'))
  65562. {
  65563. ++i;
  65564. break;
  65565. }
  65566. }
  65567. else
  65568. {
  65569. // can't find a suitable break, so try looking backwards..
  65570. i = searchStartIndex;
  65571. for (int back = 1; back < jmin (5, i - startIndex - 1); ++back)
  65572. {
  65573. if (glyphs[i - back].isWhitespace()
  65574. || glyphs[i - back].getCharacter() == T('-'))
  65575. {
  65576. i -= back - 1;
  65577. break;
  65578. }
  65579. }
  65580. break;
  65581. }
  65582. ++i;
  65583. }
  65584. break;
  65585. }
  65586. ++i;
  65587. }
  65588. int wsStart = i;
  65589. while (wsStart > 0 && glyphs[wsStart - 1].isWhitespace())
  65590. --wsStart;
  65591. int wsEnd = i;
  65592. while (wsEnd < numGlyphs && glyphs[wsEnd].isWhitespace())
  65593. ++wsEnd;
  65594. removeRangeOfGlyphs (wsStart, wsEnd - wsStart);
  65595. i = jmax (wsStart, startIndex + 1);
  65596. lineWidth = glyphs[i - 1].getRight() - lineStartX;
  65597. if (lineWidth > width)
  65598. {
  65599. stretchRangeOfGlyphs (startIndex, i - startIndex,
  65600. width / lineWidth);
  65601. }
  65602. justifyGlyphs (startIndex, i - startIndex,
  65603. x, lineY, width, font.getHeight(),
  65604. layout.getOnlyHorizontalFlags() | Justification::verticallyCentred);
  65605. startIndex = i;
  65606. lineY += font.getHeight();
  65607. if (startIndex >= numGlyphs)
  65608. break;
  65609. }
  65610. if (startIndex < numGlyphs)
  65611. {
  65612. while (numGlyphs > startIndex)
  65613. removeLast();
  65614. if (startIndex - originalStartIndex > 4)
  65615. {
  65616. const float lineStartX = glyphs[lastLineStartIndex].getLeft();
  65617. appendEllipsis (font, lineStartX + width);
  65618. lineWidth = glyphs[startIndex - 1].getRight() - lineStartX;
  65619. if (lineWidth > width)
  65620. {
  65621. stretchRangeOfGlyphs (lastLineStartIndex, startIndex - lastLineStartIndex,
  65622. width / lineWidth);
  65623. }
  65624. justifyGlyphs (lastLineStartIndex, startIndex - lastLineStartIndex,
  65625. x, lineY - font.getHeight(), width, font.getHeight(),
  65626. layout.getOnlyHorizontalFlags() | Justification::verticallyCentred);
  65627. }
  65628. startIndex = numGlyphs;
  65629. }
  65630. justifyGlyphs (originalStartIndex, startIndex - originalStartIndex,
  65631. x, y, width, height, layout.getFlags() & ~Justification::horizontallyJustified);
  65632. }
  65633. }
  65634. }
  65635. void GlyphArrangement::moveRangeOfGlyphs (int startIndex, int num,
  65636. const float dx, const float dy) throw()
  65637. {
  65638. jassert (startIndex >= 0);
  65639. if (dx != 0.0f || dy != 0.0f)
  65640. {
  65641. if (num < 0 || startIndex + num > numGlyphs)
  65642. num = numGlyphs - startIndex;
  65643. while (--num >= 0)
  65644. {
  65645. jassert (((unsigned int) startIndex) <= (unsigned int) numGlyphs);
  65646. glyphs [startIndex++].moveBy (dx, dy);
  65647. }
  65648. }
  65649. }
  65650. void GlyphArrangement::stretchRangeOfGlyphs (int startIndex, int num,
  65651. const float horizontalScaleFactor) throw()
  65652. {
  65653. jassert (startIndex >= 0);
  65654. if (num < 0 || startIndex + num > numGlyphs)
  65655. num = numGlyphs - startIndex;
  65656. if (num > 0)
  65657. {
  65658. const float xAnchor = glyphs[startIndex].getLeft();
  65659. while (--num >= 0)
  65660. {
  65661. jassert (((unsigned int) startIndex) <= (unsigned int) numGlyphs);
  65662. PositionedGlyph& pg = glyphs[startIndex++];
  65663. pg.x = xAnchor + (pg.x - xAnchor) * horizontalScaleFactor;
  65664. pg.fontHorizontalScale *= horizontalScaleFactor;
  65665. pg.w *= horizontalScaleFactor;
  65666. }
  65667. }
  65668. }
  65669. void GlyphArrangement::getBoundingBox (int startIndex, int num,
  65670. float& left,
  65671. float& top,
  65672. float& right,
  65673. float& bottom,
  65674. const bool includeWhitespace) const throw()
  65675. {
  65676. jassert (startIndex >= 0);
  65677. if (num < 0 || startIndex + num > numGlyphs)
  65678. num = numGlyphs - startIndex;
  65679. left = 0.0f;
  65680. top = 0.0f;
  65681. right = 0.0f;
  65682. bottom = 0.0f;
  65683. bool isFirst = true;
  65684. while (--num >= 0)
  65685. {
  65686. const PositionedGlyph& pg = glyphs [startIndex++];
  65687. if (includeWhitespace || ! pg.isWhitespace())
  65688. {
  65689. if (isFirst)
  65690. {
  65691. isFirst = false;
  65692. left = pg.getLeft();
  65693. top = pg.getTop();
  65694. right = pg.getRight();
  65695. bottom = pg.getBottom();
  65696. }
  65697. else
  65698. {
  65699. left = jmin (left, pg.getLeft());
  65700. top = jmin (top, pg.getTop());
  65701. right = jmax (right, pg.getRight());
  65702. bottom = jmax (bottom, pg.getBottom());
  65703. }
  65704. }
  65705. }
  65706. }
  65707. void GlyphArrangement::justifyGlyphs (const int startIndex,
  65708. const int num,
  65709. const float x, const float y,
  65710. const float width, const float height,
  65711. const Justification& justification) throw()
  65712. {
  65713. jassert (num >= 0 && startIndex >= 0);
  65714. if (numGlyphs > 0 && num > 0)
  65715. {
  65716. float left, top, right, bottom;
  65717. getBoundingBox (startIndex, num, left, top, right, bottom,
  65718. ! justification.testFlags (Justification::horizontallyJustified
  65719. | Justification::horizontallyCentred));
  65720. float deltaX = 0.0f;
  65721. if (justification.testFlags (Justification::horizontallyJustified))
  65722. deltaX = x - left;
  65723. else if (justification.testFlags (Justification::horizontallyCentred))
  65724. deltaX = x + (width - (right - left)) * 0.5f - left;
  65725. else if (justification.testFlags (Justification::right))
  65726. deltaX = (x + width) - right;
  65727. else
  65728. deltaX = x - left;
  65729. float deltaY = 0.0f;
  65730. if (justification.testFlags (Justification::top))
  65731. deltaY = y - top;
  65732. else if (justification.testFlags (Justification::bottom))
  65733. deltaY = (y + height) - bottom;
  65734. else
  65735. deltaY = y + (height - (bottom - top)) * 0.5f - top;
  65736. moveRangeOfGlyphs (startIndex, num, deltaX, deltaY);
  65737. if (justification.testFlags (Justification::horizontallyJustified))
  65738. {
  65739. int lineStart = 0;
  65740. float baseY = glyphs [startIndex].getBaselineY();
  65741. int i;
  65742. for (i = 0; i < num; ++i)
  65743. {
  65744. const float glyphY = glyphs [startIndex + i].getBaselineY();
  65745. if (glyphY != baseY)
  65746. {
  65747. spreadOutLine (startIndex + lineStart, i - lineStart, width);
  65748. lineStart = i;
  65749. baseY = glyphY;
  65750. }
  65751. }
  65752. if (i > lineStart)
  65753. spreadOutLine (startIndex + lineStart, i - lineStart, width);
  65754. }
  65755. }
  65756. }
  65757. void GlyphArrangement::spreadOutLine (const int start, const int num, const float targetWidth) throw()
  65758. {
  65759. if (start + num < numGlyphs
  65760. && glyphs [start + num - 1].getCharacter() != T('\r')
  65761. && glyphs [start + num - 1].getCharacter() != T('\n'))
  65762. {
  65763. int numSpaces = 0;
  65764. int spacesAtEnd = 0;
  65765. for (int i = 0; i < num; ++i)
  65766. {
  65767. if (glyphs [start + i].isWhitespace())
  65768. {
  65769. ++spacesAtEnd;
  65770. ++numSpaces;
  65771. }
  65772. else
  65773. {
  65774. spacesAtEnd = 0;
  65775. }
  65776. }
  65777. numSpaces -= spacesAtEnd;
  65778. if (numSpaces > 0)
  65779. {
  65780. const float startX = glyphs [start].getLeft();
  65781. const float endX = glyphs [start + num - 1 - spacesAtEnd].getRight();
  65782. const float extraPaddingBetweenWords
  65783. = (targetWidth - (endX - startX)) / (float) numSpaces;
  65784. float deltaX = 0.0f;
  65785. for (int i = 0; i < num; ++i)
  65786. {
  65787. glyphs [start + i].moveBy (deltaX, 0.0);
  65788. if (glyphs [start + i].isWhitespace())
  65789. deltaX += extraPaddingBetweenWords;
  65790. }
  65791. }
  65792. }
  65793. }
  65794. void GlyphArrangement::draw (const Graphics& g) const throw()
  65795. {
  65796. for (int i = 0; i < numGlyphs; ++i)
  65797. {
  65798. glyphs[i].draw (g);
  65799. if (glyphs[i].isUnderlined)
  65800. {
  65801. const float lineThickness = (glyphs[i].fontHeight - glyphs[i].fontAscent) * 0.3f;
  65802. juce_wchar nextChar = 0;
  65803. if (i < numGlyphs - 1
  65804. && glyphs[i + 1].y == glyphs[i].y)
  65805. {
  65806. nextChar = glyphs[i + 1].glyphInfo->getCharacter();
  65807. }
  65808. g.fillRect (glyphs[i].x,
  65809. glyphs[i].y + lineThickness * 2.0f,
  65810. glyphs[i].fontHeight
  65811. * glyphs[i].fontHorizontalScale
  65812. * glyphs[i].glyphInfo->getHorizontalSpacing (nextChar),
  65813. lineThickness);
  65814. }
  65815. }
  65816. }
  65817. void GlyphArrangement::draw (const Graphics& g, const AffineTransform& transform) const throw()
  65818. {
  65819. for (int i = 0; i < numGlyphs; ++i)
  65820. {
  65821. glyphs[i].draw (g, transform);
  65822. if (glyphs[i].isUnderlined)
  65823. {
  65824. const float lineThickness = (glyphs[i].fontHeight - glyphs[i].fontAscent) * 0.3f;
  65825. juce_wchar nextChar = 0;
  65826. if (i < numGlyphs - 1
  65827. && glyphs[i + 1].y == glyphs[i].y)
  65828. {
  65829. nextChar = glyphs[i + 1].glyphInfo->getCharacter();
  65830. }
  65831. Path p;
  65832. p.addLineSegment (glyphs[i].x,
  65833. glyphs[i].y + lineThickness * 2.5f,
  65834. glyphs[i].x + glyphs[i].fontHeight
  65835. * glyphs[i].fontHorizontalScale
  65836. * glyphs[i].glyphInfo->getHorizontalSpacing (nextChar),
  65837. glyphs[i].y + lineThickness * 2.5f,
  65838. lineThickness);
  65839. g.fillPath (p, transform);
  65840. }
  65841. }
  65842. }
  65843. void GlyphArrangement::createPath (Path& path) const throw()
  65844. {
  65845. for (int i = 0; i < numGlyphs; ++i)
  65846. glyphs[i].createPath (path);
  65847. }
  65848. int GlyphArrangement::findGlyphIndexAt (float x, float y) const throw()
  65849. {
  65850. for (int i = 0; i < numGlyphs; ++i)
  65851. if (glyphs[i].hitTest (x, y))
  65852. return i;
  65853. return -1;
  65854. }
  65855. END_JUCE_NAMESPACE
  65856. /********* End of inlined file: juce_GlyphArrangement.cpp *********/
  65857. /********* Start of inlined file: juce_TextLayout.cpp *********/
  65858. BEGIN_JUCE_NAMESPACE
  65859. class TextLayoutToken
  65860. {
  65861. public:
  65862. String text;
  65863. Font font;
  65864. int x, y, w, h;
  65865. int line, lineHeight;
  65866. bool isWhitespace, isNewLine;
  65867. TextLayoutToken (const String& t,
  65868. const Font& f,
  65869. const bool isWhitespace_) throw()
  65870. : text (t),
  65871. font (f),
  65872. x(0),
  65873. y(0),
  65874. isWhitespace (isWhitespace_)
  65875. {
  65876. w = font.getStringWidth (t);
  65877. h = roundFloatToInt (f.getHeight());
  65878. isNewLine = t.containsAnyOf (T("\r\n"));
  65879. }
  65880. TextLayoutToken (const TextLayoutToken& other) throw()
  65881. : text (other.text),
  65882. font (other.font),
  65883. x (other.x),
  65884. y (other.y),
  65885. w (other.w),
  65886. h (other.h),
  65887. line (other.line),
  65888. lineHeight (other.lineHeight),
  65889. isWhitespace (other.isWhitespace),
  65890. isNewLine (other.isNewLine)
  65891. {
  65892. }
  65893. ~TextLayoutToken() throw()
  65894. {
  65895. }
  65896. void draw (Graphics& g,
  65897. const int xOffset,
  65898. const int yOffset) throw()
  65899. {
  65900. if (! isWhitespace)
  65901. {
  65902. g.setFont (font);
  65903. g.drawSingleLineText (text.trimEnd(),
  65904. xOffset + x,
  65905. yOffset + y + (lineHeight - h)
  65906. + roundFloatToInt (font.getAscent()));
  65907. }
  65908. }
  65909. juce_UseDebuggingNewOperator
  65910. };
  65911. TextLayout::TextLayout() throw()
  65912. : tokens (64),
  65913. totalLines (0)
  65914. {
  65915. }
  65916. TextLayout::TextLayout (const String& text,
  65917. const Font& font) throw()
  65918. : tokens (64),
  65919. totalLines (0)
  65920. {
  65921. appendText (text, font);
  65922. }
  65923. TextLayout::TextLayout (const TextLayout& other) throw()
  65924. : tokens (64),
  65925. totalLines (0)
  65926. {
  65927. *this = other;
  65928. }
  65929. const TextLayout& TextLayout::operator= (const TextLayout& other) throw()
  65930. {
  65931. if (this != &other)
  65932. {
  65933. clear();
  65934. totalLines = other.totalLines;
  65935. for (int i = 0; i < other.tokens.size(); ++i)
  65936. tokens.add (new TextLayoutToken (*(const TextLayoutToken*)(other.tokens.getUnchecked(i))));
  65937. }
  65938. return *this;
  65939. }
  65940. TextLayout::~TextLayout() throw()
  65941. {
  65942. clear();
  65943. }
  65944. void TextLayout::clear() throw()
  65945. {
  65946. for (int i = tokens.size(); --i >= 0;)
  65947. {
  65948. TextLayoutToken* const t = (TextLayoutToken*)tokens.getUnchecked(i);
  65949. delete t;
  65950. }
  65951. tokens.clear();
  65952. totalLines = 0;
  65953. }
  65954. void TextLayout::appendText (const String& text,
  65955. const Font& font) throw()
  65956. {
  65957. const tchar* t = text;
  65958. String currentString;
  65959. int lastCharType = 0;
  65960. for (;;)
  65961. {
  65962. const tchar c = *t++;
  65963. if (c == 0)
  65964. break;
  65965. int charType;
  65966. if (c == T('\r') || c == T('\n'))
  65967. {
  65968. charType = 0;
  65969. }
  65970. else if (CharacterFunctions::isWhitespace (c))
  65971. {
  65972. charType = 2;
  65973. }
  65974. else
  65975. {
  65976. charType = 1;
  65977. }
  65978. if (charType == 0 || charType != lastCharType)
  65979. {
  65980. if (currentString.isNotEmpty())
  65981. {
  65982. tokens.add (new TextLayoutToken (currentString, font,
  65983. lastCharType == 2 || lastCharType == 0));
  65984. }
  65985. currentString = String::charToString (c);
  65986. if (c == T('\r') && *t == T('\n'))
  65987. currentString += *t++;
  65988. }
  65989. else
  65990. {
  65991. currentString += c;
  65992. }
  65993. lastCharType = charType;
  65994. }
  65995. if (currentString.isNotEmpty())
  65996. tokens.add (new TextLayoutToken (currentString,
  65997. font,
  65998. lastCharType == 2));
  65999. }
  66000. void TextLayout::setText (const String& text, const Font& font) throw()
  66001. {
  66002. clear();
  66003. appendText (text, font);
  66004. }
  66005. void TextLayout::layout (int maxWidth,
  66006. const Justification& justification,
  66007. const bool attemptToBalanceLineLengths) throw()
  66008. {
  66009. if (attemptToBalanceLineLengths)
  66010. {
  66011. const int originalW = maxWidth;
  66012. int bestWidth = maxWidth;
  66013. float bestLineProportion = 0.0f;
  66014. while (maxWidth > originalW / 2)
  66015. {
  66016. layout (maxWidth, justification, false);
  66017. if (getNumLines() <= 1)
  66018. return;
  66019. const int lastLineW = getLineWidth (getNumLines() - 1);
  66020. const int lastButOneLineW = getLineWidth (getNumLines() - 2);
  66021. const float prop = lastLineW / (float) lastButOneLineW;
  66022. if (prop > 0.9f)
  66023. return;
  66024. if (prop > bestLineProportion)
  66025. {
  66026. bestLineProportion = prop;
  66027. bestWidth = maxWidth;
  66028. }
  66029. maxWidth -= 10;
  66030. }
  66031. layout (bestWidth, justification, false);
  66032. }
  66033. else
  66034. {
  66035. int x = 0;
  66036. int y = 0;
  66037. int h = 0;
  66038. totalLines = 0;
  66039. int i;
  66040. for (i = 0; i < tokens.size(); ++i)
  66041. {
  66042. TextLayoutToken* const t = (TextLayoutToken*)tokens.getUnchecked(i);
  66043. t->x = x;
  66044. t->y = y;
  66045. t->line = totalLines;
  66046. x += t->w;
  66047. h = jmax (h, t->h);
  66048. const TextLayoutToken* nextTok = (TextLayoutToken*) tokens [i + 1];
  66049. if (nextTok == 0)
  66050. break;
  66051. if (t->isNewLine || ((! nextTok->isWhitespace) && x + nextTok->w > maxWidth))
  66052. {
  66053. // finished a line, so go back and update the heights of the things on it
  66054. for (int j = i; j >= 0; --j)
  66055. {
  66056. TextLayoutToken* const tok = (TextLayoutToken*)tokens.getUnchecked(j);
  66057. if (tok->line == totalLines)
  66058. tok->lineHeight = h;
  66059. else
  66060. break;
  66061. }
  66062. x = 0;
  66063. y += h;
  66064. h = 0;
  66065. ++totalLines;
  66066. }
  66067. }
  66068. // finished a line, so go back and update the heights of the things on it
  66069. for (int j = jmin (i, tokens.size() - 1); j >= 0; --j)
  66070. {
  66071. TextLayoutToken* const t = (TextLayoutToken*) tokens.getUnchecked(j);
  66072. if (t->line == totalLines)
  66073. t->lineHeight = h;
  66074. else
  66075. break;
  66076. }
  66077. ++totalLines;
  66078. if (! justification.testFlags (Justification::left))
  66079. {
  66080. int totalW = getWidth();
  66081. for (i = totalLines; --i >= 0;)
  66082. {
  66083. const int lineW = getLineWidth (i);
  66084. int dx = 0;
  66085. if (justification.testFlags (Justification::horizontallyCentred))
  66086. dx = (totalW - lineW) / 2;
  66087. else if (justification.testFlags (Justification::right))
  66088. dx = totalW - lineW;
  66089. for (int j = tokens.size(); --j >= 0;)
  66090. {
  66091. TextLayoutToken* const t = (TextLayoutToken*)tokens.getUnchecked(j);
  66092. if (t->line == i)
  66093. t->x += dx;
  66094. }
  66095. }
  66096. }
  66097. }
  66098. }
  66099. int TextLayout::getLineWidth (const int lineNumber) const throw()
  66100. {
  66101. int maxW = 0;
  66102. for (int i = tokens.size(); --i >= 0;)
  66103. {
  66104. const TextLayoutToken* const t = (TextLayoutToken*) tokens.getUnchecked(i);
  66105. if (t->line == lineNumber && ! t->isWhitespace)
  66106. maxW = jmax (maxW, t->x + t->w);
  66107. }
  66108. return maxW;
  66109. }
  66110. int TextLayout::getWidth() const throw()
  66111. {
  66112. int maxW = 0;
  66113. for (int i = tokens.size(); --i >= 0;)
  66114. {
  66115. const TextLayoutToken* const t = (TextLayoutToken*) tokens.getUnchecked(i);
  66116. if (! t->isWhitespace)
  66117. maxW = jmax (maxW, t->x + t->w);
  66118. }
  66119. return maxW;
  66120. }
  66121. int TextLayout::getHeight() const throw()
  66122. {
  66123. int maxH = 0;
  66124. for (int i = tokens.size(); --i >= 0;)
  66125. {
  66126. const TextLayoutToken* const t = (TextLayoutToken*) tokens.getUnchecked(i);
  66127. if (! t->isWhitespace)
  66128. maxH = jmax (maxH, t->y + t->h);
  66129. }
  66130. return maxH;
  66131. }
  66132. void TextLayout::draw (Graphics& g,
  66133. const int xOffset,
  66134. const int yOffset) const throw()
  66135. {
  66136. for (int i = tokens.size(); --i >= 0;)
  66137. ((TextLayoutToken*) tokens.getUnchecked(i))->draw (g, xOffset, yOffset);
  66138. }
  66139. void TextLayout::drawWithin (Graphics& g,
  66140. int x, int y, int w, int h,
  66141. const Justification& justification) const throw()
  66142. {
  66143. justification.applyToRectangle (x, y, getWidth(), getHeight(),
  66144. x, y, w, h);
  66145. draw (g, x, y);
  66146. }
  66147. END_JUCE_NAMESPACE
  66148. /********* End of inlined file: juce_TextLayout.cpp *********/
  66149. /********* Start of inlined file: juce_Typeface.cpp *********/
  66150. BEGIN_JUCE_NAMESPACE
  66151. TypefaceGlyphInfo::TypefaceGlyphInfo (const juce_wchar character_,
  66152. const Path& shape,
  66153. const float horizontalSeparation,
  66154. Typeface* const typeface_) throw()
  66155. : character (character_),
  66156. path (shape),
  66157. width (horizontalSeparation),
  66158. typeface (typeface_)
  66159. {
  66160. }
  66161. TypefaceGlyphInfo::~TypefaceGlyphInfo() throw()
  66162. {
  66163. }
  66164. float TypefaceGlyphInfo::getHorizontalSpacing (const juce_wchar subsequentCharacter) const throw()
  66165. {
  66166. if (subsequentCharacter != 0)
  66167. {
  66168. const KerningPair* const pairs = (const KerningPair*) kerningPairs.getData();
  66169. const int numPairs = getNumKerningPairs();
  66170. for (int i = 0; i < numPairs; ++i)
  66171. if (pairs [i].character2 == subsequentCharacter)
  66172. return width + pairs [i].kerningAmount;
  66173. }
  66174. return width;
  66175. }
  66176. void TypefaceGlyphInfo::addKerningPair (const juce_wchar subsequentCharacter,
  66177. const float extraKerningAmount) throw()
  66178. {
  66179. const int numPairs = getNumKerningPairs();
  66180. kerningPairs.setSize ((numPairs + 1) * sizeof (KerningPair));
  66181. KerningPair& p = getKerningPair (numPairs);
  66182. p.character2 = subsequentCharacter;
  66183. p.kerningAmount = extraKerningAmount;
  66184. }
  66185. TypefaceGlyphInfo::KerningPair& TypefaceGlyphInfo::getKerningPair (const int index) const throw()
  66186. {
  66187. return ((KerningPair*) kerningPairs.getData()) [index];
  66188. }
  66189. int TypefaceGlyphInfo::getNumKerningPairs() const throw()
  66190. {
  66191. return kerningPairs.getSize() / sizeof (KerningPair);
  66192. }
  66193. Typeface::Typeface() throw()
  66194. : hash (0),
  66195. isFullyPopulated (false)
  66196. {
  66197. zeromem (lookupTable, sizeof (lookupTable));
  66198. }
  66199. Typeface::Typeface (const Typeface& other)
  66200. : typefaceName (other.typefaceName),
  66201. ascent (other.ascent),
  66202. bold (other.bold),
  66203. italic (other.italic),
  66204. isFullyPopulated (other.isFullyPopulated),
  66205. defaultCharacter (other.defaultCharacter)
  66206. {
  66207. zeromem (lookupTable, sizeof (lookupTable));
  66208. for (int i = 0; i < other.glyphs.size(); ++i)
  66209. addGlyphCopy ((const TypefaceGlyphInfo*) other.glyphs.getUnchecked(i));
  66210. updateHashCode();
  66211. }
  66212. Typeface::Typeface (const String& faceName,
  66213. const bool bold,
  66214. const bool italic)
  66215. : isFullyPopulated (false)
  66216. {
  66217. zeromem (lookupTable, sizeof (lookupTable));
  66218. initialiseTypefaceCharacteristics (faceName, bold, italic, false);
  66219. updateHashCode();
  66220. }
  66221. Typeface::~Typeface()
  66222. {
  66223. clear();
  66224. }
  66225. const Typeface& Typeface::operator= (const Typeface& other) throw()
  66226. {
  66227. if (this != &other)
  66228. {
  66229. clear();
  66230. typefaceName = other.typefaceName;
  66231. ascent = other.ascent;
  66232. bold = other.bold;
  66233. italic = other.italic;
  66234. isFullyPopulated = other.isFullyPopulated;
  66235. defaultCharacter = other.defaultCharacter;
  66236. for (int i = 0; i < other.glyphs.size(); ++i)
  66237. addGlyphCopy ((const TypefaceGlyphInfo*) other.glyphs.getUnchecked(i));
  66238. updateHashCode();
  66239. }
  66240. return *this;
  66241. }
  66242. void Typeface::updateHashCode() throw()
  66243. {
  66244. hash = typefaceName.hashCode();
  66245. if (bold)
  66246. hash ^= 0xffff;
  66247. if (italic)
  66248. hash ^= 0xffff0000;
  66249. }
  66250. void Typeface::clear() throw()
  66251. {
  66252. zeromem (lookupTable, sizeof (lookupTable));
  66253. typefaceName = String::empty;
  66254. bold = false;
  66255. italic = false;
  66256. for (int i = glyphs.size(); --i >= 0;)
  66257. {
  66258. TypefaceGlyphInfo* const g = (TypefaceGlyphInfo*) (glyphs.getUnchecked(i));
  66259. delete g;
  66260. }
  66261. glyphs.clear();
  66262. updateHashCode();
  66263. }
  66264. Typeface::Typeface (InputStream& serialisedTypefaceStream)
  66265. {
  66266. zeromem (lookupTable, sizeof (lookupTable));
  66267. isFullyPopulated = true;
  66268. GZIPDecompressorInputStream gzin (&serialisedTypefaceStream, false);
  66269. BufferedInputStream in (&gzin, 32768, false);
  66270. typefaceName = in.readString();
  66271. bold = in.readBool();
  66272. italic = in.readBool();
  66273. ascent = in.readFloat();
  66274. defaultCharacter = (juce_wchar) in.readShort();
  66275. int i, numChars = in.readInt();
  66276. for (i = 0; i < numChars; ++i)
  66277. {
  66278. const juce_wchar c = (juce_wchar) in.readShort();
  66279. const float width = in.readFloat();
  66280. Path p;
  66281. p.loadPathFromStream (in);
  66282. addGlyph (c, p, width);
  66283. }
  66284. const int numKerningPairs = in.readInt();
  66285. for (i = 0; i < numKerningPairs; ++i)
  66286. {
  66287. const juce_wchar char1 = (juce_wchar) in.readShort();
  66288. const juce_wchar char2 = (juce_wchar) in.readShort();
  66289. addKerningPair (char1, char2, in.readFloat());
  66290. }
  66291. updateHashCode();
  66292. }
  66293. void Typeface::serialise (OutputStream& outputStream)
  66294. {
  66295. GZIPCompressorOutputStream out (&outputStream);
  66296. out.writeString (typefaceName);
  66297. out.writeBool (bold);
  66298. out.writeBool (italic);
  66299. out.writeFloat (ascent);
  66300. out.writeShort ((short) (unsigned short) defaultCharacter);
  66301. out.writeInt (glyphs.size());
  66302. int i, numKerningPairs = 0;
  66303. for (i = 0; i < glyphs.size(); ++i)
  66304. {
  66305. const TypefaceGlyphInfo& g = *(const TypefaceGlyphInfo*)(glyphs.getUnchecked (i));
  66306. out.writeShort ((short) (unsigned short) g.character);
  66307. out.writeFloat (g.width);
  66308. g.path.writePathToStream (out);
  66309. numKerningPairs += g.getNumKerningPairs();
  66310. }
  66311. out.writeInt (numKerningPairs);
  66312. for (i = 0; i < glyphs.size(); ++i)
  66313. {
  66314. const TypefaceGlyphInfo& g = *(const TypefaceGlyphInfo*)(glyphs.getUnchecked (i));
  66315. for (int j = 0; j < g.getNumKerningPairs(); ++j)
  66316. {
  66317. const TypefaceGlyphInfo::KerningPair& p = g.getKerningPair (j);
  66318. out.writeShort ((short) (unsigned short) g.character);
  66319. out.writeShort ((short) (unsigned short) p.character2);
  66320. out.writeFloat (p.kerningAmount);
  66321. }
  66322. }
  66323. }
  66324. const Path* Typeface::getOutlineForGlyph (const juce_wchar character) throw()
  66325. {
  66326. const TypefaceGlyphInfo* const g = (const TypefaceGlyphInfo*) getGlyph (character);
  66327. if (g != 0)
  66328. return &(g->path);
  66329. else
  66330. return 0;
  66331. }
  66332. const TypefaceGlyphInfo* Typeface::getGlyph (const juce_wchar character) throw()
  66333. {
  66334. if (((unsigned int) character) < 128 && lookupTable [character] > 0)
  66335. return (const TypefaceGlyphInfo*) glyphs [(int) lookupTable [character]];
  66336. for (int i = 0; i < glyphs.size(); ++i)
  66337. {
  66338. const TypefaceGlyphInfo* const g = (const TypefaceGlyphInfo*) glyphs.getUnchecked(i);
  66339. if (g->character == character)
  66340. return g;
  66341. }
  66342. if ((! isFullyPopulated)
  66343. && findAndAddSystemGlyph (character))
  66344. {
  66345. for (int i = 0; i < glyphs.size(); ++i)
  66346. {
  66347. const TypefaceGlyphInfo* const g = (const TypefaceGlyphInfo*) glyphs.getUnchecked(i);
  66348. if (g->character == character)
  66349. return g;
  66350. }
  66351. }
  66352. if (CharacterFunctions::isWhitespace (character) && character != L' ')
  66353. {
  66354. const TypefaceGlyphInfo* spaceGlyph = getGlyph (L' ');
  66355. if (spaceGlyph != 0)
  66356. {
  66357. // Add a copy of the empty glyph, mapped onto this character
  66358. addGlyph (character, spaceGlyph->getPath(), spaceGlyph->getHorizontalSpacing (0));
  66359. spaceGlyph = (const TypefaceGlyphInfo*) glyphs [(int) lookupTable [character]];
  66360. }
  66361. return spaceGlyph;
  66362. }
  66363. else if (character != defaultCharacter)
  66364. {
  66365. const Font fallbackFont (Font::getFallbackFontName(), 10, 0);
  66366. Typeface* const fallbackTypeface = fallbackFont.getTypeface();
  66367. if (fallbackTypeface != 0 && fallbackTypeface != this)
  66368. return fallbackTypeface->getGlyph (character);
  66369. return getGlyph (defaultCharacter);
  66370. }
  66371. return 0;
  66372. }
  66373. void Typeface::addGlyph (const juce_wchar character,
  66374. const Path& path,
  66375. const float horizontalSpacing) throw()
  66376. {
  66377. #ifdef JUCE_DEBUG
  66378. for (int i = 0; i < glyphs.size(); ++i)
  66379. {
  66380. const TypefaceGlyphInfo* const g = (const TypefaceGlyphInfo*) glyphs.getUnchecked(i);
  66381. if (g->character == character)
  66382. jassertfalse;
  66383. }
  66384. #endif
  66385. if (((unsigned int) character) < 128)
  66386. lookupTable [character] = (short) glyphs.size();
  66387. glyphs.add (new TypefaceGlyphInfo (character,
  66388. path,
  66389. horizontalSpacing,
  66390. this));
  66391. }
  66392. void Typeface::addGlyphCopy (const TypefaceGlyphInfo* const glyphInfoToCopy) throw()
  66393. {
  66394. if (glyphInfoToCopy != 0)
  66395. {
  66396. if (glyphInfoToCopy->character > 0 && glyphInfoToCopy->character < 128)
  66397. lookupTable [glyphInfoToCopy->character] = (short) glyphs.size();
  66398. TypefaceGlyphInfo* const newOne
  66399. = new TypefaceGlyphInfo (glyphInfoToCopy->character,
  66400. glyphInfoToCopy->path,
  66401. glyphInfoToCopy->width,
  66402. this);
  66403. newOne->kerningPairs = glyphInfoToCopy->kerningPairs;
  66404. glyphs.add (newOne);
  66405. }
  66406. }
  66407. void Typeface::addKerningPair (const juce_wchar char1,
  66408. const juce_wchar char2,
  66409. const float extraAmount) throw()
  66410. {
  66411. TypefaceGlyphInfo* const g = (TypefaceGlyphInfo*) getGlyph (char1);
  66412. if (g != 0)
  66413. g->addKerningPair (char2, extraAmount);
  66414. }
  66415. void Typeface::setName (const String& name) throw()
  66416. {
  66417. typefaceName = name;
  66418. updateHashCode();
  66419. }
  66420. void Typeface::setAscent (const float newAscent) throw()
  66421. {
  66422. ascent = newAscent;
  66423. }
  66424. void Typeface::setDefaultCharacter (const juce_wchar newDefaultCharacter) throw()
  66425. {
  66426. defaultCharacter = newDefaultCharacter;
  66427. }
  66428. void Typeface::setBold (const bool shouldBeBold) throw()
  66429. {
  66430. bold = shouldBeBold;
  66431. updateHashCode();
  66432. }
  66433. void Typeface::setItalic (const bool shouldBeItalic) throw()
  66434. {
  66435. italic = shouldBeItalic;
  66436. updateHashCode();
  66437. }
  66438. class TypefaceCache;
  66439. static TypefaceCache* typefaceCacheInstance = 0;
  66440. void clearUpDefaultFontNames() throw(); // in juce_Font.cpp
  66441. class TypefaceCache : private DeletedAtShutdown
  66442. {
  66443. private:
  66444. struct CachedFace
  66445. {
  66446. CachedFace() throw()
  66447. : lastUsageCount (0),
  66448. flags (0)
  66449. {
  66450. }
  66451. String typefaceName;
  66452. int lastUsageCount;
  66453. int flags;
  66454. Typeface::Ptr typeFace;
  66455. };
  66456. int counter;
  66457. OwnedArray <CachedFace> faces;
  66458. TypefaceCache (const TypefaceCache&);
  66459. const TypefaceCache& operator= (const TypefaceCache&);
  66460. public:
  66461. TypefaceCache (int numToCache = 10)
  66462. : counter (1),
  66463. faces (2)
  66464. {
  66465. while (--numToCache >= 0)
  66466. {
  66467. CachedFace* const face = new CachedFace();
  66468. face->typeFace = new Typeface();
  66469. faces.add (face);
  66470. }
  66471. }
  66472. ~TypefaceCache()
  66473. {
  66474. faces.clear();
  66475. jassert (typefaceCacheInstance == this);
  66476. typefaceCacheInstance = 0;
  66477. // just a courtesy call to get avoid leaking these strings at shutdown
  66478. clearUpDefaultFontNames();
  66479. }
  66480. static TypefaceCache* getInstance() throw()
  66481. {
  66482. if (typefaceCacheInstance == 0)
  66483. typefaceCacheInstance = new TypefaceCache();
  66484. return typefaceCacheInstance;
  66485. }
  66486. const Typeface::Ptr findTypefaceFor (const Font& font) throw()
  66487. {
  66488. const int flags = font.getStyleFlags() & (Font::bold | Font::italic);
  66489. int i;
  66490. for (i = faces.size(); --i >= 0;)
  66491. {
  66492. CachedFace* const face = faces.getUnchecked(i);
  66493. if (face->flags == flags
  66494. && face->typefaceName == font.getTypefaceName())
  66495. {
  66496. face->lastUsageCount = ++counter;
  66497. return face->typeFace;
  66498. }
  66499. }
  66500. int replaceIndex = 0;
  66501. int bestLastUsageCount = INT_MAX;
  66502. for (i = faces.size(); --i >= 0;)
  66503. {
  66504. const int lu = faces.getUnchecked(i)->lastUsageCount;
  66505. if (bestLastUsageCount > lu)
  66506. {
  66507. bestLastUsageCount = lu;
  66508. replaceIndex = i;
  66509. }
  66510. }
  66511. CachedFace* const face = faces.getUnchecked (replaceIndex);
  66512. face->typefaceName = font.getTypefaceName();
  66513. face->flags = flags;
  66514. face->lastUsageCount = ++counter;
  66515. face->typeFace = new Typeface (font.getTypefaceName(),
  66516. font.isBold(),
  66517. font.isItalic());
  66518. return face->typeFace;
  66519. }
  66520. };
  66521. const Typeface::Ptr Typeface::getTypefaceFor (const Font& font) throw()
  66522. {
  66523. return TypefaceCache::getInstance()->findTypefaceFor (font);
  66524. }
  66525. END_JUCE_NAMESPACE
  66526. /********* End of inlined file: juce_Typeface.cpp *********/
  66527. /********* Start of inlined file: juce_AffineTransform.cpp *********/
  66528. BEGIN_JUCE_NAMESPACE
  66529. AffineTransform::AffineTransform() throw()
  66530. : mat00 (1.0f),
  66531. mat01 (0),
  66532. mat02 (0),
  66533. mat10 (0),
  66534. mat11 (1.0f),
  66535. mat12 (0)
  66536. {
  66537. }
  66538. AffineTransform::AffineTransform (const AffineTransform& other) throw()
  66539. : mat00 (other.mat00),
  66540. mat01 (other.mat01),
  66541. mat02 (other.mat02),
  66542. mat10 (other.mat10),
  66543. mat11 (other.mat11),
  66544. mat12 (other.mat12)
  66545. {
  66546. }
  66547. AffineTransform::AffineTransform (const float mat00_,
  66548. const float mat01_,
  66549. const float mat02_,
  66550. const float mat10_,
  66551. const float mat11_,
  66552. const float mat12_) throw()
  66553. : mat00 (mat00_),
  66554. mat01 (mat01_),
  66555. mat02 (mat02_),
  66556. mat10 (mat10_),
  66557. mat11 (mat11_),
  66558. mat12 (mat12_)
  66559. {
  66560. }
  66561. const AffineTransform& AffineTransform::operator= (const AffineTransform& other) throw()
  66562. {
  66563. mat00 = other.mat00;
  66564. mat01 = other.mat01;
  66565. mat02 = other.mat02;
  66566. mat10 = other.mat10;
  66567. mat11 = other.mat11;
  66568. mat12 = other.mat12;
  66569. return *this;
  66570. }
  66571. bool AffineTransform::operator== (const AffineTransform& other) const throw()
  66572. {
  66573. return mat00 == other.mat00
  66574. && mat01 == other.mat01
  66575. && mat02 == other.mat02
  66576. && mat10 == other.mat10
  66577. && mat11 == other.mat11
  66578. && mat12 == other.mat12;
  66579. }
  66580. bool AffineTransform::operator!= (const AffineTransform& other) const throw()
  66581. {
  66582. return ! operator== (other);
  66583. }
  66584. bool AffineTransform::isIdentity() const throw()
  66585. {
  66586. return (mat01 == 0)
  66587. && (mat02 == 0)
  66588. && (mat10 == 0)
  66589. && (mat12 == 0)
  66590. && (mat00 == 1.0f)
  66591. && (mat11 == 1.0f);
  66592. }
  66593. const AffineTransform AffineTransform::identity;
  66594. const AffineTransform AffineTransform::followedBy (const AffineTransform& other) const throw()
  66595. {
  66596. return AffineTransform (other.mat00 * mat00 + other.mat01 * mat10,
  66597. other.mat00 * mat01 + other.mat01 * mat11,
  66598. other.mat00 * mat02 + other.mat01 * mat12 + other.mat02,
  66599. other.mat10 * mat00 + other.mat11 * mat10,
  66600. other.mat10 * mat01 + other.mat11 * mat11,
  66601. other.mat10 * mat02 + other.mat11 * mat12 + other.mat12);
  66602. }
  66603. const AffineTransform AffineTransform::followedBy (const float omat00,
  66604. const float omat01,
  66605. const float omat02,
  66606. const float omat10,
  66607. const float omat11,
  66608. const float omat12) const throw()
  66609. {
  66610. return AffineTransform (omat00 * mat00 + omat01 * mat10,
  66611. omat00 * mat01 + omat01 * mat11,
  66612. omat00 * mat02 + omat01 * mat12 + omat02,
  66613. omat10 * mat00 + omat11 * mat10,
  66614. omat10 * mat01 + omat11 * mat11,
  66615. omat10 * mat02 + omat11 * mat12 + omat12);
  66616. }
  66617. const AffineTransform AffineTransform::translated (const float dx,
  66618. const float dy) const throw()
  66619. {
  66620. return followedBy (1.0f, 0, dx,
  66621. 0, 1.0f, dy);
  66622. }
  66623. const AffineTransform AffineTransform::translation (const float dx,
  66624. const float dy) throw()
  66625. {
  66626. return AffineTransform (1.0f, 0, dx,
  66627. 0, 1.0f, dy);
  66628. }
  66629. const AffineTransform AffineTransform::rotated (const float rad) const throw()
  66630. {
  66631. const float cosRad = cosf (rad);
  66632. const float sinRad = sinf (rad);
  66633. return followedBy (cosRad, -sinRad, 0,
  66634. sinRad, cosRad, 0);
  66635. }
  66636. const AffineTransform AffineTransform::rotation (const float rad) throw()
  66637. {
  66638. const float cosRad = cosf (rad);
  66639. const float sinRad = sinf (rad);
  66640. return AffineTransform (cosRad, -sinRad, 0,
  66641. sinRad, cosRad, 0);
  66642. }
  66643. const AffineTransform AffineTransform::rotated (const float angle,
  66644. const float pivotX,
  66645. const float pivotY) const throw()
  66646. {
  66647. return translated (-pivotX, -pivotY)
  66648. .rotated (angle)
  66649. .translated (pivotX, pivotY);
  66650. }
  66651. const AffineTransform AffineTransform::rotation (const float angle,
  66652. const float pivotX,
  66653. const float pivotY) throw()
  66654. {
  66655. return translation (-pivotX, -pivotY)
  66656. .rotated (angle)
  66657. .translated (pivotX, pivotY);
  66658. }
  66659. const AffineTransform AffineTransform::scaled (const float factorX,
  66660. const float factorY) const throw()
  66661. {
  66662. return followedBy (factorX, 0, 0,
  66663. 0, factorY, 0);
  66664. }
  66665. const AffineTransform AffineTransform::scale (const float factorX,
  66666. const float factorY) throw()
  66667. {
  66668. return AffineTransform (factorX, 0, 0,
  66669. 0, factorY, 0);
  66670. }
  66671. const AffineTransform AffineTransform::sheared (const float shearX,
  66672. const float shearY) const throw()
  66673. {
  66674. return followedBy (1.0f, shearX, 0,
  66675. shearY, 1.0f, 0);
  66676. }
  66677. const AffineTransform AffineTransform::inverted() const throw()
  66678. {
  66679. double determinant = (mat00 * mat11 - mat10 * mat01);
  66680. if (determinant != 0.0)
  66681. {
  66682. determinant = 1.0 / determinant;
  66683. const float dst00 = (float) (mat11 * determinant);
  66684. const float dst10 = (float) (-mat10 * determinant);
  66685. const float dst01 = (float) (-mat01 * determinant);
  66686. const float dst11 = (float) (mat00 * determinant);
  66687. return AffineTransform (dst00, dst01, -mat02 * dst00 - mat12 * dst01,
  66688. dst10, dst11, -mat02 * dst10 - mat12 * dst11);
  66689. }
  66690. else
  66691. {
  66692. // singularity..
  66693. return *this;
  66694. }
  66695. }
  66696. bool AffineTransform::isSingularity() const throw()
  66697. {
  66698. return (mat00 * mat11 - mat10 * mat01) == 0.0;
  66699. }
  66700. void AffineTransform::transformPoint (float& x,
  66701. float& y) const throw()
  66702. {
  66703. const float oldX = x;
  66704. x = mat00 * oldX + mat01 * y + mat02;
  66705. y = mat10 * oldX + mat11 * y + mat12;
  66706. }
  66707. void AffineTransform::transformPoint (double& x,
  66708. double& y) const throw()
  66709. {
  66710. const double oldX = x;
  66711. x = mat00 * oldX + mat01 * y + mat02;
  66712. y = mat10 * oldX + mat11 * y + mat12;
  66713. }
  66714. END_JUCE_NAMESPACE
  66715. /********* End of inlined file: juce_AffineTransform.cpp *********/
  66716. /********* Start of inlined file: juce_BorderSize.cpp *********/
  66717. BEGIN_JUCE_NAMESPACE
  66718. BorderSize::BorderSize() throw()
  66719. : top (0),
  66720. left (0),
  66721. bottom (0),
  66722. right (0)
  66723. {
  66724. }
  66725. BorderSize::BorderSize (const BorderSize& other) throw()
  66726. : top (other.top),
  66727. left (other.left),
  66728. bottom (other.bottom),
  66729. right (other.right)
  66730. {
  66731. }
  66732. BorderSize::BorderSize (const int topGap,
  66733. const int leftGap,
  66734. const int bottomGap,
  66735. const int rightGap) throw()
  66736. : top (topGap),
  66737. left (leftGap),
  66738. bottom (bottomGap),
  66739. right (rightGap)
  66740. {
  66741. }
  66742. BorderSize::BorderSize (const int allGaps) throw()
  66743. : top (allGaps),
  66744. left (allGaps),
  66745. bottom (allGaps),
  66746. right (allGaps)
  66747. {
  66748. }
  66749. BorderSize::~BorderSize() throw()
  66750. {
  66751. }
  66752. void BorderSize::setTop (const int newTopGap) throw()
  66753. {
  66754. top = newTopGap;
  66755. }
  66756. void BorderSize::setLeft (const int newLeftGap) throw()
  66757. {
  66758. left = newLeftGap;
  66759. }
  66760. void BorderSize::setBottom (const int newBottomGap) throw()
  66761. {
  66762. bottom = newBottomGap;
  66763. }
  66764. void BorderSize::setRight (const int newRightGap) throw()
  66765. {
  66766. right = newRightGap;
  66767. }
  66768. const Rectangle BorderSize::subtractedFrom (const Rectangle& r) const throw()
  66769. {
  66770. return Rectangle (r.getX() + left,
  66771. r.getY() + top,
  66772. r.getWidth() - (left + right),
  66773. r.getHeight() - (top + bottom));
  66774. }
  66775. void BorderSize::subtractFrom (Rectangle& r) const throw()
  66776. {
  66777. r.setBounds (r.getX() + left,
  66778. r.getY() + top,
  66779. r.getWidth() - (left + right),
  66780. r.getHeight() - (top + bottom));
  66781. }
  66782. const Rectangle BorderSize::addedTo (const Rectangle& r) const throw()
  66783. {
  66784. return Rectangle (r.getX() - left,
  66785. r.getY() - top,
  66786. r.getWidth() + (left + right),
  66787. r.getHeight() + (top + bottom));
  66788. }
  66789. void BorderSize::addTo (Rectangle& r) const throw()
  66790. {
  66791. r.setBounds (r.getX() - left,
  66792. r.getY() - top,
  66793. r.getWidth() + (left + right),
  66794. r.getHeight() + (top + bottom));
  66795. }
  66796. bool BorderSize::operator== (const BorderSize& other) const throw()
  66797. {
  66798. return top == other.top
  66799. && left == other.left
  66800. && bottom == other.bottom
  66801. && right == other.right;
  66802. }
  66803. bool BorderSize::operator!= (const BorderSize& other) const throw()
  66804. {
  66805. return ! operator== (other);
  66806. }
  66807. END_JUCE_NAMESPACE
  66808. /********* End of inlined file: juce_BorderSize.cpp *********/
  66809. /********* Start of inlined file: juce_Line.cpp *********/
  66810. BEGIN_JUCE_NAMESPACE
  66811. static bool juce_lineIntersection (const float x1, const float y1,
  66812. const float x2, const float y2,
  66813. const float x3, const float y3,
  66814. const float x4, const float y4,
  66815. float& intersectionX,
  66816. float& intersectionY) throw()
  66817. {
  66818. if (x2 != x3 || y2 != y3)
  66819. {
  66820. const float dx1 = x2 - x1;
  66821. const float dy1 = y2 - y1;
  66822. const float dx2 = x4 - x3;
  66823. const float dy2 = y4 - y3;
  66824. const float divisor = dx1 * dy2 - dx2 * dy1;
  66825. if (divisor == 0)
  66826. {
  66827. if (! ((dx1 == 0 && dy1 == 0) || (dx2 == 0 && dy2 == 0)))
  66828. {
  66829. if (dy1 == 0 && dy2 != 0)
  66830. {
  66831. const float along = (y1 - y3) / dy2;
  66832. intersectionX = x3 + along * dx2;
  66833. intersectionY = y1;
  66834. return along >= 0 && along <= 1.0f;
  66835. }
  66836. else if (dy2 == 0 && dy1 != 0)
  66837. {
  66838. const float along = (y3 - y1) / dy1;
  66839. intersectionX = x1 + along * dx1;
  66840. intersectionY = y3;
  66841. return along >= 0 && along <= 1.0f;
  66842. }
  66843. else if (dx1 == 0 && dx2 != 0)
  66844. {
  66845. const float along = (x1 - x3) / dx2;
  66846. intersectionX = x1;
  66847. intersectionY = y3 + along * dy2;
  66848. return along >= 0 && along <= 1.0f;
  66849. }
  66850. else if (dx2 == 0 && dx1 != 0)
  66851. {
  66852. const float along = (x3 - x1) / dx1;
  66853. intersectionX = x3;
  66854. intersectionY = y1 + along * dy1;
  66855. return along >= 0 && along <= 1.0f;
  66856. }
  66857. }
  66858. intersectionX = 0.5f * (x2 + x3);
  66859. intersectionY = 0.5f * (y2 + y3);
  66860. return false;
  66861. }
  66862. const float along1 = ((y1 - y3) * dx2 - (x1 - x3) * dy2) / divisor;
  66863. intersectionX = x1 + along1 * dx1;
  66864. intersectionY = y1 + along1 * dy1;
  66865. if (along1 < 0 || along1 > 1.0f)
  66866. return false;
  66867. const float along2 = ((y1 - y3) * dx1 - (x1 - x3) * dy1) / divisor;
  66868. return along2 >= 0 && along2 <= 1.0f;
  66869. }
  66870. intersectionX = x2;
  66871. intersectionY = y2;
  66872. return true;
  66873. }
  66874. Line::Line() throw()
  66875. : startX (0.0f),
  66876. startY (0.0f),
  66877. endX (0.0f),
  66878. endY (0.0f)
  66879. {
  66880. }
  66881. Line::Line (const Line& other) throw()
  66882. : startX (other.startX),
  66883. startY (other.startY),
  66884. endX (other.endX),
  66885. endY (other.endY)
  66886. {
  66887. }
  66888. Line::Line (const float startX_, const float startY_,
  66889. const float endX_, const float endY_) throw()
  66890. : startX (startX_),
  66891. startY (startY_),
  66892. endX (endX_),
  66893. endY (endY_)
  66894. {
  66895. }
  66896. Line::Line (const Point& start,
  66897. const Point& end) throw()
  66898. : startX (start.getX()),
  66899. startY (start.getY()),
  66900. endX (end.getX()),
  66901. endY (end.getY())
  66902. {
  66903. }
  66904. const Line& Line::operator= (const Line& other) throw()
  66905. {
  66906. startX = other.startX;
  66907. startY = other.startY;
  66908. endX = other.endX;
  66909. endY = other.endY;
  66910. return *this;
  66911. }
  66912. Line::~Line() throw()
  66913. {
  66914. }
  66915. const Point Line::getStart() const throw()
  66916. {
  66917. return Point (startX, startY);
  66918. }
  66919. const Point Line::getEnd() const throw()
  66920. {
  66921. return Point (endX, endY);
  66922. }
  66923. void Line::setStart (const float newStartX,
  66924. const float newStartY) throw()
  66925. {
  66926. startX = newStartX;
  66927. startY = newStartY;
  66928. }
  66929. void Line::setStart (const Point& newStart) throw()
  66930. {
  66931. startX = newStart.getX();
  66932. startY = newStart.getY();
  66933. }
  66934. void Line::setEnd (const float newEndX,
  66935. const float newEndY) throw()
  66936. {
  66937. endX = newEndX;
  66938. endY = newEndY;
  66939. }
  66940. void Line::setEnd (const Point& newEnd) throw()
  66941. {
  66942. endX = newEnd.getX();
  66943. endY = newEnd.getY();
  66944. }
  66945. bool Line::operator== (const Line& other) const throw()
  66946. {
  66947. return startX == other.startX
  66948. && startY == other.startY
  66949. && endX == other.endX
  66950. && endY == other.endY;
  66951. }
  66952. bool Line::operator!= (const Line& other) const throw()
  66953. {
  66954. return startX != other.startX
  66955. || startY != other.startY
  66956. || endX != other.endX
  66957. || endY != other.endY;
  66958. }
  66959. void Line::applyTransform (const AffineTransform& transform) throw()
  66960. {
  66961. transform.transformPoint (startX, startY);
  66962. transform.transformPoint (endX, endY);
  66963. }
  66964. float Line::getLength() const throw()
  66965. {
  66966. return (float) juce_hypot (startX - endX,
  66967. startY - endY);
  66968. }
  66969. float Line::getAngle() const throw()
  66970. {
  66971. return atan2f (endX - startX,
  66972. endY - startY);
  66973. }
  66974. const Point Line::getPointAlongLine (const float distanceFromStart) const throw()
  66975. {
  66976. const float alpha = distanceFromStart / getLength();
  66977. return Point (startX + (endX - startX) * alpha,
  66978. startY + (endY - startY) * alpha);
  66979. }
  66980. const Point Line::getPointAlongLine (const float offsetX,
  66981. const float offsetY) const throw()
  66982. {
  66983. const float dx = endX - startX;
  66984. const float dy = endY - startY;
  66985. const double length = juce_hypot (dx, dy);
  66986. if (length == 0)
  66987. return Point (startX, startY);
  66988. else
  66989. return Point (startX + (float) (((dx * offsetX) - (dy * offsetY)) / length),
  66990. startY + (float) (((dy * offsetX) + (dx * offsetY)) / length));
  66991. }
  66992. const Point Line::getPointAlongLineProportionally (const float alpha) const throw()
  66993. {
  66994. return Point (startX + (endX - startX) * alpha,
  66995. startY + (endY - startY) * alpha);
  66996. }
  66997. float Line::getDistanceFromLine (const float x,
  66998. const float y) const throw()
  66999. {
  67000. const double dx = endX - startX;
  67001. const double dy = endY - startY;
  67002. const double length = dx * dx + dy * dy;
  67003. if (length > 0)
  67004. {
  67005. const double prop = ((x - startX) * dx + (y - startY) * dy) / length;
  67006. if (prop >= 0.0f && prop < 1.0f)
  67007. {
  67008. return (float) juce_hypot (x - (startX + prop * dx),
  67009. y - (startY + prop * dy));
  67010. }
  67011. }
  67012. return (float) jmin (juce_hypot (x - startX, y - startY),
  67013. juce_hypot (x - endX, y - endY));
  67014. }
  67015. float Line::findNearestPointTo (const float x,
  67016. const float y) const throw()
  67017. {
  67018. const double dx = endX - startX;
  67019. const double dy = endY - startY;
  67020. const double length = dx * dx + dy * dy;
  67021. if (length <= 0.0)
  67022. return 0.0f;
  67023. return jlimit (0.0f, 1.0f,
  67024. (float) (((x - startX) * dx + (y - startY) * dy) / length));
  67025. }
  67026. const Line Line::withShortenedStart (const float distanceToShortenBy) const throw()
  67027. {
  67028. const float length = getLength();
  67029. return Line (getPointAlongLine (jmin (distanceToShortenBy, length)),
  67030. getEnd());
  67031. }
  67032. const Line Line::withShortenedEnd (const float distanceToShortenBy) const throw()
  67033. {
  67034. const float length = getLength();
  67035. return Line (getStart(),
  67036. getPointAlongLine (length - jmin (distanceToShortenBy, length)));
  67037. }
  67038. bool Line::clipToPath (const Path& path,
  67039. const bool keepSectionOutsidePath) throw()
  67040. {
  67041. const bool startInside = path.contains (startX, startY);
  67042. const bool endInside = path.contains (endX, endY);
  67043. if (startInside == endInside)
  67044. {
  67045. if (keepSectionOutsidePath != startInside)
  67046. {
  67047. // entirely outside the path
  67048. return false;
  67049. }
  67050. else
  67051. {
  67052. // entirely inside the path
  67053. startX = 0.0f;
  67054. startY = 0.0f;
  67055. endX = 0.0f;
  67056. endY = 0.0f;
  67057. return true;
  67058. }
  67059. }
  67060. else
  67061. {
  67062. bool changed = false;
  67063. PathFlatteningIterator iter (path, AffineTransform::identity);
  67064. while (iter.next())
  67065. {
  67066. float ix, iy;
  67067. if (intersects (Line (iter.x1, iter.y1,
  67068. iter.x2, iter.y2),
  67069. ix, iy))
  67070. {
  67071. if ((startInside && keepSectionOutsidePath)
  67072. || (endInside && ! keepSectionOutsidePath))
  67073. {
  67074. setStart (ix, iy);
  67075. }
  67076. else
  67077. {
  67078. setEnd (ix, iy);
  67079. }
  67080. changed = true;
  67081. }
  67082. }
  67083. return changed;
  67084. }
  67085. }
  67086. bool Line::intersects (const Line& line,
  67087. float& intersectionX,
  67088. float& intersectionY) const throw()
  67089. {
  67090. return juce_lineIntersection (startX, startY,
  67091. endX, endY,
  67092. line.startX, line.startY,
  67093. line.endX, line.endY,
  67094. intersectionX,
  67095. intersectionY);
  67096. }
  67097. bool Line::isVertical() const throw()
  67098. {
  67099. return startX == endX;
  67100. }
  67101. bool Line::isHorizontal() const throw()
  67102. {
  67103. return startY == endY;
  67104. }
  67105. bool Line::isPointAbove (const float x, const float y) const throw()
  67106. {
  67107. return startX != endX
  67108. && y < ((endY - startY) * (x - startX)) / (endX - startX) + startY;
  67109. }
  67110. END_JUCE_NAMESPACE
  67111. /********* End of inlined file: juce_Line.cpp *********/
  67112. /********* Start of inlined file: juce_Path.cpp *********/
  67113. BEGIN_JUCE_NAMESPACE
  67114. // tests that some co-ords aren't NaNs
  67115. #define CHECK_COORDS_ARE_VALID(x, y) \
  67116. jassert (x == x && y == y);
  67117. const float Path::lineMarker = 100001.0f;
  67118. const float Path::moveMarker = 100002.0f;
  67119. const float Path::quadMarker = 100003.0f;
  67120. const float Path::cubicMarker = 100004.0f;
  67121. const float Path::closeSubPathMarker = 100005.0f;
  67122. static const int defaultGranularity = 32;
  67123. Path::Path() throw()
  67124. : ArrayAllocationBase <float> (defaultGranularity),
  67125. numElements (0),
  67126. pathXMin (0),
  67127. pathXMax (0),
  67128. pathYMin (0),
  67129. pathYMax (0),
  67130. useNonZeroWinding (true)
  67131. {
  67132. }
  67133. Path::~Path() throw()
  67134. {
  67135. }
  67136. Path::Path (const Path& other) throw()
  67137. : ArrayAllocationBase <float> (defaultGranularity),
  67138. numElements (other.numElements),
  67139. pathXMin (other.pathXMin),
  67140. pathXMax (other.pathXMax),
  67141. pathYMin (other.pathYMin),
  67142. pathYMax (other.pathYMax),
  67143. useNonZeroWinding (other.useNonZeroWinding)
  67144. {
  67145. if (numElements > 0)
  67146. {
  67147. setAllocatedSize (numElements);
  67148. memcpy (elements, other.elements, numElements * sizeof (float));
  67149. }
  67150. }
  67151. const Path& Path::operator= (const Path& other) throw()
  67152. {
  67153. if (this != &other)
  67154. {
  67155. ensureAllocatedSize (other.numElements);
  67156. numElements = other.numElements;
  67157. pathXMin = other.pathXMin;
  67158. pathXMax = other.pathXMax;
  67159. pathYMin = other.pathYMin;
  67160. pathYMax = other.pathYMax;
  67161. useNonZeroWinding = other.useNonZeroWinding;
  67162. if (numElements > 0)
  67163. memcpy (elements, other.elements, numElements * sizeof (float));
  67164. }
  67165. return *this;
  67166. }
  67167. void Path::clear() throw()
  67168. {
  67169. numElements = 0;
  67170. pathXMin = 0;
  67171. pathYMin = 0;
  67172. pathYMax = 0;
  67173. pathXMax = 0;
  67174. }
  67175. void Path::swapWithPath (Path& other)
  67176. {
  67177. swapVariables <int> (this->numAllocated, other.numAllocated);
  67178. swapVariables <float*> (this->elements, other.elements);
  67179. swapVariables <int> (this->numElements, other.numElements);
  67180. swapVariables <float> (this->pathXMin, other.pathXMin);
  67181. swapVariables <float> (this->pathXMax, other.pathXMax);
  67182. swapVariables <float> (this->pathYMin, other.pathYMin);
  67183. swapVariables <float> (this->pathYMax, other.pathYMax);
  67184. swapVariables <bool> (this->useNonZeroWinding, other.useNonZeroWinding);
  67185. }
  67186. void Path::setUsingNonZeroWinding (const bool isNonZero) throw()
  67187. {
  67188. useNonZeroWinding = isNonZero;
  67189. }
  67190. void Path::scaleToFit (const float x, const float y, const float w, const float h,
  67191. const bool preserveProportions) throw()
  67192. {
  67193. applyTransform (getTransformToScaleToFit (x, y, w, h, preserveProportions));
  67194. }
  67195. bool Path::isEmpty() const throw()
  67196. {
  67197. int i = 0;
  67198. while (i < numElements)
  67199. {
  67200. const float type = elements [i++];
  67201. if (type == moveMarker)
  67202. {
  67203. i += 2;
  67204. }
  67205. else if (type == lineMarker
  67206. || type == quadMarker
  67207. || type == cubicMarker)
  67208. {
  67209. return false;
  67210. }
  67211. }
  67212. return true;
  67213. }
  67214. void Path::getBounds (float& x, float& y,
  67215. float& w, float& h) const throw()
  67216. {
  67217. x = pathXMin;
  67218. y = pathYMin;
  67219. w = pathXMax - pathXMin;
  67220. h = pathYMax - pathYMin;
  67221. }
  67222. void Path::getBoundsTransformed (const AffineTransform& transform,
  67223. float& x, float& y,
  67224. float& w, float& h) const throw()
  67225. {
  67226. float x1 = pathXMin;
  67227. float y1 = pathYMin;
  67228. transform.transformPoint (x1, y1);
  67229. float x2 = pathXMax;
  67230. float y2 = pathYMin;
  67231. transform.transformPoint (x2, y2);
  67232. float x3 = pathXMin;
  67233. float y3 = pathYMax;
  67234. transform.transformPoint (x3, y3);
  67235. float x4 = pathXMax;
  67236. float y4 = pathYMax;
  67237. transform.transformPoint (x4, y4);
  67238. x = jmin (x1, x2, x3, x4);
  67239. y = jmin (y1, y2, y3, y4);
  67240. w = jmax (x1, x2, x3, x4) - x;
  67241. h = jmax (y1, y2, y3, y4) - y;
  67242. }
  67243. void Path::startNewSubPath (const float x,
  67244. const float y) throw()
  67245. {
  67246. CHECK_COORDS_ARE_VALID (x, y);
  67247. if (numElements == 0)
  67248. {
  67249. pathXMin = pathXMax = x;
  67250. pathYMin = pathYMax = y;
  67251. }
  67252. else
  67253. {
  67254. pathXMin = jmin (pathXMin, x);
  67255. pathXMax = jmax (pathXMax, x);
  67256. pathYMin = jmin (pathYMin, y);
  67257. pathYMax = jmax (pathYMax, y);
  67258. }
  67259. ensureAllocatedSize (numElements + 3);
  67260. elements [numElements++] = moveMarker;
  67261. elements [numElements++] = x;
  67262. elements [numElements++] = y;
  67263. }
  67264. void Path::lineTo (const float x, const float y) throw()
  67265. {
  67266. CHECK_COORDS_ARE_VALID (x, y);
  67267. if (numElements == 0)
  67268. startNewSubPath (0, 0);
  67269. ensureAllocatedSize (numElements + 3);
  67270. elements [numElements++] = lineMarker;
  67271. elements [numElements++] = x;
  67272. elements [numElements++] = y;
  67273. pathXMin = jmin (pathXMin, x);
  67274. pathXMax = jmax (pathXMax, x);
  67275. pathYMin = jmin (pathYMin, y);
  67276. pathYMax = jmax (pathYMax, y);
  67277. }
  67278. void Path::quadraticTo (const float x1, const float y1,
  67279. const float x2, const float y2) throw()
  67280. {
  67281. CHECK_COORDS_ARE_VALID (x1, y1);
  67282. CHECK_COORDS_ARE_VALID (x2, y2);
  67283. if (numElements == 0)
  67284. startNewSubPath (0, 0);
  67285. ensureAllocatedSize (numElements + 5);
  67286. elements [numElements++] = quadMarker;
  67287. elements [numElements++] = x1;
  67288. elements [numElements++] = y1;
  67289. elements [numElements++] = x2;
  67290. elements [numElements++] = y2;
  67291. pathXMin = jmin (pathXMin, x1, x2);
  67292. pathXMax = jmax (pathXMax, x1, x2);
  67293. pathYMin = jmin (pathYMin, y1, y2);
  67294. pathYMax = jmax (pathYMax, y1, y2);
  67295. }
  67296. void Path::cubicTo (const float x1, const float y1,
  67297. const float x2, const float y2,
  67298. const float x3, const float y3) throw()
  67299. {
  67300. CHECK_COORDS_ARE_VALID (x1, y1);
  67301. CHECK_COORDS_ARE_VALID (x2, y2);
  67302. CHECK_COORDS_ARE_VALID (x3, y3);
  67303. if (numElements == 0)
  67304. startNewSubPath (0, 0);
  67305. ensureAllocatedSize (numElements + 7);
  67306. elements [numElements++] = cubicMarker;
  67307. elements [numElements++] = x1;
  67308. elements [numElements++] = y1;
  67309. elements [numElements++] = x2;
  67310. elements [numElements++] = y2;
  67311. elements [numElements++] = x3;
  67312. elements [numElements++] = y3;
  67313. pathXMin = jmin (pathXMin, x1, x2, x3);
  67314. pathXMax = jmax (pathXMax, x1, x2, x3);
  67315. pathYMin = jmin (pathYMin, y1, y2, y3);
  67316. pathYMax = jmax (pathYMax, y1, y2, y3);
  67317. }
  67318. void Path::closeSubPath() throw()
  67319. {
  67320. if (numElements > 0
  67321. && elements [numElements - 1] != closeSubPathMarker)
  67322. {
  67323. ensureAllocatedSize (numElements + 1);
  67324. elements [numElements++] = closeSubPathMarker;
  67325. }
  67326. }
  67327. const Point Path::getCurrentPosition() const
  67328. {
  67329. int i = numElements - 1;
  67330. if (i > 0 && elements[i] == closeSubPathMarker)
  67331. {
  67332. while (i >= 0)
  67333. {
  67334. if (elements[i] == moveMarker)
  67335. {
  67336. i += 2;
  67337. break;
  67338. }
  67339. --i;
  67340. }
  67341. }
  67342. if (i > 0)
  67343. return Point (elements [i - 1], elements [i]);
  67344. return Point (0.0f, 0.0f);
  67345. }
  67346. void Path::addRectangle (const float x, const float y,
  67347. const float w, const float h) throw()
  67348. {
  67349. startNewSubPath (x, y + h);
  67350. lineTo (x, y);
  67351. lineTo (x + w, y);
  67352. lineTo (x + w, y + h);
  67353. closeSubPath();
  67354. }
  67355. void Path::addRoundedRectangle (const float x, const float y,
  67356. const float w, const float h,
  67357. float csx,
  67358. float csy) throw()
  67359. {
  67360. csx = jmin (csx, w * 0.5f);
  67361. csy = jmin (csy, h * 0.5f);
  67362. const float cs45x = csx * 0.45f;
  67363. const float cs45y = csy * 0.45f;
  67364. const float x2 = x + w;
  67365. const float y2 = y + h;
  67366. startNewSubPath (x + csx, y);
  67367. lineTo (x2 - csx, y);
  67368. cubicTo (x2 - cs45x, y, x2, y + cs45y, x2, y + csy);
  67369. lineTo (x2, y2 - csy);
  67370. cubicTo (x2, y2 - cs45y, x2 - cs45x, y2, x2 - csx, y2);
  67371. lineTo (x + csx, y2);
  67372. cubicTo (x + cs45x, y2, x, y2 - cs45y, x, y2 - csy);
  67373. lineTo (x, y + csy);
  67374. cubicTo (x, y + cs45y, x + cs45x, y, x + csx, y);
  67375. closeSubPath();
  67376. }
  67377. void Path::addRoundedRectangle (const float x, const float y,
  67378. const float w, const float h,
  67379. float cs) throw()
  67380. {
  67381. addRoundedRectangle (x, y, w, h, cs, cs);
  67382. }
  67383. void Path::addTriangle (const float x1, const float y1,
  67384. const float x2, const float y2,
  67385. const float x3, const float y3) throw()
  67386. {
  67387. startNewSubPath (x1, y1);
  67388. lineTo (x2, y2);
  67389. lineTo (x3, y3);
  67390. closeSubPath();
  67391. }
  67392. void Path::addQuadrilateral (const float x1, const float y1,
  67393. const float x2, const float y2,
  67394. const float x3, const float y3,
  67395. const float x4, const float y4) throw()
  67396. {
  67397. startNewSubPath (x1, y1);
  67398. lineTo (x2, y2);
  67399. lineTo (x3, y3);
  67400. lineTo (x4, y4);
  67401. closeSubPath();
  67402. }
  67403. void Path::addEllipse (const float x, const float y,
  67404. const float w, const float h) throw()
  67405. {
  67406. const float hw = w * 0.5f;
  67407. const float hw55 = hw * 0.55f;
  67408. const float hh = h * 0.5f;
  67409. const float hh45 = hh * 0.55f;
  67410. const float cx = x + hw;
  67411. const float cy = y + hh;
  67412. startNewSubPath (cx, cy - hh);
  67413. cubicTo (cx + hw55, cy - hh, cx + hw, cy - hh45, cx + hw, cy);
  67414. cubicTo (cx + hw, cy + hh45, cx + hw55, cy + hh, cx, cy + hh);
  67415. cubicTo (cx - hw55, cy + hh, cx - hw, cy + hh45, cx - hw, cy);
  67416. cubicTo (cx - hw, cy - hh45, cx - hw55, cy - hh, cx, cy - hh);
  67417. closeSubPath();
  67418. }
  67419. void Path::addArc (const float x, const float y,
  67420. const float w, const float h,
  67421. const float fromRadians,
  67422. const float toRadians,
  67423. const bool startAsNewSubPath) throw()
  67424. {
  67425. const float radiusX = w / 2.0f;
  67426. const float radiusY = h / 2.0f;
  67427. addCentredArc (x + radiusX,
  67428. y + radiusY,
  67429. radiusX, radiusY,
  67430. 0.0f,
  67431. fromRadians, toRadians,
  67432. startAsNewSubPath);
  67433. }
  67434. static const float ellipseAngularIncrement = 0.05f;
  67435. void Path::addCentredArc (const float centreX, const float centreY,
  67436. const float radiusX, const float radiusY,
  67437. const float rotationOfEllipse,
  67438. const float fromRadians,
  67439. const float toRadians,
  67440. const bool startAsNewSubPath) throw()
  67441. {
  67442. if (radiusX > 0.0f && radiusY > 0.0f)
  67443. {
  67444. const AffineTransform rotation (AffineTransform::rotation (rotationOfEllipse, centreX, centreY));
  67445. float angle = fromRadians;
  67446. if (startAsNewSubPath)
  67447. {
  67448. float x = centreX + radiusX * sinf (angle);
  67449. float y = centreY - radiusY * cosf (angle);
  67450. if (rotationOfEllipse != 0)
  67451. rotation.transformPoint (x, y);
  67452. startNewSubPath (x, y);
  67453. }
  67454. if (fromRadians < toRadians)
  67455. {
  67456. if (startAsNewSubPath)
  67457. angle += ellipseAngularIncrement;
  67458. while (angle < toRadians)
  67459. {
  67460. float x = centreX + radiusX * sinf (angle);
  67461. float y = centreY - radiusY * cosf (angle);
  67462. if (rotationOfEllipse != 0)
  67463. rotation.transformPoint (x, y);
  67464. lineTo (x, y);
  67465. angle += ellipseAngularIncrement;
  67466. }
  67467. }
  67468. else
  67469. {
  67470. if (startAsNewSubPath)
  67471. angle -= ellipseAngularIncrement;
  67472. while (angle > toRadians)
  67473. {
  67474. float x = centreX + radiusX * sinf (angle);
  67475. float y = centreY - radiusY * cosf (angle);
  67476. if (rotationOfEllipse != 0)
  67477. rotation.transformPoint (x, y);
  67478. lineTo (x, y);
  67479. angle -= ellipseAngularIncrement;
  67480. }
  67481. }
  67482. float x = centreX + radiusX * sinf (toRadians);
  67483. float y = centreY - radiusY * cosf (toRadians);
  67484. if (rotationOfEllipse != 0)
  67485. rotation.transformPoint (x, y);
  67486. lineTo (x, y);
  67487. }
  67488. }
  67489. void Path::addPieSegment (const float x, const float y,
  67490. const float width, const float height,
  67491. const float fromRadians,
  67492. const float toRadians,
  67493. const float innerCircleProportionalSize)
  67494. {
  67495. float hw = width * 0.5f;
  67496. float hh = height * 0.5f;
  67497. const float centreX = x + hw;
  67498. const float centreY = y + hh;
  67499. startNewSubPath (centreX + hw * sinf (fromRadians),
  67500. centreY - hh * cosf (fromRadians));
  67501. addArc (x, y, width, height, fromRadians, toRadians);
  67502. if (fabs (fromRadians - toRadians) > float_Pi * 1.999f)
  67503. {
  67504. closeSubPath();
  67505. if (innerCircleProportionalSize > 0)
  67506. {
  67507. hw *= innerCircleProportionalSize;
  67508. hh *= innerCircleProportionalSize;
  67509. startNewSubPath (centreX + hw * sinf (toRadians),
  67510. centreY - hh * cosf (toRadians));
  67511. addArc (centreX - hw, centreY - hh, hw * 2.0f, hh * 2.0f,
  67512. toRadians, fromRadians);
  67513. }
  67514. }
  67515. else
  67516. {
  67517. if (innerCircleProportionalSize > 0)
  67518. {
  67519. hw *= innerCircleProportionalSize;
  67520. hh *= innerCircleProportionalSize;
  67521. addArc (centreX - hw, centreY - hh, hw * 2.0f, hh * 2.0f,
  67522. toRadians, fromRadians);
  67523. }
  67524. else
  67525. {
  67526. lineTo (centreX, centreY);
  67527. }
  67528. }
  67529. closeSubPath();
  67530. }
  67531. static void perpendicularOffset (const float x1, const float y1,
  67532. const float x2, const float y2,
  67533. const float offsetX, const float offsetY,
  67534. float& resultX, float& resultY) throw()
  67535. {
  67536. const float dx = x2 - x1;
  67537. const float dy = y2 - y1;
  67538. const float len = juce_hypotf (dx, dy);
  67539. if (len == 0)
  67540. {
  67541. resultX = x1;
  67542. resultY = y1;
  67543. }
  67544. else
  67545. {
  67546. resultX = x1 + ((dx * offsetX) - (dy * offsetY)) / len;
  67547. resultY = y1 + ((dy * offsetX) + (dx * offsetY)) / len;
  67548. }
  67549. }
  67550. void Path::addLineSegment (const float startX, const float startY,
  67551. const float endX, const float endY,
  67552. float lineThickness) throw()
  67553. {
  67554. lineThickness *= 0.5f;
  67555. float x, y;
  67556. perpendicularOffset (startX, startY, endX, endY,
  67557. 0, lineThickness, x, y);
  67558. startNewSubPath (x, y);
  67559. perpendicularOffset (startX, startY, endX, endY,
  67560. 0, -lineThickness, x, y);
  67561. lineTo (x, y);
  67562. perpendicularOffset (endX, endY, startX, startY,
  67563. 0, lineThickness, x, y);
  67564. lineTo (x, y);
  67565. perpendicularOffset (endX, endY, startX, startY,
  67566. 0, -lineThickness, x, y);
  67567. lineTo (x, y);
  67568. closeSubPath();
  67569. }
  67570. void Path::addArrow (const float startX, const float startY,
  67571. const float endX, const float endY,
  67572. float lineThickness,
  67573. float arrowheadWidth,
  67574. float arrowheadLength) throw()
  67575. {
  67576. lineThickness *= 0.5f;
  67577. arrowheadWidth *= 0.5f;
  67578. arrowheadLength = jmin (arrowheadLength, 0.8f * juce_hypotf (startX - endX,
  67579. startY - endY));
  67580. float x, y;
  67581. perpendicularOffset (startX, startY, endX, endY,
  67582. 0, lineThickness, x, y);
  67583. startNewSubPath (x, y);
  67584. perpendicularOffset (startX, startY, endX, endY,
  67585. 0, -lineThickness, x, y);
  67586. lineTo (x, y);
  67587. perpendicularOffset (endX, endY, startX, startY,
  67588. arrowheadLength, lineThickness, x, y);
  67589. lineTo (x, y);
  67590. perpendicularOffset (endX, endY, startX, startY,
  67591. arrowheadLength, arrowheadWidth, x, y);
  67592. lineTo (x, y);
  67593. perpendicularOffset (endX, endY, startX, startY,
  67594. 0, 0, x, y);
  67595. lineTo (x, y);
  67596. perpendicularOffset (endX, endY, startX, startY,
  67597. arrowheadLength, -arrowheadWidth, x, y);
  67598. lineTo (x, y);
  67599. perpendicularOffset (endX, endY, startX, startY,
  67600. arrowheadLength, -lineThickness, x, y);
  67601. lineTo (x, y);
  67602. closeSubPath();
  67603. }
  67604. void Path::addStar (const float centreX,
  67605. const float centreY,
  67606. const int numberOfPoints,
  67607. const float innerRadius,
  67608. const float outerRadius,
  67609. const float startAngle)
  67610. {
  67611. jassert (numberOfPoints > 1); // this would be silly.
  67612. if (numberOfPoints > 1)
  67613. {
  67614. const float angleBetweenPoints = float_Pi * 2.0f / numberOfPoints;
  67615. for (int i = 0; i < numberOfPoints; ++i)
  67616. {
  67617. float angle = startAngle + i * angleBetweenPoints;
  67618. const float x = centreX + outerRadius * sinf (angle);
  67619. const float y = centreY - outerRadius * cosf (angle);
  67620. if (i == 0)
  67621. startNewSubPath (x, y);
  67622. else
  67623. lineTo (x, y);
  67624. angle += angleBetweenPoints * 0.5f;
  67625. lineTo (centreX + innerRadius * sinf (angle),
  67626. centreY - innerRadius * cosf (angle));
  67627. }
  67628. closeSubPath();
  67629. }
  67630. }
  67631. void Path::addBubble (float x, float y,
  67632. float w, float h,
  67633. float cs,
  67634. float tipX,
  67635. float tipY,
  67636. int whichSide,
  67637. float arrowPos,
  67638. float arrowWidth)
  67639. {
  67640. if (w > 1.0f && h > 1.0f)
  67641. {
  67642. cs = jmin (cs, w * 0.5f, h * 0.5f);
  67643. const float cs2 = 2.0f * cs;
  67644. startNewSubPath (x + cs, y);
  67645. if (whichSide == 0)
  67646. {
  67647. const float halfArrowW = jmin (arrowWidth, w - cs2) * 0.5f;
  67648. const float arrowX1 = x + cs + jmax (0.0f, (w - cs2) * arrowPos - halfArrowW);
  67649. lineTo (arrowX1, y);
  67650. lineTo (tipX, tipY);
  67651. lineTo (arrowX1 + halfArrowW * 2.0f, y);
  67652. }
  67653. lineTo (x + w - cs, y);
  67654. if (cs > 0.0f)
  67655. addArc (x + w - cs2, y, cs2, cs2, 0, float_Pi * 0.5f);
  67656. if (whichSide == 3)
  67657. {
  67658. const float halfArrowH = jmin (arrowWidth, h - cs2) * 0.5f;
  67659. const float arrowY1 = y + cs + jmax (0.0f, (h - cs2) * arrowPos - halfArrowH);
  67660. lineTo (x + w, arrowY1);
  67661. lineTo (tipX, tipY);
  67662. lineTo (x + w, arrowY1 + halfArrowH * 2.0f);
  67663. }
  67664. lineTo (x + w, y + h - cs);
  67665. if (cs > 0.0f)
  67666. addArc (x + w - cs2, y + h - cs2, cs2, cs2, float_Pi * 0.5f, float_Pi);
  67667. if (whichSide == 2)
  67668. {
  67669. const float halfArrowW = jmin (arrowWidth, w - cs2) * 0.5f;
  67670. const float arrowX1 = x + cs + jmax (0.0f, (w - cs2) * arrowPos - halfArrowW);
  67671. lineTo (arrowX1 + halfArrowW * 2.0f, y + h);
  67672. lineTo (tipX, tipY);
  67673. lineTo (arrowX1, y + h);
  67674. }
  67675. lineTo (x + cs, y + h);
  67676. if (cs > 0.0f)
  67677. addArc (x, y + h - cs2, cs2, cs2, float_Pi, float_Pi * 1.5f);
  67678. if (whichSide == 1)
  67679. {
  67680. const float halfArrowH = jmin (arrowWidth, h - cs2) * 0.5f;
  67681. const float arrowY1 = y + cs + jmax (0.0f, (h - cs2) * arrowPos - halfArrowH);
  67682. lineTo (x, arrowY1 + halfArrowH * 2.0f);
  67683. lineTo (tipX, tipY);
  67684. lineTo (x, arrowY1);
  67685. }
  67686. lineTo (x, y + cs);
  67687. if (cs > 0.0f)
  67688. addArc (x, y, cs2, cs2, float_Pi * 1.5f, float_Pi * 2.0f - ellipseAngularIncrement);
  67689. closeSubPath();
  67690. }
  67691. }
  67692. void Path::addPath (const Path& other) throw()
  67693. {
  67694. int i = 0;
  67695. while (i < other.numElements)
  67696. {
  67697. const float type = other.elements [i++];
  67698. if (type == moveMarker)
  67699. {
  67700. startNewSubPath (other.elements [i],
  67701. other.elements [i + 1]);
  67702. i += 2;
  67703. }
  67704. else if (type == lineMarker)
  67705. {
  67706. lineTo (other.elements [i],
  67707. other.elements [i + 1]);
  67708. i += 2;
  67709. }
  67710. else if (type == quadMarker)
  67711. {
  67712. quadraticTo (other.elements [i],
  67713. other.elements [i + 1],
  67714. other.elements [i + 2],
  67715. other.elements [i + 3]);
  67716. i += 4;
  67717. }
  67718. else if (type == cubicMarker)
  67719. {
  67720. cubicTo (other.elements [i],
  67721. other.elements [i + 1],
  67722. other.elements [i + 2],
  67723. other.elements [i + 3],
  67724. other.elements [i + 4],
  67725. other.elements [i + 5]);
  67726. i += 6;
  67727. }
  67728. else if (type == closeSubPathMarker)
  67729. {
  67730. closeSubPath();
  67731. }
  67732. else
  67733. {
  67734. // something's gone wrong with the element list!
  67735. jassertfalse
  67736. }
  67737. }
  67738. }
  67739. void Path::addPath (const Path& other,
  67740. const AffineTransform& transformToApply) throw()
  67741. {
  67742. int i = 0;
  67743. while (i < other.numElements)
  67744. {
  67745. const float type = other.elements [i++];
  67746. if (type == closeSubPathMarker)
  67747. {
  67748. closeSubPath();
  67749. }
  67750. else
  67751. {
  67752. float x = other.elements [i++];
  67753. float y = other.elements [i++];
  67754. transformToApply.transformPoint (x, y);
  67755. if (type == moveMarker)
  67756. {
  67757. startNewSubPath (x, y);
  67758. }
  67759. else if (type == lineMarker)
  67760. {
  67761. lineTo (x, y);
  67762. }
  67763. else if (type == quadMarker)
  67764. {
  67765. float x2 = other.elements [i++];
  67766. float y2 = other.elements [i++];
  67767. transformToApply.transformPoint (x2, y2);
  67768. quadraticTo (x, y, x2, y2);
  67769. }
  67770. else if (type == cubicMarker)
  67771. {
  67772. float x2 = other.elements [i++];
  67773. float y2 = other.elements [i++];
  67774. float x3 = other.elements [i++];
  67775. float y3 = other.elements [i++];
  67776. transformToApply.transformPoint (x2, y2);
  67777. transformToApply.transformPoint (x3, y3);
  67778. cubicTo (x, y, x2, y2, x3, y3);
  67779. }
  67780. else
  67781. {
  67782. // something's gone wrong with the element list!
  67783. jassertfalse
  67784. }
  67785. }
  67786. }
  67787. }
  67788. void Path::applyTransform (const AffineTransform& transform) throw()
  67789. {
  67790. int i = 0;
  67791. pathYMin = pathXMin = 0;
  67792. pathYMax = pathXMax = 0;
  67793. bool setMaxMin = false;
  67794. while (i < numElements)
  67795. {
  67796. const float type = elements [i++];
  67797. if (type == moveMarker)
  67798. {
  67799. transform.transformPoint (elements [i],
  67800. elements [i + 1]);
  67801. if (setMaxMin)
  67802. {
  67803. pathXMin = jmin (pathXMin, elements [i]);
  67804. pathXMax = jmax (pathXMax, elements [i]);
  67805. pathYMin = jmin (pathYMin, elements [i + 1]);
  67806. pathYMax = jmax (pathYMax, elements [i + 1]);
  67807. }
  67808. else
  67809. {
  67810. pathXMin = pathXMax = elements [i];
  67811. pathYMin = pathYMax = elements [i + 1];
  67812. setMaxMin = true;
  67813. }
  67814. i += 2;
  67815. }
  67816. else if (type == lineMarker)
  67817. {
  67818. transform.transformPoint (elements [i],
  67819. elements [i + 1]);
  67820. pathXMin = jmin (pathXMin, elements [i]);
  67821. pathXMax = jmax (pathXMax, elements [i]);
  67822. pathYMin = jmin (pathYMin, elements [i + 1]);
  67823. pathYMax = jmax (pathYMax, elements [i + 1]);
  67824. i += 2;
  67825. }
  67826. else if (type == quadMarker)
  67827. {
  67828. transform.transformPoint (elements [i],
  67829. elements [i + 1]);
  67830. transform.transformPoint (elements [i + 2],
  67831. elements [i + 3]);
  67832. pathXMin = jmin (pathXMin, elements [i], elements [i + 2]);
  67833. pathXMax = jmax (pathXMax, elements [i], elements [i + 2]);
  67834. pathYMin = jmin (pathYMin, elements [i + 1], elements [i + 3]);
  67835. pathYMax = jmax (pathYMax, elements [i + 1], elements [i + 3]);
  67836. i += 4;
  67837. }
  67838. else if (type == cubicMarker)
  67839. {
  67840. transform.transformPoint (elements [i],
  67841. elements [i + 1]);
  67842. transform.transformPoint (elements [i + 2],
  67843. elements [i + 3]);
  67844. transform.transformPoint (elements [i + 4],
  67845. elements [i + 5]);
  67846. pathXMin = jmin (pathXMin, elements [i], elements [i + 2], elements [i + 4]);
  67847. pathXMax = jmax (pathXMax, elements [i], elements [i + 2], elements [i + 4]);
  67848. pathYMin = jmin (pathYMin, elements [i + 1], elements [i + 3], elements [i + 5]);
  67849. pathYMax = jmax (pathYMax, elements [i + 1], elements [i + 3], elements [i + 5]);
  67850. i += 6;
  67851. }
  67852. }
  67853. }
  67854. const AffineTransform Path::getTransformToScaleToFit (const float x, const float y,
  67855. const float w, const float h,
  67856. const bool preserveProportions,
  67857. const Justification& justification) const throw()
  67858. {
  67859. float sx, sy, sw, sh;
  67860. getBounds (sx, sy, sw, sh);
  67861. if (preserveProportions)
  67862. {
  67863. if (w <= 0 || h <= 0 || sw <= 0 || sh <= 0)
  67864. return AffineTransform::identity;
  67865. float newW, newH;
  67866. const float srcRatio = sh / sw;
  67867. if (srcRatio > h / w)
  67868. {
  67869. newW = h / srcRatio;
  67870. newH = h;
  67871. }
  67872. else
  67873. {
  67874. newW = w;
  67875. newH = w * srcRatio;
  67876. }
  67877. float newXCentre = x;
  67878. float newYCentre = y;
  67879. if (justification.testFlags (Justification::left))
  67880. newXCentre += newW * 0.5f;
  67881. else if (justification.testFlags (Justification::right))
  67882. newXCentre += w - newW * 0.5f;
  67883. else
  67884. newXCentre += w * 0.5f;
  67885. if (justification.testFlags (Justification::top))
  67886. newYCentre += newH * 0.5f;
  67887. else if (justification.testFlags (Justification::bottom))
  67888. newYCentre += h - newH * 0.5f;
  67889. else
  67890. newYCentre += h * 0.5f;
  67891. return AffineTransform::translation (sw * -0.5f - sx, sh * -0.5f - sy)
  67892. .scaled (newW / sw, newH / sh)
  67893. .translated (newXCentre, newYCentre);
  67894. }
  67895. else
  67896. {
  67897. return AffineTransform::translation (-sx, -sy)
  67898. .scaled (w / sw, h / sh)
  67899. .translated (x, y);
  67900. }
  67901. }
  67902. static const float collisionDetectionTolerence = 20.0f;
  67903. bool Path::contains (const float x, const float y) const throw()
  67904. {
  67905. if (x <= pathXMin || x >= pathXMax
  67906. || y <= pathYMin || y >= pathYMax)
  67907. return false;
  67908. PathFlatteningIterator i (*this, AffineTransform::identity, collisionDetectionTolerence);
  67909. int positiveCrossings = 0;
  67910. int negativeCrossings = 0;
  67911. while (i.next())
  67912. {
  67913. if ((i.y1 <= y && i.y2 > y)
  67914. || (i.y2 <= y && i.y1 > y))
  67915. {
  67916. const float intersectX = i.x1 + (i.x2 - i.x1) * (y - i.y1) / (i.y2 - i.y1);
  67917. if (intersectX <= x)
  67918. {
  67919. if (i.y1 < i.y2)
  67920. ++positiveCrossings;
  67921. else
  67922. ++negativeCrossings;
  67923. }
  67924. }
  67925. }
  67926. return (useNonZeroWinding) ? (negativeCrossings != positiveCrossings)
  67927. : ((negativeCrossings + positiveCrossings) & 1) != 0;
  67928. }
  67929. bool Path::intersectsLine (const float x1, const float y1,
  67930. const float x2, const float y2) throw()
  67931. {
  67932. PathFlatteningIterator i (*this, AffineTransform::identity, collisionDetectionTolerence);
  67933. const Line line1 (x1, y1, x2, y2);
  67934. while (i.next())
  67935. {
  67936. const Line line2 (i.x1, i.y1, i.x2, i.y2);
  67937. float ix, iy;
  67938. if (line1.intersects (line2, ix, iy))
  67939. return true;
  67940. }
  67941. return false;
  67942. }
  67943. const Path Path::createPathWithRoundedCorners (const float cornerRadius) const throw()
  67944. {
  67945. if (cornerRadius <= 0.01f)
  67946. return *this;
  67947. int indexOfPathStart = 0, indexOfPathStartThis = 0;
  67948. int n = 0;
  67949. bool lastWasLine = false, firstWasLine = false;
  67950. Path p;
  67951. while (n < numElements)
  67952. {
  67953. const float type = elements [n++];
  67954. if (type == moveMarker)
  67955. {
  67956. indexOfPathStart = p.numElements;
  67957. indexOfPathStartThis = n - 1;
  67958. const float x = elements [n++];
  67959. const float y = elements [n++];
  67960. p.startNewSubPath (x, y);
  67961. lastWasLine = false;
  67962. firstWasLine = (elements [n] == lineMarker);
  67963. }
  67964. else if (type == lineMarker || type == closeSubPathMarker)
  67965. {
  67966. float startX = 0, startY = 0, joinX = 0, joinY = 0, endX, endY;
  67967. if (type == lineMarker)
  67968. {
  67969. endX = elements [n++];
  67970. endY = elements [n++];
  67971. if (n > 8)
  67972. {
  67973. startX = elements [n - 8];
  67974. startY = elements [n - 7];
  67975. joinX = elements [n - 5];
  67976. joinY = elements [n - 4];
  67977. }
  67978. }
  67979. else
  67980. {
  67981. endX = elements [indexOfPathStartThis + 1];
  67982. endY = elements [indexOfPathStartThis + 2];
  67983. if (n > 6)
  67984. {
  67985. startX = elements [n - 6];
  67986. startY = elements [n - 5];
  67987. joinX = elements [n - 3];
  67988. joinY = elements [n - 2];
  67989. }
  67990. }
  67991. if (lastWasLine)
  67992. {
  67993. const double len1 = juce_hypot (startX - joinX,
  67994. startY - joinY);
  67995. if (len1 > 0)
  67996. {
  67997. const double propNeeded = jmin (0.5, cornerRadius / len1);
  67998. p.elements [p.numElements - 2] = (float) (joinX - (joinX - startX) * propNeeded);
  67999. p.elements [p.numElements - 1] = (float) (joinY - (joinY - startY) * propNeeded);
  68000. }
  68001. const double len2 = juce_hypot (endX - joinX,
  68002. endY - joinY);
  68003. if (len2 > 0)
  68004. {
  68005. const double propNeeded = jmin (0.5, cornerRadius / len2);
  68006. p.quadraticTo (joinX, joinY,
  68007. (float) (joinX + (endX - joinX) * propNeeded),
  68008. (float) (joinY + (endY - joinY) * propNeeded));
  68009. }
  68010. p.lineTo (endX, endY);
  68011. }
  68012. else if (type == lineMarker)
  68013. {
  68014. p.lineTo (endX, endY);
  68015. lastWasLine = true;
  68016. }
  68017. if (type == closeSubPathMarker)
  68018. {
  68019. if (firstWasLine)
  68020. {
  68021. startX = elements [n - 3];
  68022. startY = elements [n - 2];
  68023. joinX = endX;
  68024. joinY = endY;
  68025. endX = elements [indexOfPathStartThis + 4];
  68026. endY = elements [indexOfPathStartThis + 5];
  68027. const double len1 = juce_hypot (startX - joinX,
  68028. startY - joinY);
  68029. if (len1 > 0)
  68030. {
  68031. const double propNeeded = jmin (0.5, cornerRadius / len1);
  68032. p.elements [p.numElements - 2] = (float) (joinX - (joinX - startX) * propNeeded);
  68033. p.elements [p.numElements - 1] = (float) (joinY - (joinY - startY) * propNeeded);
  68034. }
  68035. const double len2 = juce_hypot (endX - joinX,
  68036. endY - joinY);
  68037. if (len2 > 0)
  68038. {
  68039. const double propNeeded = jmin (0.5, cornerRadius / len2);
  68040. endX = (float) (joinX + (endX - joinX) * propNeeded);
  68041. endY = (float) (joinY + (endY - joinY) * propNeeded);
  68042. p.quadraticTo (joinX, joinY, endX, endY);
  68043. p.elements [indexOfPathStart + 1] = endX;
  68044. p.elements [indexOfPathStart + 2] = endY;
  68045. }
  68046. }
  68047. p.closeSubPath();
  68048. }
  68049. }
  68050. else if (type == quadMarker)
  68051. {
  68052. lastWasLine = false;
  68053. const float x1 = elements [n++];
  68054. const float y1 = elements [n++];
  68055. const float x2 = elements [n++];
  68056. const float y2 = elements [n++];
  68057. p.quadraticTo (x1, y1, x2, y2);
  68058. }
  68059. else if (type == cubicMarker)
  68060. {
  68061. lastWasLine = false;
  68062. const float x1 = elements [n++];
  68063. const float y1 = elements [n++];
  68064. const float x2 = elements [n++];
  68065. const float y2 = elements [n++];
  68066. const float x3 = elements [n++];
  68067. const float y3 = elements [n++];
  68068. p.cubicTo (x1, y1, x2, y2, x3, y3);
  68069. }
  68070. }
  68071. return p;
  68072. }
  68073. void Path::loadPathFromStream (InputStream& source)
  68074. {
  68075. while (! source.isExhausted())
  68076. {
  68077. switch (source.readByte())
  68078. {
  68079. case 'm':
  68080. {
  68081. const float x = source.readFloat();
  68082. const float y = source.readFloat();
  68083. startNewSubPath (x, y);
  68084. break;
  68085. }
  68086. case 'l':
  68087. {
  68088. const float x = source.readFloat();
  68089. const float y = source.readFloat();
  68090. lineTo (x, y);
  68091. break;
  68092. }
  68093. case 'q':
  68094. {
  68095. const float x1 = source.readFloat();
  68096. const float y1 = source.readFloat();
  68097. const float x2 = source.readFloat();
  68098. const float y2 = source.readFloat();
  68099. quadraticTo (x1, y1, x2, y2);
  68100. break;
  68101. }
  68102. case 'b':
  68103. {
  68104. const float x1 = source.readFloat();
  68105. const float y1 = source.readFloat();
  68106. const float x2 = source.readFloat();
  68107. const float y2 = source.readFloat();
  68108. const float x3 = source.readFloat();
  68109. const float y3 = source.readFloat();
  68110. cubicTo (x1, y1, x2, y2, x3, y3);
  68111. break;
  68112. }
  68113. case 'c':
  68114. closeSubPath();
  68115. break;
  68116. case 'n':
  68117. useNonZeroWinding = true;
  68118. break;
  68119. case 'z':
  68120. useNonZeroWinding = false;
  68121. break;
  68122. case 'e':
  68123. return; // end of path marker
  68124. default:
  68125. jassertfalse // illegal char in the stream
  68126. break;
  68127. }
  68128. }
  68129. }
  68130. void Path::loadPathFromData (const unsigned char* const data,
  68131. const int numberOfBytes) throw()
  68132. {
  68133. MemoryInputStream in ((const char*) data, numberOfBytes, false);
  68134. loadPathFromStream (in);
  68135. }
  68136. void Path::writePathToStream (OutputStream& dest) const
  68137. {
  68138. dest.writeByte ((useNonZeroWinding) ? 'n' : 'z');
  68139. int i = 0;
  68140. while (i < numElements)
  68141. {
  68142. const float type = elements [i++];
  68143. if (type == moveMarker)
  68144. {
  68145. dest.writeByte ('m');
  68146. dest.writeFloat (elements [i++]);
  68147. dest.writeFloat (elements [i++]);
  68148. }
  68149. else if (type == lineMarker)
  68150. {
  68151. dest.writeByte ('l');
  68152. dest.writeFloat (elements [i++]);
  68153. dest.writeFloat (elements [i++]);
  68154. }
  68155. else if (type == quadMarker)
  68156. {
  68157. dest.writeByte ('q');
  68158. dest.writeFloat (elements [i++]);
  68159. dest.writeFloat (elements [i++]);
  68160. dest.writeFloat (elements [i++]);
  68161. dest.writeFloat (elements [i++]);
  68162. }
  68163. else if (type == cubicMarker)
  68164. {
  68165. dest.writeByte ('b');
  68166. dest.writeFloat (elements [i++]);
  68167. dest.writeFloat (elements [i++]);
  68168. dest.writeFloat (elements [i++]);
  68169. dest.writeFloat (elements [i++]);
  68170. dest.writeFloat (elements [i++]);
  68171. dest.writeFloat (elements [i++]);
  68172. }
  68173. else if (type == closeSubPathMarker)
  68174. {
  68175. dest.writeByte ('c');
  68176. }
  68177. }
  68178. dest.writeByte ('e'); // marks the end-of-path
  68179. }
  68180. const String Path::toString() const
  68181. {
  68182. String s;
  68183. s.preallocateStorage (numElements * 4);
  68184. if (! useNonZeroWinding)
  68185. s << T("a ");
  68186. int i = 0;
  68187. float lastMarker = 0.0f;
  68188. while (i < numElements)
  68189. {
  68190. const float marker = elements [i++];
  68191. tchar markerChar = 0;
  68192. int numCoords = 0;
  68193. if (marker == moveMarker)
  68194. {
  68195. markerChar = T('m');
  68196. numCoords = 2;
  68197. }
  68198. else if (marker == lineMarker)
  68199. {
  68200. markerChar = T('l');
  68201. numCoords = 2;
  68202. }
  68203. else if (marker == quadMarker)
  68204. {
  68205. markerChar = T('q');
  68206. numCoords = 4;
  68207. }
  68208. else if (marker == cubicMarker)
  68209. {
  68210. markerChar = T('c');
  68211. numCoords = 6;
  68212. }
  68213. else
  68214. {
  68215. jassert (marker == closeSubPathMarker);
  68216. markerChar = T('z');
  68217. }
  68218. if (marker != lastMarker)
  68219. {
  68220. s << markerChar << T(' ');
  68221. lastMarker = marker;
  68222. }
  68223. while (--numCoords >= 0 && i < numElements)
  68224. {
  68225. String n (elements [i++], 3);
  68226. while (n.endsWithChar (T('0')))
  68227. n = n.dropLastCharacters (1);
  68228. if (n.endsWithChar (T('.')))
  68229. n = n.dropLastCharacters (1);
  68230. s << n << T(' ');
  68231. }
  68232. }
  68233. return s.trimEnd();
  68234. }
  68235. static const String nextToken (const tchar*& t)
  68236. {
  68237. while (*t == T(' '))
  68238. ++t;
  68239. const tchar* const start = t;
  68240. while (*t != 0 && *t != T(' '))
  68241. ++t;
  68242. const int length = (int) (t - start);
  68243. while (*t == T(' '))
  68244. ++t;
  68245. return String (start, length);
  68246. }
  68247. void Path::restoreFromString (const String& stringVersion)
  68248. {
  68249. clear();
  68250. setUsingNonZeroWinding (true);
  68251. const tchar* t = stringVersion;
  68252. tchar marker = T('m');
  68253. int numValues = 2;
  68254. float values [6];
  68255. while (*t != 0)
  68256. {
  68257. const String token (nextToken (t));
  68258. const tchar firstChar = token[0];
  68259. int startNum = 0;
  68260. if (firstChar == T('m') || firstChar == T('l'))
  68261. {
  68262. marker = firstChar;
  68263. numValues = 2;
  68264. }
  68265. else if (firstChar == T('q'))
  68266. {
  68267. marker = firstChar;
  68268. numValues = 4;
  68269. }
  68270. else if (firstChar == T('c'))
  68271. {
  68272. marker = firstChar;
  68273. numValues = 6;
  68274. }
  68275. else if (firstChar == T('z'))
  68276. {
  68277. marker = firstChar;
  68278. numValues = 0;
  68279. }
  68280. else if (firstChar == T('a'))
  68281. {
  68282. setUsingNonZeroWinding (false);
  68283. continue;
  68284. }
  68285. else
  68286. {
  68287. ++startNum;
  68288. values [0] = token.getFloatValue();
  68289. }
  68290. for (int i = startNum; i < numValues; ++i)
  68291. values [i] = nextToken (t).getFloatValue();
  68292. switch (marker)
  68293. {
  68294. case T('m'):
  68295. startNewSubPath (values[0], values[1]);
  68296. break;
  68297. case T('l'):
  68298. lineTo (values[0], values[1]);
  68299. break;
  68300. case T('q'):
  68301. quadraticTo (values[0], values[1],
  68302. values[2], values[3]);
  68303. break;
  68304. case T('c'):
  68305. cubicTo (values[0], values[1],
  68306. values[2], values[3],
  68307. values[4], values[5]);
  68308. break;
  68309. case T('z'):
  68310. closeSubPath();
  68311. break;
  68312. default:
  68313. jassertfalse // illegal string format?
  68314. break;
  68315. }
  68316. }
  68317. }
  68318. Path::Iterator::Iterator (const Path& path_)
  68319. : path (path_),
  68320. index (0)
  68321. {
  68322. }
  68323. Path::Iterator::~Iterator()
  68324. {
  68325. }
  68326. bool Path::Iterator::next()
  68327. {
  68328. const float* const elements = path.elements;
  68329. if (index < path.numElements)
  68330. {
  68331. const float type = elements [index++];
  68332. if (type == moveMarker)
  68333. {
  68334. elementType = startNewSubPath;
  68335. x1 = elements [index++];
  68336. y1 = elements [index++];
  68337. }
  68338. else if (type == lineMarker)
  68339. {
  68340. elementType = lineTo;
  68341. x1 = elements [index++];
  68342. y1 = elements [index++];
  68343. }
  68344. else if (type == quadMarker)
  68345. {
  68346. elementType = quadraticTo;
  68347. x1 = elements [index++];
  68348. y1 = elements [index++];
  68349. x2 = elements [index++];
  68350. y2 = elements [index++];
  68351. }
  68352. else if (type == cubicMarker)
  68353. {
  68354. elementType = cubicTo;
  68355. x1 = elements [index++];
  68356. y1 = elements [index++];
  68357. x2 = elements [index++];
  68358. y2 = elements [index++];
  68359. x3 = elements [index++];
  68360. y3 = elements [index++];
  68361. }
  68362. else if (type == closeSubPathMarker)
  68363. {
  68364. elementType = closePath;
  68365. }
  68366. return true;
  68367. }
  68368. return false;
  68369. }
  68370. END_JUCE_NAMESPACE
  68371. /********* End of inlined file: juce_Path.cpp *********/
  68372. /********* Start of inlined file: juce_PathIterator.cpp *********/
  68373. BEGIN_JUCE_NAMESPACE
  68374. #if JUCE_MSVC
  68375. #pragma optimize ("t", on)
  68376. #endif
  68377. PathFlatteningIterator::PathFlatteningIterator (const Path& path_,
  68378. const AffineTransform& transform_,
  68379. float tolerence_) throw()
  68380. : x2 (0),
  68381. y2 (0),
  68382. closesSubPath (false),
  68383. subPathIndex (-1),
  68384. path (path_),
  68385. transform (transform_),
  68386. points (path_.elements),
  68387. tolerence (tolerence_ * tolerence_),
  68388. subPathCloseX (0),
  68389. subPathCloseY (0),
  68390. index (0),
  68391. stackSize (32)
  68392. {
  68393. stackBase = (float*) juce_malloc (stackSize * sizeof (float));
  68394. isIdentityTransform = transform.isIdentity();
  68395. stackPos = stackBase;
  68396. }
  68397. PathFlatteningIterator::~PathFlatteningIterator() throw()
  68398. {
  68399. juce_free (stackBase);
  68400. }
  68401. bool PathFlatteningIterator::next() throw()
  68402. {
  68403. x1 = x2;
  68404. y1 = y2;
  68405. float x3 = 0;
  68406. float y3 = 0;
  68407. float x4 = 0;
  68408. float y4 = 0;
  68409. float type;
  68410. for (;;)
  68411. {
  68412. if (stackPos == stackBase)
  68413. {
  68414. if (index >= path.numElements)
  68415. {
  68416. return false;
  68417. }
  68418. else
  68419. {
  68420. type = points [index++];
  68421. if (type != Path::closeSubPathMarker)
  68422. {
  68423. x2 = points [index++];
  68424. y2 = points [index++];
  68425. if (! isIdentityTransform)
  68426. transform.transformPoint (x2, y2);
  68427. if (type == Path::quadMarker)
  68428. {
  68429. x3 = points [index++];
  68430. y3 = points [index++];
  68431. if (! isIdentityTransform)
  68432. transform.transformPoint (x3, y3);
  68433. }
  68434. else if (type == Path::cubicMarker)
  68435. {
  68436. x3 = points [index++];
  68437. y3 = points [index++];
  68438. x4 = points [index++];
  68439. y4 = points [index++];
  68440. if (! isIdentityTransform)
  68441. {
  68442. transform.transformPoint (x3, y3);
  68443. transform.transformPoint (x4, y4);
  68444. }
  68445. }
  68446. }
  68447. }
  68448. }
  68449. else
  68450. {
  68451. type = *--stackPos;
  68452. if (type != Path::closeSubPathMarker)
  68453. {
  68454. x2 = *--stackPos;
  68455. y2 = *--stackPos;
  68456. if (type == Path::quadMarker)
  68457. {
  68458. x3 = *--stackPos;
  68459. y3 = *--stackPos;
  68460. }
  68461. else if (type == Path::cubicMarker)
  68462. {
  68463. x3 = *--stackPos;
  68464. y3 = *--stackPos;
  68465. x4 = *--stackPos;
  68466. y4 = *--stackPos;
  68467. }
  68468. }
  68469. }
  68470. if (type == Path::lineMarker)
  68471. {
  68472. ++subPathIndex;
  68473. closesSubPath = (stackPos == stackBase)
  68474. && (index < path.numElements)
  68475. && (points [index] == Path::closeSubPathMarker)
  68476. && x2 == subPathCloseX
  68477. && y2 == subPathCloseY;
  68478. return true;
  68479. }
  68480. else if (type == Path::quadMarker)
  68481. {
  68482. const int offset = (int) (stackPos - stackBase);
  68483. if (offset >= stackSize - 10)
  68484. {
  68485. stackSize <<= 1;
  68486. stackBase = (float*) juce_realloc (stackBase, stackSize * sizeof (float));
  68487. stackPos = stackBase + offset;
  68488. }
  68489. const float dx1 = x1 - x2;
  68490. const float dy1 = y1 - y2;
  68491. const float dx2 = x2 - x3;
  68492. const float dy2 = y2 - y3;
  68493. const float m1x = (x1 + x2) * 0.5f;
  68494. const float m1y = (y1 + y2) * 0.5f;
  68495. const float m2x = (x2 + x3) * 0.5f;
  68496. const float m2y = (y2 + y3) * 0.5f;
  68497. const float m3x = (m1x + m2x) * 0.5f;
  68498. const float m3y = (m1y + m2y) * 0.5f;
  68499. if (dx1*dx1 + dy1*dy1 + dx2*dx2 + dy2*dy2 > tolerence)
  68500. {
  68501. *stackPos++ = y3;
  68502. *stackPos++ = x3;
  68503. *stackPos++ = m2y;
  68504. *stackPos++ = m2x;
  68505. *stackPos++ = Path::quadMarker;
  68506. *stackPos++ = m3y;
  68507. *stackPos++ = m3x;
  68508. *stackPos++ = m1y;
  68509. *stackPos++ = m1x;
  68510. *stackPos++ = Path::quadMarker;
  68511. }
  68512. else
  68513. {
  68514. *stackPos++ = y3;
  68515. *stackPos++ = x3;
  68516. *stackPos++ = Path::lineMarker;
  68517. *stackPos++ = m3y;
  68518. *stackPos++ = m3x;
  68519. *stackPos++ = Path::lineMarker;
  68520. }
  68521. jassert (stackPos < stackBase + stackSize);
  68522. }
  68523. else if (type == Path::cubicMarker)
  68524. {
  68525. const int offset = (int) (stackPos - stackBase);
  68526. if (offset >= stackSize - 16)
  68527. {
  68528. stackSize <<= 1;
  68529. stackBase = (float*) juce_realloc (stackBase, stackSize * sizeof (float));
  68530. stackPos = stackBase + offset;
  68531. }
  68532. const float dx1 = x1 - x2;
  68533. const float dy1 = y1 - y2;
  68534. const float dx2 = x2 - x3;
  68535. const float dy2 = y2 - y3;
  68536. const float dx3 = x3 - x4;
  68537. const float dy3 = y3 - y4;
  68538. const float m1x = (x1 + x2) * 0.5f;
  68539. const float m1y = (y1 + y2) * 0.5f;
  68540. const float m2x = (x3 + x2) * 0.5f;
  68541. const float m2y = (y3 + y2) * 0.5f;
  68542. const float m3x = (x3 + x4) * 0.5f;
  68543. const float m3y = (y3 + y4) * 0.5f;
  68544. const float m4x = (m1x + m2x) * 0.5f;
  68545. const float m4y = (m1y + m2y) * 0.5f;
  68546. const float m5x = (m3x + m2x) * 0.5f;
  68547. const float m5y = (m3y + m2y) * 0.5f;
  68548. if (dx1*dx1 + dy1*dy1 + dx2*dx2
  68549. + dy2*dy2 + dx3*dx3 + dy3*dy3 > tolerence)
  68550. {
  68551. *stackPos++ = y4;
  68552. *stackPos++ = x4;
  68553. *stackPos++ = m3y;
  68554. *stackPos++ = m3x;
  68555. *stackPos++ = m5y;
  68556. *stackPos++ = m5x;
  68557. *stackPos++ = Path::cubicMarker;
  68558. *stackPos++ = (m4y + m5y) * 0.5f;
  68559. *stackPos++ = (m4x + m5x) * 0.5f;
  68560. *stackPos++ = m4y;
  68561. *stackPos++ = m4x;
  68562. *stackPos++ = m1y;
  68563. *stackPos++ = m1x;
  68564. *stackPos++ = Path::cubicMarker;
  68565. }
  68566. else
  68567. {
  68568. *stackPos++ = y4;
  68569. *stackPos++ = x4;
  68570. *stackPos++ = Path::lineMarker;
  68571. *stackPos++ = m5y;
  68572. *stackPos++ = m5x;
  68573. *stackPos++ = Path::lineMarker;
  68574. *stackPos++ = m4y;
  68575. *stackPos++ = m4x;
  68576. *stackPos++ = Path::lineMarker;
  68577. }
  68578. }
  68579. else if (type == Path::closeSubPathMarker)
  68580. {
  68581. if (x2 != subPathCloseX || y2 != subPathCloseY)
  68582. {
  68583. x1 = x2;
  68584. y1 = y2;
  68585. x2 = subPathCloseX;
  68586. y2 = subPathCloseY;
  68587. closesSubPath = true;
  68588. return true;
  68589. }
  68590. }
  68591. else
  68592. {
  68593. subPathIndex = -1;
  68594. subPathCloseX = x1 = x2;
  68595. subPathCloseY = y1 = y2;
  68596. }
  68597. }
  68598. }
  68599. END_JUCE_NAMESPACE
  68600. /********* End of inlined file: juce_PathIterator.cpp *********/
  68601. /********* Start of inlined file: juce_PathStrokeType.cpp *********/
  68602. BEGIN_JUCE_NAMESPACE
  68603. PathStrokeType::PathStrokeType (const float strokeThickness,
  68604. const JointStyle jointStyle_,
  68605. const EndCapStyle endStyle_) throw()
  68606. : thickness (strokeThickness),
  68607. jointStyle (jointStyle_),
  68608. endStyle (endStyle_)
  68609. {
  68610. }
  68611. PathStrokeType::PathStrokeType (const PathStrokeType& other) throw()
  68612. : thickness (other.thickness),
  68613. jointStyle (other.jointStyle),
  68614. endStyle (other.endStyle)
  68615. {
  68616. }
  68617. const PathStrokeType& PathStrokeType::operator= (const PathStrokeType& other) throw()
  68618. {
  68619. thickness = other.thickness;
  68620. jointStyle = other.jointStyle;
  68621. endStyle = other.endStyle;
  68622. return *this;
  68623. }
  68624. PathStrokeType::~PathStrokeType() throw()
  68625. {
  68626. }
  68627. bool PathStrokeType::operator== (const PathStrokeType& other) const throw()
  68628. {
  68629. return thickness == other.thickness
  68630. && jointStyle == other.jointStyle
  68631. && endStyle == other.endStyle;
  68632. }
  68633. bool PathStrokeType::operator!= (const PathStrokeType& other) const throw()
  68634. {
  68635. return ! operator== (other);
  68636. }
  68637. static bool lineIntersection (const float x1, const float y1,
  68638. const float x2, const float y2,
  68639. const float x3, const float y3,
  68640. const float x4, const float y4,
  68641. float& intersectionX,
  68642. float& intersectionY,
  68643. float& distanceBeyondLine1EndSquared) throw()
  68644. {
  68645. if (x2 != x3 || y2 != y3)
  68646. {
  68647. const float dx1 = x2 - x1;
  68648. const float dy1 = y2 - y1;
  68649. const float dx2 = x4 - x3;
  68650. const float dy2 = y4 - y3;
  68651. const float divisor = dx1 * dy2 - dx2 * dy1;
  68652. if (divisor == 0)
  68653. {
  68654. if (! ((dx1 == 0 && dy1 == 0) || (dx2 == 0 && dy2 == 0)))
  68655. {
  68656. if (dy1 == 0 && dy2 != 0)
  68657. {
  68658. const float along = (y1 - y3) / dy2;
  68659. intersectionX = x3 + along * dx2;
  68660. intersectionY = y1;
  68661. distanceBeyondLine1EndSquared = intersectionX - x2;
  68662. distanceBeyondLine1EndSquared *= distanceBeyondLine1EndSquared;
  68663. if ((x2 > x1) == (intersectionX < x2))
  68664. distanceBeyondLine1EndSquared = -distanceBeyondLine1EndSquared;
  68665. return along >= 0 && along <= 1.0f;
  68666. }
  68667. else if (dy2 == 0 && dy1 != 0)
  68668. {
  68669. const float along = (y3 - y1) / dy1;
  68670. intersectionX = x1 + along * dx1;
  68671. intersectionY = y3;
  68672. distanceBeyondLine1EndSquared = (along - 1.0f) * dx1;
  68673. distanceBeyondLine1EndSquared *= distanceBeyondLine1EndSquared;
  68674. if (along < 1.0f)
  68675. distanceBeyondLine1EndSquared = -distanceBeyondLine1EndSquared;
  68676. return along >= 0 && along <= 1.0f;
  68677. }
  68678. else if (dx1 == 0 && dx2 != 0)
  68679. {
  68680. const float along = (x1 - x3) / dx2;
  68681. intersectionX = x1;
  68682. intersectionY = y3 + along * dy2;
  68683. distanceBeyondLine1EndSquared = intersectionY - y2;
  68684. distanceBeyondLine1EndSquared *= distanceBeyondLine1EndSquared;
  68685. if ((y2 > y1) == (intersectionY < y2))
  68686. distanceBeyondLine1EndSquared = -distanceBeyondLine1EndSquared;
  68687. return along >= 0 && along <= 1.0f;
  68688. }
  68689. else if (dx2 == 0 && dx1 != 0)
  68690. {
  68691. const float along = (x3 - x1) / dx1;
  68692. intersectionX = x3;
  68693. intersectionY = y1 + along * dy1;
  68694. distanceBeyondLine1EndSquared = (along - 1.0f) * dy1;
  68695. distanceBeyondLine1EndSquared *= distanceBeyondLine1EndSquared;
  68696. if (along < 1.0f)
  68697. distanceBeyondLine1EndSquared = -distanceBeyondLine1EndSquared;
  68698. return along >= 0 && along <= 1.0f;
  68699. }
  68700. }
  68701. intersectionX = 0.5f * (x2 + x3);
  68702. intersectionY = 0.5f * (y2 + y3);
  68703. distanceBeyondLine1EndSquared = 0.0f;
  68704. return false;
  68705. }
  68706. else
  68707. {
  68708. const float along1 = ((y1 - y3) * dx2 - (x1 - x3) * dy2) / divisor;
  68709. intersectionX = x1 + along1 * dx1;
  68710. intersectionY = y1 + along1 * dy1;
  68711. if (along1 >= 0 && along1 <= 1.0f)
  68712. {
  68713. const float along2 = ((y1 - y3) * dx1 - (x1 - x3) * dy1);
  68714. if (along2 >= 0 && along2 <= divisor)
  68715. {
  68716. distanceBeyondLine1EndSquared = 0.0f;
  68717. return true;
  68718. }
  68719. }
  68720. distanceBeyondLine1EndSquared = along1 - 1.0f;
  68721. distanceBeyondLine1EndSquared *= distanceBeyondLine1EndSquared;
  68722. distanceBeyondLine1EndSquared *= (dx1 * dx1 + dy1 * dy1);
  68723. if (along1 < 1.0f)
  68724. distanceBeyondLine1EndSquared = -distanceBeyondLine1EndSquared;
  68725. return false;
  68726. }
  68727. }
  68728. intersectionX = x2;
  68729. intersectionY = y2;
  68730. distanceBeyondLine1EndSquared = 0.0f;
  68731. return true;
  68732. }
  68733. // part of stroke drawing stuff
  68734. static void addEdgeAndJoint (Path& destPath,
  68735. const PathStrokeType::JointStyle style,
  68736. const float maxMiterExtensionSquared, const float width,
  68737. const float x1, const float y1,
  68738. const float x2, const float y2,
  68739. const float x3, const float y3,
  68740. const float x4, const float y4,
  68741. const float midX, const float midY) throw()
  68742. {
  68743. if (style == PathStrokeType::beveled
  68744. || (x3 == x4 && y3 == y4)
  68745. || (x1 == x2 && y1 == y2))
  68746. {
  68747. destPath.lineTo (x2, y2);
  68748. destPath.lineTo (x3, y3);
  68749. }
  68750. else
  68751. {
  68752. float jx, jy, distanceBeyondLine1EndSquared;
  68753. // if they intersect, use this point..
  68754. if (lineIntersection (x1, y1, x2, y2,
  68755. x3, y3, x4, y4,
  68756. jx, jy, distanceBeyondLine1EndSquared))
  68757. {
  68758. destPath.lineTo (jx, jy);
  68759. }
  68760. else
  68761. {
  68762. if (style == PathStrokeType::mitered)
  68763. {
  68764. if (distanceBeyondLine1EndSquared < maxMiterExtensionSquared
  68765. && distanceBeyondLine1EndSquared > 0.0f)
  68766. {
  68767. destPath.lineTo (jx, jy);
  68768. }
  68769. else
  68770. {
  68771. // the end sticks out too far, so just use a blunt joint
  68772. destPath.lineTo (x2, y2);
  68773. destPath.lineTo (x3, y3);
  68774. }
  68775. }
  68776. else
  68777. {
  68778. // curved joints
  68779. float angle = atan2f (x2 - midX, y2 - midY);
  68780. float angle2 = atan2f (x3 - midX, y3 - midY);
  68781. while (angle < angle2 - 0.01f)
  68782. angle2 -= float_Pi * 2.0f;
  68783. destPath.lineTo (x2, y2);
  68784. while (angle > angle2)
  68785. {
  68786. destPath.lineTo (midX + width * sinf (angle),
  68787. midY + width * cosf (angle));
  68788. angle -= 0.1f;
  68789. }
  68790. destPath.lineTo (x3, y3);
  68791. }
  68792. }
  68793. }
  68794. }
  68795. static inline void addLineEnd (Path& destPath,
  68796. const PathStrokeType::EndCapStyle style,
  68797. const float x1, const float y1,
  68798. const float x2, const float y2,
  68799. const float width) throw()
  68800. {
  68801. if (style == PathStrokeType::butt)
  68802. {
  68803. destPath.lineTo (x2, y2);
  68804. }
  68805. else
  68806. {
  68807. float offx1, offy1, offx2, offy2;
  68808. float dx = x2 - x1;
  68809. float dy = y2 - y1;
  68810. const float len = juce_hypotf (dx, dy);
  68811. if (len == 0)
  68812. {
  68813. offx1 = offx2 = x1;
  68814. offy1 = offy2 = y1;
  68815. }
  68816. else
  68817. {
  68818. const float offset = width / len;
  68819. dx *= offset;
  68820. dy *= offset;
  68821. offx1 = x1 + dy;
  68822. offy1 = y1 - dx;
  68823. offx2 = x2 + dy;
  68824. offy2 = y2 - dx;
  68825. }
  68826. if (style == PathStrokeType::square)
  68827. {
  68828. // sqaure ends
  68829. destPath.lineTo (offx1, offy1);
  68830. destPath.lineTo (offx2, offy2);
  68831. destPath.lineTo (x2, y2);
  68832. }
  68833. else
  68834. {
  68835. // rounded ends
  68836. const float midx = (offx1 + offx2) * 0.5f;
  68837. const float midy = (offy1 + offy2) * 0.5f;
  68838. destPath.cubicTo (x1 + (offx1 - x1) * 0.55f, y1 + (offy1 - y1) * 0.55f,
  68839. offx1 + (midx - offx1) * 0.45f, offy1 + (midy - offy1) * 0.45f,
  68840. midx, midy);
  68841. destPath.cubicTo (midx + (offx2 - midx) * 0.55f, midy + (offy2 - midy) * 0.55f,
  68842. offx2 + (x2 - offx2) * 0.45f, offy2 + (y2 - offy2) * 0.45f,
  68843. x2, y2);
  68844. }
  68845. }
  68846. }
  68847. struct LineSection
  68848. {
  68849. LineSection() throw() {}
  68850. LineSection (int) throw() {}
  68851. float x1, y1, x2, y2; // original line
  68852. float lx1, ly1, lx2, ly2; // the left-hand stroke
  68853. float rx1, ry1, rx2, ry2; // the right-hand stroke
  68854. };
  68855. static void addSubPath (Path& destPath, const Array <LineSection>& subPath,
  68856. const bool isClosed,
  68857. const float width, const float maxMiterExtensionSquared,
  68858. const PathStrokeType::JointStyle jointStyle, const PathStrokeType::EndCapStyle endStyle) throw()
  68859. {
  68860. jassert (subPath.size() > 0);
  68861. const LineSection& firstLine = subPath.getReference (0);
  68862. float lastX1 = firstLine.lx1;
  68863. float lastY1 = firstLine.ly1;
  68864. float lastX2 = firstLine.lx2;
  68865. float lastY2 = firstLine.ly2;
  68866. if (isClosed)
  68867. {
  68868. destPath.startNewSubPath (lastX1, lastY1);
  68869. }
  68870. else
  68871. {
  68872. destPath.startNewSubPath (firstLine.rx2, firstLine.ry2);
  68873. addLineEnd (destPath, endStyle,
  68874. firstLine.rx2, firstLine.ry2,
  68875. lastX1, lastY1,
  68876. width);
  68877. }
  68878. int i;
  68879. for (i = 1; i < subPath.size(); ++i)
  68880. {
  68881. const LineSection& l = subPath.getReference (i);
  68882. addEdgeAndJoint (destPath, jointStyle,
  68883. maxMiterExtensionSquared, width,
  68884. lastX1, lastY1, lastX2, lastY2,
  68885. l.lx1, l.ly1, l.lx2, l.ly2,
  68886. l.x1, l.y1);
  68887. lastX1 = l.lx1;
  68888. lastY1 = l.ly1;
  68889. lastX2 = l.lx2;
  68890. lastY2 = l.ly2;
  68891. }
  68892. const LineSection& lastLine = subPath.getReference (subPath.size() - 1);
  68893. if (isClosed)
  68894. {
  68895. const LineSection& l = subPath.getReference (0);
  68896. addEdgeAndJoint (destPath, jointStyle,
  68897. maxMiterExtensionSquared, width,
  68898. lastX1, lastY1, lastX2, lastY2,
  68899. l.lx1, l.ly1, l.lx2, l.ly2,
  68900. l.x1, l.y1);
  68901. destPath.closeSubPath();
  68902. destPath.startNewSubPath (lastLine.rx1, lastLine.ry1);
  68903. }
  68904. else
  68905. {
  68906. destPath.lineTo (lastX2, lastY2);
  68907. addLineEnd (destPath, endStyle,
  68908. lastX2, lastY2,
  68909. lastLine.rx1, lastLine.ry1,
  68910. width);
  68911. }
  68912. lastX1 = lastLine.rx1;
  68913. lastY1 = lastLine.ry1;
  68914. lastX2 = lastLine.rx2;
  68915. lastY2 = lastLine.ry2;
  68916. for (i = subPath.size() - 1; --i >= 0;)
  68917. {
  68918. const LineSection& l = subPath.getReference (i);
  68919. addEdgeAndJoint (destPath, jointStyle,
  68920. maxMiterExtensionSquared, width,
  68921. lastX1, lastY1, lastX2, lastY2,
  68922. l.rx1, l.ry1, l.rx2, l.ry2,
  68923. l.x2, l.y2);
  68924. lastX1 = l.rx1;
  68925. lastY1 = l.ry1;
  68926. lastX2 = l.rx2;
  68927. lastY2 = l.ry2;
  68928. }
  68929. if (isClosed)
  68930. {
  68931. addEdgeAndJoint (destPath, jointStyle,
  68932. maxMiterExtensionSquared, width,
  68933. lastX1, lastY1, lastX2, lastY2,
  68934. lastLine.rx1, lastLine.ry1, lastLine.rx2, lastLine.ry2,
  68935. lastLine.x2, lastLine.y2);
  68936. }
  68937. else
  68938. {
  68939. // do the last line
  68940. destPath.lineTo (lastX2, lastY2);
  68941. }
  68942. destPath.closeSubPath();
  68943. }
  68944. void PathStrokeType::createStrokedPath (Path& destPath,
  68945. const Path& source,
  68946. const AffineTransform& transform,
  68947. const float extraAccuracy) const throw()
  68948. {
  68949. if (thickness <= 0)
  68950. {
  68951. destPath.clear();
  68952. return;
  68953. }
  68954. const Path* sourcePath = &source;
  68955. Path temp;
  68956. if (sourcePath == &destPath)
  68957. {
  68958. destPath.swapWithPath (temp);
  68959. sourcePath = &temp;
  68960. }
  68961. else
  68962. {
  68963. destPath.clear();
  68964. }
  68965. destPath.setUsingNonZeroWinding (true);
  68966. const float maxMiterExtensionSquared = 9.0f * thickness * thickness;
  68967. const float width = 0.5f * thickness;
  68968. // Iterate the path, creating a list of the
  68969. // left/right-hand lines along either side of it...
  68970. PathFlatteningIterator it (*sourcePath, transform, 9.0f / extraAccuracy);
  68971. Array <LineSection> subPath;
  68972. LineSection l;
  68973. l.x1 = 0;
  68974. l.y1 = 0;
  68975. const float minSegmentLength = 2.0f / (extraAccuracy * extraAccuracy);
  68976. while (it.next())
  68977. {
  68978. if (it.subPathIndex == 0)
  68979. {
  68980. if (subPath.size() > 0)
  68981. {
  68982. addSubPath (destPath, subPath, false, width, maxMiterExtensionSquared, jointStyle, endStyle);
  68983. subPath.clearQuick();
  68984. }
  68985. l.x1 = it.x1;
  68986. l.y1 = it.y1;
  68987. }
  68988. l.x2 = it.x2;
  68989. l.y2 = it.y2;
  68990. float dx = l.x2 - l.x1;
  68991. float dy = l.y2 - l.y1;
  68992. const float hypotSquared = dx*dx + dy*dy;
  68993. if (it.closesSubPath || hypotSquared > minSegmentLength || it.isLastInSubpath())
  68994. {
  68995. const float len = sqrtf (hypotSquared);
  68996. if (len == 0)
  68997. {
  68998. l.rx1 = l.rx2 = l.lx1 = l.lx2 = l.x1;
  68999. l.ry1 = l.ry2 = l.ly1 = l.ly2 = l.y1;
  69000. }
  69001. else
  69002. {
  69003. const float offset = width / len;
  69004. dx *= offset;
  69005. dy *= offset;
  69006. l.rx2 = l.x1 - dy;
  69007. l.ry2 = l.y1 + dx;
  69008. l.lx1 = l.x1 + dy;
  69009. l.ly1 = l.y1 - dx;
  69010. l.lx2 = l.x2 + dy;
  69011. l.ly2 = l.y2 - dx;
  69012. l.rx1 = l.x2 - dy;
  69013. l.ry1 = l.y2 + dx;
  69014. }
  69015. subPath.add (l);
  69016. if (it.closesSubPath)
  69017. {
  69018. addSubPath (destPath, subPath, true, width, maxMiterExtensionSquared, jointStyle, endStyle);
  69019. subPath.clearQuick();
  69020. }
  69021. else
  69022. {
  69023. l.x1 = it.x2;
  69024. l.y1 = it.y2;
  69025. }
  69026. }
  69027. }
  69028. if (subPath.size() > 0)
  69029. addSubPath (destPath, subPath, false, width, maxMiterExtensionSquared, jointStyle, endStyle);
  69030. }
  69031. void PathStrokeType::createDashedStroke (Path& destPath,
  69032. const Path& sourcePath,
  69033. const float* dashLengths,
  69034. int numDashLengths,
  69035. const AffineTransform& transform,
  69036. const float extraAccuracy) const throw()
  69037. {
  69038. if (thickness <= 0)
  69039. return;
  69040. // this should really be an even number..
  69041. jassert ((numDashLengths & 1) == 0);
  69042. Path newDestPath;
  69043. PathFlatteningIterator it (sourcePath, transform, 9.0f / extraAccuracy);
  69044. bool first = true;
  69045. int dashNum = 0;
  69046. float pos = 0.0f, lineLen = 0.0f, lineEndPos = 0.0f;
  69047. float dx = 0.0f, dy = 0.0f;
  69048. for (;;)
  69049. {
  69050. const bool isSolid = ((dashNum & 1) == 0);
  69051. const float dashLen = dashLengths [dashNum++ % numDashLengths];
  69052. jassert (dashLen > 0); // must be a positive increment!
  69053. if (dashLen <= 0)
  69054. break;
  69055. pos += dashLen;
  69056. while (pos > lineEndPos)
  69057. {
  69058. if (! it.next())
  69059. {
  69060. if (isSolid && ! first)
  69061. newDestPath.lineTo (it.x2, it.y2);
  69062. createStrokedPath (destPath, newDestPath, AffineTransform::identity, extraAccuracy);
  69063. return;
  69064. }
  69065. if (isSolid && ! first)
  69066. {
  69067. newDestPath.lineTo (it.x1, it.y1);
  69068. }
  69069. else
  69070. {
  69071. newDestPath.startNewSubPath (it.x1, it.y1);
  69072. first = false;
  69073. }
  69074. dx = it.x2 - it.x1;
  69075. dy = it.y2 - it.y1;
  69076. lineLen = juce_hypotf (dx, dy);
  69077. lineEndPos += lineLen;
  69078. }
  69079. const float alpha = (pos - (lineEndPos - lineLen)) / lineLen;
  69080. if (isSolid)
  69081. newDestPath.lineTo (it.x1 + dx * alpha,
  69082. it.y1 + dy * alpha);
  69083. else
  69084. newDestPath.startNewSubPath (it.x1 + dx * alpha,
  69085. it.y1 + dy * alpha);
  69086. }
  69087. }
  69088. END_JUCE_NAMESPACE
  69089. /********* End of inlined file: juce_PathStrokeType.cpp *********/
  69090. /********* Start of inlined file: juce_Point.cpp *********/
  69091. BEGIN_JUCE_NAMESPACE
  69092. Point::Point() throw()
  69093. : x (0.0f),
  69094. y (0.0f)
  69095. {
  69096. }
  69097. Point::Point (const Point& other) throw()
  69098. : x (other.x),
  69099. y (other.y)
  69100. {
  69101. }
  69102. const Point& Point::operator= (const Point& other) throw()
  69103. {
  69104. x = other.x;
  69105. y = other.y;
  69106. return *this;
  69107. }
  69108. Point::Point (const float x_,
  69109. const float y_) throw()
  69110. : x (x_),
  69111. y (y_)
  69112. {
  69113. }
  69114. Point::~Point() throw()
  69115. {
  69116. }
  69117. void Point::setXY (const float x_,
  69118. const float y_) throw()
  69119. {
  69120. x = x_;
  69121. y = y_;
  69122. }
  69123. void Point::applyTransform (const AffineTransform& transform) throw()
  69124. {
  69125. transform.transformPoint (x, y);
  69126. }
  69127. END_JUCE_NAMESPACE
  69128. /********* End of inlined file: juce_Point.cpp *********/
  69129. /********* Start of inlined file: juce_PositionedRectangle.cpp *********/
  69130. BEGIN_JUCE_NAMESPACE
  69131. PositionedRectangle::PositionedRectangle() throw()
  69132. : x (0.0),
  69133. y (0.0),
  69134. w (0.0),
  69135. h (0.0),
  69136. xMode (anchorAtLeftOrTop | absoluteFromParentTopLeft),
  69137. yMode (anchorAtLeftOrTop | absoluteFromParentTopLeft),
  69138. wMode (absoluteSize),
  69139. hMode (absoluteSize)
  69140. {
  69141. }
  69142. PositionedRectangle::PositionedRectangle (const PositionedRectangle& other) throw()
  69143. : x (other.x),
  69144. y (other.y),
  69145. w (other.w),
  69146. h (other.h),
  69147. xMode (other.xMode),
  69148. yMode (other.yMode),
  69149. wMode (other.wMode),
  69150. hMode (other.hMode)
  69151. {
  69152. }
  69153. const PositionedRectangle& PositionedRectangle::operator= (const PositionedRectangle& other) throw()
  69154. {
  69155. if (this != &other)
  69156. {
  69157. x = other.x;
  69158. y = other.y;
  69159. w = other.w;
  69160. h = other.h;
  69161. xMode = other.xMode;
  69162. yMode = other.yMode;
  69163. wMode = other.wMode;
  69164. hMode = other.hMode;
  69165. }
  69166. return *this;
  69167. }
  69168. PositionedRectangle::~PositionedRectangle() throw()
  69169. {
  69170. }
  69171. const bool PositionedRectangle::operator== (const PositionedRectangle& other) const throw()
  69172. {
  69173. return x == other.x
  69174. && y == other.y
  69175. && w == other.w
  69176. && h == other.h
  69177. && xMode == other.xMode
  69178. && yMode == other.yMode
  69179. && wMode == other.wMode
  69180. && hMode == other.hMode;
  69181. }
  69182. const bool PositionedRectangle::operator!= (const PositionedRectangle& other) const throw()
  69183. {
  69184. return ! operator== (other);
  69185. }
  69186. PositionedRectangle::PositionedRectangle (const String& stringVersion) throw()
  69187. {
  69188. StringArray tokens;
  69189. tokens.addTokens (stringVersion, false);
  69190. decodePosString (tokens [0], xMode, x);
  69191. decodePosString (tokens [1], yMode, y);
  69192. decodeSizeString (tokens [2], wMode, w);
  69193. decodeSizeString (tokens [3], hMode, h);
  69194. }
  69195. const String PositionedRectangle::toString() const throw()
  69196. {
  69197. String s;
  69198. s.preallocateStorage (12);
  69199. addPosDescription (s, xMode, x);
  69200. s << T(' ');
  69201. addPosDescription (s, yMode, y);
  69202. s << T(' ');
  69203. addSizeDescription (s, wMode, w);
  69204. s << T(' ');
  69205. addSizeDescription (s, hMode, h);
  69206. return s;
  69207. }
  69208. const Rectangle PositionedRectangle::getRectangle (const Rectangle& target) const throw()
  69209. {
  69210. jassert (! target.isEmpty());
  69211. double x_, y_, w_, h_;
  69212. applyPosAndSize (x_, w_, x, w, xMode, wMode, target.getX(), target.getWidth());
  69213. applyPosAndSize (y_, h_, y, h, yMode, hMode, target.getY(), target.getHeight());
  69214. return Rectangle (roundDoubleToInt (x_), roundDoubleToInt (y_),
  69215. roundDoubleToInt (w_), roundDoubleToInt (h_));
  69216. }
  69217. void PositionedRectangle::getRectangleDouble (const Rectangle& target,
  69218. double& x_, double& y_,
  69219. double& w_, double& h_) const throw()
  69220. {
  69221. jassert (! target.isEmpty());
  69222. applyPosAndSize (x_, w_, x, w, xMode, wMode, target.getX(), target.getWidth());
  69223. applyPosAndSize (y_, h_, y, h, yMode, hMode, target.getY(), target.getHeight());
  69224. }
  69225. void PositionedRectangle::applyToComponent (Component& comp) const throw()
  69226. {
  69227. comp.setBounds (getRectangle (Rectangle (0, 0, comp.getParentWidth(), comp.getParentHeight())));
  69228. }
  69229. void PositionedRectangle::updateFrom (const Rectangle& rectangle,
  69230. const Rectangle& target) throw()
  69231. {
  69232. updatePosAndSize (x, w, rectangle.getX(), rectangle.getWidth(), xMode, wMode, target.getX(), target.getWidth());
  69233. updatePosAndSize (y, h, rectangle.getY(), rectangle.getHeight(), yMode, hMode, target.getY(), target.getHeight());
  69234. }
  69235. void PositionedRectangle::updateFromDouble (const double newX, const double newY,
  69236. const double newW, const double newH,
  69237. const Rectangle& target) throw()
  69238. {
  69239. updatePosAndSize (x, w, newX, newW, xMode, wMode, target.getX(), target.getWidth());
  69240. updatePosAndSize (y, h, newY, newH, yMode, hMode, target.getY(), target.getHeight());
  69241. }
  69242. void PositionedRectangle::updateFromComponent (const Component& comp) throw()
  69243. {
  69244. if (comp.getParentComponent() == 0 && ! comp.isOnDesktop())
  69245. updateFrom (comp.getBounds(), Rectangle());
  69246. else
  69247. updateFrom (comp.getBounds(), Rectangle (0, 0, comp.getParentWidth(), comp.getParentHeight()));
  69248. }
  69249. PositionedRectangle::AnchorPoint PositionedRectangle::getAnchorPointX() const throw()
  69250. {
  69251. return (AnchorPoint) (xMode & (anchorAtLeftOrTop | anchorAtRightOrBottom | anchorAtCentre));
  69252. }
  69253. PositionedRectangle::PositionMode PositionedRectangle::getPositionModeX() const throw()
  69254. {
  69255. return (PositionMode) (xMode & (absoluteFromParentTopLeft
  69256. | absoluteFromParentBottomRight
  69257. | absoluteFromParentCentre
  69258. | proportionOfParentSize));
  69259. }
  69260. PositionedRectangle::AnchorPoint PositionedRectangle::getAnchorPointY() const throw()
  69261. {
  69262. return (AnchorPoint) (yMode & (anchorAtLeftOrTop | anchorAtRightOrBottom | anchorAtCentre));
  69263. }
  69264. PositionedRectangle::PositionMode PositionedRectangle::getPositionModeY() const throw()
  69265. {
  69266. return (PositionMode) (yMode & (absoluteFromParentTopLeft
  69267. | absoluteFromParentBottomRight
  69268. | absoluteFromParentCentre
  69269. | proportionOfParentSize));
  69270. }
  69271. PositionedRectangle::SizeMode PositionedRectangle::getWidthMode() const throw()
  69272. {
  69273. return (SizeMode) wMode;
  69274. }
  69275. PositionedRectangle::SizeMode PositionedRectangle::getHeightMode() const throw()
  69276. {
  69277. return (SizeMode) hMode;
  69278. }
  69279. void PositionedRectangle::setModes (const AnchorPoint xAnchor,
  69280. const PositionMode xMode_,
  69281. const AnchorPoint yAnchor,
  69282. const PositionMode yMode_,
  69283. const SizeMode widthMode,
  69284. const SizeMode heightMode,
  69285. const Rectangle& target) throw()
  69286. {
  69287. if (xMode != (xAnchor | xMode_) || wMode != widthMode)
  69288. {
  69289. double tx, tw;
  69290. applyPosAndSize (tx, tw, x, w, xMode, wMode, target.getX(), target.getWidth());
  69291. xMode = (uint8) (xAnchor | xMode_);
  69292. wMode = (uint8) widthMode;
  69293. updatePosAndSize (x, w, tx, tw, xMode, wMode, target.getX(), target.getWidth());
  69294. }
  69295. if (yMode != (yAnchor | yMode_) || hMode != heightMode)
  69296. {
  69297. double ty, th;
  69298. applyPosAndSize (ty, th, y, h, yMode, hMode, target.getY(), target.getHeight());
  69299. yMode = (uint8) (yAnchor | yMode_);
  69300. hMode = (uint8) heightMode;
  69301. updatePosAndSize (y, h, ty, th, yMode, hMode, target.getY(), target.getHeight());
  69302. }
  69303. }
  69304. bool PositionedRectangle::isPositionAbsolute() const throw()
  69305. {
  69306. return xMode == absoluteFromParentTopLeft
  69307. && yMode == absoluteFromParentTopLeft
  69308. && wMode == absoluteSize
  69309. && hMode == absoluteSize;
  69310. }
  69311. void PositionedRectangle::addPosDescription (String& s, const uint8 mode, const double value) const throw()
  69312. {
  69313. if ((mode & proportionOfParentSize) != 0)
  69314. {
  69315. s << (roundDoubleToInt (value * 100000.0) / 1000.0) << T('%');
  69316. }
  69317. else
  69318. {
  69319. s << (roundDoubleToInt (value * 100.0) / 100.0);
  69320. if ((mode & absoluteFromParentBottomRight) != 0)
  69321. s << T('R');
  69322. else if ((mode & absoluteFromParentCentre) != 0)
  69323. s << T('C');
  69324. }
  69325. if ((mode & anchorAtRightOrBottom) != 0)
  69326. s << T('r');
  69327. else if ((mode & anchorAtCentre) != 0)
  69328. s << T('c');
  69329. }
  69330. void PositionedRectangle::addSizeDescription (String& s, const uint8 mode, const double value) const throw()
  69331. {
  69332. if (mode == proportionalSize)
  69333. s << (roundDoubleToInt (value * 100000.0) / 1000.0) << T('%');
  69334. else if (mode == parentSizeMinusAbsolute)
  69335. s << (roundDoubleToInt (value * 100.0) / 100.0) << T('M');
  69336. else
  69337. s << (roundDoubleToInt (value * 100.0) / 100.0);
  69338. }
  69339. void PositionedRectangle::decodePosString (const String& s, uint8& mode, double& value) throw()
  69340. {
  69341. if (s.containsChar (T('r')))
  69342. mode = anchorAtRightOrBottom;
  69343. else if (s.containsChar (T('c')))
  69344. mode = anchorAtCentre;
  69345. else
  69346. mode = anchorAtLeftOrTop;
  69347. if (s.containsChar (T('%')))
  69348. {
  69349. mode |= proportionOfParentSize;
  69350. value = s.removeCharacters (T("%rcRC")).getDoubleValue() / 100.0;
  69351. }
  69352. else
  69353. {
  69354. if (s.containsChar (T('R')))
  69355. mode |= absoluteFromParentBottomRight;
  69356. else if (s.containsChar (T('C')))
  69357. mode |= absoluteFromParentCentre;
  69358. else
  69359. mode |= absoluteFromParentTopLeft;
  69360. value = s.removeCharacters (T("rcRC")).getDoubleValue();
  69361. }
  69362. }
  69363. void PositionedRectangle::decodeSizeString (const String& s, uint8& mode, double& value) throw()
  69364. {
  69365. if (s.containsChar (T('%')))
  69366. {
  69367. mode = proportionalSize;
  69368. value = s.upToFirstOccurrenceOf (T("%"), false, false).getDoubleValue() / 100.0;
  69369. }
  69370. else if (s.containsChar (T('M')))
  69371. {
  69372. mode = parentSizeMinusAbsolute;
  69373. value = s.getDoubleValue();
  69374. }
  69375. else
  69376. {
  69377. mode = absoluteSize;
  69378. value = s.getDoubleValue();
  69379. }
  69380. }
  69381. void PositionedRectangle::applyPosAndSize (double& xOut, double& wOut,
  69382. const double x, const double w,
  69383. const uint8 xMode, const uint8 wMode,
  69384. const int parentPos,
  69385. const int parentSize) const throw()
  69386. {
  69387. if (wMode == proportionalSize)
  69388. wOut = roundDoubleToInt (w * parentSize);
  69389. else if (wMode == parentSizeMinusAbsolute)
  69390. wOut = jmax (0, parentSize - roundDoubleToInt (w));
  69391. else
  69392. wOut = roundDoubleToInt (w);
  69393. if ((xMode & proportionOfParentSize) != 0)
  69394. xOut = parentPos + x * parentSize;
  69395. else if ((xMode & absoluteFromParentBottomRight) != 0)
  69396. xOut = (parentPos + parentSize) - x;
  69397. else if ((xMode & absoluteFromParentCentre) != 0)
  69398. xOut = x + (parentPos + parentSize / 2);
  69399. else
  69400. xOut = x + parentPos;
  69401. if ((xMode & anchorAtRightOrBottom) != 0)
  69402. xOut -= wOut;
  69403. else if ((xMode & anchorAtCentre) != 0)
  69404. xOut -= wOut / 2;
  69405. }
  69406. void PositionedRectangle::updatePosAndSize (double& xOut, double& wOut,
  69407. double x, const double w,
  69408. const uint8 xMode, const uint8 wMode,
  69409. const int parentPos,
  69410. const int parentSize) const throw()
  69411. {
  69412. if (wMode == proportionalSize)
  69413. {
  69414. if (parentSize > 0)
  69415. wOut = w / parentSize;
  69416. }
  69417. else if (wMode == parentSizeMinusAbsolute)
  69418. wOut = parentSize - w;
  69419. else
  69420. wOut = w;
  69421. if ((xMode & anchorAtRightOrBottom) != 0)
  69422. x += w;
  69423. else if ((xMode & anchorAtCentre) != 0)
  69424. x += w / 2;
  69425. if ((xMode & proportionOfParentSize) != 0)
  69426. {
  69427. if (parentSize > 0)
  69428. xOut = (x - parentPos) / parentSize;
  69429. }
  69430. else if ((xMode & absoluteFromParentBottomRight) != 0)
  69431. xOut = (parentPos + parentSize) - x;
  69432. else if ((xMode & absoluteFromParentCentre) != 0)
  69433. xOut = x - (parentPos + parentSize / 2);
  69434. else
  69435. xOut = x - parentPos;
  69436. }
  69437. END_JUCE_NAMESPACE
  69438. /********* End of inlined file: juce_PositionedRectangle.cpp *********/
  69439. /********* Start of inlined file: juce_Rectangle.cpp *********/
  69440. BEGIN_JUCE_NAMESPACE
  69441. Rectangle::Rectangle() throw()
  69442. : x (0),
  69443. y (0),
  69444. w (0),
  69445. h (0)
  69446. {
  69447. }
  69448. Rectangle::Rectangle (const int x_, const int y_,
  69449. const int w_, const int h_) throw()
  69450. : x (x_),
  69451. y (y_),
  69452. w (w_),
  69453. h (h_)
  69454. {
  69455. }
  69456. Rectangle::Rectangle (const int w_, const int h_) throw()
  69457. : x (0),
  69458. y (0),
  69459. w (w_),
  69460. h (h_)
  69461. {
  69462. }
  69463. Rectangle::Rectangle (const Rectangle& other) throw()
  69464. : x (other.x),
  69465. y (other.y),
  69466. w (other.w),
  69467. h (other.h)
  69468. {
  69469. }
  69470. Rectangle::~Rectangle() throw()
  69471. {
  69472. }
  69473. bool Rectangle::isEmpty() const throw()
  69474. {
  69475. return w <= 0 || h <= 0;
  69476. }
  69477. void Rectangle::setBounds (const int x_,
  69478. const int y_,
  69479. const int w_,
  69480. const int h_) throw()
  69481. {
  69482. x = x_;
  69483. y = y_;
  69484. w = w_;
  69485. h = h_;
  69486. }
  69487. void Rectangle::setPosition (const int x_,
  69488. const int y_) throw()
  69489. {
  69490. x = x_;
  69491. y = y_;
  69492. }
  69493. void Rectangle::setSize (const int w_,
  69494. const int h_) throw()
  69495. {
  69496. w = w_;
  69497. h = h_;
  69498. }
  69499. void Rectangle::translate (const int dx,
  69500. const int dy) throw()
  69501. {
  69502. x += dx;
  69503. y += dy;
  69504. }
  69505. const Rectangle Rectangle::translated (const int dx,
  69506. const int dy) const throw()
  69507. {
  69508. return Rectangle (x + dx, y + dy, w, h);
  69509. }
  69510. void Rectangle::expand (const int deltaX,
  69511. const int deltaY) throw()
  69512. {
  69513. const int nw = jmax (0, w + deltaX + deltaX);
  69514. const int nh = jmax (0, h + deltaY + deltaY);
  69515. setBounds (x - deltaX,
  69516. y - deltaY,
  69517. nw, nh);
  69518. }
  69519. const Rectangle Rectangle::expanded (const int deltaX,
  69520. const int deltaY) const throw()
  69521. {
  69522. const int nw = jmax (0, w + deltaX + deltaX);
  69523. const int nh = jmax (0, h + deltaY + deltaY);
  69524. return Rectangle (x - deltaX,
  69525. y - deltaY,
  69526. nw, nh);
  69527. }
  69528. void Rectangle::reduce (const int deltaX,
  69529. const int deltaY) throw()
  69530. {
  69531. expand (-deltaX, -deltaY);
  69532. }
  69533. const Rectangle Rectangle::reduced (const int deltaX,
  69534. const int deltaY) const throw()
  69535. {
  69536. return expanded (-deltaX, -deltaY);
  69537. }
  69538. bool Rectangle::operator== (const Rectangle& other) const throw()
  69539. {
  69540. return x == other.x
  69541. && y == other.y
  69542. && w == other.w
  69543. && h == other.h;
  69544. }
  69545. bool Rectangle::operator!= (const Rectangle& other) const throw()
  69546. {
  69547. return x != other.x
  69548. || y != other.y
  69549. || w != other.w
  69550. || h != other.h;
  69551. }
  69552. bool Rectangle::contains (const int px,
  69553. const int py) const throw()
  69554. {
  69555. return px >= x
  69556. && py >= y
  69557. && px < x + w
  69558. && py < y + h;
  69559. }
  69560. bool Rectangle::contains (const Rectangle& other) const throw()
  69561. {
  69562. return x <= other.x
  69563. && y <= other.y
  69564. && x + w >= other.x + other.w
  69565. && y + h >= other.y + other.h;
  69566. }
  69567. bool Rectangle::intersects (const Rectangle& other) const throw()
  69568. {
  69569. return x + w > other.x
  69570. && y + h > other.y
  69571. && x < other.x + other.w
  69572. && y < other.y + other.h
  69573. && w > 0
  69574. && h > 0;
  69575. }
  69576. const Rectangle Rectangle::getIntersection (const Rectangle& other) const throw()
  69577. {
  69578. const int nx = jmax (x, other.x);
  69579. const int ny = jmax (y, other.y);
  69580. const int nw = jmin (x + w, other.x + other.w) - nx;
  69581. const int nh = jmin (y + h, other.y + other.h) - ny;
  69582. if (nw >= 0 && nh >= 0)
  69583. return Rectangle (nx, ny, nw, nh);
  69584. else
  69585. return Rectangle();
  69586. }
  69587. bool Rectangle::intersectRectangle (int& x1, int& y1, int& w1, int& h1) const throw()
  69588. {
  69589. const int maxX = jmax (x1, x);
  69590. w1 = jmin (x1 + w1, x + w) - maxX;
  69591. if (w1 > 0)
  69592. {
  69593. const int maxY = jmax (y1, y);
  69594. h1 = jmin (y1 + h1, y + h) - maxY;
  69595. if (h1 > 0)
  69596. {
  69597. x1 = maxX;
  69598. y1 = maxY;
  69599. return true;
  69600. }
  69601. }
  69602. return false;
  69603. }
  69604. bool Rectangle::intersectRectangles (int& x1, int& y1, int& w1, int& h1,
  69605. int x2, int y2, int w2, int h2) throw()
  69606. {
  69607. const int x = jmax (x1, x2);
  69608. w1 = jmin (x1 + w1, x2 + w2) - x;
  69609. if (w1 > 0)
  69610. {
  69611. const int y = jmax (y1, y2);
  69612. h1 = jmin (y1 + h1, y2 + h2) - y;
  69613. if (h1 > 0)
  69614. {
  69615. x1 = x;
  69616. y1 = y;
  69617. return true;
  69618. }
  69619. }
  69620. return false;
  69621. }
  69622. const Rectangle Rectangle::getUnion (const Rectangle& other) const throw()
  69623. {
  69624. const int newX = jmin (x, other.x);
  69625. const int newY = jmin (y, other.y);
  69626. return Rectangle (newX, newY,
  69627. jmax (x + w, other.x + other.w) - newX,
  69628. jmax (y + h, other.y + other.h) - newY);
  69629. }
  69630. bool Rectangle::enlargeIfAdjacent (const Rectangle& other) throw()
  69631. {
  69632. if (x == other.x && getRight() == other.getRight()
  69633. && (other.getBottom() >= y && other.y <= getBottom()))
  69634. {
  69635. const int newY = jmin (y, other.y);
  69636. h = jmax (getBottom(), other.getBottom()) - newY;
  69637. y = newY;
  69638. return true;
  69639. }
  69640. else if (y == other.y && getBottom() == other.getBottom()
  69641. && (other.getRight() >= x && other.x <= getRight()))
  69642. {
  69643. const int newX = jmin (x, other.x);
  69644. w = jmax (getRight(), other.getRight()) - newX;
  69645. x = newX;
  69646. return true;
  69647. }
  69648. return false;
  69649. }
  69650. bool Rectangle::reduceIfPartlyContainedIn (const Rectangle& other) throw()
  69651. {
  69652. int inside = 0;
  69653. const int otherR = other.getRight();
  69654. if (x >= other.x && x < otherR)
  69655. inside = 1;
  69656. const int otherB = other.getBottom();
  69657. if (y >= other.y && y < otherB)
  69658. inside |= 2;
  69659. const int r = x + w;
  69660. if (r >= other.x && r < otherR)
  69661. inside |= 4;
  69662. const int b = y + h;
  69663. if (b >= other.y && b < otherB)
  69664. inside |= 8;
  69665. switch (inside)
  69666. {
  69667. case 1 + 2 + 8:
  69668. w = r - otherR;
  69669. x = otherR;
  69670. return true;
  69671. case 1 + 2 + 4:
  69672. h = b - otherB;
  69673. y = otherB;
  69674. return true;
  69675. case 2 + 4 + 8:
  69676. w = other.x - x;
  69677. return true;
  69678. case 1 + 4 + 8:
  69679. h = other.y - y;
  69680. return true;
  69681. }
  69682. return false;
  69683. }
  69684. const String Rectangle::toString() const throw()
  69685. {
  69686. String s;
  69687. s.preallocateStorage (16);
  69688. s << x << T(' ')
  69689. << y << T(' ')
  69690. << w << T(' ')
  69691. << h;
  69692. return s;
  69693. }
  69694. const Rectangle Rectangle::fromString (const String& stringVersion)
  69695. {
  69696. StringArray toks;
  69697. toks.addTokens (stringVersion.trim(), T(",; \t\r\n"), 0);
  69698. return Rectangle (toks[0].trim().getIntValue(),
  69699. toks[1].trim().getIntValue(),
  69700. toks[2].trim().getIntValue(),
  69701. toks[3].trim().getIntValue());
  69702. }
  69703. END_JUCE_NAMESPACE
  69704. /********* End of inlined file: juce_Rectangle.cpp *********/
  69705. /********* Start of inlined file: juce_RectangleList.cpp *********/
  69706. BEGIN_JUCE_NAMESPACE
  69707. RectangleList::RectangleList() throw()
  69708. {
  69709. }
  69710. RectangleList::RectangleList (const Rectangle& rect) throw()
  69711. {
  69712. if (! rect.isEmpty())
  69713. rects.add (rect);
  69714. }
  69715. RectangleList::RectangleList (const RectangleList& other) throw()
  69716. : rects (other.rects)
  69717. {
  69718. }
  69719. const RectangleList& RectangleList::operator= (const RectangleList& other) throw()
  69720. {
  69721. if (this != &other)
  69722. rects = other.rects;
  69723. return *this;
  69724. }
  69725. RectangleList::~RectangleList() throw()
  69726. {
  69727. }
  69728. void RectangleList::clear() throw()
  69729. {
  69730. rects.clearQuick();
  69731. }
  69732. const Rectangle RectangleList::getRectangle (const int index) const throw()
  69733. {
  69734. if (((unsigned int) index) < (unsigned int) rects.size())
  69735. return rects.getReference (index);
  69736. return Rectangle();
  69737. }
  69738. bool RectangleList::isEmpty() const throw()
  69739. {
  69740. return rects.size() == 0;
  69741. }
  69742. RectangleList::Iterator::Iterator (const RectangleList& list) throw()
  69743. : current (0),
  69744. owner (list),
  69745. index (list.rects.size())
  69746. {
  69747. }
  69748. RectangleList::Iterator::~Iterator() throw()
  69749. {
  69750. }
  69751. bool RectangleList::Iterator::next() throw()
  69752. {
  69753. if (--index >= 0)
  69754. {
  69755. current = & (owner.rects.getReference (index));
  69756. return true;
  69757. }
  69758. return false;
  69759. }
  69760. void RectangleList::add (const Rectangle& rect) throw()
  69761. {
  69762. if (! rect.isEmpty())
  69763. {
  69764. if (rects.size() == 0)
  69765. {
  69766. rects.add (rect);
  69767. }
  69768. else
  69769. {
  69770. bool anyOverlaps = false;
  69771. int i;
  69772. for (i = rects.size(); --i >= 0;)
  69773. {
  69774. Rectangle& ourRect = rects.getReference (i);
  69775. if (rect.intersects (ourRect))
  69776. {
  69777. if (rect.contains (ourRect))
  69778. rects.remove (i);
  69779. else if (! ourRect.reduceIfPartlyContainedIn (rect))
  69780. anyOverlaps = true;
  69781. }
  69782. }
  69783. if (anyOverlaps && rects.size() > 0)
  69784. {
  69785. RectangleList r (rect);
  69786. for (i = rects.size(); --i >= 0;)
  69787. {
  69788. const Rectangle& ourRect = rects.getReference (i);
  69789. if (rect.intersects (ourRect))
  69790. {
  69791. r.subtract (ourRect);
  69792. if (r.rects.size() == 0)
  69793. return;
  69794. }
  69795. }
  69796. for (i = r.getNumRectangles(); --i >= 0;)
  69797. rects.add (r.rects.getReference (i));
  69798. }
  69799. else
  69800. {
  69801. rects.add (rect);
  69802. }
  69803. }
  69804. }
  69805. }
  69806. void RectangleList::addWithoutMerging (const Rectangle& rect) throw()
  69807. {
  69808. rects.add (rect);
  69809. }
  69810. void RectangleList::add (const int x, const int y, const int w, const int h) throw()
  69811. {
  69812. if (rects.size() == 0)
  69813. {
  69814. if (w > 0 && h > 0)
  69815. rects.add (Rectangle (x, y, w, h));
  69816. }
  69817. else
  69818. {
  69819. add (Rectangle (x, y, w, h));
  69820. }
  69821. }
  69822. void RectangleList::add (const RectangleList& other) throw()
  69823. {
  69824. for (int i = 0; i < other.rects.size(); ++i)
  69825. add (other.rects.getReference (i));
  69826. }
  69827. void RectangleList::subtract (const Rectangle& rect) throw()
  69828. {
  69829. const int originalNumRects = rects.size();
  69830. if (originalNumRects > 0)
  69831. {
  69832. const int x1 = rect.x;
  69833. const int y1 = rect.y;
  69834. const int x2 = x1 + rect.w;
  69835. const int y2 = y1 + rect.h;
  69836. for (int i = getNumRectangles(); --i >= 0;)
  69837. {
  69838. Rectangle& r = rects.getReference (i);
  69839. const int rx1 = r.x;
  69840. const int ry1 = r.y;
  69841. const int rx2 = rx1 + r.w;
  69842. const int ry2 = ry1 + r.h;
  69843. if (! (x2 <= rx1 || x1 >= rx2 || y2 <= ry1 || y1 >= ry2))
  69844. {
  69845. if (x1 > rx1 && x1 < rx2)
  69846. {
  69847. if (y1 <= ry1 && y2 >= ry2 && x2 >= rx2)
  69848. {
  69849. r.w = x1 - rx1;
  69850. }
  69851. else
  69852. {
  69853. r.x = x1;
  69854. r.w = rx2 - x1;
  69855. rects.insert (i + 1, Rectangle (rx1, ry1, x1 - rx1, ry2 - ry1));
  69856. i += 2;
  69857. }
  69858. }
  69859. else if (x2 > rx1 && x2 < rx2)
  69860. {
  69861. r.x = x2;
  69862. r.w = rx2 - x2;
  69863. if (y1 > ry1 || y2 < ry2 || x1 > rx1)
  69864. {
  69865. rects.insert (i + 1, Rectangle (rx1, ry1, x2 - rx1, ry2 - ry1));
  69866. i += 2;
  69867. }
  69868. }
  69869. else if (y1 > ry1 && y1 < ry2)
  69870. {
  69871. if (x1 <= rx1 && x2 >= rx2 && y2 >= ry2)
  69872. {
  69873. r.h = y1 - ry1;
  69874. }
  69875. else
  69876. {
  69877. r.y = y1;
  69878. r.h = ry2 - y1;
  69879. rects.insert (i + 1, Rectangle (rx1, ry1, rx2 - rx1, y1 - ry1));
  69880. i += 2;
  69881. }
  69882. }
  69883. else if (y2 > ry1 && y2 < ry2)
  69884. {
  69885. r.y = y2;
  69886. r.h = ry2 - y2;
  69887. if (x1 > rx1 || x2 < rx2 || y1 > ry1)
  69888. {
  69889. rects.insert (i + 1, Rectangle (rx1, ry1, rx2 - rx1, y2 - ry1));
  69890. i += 2;
  69891. }
  69892. }
  69893. else
  69894. {
  69895. rects.remove (i);
  69896. }
  69897. }
  69898. }
  69899. if (rects.size() > originalNumRects + 10)
  69900. consolidate();
  69901. }
  69902. }
  69903. void RectangleList::subtract (const RectangleList& otherList) throw()
  69904. {
  69905. for (int i = otherList.rects.size(); --i >= 0;)
  69906. subtract (otherList.rects.getReference (i));
  69907. }
  69908. bool RectangleList::clipTo (const Rectangle& rect) throw()
  69909. {
  69910. bool notEmpty = false;
  69911. if (rect.isEmpty())
  69912. {
  69913. clear();
  69914. }
  69915. else
  69916. {
  69917. for (int i = rects.size(); --i >= 0;)
  69918. {
  69919. Rectangle& r = rects.getReference (i);
  69920. if (! rect.intersectRectangle (r.x, r.y, r.w, r.h))
  69921. rects.remove (i);
  69922. else
  69923. notEmpty = true;
  69924. }
  69925. }
  69926. return notEmpty;
  69927. }
  69928. bool RectangleList::clipTo (const RectangleList& other) throw()
  69929. {
  69930. if (rects.size() == 0)
  69931. return false;
  69932. RectangleList result;
  69933. for (int j = 0; j < rects.size(); ++j)
  69934. {
  69935. const Rectangle& rect = rects.getReference (j);
  69936. for (int i = other.rects.size(); --i >= 0;)
  69937. {
  69938. Rectangle r (other.rects.getReference (i));
  69939. if (rect.intersectRectangle (r.x, r.y, r.w, r.h))
  69940. result.rects.add (r);
  69941. }
  69942. }
  69943. swapWith (result);
  69944. return ! isEmpty();
  69945. }
  69946. bool RectangleList::getIntersectionWith (const Rectangle& rect, RectangleList& destRegion) const throw()
  69947. {
  69948. destRegion.clear();
  69949. if (! rect.isEmpty())
  69950. {
  69951. for (int i = rects.size(); --i >= 0;)
  69952. {
  69953. Rectangle r (rects.getReference (i));
  69954. if (rect.intersectRectangle (r.x, r.y, r.w, r.h))
  69955. destRegion.rects.add (r);
  69956. }
  69957. }
  69958. return destRegion.rects.size() > 0;
  69959. }
  69960. void RectangleList::swapWith (RectangleList& otherList) throw()
  69961. {
  69962. rects.swapWithArray (otherList.rects);
  69963. }
  69964. void RectangleList::consolidate() throw()
  69965. {
  69966. int i;
  69967. for (i = 0; i < getNumRectangles() - 1; ++i)
  69968. {
  69969. Rectangle& r = rects.getReference (i);
  69970. const int rx1 = r.x;
  69971. const int ry1 = r.y;
  69972. const int rx2 = rx1 + r.w;
  69973. const int ry2 = ry1 + r.h;
  69974. for (int j = rects.size(); --j > i;)
  69975. {
  69976. Rectangle& r2 = rects.getReference (j);
  69977. const int jrx1 = r2.x;
  69978. const int jry1 = r2.y;
  69979. const int jrx2 = jrx1 + r2.w;
  69980. const int jry2 = jry1 + r2.h;
  69981. // if the vertical edges of any blocks are touching and their horizontals don't
  69982. // line up, split them horizontally..
  69983. if (jrx1 == rx2 || jrx2 == rx1)
  69984. {
  69985. if (jry1 > ry1 && jry1 < ry2)
  69986. {
  69987. r.h = jry1 - ry1;
  69988. rects.add (Rectangle (rx1, jry1, rx2 - rx1, ry2 - jry1));
  69989. i = -1;
  69990. break;
  69991. }
  69992. if (jry2 > ry1 && jry2 < ry2)
  69993. {
  69994. r.h = jry2 - ry1;
  69995. rects.add (Rectangle (rx1, jry2, rx2 - rx1, ry2 - jry2));
  69996. i = -1;
  69997. break;
  69998. }
  69999. else if (ry1 > jry1 && ry1 < jry2)
  70000. {
  70001. r2.h = ry1 - jry1;
  70002. rects.add (Rectangle (jrx1, ry1, jrx2 - jrx1, jry2 - ry1));
  70003. i = -1;
  70004. break;
  70005. }
  70006. else if (ry2 > jry1 && ry2 < jry2)
  70007. {
  70008. r2.h = ry2 - jry1;
  70009. rects.add (Rectangle (jrx1, ry2, jrx2 - jrx1, jry2 - ry2));
  70010. i = -1;
  70011. break;
  70012. }
  70013. }
  70014. }
  70015. }
  70016. for (i = 0; i < rects.size() - 1; ++i)
  70017. {
  70018. Rectangle& r = rects.getReference (i);
  70019. for (int j = rects.size(); --j > i;)
  70020. {
  70021. if (r.enlargeIfAdjacent (rects.getReference (j)))
  70022. {
  70023. rects.remove (j);
  70024. i = -1;
  70025. break;
  70026. }
  70027. }
  70028. }
  70029. }
  70030. bool RectangleList::containsPoint (const int x, const int y) const throw()
  70031. {
  70032. for (int i = getNumRectangles(); --i >= 0;)
  70033. if (rects.getReference (i).contains (x, y))
  70034. return true;
  70035. return false;
  70036. }
  70037. bool RectangleList::containsRectangle (const Rectangle& rectangleToCheck) const throw()
  70038. {
  70039. if (rects.size() > 1)
  70040. {
  70041. RectangleList r (rectangleToCheck);
  70042. for (int i = rects.size(); --i >= 0;)
  70043. {
  70044. r.subtract (rects.getReference (i));
  70045. if (r.rects.size() == 0)
  70046. return true;
  70047. }
  70048. }
  70049. else if (rects.size() > 0)
  70050. {
  70051. return rects.getReference (0).contains (rectangleToCheck);
  70052. }
  70053. return false;
  70054. }
  70055. bool RectangleList::intersectsRectangle (const Rectangle& rectangleToCheck) const throw()
  70056. {
  70057. for (int i = rects.size(); --i >= 0;)
  70058. if (rects.getReference (i).intersects (rectangleToCheck))
  70059. return true;
  70060. return false;
  70061. }
  70062. bool RectangleList::intersects (const RectangleList& other) const throw()
  70063. {
  70064. for (int i = rects.size(); --i >= 0;)
  70065. if (other.intersectsRectangle (rects.getReference (i)))
  70066. return true;
  70067. return false;
  70068. }
  70069. const Rectangle RectangleList::getBounds() const throw()
  70070. {
  70071. if (rects.size() <= 1)
  70072. {
  70073. if (rects.size() == 0)
  70074. return Rectangle();
  70075. else
  70076. return rects.getReference (0);
  70077. }
  70078. else
  70079. {
  70080. const Rectangle& r = rects.getReference (0);
  70081. int minX = r.x;
  70082. int minY = r.y;
  70083. int maxX = minX + r.w;
  70084. int maxY = minY + r.h;
  70085. for (int i = rects.size(); --i > 0;)
  70086. {
  70087. const Rectangle& r2 = rects.getReference (i);
  70088. minX = jmin (minX, r2.x);
  70089. minY = jmin (minY, r2.y);
  70090. maxX = jmax (maxX, r2.getRight());
  70091. maxY = jmax (maxY, r2.getBottom());
  70092. }
  70093. return Rectangle (minX, minY, maxX - minX, maxY - minY);
  70094. }
  70095. }
  70096. void RectangleList::offsetAll (const int dx, const int dy) throw()
  70097. {
  70098. for (int i = rects.size(); --i >= 0;)
  70099. {
  70100. Rectangle& r = rects.getReference (i);
  70101. r.x += dx;
  70102. r.y += dy;
  70103. }
  70104. }
  70105. const Path RectangleList::toPath() const throw()
  70106. {
  70107. Path p;
  70108. for (int i = rects.size(); --i >= 0;)
  70109. {
  70110. const Rectangle& r = rects.getReference (i);
  70111. p.addRectangle ((float) r.x,
  70112. (float) r.y,
  70113. (float) r.w,
  70114. (float) r.h);
  70115. }
  70116. return p;
  70117. }
  70118. END_JUCE_NAMESPACE
  70119. /********* End of inlined file: juce_RectangleList.cpp *********/
  70120. /********* Start of inlined file: juce_Image.cpp *********/
  70121. BEGIN_JUCE_NAMESPACE
  70122. static const int fullAlphaThreshold = 253;
  70123. Image::Image (const PixelFormat format_,
  70124. const int imageWidth_,
  70125. const int imageHeight_)
  70126. : format (format_),
  70127. imageWidth (imageWidth_),
  70128. imageHeight (imageHeight_),
  70129. imageData (0)
  70130. {
  70131. jassert (format_ == RGB || format_ == ARGB || format_ == SingleChannel);
  70132. jassert (imageWidth_ > 0 && imageHeight_ > 0); // it's illegal to create a zero-sized image - the
  70133. // actual image will be at least 1x1.
  70134. }
  70135. Image::Image (const PixelFormat format_,
  70136. const int imageWidth_,
  70137. const int imageHeight_,
  70138. const bool clearImage)
  70139. : format (format_),
  70140. imageWidth (imageWidth_),
  70141. imageHeight (imageHeight_)
  70142. {
  70143. jassert (format_ == RGB || format_ == ARGB || format_ == SingleChannel);
  70144. jassert (imageWidth_ > 0 && imageHeight_ > 0); // it's illegal to create a zero-sized image - the
  70145. // actual image will be at least 1x1.
  70146. pixelStride = (format == RGB) ? 3 : ((format == ARGB) ? 4 : 1);
  70147. lineStride = (pixelStride * jmax (1, imageWidth_) + 3) & ~3;
  70148. const int dataSize = lineStride * jmax (1, imageHeight_);
  70149. imageData = (uint8*) (clearImage ? juce_calloc (dataSize)
  70150. : juce_malloc (dataSize));
  70151. }
  70152. Image::Image (const Image& other)
  70153. : format (other.format),
  70154. imageWidth (other.imageWidth),
  70155. imageHeight (other.imageHeight)
  70156. {
  70157. pixelStride = (format == RGB) ? 3 : ((format == ARGB) ? 4 : 1);
  70158. lineStride = (pixelStride * jmax (1, imageWidth) + 3) & ~3;
  70159. const int dataSize = lineStride * jmax (1, imageHeight);
  70160. imageData = (uint8*) juce_malloc (dataSize);
  70161. int ls, ps;
  70162. const uint8* srcData = other.lockPixelDataReadOnly (0, 0, imageWidth, imageHeight, ls, ps);
  70163. setPixelData (0, 0, imageWidth, imageHeight, srcData, ls);
  70164. other.releasePixelDataReadOnly (srcData);
  70165. }
  70166. Image::~Image()
  70167. {
  70168. juce_free (imageData);
  70169. }
  70170. LowLevelGraphicsContext* Image::createLowLevelContext()
  70171. {
  70172. return new LowLevelGraphicsSoftwareRenderer (*this);
  70173. }
  70174. uint8* Image::lockPixelDataReadWrite (int x, int y, int w, int h, int& ls, int& ps)
  70175. {
  70176. jassert (x >= 0 && y >= 0 && w > 0 && h > 0 && x + w <= imageWidth && y + h <= imageHeight);
  70177. w = w;
  70178. h = h;
  70179. ls = lineStride;
  70180. ps = pixelStride;
  70181. return imageData + x * pixelStride + y * lineStride;
  70182. }
  70183. void Image::releasePixelDataReadWrite (void*)
  70184. {
  70185. }
  70186. const uint8* Image::lockPixelDataReadOnly (int x, int y, int w, int h, int& ls, int& ps) const
  70187. {
  70188. jassert (x >= 0 && y >= 0 && w > 0 && h > 0 && x + w <= imageWidth && y + h <= imageHeight);
  70189. w = w;
  70190. h = h;
  70191. ls = lineStride;
  70192. ps = pixelStride;
  70193. return imageData + x * pixelStride + y * lineStride;
  70194. }
  70195. void Image::releasePixelDataReadOnly (const void*) const
  70196. {
  70197. }
  70198. void Image::setPixelData (int x, int y, int w, int h,
  70199. const uint8* sourcePixelData, int sourceLineStride)
  70200. {
  70201. jassert (x >= 0 && y >= 0 && w > 0 && h > 0 && x + w <= imageWidth && y + h <= imageHeight);
  70202. if (Rectangle::intersectRectangles (x, y, w, h, 0, 0, imageWidth, imageHeight))
  70203. {
  70204. int ls, ps;
  70205. uint8* dest = lockPixelDataReadWrite (x, y, w, h, ls, ps);
  70206. for (int i = 0; i < h; ++i)
  70207. {
  70208. memcpy (dest + ls * i,
  70209. sourcePixelData + sourceLineStride * i,
  70210. w * pixelStride);
  70211. }
  70212. releasePixelDataReadWrite (dest);
  70213. }
  70214. }
  70215. void Image::clear (int dx, int dy, int dw, int dh,
  70216. const Colour& colourToClearTo)
  70217. {
  70218. const PixelARGB col (colourToClearTo.getPixelARGB());
  70219. int ls, ps;
  70220. uint8* dstData = lockPixelDataReadWrite (dx, dy, dw, dh, ls, ps);
  70221. uint8* dest = dstData;
  70222. while (--dh >= 0)
  70223. {
  70224. uint8* line = dest;
  70225. dest += ls;
  70226. if (isARGB())
  70227. {
  70228. for (int x = dw; --x >= 0;)
  70229. {
  70230. ((PixelARGB*) line)->set (col);
  70231. line += ps;
  70232. }
  70233. }
  70234. else if (isRGB())
  70235. {
  70236. for (int x = dw; --x >= 0;)
  70237. {
  70238. ((PixelRGB*) line)->set (col);
  70239. line += ps;
  70240. }
  70241. }
  70242. else
  70243. {
  70244. for (int x = dw; --x >= 0;)
  70245. {
  70246. *line = col.getAlpha();
  70247. line += ps;
  70248. }
  70249. }
  70250. }
  70251. releasePixelDataReadWrite (dstData);
  70252. }
  70253. Image* Image::createCopy (int newWidth, int newHeight,
  70254. const Graphics::ResamplingQuality quality) const
  70255. {
  70256. if (newWidth < 0)
  70257. newWidth = imageWidth;
  70258. if (newHeight < 0)
  70259. newHeight = imageHeight;
  70260. Image* const newImage = new Image (format, newWidth, newHeight, true);
  70261. Graphics g (*newImage);
  70262. g.setImageResamplingQuality (quality);
  70263. g.drawImage (this,
  70264. 0, 0, newWidth, newHeight,
  70265. 0, 0, imageWidth, imageHeight,
  70266. false);
  70267. return newImage;
  70268. }
  70269. const Colour Image::getPixelAt (const int x, const int y) const
  70270. {
  70271. Colour c;
  70272. if (((unsigned int) x) < (unsigned int) imageWidth
  70273. && ((unsigned int) y) < (unsigned int) imageHeight)
  70274. {
  70275. int ls, ps;
  70276. const uint8* const pixels = lockPixelDataReadOnly (x, y, 1, 1, ls, ps);
  70277. if (isARGB())
  70278. {
  70279. PixelARGB p (*(const PixelARGB*) pixels);
  70280. p.unpremultiply();
  70281. c = Colour (p.getARGB());
  70282. }
  70283. else if (isRGB())
  70284. c = Colour (((const PixelRGB*) pixels)->getARGB());
  70285. else
  70286. c = Colour ((uint8) 0, (uint8) 0, (uint8) 0, *pixels);
  70287. releasePixelDataReadOnly (pixels);
  70288. }
  70289. return c;
  70290. }
  70291. void Image::setPixelAt (const int x, const int y,
  70292. const Colour& colour)
  70293. {
  70294. if (((unsigned int) x) < (unsigned int) imageWidth
  70295. && ((unsigned int) y) < (unsigned int) imageHeight)
  70296. {
  70297. int ls, ps;
  70298. uint8* const pixels = lockPixelDataReadWrite (x, y, 1, 1, ls, ps);
  70299. const PixelARGB col (colour.getPixelARGB());
  70300. if (isARGB())
  70301. ((PixelARGB*) pixels)->set (col);
  70302. else if (isRGB())
  70303. ((PixelRGB*) pixels)->set (col);
  70304. else
  70305. *pixels = col.getAlpha();
  70306. releasePixelDataReadWrite (pixels);
  70307. }
  70308. }
  70309. void Image::multiplyAlphaAt (const int x, const int y,
  70310. const float multiplier)
  70311. {
  70312. if (((unsigned int) x) < (unsigned int) imageWidth
  70313. && ((unsigned int) y) < (unsigned int) imageHeight
  70314. && hasAlphaChannel())
  70315. {
  70316. int ls, ps;
  70317. uint8* const pixels = lockPixelDataReadWrite (x, y, 1, 1, ls, ps);
  70318. if (isARGB())
  70319. ((PixelARGB*) pixels)->multiplyAlpha (multiplier);
  70320. else
  70321. *pixels = (uint8) (*pixels * multiplier);
  70322. releasePixelDataReadWrite (pixels);
  70323. }
  70324. }
  70325. void Image::multiplyAllAlphas (const float amountToMultiplyBy)
  70326. {
  70327. if (hasAlphaChannel())
  70328. {
  70329. int ls, ps;
  70330. uint8* const pixels = lockPixelDataReadWrite (0, 0, getWidth(), getHeight(), ls, ps);
  70331. if (isARGB())
  70332. {
  70333. for (int y = 0; y < imageHeight; ++y)
  70334. {
  70335. uint8* p = pixels + y * ls;
  70336. for (int x = 0; x < imageWidth; ++x)
  70337. {
  70338. ((PixelARGB*) p)->multiplyAlpha (amountToMultiplyBy);
  70339. p += ps;
  70340. }
  70341. }
  70342. }
  70343. else
  70344. {
  70345. for (int y = 0; y < imageHeight; ++y)
  70346. {
  70347. uint8* p = pixels + y * ls;
  70348. for (int x = 0; x < imageWidth; ++x)
  70349. {
  70350. *p = (uint8) (*p * amountToMultiplyBy);
  70351. p += ps;
  70352. }
  70353. }
  70354. }
  70355. releasePixelDataReadWrite (pixels);
  70356. }
  70357. else
  70358. {
  70359. jassertfalse // can't do this without an alpha-channel!
  70360. }
  70361. }
  70362. void Image::desaturate()
  70363. {
  70364. if (isARGB() || isRGB())
  70365. {
  70366. int ls, ps;
  70367. uint8* const pixels = lockPixelDataReadWrite (0, 0, getWidth(), getHeight(), ls, ps);
  70368. if (isARGB())
  70369. {
  70370. for (int y = 0; y < imageHeight; ++y)
  70371. {
  70372. uint8* p = pixels + y * ls;
  70373. for (int x = 0; x < imageWidth; ++x)
  70374. {
  70375. ((PixelARGB*) p)->desaturate();
  70376. p += ps;
  70377. }
  70378. }
  70379. }
  70380. else
  70381. {
  70382. for (int y = 0; y < imageHeight; ++y)
  70383. {
  70384. uint8* p = pixels + y * ls;
  70385. for (int x = 0; x < imageWidth; ++x)
  70386. {
  70387. ((PixelRGB*) p)->desaturate();
  70388. p += ps;
  70389. }
  70390. }
  70391. }
  70392. releasePixelDataReadWrite (pixels);
  70393. }
  70394. }
  70395. void Image::createSolidAreaMask (RectangleList& result, const float alphaThreshold) const
  70396. {
  70397. if (hasAlphaChannel())
  70398. {
  70399. const uint8 threshold = (uint8) jlimit (0, 255, roundFloatToInt (alphaThreshold * 255.0f));
  70400. SparseSet <int> pixelsOnRow;
  70401. int ls, ps;
  70402. const uint8* const pixels = lockPixelDataReadOnly (0, 0, imageWidth, imageHeight, ls, ps);
  70403. for (int y = 0; y < imageHeight; ++y)
  70404. {
  70405. pixelsOnRow.clear();
  70406. const uint8* lineData = pixels + ls * y;
  70407. if (isARGB())
  70408. {
  70409. for (int x = 0; x < imageWidth; ++x)
  70410. {
  70411. if (((const PixelARGB*) lineData)->getAlpha() >= threshold)
  70412. pixelsOnRow.addRange (x, 1);
  70413. lineData += ps;
  70414. }
  70415. }
  70416. else
  70417. {
  70418. for (int x = 0; x < imageWidth; ++x)
  70419. {
  70420. if (*lineData >= threshold)
  70421. pixelsOnRow.addRange (x, 1);
  70422. lineData += ps;
  70423. }
  70424. }
  70425. for (int i = 0; i < pixelsOnRow.getNumRanges(); ++i)
  70426. {
  70427. int x, w;
  70428. if (pixelsOnRow.getRange (i, x, w))
  70429. result.add (Rectangle (x, y, w, 1));
  70430. }
  70431. result.consolidate();
  70432. }
  70433. releasePixelDataReadOnly (pixels);
  70434. }
  70435. else
  70436. {
  70437. result.add (0, 0, imageWidth, imageHeight);
  70438. }
  70439. }
  70440. void Image::moveImageSection (int dx, int dy,
  70441. int sx, int sy,
  70442. int w, int h)
  70443. {
  70444. if (dx < 0)
  70445. {
  70446. w += dx;
  70447. sx -= dx;
  70448. dx = 0;
  70449. }
  70450. if (dy < 0)
  70451. {
  70452. h += dy;
  70453. sy -= dy;
  70454. dy = 0;
  70455. }
  70456. if (sx < 0)
  70457. {
  70458. w += sx;
  70459. dx -= sx;
  70460. sx = 0;
  70461. }
  70462. if (sy < 0)
  70463. {
  70464. h += sy;
  70465. dy -= sy;
  70466. sy = 0;
  70467. }
  70468. const int minX = jmin (dx, sx);
  70469. const int minY = jmin (dy, sy);
  70470. w = jmin (w, getWidth() - jmax (sx, dx));
  70471. h = jmin (h, getHeight() - jmax (sy, dy));
  70472. if (w > 0 && h > 0)
  70473. {
  70474. const int maxX = jmax (dx, sx) + w;
  70475. const int maxY = jmax (dy, sy) + h;
  70476. int ls, ps;
  70477. uint8* const pixels = lockPixelDataReadWrite (minX, minY, maxX - minX, maxY - minY, ls, ps);
  70478. uint8* dst = pixels + ls * (dy - minY) + ps * (dx - minX);
  70479. const uint8* src = pixels + ls * (sy - minY) + ps * (sx - minX);
  70480. const int lineSize = ps * w;
  70481. if (dy > sy)
  70482. {
  70483. while (--h >= 0)
  70484. {
  70485. const int offset = h * ls;
  70486. memmove (dst + offset, src + offset, lineSize);
  70487. }
  70488. }
  70489. else if (dst != src)
  70490. {
  70491. while (--h >= 0)
  70492. {
  70493. memmove (dst, src, lineSize);
  70494. dst += ls;
  70495. src += ls;
  70496. }
  70497. }
  70498. releasePixelDataReadWrite (pixels);
  70499. }
  70500. }
  70501. END_JUCE_NAMESPACE
  70502. /********* End of inlined file: juce_Image.cpp *********/
  70503. /********* Start of inlined file: juce_ImageCache.cpp *********/
  70504. BEGIN_JUCE_NAMESPACE
  70505. struct CachedImageInfo
  70506. {
  70507. Image* image;
  70508. int64 hashCode;
  70509. int refCount;
  70510. unsigned int releaseTime;
  70511. juce_UseDebuggingNewOperator
  70512. };
  70513. static ImageCache* instance = 0;
  70514. static int cacheTimeout = 5000;
  70515. ImageCache::ImageCache() throw()
  70516. : images (4)
  70517. {
  70518. }
  70519. ImageCache::~ImageCache()
  70520. {
  70521. const ScopedLock sl (lock);
  70522. for (int i = images.size(); --i >= 0;)
  70523. {
  70524. CachedImageInfo* const ci = (CachedImageInfo*)(images.getUnchecked(i));
  70525. delete ci->image;
  70526. delete ci;
  70527. }
  70528. images.clear();
  70529. jassert (instance == this);
  70530. instance = 0;
  70531. }
  70532. Image* ImageCache::getFromHashCode (const int64 hashCode)
  70533. {
  70534. if (instance != 0)
  70535. {
  70536. const ScopedLock sl (instance->lock);
  70537. for (int i = instance->images.size(); --i >= 0;)
  70538. {
  70539. CachedImageInfo* const ci = (CachedImageInfo*) instance->images.getUnchecked(i);
  70540. if (ci->hashCode == hashCode)
  70541. {
  70542. atomicIncrement (ci->refCount);
  70543. return ci->image;
  70544. }
  70545. }
  70546. }
  70547. return 0;
  70548. }
  70549. void ImageCache::addImageToCache (Image* const image,
  70550. const int64 hashCode)
  70551. {
  70552. if (image != 0)
  70553. {
  70554. if (instance == 0)
  70555. instance = new ImageCache();
  70556. CachedImageInfo* const newC = new CachedImageInfo();
  70557. newC->hashCode = hashCode;
  70558. newC->image = image;
  70559. newC->refCount = 1;
  70560. newC->releaseTime = 0;
  70561. const ScopedLock sl (instance->lock);
  70562. instance->images.add (newC);
  70563. }
  70564. }
  70565. void ImageCache::release (Image* const imageToRelease)
  70566. {
  70567. if (imageToRelease != 0 && instance != 0)
  70568. {
  70569. const ScopedLock sl (instance->lock);
  70570. for (int i = instance->images.size(); --i >= 0;)
  70571. {
  70572. CachedImageInfo* const ci = (CachedImageInfo*) instance->images.getUnchecked(i);
  70573. if (ci->image == imageToRelease)
  70574. {
  70575. if (--(ci->refCount) == 0)
  70576. ci->releaseTime = Time::getApproximateMillisecondCounter();
  70577. if (! instance->isTimerRunning())
  70578. instance->startTimer (999);
  70579. break;
  70580. }
  70581. }
  70582. }
  70583. }
  70584. bool ImageCache::isImageInCache (Image* const imageToLookFor)
  70585. {
  70586. if (instance != 0)
  70587. {
  70588. const ScopedLock sl (instance->lock);
  70589. for (int i = instance->images.size(); --i >= 0;)
  70590. if (((const CachedImageInfo*) instance->images.getUnchecked(i))->image == imageToLookFor)
  70591. return true;
  70592. }
  70593. return false;
  70594. }
  70595. void ImageCache::incReferenceCount (Image* const image)
  70596. {
  70597. if (instance != 0)
  70598. {
  70599. const ScopedLock sl (instance->lock);
  70600. for (int i = instance->images.size(); --i >= 0;)
  70601. {
  70602. CachedImageInfo* const ci = (CachedImageInfo*) instance->images.getUnchecked(i);
  70603. if (ci->image == image)
  70604. {
  70605. ci->refCount++;
  70606. return;
  70607. }
  70608. }
  70609. }
  70610. jassertfalse // (trying to inc the ref count of an image that's not in the cache)
  70611. }
  70612. void ImageCache::timerCallback()
  70613. {
  70614. int numberStillNeedingReleasing = 0;
  70615. const unsigned int now = Time::getApproximateMillisecondCounter();
  70616. const ScopedLock sl (lock);
  70617. for (int i = images.size(); --i >= 0;)
  70618. {
  70619. CachedImageInfo* const ci = (CachedImageInfo*) images.getUnchecked(i);
  70620. if (ci->refCount <= 0)
  70621. {
  70622. if (now > ci->releaseTime + cacheTimeout
  70623. || now < ci->releaseTime - 1000)
  70624. {
  70625. images.remove (i);
  70626. delete ci->image;
  70627. delete ci;
  70628. }
  70629. else
  70630. {
  70631. ++numberStillNeedingReleasing;
  70632. }
  70633. }
  70634. }
  70635. if (numberStillNeedingReleasing == 0)
  70636. stopTimer();
  70637. }
  70638. Image* ImageCache::getFromFile (const File& file)
  70639. {
  70640. const int64 hashCode = file.getFullPathName().hashCode64();
  70641. Image* image = getFromHashCode (hashCode);
  70642. if (image == 0)
  70643. {
  70644. image = ImageFileFormat::loadFrom (file);
  70645. addImageToCache (image, hashCode);
  70646. }
  70647. return image;
  70648. }
  70649. Image* ImageCache::getFromMemory (const void* imageData,
  70650. const int dataSize)
  70651. {
  70652. const int64 hashCode = (int64) (pointer_sized_int) imageData;
  70653. Image* image = getFromHashCode (hashCode);
  70654. if (image == 0)
  70655. {
  70656. image = ImageFileFormat::loadFrom (imageData, dataSize);
  70657. addImageToCache (image, hashCode);
  70658. }
  70659. return image;
  70660. }
  70661. void ImageCache::setCacheTimeout (const int millisecs)
  70662. {
  70663. cacheTimeout = millisecs;
  70664. }
  70665. END_JUCE_NAMESPACE
  70666. /********* End of inlined file: juce_ImageCache.cpp *********/
  70667. /********* Start of inlined file: juce_ImageConvolutionKernel.cpp *********/
  70668. BEGIN_JUCE_NAMESPACE
  70669. ImageConvolutionKernel::ImageConvolutionKernel (const int size_) throw()
  70670. : size (size_)
  70671. {
  70672. values = new float* [size];
  70673. for (int i = size; --i >= 0;)
  70674. values[i] = new float [size];
  70675. clear();
  70676. }
  70677. ImageConvolutionKernel::~ImageConvolutionKernel() throw()
  70678. {
  70679. for (int i = size; --i >= 0;)
  70680. delete[] values[i];
  70681. delete[] values;
  70682. }
  70683. void ImageConvolutionKernel::setKernelValue (const int x,
  70684. const int y,
  70685. const float value) throw()
  70686. {
  70687. if (((unsigned int) x) < (unsigned int) size
  70688. && ((unsigned int) y) < (unsigned int) size)
  70689. {
  70690. values[x][y] = value;
  70691. }
  70692. else
  70693. {
  70694. jassertfalse
  70695. }
  70696. }
  70697. void ImageConvolutionKernel::clear() throw()
  70698. {
  70699. for (int y = size; --y >= 0;)
  70700. for (int x = size; --x >= 0;)
  70701. values[x][y] = 0;
  70702. }
  70703. void ImageConvolutionKernel::setOverallSum (const float desiredTotalSum) throw()
  70704. {
  70705. double currentTotal = 0.0;
  70706. for (int y = size; --y >= 0;)
  70707. for (int x = size; --x >= 0;)
  70708. currentTotal += values[x][y];
  70709. rescaleAllValues ((float) (desiredTotalSum / currentTotal));
  70710. }
  70711. void ImageConvolutionKernel::rescaleAllValues (const float multiplier) throw()
  70712. {
  70713. for (int y = size; --y >= 0;)
  70714. for (int x = size; --x >= 0;)
  70715. values[x][y] *= multiplier;
  70716. }
  70717. void ImageConvolutionKernel::createGaussianBlur (const float radius) throw()
  70718. {
  70719. const double radiusFactor = -1.0 / (radius * radius * 2);
  70720. const int centre = size >> 1;
  70721. for (int y = size; --y >= 0;)
  70722. {
  70723. for (int x = size; --x >= 0;)
  70724. {
  70725. const int cx = x - centre;
  70726. const int cy = y - centre;
  70727. values[x][y] = (float) exp (radiusFactor * (cx * cx + cy * cy));
  70728. }
  70729. }
  70730. setOverallSum (1.0f);
  70731. }
  70732. void ImageConvolutionKernel::applyToImage (Image& destImage,
  70733. const Image* sourceImage,
  70734. int dx,
  70735. int dy,
  70736. int dw,
  70737. int dh) const
  70738. {
  70739. Image* imageCreated = 0;
  70740. if (sourceImage == 0)
  70741. {
  70742. sourceImage = imageCreated = destImage.createCopy();
  70743. }
  70744. else
  70745. {
  70746. jassert (sourceImage->getWidth() == destImage.getWidth()
  70747. && sourceImage->getHeight() == destImage.getHeight()
  70748. && sourceImage->getFormat() == destImage.getFormat());
  70749. if (sourceImage->getWidth() != destImage.getWidth()
  70750. || sourceImage->getHeight() != destImage.getHeight()
  70751. || sourceImage->getFormat() != destImage.getFormat())
  70752. return;
  70753. }
  70754. const int imageWidth = destImage.getWidth();
  70755. const int imageHeight = destImage.getHeight();
  70756. if (dx >= imageWidth || dy >= imageHeight)
  70757. return;
  70758. if (dx + dw > imageWidth)
  70759. dw = imageWidth - dx;
  70760. if (dy + dh > imageHeight)
  70761. dh = imageHeight - dy;
  70762. const int dx2 = dx + dw;
  70763. const int dy2 = dy + dh;
  70764. int lineStride, pixelStride;
  70765. uint8* pixels = destImage.lockPixelDataReadWrite (dx, dy, dw, dh, lineStride, pixelStride);
  70766. uint8* line = pixels;
  70767. int srcLineStride, srcPixelStride;
  70768. const uint8* srcPixels = sourceImage->lockPixelDataReadOnly (0, 0, sourceImage->getWidth(), sourceImage->getHeight(), srcLineStride, srcPixelStride);
  70769. if (pixelStride == 4)
  70770. {
  70771. for (int y = dy; y < dy2; ++y)
  70772. {
  70773. uint8* dest = line;
  70774. line += lineStride;
  70775. for (int x = dx; x < dx2; ++x)
  70776. {
  70777. float c1 = 0;
  70778. float c2 = 0;
  70779. float c3 = 0;
  70780. float c4 = 0;
  70781. for (int yy = 0; yy < size; ++yy)
  70782. {
  70783. const int sy = y + yy - (size >> 1);
  70784. if (sy >= imageHeight)
  70785. break;
  70786. if (sy >= 0)
  70787. {
  70788. int sx = x - (size >> 1);
  70789. const uint8* src = srcPixels + srcLineStride * sy + srcPixelStride * sx;
  70790. for (int xx = 0; xx < size; ++xx)
  70791. {
  70792. if (sx >= imageWidth)
  70793. break;
  70794. if (sx >= 0)
  70795. {
  70796. const float kernelMult = values[xx][yy];
  70797. c1 += kernelMult * *src++;
  70798. c2 += kernelMult * *src++;
  70799. c3 += kernelMult * *src++;
  70800. c4 += kernelMult * *src++;
  70801. }
  70802. else
  70803. {
  70804. src += 4;
  70805. }
  70806. ++sx;
  70807. }
  70808. }
  70809. }
  70810. *dest++ = (uint8) jmin (0xff, roundFloatToInt (c1));
  70811. *dest++ = (uint8) jmin (0xff, roundFloatToInt (c2));
  70812. *dest++ = (uint8) jmin (0xff, roundFloatToInt (c3));
  70813. *dest++ = (uint8) jmin (0xff, roundFloatToInt (c4));
  70814. }
  70815. }
  70816. }
  70817. else if (pixelStride == 3)
  70818. {
  70819. for (int y = dy; y < dy2; ++y)
  70820. {
  70821. uint8* dest = line;
  70822. line += lineStride;
  70823. for (int x = dx; x < dx2; ++x)
  70824. {
  70825. float c1 = 0;
  70826. float c2 = 0;
  70827. float c3 = 0;
  70828. for (int yy = 0; yy < size; ++yy)
  70829. {
  70830. const int sy = y + yy - (size >> 1);
  70831. if (sy >= imageHeight)
  70832. break;
  70833. if (sy >= 0)
  70834. {
  70835. int sx = x - (size >> 1);
  70836. const uint8* src = srcPixels + srcLineStride * sy + srcPixelStride * sx;
  70837. for (int xx = 0; xx < size; ++xx)
  70838. {
  70839. if (sx >= imageWidth)
  70840. break;
  70841. if (sx >= 0)
  70842. {
  70843. const float kernelMult = values[xx][yy];
  70844. c1 += kernelMult * *src++;
  70845. c2 += kernelMult * *src++;
  70846. c3 += kernelMult * *src++;
  70847. }
  70848. else
  70849. {
  70850. src += 3;
  70851. }
  70852. ++sx;
  70853. }
  70854. }
  70855. }
  70856. *dest++ = (uint8) roundFloatToInt (c1);
  70857. *dest++ = (uint8) roundFloatToInt (c2);
  70858. *dest++ = (uint8) roundFloatToInt (c3);
  70859. }
  70860. }
  70861. }
  70862. sourceImage->releasePixelDataReadOnly (srcPixels);
  70863. destImage.releasePixelDataReadWrite (pixels);
  70864. if (imageCreated != 0)
  70865. delete imageCreated;
  70866. }
  70867. END_JUCE_NAMESPACE
  70868. /********* End of inlined file: juce_ImageConvolutionKernel.cpp *********/
  70869. /********* Start of inlined file: juce_ImageFileFormat.cpp *********/
  70870. BEGIN_JUCE_NAMESPACE
  70871. /********* Start of inlined file: juce_GIFLoader.h *********/
  70872. #ifndef __JUCE_GIFLOADER_JUCEHEADER__
  70873. #define __JUCE_GIFLOADER_JUCEHEADER__
  70874. #ifndef DOXYGEN
  70875. static const int maxGifCode = 1 << 12;
  70876. /**
  70877. Used internally by ImageFileFormat - don't use this class directly in your
  70878. application.
  70879. @see ImageFileFormat
  70880. */
  70881. class GIFLoader
  70882. {
  70883. public:
  70884. GIFLoader (InputStream& in);
  70885. ~GIFLoader() throw();
  70886. Image* getImage() const throw() { return image; }
  70887. private:
  70888. Image* image;
  70889. InputStream& input;
  70890. uint8 buffer [300];
  70891. uint8 palette [256][4];
  70892. bool dataBlockIsZero, fresh, finished;
  70893. int currentBit, lastBit, lastByteIndex;
  70894. int codeSize, setCodeSize;
  70895. int maxCode, maxCodeSize;
  70896. int firstcode, oldcode;
  70897. int clearCode, end_code;
  70898. int table [2] [maxGifCode];
  70899. int stack [2 * maxGifCode];
  70900. int *sp;
  70901. bool getSizeFromHeader (int& width, int& height);
  70902. bool readPalette (const int numCols);
  70903. int readDataBlock (unsigned char* dest);
  70904. int processExtension (int type, int& transparent);
  70905. int readLZWByte (bool initialise, int input_code_size);
  70906. int getCode (int code_size, bool initialise);
  70907. bool readImage (int width, int height,
  70908. int interlace, int transparent);
  70909. GIFLoader (const GIFLoader&);
  70910. const GIFLoader& operator= (const GIFLoader&);
  70911. };
  70912. #endif // DOXYGEN
  70913. #endif // __JUCE_GIFLOADER_JUCEHEADER__
  70914. /********* End of inlined file: juce_GIFLoader.h *********/
  70915. Image* juce_loadPNGImageFromStream (InputStream& inputStream) throw();
  70916. bool juce_writePNGImageToStream (const Image& image, OutputStream& out) throw();
  70917. PNGImageFormat::PNGImageFormat() throw() {}
  70918. PNGImageFormat::~PNGImageFormat() throw() {}
  70919. const String PNGImageFormat::getFormatName()
  70920. {
  70921. return T("PNG");
  70922. }
  70923. bool PNGImageFormat::canUnderstand (InputStream& in)
  70924. {
  70925. const int bytesNeeded = 4;
  70926. char header [bytesNeeded];
  70927. return in.read (header, bytesNeeded) == bytesNeeded
  70928. && header[1] == 'P'
  70929. && header[2] == 'N'
  70930. && header[3] == 'G';
  70931. }
  70932. Image* PNGImageFormat::decodeImage (InputStream& in)
  70933. {
  70934. return juce_loadPNGImageFromStream (in);
  70935. }
  70936. bool PNGImageFormat::writeImageToStream (const Image& sourceImage,
  70937. OutputStream& destStream)
  70938. {
  70939. return juce_writePNGImageToStream (sourceImage, destStream);
  70940. }
  70941. Image* juce_loadJPEGImageFromStream (InputStream& inputStream) throw();
  70942. bool juce_writeJPEGImageToStream (const Image& image, OutputStream& out, float quality) throw();
  70943. JPEGImageFormat::JPEGImageFormat() throw()
  70944. : quality (-1.0f)
  70945. {
  70946. }
  70947. JPEGImageFormat::~JPEGImageFormat() throw() {}
  70948. void JPEGImageFormat::setQuality (const float newQuality)
  70949. {
  70950. quality = newQuality;
  70951. }
  70952. const String JPEGImageFormat::getFormatName()
  70953. {
  70954. return T("JPEG");
  70955. }
  70956. bool JPEGImageFormat::canUnderstand (InputStream& in)
  70957. {
  70958. const int bytesNeeded = 10;
  70959. uint8 header [bytesNeeded];
  70960. if (in.read (header, bytesNeeded) == bytesNeeded)
  70961. {
  70962. return header[0] == 0xff
  70963. && header[1] == 0xd8
  70964. && header[2] == 0xff
  70965. && (header[3] == 0xe0 || header[3] == 0xe1);
  70966. }
  70967. return false;
  70968. }
  70969. Image* JPEGImageFormat::decodeImage (InputStream& in)
  70970. {
  70971. return juce_loadJPEGImageFromStream (in);
  70972. }
  70973. bool JPEGImageFormat::writeImageToStream (const Image& sourceImage,
  70974. OutputStream& destStream)
  70975. {
  70976. return juce_writeJPEGImageToStream (sourceImage, destStream, quality);
  70977. }
  70978. class GIFImageFormat : public ImageFileFormat
  70979. {
  70980. public:
  70981. GIFImageFormat() throw() {}
  70982. ~GIFImageFormat() throw() {}
  70983. const String getFormatName()
  70984. {
  70985. return T("GIF");
  70986. }
  70987. bool canUnderstand (InputStream& in)
  70988. {
  70989. const int bytesNeeded = 4;
  70990. char header [bytesNeeded];
  70991. return (in.read (header, bytesNeeded) == bytesNeeded)
  70992. && header[0] == 'G'
  70993. && header[1] == 'I'
  70994. && header[2] == 'F';
  70995. }
  70996. Image* decodeImage (InputStream& in)
  70997. {
  70998. GIFLoader* const loader = new GIFLoader (in);
  70999. Image* const im = loader->getImage();
  71000. delete loader;
  71001. return im;
  71002. }
  71003. bool writeImageToStream (const Image& /*sourceImage*/, OutputStream& /*destStream*/)
  71004. {
  71005. return false;
  71006. }
  71007. };
  71008. ImageFileFormat* ImageFileFormat::findImageFormatForStream (InputStream& input)
  71009. {
  71010. static PNGImageFormat png;
  71011. static JPEGImageFormat jpg;
  71012. static GIFImageFormat gif;
  71013. ImageFileFormat* formats[4];
  71014. int numFormats = 0;
  71015. formats [numFormats++] = &png;
  71016. formats [numFormats++] = &jpg;
  71017. formats [numFormats++] = &gif;
  71018. const int64 streamPos = input.getPosition();
  71019. for (int i = 0; i < numFormats; ++i)
  71020. {
  71021. const bool found = formats[i]->canUnderstand (input);
  71022. input.setPosition (streamPos);
  71023. if (found)
  71024. return formats[i];
  71025. }
  71026. return 0;
  71027. }
  71028. Image* ImageFileFormat::loadFrom (InputStream& input)
  71029. {
  71030. ImageFileFormat* const format = findImageFormatForStream (input);
  71031. if (format != 0)
  71032. return format->decodeImage (input);
  71033. return 0;
  71034. }
  71035. Image* ImageFileFormat::loadFrom (const File& file)
  71036. {
  71037. InputStream* const in = file.createInputStream();
  71038. if (in != 0)
  71039. {
  71040. BufferedInputStream b (in, 8192, true);
  71041. return loadFrom (b);
  71042. }
  71043. return 0;
  71044. }
  71045. Image* ImageFileFormat::loadFrom (const void* rawData, const int numBytes)
  71046. {
  71047. if (rawData != 0 && numBytes > 4)
  71048. {
  71049. MemoryInputStream stream (rawData, numBytes, false);
  71050. return loadFrom (stream);
  71051. }
  71052. return 0;
  71053. }
  71054. END_JUCE_NAMESPACE
  71055. /********* End of inlined file: juce_ImageFileFormat.cpp *********/
  71056. /********* Start of inlined file: juce_GIFLoader.cpp *********/
  71057. BEGIN_JUCE_NAMESPACE
  71058. static inline int makeWord (const unsigned char a, const unsigned char b) throw()
  71059. {
  71060. return (b << 8) | a;
  71061. }
  71062. GIFLoader::GIFLoader (InputStream& in)
  71063. : image (0),
  71064. input (in),
  71065. dataBlockIsZero (false),
  71066. fresh (false),
  71067. finished (false)
  71068. {
  71069. currentBit = lastBit = lastByteIndex = 0;
  71070. maxCode = maxCodeSize = codeSize = setCodeSize = 0;
  71071. firstcode = oldcode = 0;
  71072. clearCode = end_code = 0;
  71073. int imageWidth, imageHeight;
  71074. int transparent = -1;
  71075. if (! getSizeFromHeader (imageWidth, imageHeight))
  71076. return;
  71077. if ((imageWidth <= 0) || (imageHeight <= 0))
  71078. return;
  71079. unsigned char buf [16];
  71080. if (in.read (buf, 3) != 3)
  71081. return;
  71082. int numColours = 2 << (buf[0] & 7);
  71083. if ((buf[0] & 0x80) != 0)
  71084. readPalette (numColours);
  71085. for (;;)
  71086. {
  71087. if (input.read (buf, 1) != 1)
  71088. break;
  71089. if (buf[0] == ';')
  71090. break;
  71091. if (buf[0] == '!')
  71092. {
  71093. if (input.read (buf, 1) != 1)
  71094. break;
  71095. if (processExtension (buf[0], transparent) < 0)
  71096. break;
  71097. continue;
  71098. }
  71099. if (buf[0] != ',')
  71100. continue;
  71101. if (input.read (buf, 9) != 9)
  71102. break;
  71103. imageWidth = makeWord (buf[4], buf[5]);
  71104. imageHeight = makeWord (buf[6], buf[7]);
  71105. numColours = 2 << (buf[8] & 7);
  71106. if ((buf[8] & 0x80) != 0)
  71107. if (! readPalette (numColours))
  71108. break;
  71109. image = new Image ((transparent >= 0) ? Image::ARGB : Image::RGB,
  71110. imageWidth, imageHeight, (transparent >= 0));
  71111. readImage (imageWidth, imageHeight,
  71112. (buf[8] & 0x40) != 0,
  71113. transparent);
  71114. break;
  71115. }
  71116. }
  71117. GIFLoader::~GIFLoader() throw()
  71118. {
  71119. }
  71120. bool GIFLoader::getSizeFromHeader (int& w, int& h)
  71121. {
  71122. unsigned char b [8];
  71123. if (input.read (b, 6) == 6)
  71124. {
  71125. if ((strncmp ("GIF87a", (char*) b, 6) == 0)
  71126. || (strncmp ("GIF89a", (char*) b, 6) == 0))
  71127. {
  71128. if (input.read (b, 4) == 4)
  71129. {
  71130. w = makeWord (b[0], b[1]);
  71131. h = makeWord (b[2], b[3]);
  71132. return true;
  71133. }
  71134. }
  71135. }
  71136. return false;
  71137. }
  71138. bool GIFLoader::readPalette (const int numCols)
  71139. {
  71140. unsigned char rgb[4];
  71141. for (int i = 0; i < numCols; ++i)
  71142. {
  71143. input.read (rgb, 3);
  71144. palette [i][0] = rgb[0];
  71145. palette [i][1] = rgb[1];
  71146. palette [i][2] = rgb[2];
  71147. palette [i][3] = 0xff;
  71148. }
  71149. return true;
  71150. }
  71151. int GIFLoader::readDataBlock (unsigned char* const dest)
  71152. {
  71153. unsigned char n;
  71154. if (input.read (&n, 1) == 1)
  71155. {
  71156. dataBlockIsZero = (n == 0);
  71157. if (dataBlockIsZero || (input.read (dest, n) == n))
  71158. return n;
  71159. }
  71160. return -1;
  71161. }
  71162. int GIFLoader::processExtension (const int type, int& transparent)
  71163. {
  71164. unsigned char b [300];
  71165. int n = 0;
  71166. if (type == 0xf9)
  71167. {
  71168. n = readDataBlock (b);
  71169. if (n < 0)
  71170. return 1;
  71171. if ((b[0] & 0x1) != 0)
  71172. transparent = b[3];
  71173. }
  71174. do
  71175. {
  71176. n = readDataBlock (b);
  71177. }
  71178. while (n > 0);
  71179. return n;
  71180. }
  71181. int GIFLoader::getCode (const int codeSize, const bool initialise)
  71182. {
  71183. if (initialise)
  71184. {
  71185. currentBit = 0;
  71186. lastBit = 0;
  71187. finished = false;
  71188. return 0;
  71189. }
  71190. if ((currentBit + codeSize) >= lastBit)
  71191. {
  71192. if (finished)
  71193. return -1;
  71194. buffer[0] = buffer [lastByteIndex - 2];
  71195. buffer[1] = buffer [lastByteIndex - 1];
  71196. const int n = readDataBlock (&buffer[2]);
  71197. if (n == 0)
  71198. finished = true;
  71199. lastByteIndex = 2 + n;
  71200. currentBit = (currentBit - lastBit) + 16;
  71201. lastBit = (2 + n) * 8 ;
  71202. }
  71203. int result = 0;
  71204. int i = currentBit;
  71205. for (int j = 0; j < codeSize; ++j)
  71206. {
  71207. result |= ((buffer[i >> 3] & (1 << (i & 7))) != 0) << j;
  71208. ++i;
  71209. }
  71210. currentBit += codeSize;
  71211. return result;
  71212. }
  71213. int GIFLoader::readLZWByte (const bool initialise, const int inputCodeSize)
  71214. {
  71215. int code, incode, i;
  71216. if (initialise)
  71217. {
  71218. setCodeSize = inputCodeSize;
  71219. codeSize = setCodeSize + 1;
  71220. clearCode = 1 << setCodeSize;
  71221. end_code = clearCode + 1;
  71222. maxCodeSize = 2 * clearCode;
  71223. maxCode = clearCode + 2;
  71224. getCode (0, true);
  71225. fresh = true;
  71226. for (i = 0; i < clearCode; ++i)
  71227. {
  71228. table[0][i] = 0;
  71229. table[1][i] = i;
  71230. }
  71231. for (; i < maxGifCode; ++i)
  71232. {
  71233. table[0][i] = 0;
  71234. table[1][i] = 0;
  71235. }
  71236. sp = stack;
  71237. return 0;
  71238. }
  71239. else if (fresh)
  71240. {
  71241. fresh = false;
  71242. do
  71243. {
  71244. firstcode = oldcode
  71245. = getCode (codeSize, false);
  71246. }
  71247. while (firstcode == clearCode);
  71248. return firstcode;
  71249. }
  71250. if (sp > stack)
  71251. return *--sp;
  71252. while ((code = getCode (codeSize, false)) >= 0)
  71253. {
  71254. if (code == clearCode)
  71255. {
  71256. for (i = 0; i < clearCode; ++i)
  71257. {
  71258. table[0][i] = 0;
  71259. table[1][i] = i;
  71260. }
  71261. for (; i < maxGifCode; ++i)
  71262. {
  71263. table[0][i] = 0;
  71264. table[1][i] = 0;
  71265. }
  71266. codeSize = setCodeSize + 1;
  71267. maxCodeSize = 2 * clearCode;
  71268. maxCode = clearCode + 2;
  71269. sp = stack;
  71270. firstcode = oldcode = getCode (codeSize, false);
  71271. return firstcode;
  71272. }
  71273. else if (code == end_code)
  71274. {
  71275. if (dataBlockIsZero)
  71276. return -2;
  71277. unsigned char buf [260];
  71278. int n;
  71279. while ((n = readDataBlock (buf)) > 0)
  71280. {}
  71281. if (n != 0)
  71282. return -2;
  71283. }
  71284. incode = code;
  71285. if (code >= maxCode)
  71286. {
  71287. *sp++ = firstcode;
  71288. code = oldcode;
  71289. }
  71290. while (code >= clearCode)
  71291. {
  71292. *sp++ = table[1][code];
  71293. if (code == table[0][code])
  71294. return -2;
  71295. code = table[0][code];
  71296. }
  71297. *sp++ = firstcode = table[1][code];
  71298. if ((code = maxCode) < maxGifCode)
  71299. {
  71300. table[0][code] = oldcode;
  71301. table[1][code] = firstcode;
  71302. ++maxCode;
  71303. if ((maxCode >= maxCodeSize)
  71304. && (maxCodeSize < maxGifCode))
  71305. {
  71306. maxCodeSize <<= 1;
  71307. ++codeSize;
  71308. }
  71309. }
  71310. oldcode = incode;
  71311. if (sp > stack)
  71312. return *--sp;
  71313. }
  71314. return code;
  71315. }
  71316. bool GIFLoader::readImage (const int width, const int height,
  71317. const int interlace, const int transparent)
  71318. {
  71319. unsigned char c;
  71320. if (input.read (&c, 1) != 1
  71321. || readLZWByte (true, c) < 0)
  71322. return false;
  71323. if (transparent >= 0)
  71324. {
  71325. palette [transparent][0] = 0;
  71326. palette [transparent][1] = 0;
  71327. palette [transparent][2] = 0;
  71328. palette [transparent][3] = 0;
  71329. }
  71330. int index;
  71331. int xpos = 0, ypos = 0, pass = 0;
  71332. int stride, pixelStride;
  71333. uint8* const pixels = image->lockPixelDataReadWrite (0, 0, width, height, stride, pixelStride);
  71334. uint8* p = pixels;
  71335. const bool hasAlpha = image->hasAlphaChannel();
  71336. while ((index = readLZWByte (false, c)) >= 0)
  71337. {
  71338. const uint8* const paletteEntry = palette [index];
  71339. if (hasAlpha)
  71340. {
  71341. ((PixelARGB*) p)->setARGB (paletteEntry[3],
  71342. paletteEntry[0],
  71343. paletteEntry[1],
  71344. paletteEntry[2]);
  71345. ((PixelARGB*) p)->premultiply();
  71346. p += pixelStride;
  71347. }
  71348. else
  71349. {
  71350. ((PixelRGB*) p)->setARGB (0,
  71351. paletteEntry[0],
  71352. paletteEntry[1],
  71353. paletteEntry[2]);
  71354. p += pixelStride;
  71355. }
  71356. ++xpos;
  71357. if (xpos == width)
  71358. {
  71359. xpos = 0;
  71360. if (interlace)
  71361. {
  71362. switch (pass)
  71363. {
  71364. case 0:
  71365. case 1:
  71366. ypos += 8;
  71367. break;
  71368. case 2:
  71369. ypos += 4;
  71370. break;
  71371. case 3:
  71372. ypos += 2;
  71373. break;
  71374. }
  71375. while (ypos >= height)
  71376. {
  71377. ++pass;
  71378. switch (pass)
  71379. {
  71380. case 1:
  71381. ypos = 4;
  71382. break;
  71383. case 2:
  71384. ypos = 2;
  71385. break;
  71386. case 3:
  71387. ypos = 1;
  71388. break;
  71389. default:
  71390. return true;
  71391. }
  71392. }
  71393. }
  71394. else
  71395. {
  71396. ++ypos;
  71397. }
  71398. p = pixels + xpos * pixelStride + ypos * stride;
  71399. }
  71400. if (ypos >= height)
  71401. break;
  71402. }
  71403. image->releasePixelDataReadWrite (pixels);
  71404. return true;
  71405. }
  71406. END_JUCE_NAMESPACE
  71407. /********* End of inlined file: juce_GIFLoader.cpp *********/
  71408. #endif
  71409. //==============================================================================
  71410. // some files include lots of library code, so leave them to the end to avoid cluttering
  71411. // up the build for the clean files.
  71412. /********* Start of inlined file: juce_GZIPCompressorOutputStream.cpp *********/
  71413. namespace zlibNamespace
  71414. {
  71415. #undef OS_CODE
  71416. #undef fdopen
  71417. /********* Start of inlined file: zlib.h *********/
  71418. #ifndef ZLIB_H
  71419. #define ZLIB_H
  71420. /********* Start of inlined file: zconf.h *********/
  71421. /* @(#) $Id: zconf.h,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  71422. #ifndef ZCONF_H
  71423. #define ZCONF_H
  71424. // *** Just a few hacks here to make it compile nicely with Juce..
  71425. #define Z_PREFIX 1
  71426. #undef __MACTYPES__
  71427. #ifdef _MSC_VER
  71428. #pragma warning (disable : 4131 4127 4244 4267)
  71429. #endif
  71430. /*
  71431. * If you *really* need a unique prefix for all types and library functions,
  71432. * compile with -DZ_PREFIX. The "standard" zlib should be compiled without it.
  71433. */
  71434. #ifdef Z_PREFIX
  71435. # define deflateInit_ z_deflateInit_
  71436. # define deflate z_deflate
  71437. # define deflateEnd z_deflateEnd
  71438. # define inflateInit_ z_inflateInit_
  71439. # define inflate z_inflate
  71440. # define inflateEnd z_inflateEnd
  71441. # define deflateInit2_ z_deflateInit2_
  71442. # define deflateSetDictionary z_deflateSetDictionary
  71443. # define deflateCopy z_deflateCopy
  71444. # define deflateReset z_deflateReset
  71445. # define deflateParams z_deflateParams
  71446. # define deflateBound z_deflateBound
  71447. # define deflatePrime z_deflatePrime
  71448. # define inflateInit2_ z_inflateInit2_
  71449. # define inflateSetDictionary z_inflateSetDictionary
  71450. # define inflateSync z_inflateSync
  71451. # define inflateSyncPoint z_inflateSyncPoint
  71452. # define inflateCopy z_inflateCopy
  71453. # define inflateReset z_inflateReset
  71454. # define inflateBack z_inflateBack
  71455. # define inflateBackEnd z_inflateBackEnd
  71456. # define compress z_compress
  71457. # define compress2 z_compress2
  71458. # define compressBound z_compressBound
  71459. # define uncompress z_uncompress
  71460. # define adler32 z_adler32
  71461. # define crc32 z_crc32
  71462. # define get_crc_table z_get_crc_table
  71463. # define zError z_zError
  71464. # define alloc_func z_alloc_func
  71465. # define free_func z_free_func
  71466. # define in_func z_in_func
  71467. # define out_func z_out_func
  71468. # define Byte z_Byte
  71469. # define uInt z_uInt
  71470. # define uLong z_uLong
  71471. # define Bytef z_Bytef
  71472. # define charf z_charf
  71473. # define intf z_intf
  71474. # define uIntf z_uIntf
  71475. # define uLongf z_uLongf
  71476. # define voidpf z_voidpf
  71477. # define voidp z_voidp
  71478. #endif
  71479. #if defined(__MSDOS__) && !defined(MSDOS)
  71480. # define MSDOS
  71481. #endif
  71482. #if (defined(OS_2) || defined(__OS2__)) && !defined(OS2)
  71483. # define OS2
  71484. #endif
  71485. #if defined(_WINDOWS) && !defined(WINDOWS)
  71486. # define WINDOWS
  71487. #endif
  71488. #if defined(_WIN32) || defined(_WIN32_WCE) || defined(__WIN32__)
  71489. # ifndef WIN32
  71490. # define WIN32
  71491. # endif
  71492. #endif
  71493. #if (defined(MSDOS) || defined(OS2) || defined(WINDOWS)) && !defined(WIN32)
  71494. # if !defined(__GNUC__) && !defined(__FLAT__) && !defined(__386__)
  71495. # ifndef SYS16BIT
  71496. # define SYS16BIT
  71497. # endif
  71498. # endif
  71499. #endif
  71500. /*
  71501. * Compile with -DMAXSEG_64K if the alloc function cannot allocate more
  71502. * than 64k bytes at a time (needed on systems with 16-bit int).
  71503. */
  71504. #ifdef SYS16BIT
  71505. # define MAXSEG_64K
  71506. #endif
  71507. #ifdef MSDOS
  71508. # define UNALIGNED_OK
  71509. #endif
  71510. #ifdef __STDC_VERSION__
  71511. # ifndef STDC
  71512. # define STDC
  71513. # endif
  71514. # if __STDC_VERSION__ >= 199901L
  71515. # ifndef STDC99
  71516. # define STDC99
  71517. # endif
  71518. # endif
  71519. #endif
  71520. #if !defined(STDC) && (defined(__STDC__) || defined(__cplusplus))
  71521. # define STDC
  71522. #endif
  71523. #if !defined(STDC) && (defined(__GNUC__) || defined(__BORLANDC__))
  71524. # define STDC
  71525. #endif
  71526. #if !defined(STDC) && (defined(MSDOS) || defined(WINDOWS) || defined(WIN32))
  71527. # define STDC
  71528. #endif
  71529. #if !defined(STDC) && (defined(OS2) || defined(__HOS_AIX__))
  71530. # define STDC
  71531. #endif
  71532. #if defined(__OS400__) && !defined(STDC) /* iSeries (formerly AS/400). */
  71533. # define STDC
  71534. #endif
  71535. #ifndef STDC
  71536. # ifndef const /* cannot use !defined(STDC) && !defined(const) on Mac */
  71537. # define const /* note: need a more gentle solution here */
  71538. # endif
  71539. #endif
  71540. /* Some Mac compilers merge all .h files incorrectly: */
  71541. #if defined(__MWERKS__)||defined(applec)||defined(THINK_C)||defined(__SC__)
  71542. # define NO_DUMMY_DECL
  71543. #endif
  71544. /* Maximum value for memLevel in deflateInit2 */
  71545. #ifndef MAX_MEM_LEVEL
  71546. # ifdef MAXSEG_64K
  71547. # define MAX_MEM_LEVEL 8
  71548. # else
  71549. # define MAX_MEM_LEVEL 9
  71550. # endif
  71551. #endif
  71552. /* Maximum value for windowBits in deflateInit2 and inflateInit2.
  71553. * WARNING: reducing MAX_WBITS makes minigzip unable to extract .gz files
  71554. * created by gzip. (Files created by minigzip can still be extracted by
  71555. * gzip.)
  71556. */
  71557. #ifndef MAX_WBITS
  71558. # define MAX_WBITS 15 /* 32K LZ77 window */
  71559. #endif
  71560. /* The memory requirements for deflate are (in bytes):
  71561. (1 << (windowBits+2)) + (1 << (memLevel+9))
  71562. that is: 128K for windowBits=15 + 128K for memLevel = 8 (default values)
  71563. plus a few kilobytes for small objects. For example, if you want to reduce
  71564. the default memory requirements from 256K to 128K, compile with
  71565. make CFLAGS="-O -DMAX_WBITS=14 -DMAX_MEM_LEVEL=7"
  71566. Of course this will generally degrade compression (there's no free lunch).
  71567. The memory requirements for inflate are (in bytes) 1 << windowBits
  71568. that is, 32K for windowBits=15 (default value) plus a few kilobytes
  71569. for small objects.
  71570. */
  71571. /* Type declarations */
  71572. #ifndef OF /* function prototypes */
  71573. # ifdef STDC
  71574. # define OF(args) args
  71575. # else
  71576. # define OF(args) ()
  71577. # endif
  71578. #endif
  71579. /* The following definitions for FAR are needed only for MSDOS mixed
  71580. * model programming (small or medium model with some far allocations).
  71581. * This was tested only with MSC; for other MSDOS compilers you may have
  71582. * to define NO_MEMCPY in zutil.h. If you don't need the mixed model,
  71583. * just define FAR to be empty.
  71584. */
  71585. #ifdef SYS16BIT
  71586. # if defined(M_I86SM) || defined(M_I86MM)
  71587. /* MSC small or medium model */
  71588. # define SMALL_MEDIUM
  71589. # ifdef _MSC_VER
  71590. # define FAR _far
  71591. # else
  71592. # define FAR far
  71593. # endif
  71594. # endif
  71595. # if (defined(__SMALL__) || defined(__MEDIUM__))
  71596. /* Turbo C small or medium model */
  71597. # define SMALL_MEDIUM
  71598. # ifdef __BORLANDC__
  71599. # define FAR _far
  71600. # else
  71601. # define FAR far
  71602. # endif
  71603. # endif
  71604. #endif
  71605. #if defined(WINDOWS) || defined(WIN32)
  71606. /* If building or using zlib as a DLL, define ZLIB_DLL.
  71607. * This is not mandatory, but it offers a little performance increase.
  71608. */
  71609. # ifdef ZLIB_DLL
  71610. # if defined(WIN32) && (!defined(__BORLANDC__) || (__BORLANDC__ >= 0x500))
  71611. # ifdef ZLIB_INTERNAL
  71612. # define ZEXTERN extern __declspec(dllexport)
  71613. # else
  71614. # define ZEXTERN extern __declspec(dllimport)
  71615. # endif
  71616. # endif
  71617. # endif /* ZLIB_DLL */
  71618. /* If building or using zlib with the WINAPI/WINAPIV calling convention,
  71619. * define ZLIB_WINAPI.
  71620. * Caution: the standard ZLIB1.DLL is NOT compiled using ZLIB_WINAPI.
  71621. */
  71622. # ifdef ZLIB_WINAPI
  71623. # ifdef FAR
  71624. # undef FAR
  71625. # endif
  71626. # include <windows.h>
  71627. /* No need for _export, use ZLIB.DEF instead. */
  71628. /* For complete Windows compatibility, use WINAPI, not __stdcall. */
  71629. # define ZEXPORT WINAPI
  71630. # ifdef WIN32
  71631. # define ZEXPORTVA WINAPIV
  71632. # else
  71633. # define ZEXPORTVA FAR CDECL
  71634. # endif
  71635. # endif
  71636. #endif
  71637. #if defined (__BEOS__)
  71638. # ifdef ZLIB_DLL
  71639. # ifdef ZLIB_INTERNAL
  71640. # define ZEXPORT __declspec(dllexport)
  71641. # define ZEXPORTVA __declspec(dllexport)
  71642. # else
  71643. # define ZEXPORT __declspec(dllimport)
  71644. # define ZEXPORTVA __declspec(dllimport)
  71645. # endif
  71646. # endif
  71647. #endif
  71648. #ifndef ZEXTERN
  71649. # define ZEXTERN extern
  71650. #endif
  71651. #ifndef ZEXPORT
  71652. # define ZEXPORT
  71653. #endif
  71654. #ifndef ZEXPORTVA
  71655. # define ZEXPORTVA
  71656. #endif
  71657. #ifndef FAR
  71658. # define FAR
  71659. #endif
  71660. #if !defined(__MACTYPES__)
  71661. typedef unsigned char Byte; /* 8 bits */
  71662. #endif
  71663. typedef unsigned int uInt; /* 16 bits or more */
  71664. typedef unsigned long uLong; /* 32 bits or more */
  71665. #ifdef SMALL_MEDIUM
  71666. /* Borland C/C++ and some old MSC versions ignore FAR inside typedef */
  71667. # define Bytef Byte FAR
  71668. #else
  71669. typedef Byte FAR Bytef;
  71670. #endif
  71671. typedef char FAR charf;
  71672. typedef int FAR intf;
  71673. typedef uInt FAR uIntf;
  71674. typedef uLong FAR uLongf;
  71675. #ifdef STDC
  71676. typedef void const *voidpc;
  71677. typedef void FAR *voidpf;
  71678. typedef void *voidp;
  71679. #else
  71680. typedef Byte const *voidpc;
  71681. typedef Byte FAR *voidpf;
  71682. typedef Byte *voidp;
  71683. #endif
  71684. #if 0 /* HAVE_UNISTD_H -- this line is updated by ./configure */
  71685. # include <sys/types.h> /* for off_t */
  71686. # include <unistd.h> /* for SEEK_* and off_t */
  71687. # ifdef VMS
  71688. # include <unixio.h> /* for off_t */
  71689. # endif
  71690. # define z_off_t off_t
  71691. #endif
  71692. #ifndef SEEK_SET
  71693. # define SEEK_SET 0 /* Seek from beginning of file. */
  71694. # define SEEK_CUR 1 /* Seek from current position. */
  71695. # define SEEK_END 2 /* Set file pointer to EOF plus "offset" */
  71696. #endif
  71697. #ifndef z_off_t
  71698. # define z_off_t long
  71699. #endif
  71700. #if defined(__OS400__)
  71701. # define NO_vsnprintf
  71702. #endif
  71703. #if defined(__MVS__)
  71704. # define NO_vsnprintf
  71705. # ifdef FAR
  71706. # undef FAR
  71707. # endif
  71708. #endif
  71709. /* MVS linker does not support external names larger than 8 bytes */
  71710. #if defined(__MVS__)
  71711. # pragma map(deflateInit_,"DEIN")
  71712. # pragma map(deflateInit2_,"DEIN2")
  71713. # pragma map(deflateEnd,"DEEND")
  71714. # pragma map(deflateBound,"DEBND")
  71715. # pragma map(inflateInit_,"ININ")
  71716. # pragma map(inflateInit2_,"ININ2")
  71717. # pragma map(inflateEnd,"INEND")
  71718. # pragma map(inflateSync,"INSY")
  71719. # pragma map(inflateSetDictionary,"INSEDI")
  71720. # pragma map(compressBound,"CMBND")
  71721. # pragma map(inflate_table,"INTABL")
  71722. # pragma map(inflate_fast,"INFA")
  71723. # pragma map(inflate_copyright,"INCOPY")
  71724. #endif
  71725. #endif /* ZCONF_H */
  71726. /********* End of inlined file: zconf.h *********/
  71727. #ifdef __cplusplus
  71728. extern "C" {
  71729. #endif
  71730. #define ZLIB_VERSION "1.2.3"
  71731. #define ZLIB_VERNUM 0x1230
  71732. /*
  71733. The 'zlib' compression library provides in-memory compression and
  71734. decompression functions, including integrity checks of the uncompressed
  71735. data. This version of the library supports only one compression method
  71736. (deflation) but other algorithms will be added later and will have the same
  71737. stream interface.
  71738. Compression can be done in a single step if the buffers are large
  71739. enough (for example if an input file is mmap'ed), or can be done by
  71740. repeated calls of the compression function. In the latter case, the
  71741. application must provide more input and/or consume the output
  71742. (providing more output space) before each call.
  71743. The compressed data format used by default by the in-memory functions is
  71744. the zlib format, which is a zlib wrapper documented in RFC 1950, wrapped
  71745. around a deflate stream, which is itself documented in RFC 1951.
  71746. The library also supports reading and writing files in gzip (.gz) format
  71747. with an interface similar to that of stdio using the functions that start
  71748. with "gz". The gzip format is different from the zlib format. gzip is a
  71749. gzip wrapper, documented in RFC 1952, wrapped around a deflate stream.
  71750. This library can optionally read and write gzip streams in memory as well.
  71751. The zlib format was designed to be compact and fast for use in memory
  71752. and on communications channels. The gzip format was designed for single-
  71753. file compression on file systems, has a larger header than zlib to maintain
  71754. directory information, and uses a different, slower check method than zlib.
  71755. The library does not install any signal handler. The decoder checks
  71756. the consistency of the compressed data, so the library should never
  71757. crash even in case of corrupted input.
  71758. */
  71759. typedef voidpf (*alloc_func) OF((voidpf opaque, uInt items, uInt size));
  71760. typedef void (*free_func) OF((voidpf opaque, voidpf address));
  71761. struct internal_state;
  71762. typedef struct z_stream_s {
  71763. Bytef *next_in; /* next input byte */
  71764. uInt avail_in; /* number of bytes available at next_in */
  71765. uLong total_in; /* total nb of input bytes read so far */
  71766. Bytef *next_out; /* next output byte should be put there */
  71767. uInt avail_out; /* remaining free space at next_out */
  71768. uLong total_out; /* total nb of bytes output so far */
  71769. char *msg; /* last error message, NULL if no error */
  71770. struct internal_state FAR *state; /* not visible by applications */
  71771. alloc_func zalloc; /* used to allocate the internal state */
  71772. free_func zfree; /* used to free the internal state */
  71773. voidpf opaque; /* private data object passed to zalloc and zfree */
  71774. int data_type; /* best guess about the data type: binary or text */
  71775. uLong adler; /* adler32 value of the uncompressed data */
  71776. uLong reserved; /* reserved for future use */
  71777. } z_stream;
  71778. typedef z_stream FAR *z_streamp;
  71779. /*
  71780. gzip header information passed to and from zlib routines. See RFC 1952
  71781. for more details on the meanings of these fields.
  71782. */
  71783. typedef struct gz_header_s {
  71784. int text; /* true if compressed data believed to be text */
  71785. uLong time; /* modification time */
  71786. int xflags; /* extra flags (not used when writing a gzip file) */
  71787. int os; /* operating system */
  71788. Bytef *extra; /* pointer to extra field or Z_NULL if none */
  71789. uInt extra_len; /* extra field length (valid if extra != Z_NULL) */
  71790. uInt extra_max; /* space at extra (only when reading header) */
  71791. Bytef *name; /* pointer to zero-terminated file name or Z_NULL */
  71792. uInt name_max; /* space at name (only when reading header) */
  71793. Bytef *comment; /* pointer to zero-terminated comment or Z_NULL */
  71794. uInt comm_max; /* space at comment (only when reading header) */
  71795. int hcrc; /* true if there was or will be a header crc */
  71796. int done; /* true when done reading gzip header (not used
  71797. when writing a gzip file) */
  71798. } gz_header;
  71799. typedef gz_header FAR *gz_headerp;
  71800. /*
  71801. The application must update next_in and avail_in when avail_in has
  71802. dropped to zero. It must update next_out and avail_out when avail_out
  71803. has dropped to zero. The application must initialize zalloc, zfree and
  71804. opaque before calling the init function. All other fields are set by the
  71805. compression library and must not be updated by the application.
  71806. The opaque value provided by the application will be passed as the first
  71807. parameter for calls of zalloc and zfree. This can be useful for custom
  71808. memory management. The compression library attaches no meaning to the
  71809. opaque value.
  71810. zalloc must return Z_NULL if there is not enough memory for the object.
  71811. If zlib is used in a multi-threaded application, zalloc and zfree must be
  71812. thread safe.
  71813. On 16-bit systems, the functions zalloc and zfree must be able to allocate
  71814. exactly 65536 bytes, but will not be required to allocate more than this
  71815. if the symbol MAXSEG_64K is defined (see zconf.h). WARNING: On MSDOS,
  71816. pointers returned by zalloc for objects of exactly 65536 bytes *must*
  71817. have their offset normalized to zero. The default allocation function
  71818. provided by this library ensures this (see zutil.c). To reduce memory
  71819. requirements and avoid any allocation of 64K objects, at the expense of
  71820. compression ratio, compile the library with -DMAX_WBITS=14 (see zconf.h).
  71821. The fields total_in and total_out can be used for statistics or
  71822. progress reports. After compression, total_in holds the total size of
  71823. the uncompressed data and may be saved for use in the decompressor
  71824. (particularly if the decompressor wants to decompress everything in
  71825. a single step).
  71826. */
  71827. /* constants */
  71828. #define Z_NO_FLUSH 0
  71829. #define Z_PARTIAL_FLUSH 1 /* will be removed, use Z_SYNC_FLUSH instead */
  71830. #define Z_SYNC_FLUSH 2
  71831. #define Z_FULL_FLUSH 3
  71832. #define Z_FINISH 4
  71833. #define Z_BLOCK 5
  71834. /* Allowed flush values; see deflate() and inflate() below for details */
  71835. #define Z_OK 0
  71836. #define Z_STREAM_END 1
  71837. #define Z_NEED_DICT 2
  71838. #define Z_ERRNO (-1)
  71839. #define Z_STREAM_ERROR (-2)
  71840. #define Z_DATA_ERROR (-3)
  71841. #define Z_MEM_ERROR (-4)
  71842. #define Z_BUF_ERROR (-5)
  71843. #define Z_VERSION_ERROR (-6)
  71844. /* Return codes for the compression/decompression functions. Negative
  71845. * values are errors, positive values are used for special but normal events.
  71846. */
  71847. #define Z_NO_COMPRESSION 0
  71848. #define Z_BEST_SPEED 1
  71849. #define Z_BEST_COMPRESSION 9
  71850. #define Z_DEFAULT_COMPRESSION (-1)
  71851. /* compression levels */
  71852. #define Z_FILTERED 1
  71853. #define Z_HUFFMAN_ONLY 2
  71854. #define Z_RLE 3
  71855. #define Z_FIXED 4
  71856. #define Z_DEFAULT_STRATEGY 0
  71857. /* compression strategy; see deflateInit2() below for details */
  71858. #define Z_BINARY 0
  71859. #define Z_TEXT 1
  71860. #define Z_ASCII Z_TEXT /* for compatibility with 1.2.2 and earlier */
  71861. #define Z_UNKNOWN 2
  71862. /* Possible values of the data_type field (though see inflate()) */
  71863. #define Z_DEFLATED 8
  71864. /* The deflate compression method (the only one supported in this version) */
  71865. #define Z_NULL 0 /* for initializing zalloc, zfree, opaque */
  71866. #define zlib_version zlibVersion()
  71867. /* for compatibility with versions < 1.0.2 */
  71868. /* basic functions */
  71869. //ZEXTERN const char * ZEXPORT zlibVersion OF((void));
  71870. /* The application can compare zlibVersion and ZLIB_VERSION for consistency.
  71871. If the first character differs, the library code actually used is
  71872. not compatible with the zlib.h header file used by the application.
  71873. This check is automatically made by deflateInit and inflateInit.
  71874. */
  71875. /*
  71876. ZEXTERN int ZEXPORT deflateInit OF((z_streamp strm, int level));
  71877. Initializes the internal stream state for compression. The fields
  71878. zalloc, zfree and opaque must be initialized before by the caller.
  71879. If zalloc and zfree are set to Z_NULL, deflateInit updates them to
  71880. use default allocation functions.
  71881. The compression level must be Z_DEFAULT_COMPRESSION, or between 0 and 9:
  71882. 1 gives best speed, 9 gives best compression, 0 gives no compression at
  71883. all (the input data is simply copied a block at a time).
  71884. Z_DEFAULT_COMPRESSION requests a default compromise between speed and
  71885. compression (currently equivalent to level 6).
  71886. deflateInit returns Z_OK if success, Z_MEM_ERROR if there was not
  71887. enough memory, Z_STREAM_ERROR if level is not a valid compression level,
  71888. Z_VERSION_ERROR if the zlib library version (zlib_version) is incompatible
  71889. with the version assumed by the caller (ZLIB_VERSION).
  71890. msg is set to null if there is no error message. deflateInit does not
  71891. perform any compression: this will be done by deflate().
  71892. */
  71893. ZEXTERN int ZEXPORT deflate OF((z_streamp strm, int flush));
  71894. /*
  71895. deflate compresses as much data as possible, and stops when the input
  71896. buffer becomes empty or the output buffer becomes full. It may introduce some
  71897. output latency (reading input without producing any output) except when
  71898. forced to flush.
  71899. The detailed semantics are as follows. deflate performs one or both of the
  71900. following actions:
  71901. - Compress more input starting at next_in and update next_in and avail_in
  71902. accordingly. If not all input can be processed (because there is not
  71903. enough room in the output buffer), next_in and avail_in are updated and
  71904. processing will resume at this point for the next call of deflate().
  71905. - Provide more output starting at next_out and update next_out and avail_out
  71906. accordingly. This action is forced if the parameter flush is non zero.
  71907. Forcing flush frequently degrades the compression ratio, so this parameter
  71908. should be set only when necessary (in interactive applications).
  71909. Some output may be provided even if flush is not set.
  71910. Before the call of deflate(), the application should ensure that at least
  71911. one of the actions is possible, by providing more input and/or consuming
  71912. more output, and updating avail_in or avail_out accordingly; avail_out
  71913. should never be zero before the call. The application can consume the
  71914. compressed output when it wants, for example when the output buffer is full
  71915. (avail_out == 0), or after each call of deflate(). If deflate returns Z_OK
  71916. and with zero avail_out, it must be called again after making room in the
  71917. output buffer because there might be more output pending.
  71918. Normally the parameter flush is set to Z_NO_FLUSH, which allows deflate to
  71919. decide how much data to accumualte before producing output, in order to
  71920. maximize compression.
  71921. If the parameter flush is set to Z_SYNC_FLUSH, all pending output is
  71922. flushed to the output buffer and the output is aligned on a byte boundary, so
  71923. that the decompressor can get all input data available so far. (In particular
  71924. avail_in is zero after the call if enough output space has been provided
  71925. before the call.) Flushing may degrade compression for some compression
  71926. algorithms and so it should be used only when necessary.
  71927. If flush is set to Z_FULL_FLUSH, all output is flushed as with
  71928. Z_SYNC_FLUSH, and the compression state is reset so that decompression can
  71929. restart from this point if previous compressed data has been damaged or if
  71930. random access is desired. Using Z_FULL_FLUSH too often can seriously degrade
  71931. compression.
  71932. If deflate returns with avail_out == 0, this function must be called again
  71933. with the same value of the flush parameter and more output space (updated
  71934. avail_out), until the flush is complete (deflate returns with non-zero
  71935. avail_out). In the case of a Z_FULL_FLUSH or Z_SYNC_FLUSH, make sure that
  71936. avail_out is greater than six to avoid repeated flush markers due to
  71937. avail_out == 0 on return.
  71938. If the parameter flush is set to Z_FINISH, pending input is processed,
  71939. pending output is flushed and deflate returns with Z_STREAM_END if there
  71940. was enough output space; if deflate returns with Z_OK, this function must be
  71941. called again with Z_FINISH and more output space (updated avail_out) but no
  71942. more input data, until it returns with Z_STREAM_END or an error. After
  71943. deflate has returned Z_STREAM_END, the only possible operations on the
  71944. stream are deflateReset or deflateEnd.
  71945. Z_FINISH can be used immediately after deflateInit if all the compression
  71946. is to be done in a single step. In this case, avail_out must be at least
  71947. the value returned by deflateBound (see below). If deflate does not return
  71948. Z_STREAM_END, then it must be called again as described above.
  71949. deflate() sets strm->adler to the adler32 checksum of all input read
  71950. so far (that is, total_in bytes).
  71951. deflate() may update strm->data_type if it can make a good guess about
  71952. the input data type (Z_BINARY or Z_TEXT). In doubt, the data is considered
  71953. binary. This field is only for information purposes and does not affect
  71954. the compression algorithm in any manner.
  71955. deflate() returns Z_OK if some progress has been made (more input
  71956. processed or more output produced), Z_STREAM_END if all input has been
  71957. consumed and all output has been produced (only when flush is set to
  71958. Z_FINISH), Z_STREAM_ERROR if the stream state was inconsistent (for example
  71959. if next_in or next_out was NULL), Z_BUF_ERROR if no progress is possible
  71960. (for example avail_in or avail_out was zero). Note that Z_BUF_ERROR is not
  71961. fatal, and deflate() can be called again with more input and more output
  71962. space to continue compressing.
  71963. */
  71964. ZEXTERN int ZEXPORT deflateEnd OF((z_streamp strm));
  71965. /*
  71966. All dynamically allocated data structures for this stream are freed.
  71967. This function discards any unprocessed input and does not flush any
  71968. pending output.
  71969. deflateEnd returns Z_OK if success, Z_STREAM_ERROR if the
  71970. stream state was inconsistent, Z_DATA_ERROR if the stream was freed
  71971. prematurely (some input or output was discarded). In the error case,
  71972. msg may be set but then points to a static string (which must not be
  71973. deallocated).
  71974. */
  71975. /*
  71976. ZEXTERN int ZEXPORT inflateInit OF((z_streamp strm));
  71977. Initializes the internal stream state for decompression. The fields
  71978. next_in, avail_in, zalloc, zfree and opaque must be initialized before by
  71979. the caller. If next_in is not Z_NULL and avail_in is large enough (the exact
  71980. value depends on the compression method), inflateInit determines the
  71981. compression method from the zlib header and allocates all data structures
  71982. accordingly; otherwise the allocation will be deferred to the first call of
  71983. inflate. If zalloc and zfree are set to Z_NULL, inflateInit updates them to
  71984. use default allocation functions.
  71985. inflateInit returns Z_OK if success, Z_MEM_ERROR if there was not enough
  71986. memory, Z_VERSION_ERROR if the zlib library version is incompatible with the
  71987. version assumed by the caller. msg is set to null if there is no error
  71988. message. inflateInit does not perform any decompression apart from reading
  71989. the zlib header if present: this will be done by inflate(). (So next_in and
  71990. avail_in may be modified, but next_out and avail_out are unchanged.)
  71991. */
  71992. ZEXTERN int ZEXPORT inflate OF((z_streamp strm, int flush));
  71993. /*
  71994. inflate decompresses as much data as possible, and stops when the input
  71995. buffer becomes empty or the output buffer becomes full. It may introduce
  71996. some output latency (reading input without producing any output) except when
  71997. forced to flush.
  71998. The detailed semantics are as follows. inflate performs one or both of the
  71999. following actions:
  72000. - Decompress more input starting at next_in and update next_in and avail_in
  72001. accordingly. If not all input can be processed (because there is not
  72002. enough room in the output buffer), next_in is updated and processing
  72003. will resume at this point for the next call of inflate().
  72004. - Provide more output starting at next_out and update next_out and avail_out
  72005. accordingly. inflate() provides as much output as possible, until there
  72006. is no more input data or no more space in the output buffer (see below
  72007. about the flush parameter).
  72008. Before the call of inflate(), the application should ensure that at least
  72009. one of the actions is possible, by providing more input and/or consuming
  72010. more output, and updating the next_* and avail_* values accordingly.
  72011. The application can consume the uncompressed output when it wants, for
  72012. example when the output buffer is full (avail_out == 0), or after each
  72013. call of inflate(). If inflate returns Z_OK and with zero avail_out, it
  72014. must be called again after making room in the output buffer because there
  72015. might be more output pending.
  72016. The flush parameter of inflate() can be Z_NO_FLUSH, Z_SYNC_FLUSH,
  72017. Z_FINISH, or Z_BLOCK. Z_SYNC_FLUSH requests that inflate() flush as much
  72018. output as possible to the output buffer. Z_BLOCK requests that inflate() stop
  72019. if and when it gets to the next deflate block boundary. When decoding the
  72020. zlib or gzip format, this will cause inflate() to return immediately after
  72021. the header and before the first block. When doing a raw inflate, inflate()
  72022. will go ahead and process the first block, and will return when it gets to
  72023. the end of that block, or when it runs out of data.
  72024. The Z_BLOCK option assists in appending to or combining deflate streams.
  72025. Also to assist in this, on return inflate() will set strm->data_type to the
  72026. number of unused bits in the last byte taken from strm->next_in, plus 64
  72027. if inflate() is currently decoding the last block in the deflate stream,
  72028. plus 128 if inflate() returned immediately after decoding an end-of-block
  72029. code or decoding the complete header up to just before the first byte of the
  72030. deflate stream. The end-of-block will not be indicated until all of the
  72031. uncompressed data from that block has been written to strm->next_out. The
  72032. number of unused bits may in general be greater than seven, except when
  72033. bit 7 of data_type is set, in which case the number of unused bits will be
  72034. less than eight.
  72035. inflate() should normally be called until it returns Z_STREAM_END or an
  72036. error. However if all decompression is to be performed in a single step
  72037. (a single call of inflate), the parameter flush should be set to
  72038. Z_FINISH. In this case all pending input is processed and all pending
  72039. output is flushed; avail_out must be large enough to hold all the
  72040. uncompressed data. (The size of the uncompressed data may have been saved
  72041. by the compressor for this purpose.) The next operation on this stream must
  72042. be inflateEnd to deallocate the decompression state. The use of Z_FINISH
  72043. is never required, but can be used to inform inflate that a faster approach
  72044. may be used for the single inflate() call.
  72045. In this implementation, inflate() always flushes as much output as
  72046. possible to the output buffer, and always uses the faster approach on the
  72047. first call. So the only effect of the flush parameter in this implementation
  72048. is on the return value of inflate(), as noted below, or when it returns early
  72049. because Z_BLOCK is used.
  72050. If a preset dictionary is needed after this call (see inflateSetDictionary
  72051. below), inflate sets strm->adler to the adler32 checksum of the dictionary
  72052. chosen by the compressor and returns Z_NEED_DICT; otherwise it sets
  72053. strm->adler to the adler32 checksum of all output produced so far (that is,
  72054. total_out bytes) and returns Z_OK, Z_STREAM_END or an error code as described
  72055. below. At the end of the stream, inflate() checks that its computed adler32
  72056. checksum is equal to that saved by the compressor and returns Z_STREAM_END
  72057. only if the checksum is correct.
  72058. inflate() will decompress and check either zlib-wrapped or gzip-wrapped
  72059. deflate data. The header type is detected automatically. Any information
  72060. contained in the gzip header is not retained, so applications that need that
  72061. information should instead use raw inflate, see inflateInit2() below, or
  72062. inflateBack() and perform their own processing of the gzip header and
  72063. trailer.
  72064. inflate() returns Z_OK if some progress has been made (more input processed
  72065. or more output produced), Z_STREAM_END if the end of the compressed data has
  72066. been reached and all uncompressed output has been produced, Z_NEED_DICT if a
  72067. preset dictionary is needed at this point, Z_DATA_ERROR if the input data was
  72068. corrupted (input stream not conforming to the zlib format or incorrect check
  72069. value), Z_STREAM_ERROR if the stream structure was inconsistent (for example
  72070. if next_in or next_out was NULL), Z_MEM_ERROR if there was not enough memory,
  72071. Z_BUF_ERROR if no progress is possible or if there was not enough room in the
  72072. output buffer when Z_FINISH is used. Note that Z_BUF_ERROR is not fatal, and
  72073. inflate() can be called again with more input and more output space to
  72074. continue decompressing. If Z_DATA_ERROR is returned, the application may then
  72075. call inflateSync() to look for a good compression block if a partial recovery
  72076. of the data is desired.
  72077. */
  72078. ZEXTERN int ZEXPORT inflateEnd OF((z_streamp strm));
  72079. /*
  72080. All dynamically allocated data structures for this stream are freed.
  72081. This function discards any unprocessed input and does not flush any
  72082. pending output.
  72083. inflateEnd returns Z_OK if success, Z_STREAM_ERROR if the stream state
  72084. was inconsistent. In the error case, msg may be set but then points to a
  72085. static string (which must not be deallocated).
  72086. */
  72087. /* Advanced functions */
  72088. /*
  72089. The following functions are needed only in some special applications.
  72090. */
  72091. /*
  72092. ZEXTERN int ZEXPORT deflateInit2 OF((z_streamp strm,
  72093. int level,
  72094. int method,
  72095. int windowBits,
  72096. int memLevel,
  72097. int strategy));
  72098. This is another version of deflateInit with more compression options. The
  72099. fields next_in, zalloc, zfree and opaque must be initialized before by
  72100. the caller.
  72101. The method parameter is the compression method. It must be Z_DEFLATED in
  72102. this version of the library.
  72103. The windowBits parameter is the base two logarithm of the window size
  72104. (the size of the history buffer). It should be in the range 8..15 for this
  72105. version of the library. Larger values of this parameter result in better
  72106. compression at the expense of memory usage. The default value is 15 if
  72107. deflateInit is used instead.
  72108. windowBits can also be -8..-15 for raw deflate. In this case, -windowBits
  72109. determines the window size. deflate() will then generate raw deflate data
  72110. with no zlib header or trailer, and will not compute an adler32 check value.
  72111. windowBits can also be greater than 15 for optional gzip encoding. Add
  72112. 16 to windowBits to write a simple gzip header and trailer around the
  72113. compressed data instead of a zlib wrapper. The gzip header will have no
  72114. file name, no extra data, no comment, no modification time (set to zero),
  72115. no header crc, and the operating system will be set to 255 (unknown). If a
  72116. gzip stream is being written, strm->adler is a crc32 instead of an adler32.
  72117. The memLevel parameter specifies how much memory should be allocated
  72118. for the internal compression state. memLevel=1 uses minimum memory but
  72119. is slow and reduces compression ratio; memLevel=9 uses maximum memory
  72120. for optimal speed. The default value is 8. See zconf.h for total memory
  72121. usage as a function of windowBits and memLevel.
  72122. The strategy parameter is used to tune the compression algorithm. Use the
  72123. value Z_DEFAULT_STRATEGY for normal data, Z_FILTERED for data produced by a
  72124. filter (or predictor), Z_HUFFMAN_ONLY to force Huffman encoding only (no
  72125. string match), or Z_RLE to limit match distances to one (run-length
  72126. encoding). Filtered data consists mostly of small values with a somewhat
  72127. random distribution. In this case, the compression algorithm is tuned to
  72128. compress them better. The effect of Z_FILTERED is to force more Huffman
  72129. coding and less string matching; it is somewhat intermediate between
  72130. Z_DEFAULT and Z_HUFFMAN_ONLY. Z_RLE is designed to be almost as fast as
  72131. Z_HUFFMAN_ONLY, but give better compression for PNG image data. The strategy
  72132. parameter only affects the compression ratio but not the correctness of the
  72133. compressed output even if it is not set appropriately. Z_FIXED prevents the
  72134. use of dynamic Huffman codes, allowing for a simpler decoder for special
  72135. applications.
  72136. deflateInit2 returns Z_OK if success, Z_MEM_ERROR if there was not enough
  72137. memory, Z_STREAM_ERROR if a parameter is invalid (such as an invalid
  72138. method). msg is set to null if there is no error message. deflateInit2 does
  72139. not perform any compression: this will be done by deflate().
  72140. */
  72141. ZEXTERN int ZEXPORT deflateSetDictionary OF((z_streamp strm,
  72142. const Bytef *dictionary,
  72143. uInt dictLength));
  72144. /*
  72145. Initializes the compression dictionary from the given byte sequence
  72146. without producing any compressed output. This function must be called
  72147. immediately after deflateInit, deflateInit2 or deflateReset, before any
  72148. call of deflate. The compressor and decompressor must use exactly the same
  72149. dictionary (see inflateSetDictionary).
  72150. The dictionary should consist of strings (byte sequences) that are likely
  72151. to be encountered later in the data to be compressed, with the most commonly
  72152. used strings preferably put towards the end of the dictionary. Using a
  72153. dictionary is most useful when the data to be compressed is short and can be
  72154. predicted with good accuracy; the data can then be compressed better than
  72155. with the default empty dictionary.
  72156. Depending on the size of the compression data structures selected by
  72157. deflateInit or deflateInit2, a part of the dictionary may in effect be
  72158. discarded, for example if the dictionary is larger than the window size in
  72159. deflate or deflate2. Thus the strings most likely to be useful should be
  72160. put at the end of the dictionary, not at the front. In addition, the
  72161. current implementation of deflate will use at most the window size minus
  72162. 262 bytes of the provided dictionary.
  72163. Upon return of this function, strm->adler is set to the adler32 value
  72164. of the dictionary; the decompressor may later use this value to determine
  72165. which dictionary has been used by the compressor. (The adler32 value
  72166. applies to the whole dictionary even if only a subset of the dictionary is
  72167. actually used by the compressor.) If a raw deflate was requested, then the
  72168. adler32 value is not computed and strm->adler is not set.
  72169. deflateSetDictionary returns Z_OK if success, or Z_STREAM_ERROR if a
  72170. parameter is invalid (such as NULL dictionary) or the stream state is
  72171. inconsistent (for example if deflate has already been called for this stream
  72172. or if the compression method is bsort). deflateSetDictionary does not
  72173. perform any compression: this will be done by deflate().
  72174. */
  72175. ZEXTERN int ZEXPORT deflateCopy OF((z_streamp dest,
  72176. z_streamp source));
  72177. /*
  72178. Sets the destination stream as a complete copy of the source stream.
  72179. This function can be useful when several compression strategies will be
  72180. tried, for example when there are several ways of pre-processing the input
  72181. data with a filter. The streams that will be discarded should then be freed
  72182. by calling deflateEnd. Note that deflateCopy duplicates the internal
  72183. compression state which can be quite large, so this strategy is slow and
  72184. can consume lots of memory.
  72185. deflateCopy returns Z_OK if success, Z_MEM_ERROR if there was not
  72186. enough memory, Z_STREAM_ERROR if the source stream state was inconsistent
  72187. (such as zalloc being NULL). msg is left unchanged in both source and
  72188. destination.
  72189. */
  72190. ZEXTERN int ZEXPORT deflateReset OF((z_streamp strm));
  72191. /*
  72192. This function is equivalent to deflateEnd followed by deflateInit,
  72193. but does not free and reallocate all the internal compression state.
  72194. The stream will keep the same compression level and any other attributes
  72195. that may have been set by deflateInit2.
  72196. deflateReset returns Z_OK if success, or Z_STREAM_ERROR if the source
  72197. stream state was inconsistent (such as zalloc or state being NULL).
  72198. */
  72199. ZEXTERN int ZEXPORT deflateParams OF((z_streamp strm,
  72200. int level,
  72201. int strategy));
  72202. /*
  72203. Dynamically update the compression level and compression strategy. The
  72204. interpretation of level and strategy is as in deflateInit2. This can be
  72205. used to switch between compression and straight copy of the input data, or
  72206. to switch to a different kind of input data requiring a different
  72207. strategy. If the compression level is changed, the input available so far
  72208. is compressed with the old level (and may be flushed); the new level will
  72209. take effect only at the next call of deflate().
  72210. Before the call of deflateParams, the stream state must be set as for
  72211. a call of deflate(), since the currently available input may have to
  72212. be compressed and flushed. In particular, strm->avail_out must be non-zero.
  72213. deflateParams returns Z_OK if success, Z_STREAM_ERROR if the source
  72214. stream state was inconsistent or if a parameter was invalid, Z_BUF_ERROR
  72215. if strm->avail_out was zero.
  72216. */
  72217. ZEXTERN int ZEXPORT deflateTune OF((z_streamp strm,
  72218. int good_length,
  72219. int max_lazy,
  72220. int nice_length,
  72221. int max_chain));
  72222. /*
  72223. Fine tune deflate's internal compression parameters. This should only be
  72224. used by someone who understands the algorithm used by zlib's deflate for
  72225. searching for the best matching string, and even then only by the most
  72226. fanatic optimizer trying to squeeze out the last compressed bit for their
  72227. specific input data. Read the deflate.c source code for the meaning of the
  72228. max_lazy, good_length, nice_length, and max_chain parameters.
  72229. deflateTune() can be called after deflateInit() or deflateInit2(), and
  72230. returns Z_OK on success, or Z_STREAM_ERROR for an invalid deflate stream.
  72231. */
  72232. ZEXTERN uLong ZEXPORT deflateBound OF((z_streamp strm,
  72233. uLong sourceLen));
  72234. /*
  72235. deflateBound() returns an upper bound on the compressed size after
  72236. deflation of sourceLen bytes. It must be called after deflateInit()
  72237. or deflateInit2(). This would be used to allocate an output buffer
  72238. for deflation in a single pass, and so would be called before deflate().
  72239. */
  72240. ZEXTERN int ZEXPORT deflatePrime OF((z_streamp strm,
  72241. int bits,
  72242. int value));
  72243. /*
  72244. deflatePrime() inserts bits in the deflate output stream. The intent
  72245. is that this function is used to start off the deflate output with the
  72246. bits leftover from a previous deflate stream when appending to it. As such,
  72247. this function can only be used for raw deflate, and must be used before the
  72248. first deflate() call after a deflateInit2() or deflateReset(). bits must be
  72249. less than or equal to 16, and that many of the least significant bits of
  72250. value will be inserted in the output.
  72251. deflatePrime returns Z_OK if success, or Z_STREAM_ERROR if the source
  72252. stream state was inconsistent.
  72253. */
  72254. ZEXTERN int ZEXPORT deflateSetHeader OF((z_streamp strm,
  72255. gz_headerp head));
  72256. /*
  72257. deflateSetHeader() provides gzip header information for when a gzip
  72258. stream is requested by deflateInit2(). deflateSetHeader() may be called
  72259. after deflateInit2() or deflateReset() and before the first call of
  72260. deflate(). The text, time, os, extra field, name, and comment information
  72261. in the provided gz_header structure are written to the gzip header (xflag is
  72262. ignored -- the extra flags are set according to the compression level). The
  72263. caller must assure that, if not Z_NULL, name and comment are terminated with
  72264. a zero byte, and that if extra is not Z_NULL, that extra_len bytes are
  72265. available there. If hcrc is true, a gzip header crc is included. Note that
  72266. the current versions of the command-line version of gzip (up through version
  72267. 1.3.x) do not support header crc's, and will report that it is a "multi-part
  72268. gzip file" and give up.
  72269. If deflateSetHeader is not used, the default gzip header has text false,
  72270. the time set to zero, and os set to 255, with no extra, name, or comment
  72271. fields. The gzip header is returned to the default state by deflateReset().
  72272. deflateSetHeader returns Z_OK if success, or Z_STREAM_ERROR if the source
  72273. stream state was inconsistent.
  72274. */
  72275. /*
  72276. ZEXTERN int ZEXPORT inflateInit2 OF((z_streamp strm,
  72277. int windowBits));
  72278. This is another version of inflateInit with an extra parameter. The
  72279. fields next_in, avail_in, zalloc, zfree and opaque must be initialized
  72280. before by the caller.
  72281. The windowBits parameter is the base two logarithm of the maximum window
  72282. size (the size of the history buffer). It should be in the range 8..15 for
  72283. this version of the library. The default value is 15 if inflateInit is used
  72284. instead. windowBits must be greater than or equal to the windowBits value
  72285. provided to deflateInit2() while compressing, or it must be equal to 15 if
  72286. deflateInit2() was not used. If a compressed stream with a larger window
  72287. size is given as input, inflate() will return with the error code
  72288. Z_DATA_ERROR instead of trying to allocate a larger window.
  72289. windowBits can also be -8..-15 for raw inflate. In this case, -windowBits
  72290. determines the window size. inflate() will then process raw deflate data,
  72291. not looking for a zlib or gzip header, not generating a check value, and not
  72292. looking for any check values for comparison at the end of the stream. This
  72293. is for use with other formats that use the deflate compressed data format
  72294. such as zip. Those formats provide their own check values. If a custom
  72295. format is developed using the raw deflate format for compressed data, it is
  72296. recommended that a check value such as an adler32 or a crc32 be applied to
  72297. the uncompressed data as is done in the zlib, gzip, and zip formats. For
  72298. most applications, the zlib format should be used as is. Note that comments
  72299. above on the use in deflateInit2() applies to the magnitude of windowBits.
  72300. windowBits can also be greater than 15 for optional gzip decoding. Add
  72301. 32 to windowBits to enable zlib and gzip decoding with automatic header
  72302. detection, or add 16 to decode only the gzip format (the zlib format will
  72303. return a Z_DATA_ERROR). If a gzip stream is being decoded, strm->adler is
  72304. a crc32 instead of an adler32.
  72305. inflateInit2 returns Z_OK if success, Z_MEM_ERROR if there was not enough
  72306. memory, Z_STREAM_ERROR if a parameter is invalid (such as a null strm). msg
  72307. is set to null if there is no error message. inflateInit2 does not perform
  72308. any decompression apart from reading the zlib header if present: this will
  72309. be done by inflate(). (So next_in and avail_in may be modified, but next_out
  72310. and avail_out are unchanged.)
  72311. */
  72312. ZEXTERN int ZEXPORT inflateSetDictionary OF((z_streamp strm,
  72313. const Bytef *dictionary,
  72314. uInt dictLength));
  72315. /*
  72316. Initializes the decompression dictionary from the given uncompressed byte
  72317. sequence. This function must be called immediately after a call of inflate,
  72318. if that call returned Z_NEED_DICT. The dictionary chosen by the compressor
  72319. can be determined from the adler32 value returned by that call of inflate.
  72320. The compressor and decompressor must use exactly the same dictionary (see
  72321. deflateSetDictionary). For raw inflate, this function can be called
  72322. immediately after inflateInit2() or inflateReset() and before any call of
  72323. inflate() to set the dictionary. The application must insure that the
  72324. dictionary that was used for compression is provided.
  72325. inflateSetDictionary returns Z_OK if success, Z_STREAM_ERROR if a
  72326. parameter is invalid (such as NULL dictionary) or the stream state is
  72327. inconsistent, Z_DATA_ERROR if the given dictionary doesn't match the
  72328. expected one (incorrect adler32 value). inflateSetDictionary does not
  72329. perform any decompression: this will be done by subsequent calls of
  72330. inflate().
  72331. */
  72332. ZEXTERN int ZEXPORT inflateSync OF((z_streamp strm));
  72333. /*
  72334. Skips invalid compressed data until a full flush point (see above the
  72335. description of deflate with Z_FULL_FLUSH) can be found, or until all
  72336. available input is skipped. No output is provided.
  72337. inflateSync returns Z_OK if a full flush point has been found, Z_BUF_ERROR
  72338. if no more input was provided, Z_DATA_ERROR if no flush point has been found,
  72339. or Z_STREAM_ERROR if the stream structure was inconsistent. In the success
  72340. case, the application may save the current current value of total_in which
  72341. indicates where valid compressed data was found. In the error case, the
  72342. application may repeatedly call inflateSync, providing more input each time,
  72343. until success or end of the input data.
  72344. */
  72345. ZEXTERN int ZEXPORT inflateCopy OF((z_streamp dest,
  72346. z_streamp source));
  72347. /*
  72348. Sets the destination stream as a complete copy of the source stream.
  72349. This function can be useful when randomly accessing a large stream. The
  72350. first pass through the stream can periodically record the inflate state,
  72351. allowing restarting inflate at those points when randomly accessing the
  72352. stream.
  72353. inflateCopy returns Z_OK if success, Z_MEM_ERROR if there was not
  72354. enough memory, Z_STREAM_ERROR if the source stream state was inconsistent
  72355. (such as zalloc being NULL). msg is left unchanged in both source and
  72356. destination.
  72357. */
  72358. ZEXTERN int ZEXPORT inflateReset OF((z_streamp strm));
  72359. /*
  72360. This function is equivalent to inflateEnd followed by inflateInit,
  72361. but does not free and reallocate all the internal decompression state.
  72362. The stream will keep attributes that may have been set by inflateInit2.
  72363. inflateReset returns Z_OK if success, or Z_STREAM_ERROR if the source
  72364. stream state was inconsistent (such as zalloc or state being NULL).
  72365. */
  72366. ZEXTERN int ZEXPORT inflatePrime OF((z_streamp strm,
  72367. int bits,
  72368. int value));
  72369. /*
  72370. This function inserts bits in the inflate input stream. The intent is
  72371. that this function is used to start inflating at a bit position in the
  72372. middle of a byte. The provided bits will be used before any bytes are used
  72373. from next_in. This function should only be used with raw inflate, and
  72374. should be used before the first inflate() call after inflateInit2() or
  72375. inflateReset(). bits must be less than or equal to 16, and that many of the
  72376. least significant bits of value will be inserted in the input.
  72377. inflatePrime returns Z_OK if success, or Z_STREAM_ERROR if the source
  72378. stream state was inconsistent.
  72379. */
  72380. ZEXTERN int ZEXPORT inflateGetHeader OF((z_streamp strm,
  72381. gz_headerp head));
  72382. /*
  72383. inflateGetHeader() requests that gzip header information be stored in the
  72384. provided gz_header structure. inflateGetHeader() may be called after
  72385. inflateInit2() or inflateReset(), and before the first call of inflate().
  72386. As inflate() processes the gzip stream, head->done is zero until the header
  72387. is completed, at which time head->done is set to one. If a zlib stream is
  72388. being decoded, then head->done is set to -1 to indicate that there will be
  72389. no gzip header information forthcoming. Note that Z_BLOCK can be used to
  72390. force inflate() to return immediately after header processing is complete
  72391. and before any actual data is decompressed.
  72392. The text, time, xflags, and os fields are filled in with the gzip header
  72393. contents. hcrc is set to true if there is a header CRC. (The header CRC
  72394. was valid if done is set to one.) If extra is not Z_NULL, then extra_max
  72395. contains the maximum number of bytes to write to extra. Once done is true,
  72396. extra_len contains the actual extra field length, and extra contains the
  72397. extra field, or that field truncated if extra_max is less than extra_len.
  72398. If name is not Z_NULL, then up to name_max characters are written there,
  72399. terminated with a zero unless the length is greater than name_max. If
  72400. comment is not Z_NULL, then up to comm_max characters are written there,
  72401. terminated with a zero unless the length is greater than comm_max. When
  72402. any of extra, name, or comment are not Z_NULL and the respective field is
  72403. not present in the header, then that field is set to Z_NULL to signal its
  72404. absence. This allows the use of deflateSetHeader() with the returned
  72405. structure to duplicate the header. However if those fields are set to
  72406. allocated memory, then the application will need to save those pointers
  72407. elsewhere so that they can be eventually freed.
  72408. If inflateGetHeader is not used, then the header information is simply
  72409. discarded. The header is always checked for validity, including the header
  72410. CRC if present. inflateReset() will reset the process to discard the header
  72411. information. The application would need to call inflateGetHeader() again to
  72412. retrieve the header from the next gzip stream.
  72413. inflateGetHeader returns Z_OK if success, or Z_STREAM_ERROR if the source
  72414. stream state was inconsistent.
  72415. */
  72416. /*
  72417. ZEXTERN int ZEXPORT inflateBackInit OF((z_streamp strm, int windowBits,
  72418. unsigned char FAR *window));
  72419. Initialize the internal stream state for decompression using inflateBack()
  72420. calls. The fields zalloc, zfree and opaque in strm must be initialized
  72421. before the call. If zalloc and zfree are Z_NULL, then the default library-
  72422. derived memory allocation routines are used. windowBits is the base two
  72423. logarithm of the window size, in the range 8..15. window is a caller
  72424. supplied buffer of that size. Except for special applications where it is
  72425. assured that deflate was used with small window sizes, windowBits must be 15
  72426. and a 32K byte window must be supplied to be able to decompress general
  72427. deflate streams.
  72428. See inflateBack() for the usage of these routines.
  72429. inflateBackInit will return Z_OK on success, Z_STREAM_ERROR if any of
  72430. the paramaters are invalid, Z_MEM_ERROR if the internal state could not
  72431. be allocated, or Z_VERSION_ERROR if the version of the library does not
  72432. match the version of the header file.
  72433. */
  72434. typedef unsigned (*in_func) OF((void FAR *, unsigned char FAR * FAR *));
  72435. typedef int (*out_func) OF((void FAR *, unsigned char FAR *, unsigned));
  72436. ZEXTERN int ZEXPORT inflateBack OF((z_streamp strm,
  72437. in_func in, void FAR *in_desc,
  72438. out_func out, void FAR *out_desc));
  72439. /*
  72440. inflateBack() does a raw inflate with a single call using a call-back
  72441. interface for input and output. This is more efficient than inflate() for
  72442. file i/o applications in that it avoids copying between the output and the
  72443. sliding window by simply making the window itself the output buffer. This
  72444. function trusts the application to not change the output buffer passed by
  72445. the output function, at least until inflateBack() returns.
  72446. inflateBackInit() must be called first to allocate the internal state
  72447. and to initialize the state with the user-provided window buffer.
  72448. inflateBack() may then be used multiple times to inflate a complete, raw
  72449. deflate stream with each call. inflateBackEnd() is then called to free
  72450. the allocated state.
  72451. A raw deflate stream is one with no zlib or gzip header or trailer.
  72452. This routine would normally be used in a utility that reads zip or gzip
  72453. files and writes out uncompressed files. The utility would decode the
  72454. header and process the trailer on its own, hence this routine expects
  72455. only the raw deflate stream to decompress. This is different from the
  72456. normal behavior of inflate(), which expects either a zlib or gzip header and
  72457. trailer around the deflate stream.
  72458. inflateBack() uses two subroutines supplied by the caller that are then
  72459. called by inflateBack() for input and output. inflateBack() calls those
  72460. routines until it reads a complete deflate stream and writes out all of the
  72461. uncompressed data, or until it encounters an error. The function's
  72462. parameters and return types are defined above in the in_func and out_func
  72463. typedefs. inflateBack() will call in(in_desc, &buf) which should return the
  72464. number of bytes of provided input, and a pointer to that input in buf. If
  72465. there is no input available, in() must return zero--buf is ignored in that
  72466. case--and inflateBack() will return a buffer error. inflateBack() will call
  72467. out(out_desc, buf, len) to write the uncompressed data buf[0..len-1]. out()
  72468. should return zero on success, or non-zero on failure. If out() returns
  72469. non-zero, inflateBack() will return with an error. Neither in() nor out()
  72470. are permitted to change the contents of the window provided to
  72471. inflateBackInit(), which is also the buffer that out() uses to write from.
  72472. The length written by out() will be at most the window size. Any non-zero
  72473. amount of input may be provided by in().
  72474. For convenience, inflateBack() can be provided input on the first call by
  72475. setting strm->next_in and strm->avail_in. If that input is exhausted, then
  72476. in() will be called. Therefore strm->next_in must be initialized before
  72477. calling inflateBack(). If strm->next_in is Z_NULL, then in() will be called
  72478. immediately for input. If strm->next_in is not Z_NULL, then strm->avail_in
  72479. must also be initialized, and then if strm->avail_in is not zero, input will
  72480. initially be taken from strm->next_in[0 .. strm->avail_in - 1].
  72481. The in_desc and out_desc parameters of inflateBack() is passed as the
  72482. first parameter of in() and out() respectively when they are called. These
  72483. descriptors can be optionally used to pass any information that the caller-
  72484. supplied in() and out() functions need to do their job.
  72485. On return, inflateBack() will set strm->next_in and strm->avail_in to
  72486. pass back any unused input that was provided by the last in() call. The
  72487. return values of inflateBack() can be Z_STREAM_END on success, Z_BUF_ERROR
  72488. if in() or out() returned an error, Z_DATA_ERROR if there was a format
  72489. error in the deflate stream (in which case strm->msg is set to indicate the
  72490. nature of the error), or Z_STREAM_ERROR if the stream was not properly
  72491. initialized. In the case of Z_BUF_ERROR, an input or output error can be
  72492. distinguished using strm->next_in which will be Z_NULL only if in() returned
  72493. an error. If strm->next is not Z_NULL, then the Z_BUF_ERROR was due to
  72494. out() returning non-zero. (in() will always be called before out(), so
  72495. strm->next_in is assured to be defined if out() returns non-zero.) Note
  72496. that inflateBack() cannot return Z_OK.
  72497. */
  72498. ZEXTERN int ZEXPORT inflateBackEnd OF((z_streamp strm));
  72499. /*
  72500. All memory allocated by inflateBackInit() is freed.
  72501. inflateBackEnd() returns Z_OK on success, or Z_STREAM_ERROR if the stream
  72502. state was inconsistent.
  72503. */
  72504. //ZEXTERN uLong ZEXPORT zlibCompileFlags OF((void));
  72505. /* Return flags indicating compile-time options.
  72506. Type sizes, two bits each, 00 = 16 bits, 01 = 32, 10 = 64, 11 = other:
  72507. 1.0: size of uInt
  72508. 3.2: size of uLong
  72509. 5.4: size of voidpf (pointer)
  72510. 7.6: size of z_off_t
  72511. Compiler, assembler, and debug options:
  72512. 8: DEBUG
  72513. 9: ASMV or ASMINF -- use ASM code
  72514. 10: ZLIB_WINAPI -- exported functions use the WINAPI calling convention
  72515. 11: 0 (reserved)
  72516. One-time table building (smaller code, but not thread-safe if true):
  72517. 12: BUILDFIXED -- build static block decoding tables when needed
  72518. 13: DYNAMIC_CRC_TABLE -- build CRC calculation tables when needed
  72519. 14,15: 0 (reserved)
  72520. Library content (indicates missing functionality):
  72521. 16: NO_GZCOMPRESS -- gz* functions cannot compress (to avoid linking
  72522. deflate code when not needed)
  72523. 17: NO_GZIP -- deflate can't write gzip streams, and inflate can't detect
  72524. and decode gzip streams (to avoid linking crc code)
  72525. 18-19: 0 (reserved)
  72526. Operation variations (changes in library functionality):
  72527. 20: PKZIP_BUG_WORKAROUND -- slightly more permissive inflate
  72528. 21: FASTEST -- deflate algorithm with only one, lowest compression level
  72529. 22,23: 0 (reserved)
  72530. The sprintf variant used by gzprintf (zero is best):
  72531. 24: 0 = vs*, 1 = s* -- 1 means limited to 20 arguments after the format
  72532. 25: 0 = *nprintf, 1 = *printf -- 1 means gzprintf() not secure!
  72533. 26: 0 = returns value, 1 = void -- 1 means inferred string length returned
  72534. Remainder:
  72535. 27-31: 0 (reserved)
  72536. */
  72537. /* utility functions */
  72538. /*
  72539. The following utility functions are implemented on top of the
  72540. basic stream-oriented functions. To simplify the interface, some
  72541. default options are assumed (compression level and memory usage,
  72542. standard memory allocation functions). The source code of these
  72543. utility functions can easily be modified if you need special options.
  72544. */
  72545. ZEXTERN int ZEXPORT compress OF((Bytef *dest, uLongf *destLen,
  72546. const Bytef *source, uLong sourceLen));
  72547. /*
  72548. Compresses the source buffer into the destination buffer. sourceLen is
  72549. the byte length of the source buffer. Upon entry, destLen is the total
  72550. size of the destination buffer, which must be at least the value returned
  72551. by compressBound(sourceLen). Upon exit, destLen is the actual size of the
  72552. compressed buffer.
  72553. This function can be used to compress a whole file at once if the
  72554. input file is mmap'ed.
  72555. compress returns Z_OK if success, Z_MEM_ERROR if there was not
  72556. enough memory, Z_BUF_ERROR if there was not enough room in the output
  72557. buffer.
  72558. */
  72559. ZEXTERN int ZEXPORT compress2 OF((Bytef *dest, uLongf *destLen,
  72560. const Bytef *source, uLong sourceLen,
  72561. int level));
  72562. /*
  72563. Compresses the source buffer into the destination buffer. The level
  72564. parameter has the same meaning as in deflateInit. sourceLen is the byte
  72565. length of the source buffer. Upon entry, destLen is the total size of the
  72566. destination buffer, which must be at least the value returned by
  72567. compressBound(sourceLen). Upon exit, destLen is the actual size of the
  72568. compressed buffer.
  72569. compress2 returns Z_OK if success, Z_MEM_ERROR if there was not enough
  72570. memory, Z_BUF_ERROR if there was not enough room in the output buffer,
  72571. Z_STREAM_ERROR if the level parameter is invalid.
  72572. */
  72573. ZEXTERN uLong ZEXPORT compressBound OF((uLong sourceLen));
  72574. /*
  72575. compressBound() returns an upper bound on the compressed size after
  72576. compress() or compress2() on sourceLen bytes. It would be used before
  72577. a compress() or compress2() call to allocate the destination buffer.
  72578. */
  72579. ZEXTERN int ZEXPORT uncompress OF((Bytef *dest, uLongf *destLen,
  72580. const Bytef *source, uLong sourceLen));
  72581. /*
  72582. Decompresses the source buffer into the destination buffer. sourceLen is
  72583. the byte length of the source buffer. Upon entry, destLen is the total
  72584. size of the destination buffer, which must be large enough to hold the
  72585. entire uncompressed data. (The size of the uncompressed data must have
  72586. been saved previously by the compressor and transmitted to the decompressor
  72587. by some mechanism outside the scope of this compression library.)
  72588. Upon exit, destLen is the actual size of the compressed buffer.
  72589. This function can be used to decompress a whole file at once if the
  72590. input file is mmap'ed.
  72591. uncompress returns Z_OK if success, Z_MEM_ERROR if there was not
  72592. enough memory, Z_BUF_ERROR if there was not enough room in the output
  72593. buffer, or Z_DATA_ERROR if the input data was corrupted or incomplete.
  72594. */
  72595. typedef voidp gzFile;
  72596. ZEXTERN gzFile ZEXPORT gzopen OF((const char *path, const char *mode));
  72597. /*
  72598. Opens a gzip (.gz) file for reading or writing. The mode parameter
  72599. is as in fopen ("rb" or "wb") but can also include a compression level
  72600. ("wb9") or a strategy: 'f' for filtered data as in "wb6f", 'h' for
  72601. Huffman only compression as in "wb1h", or 'R' for run-length encoding
  72602. as in "wb1R". (See the description of deflateInit2 for more information
  72603. about the strategy parameter.)
  72604. gzopen can be used to read a file which is not in gzip format; in this
  72605. case gzread will directly read from the file without decompression.
  72606. gzopen returns NULL if the file could not be opened or if there was
  72607. insufficient memory to allocate the (de)compression state; errno
  72608. can be checked to distinguish the two cases (if errno is zero, the
  72609. zlib error is Z_MEM_ERROR). */
  72610. ZEXTERN gzFile ZEXPORT gzdopen OF((int fd, const char *mode));
  72611. /*
  72612. gzdopen() associates a gzFile with the file descriptor fd. File
  72613. descriptors are obtained from calls like open, dup, creat, pipe or
  72614. fileno (in the file has been previously opened with fopen).
  72615. The mode parameter is as in gzopen.
  72616. The next call of gzclose on the returned gzFile will also close the
  72617. file descriptor fd, just like fclose(fdopen(fd), mode) closes the file
  72618. descriptor fd. If you want to keep fd open, use gzdopen(dup(fd), mode).
  72619. gzdopen returns NULL if there was insufficient memory to allocate
  72620. the (de)compression state.
  72621. */
  72622. ZEXTERN int ZEXPORT gzsetparams OF((gzFile file, int level, int strategy));
  72623. /*
  72624. Dynamically update the compression level or strategy. See the description
  72625. of deflateInit2 for the meaning of these parameters.
  72626. gzsetparams returns Z_OK if success, or Z_STREAM_ERROR if the file was not
  72627. opened for writing.
  72628. */
  72629. ZEXTERN int ZEXPORT gzread OF((gzFile file, voidp buf, unsigned len));
  72630. /*
  72631. Reads the given number of uncompressed bytes from the compressed file.
  72632. If the input file was not in gzip format, gzread copies the given number
  72633. of bytes into the buffer.
  72634. gzread returns the number of uncompressed bytes actually read (0 for
  72635. end of file, -1 for error). */
  72636. ZEXTERN int ZEXPORT gzwrite OF((gzFile file,
  72637. voidpc buf, unsigned len));
  72638. /*
  72639. Writes the given number of uncompressed bytes into the compressed file.
  72640. gzwrite returns the number of uncompressed bytes actually written
  72641. (0 in case of error).
  72642. */
  72643. ZEXTERN int ZEXPORTVA gzprintf OF((gzFile file, const char *format, ...));
  72644. /*
  72645. Converts, formats, and writes the args to the compressed file under
  72646. control of the format string, as in fprintf. gzprintf returns the number of
  72647. uncompressed bytes actually written (0 in case of error). The number of
  72648. uncompressed bytes written is limited to 4095. The caller should assure that
  72649. this limit is not exceeded. If it is exceeded, then gzprintf() will return
  72650. return an error (0) with nothing written. In this case, there may also be a
  72651. buffer overflow with unpredictable consequences, which is possible only if
  72652. zlib was compiled with the insecure functions sprintf() or vsprintf()
  72653. because the secure snprintf() or vsnprintf() functions were not available.
  72654. */
  72655. ZEXTERN int ZEXPORT gzputs OF((gzFile file, const char *s));
  72656. /*
  72657. Writes the given null-terminated string to the compressed file, excluding
  72658. the terminating null character.
  72659. gzputs returns the number of characters written, or -1 in case of error.
  72660. */
  72661. ZEXTERN char * ZEXPORT gzgets OF((gzFile file, char *buf, int len));
  72662. /*
  72663. Reads bytes from the compressed file until len-1 characters are read, or
  72664. a newline character is read and transferred to buf, or an end-of-file
  72665. condition is encountered. The string is then terminated with a null
  72666. character.
  72667. gzgets returns buf, or Z_NULL in case of error.
  72668. */
  72669. ZEXTERN int ZEXPORT gzputc OF((gzFile file, int c));
  72670. /*
  72671. Writes c, converted to an unsigned char, into the compressed file.
  72672. gzputc returns the value that was written, or -1 in case of error.
  72673. */
  72674. ZEXTERN int ZEXPORT gzgetc OF((gzFile file));
  72675. /*
  72676. Reads one byte from the compressed file. gzgetc returns this byte
  72677. or -1 in case of end of file or error.
  72678. */
  72679. ZEXTERN int ZEXPORT gzungetc OF((int c, gzFile file));
  72680. /*
  72681. Push one character back onto the stream to be read again later.
  72682. Only one character of push-back is allowed. gzungetc() returns the
  72683. character pushed, or -1 on failure. gzungetc() will fail if a
  72684. character has been pushed but not read yet, or if c is -1. The pushed
  72685. character will be discarded if the stream is repositioned with gzseek()
  72686. or gzrewind().
  72687. */
  72688. ZEXTERN int ZEXPORT gzflush OF((gzFile file, int flush));
  72689. /*
  72690. Flushes all pending output into the compressed file. The parameter
  72691. flush is as in the deflate() function. The return value is the zlib
  72692. error number (see function gzerror below). gzflush returns Z_OK if
  72693. the flush parameter is Z_FINISH and all output could be flushed.
  72694. gzflush should be called only when strictly necessary because it can
  72695. degrade compression.
  72696. */
  72697. ZEXTERN z_off_t ZEXPORT gzseek OF((gzFile file,
  72698. z_off_t offset, int whence));
  72699. /*
  72700. Sets the starting position for the next gzread or gzwrite on the
  72701. given compressed file. The offset represents a number of bytes in the
  72702. uncompressed data stream. The whence parameter is defined as in lseek(2);
  72703. the value SEEK_END is not supported.
  72704. If the file is opened for reading, this function is emulated but can be
  72705. extremely slow. If the file is opened for writing, only forward seeks are
  72706. supported; gzseek then compresses a sequence of zeroes up to the new
  72707. starting position.
  72708. gzseek returns the resulting offset location as measured in bytes from
  72709. the beginning of the uncompressed stream, or -1 in case of error, in
  72710. particular if the file is opened for writing and the new starting position
  72711. would be before the current position.
  72712. */
  72713. ZEXTERN int ZEXPORT gzrewind OF((gzFile file));
  72714. /*
  72715. Rewinds the given file. This function is supported only for reading.
  72716. gzrewind(file) is equivalent to (int)gzseek(file, 0L, SEEK_SET)
  72717. */
  72718. ZEXTERN z_off_t ZEXPORT gztell OF((gzFile file));
  72719. /*
  72720. Returns the starting position for the next gzread or gzwrite on the
  72721. given compressed file. This position represents a number of bytes in the
  72722. uncompressed data stream.
  72723. gztell(file) is equivalent to gzseek(file, 0L, SEEK_CUR)
  72724. */
  72725. ZEXTERN int ZEXPORT gzeof OF((gzFile file));
  72726. /*
  72727. Returns 1 when EOF has previously been detected reading the given
  72728. input stream, otherwise zero.
  72729. */
  72730. ZEXTERN int ZEXPORT gzdirect OF((gzFile file));
  72731. /*
  72732. Returns 1 if file is being read directly without decompression, otherwise
  72733. zero.
  72734. */
  72735. ZEXTERN int ZEXPORT gzclose OF((gzFile file));
  72736. /*
  72737. Flushes all pending output if necessary, closes the compressed file
  72738. and deallocates all the (de)compression state. The return value is the zlib
  72739. error number (see function gzerror below).
  72740. */
  72741. ZEXTERN const char * ZEXPORT gzerror OF((gzFile file, int *errnum));
  72742. /*
  72743. Returns the error message for the last error which occurred on the
  72744. given compressed file. errnum is set to zlib error number. If an
  72745. error occurred in the file system and not in the compression library,
  72746. errnum is set to Z_ERRNO and the application may consult errno
  72747. to get the exact error code.
  72748. */
  72749. ZEXTERN void ZEXPORT gzclearerr OF((gzFile file));
  72750. /*
  72751. Clears the error and end-of-file flags for file. This is analogous to the
  72752. clearerr() function in stdio. This is useful for continuing to read a gzip
  72753. file that is being written concurrently.
  72754. */
  72755. /* checksum functions */
  72756. /*
  72757. These functions are not related to compression but are exported
  72758. anyway because they might be useful in applications using the
  72759. compression library.
  72760. */
  72761. ZEXTERN uLong ZEXPORT adler32 OF((uLong adler, const Bytef *buf, uInt len));
  72762. /*
  72763. Update a running Adler-32 checksum with the bytes buf[0..len-1] and
  72764. return the updated checksum. If buf is NULL, this function returns
  72765. the required initial value for the checksum.
  72766. An Adler-32 checksum is almost as reliable as a CRC32 but can be computed
  72767. much faster. Usage example:
  72768. uLong adler = adler32(0L, Z_NULL, 0);
  72769. while (read_buffer(buffer, length) != EOF) {
  72770. adler = adler32(adler, buffer, length);
  72771. }
  72772. if (adler != original_adler) error();
  72773. */
  72774. ZEXTERN uLong ZEXPORT adler32_combine OF((uLong adler1, uLong adler2,
  72775. z_off_t len2));
  72776. /*
  72777. Combine two Adler-32 checksums into one. For two sequences of bytes, seq1
  72778. and seq2 with lengths len1 and len2, Adler-32 checksums were calculated for
  72779. each, adler1 and adler2. adler32_combine() returns the Adler-32 checksum of
  72780. seq1 and seq2 concatenated, requiring only adler1, adler2, and len2.
  72781. */
  72782. ZEXTERN uLong ZEXPORT crc32 OF((uLong crc, const Bytef *buf, uInt len));
  72783. /*
  72784. Update a running CRC-32 with the bytes buf[0..len-1] and return the
  72785. updated CRC-32. If buf is NULL, this function returns the required initial
  72786. value for the for the crc. Pre- and post-conditioning (one's complement) is
  72787. performed within this function so it shouldn't be done by the application.
  72788. Usage example:
  72789. uLong crc = crc32(0L, Z_NULL, 0);
  72790. while (read_buffer(buffer, length) != EOF) {
  72791. crc = crc32(crc, buffer, length);
  72792. }
  72793. if (crc != original_crc) error();
  72794. */
  72795. ZEXTERN uLong ZEXPORT crc32_combine OF((uLong crc1, uLong crc2, z_off_t len2));
  72796. /*
  72797. Combine two CRC-32 check values into one. For two sequences of bytes,
  72798. seq1 and seq2 with lengths len1 and len2, CRC-32 check values were
  72799. calculated for each, crc1 and crc2. crc32_combine() returns the CRC-32
  72800. check value of seq1 and seq2 concatenated, requiring only crc1, crc2, and
  72801. len2.
  72802. */
  72803. /* various hacks, don't look :) */
  72804. /* deflateInit and inflateInit are macros to allow checking the zlib version
  72805. * and the compiler's view of z_stream:
  72806. */
  72807. ZEXTERN int ZEXPORT deflateInit_ OF((z_streamp strm, int level,
  72808. const char *version, int stream_size));
  72809. ZEXTERN int ZEXPORT inflateInit_ OF((z_streamp strm,
  72810. const char *version, int stream_size));
  72811. ZEXTERN int ZEXPORT deflateInit2_ OF((z_streamp strm, int level, int method,
  72812. int windowBits, int memLevel,
  72813. int strategy, const char *version,
  72814. int stream_size));
  72815. ZEXTERN int ZEXPORT inflateInit2_ OF((z_streamp strm, int windowBits,
  72816. const char *version, int stream_size));
  72817. ZEXTERN int ZEXPORT inflateBackInit_ OF((z_streamp strm, int windowBits,
  72818. unsigned char FAR *window,
  72819. const char *version,
  72820. int stream_size));
  72821. #define deflateInit(strm, level) \
  72822. deflateInit_((strm), (level), ZLIB_VERSION, sizeof(z_stream))
  72823. #define inflateInit(strm) \
  72824. inflateInit_((strm), ZLIB_VERSION, sizeof(z_stream))
  72825. #define deflateInit2(strm, level, method, windowBits, memLevel, strategy) \
  72826. deflateInit2_((strm),(level),(method),(windowBits),(memLevel),\
  72827. (strategy), ZLIB_VERSION, sizeof(z_stream))
  72828. #define inflateInit2(strm, windowBits) \
  72829. inflateInit2_((strm), (windowBits), ZLIB_VERSION, sizeof(z_stream))
  72830. #define inflateBackInit(strm, windowBits, window) \
  72831. inflateBackInit_((strm), (windowBits), (window), \
  72832. ZLIB_VERSION, sizeof(z_stream))
  72833. #if !defined(ZUTIL_H) && !defined(NO_DUMMY_DECL)
  72834. struct internal_state {int dummy;}; /* hack for buggy compilers */
  72835. #endif
  72836. ZEXTERN const char * ZEXPORT zError OF((int));
  72837. ZEXTERN int ZEXPORT inflateSyncPoint OF((z_streamp z));
  72838. ZEXTERN const uLongf * ZEXPORT get_crc_table OF((void));
  72839. #ifdef __cplusplus
  72840. }
  72841. #endif
  72842. #endif /* ZLIB_H */
  72843. /********* End of inlined file: zlib.h *********/
  72844. #undef OS_CODE
  72845. }
  72846. BEGIN_JUCE_NAMESPACE
  72847. using namespace zlibNamespace;
  72848. // internal helper object that holds the zlib structures so they don't have to be
  72849. // included publicly.
  72850. class GZIPCompressorHelper
  72851. {
  72852. private:
  72853. z_stream* stream;
  72854. uint8* data;
  72855. int dataSize, compLevel, strategy;
  72856. bool setParams;
  72857. public:
  72858. bool finished, shouldFinish;
  72859. GZIPCompressorHelper (const int compressionLevel, const bool nowrap)
  72860. : data (0),
  72861. dataSize (0),
  72862. compLevel (compressionLevel),
  72863. strategy (0),
  72864. setParams (true),
  72865. finished (false),
  72866. shouldFinish (false)
  72867. {
  72868. stream = (z_stream*) juce_calloc (sizeof (z_stream));
  72869. if (deflateInit2 (stream,
  72870. compLevel,
  72871. Z_DEFLATED,
  72872. nowrap ? -MAX_WBITS : MAX_WBITS,
  72873. 8,
  72874. strategy) != Z_OK)
  72875. {
  72876. juce_free (stream);
  72877. stream = 0;
  72878. }
  72879. }
  72880. ~GZIPCompressorHelper()
  72881. {
  72882. if (stream != 0)
  72883. {
  72884. deflateEnd (stream);
  72885. juce_free (stream);
  72886. }
  72887. }
  72888. bool needsInput() const throw()
  72889. {
  72890. return dataSize <= 0;
  72891. }
  72892. void setInput (uint8* const newData, const int size) throw()
  72893. {
  72894. data = newData;
  72895. dataSize = size;
  72896. }
  72897. int doNextBlock (uint8* const dest, const int destSize) throw()
  72898. {
  72899. if (stream != 0)
  72900. {
  72901. stream->next_in = data;
  72902. stream->next_out = dest;
  72903. stream->avail_in = dataSize;
  72904. stream->avail_out = destSize;
  72905. const int result = setParams ? deflateParams (stream, compLevel, strategy)
  72906. : deflate (stream, shouldFinish ? Z_FINISH : Z_NO_FLUSH);
  72907. setParams = false;
  72908. switch (result)
  72909. {
  72910. case Z_STREAM_END:
  72911. finished = true;
  72912. case Z_OK:
  72913. data += dataSize - stream->avail_in;
  72914. dataSize = stream->avail_in;
  72915. return destSize - stream->avail_out;
  72916. default:
  72917. break;
  72918. }
  72919. }
  72920. return 0;
  72921. }
  72922. };
  72923. const int gzipCompBufferSize = 32768;
  72924. GZIPCompressorOutputStream::GZIPCompressorOutputStream (OutputStream* const destStream_,
  72925. int compressionLevel,
  72926. const bool deleteDestStream_,
  72927. const bool noWrap)
  72928. : destStream (destStream_),
  72929. deleteDestStream (deleteDestStream_)
  72930. {
  72931. if (compressionLevel < 1 || compressionLevel > 9)
  72932. compressionLevel = -1;
  72933. helper = new GZIPCompressorHelper (compressionLevel, noWrap);
  72934. buffer = (uint8*) juce_malloc (gzipCompBufferSize);
  72935. }
  72936. GZIPCompressorOutputStream::~GZIPCompressorOutputStream()
  72937. {
  72938. flush();
  72939. GZIPCompressorHelper* const h = (GZIPCompressorHelper*) helper;
  72940. delete h;
  72941. juce_free (buffer);
  72942. if (deleteDestStream)
  72943. delete destStream;
  72944. }
  72945. void GZIPCompressorOutputStream::flush()
  72946. {
  72947. GZIPCompressorHelper* const h = (GZIPCompressorHelper*) helper;
  72948. if (! h->finished)
  72949. {
  72950. h->shouldFinish = true;
  72951. while (! h->finished)
  72952. doNextBlock();
  72953. }
  72954. destStream->flush();
  72955. }
  72956. bool GZIPCompressorOutputStream::write (const void* destBuffer, int howMany)
  72957. {
  72958. GZIPCompressorHelper* const h = (GZIPCompressorHelper*) helper;
  72959. if (! h->finished)
  72960. {
  72961. h->setInput ((uint8*) destBuffer, howMany);
  72962. while (! h->needsInput())
  72963. {
  72964. if (! doNextBlock())
  72965. return false;
  72966. }
  72967. }
  72968. return true;
  72969. }
  72970. bool GZIPCompressorOutputStream::doNextBlock()
  72971. {
  72972. GZIPCompressorHelper* const h = (GZIPCompressorHelper*) helper;
  72973. const int len = h->doNextBlock (buffer, gzipCompBufferSize);
  72974. if (len > 0)
  72975. return destStream->write (buffer, len);
  72976. else
  72977. return true;
  72978. }
  72979. int64 GZIPCompressorOutputStream::getPosition()
  72980. {
  72981. return destStream->getPosition();
  72982. }
  72983. bool GZIPCompressorOutputStream::setPosition (int64 /*newPosition*/)
  72984. {
  72985. jassertfalse // can't do it!
  72986. return false;
  72987. }
  72988. END_JUCE_NAMESPACE
  72989. /********* End of inlined file: juce_GZIPCompressorOutputStream.cpp *********/
  72990. /********* Start of inlined file: juce_GZIPDecompressorInputStream.cpp *********/
  72991. #if JUCE_MSVC
  72992. #pragma warning (push)
  72993. #pragma warning (disable: 4309 4305)
  72994. #endif
  72995. namespace zlibNamespace
  72996. {
  72997. extern "C"
  72998. {
  72999. #undef OS_CODE
  73000. #undef fdopen
  73001. #define ZLIB_INTERNAL
  73002. #define NO_DUMMY_DECL
  73003. /********* Start of inlined file: adler32.c *********/
  73004. /* @(#) $Id: adler32.c,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  73005. #define ZLIB_INTERNAL
  73006. #define BASE 65521UL /* largest prime smaller than 65536 */
  73007. #define NMAX 5552
  73008. /* NMAX is the largest n such that 255n(n+1)/2 + (n+1)(BASE-1) <= 2^32-1 */
  73009. #define DO1(buf,i) {adler += (buf)[i]; sum2 += adler;}
  73010. #define DO2(buf,i) DO1(buf,i); DO1(buf,i+1);
  73011. #define DO4(buf,i) DO2(buf,i); DO2(buf,i+2);
  73012. #define DO8(buf,i) DO4(buf,i); DO4(buf,i+4);
  73013. #define DO16(buf) DO8(buf,0); DO8(buf,8);
  73014. /* use NO_DIVIDE if your processor does not do division in hardware */
  73015. #ifdef NO_DIVIDE
  73016. # define MOD(a) \
  73017. do { \
  73018. if (a >= (BASE << 16)) a -= (BASE << 16); \
  73019. if (a >= (BASE << 15)) a -= (BASE << 15); \
  73020. if (a >= (BASE << 14)) a -= (BASE << 14); \
  73021. if (a >= (BASE << 13)) a -= (BASE << 13); \
  73022. if (a >= (BASE << 12)) a -= (BASE << 12); \
  73023. if (a >= (BASE << 11)) a -= (BASE << 11); \
  73024. if (a >= (BASE << 10)) a -= (BASE << 10); \
  73025. if (a >= (BASE << 9)) a -= (BASE << 9); \
  73026. if (a >= (BASE << 8)) a -= (BASE << 8); \
  73027. if (a >= (BASE << 7)) a -= (BASE << 7); \
  73028. if (a >= (BASE << 6)) a -= (BASE << 6); \
  73029. if (a >= (BASE << 5)) a -= (BASE << 5); \
  73030. if (a >= (BASE << 4)) a -= (BASE << 4); \
  73031. if (a >= (BASE << 3)) a -= (BASE << 3); \
  73032. if (a >= (BASE << 2)) a -= (BASE << 2); \
  73033. if (a >= (BASE << 1)) a -= (BASE << 1); \
  73034. if (a >= BASE) a -= BASE; \
  73035. } while (0)
  73036. # define MOD4(a) \
  73037. do { \
  73038. if (a >= (BASE << 4)) a -= (BASE << 4); \
  73039. if (a >= (BASE << 3)) a -= (BASE << 3); \
  73040. if (a >= (BASE << 2)) a -= (BASE << 2); \
  73041. if (a >= (BASE << 1)) a -= (BASE << 1); \
  73042. if (a >= BASE) a -= BASE; \
  73043. } while (0)
  73044. #else
  73045. # define MOD(a) a %= BASE
  73046. # define MOD4(a) a %= BASE
  73047. #endif
  73048. /* ========================================================================= */
  73049. uLong ZEXPORT adler32(uLong adler, const Bytef *buf, uInt len)
  73050. {
  73051. unsigned long sum2;
  73052. unsigned n;
  73053. /* split Adler-32 into component sums */
  73054. sum2 = (adler >> 16) & 0xffff;
  73055. adler &= 0xffff;
  73056. /* in case user likes doing a byte at a time, keep it fast */
  73057. if (len == 1) {
  73058. adler += buf[0];
  73059. if (adler >= BASE)
  73060. adler -= BASE;
  73061. sum2 += adler;
  73062. if (sum2 >= BASE)
  73063. sum2 -= BASE;
  73064. return adler | (sum2 << 16);
  73065. }
  73066. /* initial Adler-32 value (deferred check for len == 1 speed) */
  73067. if (buf == Z_NULL)
  73068. return 1L;
  73069. /* in case short lengths are provided, keep it somewhat fast */
  73070. if (len < 16) {
  73071. while (len--) {
  73072. adler += *buf++;
  73073. sum2 += adler;
  73074. }
  73075. if (adler >= BASE)
  73076. adler -= BASE;
  73077. MOD4(sum2); /* only added so many BASE's */
  73078. return adler | (sum2 << 16);
  73079. }
  73080. /* do length NMAX blocks -- requires just one modulo operation */
  73081. while (len >= NMAX) {
  73082. len -= NMAX;
  73083. n = NMAX / 16; /* NMAX is divisible by 16 */
  73084. do {
  73085. DO16(buf); /* 16 sums unrolled */
  73086. buf += 16;
  73087. } while (--n);
  73088. MOD(adler);
  73089. MOD(sum2);
  73090. }
  73091. /* do remaining bytes (less than NMAX, still just one modulo) */
  73092. if (len) { /* avoid modulos if none remaining */
  73093. while (len >= 16) {
  73094. len -= 16;
  73095. DO16(buf);
  73096. buf += 16;
  73097. }
  73098. while (len--) {
  73099. adler += *buf++;
  73100. sum2 += adler;
  73101. }
  73102. MOD(adler);
  73103. MOD(sum2);
  73104. }
  73105. /* return recombined sums */
  73106. return adler | (sum2 << 16);
  73107. }
  73108. /* ========================================================================= */
  73109. uLong ZEXPORT adler32_combine(uLong adler1, uLong adler2, z_off_t len2)
  73110. {
  73111. unsigned long sum1;
  73112. unsigned long sum2;
  73113. unsigned rem;
  73114. /* the derivation of this formula is left as an exercise for the reader */
  73115. rem = (unsigned)(len2 % BASE);
  73116. sum1 = adler1 & 0xffff;
  73117. sum2 = rem * sum1;
  73118. MOD(sum2);
  73119. sum1 += (adler2 & 0xffff) + BASE - 1;
  73120. sum2 += ((adler1 >> 16) & 0xffff) + ((adler2 >> 16) & 0xffff) + BASE - rem;
  73121. if (sum1 > BASE) sum1 -= BASE;
  73122. if (sum1 > BASE) sum1 -= BASE;
  73123. if (sum2 > (BASE << 1)) sum2 -= (BASE << 1);
  73124. if (sum2 > BASE) sum2 -= BASE;
  73125. return sum1 | (sum2 << 16);
  73126. }
  73127. /********* End of inlined file: adler32.c *********/
  73128. /********* Start of inlined file: compress.c *********/
  73129. /* @(#) $Id: compress.c,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  73130. #define ZLIB_INTERNAL
  73131. /* ===========================================================================
  73132. Compresses the source buffer into the destination buffer. The level
  73133. parameter has the same meaning as in deflateInit. sourceLen is the byte
  73134. length of the source buffer. Upon entry, destLen is the total size of the
  73135. destination buffer, which must be at least 0.1% larger than sourceLen plus
  73136. 12 bytes. Upon exit, destLen is the actual size of the compressed buffer.
  73137. compress2 returns Z_OK if success, Z_MEM_ERROR if there was not enough
  73138. memory, Z_BUF_ERROR if there was not enough room in the output buffer,
  73139. Z_STREAM_ERROR if the level parameter is invalid.
  73140. */
  73141. int ZEXPORT compress2 (Bytef *dest, uLongf *destLen, const Bytef *source,
  73142. uLong sourceLen, int level)
  73143. {
  73144. z_stream stream;
  73145. int err;
  73146. stream.next_in = (Bytef*)source;
  73147. stream.avail_in = (uInt)sourceLen;
  73148. #ifdef MAXSEG_64K
  73149. /* Check for source > 64K on 16-bit machine: */
  73150. if ((uLong)stream.avail_in != sourceLen) return Z_BUF_ERROR;
  73151. #endif
  73152. stream.next_out = dest;
  73153. stream.avail_out = (uInt)*destLen;
  73154. if ((uLong)stream.avail_out != *destLen) return Z_BUF_ERROR;
  73155. stream.zalloc = (alloc_func)0;
  73156. stream.zfree = (free_func)0;
  73157. stream.opaque = (voidpf)0;
  73158. err = deflateInit(&stream, level);
  73159. if (err != Z_OK) return err;
  73160. err = deflate(&stream, Z_FINISH);
  73161. if (err != Z_STREAM_END) {
  73162. deflateEnd(&stream);
  73163. return err == Z_OK ? Z_BUF_ERROR : err;
  73164. }
  73165. *destLen = stream.total_out;
  73166. err = deflateEnd(&stream);
  73167. return err;
  73168. }
  73169. /* ===========================================================================
  73170. */
  73171. int ZEXPORT compress (Bytef *dest, uLongf *destLen, const Bytef *source, uLong sourceLen)
  73172. {
  73173. return compress2(dest, destLen, source, sourceLen, Z_DEFAULT_COMPRESSION);
  73174. }
  73175. /* ===========================================================================
  73176. If the default memLevel or windowBits for deflateInit() is changed, then
  73177. this function needs to be updated.
  73178. */
  73179. uLong ZEXPORT compressBound (uLong sourceLen)
  73180. {
  73181. return sourceLen + (sourceLen >> 12) + (sourceLen >> 14) + 11;
  73182. }
  73183. /********* End of inlined file: compress.c *********/
  73184. #undef DO1
  73185. #undef DO8
  73186. /********* Start of inlined file: crc32.c *********/
  73187. /* @(#) $Id: crc32.c,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  73188. /*
  73189. Note on the use of DYNAMIC_CRC_TABLE: there is no mutex or semaphore
  73190. protection on the static variables used to control the first-use generation
  73191. of the crc tables. Therefore, if you #define DYNAMIC_CRC_TABLE, you should
  73192. first call get_crc_table() to initialize the tables before allowing more than
  73193. one thread to use crc32().
  73194. */
  73195. #ifdef MAKECRCH
  73196. # include <stdio.h>
  73197. # ifndef DYNAMIC_CRC_TABLE
  73198. # define DYNAMIC_CRC_TABLE
  73199. # endif /* !DYNAMIC_CRC_TABLE */
  73200. #endif /* MAKECRCH */
  73201. /********* Start of inlined file: zutil.h *********/
  73202. /* WARNING: this file should *not* be used by applications. It is
  73203. part of the implementation of the compression library and is
  73204. subject to change. Applications should only use zlib.h.
  73205. */
  73206. /* @(#) $Id: zutil.h,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  73207. #ifndef ZUTIL_H
  73208. #define ZUTIL_H
  73209. #define ZLIB_INTERNAL
  73210. #ifdef STDC
  73211. # ifndef _WIN32_WCE
  73212. # include <stddef.h>
  73213. # endif
  73214. # include <string.h>
  73215. # include <stdlib.h>
  73216. #endif
  73217. #ifdef NO_ERRNO_H
  73218. # ifdef _WIN32_WCE
  73219. /* The Microsoft C Run-Time Library for Windows CE doesn't have
  73220. * errno. We define it as a global variable to simplify porting.
  73221. * Its value is always 0 and should not be used. We rename it to
  73222. * avoid conflict with other libraries that use the same workaround.
  73223. */
  73224. # define errno z_errno
  73225. # endif
  73226. extern int errno;
  73227. #else
  73228. # ifndef _WIN32_WCE
  73229. # include <errno.h>
  73230. # endif
  73231. #endif
  73232. #ifndef local
  73233. # define local static
  73234. #endif
  73235. /* compile with -Dlocal if your debugger can't find static symbols */
  73236. typedef unsigned char uch;
  73237. typedef uch FAR uchf;
  73238. typedef unsigned short ush;
  73239. typedef ush FAR ushf;
  73240. typedef unsigned long ulg;
  73241. extern const char * const z_errmsg[10]; /* indexed by 2-zlib_error */
  73242. /* (size given to avoid silly warnings with Visual C++) */
  73243. #define ERR_MSG(err) z_errmsg[Z_NEED_DICT-(err)]
  73244. #define ERR_RETURN(strm,err) \
  73245. return (strm->msg = (char*)ERR_MSG(err), (err))
  73246. /* To be used only when the state is known to be valid */
  73247. /* common constants */
  73248. #ifndef DEF_WBITS
  73249. # define DEF_WBITS MAX_WBITS
  73250. #endif
  73251. /* default windowBits for decompression. MAX_WBITS is for compression only */
  73252. #if MAX_MEM_LEVEL >= 8
  73253. # define DEF_MEM_LEVEL 8
  73254. #else
  73255. # define DEF_MEM_LEVEL MAX_MEM_LEVEL
  73256. #endif
  73257. /* default memLevel */
  73258. #define STORED_BLOCK 0
  73259. #define STATIC_TREES 1
  73260. #define DYN_TREES 2
  73261. /* The three kinds of block type */
  73262. #define MIN_MATCH 3
  73263. #define MAX_MATCH 258
  73264. /* The minimum and maximum match lengths */
  73265. #define PRESET_DICT 0x20 /* preset dictionary flag in zlib header */
  73266. /* target dependencies */
  73267. #if defined(MSDOS) || (defined(WINDOWS) && !defined(WIN32))
  73268. # define OS_CODE 0x00
  73269. # if defined(__TURBOC__) || defined(__BORLANDC__)
  73270. # if(__STDC__ == 1) && (defined(__LARGE__) || defined(__COMPACT__))
  73271. /* Allow compilation with ANSI keywords only enabled */
  73272. void _Cdecl farfree( void *block );
  73273. void *_Cdecl farmalloc( unsigned long nbytes );
  73274. # else
  73275. # include <alloc.h>
  73276. # endif
  73277. # else /* MSC or DJGPP */
  73278. # include <malloc.h>
  73279. # endif
  73280. #endif
  73281. #ifdef AMIGA
  73282. # define OS_CODE 0x01
  73283. #endif
  73284. #if defined(VAXC) || defined(VMS)
  73285. # define OS_CODE 0x02
  73286. # define F_OPEN(name, mode) \
  73287. fopen((name), (mode), "mbc=60", "ctx=stm", "rfm=fix", "mrs=512")
  73288. #endif
  73289. #if defined(ATARI) || defined(atarist)
  73290. # define OS_CODE 0x05
  73291. #endif
  73292. #ifdef OS2
  73293. # define OS_CODE 0x06
  73294. # ifdef M_I86
  73295. #include <malloc.h>
  73296. # endif
  73297. #endif
  73298. #if defined(MACOS) || TARGET_OS_MAC
  73299. # define OS_CODE 0x07
  73300. # if defined(__MWERKS__) && __dest_os != __be_os && __dest_os != __win32_os
  73301. # include <unix.h> /* for fdopen */
  73302. # else
  73303. # ifndef fdopen
  73304. # define fdopen(fd,mode) NULL /* No fdopen() */
  73305. # endif
  73306. # endif
  73307. #endif
  73308. #ifdef TOPS20
  73309. # define OS_CODE 0x0a
  73310. #endif
  73311. #ifdef WIN32
  73312. # ifndef __CYGWIN__ /* Cygwin is Unix, not Win32 */
  73313. # define OS_CODE 0x0b
  73314. # endif
  73315. #endif
  73316. #ifdef __50SERIES /* Prime/PRIMOS */
  73317. # define OS_CODE 0x0f
  73318. #endif
  73319. #if defined(_BEOS_) || defined(RISCOS)
  73320. # define fdopen(fd,mode) NULL /* No fdopen() */
  73321. #endif
  73322. #if (defined(_MSC_VER) && (_MSC_VER > 600))
  73323. # if defined(_WIN32_WCE)
  73324. # define fdopen(fd,mode) NULL /* No fdopen() */
  73325. # ifndef _PTRDIFF_T_DEFINED
  73326. typedef int ptrdiff_t;
  73327. # define _PTRDIFF_T_DEFINED
  73328. # endif
  73329. # else
  73330. # define fdopen(fd,type) _fdopen(fd,type)
  73331. # endif
  73332. #endif
  73333. /* common defaults */
  73334. #ifndef OS_CODE
  73335. # define OS_CODE 0x03 /* assume Unix */
  73336. #endif
  73337. #ifndef F_OPEN
  73338. # define F_OPEN(name, mode) fopen((name), (mode))
  73339. #endif
  73340. /* functions */
  73341. #if defined(STDC99) || (defined(__TURBOC__) && __TURBOC__ >= 0x550)
  73342. # ifndef HAVE_VSNPRINTF
  73343. # define HAVE_VSNPRINTF
  73344. # endif
  73345. #endif
  73346. #if defined(__CYGWIN__)
  73347. # ifndef HAVE_VSNPRINTF
  73348. # define HAVE_VSNPRINTF
  73349. # endif
  73350. #endif
  73351. #ifndef HAVE_VSNPRINTF
  73352. # ifdef MSDOS
  73353. /* vsnprintf may exist on some MS-DOS compilers (DJGPP?),
  73354. but for now we just assume it doesn't. */
  73355. # define NO_vsnprintf
  73356. # endif
  73357. # ifdef __TURBOC__
  73358. # define NO_vsnprintf
  73359. # endif
  73360. # ifdef WIN32
  73361. /* In Win32, vsnprintf is available as the "non-ANSI" _vsnprintf. */
  73362. # if !defined(vsnprintf) && !defined(NO_vsnprintf)
  73363. # define vsnprintf _vsnprintf
  73364. # endif
  73365. # endif
  73366. # ifdef __SASC
  73367. # define NO_vsnprintf
  73368. # endif
  73369. #endif
  73370. #ifdef VMS
  73371. # define NO_vsnprintf
  73372. #endif
  73373. #if defined(pyr)
  73374. # define NO_MEMCPY
  73375. #endif
  73376. #if defined(SMALL_MEDIUM) && !defined(_MSC_VER) && !defined(__SC__)
  73377. /* Use our own functions for small and medium model with MSC <= 5.0.
  73378. * You may have to use the same strategy for Borland C (untested).
  73379. * The __SC__ check is for Symantec.
  73380. */
  73381. # define NO_MEMCPY
  73382. #endif
  73383. #if defined(STDC) && !defined(HAVE_MEMCPY) && !defined(NO_MEMCPY)
  73384. # define HAVE_MEMCPY
  73385. #endif
  73386. #ifdef HAVE_MEMCPY
  73387. # ifdef SMALL_MEDIUM /* MSDOS small or medium model */
  73388. # define zmemcpy _fmemcpy
  73389. # define zmemcmp _fmemcmp
  73390. # define zmemzero(dest, len) _fmemset(dest, 0, len)
  73391. # else
  73392. # define zmemcpy memcpy
  73393. # define zmemcmp memcmp
  73394. # define zmemzero(dest, len) memset(dest, 0, len)
  73395. # endif
  73396. #else
  73397. extern void zmemcpy OF((Bytef* dest, const Bytef* source, uInt len));
  73398. extern int zmemcmp OF((const Bytef* s1, const Bytef* s2, uInt len));
  73399. extern void zmemzero OF((Bytef* dest, uInt len));
  73400. #endif
  73401. /* Diagnostic functions */
  73402. #ifdef DEBUG
  73403. # include <stdio.h>
  73404. extern int z_verbose;
  73405. extern void z_error OF((char *m));
  73406. # define Assert(cond,msg) {if(!(cond)) z_error(msg);}
  73407. # define Trace(x) {if (z_verbose>=0) fprintf x ;}
  73408. # define Tracev(x) {if (z_verbose>0) fprintf x ;}
  73409. # define Tracevv(x) {if (z_verbose>1) fprintf x ;}
  73410. # define Tracec(c,x) {if (z_verbose>0 && (c)) fprintf x ;}
  73411. # define Tracecv(c,x) {if (z_verbose>1 && (c)) fprintf x ;}
  73412. #else
  73413. # define Assert(cond,msg)
  73414. # define Trace(x)
  73415. # define Tracev(x)
  73416. # define Tracevv(x)
  73417. # define Tracec(c,x)
  73418. # define Tracecv(c,x)
  73419. #endif
  73420. voidpf zcalloc OF((voidpf opaque, unsigned items, unsigned size));
  73421. void zcfree OF((voidpf opaque, voidpf ptr));
  73422. #define ZALLOC(strm, items, size) \
  73423. (*((strm)->zalloc))((strm)->opaque, (items), (size))
  73424. #define ZFREE(strm, addr) (*((strm)->zfree))((strm)->opaque, (voidpf)(addr))
  73425. #define TRY_FREE(s, p) {if (p) ZFREE(s, p);}
  73426. #endif /* ZUTIL_H */
  73427. /********* End of inlined file: zutil.h *********/
  73428. /* for STDC and FAR definitions */
  73429. #define local static
  73430. /* Find a four-byte integer type for crc32_little() and crc32_big(). */
  73431. #ifndef NOBYFOUR
  73432. # ifdef STDC /* need ANSI C limits.h to determine sizes */
  73433. # include <limits.h>
  73434. # define BYFOUR
  73435. # if (UINT_MAX == 0xffffffffUL)
  73436. typedef unsigned int u4;
  73437. # else
  73438. # if (ULONG_MAX == 0xffffffffUL)
  73439. typedef unsigned long u4;
  73440. # else
  73441. # if (USHRT_MAX == 0xffffffffUL)
  73442. typedef unsigned short u4;
  73443. # else
  73444. # undef BYFOUR /* can't find a four-byte integer type! */
  73445. # endif
  73446. # endif
  73447. # endif
  73448. # endif /* STDC */
  73449. #endif /* !NOBYFOUR */
  73450. /* Definitions for doing the crc four data bytes at a time. */
  73451. #ifdef BYFOUR
  73452. # define REV(w) (((w)>>24)+(((w)>>8)&0xff00)+ \
  73453. (((w)&0xff00)<<8)+(((w)&0xff)<<24))
  73454. local unsigned long crc32_little OF((unsigned long,
  73455. const unsigned char FAR *, unsigned));
  73456. local unsigned long crc32_big OF((unsigned long,
  73457. const unsigned char FAR *, unsigned));
  73458. # define TBLS 8
  73459. #else
  73460. # define TBLS 1
  73461. #endif /* BYFOUR */
  73462. /* Local functions for crc concatenation */
  73463. local unsigned long gf2_matrix_times OF((unsigned long *mat,
  73464. unsigned long vec));
  73465. local void gf2_matrix_square OF((unsigned long *square, unsigned long *mat));
  73466. #ifdef DYNAMIC_CRC_TABLE
  73467. local volatile int crc_table_empty = 1;
  73468. local unsigned long FAR crc_table[TBLS][256];
  73469. local void make_crc_table OF((void));
  73470. #ifdef MAKECRCH
  73471. local void write_table OF((FILE *, const unsigned long FAR *));
  73472. #endif /* MAKECRCH */
  73473. /*
  73474. Generate tables for a byte-wise 32-bit CRC calculation on the polynomial:
  73475. x^32+x^26+x^23+x^22+x^16+x^12+x^11+x^10+x^8+x^7+x^5+x^4+x^2+x+1.
  73476. Polynomials over GF(2) are represented in binary, one bit per coefficient,
  73477. with the lowest powers in the most significant bit. Then adding polynomials
  73478. is just exclusive-or, and multiplying a polynomial by x is a right shift by
  73479. one. If we call the above polynomial p, and represent a byte as the
  73480. polynomial q, also with the lowest power in the most significant bit (so the
  73481. byte 0xb1 is the polynomial x^7+x^3+x+1), then the CRC is (q*x^32) mod p,
  73482. where a mod b means the remainder after dividing a by b.
  73483. This calculation is done using the shift-register method of multiplying and
  73484. taking the remainder. The register is initialized to zero, and for each
  73485. incoming bit, x^32 is added mod p to the register if the bit is a one (where
  73486. x^32 mod p is p+x^32 = x^26+...+1), and the register is multiplied mod p by
  73487. x (which is shifting right by one and adding x^32 mod p if the bit shifted
  73488. out is a one). We start with the highest power (least significant bit) of
  73489. q and repeat for all eight bits of q.
  73490. The first table is simply the CRC of all possible eight bit values. This is
  73491. all the information needed to generate CRCs on data a byte at a time for all
  73492. combinations of CRC register values and incoming bytes. The remaining tables
  73493. allow for word-at-a-time CRC calculation for both big-endian and little-
  73494. endian machines, where a word is four bytes.
  73495. */
  73496. local void make_crc_table()
  73497. {
  73498. unsigned long c;
  73499. int n, k;
  73500. unsigned long poly; /* polynomial exclusive-or pattern */
  73501. /* terms of polynomial defining this crc (except x^32): */
  73502. static volatile int first = 1; /* flag to limit concurrent making */
  73503. static const unsigned char p[] = {0,1,2,4,5,7,8,10,11,12,16,22,23,26};
  73504. /* See if another task is already doing this (not thread-safe, but better
  73505. than nothing -- significantly reduces duration of vulnerability in
  73506. case the advice about DYNAMIC_CRC_TABLE is ignored) */
  73507. if (first) {
  73508. first = 0;
  73509. /* make exclusive-or pattern from polynomial (0xedb88320UL) */
  73510. poly = 0UL;
  73511. for (n = 0; n < sizeof(p)/sizeof(unsigned char); n++)
  73512. poly |= 1UL << (31 - p[n]);
  73513. /* generate a crc for every 8-bit value */
  73514. for (n = 0; n < 256; n++) {
  73515. c = (unsigned long)n;
  73516. for (k = 0; k < 8; k++)
  73517. c = c & 1 ? poly ^ (c >> 1) : c >> 1;
  73518. crc_table[0][n] = c;
  73519. }
  73520. #ifdef BYFOUR
  73521. /* generate crc for each value followed by one, two, and three zeros,
  73522. and then the byte reversal of those as well as the first table */
  73523. for (n = 0; n < 256; n++) {
  73524. c = crc_table[0][n];
  73525. crc_table[4][n] = REV(c);
  73526. for (k = 1; k < 4; k++) {
  73527. c = crc_table[0][c & 0xff] ^ (c >> 8);
  73528. crc_table[k][n] = c;
  73529. crc_table[k + 4][n] = REV(c);
  73530. }
  73531. }
  73532. #endif /* BYFOUR */
  73533. crc_table_empty = 0;
  73534. }
  73535. else { /* not first */
  73536. /* wait for the other guy to finish (not efficient, but rare) */
  73537. while (crc_table_empty)
  73538. ;
  73539. }
  73540. #ifdef MAKECRCH
  73541. /* write out CRC tables to crc32.h */
  73542. {
  73543. FILE *out;
  73544. out = fopen("crc32.h", "w");
  73545. if (out == NULL) return;
  73546. fprintf(out, "/* crc32.h -- tables for rapid CRC calculation\n");
  73547. fprintf(out, " * Generated automatically by crc32.c\n */\n\n");
  73548. fprintf(out, "local const unsigned long FAR ");
  73549. fprintf(out, "crc_table[TBLS][256] =\n{\n {\n");
  73550. write_table(out, crc_table[0]);
  73551. # ifdef BYFOUR
  73552. fprintf(out, "#ifdef BYFOUR\n");
  73553. for (k = 1; k < 8; k++) {
  73554. fprintf(out, " },\n {\n");
  73555. write_table(out, crc_table[k]);
  73556. }
  73557. fprintf(out, "#endif\n");
  73558. # endif /* BYFOUR */
  73559. fprintf(out, " }\n};\n");
  73560. fclose(out);
  73561. }
  73562. #endif /* MAKECRCH */
  73563. }
  73564. #ifdef MAKECRCH
  73565. local void write_table(out, table)
  73566. FILE *out;
  73567. const unsigned long FAR *table;
  73568. {
  73569. int n;
  73570. for (n = 0; n < 256; n++)
  73571. fprintf(out, "%s0x%08lxUL%s", n % 5 ? "" : " ", table[n],
  73572. n == 255 ? "\n" : (n % 5 == 4 ? ",\n" : ", "));
  73573. }
  73574. #endif /* MAKECRCH */
  73575. #else /* !DYNAMIC_CRC_TABLE */
  73576. /* ========================================================================
  73577. * Tables of CRC-32s of all single-byte values, made by make_crc_table().
  73578. */
  73579. /********* Start of inlined file: crc32.h *********/
  73580. local const unsigned long FAR crc_table[TBLS][256] =
  73581. {
  73582. {
  73583. 0x00000000UL, 0x77073096UL, 0xee0e612cUL, 0x990951baUL, 0x076dc419UL,
  73584. 0x706af48fUL, 0xe963a535UL, 0x9e6495a3UL, 0x0edb8832UL, 0x79dcb8a4UL,
  73585. 0xe0d5e91eUL, 0x97d2d988UL, 0x09b64c2bUL, 0x7eb17cbdUL, 0xe7b82d07UL,
  73586. 0x90bf1d91UL, 0x1db71064UL, 0x6ab020f2UL, 0xf3b97148UL, 0x84be41deUL,
  73587. 0x1adad47dUL, 0x6ddde4ebUL, 0xf4d4b551UL, 0x83d385c7UL, 0x136c9856UL,
  73588. 0x646ba8c0UL, 0xfd62f97aUL, 0x8a65c9ecUL, 0x14015c4fUL, 0x63066cd9UL,
  73589. 0xfa0f3d63UL, 0x8d080df5UL, 0x3b6e20c8UL, 0x4c69105eUL, 0xd56041e4UL,
  73590. 0xa2677172UL, 0x3c03e4d1UL, 0x4b04d447UL, 0xd20d85fdUL, 0xa50ab56bUL,
  73591. 0x35b5a8faUL, 0x42b2986cUL, 0xdbbbc9d6UL, 0xacbcf940UL, 0x32d86ce3UL,
  73592. 0x45df5c75UL, 0xdcd60dcfUL, 0xabd13d59UL, 0x26d930acUL, 0x51de003aUL,
  73593. 0xc8d75180UL, 0xbfd06116UL, 0x21b4f4b5UL, 0x56b3c423UL, 0xcfba9599UL,
  73594. 0xb8bda50fUL, 0x2802b89eUL, 0x5f058808UL, 0xc60cd9b2UL, 0xb10be924UL,
  73595. 0x2f6f7c87UL, 0x58684c11UL, 0xc1611dabUL, 0xb6662d3dUL, 0x76dc4190UL,
  73596. 0x01db7106UL, 0x98d220bcUL, 0xefd5102aUL, 0x71b18589UL, 0x06b6b51fUL,
  73597. 0x9fbfe4a5UL, 0xe8b8d433UL, 0x7807c9a2UL, 0x0f00f934UL, 0x9609a88eUL,
  73598. 0xe10e9818UL, 0x7f6a0dbbUL, 0x086d3d2dUL, 0x91646c97UL, 0xe6635c01UL,
  73599. 0x6b6b51f4UL, 0x1c6c6162UL, 0x856530d8UL, 0xf262004eUL, 0x6c0695edUL,
  73600. 0x1b01a57bUL, 0x8208f4c1UL, 0xf50fc457UL, 0x65b0d9c6UL, 0x12b7e950UL,
  73601. 0x8bbeb8eaUL, 0xfcb9887cUL, 0x62dd1ddfUL, 0x15da2d49UL, 0x8cd37cf3UL,
  73602. 0xfbd44c65UL, 0x4db26158UL, 0x3ab551ceUL, 0xa3bc0074UL, 0xd4bb30e2UL,
  73603. 0x4adfa541UL, 0x3dd895d7UL, 0xa4d1c46dUL, 0xd3d6f4fbUL, 0x4369e96aUL,
  73604. 0x346ed9fcUL, 0xad678846UL, 0xda60b8d0UL, 0x44042d73UL, 0x33031de5UL,
  73605. 0xaa0a4c5fUL, 0xdd0d7cc9UL, 0x5005713cUL, 0x270241aaUL, 0xbe0b1010UL,
  73606. 0xc90c2086UL, 0x5768b525UL, 0x206f85b3UL, 0xb966d409UL, 0xce61e49fUL,
  73607. 0x5edef90eUL, 0x29d9c998UL, 0xb0d09822UL, 0xc7d7a8b4UL, 0x59b33d17UL,
  73608. 0x2eb40d81UL, 0xb7bd5c3bUL, 0xc0ba6cadUL, 0xedb88320UL, 0x9abfb3b6UL,
  73609. 0x03b6e20cUL, 0x74b1d29aUL, 0xead54739UL, 0x9dd277afUL, 0x04db2615UL,
  73610. 0x73dc1683UL, 0xe3630b12UL, 0x94643b84UL, 0x0d6d6a3eUL, 0x7a6a5aa8UL,
  73611. 0xe40ecf0bUL, 0x9309ff9dUL, 0x0a00ae27UL, 0x7d079eb1UL, 0xf00f9344UL,
  73612. 0x8708a3d2UL, 0x1e01f268UL, 0x6906c2feUL, 0xf762575dUL, 0x806567cbUL,
  73613. 0x196c3671UL, 0x6e6b06e7UL, 0xfed41b76UL, 0x89d32be0UL, 0x10da7a5aUL,
  73614. 0x67dd4accUL, 0xf9b9df6fUL, 0x8ebeeff9UL, 0x17b7be43UL, 0x60b08ed5UL,
  73615. 0xd6d6a3e8UL, 0xa1d1937eUL, 0x38d8c2c4UL, 0x4fdff252UL, 0xd1bb67f1UL,
  73616. 0xa6bc5767UL, 0x3fb506ddUL, 0x48b2364bUL, 0xd80d2bdaUL, 0xaf0a1b4cUL,
  73617. 0x36034af6UL, 0x41047a60UL, 0xdf60efc3UL, 0xa867df55UL, 0x316e8eefUL,
  73618. 0x4669be79UL, 0xcb61b38cUL, 0xbc66831aUL, 0x256fd2a0UL, 0x5268e236UL,
  73619. 0xcc0c7795UL, 0xbb0b4703UL, 0x220216b9UL, 0x5505262fUL, 0xc5ba3bbeUL,
  73620. 0xb2bd0b28UL, 0x2bb45a92UL, 0x5cb36a04UL, 0xc2d7ffa7UL, 0xb5d0cf31UL,
  73621. 0x2cd99e8bUL, 0x5bdeae1dUL, 0x9b64c2b0UL, 0xec63f226UL, 0x756aa39cUL,
  73622. 0x026d930aUL, 0x9c0906a9UL, 0xeb0e363fUL, 0x72076785UL, 0x05005713UL,
  73623. 0x95bf4a82UL, 0xe2b87a14UL, 0x7bb12baeUL, 0x0cb61b38UL, 0x92d28e9bUL,
  73624. 0xe5d5be0dUL, 0x7cdcefb7UL, 0x0bdbdf21UL, 0x86d3d2d4UL, 0xf1d4e242UL,
  73625. 0x68ddb3f8UL, 0x1fda836eUL, 0x81be16cdUL, 0xf6b9265bUL, 0x6fb077e1UL,
  73626. 0x18b74777UL, 0x88085ae6UL, 0xff0f6a70UL, 0x66063bcaUL, 0x11010b5cUL,
  73627. 0x8f659effUL, 0xf862ae69UL, 0x616bffd3UL, 0x166ccf45UL, 0xa00ae278UL,
  73628. 0xd70dd2eeUL, 0x4e048354UL, 0x3903b3c2UL, 0xa7672661UL, 0xd06016f7UL,
  73629. 0x4969474dUL, 0x3e6e77dbUL, 0xaed16a4aUL, 0xd9d65adcUL, 0x40df0b66UL,
  73630. 0x37d83bf0UL, 0xa9bcae53UL, 0xdebb9ec5UL, 0x47b2cf7fUL, 0x30b5ffe9UL,
  73631. 0xbdbdf21cUL, 0xcabac28aUL, 0x53b39330UL, 0x24b4a3a6UL, 0xbad03605UL,
  73632. 0xcdd70693UL, 0x54de5729UL, 0x23d967bfUL, 0xb3667a2eUL, 0xc4614ab8UL,
  73633. 0x5d681b02UL, 0x2a6f2b94UL, 0xb40bbe37UL, 0xc30c8ea1UL, 0x5a05df1bUL,
  73634. 0x2d02ef8dUL
  73635. #ifdef BYFOUR
  73636. },
  73637. {
  73638. 0x00000000UL, 0x191b3141UL, 0x32366282UL, 0x2b2d53c3UL, 0x646cc504UL,
  73639. 0x7d77f445UL, 0x565aa786UL, 0x4f4196c7UL, 0xc8d98a08UL, 0xd1c2bb49UL,
  73640. 0xfaefe88aUL, 0xe3f4d9cbUL, 0xacb54f0cUL, 0xb5ae7e4dUL, 0x9e832d8eUL,
  73641. 0x87981ccfUL, 0x4ac21251UL, 0x53d92310UL, 0x78f470d3UL, 0x61ef4192UL,
  73642. 0x2eaed755UL, 0x37b5e614UL, 0x1c98b5d7UL, 0x05838496UL, 0x821b9859UL,
  73643. 0x9b00a918UL, 0xb02dfadbUL, 0xa936cb9aUL, 0xe6775d5dUL, 0xff6c6c1cUL,
  73644. 0xd4413fdfUL, 0xcd5a0e9eUL, 0x958424a2UL, 0x8c9f15e3UL, 0xa7b24620UL,
  73645. 0xbea97761UL, 0xf1e8e1a6UL, 0xe8f3d0e7UL, 0xc3de8324UL, 0xdac5b265UL,
  73646. 0x5d5daeaaUL, 0x44469febUL, 0x6f6bcc28UL, 0x7670fd69UL, 0x39316baeUL,
  73647. 0x202a5aefUL, 0x0b07092cUL, 0x121c386dUL, 0xdf4636f3UL, 0xc65d07b2UL,
  73648. 0xed705471UL, 0xf46b6530UL, 0xbb2af3f7UL, 0xa231c2b6UL, 0x891c9175UL,
  73649. 0x9007a034UL, 0x179fbcfbUL, 0x0e848dbaUL, 0x25a9de79UL, 0x3cb2ef38UL,
  73650. 0x73f379ffUL, 0x6ae848beUL, 0x41c51b7dUL, 0x58de2a3cUL, 0xf0794f05UL,
  73651. 0xe9627e44UL, 0xc24f2d87UL, 0xdb541cc6UL, 0x94158a01UL, 0x8d0ebb40UL,
  73652. 0xa623e883UL, 0xbf38d9c2UL, 0x38a0c50dUL, 0x21bbf44cUL, 0x0a96a78fUL,
  73653. 0x138d96ceUL, 0x5ccc0009UL, 0x45d73148UL, 0x6efa628bUL, 0x77e153caUL,
  73654. 0xbabb5d54UL, 0xa3a06c15UL, 0x888d3fd6UL, 0x91960e97UL, 0xded79850UL,
  73655. 0xc7cca911UL, 0xece1fad2UL, 0xf5facb93UL, 0x7262d75cUL, 0x6b79e61dUL,
  73656. 0x4054b5deUL, 0x594f849fUL, 0x160e1258UL, 0x0f152319UL, 0x243870daUL,
  73657. 0x3d23419bUL, 0x65fd6ba7UL, 0x7ce65ae6UL, 0x57cb0925UL, 0x4ed03864UL,
  73658. 0x0191aea3UL, 0x188a9fe2UL, 0x33a7cc21UL, 0x2abcfd60UL, 0xad24e1afUL,
  73659. 0xb43fd0eeUL, 0x9f12832dUL, 0x8609b26cUL, 0xc94824abUL, 0xd05315eaUL,
  73660. 0xfb7e4629UL, 0xe2657768UL, 0x2f3f79f6UL, 0x362448b7UL, 0x1d091b74UL,
  73661. 0x04122a35UL, 0x4b53bcf2UL, 0x52488db3UL, 0x7965de70UL, 0x607eef31UL,
  73662. 0xe7e6f3feUL, 0xfefdc2bfUL, 0xd5d0917cUL, 0xcccba03dUL, 0x838a36faUL,
  73663. 0x9a9107bbUL, 0xb1bc5478UL, 0xa8a76539UL, 0x3b83984bUL, 0x2298a90aUL,
  73664. 0x09b5fac9UL, 0x10aecb88UL, 0x5fef5d4fUL, 0x46f46c0eUL, 0x6dd93fcdUL,
  73665. 0x74c20e8cUL, 0xf35a1243UL, 0xea412302UL, 0xc16c70c1UL, 0xd8774180UL,
  73666. 0x9736d747UL, 0x8e2de606UL, 0xa500b5c5UL, 0xbc1b8484UL, 0x71418a1aUL,
  73667. 0x685abb5bUL, 0x4377e898UL, 0x5a6cd9d9UL, 0x152d4f1eUL, 0x0c367e5fUL,
  73668. 0x271b2d9cUL, 0x3e001cddUL, 0xb9980012UL, 0xa0833153UL, 0x8bae6290UL,
  73669. 0x92b553d1UL, 0xddf4c516UL, 0xc4eff457UL, 0xefc2a794UL, 0xf6d996d5UL,
  73670. 0xae07bce9UL, 0xb71c8da8UL, 0x9c31de6bUL, 0x852aef2aUL, 0xca6b79edUL,
  73671. 0xd37048acUL, 0xf85d1b6fUL, 0xe1462a2eUL, 0x66de36e1UL, 0x7fc507a0UL,
  73672. 0x54e85463UL, 0x4df36522UL, 0x02b2f3e5UL, 0x1ba9c2a4UL, 0x30849167UL,
  73673. 0x299fa026UL, 0xe4c5aeb8UL, 0xfdde9ff9UL, 0xd6f3cc3aUL, 0xcfe8fd7bUL,
  73674. 0x80a96bbcUL, 0x99b25afdUL, 0xb29f093eUL, 0xab84387fUL, 0x2c1c24b0UL,
  73675. 0x350715f1UL, 0x1e2a4632UL, 0x07317773UL, 0x4870e1b4UL, 0x516bd0f5UL,
  73676. 0x7a468336UL, 0x635db277UL, 0xcbfad74eUL, 0xd2e1e60fUL, 0xf9ccb5ccUL,
  73677. 0xe0d7848dUL, 0xaf96124aUL, 0xb68d230bUL, 0x9da070c8UL, 0x84bb4189UL,
  73678. 0x03235d46UL, 0x1a386c07UL, 0x31153fc4UL, 0x280e0e85UL, 0x674f9842UL,
  73679. 0x7e54a903UL, 0x5579fac0UL, 0x4c62cb81UL, 0x8138c51fUL, 0x9823f45eUL,
  73680. 0xb30ea79dUL, 0xaa1596dcUL, 0xe554001bUL, 0xfc4f315aUL, 0xd7626299UL,
  73681. 0xce7953d8UL, 0x49e14f17UL, 0x50fa7e56UL, 0x7bd72d95UL, 0x62cc1cd4UL,
  73682. 0x2d8d8a13UL, 0x3496bb52UL, 0x1fbbe891UL, 0x06a0d9d0UL, 0x5e7ef3ecUL,
  73683. 0x4765c2adUL, 0x6c48916eUL, 0x7553a02fUL, 0x3a1236e8UL, 0x230907a9UL,
  73684. 0x0824546aUL, 0x113f652bUL, 0x96a779e4UL, 0x8fbc48a5UL, 0xa4911b66UL,
  73685. 0xbd8a2a27UL, 0xf2cbbce0UL, 0xebd08da1UL, 0xc0fdde62UL, 0xd9e6ef23UL,
  73686. 0x14bce1bdUL, 0x0da7d0fcUL, 0x268a833fUL, 0x3f91b27eUL, 0x70d024b9UL,
  73687. 0x69cb15f8UL, 0x42e6463bUL, 0x5bfd777aUL, 0xdc656bb5UL, 0xc57e5af4UL,
  73688. 0xee530937UL, 0xf7483876UL, 0xb809aeb1UL, 0xa1129ff0UL, 0x8a3fcc33UL,
  73689. 0x9324fd72UL
  73690. },
  73691. {
  73692. 0x00000000UL, 0x01c26a37UL, 0x0384d46eUL, 0x0246be59UL, 0x0709a8dcUL,
  73693. 0x06cbc2ebUL, 0x048d7cb2UL, 0x054f1685UL, 0x0e1351b8UL, 0x0fd13b8fUL,
  73694. 0x0d9785d6UL, 0x0c55efe1UL, 0x091af964UL, 0x08d89353UL, 0x0a9e2d0aUL,
  73695. 0x0b5c473dUL, 0x1c26a370UL, 0x1de4c947UL, 0x1fa2771eUL, 0x1e601d29UL,
  73696. 0x1b2f0bacUL, 0x1aed619bUL, 0x18abdfc2UL, 0x1969b5f5UL, 0x1235f2c8UL,
  73697. 0x13f798ffUL, 0x11b126a6UL, 0x10734c91UL, 0x153c5a14UL, 0x14fe3023UL,
  73698. 0x16b88e7aUL, 0x177ae44dUL, 0x384d46e0UL, 0x398f2cd7UL, 0x3bc9928eUL,
  73699. 0x3a0bf8b9UL, 0x3f44ee3cUL, 0x3e86840bUL, 0x3cc03a52UL, 0x3d025065UL,
  73700. 0x365e1758UL, 0x379c7d6fUL, 0x35dac336UL, 0x3418a901UL, 0x3157bf84UL,
  73701. 0x3095d5b3UL, 0x32d36beaUL, 0x331101ddUL, 0x246be590UL, 0x25a98fa7UL,
  73702. 0x27ef31feUL, 0x262d5bc9UL, 0x23624d4cUL, 0x22a0277bUL, 0x20e69922UL,
  73703. 0x2124f315UL, 0x2a78b428UL, 0x2bbade1fUL, 0x29fc6046UL, 0x283e0a71UL,
  73704. 0x2d711cf4UL, 0x2cb376c3UL, 0x2ef5c89aUL, 0x2f37a2adUL, 0x709a8dc0UL,
  73705. 0x7158e7f7UL, 0x731e59aeUL, 0x72dc3399UL, 0x7793251cUL, 0x76514f2bUL,
  73706. 0x7417f172UL, 0x75d59b45UL, 0x7e89dc78UL, 0x7f4bb64fUL, 0x7d0d0816UL,
  73707. 0x7ccf6221UL, 0x798074a4UL, 0x78421e93UL, 0x7a04a0caUL, 0x7bc6cafdUL,
  73708. 0x6cbc2eb0UL, 0x6d7e4487UL, 0x6f38fadeUL, 0x6efa90e9UL, 0x6bb5866cUL,
  73709. 0x6a77ec5bUL, 0x68315202UL, 0x69f33835UL, 0x62af7f08UL, 0x636d153fUL,
  73710. 0x612bab66UL, 0x60e9c151UL, 0x65a6d7d4UL, 0x6464bde3UL, 0x662203baUL,
  73711. 0x67e0698dUL, 0x48d7cb20UL, 0x4915a117UL, 0x4b531f4eUL, 0x4a917579UL,
  73712. 0x4fde63fcUL, 0x4e1c09cbUL, 0x4c5ab792UL, 0x4d98dda5UL, 0x46c49a98UL,
  73713. 0x4706f0afUL, 0x45404ef6UL, 0x448224c1UL, 0x41cd3244UL, 0x400f5873UL,
  73714. 0x4249e62aUL, 0x438b8c1dUL, 0x54f16850UL, 0x55330267UL, 0x5775bc3eUL,
  73715. 0x56b7d609UL, 0x53f8c08cUL, 0x523aaabbUL, 0x507c14e2UL, 0x51be7ed5UL,
  73716. 0x5ae239e8UL, 0x5b2053dfUL, 0x5966ed86UL, 0x58a487b1UL, 0x5deb9134UL,
  73717. 0x5c29fb03UL, 0x5e6f455aUL, 0x5fad2f6dUL, 0xe1351b80UL, 0xe0f771b7UL,
  73718. 0xe2b1cfeeUL, 0xe373a5d9UL, 0xe63cb35cUL, 0xe7fed96bUL, 0xe5b86732UL,
  73719. 0xe47a0d05UL, 0xef264a38UL, 0xeee4200fUL, 0xeca29e56UL, 0xed60f461UL,
  73720. 0xe82fe2e4UL, 0xe9ed88d3UL, 0xebab368aUL, 0xea695cbdUL, 0xfd13b8f0UL,
  73721. 0xfcd1d2c7UL, 0xfe976c9eUL, 0xff5506a9UL, 0xfa1a102cUL, 0xfbd87a1bUL,
  73722. 0xf99ec442UL, 0xf85cae75UL, 0xf300e948UL, 0xf2c2837fUL, 0xf0843d26UL,
  73723. 0xf1465711UL, 0xf4094194UL, 0xf5cb2ba3UL, 0xf78d95faUL, 0xf64fffcdUL,
  73724. 0xd9785d60UL, 0xd8ba3757UL, 0xdafc890eUL, 0xdb3ee339UL, 0xde71f5bcUL,
  73725. 0xdfb39f8bUL, 0xddf521d2UL, 0xdc374be5UL, 0xd76b0cd8UL, 0xd6a966efUL,
  73726. 0xd4efd8b6UL, 0xd52db281UL, 0xd062a404UL, 0xd1a0ce33UL, 0xd3e6706aUL,
  73727. 0xd2241a5dUL, 0xc55efe10UL, 0xc49c9427UL, 0xc6da2a7eUL, 0xc7184049UL,
  73728. 0xc25756ccUL, 0xc3953cfbUL, 0xc1d382a2UL, 0xc011e895UL, 0xcb4dafa8UL,
  73729. 0xca8fc59fUL, 0xc8c97bc6UL, 0xc90b11f1UL, 0xcc440774UL, 0xcd866d43UL,
  73730. 0xcfc0d31aUL, 0xce02b92dUL, 0x91af9640UL, 0x906dfc77UL, 0x922b422eUL,
  73731. 0x93e92819UL, 0x96a63e9cUL, 0x976454abUL, 0x9522eaf2UL, 0x94e080c5UL,
  73732. 0x9fbcc7f8UL, 0x9e7eadcfUL, 0x9c381396UL, 0x9dfa79a1UL, 0x98b56f24UL,
  73733. 0x99770513UL, 0x9b31bb4aUL, 0x9af3d17dUL, 0x8d893530UL, 0x8c4b5f07UL,
  73734. 0x8e0de15eUL, 0x8fcf8b69UL, 0x8a809decUL, 0x8b42f7dbUL, 0x89044982UL,
  73735. 0x88c623b5UL, 0x839a6488UL, 0x82580ebfUL, 0x801eb0e6UL, 0x81dcdad1UL,
  73736. 0x8493cc54UL, 0x8551a663UL, 0x8717183aUL, 0x86d5720dUL, 0xa9e2d0a0UL,
  73737. 0xa820ba97UL, 0xaa6604ceUL, 0xaba46ef9UL, 0xaeeb787cUL, 0xaf29124bUL,
  73738. 0xad6fac12UL, 0xacadc625UL, 0xa7f18118UL, 0xa633eb2fUL, 0xa4755576UL,
  73739. 0xa5b73f41UL, 0xa0f829c4UL, 0xa13a43f3UL, 0xa37cfdaaUL, 0xa2be979dUL,
  73740. 0xb5c473d0UL, 0xb40619e7UL, 0xb640a7beUL, 0xb782cd89UL, 0xb2cddb0cUL,
  73741. 0xb30fb13bUL, 0xb1490f62UL, 0xb08b6555UL, 0xbbd72268UL, 0xba15485fUL,
  73742. 0xb853f606UL, 0xb9919c31UL, 0xbcde8ab4UL, 0xbd1ce083UL, 0xbf5a5edaUL,
  73743. 0xbe9834edUL
  73744. },
  73745. {
  73746. 0x00000000UL, 0xb8bc6765UL, 0xaa09c88bUL, 0x12b5afeeUL, 0x8f629757UL,
  73747. 0x37def032UL, 0x256b5fdcUL, 0x9dd738b9UL, 0xc5b428efUL, 0x7d084f8aUL,
  73748. 0x6fbde064UL, 0xd7018701UL, 0x4ad6bfb8UL, 0xf26ad8ddUL, 0xe0df7733UL,
  73749. 0x58631056UL, 0x5019579fUL, 0xe8a530faUL, 0xfa109f14UL, 0x42acf871UL,
  73750. 0xdf7bc0c8UL, 0x67c7a7adUL, 0x75720843UL, 0xcdce6f26UL, 0x95ad7f70UL,
  73751. 0x2d111815UL, 0x3fa4b7fbUL, 0x8718d09eUL, 0x1acfe827UL, 0xa2738f42UL,
  73752. 0xb0c620acUL, 0x087a47c9UL, 0xa032af3eUL, 0x188ec85bUL, 0x0a3b67b5UL,
  73753. 0xb28700d0UL, 0x2f503869UL, 0x97ec5f0cUL, 0x8559f0e2UL, 0x3de59787UL,
  73754. 0x658687d1UL, 0xdd3ae0b4UL, 0xcf8f4f5aUL, 0x7733283fUL, 0xeae41086UL,
  73755. 0x525877e3UL, 0x40edd80dUL, 0xf851bf68UL, 0xf02bf8a1UL, 0x48979fc4UL,
  73756. 0x5a22302aUL, 0xe29e574fUL, 0x7f496ff6UL, 0xc7f50893UL, 0xd540a77dUL,
  73757. 0x6dfcc018UL, 0x359fd04eUL, 0x8d23b72bUL, 0x9f9618c5UL, 0x272a7fa0UL,
  73758. 0xbafd4719UL, 0x0241207cUL, 0x10f48f92UL, 0xa848e8f7UL, 0x9b14583dUL,
  73759. 0x23a83f58UL, 0x311d90b6UL, 0x89a1f7d3UL, 0x1476cf6aUL, 0xaccaa80fUL,
  73760. 0xbe7f07e1UL, 0x06c36084UL, 0x5ea070d2UL, 0xe61c17b7UL, 0xf4a9b859UL,
  73761. 0x4c15df3cUL, 0xd1c2e785UL, 0x697e80e0UL, 0x7bcb2f0eUL, 0xc377486bUL,
  73762. 0xcb0d0fa2UL, 0x73b168c7UL, 0x6104c729UL, 0xd9b8a04cUL, 0x446f98f5UL,
  73763. 0xfcd3ff90UL, 0xee66507eUL, 0x56da371bUL, 0x0eb9274dUL, 0xb6054028UL,
  73764. 0xa4b0efc6UL, 0x1c0c88a3UL, 0x81dbb01aUL, 0x3967d77fUL, 0x2bd27891UL,
  73765. 0x936e1ff4UL, 0x3b26f703UL, 0x839a9066UL, 0x912f3f88UL, 0x299358edUL,
  73766. 0xb4446054UL, 0x0cf80731UL, 0x1e4da8dfUL, 0xa6f1cfbaUL, 0xfe92dfecUL,
  73767. 0x462eb889UL, 0x549b1767UL, 0xec277002UL, 0x71f048bbUL, 0xc94c2fdeUL,
  73768. 0xdbf98030UL, 0x6345e755UL, 0x6b3fa09cUL, 0xd383c7f9UL, 0xc1366817UL,
  73769. 0x798a0f72UL, 0xe45d37cbUL, 0x5ce150aeUL, 0x4e54ff40UL, 0xf6e89825UL,
  73770. 0xae8b8873UL, 0x1637ef16UL, 0x048240f8UL, 0xbc3e279dUL, 0x21e91f24UL,
  73771. 0x99557841UL, 0x8be0d7afUL, 0x335cb0caUL, 0xed59b63bUL, 0x55e5d15eUL,
  73772. 0x47507eb0UL, 0xffec19d5UL, 0x623b216cUL, 0xda874609UL, 0xc832e9e7UL,
  73773. 0x708e8e82UL, 0x28ed9ed4UL, 0x9051f9b1UL, 0x82e4565fUL, 0x3a58313aUL,
  73774. 0xa78f0983UL, 0x1f336ee6UL, 0x0d86c108UL, 0xb53aa66dUL, 0xbd40e1a4UL,
  73775. 0x05fc86c1UL, 0x1749292fUL, 0xaff54e4aUL, 0x322276f3UL, 0x8a9e1196UL,
  73776. 0x982bbe78UL, 0x2097d91dUL, 0x78f4c94bUL, 0xc048ae2eUL, 0xd2fd01c0UL,
  73777. 0x6a4166a5UL, 0xf7965e1cUL, 0x4f2a3979UL, 0x5d9f9697UL, 0xe523f1f2UL,
  73778. 0x4d6b1905UL, 0xf5d77e60UL, 0xe762d18eUL, 0x5fdeb6ebUL, 0xc2098e52UL,
  73779. 0x7ab5e937UL, 0x680046d9UL, 0xd0bc21bcUL, 0x88df31eaUL, 0x3063568fUL,
  73780. 0x22d6f961UL, 0x9a6a9e04UL, 0x07bda6bdUL, 0xbf01c1d8UL, 0xadb46e36UL,
  73781. 0x15080953UL, 0x1d724e9aUL, 0xa5ce29ffUL, 0xb77b8611UL, 0x0fc7e174UL,
  73782. 0x9210d9cdUL, 0x2aacbea8UL, 0x38191146UL, 0x80a57623UL, 0xd8c66675UL,
  73783. 0x607a0110UL, 0x72cfaefeUL, 0xca73c99bUL, 0x57a4f122UL, 0xef189647UL,
  73784. 0xfdad39a9UL, 0x45115eccUL, 0x764dee06UL, 0xcef18963UL, 0xdc44268dUL,
  73785. 0x64f841e8UL, 0xf92f7951UL, 0x41931e34UL, 0x5326b1daUL, 0xeb9ad6bfUL,
  73786. 0xb3f9c6e9UL, 0x0b45a18cUL, 0x19f00e62UL, 0xa14c6907UL, 0x3c9b51beUL,
  73787. 0x842736dbUL, 0x96929935UL, 0x2e2efe50UL, 0x2654b999UL, 0x9ee8defcUL,
  73788. 0x8c5d7112UL, 0x34e11677UL, 0xa9362eceUL, 0x118a49abUL, 0x033fe645UL,
  73789. 0xbb838120UL, 0xe3e09176UL, 0x5b5cf613UL, 0x49e959fdUL, 0xf1553e98UL,
  73790. 0x6c820621UL, 0xd43e6144UL, 0xc68bceaaUL, 0x7e37a9cfUL, 0xd67f4138UL,
  73791. 0x6ec3265dUL, 0x7c7689b3UL, 0xc4caeed6UL, 0x591dd66fUL, 0xe1a1b10aUL,
  73792. 0xf3141ee4UL, 0x4ba87981UL, 0x13cb69d7UL, 0xab770eb2UL, 0xb9c2a15cUL,
  73793. 0x017ec639UL, 0x9ca9fe80UL, 0x241599e5UL, 0x36a0360bUL, 0x8e1c516eUL,
  73794. 0x866616a7UL, 0x3eda71c2UL, 0x2c6fde2cUL, 0x94d3b949UL, 0x090481f0UL,
  73795. 0xb1b8e695UL, 0xa30d497bUL, 0x1bb12e1eUL, 0x43d23e48UL, 0xfb6e592dUL,
  73796. 0xe9dbf6c3UL, 0x516791a6UL, 0xccb0a91fUL, 0x740cce7aUL, 0x66b96194UL,
  73797. 0xde0506f1UL
  73798. },
  73799. {
  73800. 0x00000000UL, 0x96300777UL, 0x2c610eeeUL, 0xba510999UL, 0x19c46d07UL,
  73801. 0x8ff46a70UL, 0x35a563e9UL, 0xa395649eUL, 0x3288db0eUL, 0xa4b8dc79UL,
  73802. 0x1ee9d5e0UL, 0x88d9d297UL, 0x2b4cb609UL, 0xbd7cb17eUL, 0x072db8e7UL,
  73803. 0x911dbf90UL, 0x6410b71dUL, 0xf220b06aUL, 0x4871b9f3UL, 0xde41be84UL,
  73804. 0x7dd4da1aUL, 0xebe4dd6dUL, 0x51b5d4f4UL, 0xc785d383UL, 0x56986c13UL,
  73805. 0xc0a86b64UL, 0x7af962fdUL, 0xecc9658aUL, 0x4f5c0114UL, 0xd96c0663UL,
  73806. 0x633d0ffaUL, 0xf50d088dUL, 0xc8206e3bUL, 0x5e10694cUL, 0xe44160d5UL,
  73807. 0x727167a2UL, 0xd1e4033cUL, 0x47d4044bUL, 0xfd850dd2UL, 0x6bb50aa5UL,
  73808. 0xfaa8b535UL, 0x6c98b242UL, 0xd6c9bbdbUL, 0x40f9bcacUL, 0xe36cd832UL,
  73809. 0x755cdf45UL, 0xcf0dd6dcUL, 0x593dd1abUL, 0xac30d926UL, 0x3a00de51UL,
  73810. 0x8051d7c8UL, 0x1661d0bfUL, 0xb5f4b421UL, 0x23c4b356UL, 0x9995bacfUL,
  73811. 0x0fa5bdb8UL, 0x9eb80228UL, 0x0888055fUL, 0xb2d90cc6UL, 0x24e90bb1UL,
  73812. 0x877c6f2fUL, 0x114c6858UL, 0xab1d61c1UL, 0x3d2d66b6UL, 0x9041dc76UL,
  73813. 0x0671db01UL, 0xbc20d298UL, 0x2a10d5efUL, 0x8985b171UL, 0x1fb5b606UL,
  73814. 0xa5e4bf9fUL, 0x33d4b8e8UL, 0xa2c90778UL, 0x34f9000fUL, 0x8ea80996UL,
  73815. 0x18980ee1UL, 0xbb0d6a7fUL, 0x2d3d6d08UL, 0x976c6491UL, 0x015c63e6UL,
  73816. 0xf4516b6bUL, 0x62616c1cUL, 0xd8306585UL, 0x4e0062f2UL, 0xed95066cUL,
  73817. 0x7ba5011bUL, 0xc1f40882UL, 0x57c40ff5UL, 0xc6d9b065UL, 0x50e9b712UL,
  73818. 0xeab8be8bUL, 0x7c88b9fcUL, 0xdf1ddd62UL, 0x492dda15UL, 0xf37cd38cUL,
  73819. 0x654cd4fbUL, 0x5861b24dUL, 0xce51b53aUL, 0x7400bca3UL, 0xe230bbd4UL,
  73820. 0x41a5df4aUL, 0xd795d83dUL, 0x6dc4d1a4UL, 0xfbf4d6d3UL, 0x6ae96943UL,
  73821. 0xfcd96e34UL, 0x468867adUL, 0xd0b860daUL, 0x732d0444UL, 0xe51d0333UL,
  73822. 0x5f4c0aaaUL, 0xc97c0dddUL, 0x3c710550UL, 0xaa410227UL, 0x10100bbeUL,
  73823. 0x86200cc9UL, 0x25b56857UL, 0xb3856f20UL, 0x09d466b9UL, 0x9fe461ceUL,
  73824. 0x0ef9de5eUL, 0x98c9d929UL, 0x2298d0b0UL, 0xb4a8d7c7UL, 0x173db359UL,
  73825. 0x810db42eUL, 0x3b5cbdb7UL, 0xad6cbac0UL, 0x2083b8edUL, 0xb6b3bf9aUL,
  73826. 0x0ce2b603UL, 0x9ad2b174UL, 0x3947d5eaUL, 0xaf77d29dUL, 0x1526db04UL,
  73827. 0x8316dc73UL, 0x120b63e3UL, 0x843b6494UL, 0x3e6a6d0dUL, 0xa85a6a7aUL,
  73828. 0x0bcf0ee4UL, 0x9dff0993UL, 0x27ae000aUL, 0xb19e077dUL, 0x44930ff0UL,
  73829. 0xd2a30887UL, 0x68f2011eUL, 0xfec20669UL, 0x5d5762f7UL, 0xcb676580UL,
  73830. 0x71366c19UL, 0xe7066b6eUL, 0x761bd4feUL, 0xe02bd389UL, 0x5a7ada10UL,
  73831. 0xcc4add67UL, 0x6fdfb9f9UL, 0xf9efbe8eUL, 0x43beb717UL, 0xd58eb060UL,
  73832. 0xe8a3d6d6UL, 0x7e93d1a1UL, 0xc4c2d838UL, 0x52f2df4fUL, 0xf167bbd1UL,
  73833. 0x6757bca6UL, 0xdd06b53fUL, 0x4b36b248UL, 0xda2b0dd8UL, 0x4c1b0aafUL,
  73834. 0xf64a0336UL, 0x607a0441UL, 0xc3ef60dfUL, 0x55df67a8UL, 0xef8e6e31UL,
  73835. 0x79be6946UL, 0x8cb361cbUL, 0x1a8366bcUL, 0xa0d26f25UL, 0x36e26852UL,
  73836. 0x95770cccUL, 0x03470bbbUL, 0xb9160222UL, 0x2f260555UL, 0xbe3bbac5UL,
  73837. 0x280bbdb2UL, 0x925ab42bUL, 0x046ab35cUL, 0xa7ffd7c2UL, 0x31cfd0b5UL,
  73838. 0x8b9ed92cUL, 0x1daede5bUL, 0xb0c2649bUL, 0x26f263ecUL, 0x9ca36a75UL,
  73839. 0x0a936d02UL, 0xa906099cUL, 0x3f360eebUL, 0x85670772UL, 0x13570005UL,
  73840. 0x824abf95UL, 0x147ab8e2UL, 0xae2bb17bUL, 0x381bb60cUL, 0x9b8ed292UL,
  73841. 0x0dbed5e5UL, 0xb7efdc7cUL, 0x21dfdb0bUL, 0xd4d2d386UL, 0x42e2d4f1UL,
  73842. 0xf8b3dd68UL, 0x6e83da1fUL, 0xcd16be81UL, 0x5b26b9f6UL, 0xe177b06fUL,
  73843. 0x7747b718UL, 0xe65a0888UL, 0x706a0fffUL, 0xca3b0666UL, 0x5c0b0111UL,
  73844. 0xff9e658fUL, 0x69ae62f8UL, 0xd3ff6b61UL, 0x45cf6c16UL, 0x78e20aa0UL,
  73845. 0xeed20dd7UL, 0x5483044eUL, 0xc2b30339UL, 0x612667a7UL, 0xf71660d0UL,
  73846. 0x4d476949UL, 0xdb776e3eUL, 0x4a6ad1aeUL, 0xdc5ad6d9UL, 0x660bdf40UL,
  73847. 0xf03bd837UL, 0x53aebca9UL, 0xc59ebbdeUL, 0x7fcfb247UL, 0xe9ffb530UL,
  73848. 0x1cf2bdbdUL, 0x8ac2bacaUL, 0x3093b353UL, 0xa6a3b424UL, 0x0536d0baUL,
  73849. 0x9306d7cdUL, 0x2957de54UL, 0xbf67d923UL, 0x2e7a66b3UL, 0xb84a61c4UL,
  73850. 0x021b685dUL, 0x942b6f2aUL, 0x37be0bb4UL, 0xa18e0cc3UL, 0x1bdf055aUL,
  73851. 0x8def022dUL
  73852. },
  73853. {
  73854. 0x00000000UL, 0x41311b19UL, 0x82623632UL, 0xc3532d2bUL, 0x04c56c64UL,
  73855. 0x45f4777dUL, 0x86a75a56UL, 0xc796414fUL, 0x088ad9c8UL, 0x49bbc2d1UL,
  73856. 0x8ae8effaUL, 0xcbd9f4e3UL, 0x0c4fb5acUL, 0x4d7eaeb5UL, 0x8e2d839eUL,
  73857. 0xcf1c9887UL, 0x5112c24aUL, 0x1023d953UL, 0xd370f478UL, 0x9241ef61UL,
  73858. 0x55d7ae2eUL, 0x14e6b537UL, 0xd7b5981cUL, 0x96848305UL, 0x59981b82UL,
  73859. 0x18a9009bUL, 0xdbfa2db0UL, 0x9acb36a9UL, 0x5d5d77e6UL, 0x1c6c6cffUL,
  73860. 0xdf3f41d4UL, 0x9e0e5acdUL, 0xa2248495UL, 0xe3159f8cUL, 0x2046b2a7UL,
  73861. 0x6177a9beUL, 0xa6e1e8f1UL, 0xe7d0f3e8UL, 0x2483dec3UL, 0x65b2c5daUL,
  73862. 0xaaae5d5dUL, 0xeb9f4644UL, 0x28cc6b6fUL, 0x69fd7076UL, 0xae6b3139UL,
  73863. 0xef5a2a20UL, 0x2c09070bUL, 0x6d381c12UL, 0xf33646dfUL, 0xb2075dc6UL,
  73864. 0x715470edUL, 0x30656bf4UL, 0xf7f32abbUL, 0xb6c231a2UL, 0x75911c89UL,
  73865. 0x34a00790UL, 0xfbbc9f17UL, 0xba8d840eUL, 0x79dea925UL, 0x38efb23cUL,
  73866. 0xff79f373UL, 0xbe48e86aUL, 0x7d1bc541UL, 0x3c2ade58UL, 0x054f79f0UL,
  73867. 0x447e62e9UL, 0x872d4fc2UL, 0xc61c54dbUL, 0x018a1594UL, 0x40bb0e8dUL,
  73868. 0x83e823a6UL, 0xc2d938bfUL, 0x0dc5a038UL, 0x4cf4bb21UL, 0x8fa7960aUL,
  73869. 0xce968d13UL, 0x0900cc5cUL, 0x4831d745UL, 0x8b62fa6eUL, 0xca53e177UL,
  73870. 0x545dbbbaUL, 0x156ca0a3UL, 0xd63f8d88UL, 0x970e9691UL, 0x5098d7deUL,
  73871. 0x11a9ccc7UL, 0xd2fae1ecUL, 0x93cbfaf5UL, 0x5cd76272UL, 0x1de6796bUL,
  73872. 0xdeb55440UL, 0x9f844f59UL, 0x58120e16UL, 0x1923150fUL, 0xda703824UL,
  73873. 0x9b41233dUL, 0xa76bfd65UL, 0xe65ae67cUL, 0x2509cb57UL, 0x6438d04eUL,
  73874. 0xa3ae9101UL, 0xe29f8a18UL, 0x21cca733UL, 0x60fdbc2aUL, 0xafe124adUL,
  73875. 0xeed03fb4UL, 0x2d83129fUL, 0x6cb20986UL, 0xab2448c9UL, 0xea1553d0UL,
  73876. 0x29467efbUL, 0x687765e2UL, 0xf6793f2fUL, 0xb7482436UL, 0x741b091dUL,
  73877. 0x352a1204UL, 0xf2bc534bUL, 0xb38d4852UL, 0x70de6579UL, 0x31ef7e60UL,
  73878. 0xfef3e6e7UL, 0xbfc2fdfeUL, 0x7c91d0d5UL, 0x3da0cbccUL, 0xfa368a83UL,
  73879. 0xbb07919aUL, 0x7854bcb1UL, 0x3965a7a8UL, 0x4b98833bUL, 0x0aa99822UL,
  73880. 0xc9fab509UL, 0x88cbae10UL, 0x4f5def5fUL, 0x0e6cf446UL, 0xcd3fd96dUL,
  73881. 0x8c0ec274UL, 0x43125af3UL, 0x022341eaUL, 0xc1706cc1UL, 0x804177d8UL,
  73882. 0x47d73697UL, 0x06e62d8eUL, 0xc5b500a5UL, 0x84841bbcUL, 0x1a8a4171UL,
  73883. 0x5bbb5a68UL, 0x98e87743UL, 0xd9d96c5aUL, 0x1e4f2d15UL, 0x5f7e360cUL,
  73884. 0x9c2d1b27UL, 0xdd1c003eUL, 0x120098b9UL, 0x533183a0UL, 0x9062ae8bUL,
  73885. 0xd153b592UL, 0x16c5f4ddUL, 0x57f4efc4UL, 0x94a7c2efUL, 0xd596d9f6UL,
  73886. 0xe9bc07aeUL, 0xa88d1cb7UL, 0x6bde319cUL, 0x2aef2a85UL, 0xed796bcaUL,
  73887. 0xac4870d3UL, 0x6f1b5df8UL, 0x2e2a46e1UL, 0xe136de66UL, 0xa007c57fUL,
  73888. 0x6354e854UL, 0x2265f34dUL, 0xe5f3b202UL, 0xa4c2a91bUL, 0x67918430UL,
  73889. 0x26a09f29UL, 0xb8aec5e4UL, 0xf99fdefdUL, 0x3accf3d6UL, 0x7bfde8cfUL,
  73890. 0xbc6ba980UL, 0xfd5ab299UL, 0x3e099fb2UL, 0x7f3884abUL, 0xb0241c2cUL,
  73891. 0xf1150735UL, 0x32462a1eUL, 0x73773107UL, 0xb4e17048UL, 0xf5d06b51UL,
  73892. 0x3683467aUL, 0x77b25d63UL, 0x4ed7facbUL, 0x0fe6e1d2UL, 0xccb5ccf9UL,
  73893. 0x8d84d7e0UL, 0x4a1296afUL, 0x0b238db6UL, 0xc870a09dUL, 0x8941bb84UL,
  73894. 0x465d2303UL, 0x076c381aUL, 0xc43f1531UL, 0x850e0e28UL, 0x42984f67UL,
  73895. 0x03a9547eUL, 0xc0fa7955UL, 0x81cb624cUL, 0x1fc53881UL, 0x5ef42398UL,
  73896. 0x9da70eb3UL, 0xdc9615aaUL, 0x1b0054e5UL, 0x5a314ffcUL, 0x996262d7UL,
  73897. 0xd85379ceUL, 0x174fe149UL, 0x567efa50UL, 0x952dd77bUL, 0xd41ccc62UL,
  73898. 0x138a8d2dUL, 0x52bb9634UL, 0x91e8bb1fUL, 0xd0d9a006UL, 0xecf37e5eUL,
  73899. 0xadc26547UL, 0x6e91486cUL, 0x2fa05375UL, 0xe836123aUL, 0xa9070923UL,
  73900. 0x6a542408UL, 0x2b653f11UL, 0xe479a796UL, 0xa548bc8fUL, 0x661b91a4UL,
  73901. 0x272a8abdUL, 0xe0bccbf2UL, 0xa18dd0ebUL, 0x62defdc0UL, 0x23efe6d9UL,
  73902. 0xbde1bc14UL, 0xfcd0a70dUL, 0x3f838a26UL, 0x7eb2913fUL, 0xb924d070UL,
  73903. 0xf815cb69UL, 0x3b46e642UL, 0x7a77fd5bUL, 0xb56b65dcUL, 0xf45a7ec5UL,
  73904. 0x370953eeUL, 0x763848f7UL, 0xb1ae09b8UL, 0xf09f12a1UL, 0x33cc3f8aUL,
  73905. 0x72fd2493UL
  73906. },
  73907. {
  73908. 0x00000000UL, 0x376ac201UL, 0x6ed48403UL, 0x59be4602UL, 0xdca80907UL,
  73909. 0xebc2cb06UL, 0xb27c8d04UL, 0x85164f05UL, 0xb851130eUL, 0x8f3bd10fUL,
  73910. 0xd685970dUL, 0xe1ef550cUL, 0x64f91a09UL, 0x5393d808UL, 0x0a2d9e0aUL,
  73911. 0x3d475c0bUL, 0x70a3261cUL, 0x47c9e41dUL, 0x1e77a21fUL, 0x291d601eUL,
  73912. 0xac0b2f1bUL, 0x9b61ed1aUL, 0xc2dfab18UL, 0xf5b56919UL, 0xc8f23512UL,
  73913. 0xff98f713UL, 0xa626b111UL, 0x914c7310UL, 0x145a3c15UL, 0x2330fe14UL,
  73914. 0x7a8eb816UL, 0x4de47a17UL, 0xe0464d38UL, 0xd72c8f39UL, 0x8e92c93bUL,
  73915. 0xb9f80b3aUL, 0x3cee443fUL, 0x0b84863eUL, 0x523ac03cUL, 0x6550023dUL,
  73916. 0x58175e36UL, 0x6f7d9c37UL, 0x36c3da35UL, 0x01a91834UL, 0x84bf5731UL,
  73917. 0xb3d59530UL, 0xea6bd332UL, 0xdd011133UL, 0x90e56b24UL, 0xa78fa925UL,
  73918. 0xfe31ef27UL, 0xc95b2d26UL, 0x4c4d6223UL, 0x7b27a022UL, 0x2299e620UL,
  73919. 0x15f32421UL, 0x28b4782aUL, 0x1fdeba2bUL, 0x4660fc29UL, 0x710a3e28UL,
  73920. 0xf41c712dUL, 0xc376b32cUL, 0x9ac8f52eUL, 0xada2372fUL, 0xc08d9a70UL,
  73921. 0xf7e75871UL, 0xae591e73UL, 0x9933dc72UL, 0x1c259377UL, 0x2b4f5176UL,
  73922. 0x72f11774UL, 0x459bd575UL, 0x78dc897eUL, 0x4fb64b7fUL, 0x16080d7dUL,
  73923. 0x2162cf7cUL, 0xa4748079UL, 0x931e4278UL, 0xcaa0047aUL, 0xfdcac67bUL,
  73924. 0xb02ebc6cUL, 0x87447e6dUL, 0xdefa386fUL, 0xe990fa6eUL, 0x6c86b56bUL,
  73925. 0x5bec776aUL, 0x02523168UL, 0x3538f369UL, 0x087faf62UL, 0x3f156d63UL,
  73926. 0x66ab2b61UL, 0x51c1e960UL, 0xd4d7a665UL, 0xe3bd6464UL, 0xba032266UL,
  73927. 0x8d69e067UL, 0x20cbd748UL, 0x17a11549UL, 0x4e1f534bUL, 0x7975914aUL,
  73928. 0xfc63de4fUL, 0xcb091c4eUL, 0x92b75a4cUL, 0xa5dd984dUL, 0x989ac446UL,
  73929. 0xaff00647UL, 0xf64e4045UL, 0xc1248244UL, 0x4432cd41UL, 0x73580f40UL,
  73930. 0x2ae64942UL, 0x1d8c8b43UL, 0x5068f154UL, 0x67023355UL, 0x3ebc7557UL,
  73931. 0x09d6b756UL, 0x8cc0f853UL, 0xbbaa3a52UL, 0xe2147c50UL, 0xd57ebe51UL,
  73932. 0xe839e25aUL, 0xdf53205bUL, 0x86ed6659UL, 0xb187a458UL, 0x3491eb5dUL,
  73933. 0x03fb295cUL, 0x5a456f5eUL, 0x6d2fad5fUL, 0x801b35e1UL, 0xb771f7e0UL,
  73934. 0xeecfb1e2UL, 0xd9a573e3UL, 0x5cb33ce6UL, 0x6bd9fee7UL, 0x3267b8e5UL,
  73935. 0x050d7ae4UL, 0x384a26efUL, 0x0f20e4eeUL, 0x569ea2ecUL, 0x61f460edUL,
  73936. 0xe4e22fe8UL, 0xd388ede9UL, 0x8a36abebUL, 0xbd5c69eaUL, 0xf0b813fdUL,
  73937. 0xc7d2d1fcUL, 0x9e6c97feUL, 0xa90655ffUL, 0x2c101afaUL, 0x1b7ad8fbUL,
  73938. 0x42c49ef9UL, 0x75ae5cf8UL, 0x48e900f3UL, 0x7f83c2f2UL, 0x263d84f0UL,
  73939. 0x115746f1UL, 0x944109f4UL, 0xa32bcbf5UL, 0xfa958df7UL, 0xcdff4ff6UL,
  73940. 0x605d78d9UL, 0x5737bad8UL, 0x0e89fcdaUL, 0x39e33edbUL, 0xbcf571deUL,
  73941. 0x8b9fb3dfUL, 0xd221f5ddUL, 0xe54b37dcUL, 0xd80c6bd7UL, 0xef66a9d6UL,
  73942. 0xb6d8efd4UL, 0x81b22dd5UL, 0x04a462d0UL, 0x33cea0d1UL, 0x6a70e6d3UL,
  73943. 0x5d1a24d2UL, 0x10fe5ec5UL, 0x27949cc4UL, 0x7e2adac6UL, 0x494018c7UL,
  73944. 0xcc5657c2UL, 0xfb3c95c3UL, 0xa282d3c1UL, 0x95e811c0UL, 0xa8af4dcbUL,
  73945. 0x9fc58fcaUL, 0xc67bc9c8UL, 0xf1110bc9UL, 0x740744ccUL, 0x436d86cdUL,
  73946. 0x1ad3c0cfUL, 0x2db902ceUL, 0x4096af91UL, 0x77fc6d90UL, 0x2e422b92UL,
  73947. 0x1928e993UL, 0x9c3ea696UL, 0xab546497UL, 0xf2ea2295UL, 0xc580e094UL,
  73948. 0xf8c7bc9fUL, 0xcfad7e9eUL, 0x9613389cUL, 0xa179fa9dUL, 0x246fb598UL,
  73949. 0x13057799UL, 0x4abb319bUL, 0x7dd1f39aUL, 0x3035898dUL, 0x075f4b8cUL,
  73950. 0x5ee10d8eUL, 0x698bcf8fUL, 0xec9d808aUL, 0xdbf7428bUL, 0x82490489UL,
  73951. 0xb523c688UL, 0x88649a83UL, 0xbf0e5882UL, 0xe6b01e80UL, 0xd1dadc81UL,
  73952. 0x54cc9384UL, 0x63a65185UL, 0x3a181787UL, 0x0d72d586UL, 0xa0d0e2a9UL,
  73953. 0x97ba20a8UL, 0xce0466aaUL, 0xf96ea4abUL, 0x7c78ebaeUL, 0x4b1229afUL,
  73954. 0x12ac6fadUL, 0x25c6adacUL, 0x1881f1a7UL, 0x2feb33a6UL, 0x765575a4UL,
  73955. 0x413fb7a5UL, 0xc429f8a0UL, 0xf3433aa1UL, 0xaafd7ca3UL, 0x9d97bea2UL,
  73956. 0xd073c4b5UL, 0xe71906b4UL, 0xbea740b6UL, 0x89cd82b7UL, 0x0cdbcdb2UL,
  73957. 0x3bb10fb3UL, 0x620f49b1UL, 0x55658bb0UL, 0x6822d7bbUL, 0x5f4815baUL,
  73958. 0x06f653b8UL, 0x319c91b9UL, 0xb48adebcUL, 0x83e01cbdUL, 0xda5e5abfUL,
  73959. 0xed3498beUL
  73960. },
  73961. {
  73962. 0x00000000UL, 0x6567bcb8UL, 0x8bc809aaUL, 0xeeafb512UL, 0x5797628fUL,
  73963. 0x32f0de37UL, 0xdc5f6b25UL, 0xb938d79dUL, 0xef28b4c5UL, 0x8a4f087dUL,
  73964. 0x64e0bd6fUL, 0x018701d7UL, 0xb8bfd64aUL, 0xddd86af2UL, 0x3377dfe0UL,
  73965. 0x56106358UL, 0x9f571950UL, 0xfa30a5e8UL, 0x149f10faUL, 0x71f8ac42UL,
  73966. 0xc8c07bdfUL, 0xada7c767UL, 0x43087275UL, 0x266fcecdUL, 0x707fad95UL,
  73967. 0x1518112dUL, 0xfbb7a43fUL, 0x9ed01887UL, 0x27e8cf1aUL, 0x428f73a2UL,
  73968. 0xac20c6b0UL, 0xc9477a08UL, 0x3eaf32a0UL, 0x5bc88e18UL, 0xb5673b0aUL,
  73969. 0xd00087b2UL, 0x6938502fUL, 0x0c5fec97UL, 0xe2f05985UL, 0x8797e53dUL,
  73970. 0xd1878665UL, 0xb4e03addUL, 0x5a4f8fcfUL, 0x3f283377UL, 0x8610e4eaUL,
  73971. 0xe3775852UL, 0x0dd8ed40UL, 0x68bf51f8UL, 0xa1f82bf0UL, 0xc49f9748UL,
  73972. 0x2a30225aUL, 0x4f579ee2UL, 0xf66f497fUL, 0x9308f5c7UL, 0x7da740d5UL,
  73973. 0x18c0fc6dUL, 0x4ed09f35UL, 0x2bb7238dUL, 0xc518969fUL, 0xa07f2a27UL,
  73974. 0x1947fdbaUL, 0x7c204102UL, 0x928ff410UL, 0xf7e848a8UL, 0x3d58149bUL,
  73975. 0x583fa823UL, 0xb6901d31UL, 0xd3f7a189UL, 0x6acf7614UL, 0x0fa8caacUL,
  73976. 0xe1077fbeUL, 0x8460c306UL, 0xd270a05eUL, 0xb7171ce6UL, 0x59b8a9f4UL,
  73977. 0x3cdf154cUL, 0x85e7c2d1UL, 0xe0807e69UL, 0x0e2fcb7bUL, 0x6b4877c3UL,
  73978. 0xa20f0dcbUL, 0xc768b173UL, 0x29c70461UL, 0x4ca0b8d9UL, 0xf5986f44UL,
  73979. 0x90ffd3fcUL, 0x7e5066eeUL, 0x1b37da56UL, 0x4d27b90eUL, 0x284005b6UL,
  73980. 0xc6efb0a4UL, 0xa3880c1cUL, 0x1ab0db81UL, 0x7fd76739UL, 0x9178d22bUL,
  73981. 0xf41f6e93UL, 0x03f7263bUL, 0x66909a83UL, 0x883f2f91UL, 0xed589329UL,
  73982. 0x546044b4UL, 0x3107f80cUL, 0xdfa84d1eUL, 0xbacff1a6UL, 0xecdf92feUL,
  73983. 0x89b82e46UL, 0x67179b54UL, 0x027027ecUL, 0xbb48f071UL, 0xde2f4cc9UL,
  73984. 0x3080f9dbUL, 0x55e74563UL, 0x9ca03f6bUL, 0xf9c783d3UL, 0x176836c1UL,
  73985. 0x720f8a79UL, 0xcb375de4UL, 0xae50e15cUL, 0x40ff544eUL, 0x2598e8f6UL,
  73986. 0x73888baeUL, 0x16ef3716UL, 0xf8408204UL, 0x9d273ebcUL, 0x241fe921UL,
  73987. 0x41785599UL, 0xafd7e08bUL, 0xcab05c33UL, 0x3bb659edUL, 0x5ed1e555UL,
  73988. 0xb07e5047UL, 0xd519ecffUL, 0x6c213b62UL, 0x094687daUL, 0xe7e932c8UL,
  73989. 0x828e8e70UL, 0xd49eed28UL, 0xb1f95190UL, 0x5f56e482UL, 0x3a31583aUL,
  73990. 0x83098fa7UL, 0xe66e331fUL, 0x08c1860dUL, 0x6da63ab5UL, 0xa4e140bdUL,
  73991. 0xc186fc05UL, 0x2f294917UL, 0x4a4ef5afUL, 0xf3762232UL, 0x96119e8aUL,
  73992. 0x78be2b98UL, 0x1dd99720UL, 0x4bc9f478UL, 0x2eae48c0UL, 0xc001fdd2UL,
  73993. 0xa566416aUL, 0x1c5e96f7UL, 0x79392a4fUL, 0x97969f5dUL, 0xf2f123e5UL,
  73994. 0x05196b4dUL, 0x607ed7f5UL, 0x8ed162e7UL, 0xebb6de5fUL, 0x528e09c2UL,
  73995. 0x37e9b57aUL, 0xd9460068UL, 0xbc21bcd0UL, 0xea31df88UL, 0x8f566330UL,
  73996. 0x61f9d622UL, 0x049e6a9aUL, 0xbda6bd07UL, 0xd8c101bfUL, 0x366eb4adUL,
  73997. 0x53090815UL, 0x9a4e721dUL, 0xff29cea5UL, 0x11867bb7UL, 0x74e1c70fUL,
  73998. 0xcdd91092UL, 0xa8beac2aUL, 0x46111938UL, 0x2376a580UL, 0x7566c6d8UL,
  73999. 0x10017a60UL, 0xfeaecf72UL, 0x9bc973caUL, 0x22f1a457UL, 0x479618efUL,
  74000. 0xa939adfdUL, 0xcc5e1145UL, 0x06ee4d76UL, 0x6389f1ceUL, 0x8d2644dcUL,
  74001. 0xe841f864UL, 0x51792ff9UL, 0x341e9341UL, 0xdab12653UL, 0xbfd69aebUL,
  74002. 0xe9c6f9b3UL, 0x8ca1450bUL, 0x620ef019UL, 0x07694ca1UL, 0xbe519b3cUL,
  74003. 0xdb362784UL, 0x35999296UL, 0x50fe2e2eUL, 0x99b95426UL, 0xfcdee89eUL,
  74004. 0x12715d8cUL, 0x7716e134UL, 0xce2e36a9UL, 0xab498a11UL, 0x45e63f03UL,
  74005. 0x208183bbUL, 0x7691e0e3UL, 0x13f65c5bUL, 0xfd59e949UL, 0x983e55f1UL,
  74006. 0x2106826cUL, 0x44613ed4UL, 0xaace8bc6UL, 0xcfa9377eUL, 0x38417fd6UL,
  74007. 0x5d26c36eUL, 0xb389767cUL, 0xd6eecac4UL, 0x6fd61d59UL, 0x0ab1a1e1UL,
  74008. 0xe41e14f3UL, 0x8179a84bUL, 0xd769cb13UL, 0xb20e77abUL, 0x5ca1c2b9UL,
  74009. 0x39c67e01UL, 0x80fea99cUL, 0xe5991524UL, 0x0b36a036UL, 0x6e511c8eUL,
  74010. 0xa7166686UL, 0xc271da3eUL, 0x2cde6f2cUL, 0x49b9d394UL, 0xf0810409UL,
  74011. 0x95e6b8b1UL, 0x7b490da3UL, 0x1e2eb11bUL, 0x483ed243UL, 0x2d596efbUL,
  74012. 0xc3f6dbe9UL, 0xa6916751UL, 0x1fa9b0ccUL, 0x7ace0c74UL, 0x9461b966UL,
  74013. 0xf10605deUL
  74014. #endif
  74015. }
  74016. };
  74017. /********* End of inlined file: crc32.h *********/
  74018. #endif /* DYNAMIC_CRC_TABLE */
  74019. /* =========================================================================
  74020. * This function can be used by asm versions of crc32()
  74021. */
  74022. const unsigned long FAR * ZEXPORT get_crc_table()
  74023. {
  74024. #ifdef DYNAMIC_CRC_TABLE
  74025. if (crc_table_empty)
  74026. make_crc_table();
  74027. #endif /* DYNAMIC_CRC_TABLE */
  74028. return (const unsigned long FAR *)crc_table;
  74029. }
  74030. /* ========================================================================= */
  74031. #define DO1 crc = crc_table[0][((int)crc ^ (*buf++)) & 0xff] ^ (crc >> 8)
  74032. #define DO8 DO1; DO1; DO1; DO1; DO1; DO1; DO1; DO1
  74033. /* ========================================================================= */
  74034. unsigned long ZEXPORT crc32 (unsigned long crc, const unsigned char FAR *buf, unsigned len)
  74035. {
  74036. if (buf == Z_NULL) return 0UL;
  74037. #ifdef DYNAMIC_CRC_TABLE
  74038. if (crc_table_empty)
  74039. make_crc_table();
  74040. #endif /* DYNAMIC_CRC_TABLE */
  74041. #ifdef BYFOUR
  74042. if (sizeof(void *) == sizeof(ptrdiff_t)) {
  74043. u4 endian;
  74044. endian = 1;
  74045. if (*((unsigned char *)(&endian)))
  74046. return crc32_little(crc, buf, len);
  74047. else
  74048. return crc32_big(crc, buf, len);
  74049. }
  74050. #endif /* BYFOUR */
  74051. crc = crc ^ 0xffffffffUL;
  74052. while (len >= 8) {
  74053. DO8;
  74054. len -= 8;
  74055. }
  74056. if (len) do {
  74057. DO1;
  74058. } while (--len);
  74059. return crc ^ 0xffffffffUL;
  74060. }
  74061. #ifdef BYFOUR
  74062. /* ========================================================================= */
  74063. #define DOLIT4 c ^= *buf4++; \
  74064. c = crc_table[3][c & 0xff] ^ crc_table[2][(c >> 8) & 0xff] ^ \
  74065. crc_table[1][(c >> 16) & 0xff] ^ crc_table[0][c >> 24]
  74066. #define DOLIT32 DOLIT4; DOLIT4; DOLIT4; DOLIT4; DOLIT4; DOLIT4; DOLIT4; DOLIT4
  74067. /* ========================================================================= */
  74068. local unsigned long crc32_little(unsigned long crc, const unsigned char FAR *buf, unsigned len)
  74069. {
  74070. register u4 c;
  74071. register const u4 FAR *buf4;
  74072. c = (u4)crc;
  74073. c = ~c;
  74074. while (len && ((ptrdiff_t)buf & 3)) {
  74075. c = crc_table[0][(c ^ *buf++) & 0xff] ^ (c >> 8);
  74076. len--;
  74077. }
  74078. buf4 = (const u4 FAR *)(const void FAR *)buf;
  74079. while (len >= 32) {
  74080. DOLIT32;
  74081. len -= 32;
  74082. }
  74083. while (len >= 4) {
  74084. DOLIT4;
  74085. len -= 4;
  74086. }
  74087. buf = (const unsigned char FAR *)buf4;
  74088. if (len) do {
  74089. c = crc_table[0][(c ^ *buf++) & 0xff] ^ (c >> 8);
  74090. } while (--len);
  74091. c = ~c;
  74092. return (unsigned long)c;
  74093. }
  74094. /* ========================================================================= */
  74095. #define DOBIG4 c ^= *++buf4; \
  74096. c = crc_table[4][c & 0xff] ^ crc_table[5][(c >> 8) & 0xff] ^ \
  74097. crc_table[6][(c >> 16) & 0xff] ^ crc_table[7][c >> 24]
  74098. #define DOBIG32 DOBIG4; DOBIG4; DOBIG4; DOBIG4; DOBIG4; DOBIG4; DOBIG4; DOBIG4
  74099. /* ========================================================================= */
  74100. local unsigned long crc32_big (unsigned long crc, const unsigned char FAR *buf, unsigned len)
  74101. {
  74102. register u4 c;
  74103. register const u4 FAR *buf4;
  74104. c = REV((u4)crc);
  74105. c = ~c;
  74106. while (len && ((ptrdiff_t)buf & 3)) {
  74107. c = crc_table[4][(c >> 24) ^ *buf++] ^ (c << 8);
  74108. len--;
  74109. }
  74110. buf4 = (const u4 FAR *)(const void FAR *)buf;
  74111. buf4--;
  74112. while (len >= 32) {
  74113. DOBIG32;
  74114. len -= 32;
  74115. }
  74116. while (len >= 4) {
  74117. DOBIG4;
  74118. len -= 4;
  74119. }
  74120. buf4++;
  74121. buf = (const unsigned char FAR *)buf4;
  74122. if (len) do {
  74123. c = crc_table[4][(c >> 24) ^ *buf++] ^ (c << 8);
  74124. } while (--len);
  74125. c = ~c;
  74126. return (unsigned long)(REV(c));
  74127. }
  74128. #endif /* BYFOUR */
  74129. #define GF2_DIM 32 /* dimension of GF(2) vectors (length of CRC) */
  74130. /* ========================================================================= */
  74131. local unsigned long gf2_matrix_times (unsigned long *mat, unsigned long vec)
  74132. {
  74133. unsigned long sum;
  74134. sum = 0;
  74135. while (vec) {
  74136. if (vec & 1)
  74137. sum ^= *mat;
  74138. vec >>= 1;
  74139. mat++;
  74140. }
  74141. return sum;
  74142. }
  74143. /* ========================================================================= */
  74144. local void gf2_matrix_square (unsigned long *square, unsigned long *mat)
  74145. {
  74146. int n;
  74147. for (n = 0; n < GF2_DIM; n++)
  74148. square[n] = gf2_matrix_times(mat, mat[n]);
  74149. }
  74150. /* ========================================================================= */
  74151. uLong ZEXPORT crc32_combine (uLong crc1, uLong crc2, z_off_t len2)
  74152. {
  74153. int n;
  74154. unsigned long row;
  74155. unsigned long even[GF2_DIM]; /* even-power-of-two zeros operator */
  74156. unsigned long odd[GF2_DIM]; /* odd-power-of-two zeros operator */
  74157. /* degenerate case */
  74158. if (len2 == 0)
  74159. return crc1;
  74160. /* put operator for one zero bit in odd */
  74161. odd[0] = 0xedb88320L; /* CRC-32 polynomial */
  74162. row = 1;
  74163. for (n = 1; n < GF2_DIM; n++) {
  74164. odd[n] = row;
  74165. row <<= 1;
  74166. }
  74167. /* put operator for two zero bits in even */
  74168. gf2_matrix_square(even, odd);
  74169. /* put operator for four zero bits in odd */
  74170. gf2_matrix_square(odd, even);
  74171. /* apply len2 zeros to crc1 (first square will put the operator for one
  74172. zero byte, eight zero bits, in even) */
  74173. do {
  74174. /* apply zeros operator for this bit of len2 */
  74175. gf2_matrix_square(even, odd);
  74176. if (len2 & 1)
  74177. crc1 = gf2_matrix_times(even, crc1);
  74178. len2 >>= 1;
  74179. /* if no more bits set, then done */
  74180. if (len2 == 0)
  74181. break;
  74182. /* another iteration of the loop with odd and even swapped */
  74183. gf2_matrix_square(odd, even);
  74184. if (len2 & 1)
  74185. crc1 = gf2_matrix_times(odd, crc1);
  74186. len2 >>= 1;
  74187. /* if no more bits set, then done */
  74188. } while (len2 != 0);
  74189. /* return combined crc */
  74190. crc1 ^= crc2;
  74191. return crc1;
  74192. }
  74193. /********* End of inlined file: crc32.c *********/
  74194. /********* Start of inlined file: deflate.c *********/
  74195. /*
  74196. * ALGORITHM
  74197. *
  74198. * The "deflation" process depends on being able to identify portions
  74199. * of the input text which are identical to earlier input (within a
  74200. * sliding window trailing behind the input currently being processed).
  74201. *
  74202. * The most straightforward technique turns out to be the fastest for
  74203. * most input files: try all possible matches and select the longest.
  74204. * The key feature of this algorithm is that insertions into the string
  74205. * dictionary are very simple and thus fast, and deletions are avoided
  74206. * completely. Insertions are performed at each input character, whereas
  74207. * string matches are performed only when the previous match ends. So it
  74208. * is preferable to spend more time in matches to allow very fast string
  74209. * insertions and avoid deletions. The matching algorithm for small
  74210. * strings is inspired from that of Rabin & Karp. A brute force approach
  74211. * is used to find longer strings when a small match has been found.
  74212. * A similar algorithm is used in comic (by Jan-Mark Wams) and freeze
  74213. * (by Leonid Broukhis).
  74214. * A previous version of this file used a more sophisticated algorithm
  74215. * (by Fiala and Greene) which is guaranteed to run in linear amortized
  74216. * time, but has a larger average cost, uses more memory and is patented.
  74217. * However the F&G algorithm may be faster for some highly redundant
  74218. * files if the parameter max_chain_length (described below) is too large.
  74219. *
  74220. * ACKNOWLEDGEMENTS
  74221. *
  74222. * The idea of lazy evaluation of matches is due to Jan-Mark Wams, and
  74223. * I found it in 'freeze' written by Leonid Broukhis.
  74224. * Thanks to many people for bug reports and testing.
  74225. *
  74226. * REFERENCES
  74227. *
  74228. * Deutsch, L.P.,"DEFLATE Compressed Data Format Specification".
  74229. * Available in http://www.ietf.org/rfc/rfc1951.txt
  74230. *
  74231. * A description of the Rabin and Karp algorithm is given in the book
  74232. * "Algorithms" by R. Sedgewick, Addison-Wesley, p252.
  74233. *
  74234. * Fiala,E.R., and Greene,D.H.
  74235. * Data Compression with Finite Windows, Comm.ACM, 32,4 (1989) 490-595
  74236. *
  74237. */
  74238. /* @(#) $Id: deflate.c,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  74239. /********* Start of inlined file: deflate.h *********/
  74240. /* WARNING: this file should *not* be used by applications. It is
  74241. part of the implementation of the compression library and is
  74242. subject to change. Applications should only use zlib.h.
  74243. */
  74244. /* @(#) $Id: deflate.h,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  74245. #ifndef DEFLATE_H
  74246. #define DEFLATE_H
  74247. /* define NO_GZIP when compiling if you want to disable gzip header and
  74248. trailer creation by deflate(). NO_GZIP would be used to avoid linking in
  74249. the crc code when it is not needed. For shared libraries, gzip encoding
  74250. should be left enabled. */
  74251. #ifndef NO_GZIP
  74252. # define GZIP
  74253. #endif
  74254. #define NO_DUMMY_DECL
  74255. /* ===========================================================================
  74256. * Internal compression state.
  74257. */
  74258. #define LENGTH_CODES 29
  74259. /* number of length codes, not counting the special END_BLOCK code */
  74260. #define LITERALS 256
  74261. /* number of literal bytes 0..255 */
  74262. #define L_CODES (LITERALS+1+LENGTH_CODES)
  74263. /* number of Literal or Length codes, including the END_BLOCK code */
  74264. #define D_CODES 30
  74265. /* number of distance codes */
  74266. #define BL_CODES 19
  74267. /* number of codes used to transfer the bit lengths */
  74268. #define HEAP_SIZE (2*L_CODES+1)
  74269. /* maximum heap size */
  74270. #define MAX_BITS 15
  74271. /* All codes must not exceed MAX_BITS bits */
  74272. #define INIT_STATE 42
  74273. #define EXTRA_STATE 69
  74274. #define NAME_STATE 73
  74275. #define COMMENT_STATE 91
  74276. #define HCRC_STATE 103
  74277. #define BUSY_STATE 113
  74278. #define FINISH_STATE 666
  74279. /* Stream status */
  74280. /* Data structure describing a single value and its code string. */
  74281. typedef struct ct_data_s {
  74282. union {
  74283. ush freq; /* frequency count */
  74284. ush code; /* bit string */
  74285. } fc;
  74286. union {
  74287. ush dad; /* father node in Huffman tree */
  74288. ush len; /* length of bit string */
  74289. } dl;
  74290. } FAR ct_data;
  74291. #define Freq fc.freq
  74292. #define Code fc.code
  74293. #define Dad dl.dad
  74294. #define Len dl.len
  74295. typedef struct static_tree_desc_s static_tree_desc;
  74296. typedef struct tree_desc_s {
  74297. ct_data *dyn_tree; /* the dynamic tree */
  74298. int max_code; /* largest code with non zero frequency */
  74299. static_tree_desc *stat_desc; /* the corresponding static tree */
  74300. } FAR tree_desc;
  74301. typedef ush Pos;
  74302. typedef Pos FAR Posf;
  74303. typedef unsigned IPos;
  74304. /* A Pos is an index in the character window. We use short instead of int to
  74305. * save space in the various tables. IPos is used only for parameter passing.
  74306. */
  74307. typedef struct internal_state {
  74308. z_streamp strm; /* pointer back to this zlib stream */
  74309. int status; /* as the name implies */
  74310. Bytef *pending_buf; /* output still pending */
  74311. ulg pending_buf_size; /* size of pending_buf */
  74312. Bytef *pending_out; /* next pending byte to output to the stream */
  74313. uInt pending; /* nb of bytes in the pending buffer */
  74314. int wrap; /* bit 0 true for zlib, bit 1 true for gzip */
  74315. gz_headerp gzhead; /* gzip header information to write */
  74316. uInt gzindex; /* where in extra, name, or comment */
  74317. Byte method; /* STORED (for zip only) or DEFLATED */
  74318. int last_flush; /* value of flush param for previous deflate call */
  74319. /* used by deflate.c: */
  74320. uInt w_size; /* LZ77 window size (32K by default) */
  74321. uInt w_bits; /* log2(w_size) (8..16) */
  74322. uInt w_mask; /* w_size - 1 */
  74323. Bytef *window;
  74324. /* Sliding window. Input bytes are read into the second half of the window,
  74325. * and move to the first half later to keep a dictionary of at least wSize
  74326. * bytes. With this organization, matches are limited to a distance of
  74327. * wSize-MAX_MATCH bytes, but this ensures that IO is always
  74328. * performed with a length multiple of the block size. Also, it limits
  74329. * the window size to 64K, which is quite useful on MSDOS.
  74330. * To do: use the user input buffer as sliding window.
  74331. */
  74332. ulg window_size;
  74333. /* Actual size of window: 2*wSize, except when the user input buffer
  74334. * is directly used as sliding window.
  74335. */
  74336. Posf *prev;
  74337. /* Link to older string with same hash index. To limit the size of this
  74338. * array to 64K, this link is maintained only for the last 32K strings.
  74339. * An index in this array is thus a window index modulo 32K.
  74340. */
  74341. Posf *head; /* Heads of the hash chains or NIL. */
  74342. uInt ins_h; /* hash index of string to be inserted */
  74343. uInt hash_size; /* number of elements in hash table */
  74344. uInt hash_bits; /* log2(hash_size) */
  74345. uInt hash_mask; /* hash_size-1 */
  74346. uInt hash_shift;
  74347. /* Number of bits by which ins_h must be shifted at each input
  74348. * step. It must be such that after MIN_MATCH steps, the oldest
  74349. * byte no longer takes part in the hash key, that is:
  74350. * hash_shift * MIN_MATCH >= hash_bits
  74351. */
  74352. long block_start;
  74353. /* Window position at the beginning of the current output block. Gets
  74354. * negative when the window is moved backwards.
  74355. */
  74356. uInt match_length; /* length of best match */
  74357. IPos prev_match; /* previous match */
  74358. int match_available; /* set if previous match exists */
  74359. uInt strstart; /* start of string to insert */
  74360. uInt match_start; /* start of matching string */
  74361. uInt lookahead; /* number of valid bytes ahead in window */
  74362. uInt prev_length;
  74363. /* Length of the best match at previous step. Matches not greater than this
  74364. * are discarded. This is used in the lazy match evaluation.
  74365. */
  74366. uInt max_chain_length;
  74367. /* To speed up deflation, hash chains are never searched beyond this
  74368. * length. A higher limit improves compression ratio but degrades the
  74369. * speed.
  74370. */
  74371. uInt max_lazy_match;
  74372. /* Attempt to find a better match only when the current match is strictly
  74373. * smaller than this value. This mechanism is used only for compression
  74374. * levels >= 4.
  74375. */
  74376. # define max_insert_length max_lazy_match
  74377. /* Insert new strings in the hash table only if the match length is not
  74378. * greater than this length. This saves time but degrades compression.
  74379. * max_insert_length is used only for compression levels <= 3.
  74380. */
  74381. int level; /* compression level (1..9) */
  74382. int strategy; /* favor or force Huffman coding*/
  74383. uInt good_match;
  74384. /* Use a faster search when the previous match is longer than this */
  74385. int nice_match; /* Stop searching when current match exceeds this */
  74386. /* used by trees.c: */
  74387. /* Didn't use ct_data typedef below to supress compiler warning */
  74388. struct ct_data_s dyn_ltree[HEAP_SIZE]; /* literal and length tree */
  74389. struct ct_data_s dyn_dtree[2*D_CODES+1]; /* distance tree */
  74390. struct ct_data_s bl_tree[2*BL_CODES+1]; /* Huffman tree for bit lengths */
  74391. struct tree_desc_s l_desc; /* desc. for literal tree */
  74392. struct tree_desc_s d_desc; /* desc. for distance tree */
  74393. struct tree_desc_s bl_desc; /* desc. for bit length tree */
  74394. ush bl_count[MAX_BITS+1];
  74395. /* number of codes at each bit length for an optimal tree */
  74396. int heap[2*L_CODES+1]; /* heap used to build the Huffman trees */
  74397. int heap_len; /* number of elements in the heap */
  74398. int heap_max; /* element of largest frequency */
  74399. /* The sons of heap[n] are heap[2*n] and heap[2*n+1]. heap[0] is not used.
  74400. * The same heap array is used to build all trees.
  74401. */
  74402. uch depth[2*L_CODES+1];
  74403. /* Depth of each subtree used as tie breaker for trees of equal frequency
  74404. */
  74405. uchf *l_buf; /* buffer for literals or lengths */
  74406. uInt lit_bufsize;
  74407. /* Size of match buffer for literals/lengths. There are 4 reasons for
  74408. * limiting lit_bufsize to 64K:
  74409. * - frequencies can be kept in 16 bit counters
  74410. * - if compression is not successful for the first block, all input
  74411. * data is still in the window so we can still emit a stored block even
  74412. * when input comes from standard input. (This can also be done for
  74413. * all blocks if lit_bufsize is not greater than 32K.)
  74414. * - if compression is not successful for a file smaller than 64K, we can
  74415. * even emit a stored file instead of a stored block (saving 5 bytes).
  74416. * This is applicable only for zip (not gzip or zlib).
  74417. * - creating new Huffman trees less frequently may not provide fast
  74418. * adaptation to changes in the input data statistics. (Take for
  74419. * example a binary file with poorly compressible code followed by
  74420. * a highly compressible string table.) Smaller buffer sizes give
  74421. * fast adaptation but have of course the overhead of transmitting
  74422. * trees more frequently.
  74423. * - I can't count above 4
  74424. */
  74425. uInt last_lit; /* running index in l_buf */
  74426. ushf *d_buf;
  74427. /* Buffer for distances. To simplify the code, d_buf and l_buf have
  74428. * the same number of elements. To use different lengths, an extra flag
  74429. * array would be necessary.
  74430. */
  74431. ulg opt_len; /* bit length of current block with optimal trees */
  74432. ulg static_len; /* bit length of current block with static trees */
  74433. uInt matches; /* number of string matches in current block */
  74434. int last_eob_len; /* bit length of EOB code for last block */
  74435. #ifdef DEBUG
  74436. ulg compressed_len; /* total bit length of compressed file mod 2^32 */
  74437. ulg bits_sent; /* bit length of compressed data sent mod 2^32 */
  74438. #endif
  74439. ush bi_buf;
  74440. /* Output buffer. bits are inserted starting at the bottom (least
  74441. * significant bits).
  74442. */
  74443. int bi_valid;
  74444. /* Number of valid bits in bi_buf. All bits above the last valid bit
  74445. * are always zero.
  74446. */
  74447. } FAR deflate_state;
  74448. /* Output a byte on the stream.
  74449. * IN assertion: there is enough room in pending_buf.
  74450. */
  74451. #define put_byte(s, c) {s->pending_buf[s->pending++] = (c);}
  74452. #define MIN_LOOKAHEAD (MAX_MATCH+MIN_MATCH+1)
  74453. /* Minimum amount of lookahead, except at the end of the input file.
  74454. * See deflate.c for comments about the MIN_MATCH+1.
  74455. */
  74456. #define MAX_DIST(s) ((s)->w_size-MIN_LOOKAHEAD)
  74457. /* In order to simplify the code, particularly on 16 bit machines, match
  74458. * distances are limited to MAX_DIST instead of WSIZE.
  74459. */
  74460. /* in trees.c */
  74461. void _tr_init OF((deflate_state *s));
  74462. int _tr_tally OF((deflate_state *s, unsigned dist, unsigned lc));
  74463. void _tr_flush_block OF((deflate_state *s, charf *buf, ulg stored_len,
  74464. int eof));
  74465. void _tr_align OF((deflate_state *s));
  74466. void _tr_stored_block OF((deflate_state *s, charf *buf, ulg stored_len,
  74467. int eof));
  74468. #define d_code(dist) \
  74469. ((dist) < 256 ? _dist_code[dist] : _dist_code[256+((dist)>>7)])
  74470. /* Mapping from a distance to a distance code. dist is the distance - 1 and
  74471. * must not have side effects. _dist_code[256] and _dist_code[257] are never
  74472. * used.
  74473. */
  74474. #ifndef DEBUG
  74475. /* Inline versions of _tr_tally for speed: */
  74476. #if defined(GEN_TREES_H) || !defined(STDC)
  74477. extern uch _length_code[];
  74478. extern uch _dist_code[];
  74479. #else
  74480. extern const uch _length_code[];
  74481. extern const uch _dist_code[];
  74482. #endif
  74483. # define _tr_tally_lit(s, c, flush) \
  74484. { uch cc = (c); \
  74485. s->d_buf[s->last_lit] = 0; \
  74486. s->l_buf[s->last_lit++] = cc; \
  74487. s->dyn_ltree[cc].Freq++; \
  74488. flush = (s->last_lit == s->lit_bufsize-1); \
  74489. }
  74490. # define _tr_tally_dist(s, distance, length, flush) \
  74491. { uch len = (length); \
  74492. ush dist = (distance); \
  74493. s->d_buf[s->last_lit] = dist; \
  74494. s->l_buf[s->last_lit++] = len; \
  74495. dist--; \
  74496. s->dyn_ltree[_length_code[len]+LITERALS+1].Freq++; \
  74497. s->dyn_dtree[d_code(dist)].Freq++; \
  74498. flush = (s->last_lit == s->lit_bufsize-1); \
  74499. }
  74500. #else
  74501. # define _tr_tally_lit(s, c, flush) flush = _tr_tally(s, 0, c)
  74502. # define _tr_tally_dist(s, distance, length, flush) \
  74503. flush = _tr_tally(s, distance, length)
  74504. #endif
  74505. #endif /* DEFLATE_H */
  74506. /********* End of inlined file: deflate.h *********/
  74507. const char deflate_copyright[] =
  74508. " deflate 1.2.3 Copyright 1995-2005 Jean-loup Gailly ";
  74509. /*
  74510. If you use the zlib library in a product, an acknowledgment is welcome
  74511. in the documentation of your product. If for some reason you cannot
  74512. include such an acknowledgment, I would appreciate that you keep this
  74513. copyright string in the executable of your product.
  74514. */
  74515. /* ===========================================================================
  74516. * Function prototypes.
  74517. */
  74518. typedef enum {
  74519. need_more, /* block not completed, need more input or more output */
  74520. block_done, /* block flush performed */
  74521. finish_started, /* finish started, need only more output at next deflate */
  74522. finish_done /* finish done, accept no more input or output */
  74523. } block_state;
  74524. typedef block_state (*compress_func) OF((deflate_state *s, int flush));
  74525. /* Compression function. Returns the block state after the call. */
  74526. local void fill_window OF((deflate_state *s));
  74527. local block_state deflate_stored OF((deflate_state *s, int flush));
  74528. local block_state deflate_fast OF((deflate_state *s, int flush));
  74529. #ifndef FASTEST
  74530. local block_state deflate_slow OF((deflate_state *s, int flush));
  74531. #endif
  74532. local void lm_init OF((deflate_state *s));
  74533. local void putShortMSB OF((deflate_state *s, uInt b));
  74534. local void flush_pending OF((z_streamp strm));
  74535. local int read_buf OF((z_streamp strm, Bytef *buf, unsigned size));
  74536. #ifndef FASTEST
  74537. #ifdef ASMV
  74538. void match_init OF((void)); /* asm code initialization */
  74539. uInt longest_match OF((deflate_state *s, IPos cur_match));
  74540. #else
  74541. local uInt longest_match OF((deflate_state *s, IPos cur_match));
  74542. #endif
  74543. #endif
  74544. local uInt longest_match_fast OF((deflate_state *s, IPos cur_match));
  74545. #ifdef DEBUG
  74546. local void check_match OF((deflate_state *s, IPos start, IPos match,
  74547. int length));
  74548. #endif
  74549. /* ===========================================================================
  74550. * Local data
  74551. */
  74552. #define NIL 0
  74553. /* Tail of hash chains */
  74554. #ifndef TOO_FAR
  74555. # define TOO_FAR 4096
  74556. #endif
  74557. /* Matches of length 3 are discarded if their distance exceeds TOO_FAR */
  74558. #define MIN_LOOKAHEAD (MAX_MATCH+MIN_MATCH+1)
  74559. /* Minimum amount of lookahead, except at the end of the input file.
  74560. * See deflate.c for comments about the MIN_MATCH+1.
  74561. */
  74562. /* Values for max_lazy_match, good_match and max_chain_length, depending on
  74563. * the desired pack level (0..9). The values given below have been tuned to
  74564. * exclude worst case performance for pathological files. Better values may be
  74565. * found for specific files.
  74566. */
  74567. typedef struct config_s {
  74568. ush good_length; /* reduce lazy search above this match length */
  74569. ush max_lazy; /* do not perform lazy search above this match length */
  74570. ush nice_length; /* quit search above this match length */
  74571. ush max_chain;
  74572. compress_func func;
  74573. } config;
  74574. #ifdef FASTEST
  74575. local const config configuration_table[2] = {
  74576. /* good lazy nice chain */
  74577. /* 0 */ {0, 0, 0, 0, deflate_stored}, /* store only */
  74578. /* 1 */ {4, 4, 8, 4, deflate_fast}}; /* max speed, no lazy matches */
  74579. #else
  74580. local const config configuration_table[10] = {
  74581. /* good lazy nice chain */
  74582. /* 0 */ {0, 0, 0, 0, deflate_stored}, /* store only */
  74583. /* 1 */ {4, 4, 8, 4, deflate_fast}, /* max speed, no lazy matches */
  74584. /* 2 */ {4, 5, 16, 8, deflate_fast},
  74585. /* 3 */ {4, 6, 32, 32, deflate_fast},
  74586. /* 4 */ {4, 4, 16, 16, deflate_slow}, /* lazy matches */
  74587. /* 5 */ {8, 16, 32, 32, deflate_slow},
  74588. /* 6 */ {8, 16, 128, 128, deflate_slow},
  74589. /* 7 */ {8, 32, 128, 256, deflate_slow},
  74590. /* 8 */ {32, 128, 258, 1024, deflate_slow},
  74591. /* 9 */ {32, 258, 258, 4096, deflate_slow}}; /* max compression */
  74592. #endif
  74593. /* Note: the deflate() code requires max_lazy >= MIN_MATCH and max_chain >= 4
  74594. * For deflate_fast() (levels <= 3) good is ignored and lazy has a different
  74595. * meaning.
  74596. */
  74597. #define EQUAL 0
  74598. /* result of memcmp for equal strings */
  74599. #ifndef NO_DUMMY_DECL
  74600. struct static_tree_desc_s {int dummy;}; /* for buggy compilers */
  74601. #endif
  74602. /* ===========================================================================
  74603. * Update a hash value with the given input byte
  74604. * IN assertion: all calls to to UPDATE_HASH are made with consecutive
  74605. * input characters, so that a running hash key can be computed from the
  74606. * previous key instead of complete recalculation each time.
  74607. */
  74608. #define UPDATE_HASH(s,h,c) (h = (((h)<<s->hash_shift) ^ (c)) & s->hash_mask)
  74609. /* ===========================================================================
  74610. * Insert string str in the dictionary and set match_head to the previous head
  74611. * of the hash chain (the most recent string with same hash key). Return
  74612. * the previous length of the hash chain.
  74613. * If this file is compiled with -DFASTEST, the compression level is forced
  74614. * to 1, and no hash chains are maintained.
  74615. * IN assertion: all calls to to INSERT_STRING are made with consecutive
  74616. * input characters and the first MIN_MATCH bytes of str are valid
  74617. * (except for the last MIN_MATCH-1 bytes of the input file).
  74618. */
  74619. #ifdef FASTEST
  74620. #define INSERT_STRING(s, str, match_head) \
  74621. (UPDATE_HASH(s, s->ins_h, s->window[(str) + (MIN_MATCH-1)]), \
  74622. match_head = s->head[s->ins_h], \
  74623. s->head[s->ins_h] = (Pos)(str))
  74624. #else
  74625. #define INSERT_STRING(s, str, match_head) \
  74626. (UPDATE_HASH(s, s->ins_h, s->window[(str) + (MIN_MATCH-1)]), \
  74627. match_head = s->prev[(str) & s->w_mask] = s->head[s->ins_h], \
  74628. s->head[s->ins_h] = (Pos)(str))
  74629. #endif
  74630. /* ===========================================================================
  74631. * Initialize the hash table (avoiding 64K overflow for 16 bit systems).
  74632. * prev[] will be initialized on the fly.
  74633. */
  74634. #define CLEAR_HASH(s) \
  74635. s->head[s->hash_size-1] = NIL; \
  74636. zmemzero((Bytef *)s->head, (unsigned)(s->hash_size-1)*sizeof(*s->head));
  74637. /* ========================================================================= */
  74638. int ZEXPORT deflateInit_(z_streamp strm, int level, const char *version, int stream_size)
  74639. {
  74640. return deflateInit2_(strm, level, Z_DEFLATED, MAX_WBITS, DEF_MEM_LEVEL,
  74641. Z_DEFAULT_STRATEGY, version, stream_size);
  74642. /* To do: ignore strm->next_in if we use it as window */
  74643. }
  74644. /* ========================================================================= */
  74645. int ZEXPORT deflateInit2_ (z_streamp strm, int level, int method, int windowBits, int memLevel, int strategy, const char *version, int stream_size)
  74646. {
  74647. deflate_state *s;
  74648. int wrap = 1;
  74649. static const char my_version[] = ZLIB_VERSION;
  74650. ushf *overlay;
  74651. /* We overlay pending_buf and d_buf+l_buf. This works since the average
  74652. * output size for (length,distance) codes is <= 24 bits.
  74653. */
  74654. if (version == Z_NULL || version[0] != my_version[0] ||
  74655. stream_size != sizeof(z_stream)) {
  74656. return Z_VERSION_ERROR;
  74657. }
  74658. if (strm == Z_NULL) return Z_STREAM_ERROR;
  74659. strm->msg = Z_NULL;
  74660. if (strm->zalloc == (alloc_func)0) {
  74661. strm->zalloc = zcalloc;
  74662. strm->opaque = (voidpf)0;
  74663. }
  74664. if (strm->zfree == (free_func)0) strm->zfree = zcfree;
  74665. #ifdef FASTEST
  74666. if (level != 0) level = 1;
  74667. #else
  74668. if (level == Z_DEFAULT_COMPRESSION) level = 6;
  74669. #endif
  74670. if (windowBits < 0) { /* suppress zlib wrapper */
  74671. wrap = 0;
  74672. windowBits = -windowBits;
  74673. }
  74674. #ifdef GZIP
  74675. else if (windowBits > 15) {
  74676. wrap = 2; /* write gzip wrapper instead */
  74677. windowBits -= 16;
  74678. }
  74679. #endif
  74680. if (memLevel < 1 || memLevel > MAX_MEM_LEVEL || method != Z_DEFLATED ||
  74681. windowBits < 8 || windowBits > 15 || level < 0 || level > 9 ||
  74682. strategy < 0 || strategy > Z_FIXED) {
  74683. return Z_STREAM_ERROR;
  74684. }
  74685. if (windowBits == 8) windowBits = 9; /* until 256-byte window bug fixed */
  74686. s = (deflate_state *) ZALLOC(strm, 1, sizeof(deflate_state));
  74687. if (s == Z_NULL) return Z_MEM_ERROR;
  74688. strm->state = (struct internal_state FAR *)s;
  74689. s->strm = strm;
  74690. s->wrap = wrap;
  74691. s->gzhead = Z_NULL;
  74692. s->w_bits = windowBits;
  74693. s->w_size = 1 << s->w_bits;
  74694. s->w_mask = s->w_size - 1;
  74695. s->hash_bits = memLevel + 7;
  74696. s->hash_size = 1 << s->hash_bits;
  74697. s->hash_mask = s->hash_size - 1;
  74698. s->hash_shift = ((s->hash_bits+MIN_MATCH-1)/MIN_MATCH);
  74699. s->window = (Bytef *) ZALLOC(strm, s->w_size, 2*sizeof(Byte));
  74700. s->prev = (Posf *) ZALLOC(strm, s->w_size, sizeof(Pos));
  74701. s->head = (Posf *) ZALLOC(strm, s->hash_size, sizeof(Pos));
  74702. s->lit_bufsize = 1 << (memLevel + 6); /* 16K elements by default */
  74703. overlay = (ushf *) ZALLOC(strm, s->lit_bufsize, sizeof(ush)+2);
  74704. s->pending_buf = (uchf *) overlay;
  74705. s->pending_buf_size = (ulg)s->lit_bufsize * (sizeof(ush)+2L);
  74706. if (s->window == Z_NULL || s->prev == Z_NULL || s->head == Z_NULL ||
  74707. s->pending_buf == Z_NULL) {
  74708. s->status = FINISH_STATE;
  74709. strm->msg = (char*)ERR_MSG(Z_MEM_ERROR);
  74710. deflateEnd (strm);
  74711. return Z_MEM_ERROR;
  74712. }
  74713. s->d_buf = overlay + s->lit_bufsize/sizeof(ush);
  74714. s->l_buf = s->pending_buf + (1+sizeof(ush))*s->lit_bufsize;
  74715. s->level = level;
  74716. s->strategy = strategy;
  74717. s->method = (Byte)method;
  74718. return deflateReset(strm);
  74719. }
  74720. /* ========================================================================= */
  74721. int ZEXPORT deflateSetDictionary (z_streamp strm, const Bytef *dictionary, uInt dictLength)
  74722. {
  74723. deflate_state *s;
  74724. uInt length = dictLength;
  74725. uInt n;
  74726. IPos hash_head = 0;
  74727. if (strm == Z_NULL || strm->state == Z_NULL || dictionary == Z_NULL ||
  74728. strm->state->wrap == 2 ||
  74729. (strm->state->wrap == 1 && strm->state->status != INIT_STATE))
  74730. return Z_STREAM_ERROR;
  74731. s = strm->state;
  74732. if (s->wrap)
  74733. strm->adler = adler32(strm->adler, dictionary, dictLength);
  74734. if (length < MIN_MATCH) return Z_OK;
  74735. if (length > MAX_DIST(s)) {
  74736. length = MAX_DIST(s);
  74737. dictionary += dictLength - length; /* use the tail of the dictionary */
  74738. }
  74739. zmemcpy(s->window, dictionary, length);
  74740. s->strstart = length;
  74741. s->block_start = (long)length;
  74742. /* Insert all strings in the hash table (except for the last two bytes).
  74743. * s->lookahead stays null, so s->ins_h will be recomputed at the next
  74744. * call of fill_window.
  74745. */
  74746. s->ins_h = s->window[0];
  74747. UPDATE_HASH(s, s->ins_h, s->window[1]);
  74748. for (n = 0; n <= length - MIN_MATCH; n++) {
  74749. INSERT_STRING(s, n, hash_head);
  74750. }
  74751. if (hash_head) hash_head = 0; /* to make compiler happy */
  74752. return Z_OK;
  74753. }
  74754. /* ========================================================================= */
  74755. int ZEXPORT deflateReset (z_streamp strm)
  74756. {
  74757. deflate_state *s;
  74758. if (strm == Z_NULL || strm->state == Z_NULL ||
  74759. strm->zalloc == (alloc_func)0 || strm->zfree == (free_func)0) {
  74760. return Z_STREAM_ERROR;
  74761. }
  74762. strm->total_in = strm->total_out = 0;
  74763. strm->msg = Z_NULL; /* use zfree if we ever allocate msg dynamically */
  74764. strm->data_type = Z_UNKNOWN;
  74765. s = (deflate_state *)strm->state;
  74766. s->pending = 0;
  74767. s->pending_out = s->pending_buf;
  74768. if (s->wrap < 0) {
  74769. s->wrap = -s->wrap; /* was made negative by deflate(..., Z_FINISH); */
  74770. }
  74771. s->status = s->wrap ? INIT_STATE : BUSY_STATE;
  74772. strm->adler =
  74773. #ifdef GZIP
  74774. s->wrap == 2 ? crc32(0L, Z_NULL, 0) :
  74775. #endif
  74776. adler32(0L, Z_NULL, 0);
  74777. s->last_flush = Z_NO_FLUSH;
  74778. _tr_init(s);
  74779. lm_init(s);
  74780. return Z_OK;
  74781. }
  74782. /* ========================================================================= */
  74783. int ZEXPORT deflateSetHeader (z_streamp strm, gz_headerp head)
  74784. {
  74785. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  74786. if (strm->state->wrap != 2) return Z_STREAM_ERROR;
  74787. strm->state->gzhead = head;
  74788. return Z_OK;
  74789. }
  74790. /* ========================================================================= */
  74791. int ZEXPORT deflatePrime (z_streamp strm, int bits, int value)
  74792. {
  74793. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  74794. strm->state->bi_valid = bits;
  74795. strm->state->bi_buf = (ush)(value & ((1 << bits) - 1));
  74796. return Z_OK;
  74797. }
  74798. /* ========================================================================= */
  74799. int ZEXPORT deflateParams (z_streamp strm, int level, int strategy)
  74800. {
  74801. deflate_state *s;
  74802. compress_func func;
  74803. int err = Z_OK;
  74804. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  74805. s = strm->state;
  74806. #ifdef FASTEST
  74807. if (level != 0) level = 1;
  74808. #else
  74809. if (level == Z_DEFAULT_COMPRESSION) level = 6;
  74810. #endif
  74811. if (level < 0 || level > 9 || strategy < 0 || strategy > Z_FIXED) {
  74812. return Z_STREAM_ERROR;
  74813. }
  74814. func = configuration_table[s->level].func;
  74815. if (func != configuration_table[level].func && strm->total_in != 0) {
  74816. /* Flush the last buffer: */
  74817. err = deflate(strm, Z_PARTIAL_FLUSH);
  74818. }
  74819. if (s->level != level) {
  74820. s->level = level;
  74821. s->max_lazy_match = configuration_table[level].max_lazy;
  74822. s->good_match = configuration_table[level].good_length;
  74823. s->nice_match = configuration_table[level].nice_length;
  74824. s->max_chain_length = configuration_table[level].max_chain;
  74825. }
  74826. s->strategy = strategy;
  74827. return err;
  74828. }
  74829. /* ========================================================================= */
  74830. int ZEXPORT deflateTune (z_streamp strm, int good_length, int max_lazy, int nice_length, int max_chain)
  74831. {
  74832. deflate_state *s;
  74833. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  74834. s = strm->state;
  74835. s->good_match = good_length;
  74836. s->max_lazy_match = max_lazy;
  74837. s->nice_match = nice_length;
  74838. s->max_chain_length = max_chain;
  74839. return Z_OK;
  74840. }
  74841. /* =========================================================================
  74842. * For the default windowBits of 15 and memLevel of 8, this function returns
  74843. * a close to exact, as well as small, upper bound on the compressed size.
  74844. * They are coded as constants here for a reason--if the #define's are
  74845. * changed, then this function needs to be changed as well. The return
  74846. * value for 15 and 8 only works for those exact settings.
  74847. *
  74848. * For any setting other than those defaults for windowBits and memLevel,
  74849. * the value returned is a conservative worst case for the maximum expansion
  74850. * resulting from using fixed blocks instead of stored blocks, which deflate
  74851. * can emit on compressed data for some combinations of the parameters.
  74852. *
  74853. * This function could be more sophisticated to provide closer upper bounds
  74854. * for every combination of windowBits and memLevel, as well as wrap.
  74855. * But even the conservative upper bound of about 14% expansion does not
  74856. * seem onerous for output buffer allocation.
  74857. */
  74858. uLong ZEXPORT deflateBound (z_streamp strm, uLong sourceLen)
  74859. {
  74860. deflate_state *s;
  74861. uLong destLen;
  74862. /* conservative upper bound */
  74863. destLen = sourceLen +
  74864. ((sourceLen + 7) >> 3) + ((sourceLen + 63) >> 6) + 11;
  74865. /* if can't get parameters, return conservative bound */
  74866. if (strm == Z_NULL || strm->state == Z_NULL)
  74867. return destLen;
  74868. /* if not default parameters, return conservative bound */
  74869. s = strm->state;
  74870. if (s->w_bits != 15 || s->hash_bits != 8 + 7)
  74871. return destLen;
  74872. /* default settings: return tight bound for that case */
  74873. return compressBound(sourceLen);
  74874. }
  74875. /* =========================================================================
  74876. * Put a short in the pending buffer. The 16-bit value is put in MSB order.
  74877. * IN assertion: the stream state is correct and there is enough room in
  74878. * pending_buf.
  74879. */
  74880. local void putShortMSB (deflate_state *s, uInt b)
  74881. {
  74882. put_byte(s, (Byte)(b >> 8));
  74883. put_byte(s, (Byte)(b & 0xff));
  74884. }
  74885. /* =========================================================================
  74886. * Flush as much pending output as possible. All deflate() output goes
  74887. * through this function so some applications may wish to modify it
  74888. * to avoid allocating a large strm->next_out buffer and copying into it.
  74889. * (See also read_buf()).
  74890. */
  74891. local void flush_pending (z_streamp strm)
  74892. {
  74893. unsigned len = strm->state->pending;
  74894. if (len > strm->avail_out) len = strm->avail_out;
  74895. if (len == 0) return;
  74896. zmemcpy(strm->next_out, strm->state->pending_out, len);
  74897. strm->next_out += len;
  74898. strm->state->pending_out += len;
  74899. strm->total_out += len;
  74900. strm->avail_out -= len;
  74901. strm->state->pending -= len;
  74902. if (strm->state->pending == 0) {
  74903. strm->state->pending_out = strm->state->pending_buf;
  74904. }
  74905. }
  74906. /* ========================================================================= */
  74907. int ZEXPORT deflate (z_streamp strm, int flush)
  74908. {
  74909. int old_flush; /* value of flush param for previous deflate call */
  74910. deflate_state *s;
  74911. if (strm == Z_NULL || strm->state == Z_NULL ||
  74912. flush > Z_FINISH || flush < 0) {
  74913. return Z_STREAM_ERROR;
  74914. }
  74915. s = strm->state;
  74916. if (strm->next_out == Z_NULL ||
  74917. (strm->next_in == Z_NULL && strm->avail_in != 0) ||
  74918. (s->status == FINISH_STATE && flush != Z_FINISH)) {
  74919. ERR_RETURN(strm, Z_STREAM_ERROR);
  74920. }
  74921. if (strm->avail_out == 0) ERR_RETURN(strm, Z_BUF_ERROR);
  74922. s->strm = strm; /* just in case */
  74923. old_flush = s->last_flush;
  74924. s->last_flush = flush;
  74925. /* Write the header */
  74926. if (s->status == INIT_STATE) {
  74927. #ifdef GZIP
  74928. if (s->wrap == 2) {
  74929. strm->adler = crc32(0L, Z_NULL, 0);
  74930. put_byte(s, 31);
  74931. put_byte(s, 139);
  74932. put_byte(s, 8);
  74933. if (s->gzhead == NULL) {
  74934. put_byte(s, 0);
  74935. put_byte(s, 0);
  74936. put_byte(s, 0);
  74937. put_byte(s, 0);
  74938. put_byte(s, 0);
  74939. put_byte(s, s->level == 9 ? 2 :
  74940. (s->strategy >= Z_HUFFMAN_ONLY || s->level < 2 ?
  74941. 4 : 0));
  74942. put_byte(s, OS_CODE);
  74943. s->status = BUSY_STATE;
  74944. }
  74945. else {
  74946. put_byte(s, (s->gzhead->text ? 1 : 0) +
  74947. (s->gzhead->hcrc ? 2 : 0) +
  74948. (s->gzhead->extra == Z_NULL ? 0 : 4) +
  74949. (s->gzhead->name == Z_NULL ? 0 : 8) +
  74950. (s->gzhead->comment == Z_NULL ? 0 : 16)
  74951. );
  74952. put_byte(s, (Byte)(s->gzhead->time & 0xff));
  74953. put_byte(s, (Byte)((s->gzhead->time >> 8) & 0xff));
  74954. put_byte(s, (Byte)((s->gzhead->time >> 16) & 0xff));
  74955. put_byte(s, (Byte)((s->gzhead->time >> 24) & 0xff));
  74956. put_byte(s, s->level == 9 ? 2 :
  74957. (s->strategy >= Z_HUFFMAN_ONLY || s->level < 2 ?
  74958. 4 : 0));
  74959. put_byte(s, s->gzhead->os & 0xff);
  74960. if (s->gzhead->extra != NULL) {
  74961. put_byte(s, s->gzhead->extra_len & 0xff);
  74962. put_byte(s, (s->gzhead->extra_len >> 8) & 0xff);
  74963. }
  74964. if (s->gzhead->hcrc)
  74965. strm->adler = crc32(strm->adler, s->pending_buf,
  74966. s->pending);
  74967. s->gzindex = 0;
  74968. s->status = EXTRA_STATE;
  74969. }
  74970. }
  74971. else
  74972. #endif
  74973. {
  74974. uInt header = (Z_DEFLATED + ((s->w_bits-8)<<4)) << 8;
  74975. uInt level_flags;
  74976. if (s->strategy >= Z_HUFFMAN_ONLY || s->level < 2)
  74977. level_flags = 0;
  74978. else if (s->level < 6)
  74979. level_flags = 1;
  74980. else if (s->level == 6)
  74981. level_flags = 2;
  74982. else
  74983. level_flags = 3;
  74984. header |= (level_flags << 6);
  74985. if (s->strstart != 0) header |= PRESET_DICT;
  74986. header += 31 - (header % 31);
  74987. s->status = BUSY_STATE;
  74988. putShortMSB(s, header);
  74989. /* Save the adler32 of the preset dictionary: */
  74990. if (s->strstart != 0) {
  74991. putShortMSB(s, (uInt)(strm->adler >> 16));
  74992. putShortMSB(s, (uInt)(strm->adler & 0xffff));
  74993. }
  74994. strm->adler = adler32(0L, Z_NULL, 0);
  74995. }
  74996. }
  74997. #ifdef GZIP
  74998. if (s->status == EXTRA_STATE) {
  74999. if (s->gzhead->extra != NULL) {
  75000. uInt beg = s->pending; /* start of bytes to update crc */
  75001. while (s->gzindex < (s->gzhead->extra_len & 0xffff)) {
  75002. if (s->pending == s->pending_buf_size) {
  75003. if (s->gzhead->hcrc && s->pending > beg)
  75004. strm->adler = crc32(strm->adler, s->pending_buf + beg,
  75005. s->pending - beg);
  75006. flush_pending(strm);
  75007. beg = s->pending;
  75008. if (s->pending == s->pending_buf_size)
  75009. break;
  75010. }
  75011. put_byte(s, s->gzhead->extra[s->gzindex]);
  75012. s->gzindex++;
  75013. }
  75014. if (s->gzhead->hcrc && s->pending > beg)
  75015. strm->adler = crc32(strm->adler, s->pending_buf + beg,
  75016. s->pending - beg);
  75017. if (s->gzindex == s->gzhead->extra_len) {
  75018. s->gzindex = 0;
  75019. s->status = NAME_STATE;
  75020. }
  75021. }
  75022. else
  75023. s->status = NAME_STATE;
  75024. }
  75025. if (s->status == NAME_STATE) {
  75026. if (s->gzhead->name != NULL) {
  75027. uInt beg = s->pending; /* start of bytes to update crc */
  75028. int val;
  75029. do {
  75030. if (s->pending == s->pending_buf_size) {
  75031. if (s->gzhead->hcrc && s->pending > beg)
  75032. strm->adler = crc32(strm->adler, s->pending_buf + beg,
  75033. s->pending - beg);
  75034. flush_pending(strm);
  75035. beg = s->pending;
  75036. if (s->pending == s->pending_buf_size) {
  75037. val = 1;
  75038. break;
  75039. }
  75040. }
  75041. val = s->gzhead->name[s->gzindex++];
  75042. put_byte(s, val);
  75043. } while (val != 0);
  75044. if (s->gzhead->hcrc && s->pending > beg)
  75045. strm->adler = crc32(strm->adler, s->pending_buf + beg,
  75046. s->pending - beg);
  75047. if (val == 0) {
  75048. s->gzindex = 0;
  75049. s->status = COMMENT_STATE;
  75050. }
  75051. }
  75052. else
  75053. s->status = COMMENT_STATE;
  75054. }
  75055. if (s->status == COMMENT_STATE) {
  75056. if (s->gzhead->comment != NULL) {
  75057. uInt beg = s->pending; /* start of bytes to update crc */
  75058. int val;
  75059. do {
  75060. if (s->pending == s->pending_buf_size) {
  75061. if (s->gzhead->hcrc && s->pending > beg)
  75062. strm->adler = crc32(strm->adler, s->pending_buf + beg,
  75063. s->pending - beg);
  75064. flush_pending(strm);
  75065. beg = s->pending;
  75066. if (s->pending == s->pending_buf_size) {
  75067. val = 1;
  75068. break;
  75069. }
  75070. }
  75071. val = s->gzhead->comment[s->gzindex++];
  75072. put_byte(s, val);
  75073. } while (val != 0);
  75074. if (s->gzhead->hcrc && s->pending > beg)
  75075. strm->adler = crc32(strm->adler, s->pending_buf + beg,
  75076. s->pending - beg);
  75077. if (val == 0)
  75078. s->status = HCRC_STATE;
  75079. }
  75080. else
  75081. s->status = HCRC_STATE;
  75082. }
  75083. if (s->status == HCRC_STATE) {
  75084. if (s->gzhead->hcrc) {
  75085. if (s->pending + 2 > s->pending_buf_size)
  75086. flush_pending(strm);
  75087. if (s->pending + 2 <= s->pending_buf_size) {
  75088. put_byte(s, (Byte)(strm->adler & 0xff));
  75089. put_byte(s, (Byte)((strm->adler >> 8) & 0xff));
  75090. strm->adler = crc32(0L, Z_NULL, 0);
  75091. s->status = BUSY_STATE;
  75092. }
  75093. }
  75094. else
  75095. s->status = BUSY_STATE;
  75096. }
  75097. #endif
  75098. /* Flush as much pending output as possible */
  75099. if (s->pending != 0) {
  75100. flush_pending(strm);
  75101. if (strm->avail_out == 0) {
  75102. /* Since avail_out is 0, deflate will be called again with
  75103. * more output space, but possibly with both pending and
  75104. * avail_in equal to zero. There won't be anything to do,
  75105. * but this is not an error situation so make sure we
  75106. * return OK instead of BUF_ERROR at next call of deflate:
  75107. */
  75108. s->last_flush = -1;
  75109. return Z_OK;
  75110. }
  75111. /* Make sure there is something to do and avoid duplicate consecutive
  75112. * flushes. For repeated and useless calls with Z_FINISH, we keep
  75113. * returning Z_STREAM_END instead of Z_BUF_ERROR.
  75114. */
  75115. } else if (strm->avail_in == 0 && flush <= old_flush &&
  75116. flush != Z_FINISH) {
  75117. ERR_RETURN(strm, Z_BUF_ERROR);
  75118. }
  75119. /* User must not provide more input after the first FINISH: */
  75120. if (s->status == FINISH_STATE && strm->avail_in != 0) {
  75121. ERR_RETURN(strm, Z_BUF_ERROR);
  75122. }
  75123. /* Start a new block or continue the current one.
  75124. */
  75125. if (strm->avail_in != 0 || s->lookahead != 0 ||
  75126. (flush != Z_NO_FLUSH && s->status != FINISH_STATE)) {
  75127. block_state bstate;
  75128. bstate = (*(configuration_table[s->level].func))(s, flush);
  75129. if (bstate == finish_started || bstate == finish_done) {
  75130. s->status = FINISH_STATE;
  75131. }
  75132. if (bstate == need_more || bstate == finish_started) {
  75133. if (strm->avail_out == 0) {
  75134. s->last_flush = -1; /* avoid BUF_ERROR next call, see above */
  75135. }
  75136. return Z_OK;
  75137. /* If flush != Z_NO_FLUSH && avail_out == 0, the next call
  75138. * of deflate should use the same flush parameter to make sure
  75139. * that the flush is complete. So we don't have to output an
  75140. * empty block here, this will be done at next call. This also
  75141. * ensures that for a very small output buffer, we emit at most
  75142. * one empty block.
  75143. */
  75144. }
  75145. if (bstate == block_done) {
  75146. if (flush == Z_PARTIAL_FLUSH) {
  75147. _tr_align(s);
  75148. } else { /* FULL_FLUSH or SYNC_FLUSH */
  75149. _tr_stored_block(s, (char*)0, 0L, 0);
  75150. /* For a full flush, this empty block will be recognized
  75151. * as a special marker by inflate_sync().
  75152. */
  75153. if (flush == Z_FULL_FLUSH) {
  75154. CLEAR_HASH(s); /* forget history */
  75155. }
  75156. }
  75157. flush_pending(strm);
  75158. if (strm->avail_out == 0) {
  75159. s->last_flush = -1; /* avoid BUF_ERROR at next call, see above */
  75160. return Z_OK;
  75161. }
  75162. }
  75163. }
  75164. Assert(strm->avail_out > 0, "bug2");
  75165. if (flush != Z_FINISH) return Z_OK;
  75166. if (s->wrap <= 0) return Z_STREAM_END;
  75167. /* Write the trailer */
  75168. #ifdef GZIP
  75169. if (s->wrap == 2) {
  75170. put_byte(s, (Byte)(strm->adler & 0xff));
  75171. put_byte(s, (Byte)((strm->adler >> 8) & 0xff));
  75172. put_byte(s, (Byte)((strm->adler >> 16) & 0xff));
  75173. put_byte(s, (Byte)((strm->adler >> 24) & 0xff));
  75174. put_byte(s, (Byte)(strm->total_in & 0xff));
  75175. put_byte(s, (Byte)((strm->total_in >> 8) & 0xff));
  75176. put_byte(s, (Byte)((strm->total_in >> 16) & 0xff));
  75177. put_byte(s, (Byte)((strm->total_in >> 24) & 0xff));
  75178. }
  75179. else
  75180. #endif
  75181. {
  75182. putShortMSB(s, (uInt)(strm->adler >> 16));
  75183. putShortMSB(s, (uInt)(strm->adler & 0xffff));
  75184. }
  75185. flush_pending(strm);
  75186. /* If avail_out is zero, the application will call deflate again
  75187. * to flush the rest.
  75188. */
  75189. if (s->wrap > 0) s->wrap = -s->wrap; /* write the trailer only once! */
  75190. return s->pending != 0 ? Z_OK : Z_STREAM_END;
  75191. }
  75192. /* ========================================================================= */
  75193. int ZEXPORT deflateEnd (z_streamp strm)
  75194. {
  75195. int status;
  75196. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  75197. status = strm->state->status;
  75198. if (status != INIT_STATE &&
  75199. status != EXTRA_STATE &&
  75200. status != NAME_STATE &&
  75201. status != COMMENT_STATE &&
  75202. status != HCRC_STATE &&
  75203. status != BUSY_STATE &&
  75204. status != FINISH_STATE) {
  75205. return Z_STREAM_ERROR;
  75206. }
  75207. /* Deallocate in reverse order of allocations: */
  75208. TRY_FREE(strm, strm->state->pending_buf);
  75209. TRY_FREE(strm, strm->state->head);
  75210. TRY_FREE(strm, strm->state->prev);
  75211. TRY_FREE(strm, strm->state->window);
  75212. ZFREE(strm, strm->state);
  75213. strm->state = Z_NULL;
  75214. return status == BUSY_STATE ? Z_DATA_ERROR : Z_OK;
  75215. }
  75216. /* =========================================================================
  75217. * Copy the source state to the destination state.
  75218. * To simplify the source, this is not supported for 16-bit MSDOS (which
  75219. * doesn't have enough memory anyway to duplicate compression states).
  75220. */
  75221. int ZEXPORT deflateCopy (z_streamp dest, z_streamp source)
  75222. {
  75223. #ifdef MAXSEG_64K
  75224. return Z_STREAM_ERROR;
  75225. #else
  75226. deflate_state *ds;
  75227. deflate_state *ss;
  75228. ushf *overlay;
  75229. if (source == Z_NULL || dest == Z_NULL || source->state == Z_NULL) {
  75230. return Z_STREAM_ERROR;
  75231. }
  75232. ss = source->state;
  75233. zmemcpy(dest, source, sizeof(z_stream));
  75234. ds = (deflate_state *) ZALLOC(dest, 1, sizeof(deflate_state));
  75235. if (ds == Z_NULL) return Z_MEM_ERROR;
  75236. dest->state = (struct internal_state FAR *) ds;
  75237. zmemcpy(ds, ss, sizeof(deflate_state));
  75238. ds->strm = dest;
  75239. ds->window = (Bytef *) ZALLOC(dest, ds->w_size, 2*sizeof(Byte));
  75240. ds->prev = (Posf *) ZALLOC(dest, ds->w_size, sizeof(Pos));
  75241. ds->head = (Posf *) ZALLOC(dest, ds->hash_size, sizeof(Pos));
  75242. overlay = (ushf *) ZALLOC(dest, ds->lit_bufsize, sizeof(ush)+2);
  75243. ds->pending_buf = (uchf *) overlay;
  75244. if (ds->window == Z_NULL || ds->prev == Z_NULL || ds->head == Z_NULL ||
  75245. ds->pending_buf == Z_NULL) {
  75246. deflateEnd (dest);
  75247. return Z_MEM_ERROR;
  75248. }
  75249. /* following zmemcpy do not work for 16-bit MSDOS */
  75250. zmemcpy(ds->window, ss->window, ds->w_size * 2 * sizeof(Byte));
  75251. zmemcpy(ds->prev, ss->prev, ds->w_size * sizeof(Pos));
  75252. zmemcpy(ds->head, ss->head, ds->hash_size * sizeof(Pos));
  75253. zmemcpy(ds->pending_buf, ss->pending_buf, (uInt)ds->pending_buf_size);
  75254. ds->pending_out = ds->pending_buf + (ss->pending_out - ss->pending_buf);
  75255. ds->d_buf = overlay + ds->lit_bufsize/sizeof(ush);
  75256. ds->l_buf = ds->pending_buf + (1+sizeof(ush))*ds->lit_bufsize;
  75257. ds->l_desc.dyn_tree = ds->dyn_ltree;
  75258. ds->d_desc.dyn_tree = ds->dyn_dtree;
  75259. ds->bl_desc.dyn_tree = ds->bl_tree;
  75260. return Z_OK;
  75261. #endif /* MAXSEG_64K */
  75262. }
  75263. /* ===========================================================================
  75264. * Read a new buffer from the current input stream, update the adler32
  75265. * and total number of bytes read. All deflate() input goes through
  75266. * this function so some applications may wish to modify it to avoid
  75267. * allocating a large strm->next_in buffer and copying from it.
  75268. * (See also flush_pending()).
  75269. */
  75270. local int read_buf (z_streamp strm, Bytef *buf, unsigned size)
  75271. {
  75272. unsigned len = strm->avail_in;
  75273. if (len > size) len = size;
  75274. if (len == 0) return 0;
  75275. strm->avail_in -= len;
  75276. if (strm->state->wrap == 1) {
  75277. strm->adler = adler32(strm->adler, strm->next_in, len);
  75278. }
  75279. #ifdef GZIP
  75280. else if (strm->state->wrap == 2) {
  75281. strm->adler = crc32(strm->adler, strm->next_in, len);
  75282. }
  75283. #endif
  75284. zmemcpy(buf, strm->next_in, len);
  75285. strm->next_in += len;
  75286. strm->total_in += len;
  75287. return (int)len;
  75288. }
  75289. /* ===========================================================================
  75290. * Initialize the "longest match" routines for a new zlib stream
  75291. */
  75292. local void lm_init (deflate_state *s)
  75293. {
  75294. s->window_size = (ulg)2L*s->w_size;
  75295. CLEAR_HASH(s);
  75296. /* Set the default configuration parameters:
  75297. */
  75298. s->max_lazy_match = configuration_table[s->level].max_lazy;
  75299. s->good_match = configuration_table[s->level].good_length;
  75300. s->nice_match = configuration_table[s->level].nice_length;
  75301. s->max_chain_length = configuration_table[s->level].max_chain;
  75302. s->strstart = 0;
  75303. s->block_start = 0L;
  75304. s->lookahead = 0;
  75305. s->match_length = s->prev_length = MIN_MATCH-1;
  75306. s->match_available = 0;
  75307. s->ins_h = 0;
  75308. #ifndef FASTEST
  75309. #ifdef ASMV
  75310. match_init(); /* initialize the asm code */
  75311. #endif
  75312. #endif
  75313. }
  75314. #ifndef FASTEST
  75315. /* ===========================================================================
  75316. * Set match_start to the longest match starting at the given string and
  75317. * return its length. Matches shorter or equal to prev_length are discarded,
  75318. * in which case the result is equal to prev_length and match_start is
  75319. * garbage.
  75320. * IN assertions: cur_match is the head of the hash chain for the current
  75321. * string (strstart) and its distance is <= MAX_DIST, and prev_length >= 1
  75322. * OUT assertion: the match length is not greater than s->lookahead.
  75323. */
  75324. #ifndef ASMV
  75325. /* For 80x86 and 680x0, an optimized version will be provided in match.asm or
  75326. * match.S. The code will be functionally equivalent.
  75327. */
  75328. local uInt longest_match(deflate_state *s, IPos cur_match)
  75329. {
  75330. unsigned chain_length = s->max_chain_length;/* max hash chain length */
  75331. register Bytef *scan = s->window + s->strstart; /* current string */
  75332. register Bytef *match; /* matched string */
  75333. register int len; /* length of current match */
  75334. int best_len = s->prev_length; /* best match length so far */
  75335. int nice_match = s->nice_match; /* stop if match long enough */
  75336. IPos limit = s->strstart > (IPos)MAX_DIST(s) ?
  75337. s->strstart - (IPos)MAX_DIST(s) : NIL;
  75338. /* Stop when cur_match becomes <= limit. To simplify the code,
  75339. * we prevent matches with the string of window index 0.
  75340. */
  75341. Posf *prev = s->prev;
  75342. uInt wmask = s->w_mask;
  75343. #ifdef UNALIGNED_OK
  75344. /* Compare two bytes at a time. Note: this is not always beneficial.
  75345. * Try with and without -DUNALIGNED_OK to check.
  75346. */
  75347. register Bytef *strend = s->window + s->strstart + MAX_MATCH - 1;
  75348. register ush scan_start = *(ushf*)scan;
  75349. register ush scan_end = *(ushf*)(scan+best_len-1);
  75350. #else
  75351. register Bytef *strend = s->window + s->strstart + MAX_MATCH;
  75352. register Byte scan_end1 = scan[best_len-1];
  75353. register Byte scan_end = scan[best_len];
  75354. #endif
  75355. /* The code is optimized for HASH_BITS >= 8 and MAX_MATCH-2 multiple of 16.
  75356. * It is easy to get rid of this optimization if necessary.
  75357. */
  75358. Assert(s->hash_bits >= 8 && MAX_MATCH == 258, "Code too clever");
  75359. /* Do not waste too much time if we already have a good match: */
  75360. if (s->prev_length >= s->good_match) {
  75361. chain_length >>= 2;
  75362. }
  75363. /* Do not look for matches beyond the end of the input. This is necessary
  75364. * to make deflate deterministic.
  75365. */
  75366. if ((uInt)nice_match > s->lookahead) nice_match = s->lookahead;
  75367. Assert((ulg)s->strstart <= s->window_size-MIN_LOOKAHEAD, "need lookahead");
  75368. do {
  75369. Assert(cur_match < s->strstart, "no future");
  75370. match = s->window + cur_match;
  75371. /* Skip to next match if the match length cannot increase
  75372. * or if the match length is less than 2. Note that the checks below
  75373. * for insufficient lookahead only occur occasionally for performance
  75374. * reasons. Therefore uninitialized memory will be accessed, and
  75375. * conditional jumps will be made that depend on those values.
  75376. * However the length of the match is limited to the lookahead, so
  75377. * the output of deflate is not affected by the uninitialized values.
  75378. */
  75379. #if (defined(UNALIGNED_OK) && MAX_MATCH == 258)
  75380. /* This code assumes sizeof(unsigned short) == 2. Do not use
  75381. * UNALIGNED_OK if your compiler uses a different size.
  75382. */
  75383. if (*(ushf*)(match+best_len-1) != scan_end ||
  75384. *(ushf*)match != scan_start) continue;
  75385. /* It is not necessary to compare scan[2] and match[2] since they are
  75386. * always equal when the other bytes match, given that the hash keys
  75387. * are equal and that HASH_BITS >= 8. Compare 2 bytes at a time at
  75388. * strstart+3, +5, ... up to strstart+257. We check for insufficient
  75389. * lookahead only every 4th comparison; the 128th check will be made
  75390. * at strstart+257. If MAX_MATCH-2 is not a multiple of 8, it is
  75391. * necessary to put more guard bytes at the end of the window, or
  75392. * to check more often for insufficient lookahead.
  75393. */
  75394. Assert(scan[2] == match[2], "scan[2]?");
  75395. scan++, match++;
  75396. do {
  75397. } while (*(ushf*)(scan+=2) == *(ushf*)(match+=2) &&
  75398. *(ushf*)(scan+=2) == *(ushf*)(match+=2) &&
  75399. *(ushf*)(scan+=2) == *(ushf*)(match+=2) &&
  75400. *(ushf*)(scan+=2) == *(ushf*)(match+=2) &&
  75401. scan < strend);
  75402. /* The funny "do {}" generates better code on most compilers */
  75403. /* Here, scan <= window+strstart+257 */
  75404. Assert(scan <= s->window+(unsigned)(s->window_size-1), "wild scan");
  75405. if (*scan == *match) scan++;
  75406. len = (MAX_MATCH - 1) - (int)(strend-scan);
  75407. scan = strend - (MAX_MATCH-1);
  75408. #else /* UNALIGNED_OK */
  75409. if (match[best_len] != scan_end ||
  75410. match[best_len-1] != scan_end1 ||
  75411. *match != *scan ||
  75412. *++match != scan[1]) continue;
  75413. /* The check at best_len-1 can be removed because it will be made
  75414. * again later. (This heuristic is not always a win.)
  75415. * It is not necessary to compare scan[2] and match[2] since they
  75416. * are always equal when the other bytes match, given that
  75417. * the hash keys are equal and that HASH_BITS >= 8.
  75418. */
  75419. scan += 2, match++;
  75420. Assert(*scan == *match, "match[2]?");
  75421. /* We check for insufficient lookahead only every 8th comparison;
  75422. * the 256th check will be made at strstart+258.
  75423. */
  75424. do {
  75425. } while (*++scan == *++match && *++scan == *++match &&
  75426. *++scan == *++match && *++scan == *++match &&
  75427. *++scan == *++match && *++scan == *++match &&
  75428. *++scan == *++match && *++scan == *++match &&
  75429. scan < strend);
  75430. Assert(scan <= s->window+(unsigned)(s->window_size-1), "wild scan");
  75431. len = MAX_MATCH - (int)(strend - scan);
  75432. scan = strend - MAX_MATCH;
  75433. #endif /* UNALIGNED_OK */
  75434. if (len > best_len) {
  75435. s->match_start = cur_match;
  75436. best_len = len;
  75437. if (len >= nice_match) break;
  75438. #ifdef UNALIGNED_OK
  75439. scan_end = *(ushf*)(scan+best_len-1);
  75440. #else
  75441. scan_end1 = scan[best_len-1];
  75442. scan_end = scan[best_len];
  75443. #endif
  75444. }
  75445. } while ((cur_match = prev[cur_match & wmask]) > limit
  75446. && --chain_length != 0);
  75447. if ((uInt)best_len <= s->lookahead) return (uInt)best_len;
  75448. return s->lookahead;
  75449. }
  75450. #endif /* ASMV */
  75451. #endif /* FASTEST */
  75452. /* ---------------------------------------------------------------------------
  75453. * Optimized version for level == 1 or strategy == Z_RLE only
  75454. */
  75455. local uInt longest_match_fast (deflate_state *s, IPos cur_match)
  75456. {
  75457. register Bytef *scan = s->window + s->strstart; /* current string */
  75458. register Bytef *match; /* matched string */
  75459. register int len; /* length of current match */
  75460. register Bytef *strend = s->window + s->strstart + MAX_MATCH;
  75461. /* The code is optimized for HASH_BITS >= 8 and MAX_MATCH-2 multiple of 16.
  75462. * It is easy to get rid of this optimization if necessary.
  75463. */
  75464. Assert(s->hash_bits >= 8 && MAX_MATCH == 258, "Code too clever");
  75465. Assert((ulg)s->strstart <= s->window_size-MIN_LOOKAHEAD, "need lookahead");
  75466. Assert(cur_match < s->strstart, "no future");
  75467. match = s->window + cur_match;
  75468. /* Return failure if the match length is less than 2:
  75469. */
  75470. if (match[0] != scan[0] || match[1] != scan[1]) return MIN_MATCH-1;
  75471. /* The check at best_len-1 can be removed because it will be made
  75472. * again later. (This heuristic is not always a win.)
  75473. * It is not necessary to compare scan[2] and match[2] since they
  75474. * are always equal when the other bytes match, given that
  75475. * the hash keys are equal and that HASH_BITS >= 8.
  75476. */
  75477. scan += 2, match += 2;
  75478. Assert(*scan == *match, "match[2]?");
  75479. /* We check for insufficient lookahead only every 8th comparison;
  75480. * the 256th check will be made at strstart+258.
  75481. */
  75482. do {
  75483. } while (*++scan == *++match && *++scan == *++match &&
  75484. *++scan == *++match && *++scan == *++match &&
  75485. *++scan == *++match && *++scan == *++match &&
  75486. *++scan == *++match && *++scan == *++match &&
  75487. scan < strend);
  75488. Assert(scan <= s->window+(unsigned)(s->window_size-1), "wild scan");
  75489. len = MAX_MATCH - (int)(strend - scan);
  75490. if (len < MIN_MATCH) return MIN_MATCH - 1;
  75491. s->match_start = cur_match;
  75492. return (uInt)len <= s->lookahead ? (uInt)len : s->lookahead;
  75493. }
  75494. #ifdef DEBUG
  75495. /* ===========================================================================
  75496. * Check that the match at match_start is indeed a match.
  75497. */
  75498. local void check_match(deflate_state *s, IPos start, IPos match, int length)
  75499. {
  75500. /* check that the match is indeed a match */
  75501. if (zmemcmp(s->window + match,
  75502. s->window + start, length) != EQUAL) {
  75503. fprintf(stderr, " start %u, match %u, length %d\n",
  75504. start, match, length);
  75505. do {
  75506. fprintf(stderr, "%c%c", s->window[match++], s->window[start++]);
  75507. } while (--length != 0);
  75508. z_error("invalid match");
  75509. }
  75510. if (z_verbose > 1) {
  75511. fprintf(stderr,"\\[%d,%d]", start-match, length);
  75512. do { putc(s->window[start++], stderr); } while (--length != 0);
  75513. }
  75514. }
  75515. #else
  75516. # define check_match(s, start, match, length)
  75517. #endif /* DEBUG */
  75518. /* ===========================================================================
  75519. * Fill the window when the lookahead becomes insufficient.
  75520. * Updates strstart and lookahead.
  75521. *
  75522. * IN assertion: lookahead < MIN_LOOKAHEAD
  75523. * OUT assertions: strstart <= window_size-MIN_LOOKAHEAD
  75524. * At least one byte has been read, or avail_in == 0; reads are
  75525. * performed for at least two bytes (required for the zip translate_eol
  75526. * option -- not supported here).
  75527. */
  75528. local void fill_window (deflate_state *s)
  75529. {
  75530. register unsigned n, m;
  75531. register Posf *p;
  75532. unsigned more; /* Amount of free space at the end of the window. */
  75533. uInt wsize = s->w_size;
  75534. do {
  75535. more = (unsigned)(s->window_size -(ulg)s->lookahead -(ulg)s->strstart);
  75536. /* Deal with !@#$% 64K limit: */
  75537. if (sizeof(int) <= 2) {
  75538. if (more == 0 && s->strstart == 0 && s->lookahead == 0) {
  75539. more = wsize;
  75540. } else if (more == (unsigned)(-1)) {
  75541. /* Very unlikely, but possible on 16 bit machine if
  75542. * strstart == 0 && lookahead == 1 (input done a byte at time)
  75543. */
  75544. more--;
  75545. }
  75546. }
  75547. /* If the window is almost full and there is insufficient lookahead,
  75548. * move the upper half to the lower one to make room in the upper half.
  75549. */
  75550. if (s->strstart >= wsize+MAX_DIST(s)) {
  75551. zmemcpy(s->window, s->window+wsize, (unsigned)wsize);
  75552. s->match_start -= wsize;
  75553. s->strstart -= wsize; /* we now have strstart >= MAX_DIST */
  75554. s->block_start -= (long) wsize;
  75555. /* Slide the hash table (could be avoided with 32 bit values
  75556. at the expense of memory usage). We slide even when level == 0
  75557. to keep the hash table consistent if we switch back to level > 0
  75558. later. (Using level 0 permanently is not an optimal usage of
  75559. zlib, so we don't care about this pathological case.)
  75560. */
  75561. /* %%% avoid this when Z_RLE */
  75562. n = s->hash_size;
  75563. p = &s->head[n];
  75564. do {
  75565. m = *--p;
  75566. *p = (Pos)(m >= wsize ? m-wsize : NIL);
  75567. } while (--n);
  75568. n = wsize;
  75569. #ifndef FASTEST
  75570. p = &s->prev[n];
  75571. do {
  75572. m = *--p;
  75573. *p = (Pos)(m >= wsize ? m-wsize : NIL);
  75574. /* If n is not on any hash chain, prev[n] is garbage but
  75575. * its value will never be used.
  75576. */
  75577. } while (--n);
  75578. #endif
  75579. more += wsize;
  75580. }
  75581. if (s->strm->avail_in == 0) return;
  75582. /* If there was no sliding:
  75583. * strstart <= WSIZE+MAX_DIST-1 && lookahead <= MIN_LOOKAHEAD - 1 &&
  75584. * more == window_size - lookahead - strstart
  75585. * => more >= window_size - (MIN_LOOKAHEAD-1 + WSIZE + MAX_DIST-1)
  75586. * => more >= window_size - 2*WSIZE + 2
  75587. * In the BIG_MEM or MMAP case (not yet supported),
  75588. * window_size == input_size + MIN_LOOKAHEAD &&
  75589. * strstart + s->lookahead <= input_size => more >= MIN_LOOKAHEAD.
  75590. * Otherwise, window_size == 2*WSIZE so more >= 2.
  75591. * If there was sliding, more >= WSIZE. So in all cases, more >= 2.
  75592. */
  75593. Assert(more >= 2, "more < 2");
  75594. n = read_buf(s->strm, s->window + s->strstart + s->lookahead, more);
  75595. s->lookahead += n;
  75596. /* Initialize the hash value now that we have some input: */
  75597. if (s->lookahead >= MIN_MATCH) {
  75598. s->ins_h = s->window[s->strstart];
  75599. UPDATE_HASH(s, s->ins_h, s->window[s->strstart+1]);
  75600. #if MIN_MATCH != 3
  75601. Call UPDATE_HASH() MIN_MATCH-3 more times
  75602. #endif
  75603. }
  75604. /* If the whole input has less than MIN_MATCH bytes, ins_h is garbage,
  75605. * but this is not important since only literal bytes will be emitted.
  75606. */
  75607. } while (s->lookahead < MIN_LOOKAHEAD && s->strm->avail_in != 0);
  75608. }
  75609. /* ===========================================================================
  75610. * Flush the current block, with given end-of-file flag.
  75611. * IN assertion: strstart is set to the end of the current match.
  75612. */
  75613. #define FLUSH_BLOCK_ONLY(s, eof) { \
  75614. _tr_flush_block(s, (s->block_start >= 0L ? \
  75615. (charf *)&s->window[(unsigned)s->block_start] : \
  75616. (charf *)Z_NULL), \
  75617. (ulg)((long)s->strstart - s->block_start), \
  75618. (eof)); \
  75619. s->block_start = s->strstart; \
  75620. flush_pending(s->strm); \
  75621. Tracev((stderr,"[FLUSH]")); \
  75622. }
  75623. /* Same but force premature exit if necessary. */
  75624. #define FLUSH_BLOCK(s, eof) { \
  75625. FLUSH_BLOCK_ONLY(s, eof); \
  75626. if (s->strm->avail_out == 0) return (eof) ? finish_started : need_more; \
  75627. }
  75628. /* ===========================================================================
  75629. * Copy without compression as much as possible from the input stream, return
  75630. * the current block state.
  75631. * This function does not insert new strings in the dictionary since
  75632. * uncompressible data is probably not useful. This function is used
  75633. * only for the level=0 compression option.
  75634. * NOTE: this function should be optimized to avoid extra copying from
  75635. * window to pending_buf.
  75636. */
  75637. local block_state deflate_stored(deflate_state *s, int flush)
  75638. {
  75639. /* Stored blocks are limited to 0xffff bytes, pending_buf is limited
  75640. * to pending_buf_size, and each stored block has a 5 byte header:
  75641. */
  75642. ulg max_block_size = 0xffff;
  75643. ulg max_start;
  75644. if (max_block_size > s->pending_buf_size - 5) {
  75645. max_block_size = s->pending_buf_size - 5;
  75646. }
  75647. /* Copy as much as possible from input to output: */
  75648. for (;;) {
  75649. /* Fill the window as much as possible: */
  75650. if (s->lookahead <= 1) {
  75651. Assert(s->strstart < s->w_size+MAX_DIST(s) ||
  75652. s->block_start >= (long)s->w_size, "slide too late");
  75653. fill_window(s);
  75654. if (s->lookahead == 0 && flush == Z_NO_FLUSH) return need_more;
  75655. if (s->lookahead == 0) break; /* flush the current block */
  75656. }
  75657. Assert(s->block_start >= 0L, "block gone");
  75658. s->strstart += s->lookahead;
  75659. s->lookahead = 0;
  75660. /* Emit a stored block if pending_buf will be full: */
  75661. max_start = s->block_start + max_block_size;
  75662. if (s->strstart == 0 || (ulg)s->strstart >= max_start) {
  75663. /* strstart == 0 is possible when wraparound on 16-bit machine */
  75664. s->lookahead = (uInt)(s->strstart - max_start);
  75665. s->strstart = (uInt)max_start;
  75666. FLUSH_BLOCK(s, 0);
  75667. }
  75668. /* Flush if we may have to slide, otherwise block_start may become
  75669. * negative and the data will be gone:
  75670. */
  75671. if (s->strstart - (uInt)s->block_start >= MAX_DIST(s)) {
  75672. FLUSH_BLOCK(s, 0);
  75673. }
  75674. }
  75675. FLUSH_BLOCK(s, flush == Z_FINISH);
  75676. return flush == Z_FINISH ? finish_done : block_done;
  75677. }
  75678. /* ===========================================================================
  75679. * Compress as much as possible from the input stream, return the current
  75680. * block state.
  75681. * This function does not perform lazy evaluation of matches and inserts
  75682. * new strings in the dictionary only for unmatched strings or for short
  75683. * matches. It is used only for the fast compression options.
  75684. */
  75685. local block_state deflate_fast(deflate_state *s, int flush)
  75686. {
  75687. IPos hash_head = NIL; /* head of the hash chain */
  75688. int bflush; /* set if current block must be flushed */
  75689. for (;;) {
  75690. /* Make sure that we always have enough lookahead, except
  75691. * at the end of the input file. We need MAX_MATCH bytes
  75692. * for the next match, plus MIN_MATCH bytes to insert the
  75693. * string following the next match.
  75694. */
  75695. if (s->lookahead < MIN_LOOKAHEAD) {
  75696. fill_window(s);
  75697. if (s->lookahead < MIN_LOOKAHEAD && flush == Z_NO_FLUSH) {
  75698. return need_more;
  75699. }
  75700. if (s->lookahead == 0) break; /* flush the current block */
  75701. }
  75702. /* Insert the string window[strstart .. strstart+2] in the
  75703. * dictionary, and set hash_head to the head of the hash chain:
  75704. */
  75705. if (s->lookahead >= MIN_MATCH) {
  75706. INSERT_STRING(s, s->strstart, hash_head);
  75707. }
  75708. /* Find the longest match, discarding those <= prev_length.
  75709. * At this point we have always match_length < MIN_MATCH
  75710. */
  75711. if (hash_head != NIL && s->strstart - hash_head <= MAX_DIST(s)) {
  75712. /* To simplify the code, we prevent matches with the string
  75713. * of window index 0 (in particular we have to avoid a match
  75714. * of the string with itself at the start of the input file).
  75715. */
  75716. #ifdef FASTEST
  75717. if ((s->strategy != Z_HUFFMAN_ONLY && s->strategy != Z_RLE) ||
  75718. (s->strategy == Z_RLE && s->strstart - hash_head == 1)) {
  75719. s->match_length = longest_match_fast (s, hash_head);
  75720. }
  75721. #else
  75722. if (s->strategy != Z_HUFFMAN_ONLY && s->strategy != Z_RLE) {
  75723. s->match_length = longest_match (s, hash_head);
  75724. } else if (s->strategy == Z_RLE && s->strstart - hash_head == 1) {
  75725. s->match_length = longest_match_fast (s, hash_head);
  75726. }
  75727. #endif
  75728. /* longest_match() or longest_match_fast() sets match_start */
  75729. }
  75730. if (s->match_length >= MIN_MATCH) {
  75731. check_match(s, s->strstart, s->match_start, s->match_length);
  75732. _tr_tally_dist(s, s->strstart - s->match_start,
  75733. s->match_length - MIN_MATCH, bflush);
  75734. s->lookahead -= s->match_length;
  75735. /* Insert new strings in the hash table only if the match length
  75736. * is not too large. This saves time but degrades compression.
  75737. */
  75738. #ifndef FASTEST
  75739. if (s->match_length <= s->max_insert_length &&
  75740. s->lookahead >= MIN_MATCH) {
  75741. s->match_length--; /* string at strstart already in table */
  75742. do {
  75743. s->strstart++;
  75744. INSERT_STRING(s, s->strstart, hash_head);
  75745. /* strstart never exceeds WSIZE-MAX_MATCH, so there are
  75746. * always MIN_MATCH bytes ahead.
  75747. */
  75748. } while (--s->match_length != 0);
  75749. s->strstart++;
  75750. } else
  75751. #endif
  75752. {
  75753. s->strstart += s->match_length;
  75754. s->match_length = 0;
  75755. s->ins_h = s->window[s->strstart];
  75756. UPDATE_HASH(s, s->ins_h, s->window[s->strstart+1]);
  75757. #if MIN_MATCH != 3
  75758. Call UPDATE_HASH() MIN_MATCH-3 more times
  75759. #endif
  75760. /* If lookahead < MIN_MATCH, ins_h is garbage, but it does not
  75761. * matter since it will be recomputed at next deflate call.
  75762. */
  75763. }
  75764. } else {
  75765. /* No match, output a literal byte */
  75766. Tracevv((stderr,"%c", s->window[s->strstart]));
  75767. _tr_tally_lit (s, s->window[s->strstart], bflush);
  75768. s->lookahead--;
  75769. s->strstart++;
  75770. }
  75771. if (bflush) FLUSH_BLOCK(s, 0);
  75772. }
  75773. FLUSH_BLOCK(s, flush == Z_FINISH);
  75774. return flush == Z_FINISH ? finish_done : block_done;
  75775. }
  75776. #ifndef FASTEST
  75777. /* ===========================================================================
  75778. * Same as above, but achieves better compression. We use a lazy
  75779. * evaluation for matches: a match is finally adopted only if there is
  75780. * no better match at the next window position.
  75781. */
  75782. local block_state deflate_slow(deflate_state *s, int flush)
  75783. {
  75784. IPos hash_head = NIL; /* head of hash chain */
  75785. int bflush; /* set if current block must be flushed */
  75786. /* Process the input block. */
  75787. for (;;) {
  75788. /* Make sure that we always have enough lookahead, except
  75789. * at the end of the input file. We need MAX_MATCH bytes
  75790. * for the next match, plus MIN_MATCH bytes to insert the
  75791. * string following the next match.
  75792. */
  75793. if (s->lookahead < MIN_LOOKAHEAD) {
  75794. fill_window(s);
  75795. if (s->lookahead < MIN_LOOKAHEAD && flush == Z_NO_FLUSH) {
  75796. return need_more;
  75797. }
  75798. if (s->lookahead == 0) break; /* flush the current block */
  75799. }
  75800. /* Insert the string window[strstart .. strstart+2] in the
  75801. * dictionary, and set hash_head to the head of the hash chain:
  75802. */
  75803. if (s->lookahead >= MIN_MATCH) {
  75804. INSERT_STRING(s, s->strstart, hash_head);
  75805. }
  75806. /* Find the longest match, discarding those <= prev_length.
  75807. */
  75808. s->prev_length = s->match_length, s->prev_match = s->match_start;
  75809. s->match_length = MIN_MATCH-1;
  75810. if (hash_head != NIL && s->prev_length < s->max_lazy_match &&
  75811. s->strstart - hash_head <= MAX_DIST(s)) {
  75812. /* To simplify the code, we prevent matches with the string
  75813. * of window index 0 (in particular we have to avoid a match
  75814. * of the string with itself at the start of the input file).
  75815. */
  75816. if (s->strategy != Z_HUFFMAN_ONLY && s->strategy != Z_RLE) {
  75817. s->match_length = longest_match (s, hash_head);
  75818. } else if (s->strategy == Z_RLE && s->strstart - hash_head == 1) {
  75819. s->match_length = longest_match_fast (s, hash_head);
  75820. }
  75821. /* longest_match() or longest_match_fast() sets match_start */
  75822. if (s->match_length <= 5 && (s->strategy == Z_FILTERED
  75823. #if TOO_FAR <= 32767
  75824. || (s->match_length == MIN_MATCH &&
  75825. s->strstart - s->match_start > TOO_FAR)
  75826. #endif
  75827. )) {
  75828. /* If prev_match is also MIN_MATCH, match_start is garbage
  75829. * but we will ignore the current match anyway.
  75830. */
  75831. s->match_length = MIN_MATCH-1;
  75832. }
  75833. }
  75834. /* If there was a match at the previous step and the current
  75835. * match is not better, output the previous match:
  75836. */
  75837. if (s->prev_length >= MIN_MATCH && s->match_length <= s->prev_length) {
  75838. uInt max_insert = s->strstart + s->lookahead - MIN_MATCH;
  75839. /* Do not insert strings in hash table beyond this. */
  75840. check_match(s, s->strstart-1, s->prev_match, s->prev_length);
  75841. _tr_tally_dist(s, s->strstart -1 - s->prev_match,
  75842. s->prev_length - MIN_MATCH, bflush);
  75843. /* Insert in hash table all strings up to the end of the match.
  75844. * strstart-1 and strstart are already inserted. If there is not
  75845. * enough lookahead, the last two strings are not inserted in
  75846. * the hash table.
  75847. */
  75848. s->lookahead -= s->prev_length-1;
  75849. s->prev_length -= 2;
  75850. do {
  75851. if (++s->strstart <= max_insert) {
  75852. INSERT_STRING(s, s->strstart, hash_head);
  75853. }
  75854. } while (--s->prev_length != 0);
  75855. s->match_available = 0;
  75856. s->match_length = MIN_MATCH-1;
  75857. s->strstart++;
  75858. if (bflush) FLUSH_BLOCK(s, 0);
  75859. } else if (s->match_available) {
  75860. /* If there was no match at the previous position, output a
  75861. * single literal. If there was a match but the current match
  75862. * is longer, truncate the previous match to a single literal.
  75863. */
  75864. Tracevv((stderr,"%c", s->window[s->strstart-1]));
  75865. _tr_tally_lit(s, s->window[s->strstart-1], bflush);
  75866. if (bflush) {
  75867. FLUSH_BLOCK_ONLY(s, 0);
  75868. }
  75869. s->strstart++;
  75870. s->lookahead--;
  75871. if (s->strm->avail_out == 0) return need_more;
  75872. } else {
  75873. /* There is no previous match to compare with, wait for
  75874. * the next step to decide.
  75875. */
  75876. s->match_available = 1;
  75877. s->strstart++;
  75878. s->lookahead--;
  75879. }
  75880. }
  75881. Assert (flush != Z_NO_FLUSH, "no flush?");
  75882. if (s->match_available) {
  75883. Tracevv((stderr,"%c", s->window[s->strstart-1]));
  75884. _tr_tally_lit(s, s->window[s->strstart-1], bflush);
  75885. s->match_available = 0;
  75886. }
  75887. FLUSH_BLOCK(s, flush == Z_FINISH);
  75888. return flush == Z_FINISH ? finish_done : block_done;
  75889. }
  75890. #endif /* FASTEST */
  75891. #if 0
  75892. /* ===========================================================================
  75893. * For Z_RLE, simply look for runs of bytes, generate matches only of distance
  75894. * one. Do not maintain a hash table. (It will be regenerated if this run of
  75895. * deflate switches away from Z_RLE.)
  75896. */
  75897. local block_state deflate_rle(s, flush)
  75898. deflate_state *s;
  75899. int flush;
  75900. {
  75901. int bflush; /* set if current block must be flushed */
  75902. uInt run; /* length of run */
  75903. uInt max; /* maximum length of run */
  75904. uInt prev; /* byte at distance one to match */
  75905. Bytef *scan; /* scan for end of run */
  75906. for (;;) {
  75907. /* Make sure that we always have enough lookahead, except
  75908. * at the end of the input file. We need MAX_MATCH bytes
  75909. * for the longest encodable run.
  75910. */
  75911. if (s->lookahead < MAX_MATCH) {
  75912. fill_window(s);
  75913. if (s->lookahead < MAX_MATCH && flush == Z_NO_FLUSH) {
  75914. return need_more;
  75915. }
  75916. if (s->lookahead == 0) break; /* flush the current block */
  75917. }
  75918. /* See how many times the previous byte repeats */
  75919. run = 0;
  75920. if (s->strstart > 0) { /* if there is a previous byte, that is */
  75921. max = s->lookahead < MAX_MATCH ? s->lookahead : MAX_MATCH;
  75922. scan = s->window + s->strstart - 1;
  75923. prev = *scan++;
  75924. do {
  75925. if (*scan++ != prev)
  75926. break;
  75927. } while (++run < max);
  75928. }
  75929. /* Emit match if have run of MIN_MATCH or longer, else emit literal */
  75930. if (run >= MIN_MATCH) {
  75931. check_match(s, s->strstart, s->strstart - 1, run);
  75932. _tr_tally_dist(s, 1, run - MIN_MATCH, bflush);
  75933. s->lookahead -= run;
  75934. s->strstart += run;
  75935. } else {
  75936. /* No match, output a literal byte */
  75937. Tracevv((stderr,"%c", s->window[s->strstart]));
  75938. _tr_tally_lit (s, s->window[s->strstart], bflush);
  75939. s->lookahead--;
  75940. s->strstart++;
  75941. }
  75942. if (bflush) FLUSH_BLOCK(s, 0);
  75943. }
  75944. FLUSH_BLOCK(s, flush == Z_FINISH);
  75945. return flush == Z_FINISH ? finish_done : block_done;
  75946. }
  75947. #endif
  75948. /********* End of inlined file: deflate.c *********/
  75949. /********* Start of inlined file: infback.c *********/
  75950. /*
  75951. This code is largely copied from inflate.c. Normally either infback.o or
  75952. inflate.o would be linked into an application--not both. The interface
  75953. with inffast.c is retained so that optimized assembler-coded versions of
  75954. inflate_fast() can be used with either inflate.c or infback.c.
  75955. */
  75956. /********* Start of inlined file: inftrees.h *********/
  75957. /* WARNING: this file should *not* be used by applications. It is
  75958. part of the implementation of the compression library and is
  75959. subject to change. Applications should only use zlib.h.
  75960. */
  75961. #ifndef _INFTREES_H_
  75962. #define _INFTREES_H_
  75963. /* Structure for decoding tables. Each entry provides either the
  75964. information needed to do the operation requested by the code that
  75965. indexed that table entry, or it provides a pointer to another
  75966. table that indexes more bits of the code. op indicates whether
  75967. the entry is a pointer to another table, a literal, a length or
  75968. distance, an end-of-block, or an invalid code. For a table
  75969. pointer, the low four bits of op is the number of index bits of
  75970. that table. For a length or distance, the low four bits of op
  75971. is the number of extra bits to get after the code. bits is
  75972. the number of bits in this code or part of the code to drop off
  75973. of the bit buffer. val is the actual byte to output in the case
  75974. of a literal, the base length or distance, or the offset from
  75975. the current table to the next table. Each entry is four bytes. */
  75976. typedef struct {
  75977. unsigned char op; /* operation, extra bits, table bits */
  75978. unsigned char bits; /* bits in this part of the code */
  75979. unsigned short val; /* offset in table or code value */
  75980. } code;
  75981. /* op values as set by inflate_table():
  75982. 00000000 - literal
  75983. 0000tttt - table link, tttt != 0 is the number of table index bits
  75984. 0001eeee - length or distance, eeee is the number of extra bits
  75985. 01100000 - end of block
  75986. 01000000 - invalid code
  75987. */
  75988. /* Maximum size of dynamic tree. The maximum found in a long but non-
  75989. exhaustive search was 1444 code structures (852 for length/literals
  75990. and 592 for distances, the latter actually the result of an
  75991. exhaustive search). The true maximum is not known, but the value
  75992. below is more than safe. */
  75993. #define ENOUGH 2048
  75994. #define MAXD 592
  75995. /* Type of code to build for inftable() */
  75996. typedef enum {
  75997. CODES,
  75998. LENS,
  75999. DISTS
  76000. } codetype;
  76001. extern int inflate_table OF((codetype type, unsigned short FAR *lens,
  76002. unsigned codes, code FAR * FAR *table,
  76003. unsigned FAR *bits, unsigned short FAR *work));
  76004. #endif
  76005. /********* End of inlined file: inftrees.h *********/
  76006. /********* Start of inlined file: inflate.h *********/
  76007. /* WARNING: this file should *not* be used by applications. It is
  76008. part of the implementation of the compression library and is
  76009. subject to change. Applications should only use zlib.h.
  76010. */
  76011. #ifndef _INFLATE_H_
  76012. #define _INFLATE_H_
  76013. /* define NO_GZIP when compiling if you want to disable gzip header and
  76014. trailer decoding by inflate(). NO_GZIP would be used to avoid linking in
  76015. the crc code when it is not needed. For shared libraries, gzip decoding
  76016. should be left enabled. */
  76017. #ifndef NO_GZIP
  76018. # define GUNZIP
  76019. #endif
  76020. /* Possible inflate modes between inflate() calls */
  76021. typedef enum {
  76022. HEAD, /* i: waiting for magic header */
  76023. FLAGS, /* i: waiting for method and flags (gzip) */
  76024. TIME, /* i: waiting for modification time (gzip) */
  76025. OS, /* i: waiting for extra flags and operating system (gzip) */
  76026. EXLEN, /* i: waiting for extra length (gzip) */
  76027. EXTRA, /* i: waiting for extra bytes (gzip) */
  76028. NAME, /* i: waiting for end of file name (gzip) */
  76029. COMMENT, /* i: waiting for end of comment (gzip) */
  76030. HCRC, /* i: waiting for header crc (gzip) */
  76031. DICTID, /* i: waiting for dictionary check value */
  76032. DICT, /* waiting for inflateSetDictionary() call */
  76033. TYPE, /* i: waiting for type bits, including last-flag bit */
  76034. TYPEDO, /* i: same, but skip check to exit inflate on new block */
  76035. STORED, /* i: waiting for stored size (length and complement) */
  76036. COPY, /* i/o: waiting for input or output to copy stored block */
  76037. TABLE, /* i: waiting for dynamic block table lengths */
  76038. LENLENS, /* i: waiting for code length code lengths */
  76039. CODELENS, /* i: waiting for length/lit and distance code lengths */
  76040. LEN, /* i: waiting for length/lit code */
  76041. LENEXT, /* i: waiting for length extra bits */
  76042. DIST, /* i: waiting for distance code */
  76043. DISTEXT, /* i: waiting for distance extra bits */
  76044. MATCH, /* o: waiting for output space to copy string */
  76045. LIT, /* o: waiting for output space to write literal */
  76046. CHECK, /* i: waiting for 32-bit check value */
  76047. LENGTH, /* i: waiting for 32-bit length (gzip) */
  76048. DONE, /* finished check, done -- remain here until reset */
  76049. BAD, /* got a data error -- remain here until reset */
  76050. MEM, /* got an inflate() memory error -- remain here until reset */
  76051. SYNC /* looking for synchronization bytes to restart inflate() */
  76052. } inflate_mode;
  76053. /*
  76054. State transitions between above modes -
  76055. (most modes can go to the BAD or MEM mode -- not shown for clarity)
  76056. Process header:
  76057. HEAD -> (gzip) or (zlib)
  76058. (gzip) -> FLAGS -> TIME -> OS -> EXLEN -> EXTRA -> NAME
  76059. NAME -> COMMENT -> HCRC -> TYPE
  76060. (zlib) -> DICTID or TYPE
  76061. DICTID -> DICT -> TYPE
  76062. Read deflate blocks:
  76063. TYPE -> STORED or TABLE or LEN or CHECK
  76064. STORED -> COPY -> TYPE
  76065. TABLE -> LENLENS -> CODELENS -> LEN
  76066. Read deflate codes:
  76067. LEN -> LENEXT or LIT or TYPE
  76068. LENEXT -> DIST -> DISTEXT -> MATCH -> LEN
  76069. LIT -> LEN
  76070. Process trailer:
  76071. CHECK -> LENGTH -> DONE
  76072. */
  76073. /* state maintained between inflate() calls. Approximately 7K bytes. */
  76074. struct inflate_state {
  76075. inflate_mode mode; /* current inflate mode */
  76076. int last; /* true if processing last block */
  76077. int wrap; /* bit 0 true for zlib, bit 1 true for gzip */
  76078. int havedict; /* true if dictionary provided */
  76079. int flags; /* gzip header method and flags (0 if zlib) */
  76080. unsigned dmax; /* zlib header max distance (INFLATE_STRICT) */
  76081. unsigned long check; /* protected copy of check value */
  76082. unsigned long total; /* protected copy of output count */
  76083. gz_headerp head; /* where to save gzip header information */
  76084. /* sliding window */
  76085. unsigned wbits; /* log base 2 of requested window size */
  76086. unsigned wsize; /* window size or zero if not using window */
  76087. unsigned whave; /* valid bytes in the window */
  76088. unsigned write; /* window write index */
  76089. unsigned char FAR *window; /* allocated sliding window, if needed */
  76090. /* bit accumulator */
  76091. unsigned long hold; /* input bit accumulator */
  76092. unsigned bits; /* number of bits in "in" */
  76093. /* for string and stored block copying */
  76094. unsigned length; /* literal or length of data to copy */
  76095. unsigned offset; /* distance back to copy string from */
  76096. /* for table and code decoding */
  76097. unsigned extra; /* extra bits needed */
  76098. /* fixed and dynamic code tables */
  76099. code const FAR *lencode; /* starting table for length/literal codes */
  76100. code const FAR *distcode; /* starting table for distance codes */
  76101. unsigned lenbits; /* index bits for lencode */
  76102. unsigned distbits; /* index bits for distcode */
  76103. /* dynamic table building */
  76104. unsigned ncode; /* number of code length code lengths */
  76105. unsigned nlen; /* number of length code lengths */
  76106. unsigned ndist; /* number of distance code lengths */
  76107. unsigned have; /* number of code lengths in lens[] */
  76108. code FAR *next; /* next available space in codes[] */
  76109. unsigned short lens[320]; /* temporary storage for code lengths */
  76110. unsigned short work[288]; /* work area for code table building */
  76111. code codes[ENOUGH]; /* space for code tables */
  76112. };
  76113. #endif
  76114. /********* End of inlined file: inflate.h *********/
  76115. /********* Start of inlined file: inffast.h *********/
  76116. /* WARNING: this file should *not* be used by applications. It is
  76117. part of the implementation of the compression library and is
  76118. subject to change. Applications should only use zlib.h.
  76119. */
  76120. void inflate_fast OF((z_streamp strm, unsigned start));
  76121. /********* End of inlined file: inffast.h *********/
  76122. /* function prototypes */
  76123. local void fixedtables1 OF((struct inflate_state FAR *state));
  76124. /*
  76125. strm provides memory allocation functions in zalloc and zfree, or
  76126. Z_NULL to use the library memory allocation functions.
  76127. windowBits is in the range 8..15, and window is a user-supplied
  76128. window and output buffer that is 2**windowBits bytes.
  76129. */
  76130. int ZEXPORT inflateBackInit_(z_streamp strm, int windowBits, unsigned char FAR *window, const char *version, int stream_size)
  76131. {
  76132. struct inflate_state FAR *state;
  76133. if (version == Z_NULL || version[0] != ZLIB_VERSION[0] ||
  76134. stream_size != (int)(sizeof(z_stream)))
  76135. return Z_VERSION_ERROR;
  76136. if (strm == Z_NULL || window == Z_NULL ||
  76137. windowBits < 8 || windowBits > 15)
  76138. return Z_STREAM_ERROR;
  76139. strm->msg = Z_NULL; /* in case we return an error */
  76140. if (strm->zalloc == (alloc_func)0) {
  76141. strm->zalloc = zcalloc;
  76142. strm->opaque = (voidpf)0;
  76143. }
  76144. if (strm->zfree == (free_func)0) strm->zfree = zcfree;
  76145. state = (struct inflate_state FAR *)ZALLOC(strm, 1,
  76146. sizeof(struct inflate_state));
  76147. if (state == Z_NULL) return Z_MEM_ERROR;
  76148. Tracev((stderr, "inflate: allocated\n"));
  76149. strm->state = (struct internal_state FAR *)state;
  76150. state->dmax = 32768U;
  76151. state->wbits = windowBits;
  76152. state->wsize = 1U << windowBits;
  76153. state->window = window;
  76154. state->write = 0;
  76155. state->whave = 0;
  76156. return Z_OK;
  76157. }
  76158. /*
  76159. Return state with length and distance decoding tables and index sizes set to
  76160. fixed code decoding. Normally this returns fixed tables from inffixed.h.
  76161. If BUILDFIXED is defined, then instead this routine builds the tables the
  76162. first time it's called, and returns those tables the first time and
  76163. thereafter. This reduces the size of the code by about 2K bytes, in
  76164. exchange for a little execution time. However, BUILDFIXED should not be
  76165. used for threaded applications, since the rewriting of the tables and virgin
  76166. may not be thread-safe.
  76167. */
  76168. local void fixedtables1 (struct inflate_state FAR *state)
  76169. {
  76170. #ifdef BUILDFIXED
  76171. static int virgin = 1;
  76172. static code *lenfix, *distfix;
  76173. static code fixed[544];
  76174. /* build fixed huffman tables if first call (may not be thread safe) */
  76175. if (virgin) {
  76176. unsigned sym, bits;
  76177. static code *next;
  76178. /* literal/length table */
  76179. sym = 0;
  76180. while (sym < 144) state->lens[sym++] = 8;
  76181. while (sym < 256) state->lens[sym++] = 9;
  76182. while (sym < 280) state->lens[sym++] = 7;
  76183. while (sym < 288) state->lens[sym++] = 8;
  76184. next = fixed;
  76185. lenfix = next;
  76186. bits = 9;
  76187. inflate_table(LENS, state->lens, 288, &(next), &(bits), state->work);
  76188. /* distance table */
  76189. sym = 0;
  76190. while (sym < 32) state->lens[sym++] = 5;
  76191. distfix = next;
  76192. bits = 5;
  76193. inflate_table(DISTS, state->lens, 32, &(next), &(bits), state->work);
  76194. /* do this just once */
  76195. virgin = 0;
  76196. }
  76197. #else /* !BUILDFIXED */
  76198. /********* Start of inlined file: inffixed.h *********/
  76199. /* inffixed.h -- table for decoding fixed codes
  76200. * Generated automatically by makefixed().
  76201. */
  76202. /* WARNING: this file should *not* be used by applications. It
  76203. is part of the implementation of the compression library and
  76204. is subject to change. Applications should only use zlib.h.
  76205. */
  76206. static const code lenfix[512] = {
  76207. {96,7,0},{0,8,80},{0,8,16},{20,8,115},{18,7,31},{0,8,112},{0,8,48},
  76208. {0,9,192},{16,7,10},{0,8,96},{0,8,32},{0,9,160},{0,8,0},{0,8,128},
  76209. {0,8,64},{0,9,224},{16,7,6},{0,8,88},{0,8,24},{0,9,144},{19,7,59},
  76210. {0,8,120},{0,8,56},{0,9,208},{17,7,17},{0,8,104},{0,8,40},{0,9,176},
  76211. {0,8,8},{0,8,136},{0,8,72},{0,9,240},{16,7,4},{0,8,84},{0,8,20},
  76212. {21,8,227},{19,7,43},{0,8,116},{0,8,52},{0,9,200},{17,7,13},{0,8,100},
  76213. {0,8,36},{0,9,168},{0,8,4},{0,8,132},{0,8,68},{0,9,232},{16,7,8},
  76214. {0,8,92},{0,8,28},{0,9,152},{20,7,83},{0,8,124},{0,8,60},{0,9,216},
  76215. {18,7,23},{0,8,108},{0,8,44},{0,9,184},{0,8,12},{0,8,140},{0,8,76},
  76216. {0,9,248},{16,7,3},{0,8,82},{0,8,18},{21,8,163},{19,7,35},{0,8,114},
  76217. {0,8,50},{0,9,196},{17,7,11},{0,8,98},{0,8,34},{0,9,164},{0,8,2},
  76218. {0,8,130},{0,8,66},{0,9,228},{16,7,7},{0,8,90},{0,8,26},{0,9,148},
  76219. {20,7,67},{0,8,122},{0,8,58},{0,9,212},{18,7,19},{0,8,106},{0,8,42},
  76220. {0,9,180},{0,8,10},{0,8,138},{0,8,74},{0,9,244},{16,7,5},{0,8,86},
  76221. {0,8,22},{64,8,0},{19,7,51},{0,8,118},{0,8,54},{0,9,204},{17,7,15},
  76222. {0,8,102},{0,8,38},{0,9,172},{0,8,6},{0,8,134},{0,8,70},{0,9,236},
  76223. {16,7,9},{0,8,94},{0,8,30},{0,9,156},{20,7,99},{0,8,126},{0,8,62},
  76224. {0,9,220},{18,7,27},{0,8,110},{0,8,46},{0,9,188},{0,8,14},{0,8,142},
  76225. {0,8,78},{0,9,252},{96,7,0},{0,8,81},{0,8,17},{21,8,131},{18,7,31},
  76226. {0,8,113},{0,8,49},{0,9,194},{16,7,10},{0,8,97},{0,8,33},{0,9,162},
  76227. {0,8,1},{0,8,129},{0,8,65},{0,9,226},{16,7,6},{0,8,89},{0,8,25},
  76228. {0,9,146},{19,7,59},{0,8,121},{0,8,57},{0,9,210},{17,7,17},{0,8,105},
  76229. {0,8,41},{0,9,178},{0,8,9},{0,8,137},{0,8,73},{0,9,242},{16,7,4},
  76230. {0,8,85},{0,8,21},{16,8,258},{19,7,43},{0,8,117},{0,8,53},{0,9,202},
  76231. {17,7,13},{0,8,101},{0,8,37},{0,9,170},{0,8,5},{0,8,133},{0,8,69},
  76232. {0,9,234},{16,7,8},{0,8,93},{0,8,29},{0,9,154},{20,7,83},{0,8,125},
  76233. {0,8,61},{0,9,218},{18,7,23},{0,8,109},{0,8,45},{0,9,186},{0,8,13},
  76234. {0,8,141},{0,8,77},{0,9,250},{16,7,3},{0,8,83},{0,8,19},{21,8,195},
  76235. {19,7,35},{0,8,115},{0,8,51},{0,9,198},{17,7,11},{0,8,99},{0,8,35},
  76236. {0,9,166},{0,8,3},{0,8,131},{0,8,67},{0,9,230},{16,7,7},{0,8,91},
  76237. {0,8,27},{0,9,150},{20,7,67},{0,8,123},{0,8,59},{0,9,214},{18,7,19},
  76238. {0,8,107},{0,8,43},{0,9,182},{0,8,11},{0,8,139},{0,8,75},{0,9,246},
  76239. {16,7,5},{0,8,87},{0,8,23},{64,8,0},{19,7,51},{0,8,119},{0,8,55},
  76240. {0,9,206},{17,7,15},{0,8,103},{0,8,39},{0,9,174},{0,8,7},{0,8,135},
  76241. {0,8,71},{0,9,238},{16,7,9},{0,8,95},{0,8,31},{0,9,158},{20,7,99},
  76242. {0,8,127},{0,8,63},{0,9,222},{18,7,27},{0,8,111},{0,8,47},{0,9,190},
  76243. {0,8,15},{0,8,143},{0,8,79},{0,9,254},{96,7,0},{0,8,80},{0,8,16},
  76244. {20,8,115},{18,7,31},{0,8,112},{0,8,48},{0,9,193},{16,7,10},{0,8,96},
  76245. {0,8,32},{0,9,161},{0,8,0},{0,8,128},{0,8,64},{0,9,225},{16,7,6},
  76246. {0,8,88},{0,8,24},{0,9,145},{19,7,59},{0,8,120},{0,8,56},{0,9,209},
  76247. {17,7,17},{0,8,104},{0,8,40},{0,9,177},{0,8,8},{0,8,136},{0,8,72},
  76248. {0,9,241},{16,7,4},{0,8,84},{0,8,20},{21,8,227},{19,7,43},{0,8,116},
  76249. {0,8,52},{0,9,201},{17,7,13},{0,8,100},{0,8,36},{0,9,169},{0,8,4},
  76250. {0,8,132},{0,8,68},{0,9,233},{16,7,8},{0,8,92},{0,8,28},{0,9,153},
  76251. {20,7,83},{0,8,124},{0,8,60},{0,9,217},{18,7,23},{0,8,108},{0,8,44},
  76252. {0,9,185},{0,8,12},{0,8,140},{0,8,76},{0,9,249},{16,7,3},{0,8,82},
  76253. {0,8,18},{21,8,163},{19,7,35},{0,8,114},{0,8,50},{0,9,197},{17,7,11},
  76254. {0,8,98},{0,8,34},{0,9,165},{0,8,2},{0,8,130},{0,8,66},{0,9,229},
  76255. {16,7,7},{0,8,90},{0,8,26},{0,9,149},{20,7,67},{0,8,122},{0,8,58},
  76256. {0,9,213},{18,7,19},{0,8,106},{0,8,42},{0,9,181},{0,8,10},{0,8,138},
  76257. {0,8,74},{0,9,245},{16,7,5},{0,8,86},{0,8,22},{64,8,0},{19,7,51},
  76258. {0,8,118},{0,8,54},{0,9,205},{17,7,15},{0,8,102},{0,8,38},{0,9,173},
  76259. {0,8,6},{0,8,134},{0,8,70},{0,9,237},{16,7,9},{0,8,94},{0,8,30},
  76260. {0,9,157},{20,7,99},{0,8,126},{0,8,62},{0,9,221},{18,7,27},{0,8,110},
  76261. {0,8,46},{0,9,189},{0,8,14},{0,8,142},{0,8,78},{0,9,253},{96,7,0},
  76262. {0,8,81},{0,8,17},{21,8,131},{18,7,31},{0,8,113},{0,8,49},{0,9,195},
  76263. {16,7,10},{0,8,97},{0,8,33},{0,9,163},{0,8,1},{0,8,129},{0,8,65},
  76264. {0,9,227},{16,7,6},{0,8,89},{0,8,25},{0,9,147},{19,7,59},{0,8,121},
  76265. {0,8,57},{0,9,211},{17,7,17},{0,8,105},{0,8,41},{0,9,179},{0,8,9},
  76266. {0,8,137},{0,8,73},{0,9,243},{16,7,4},{0,8,85},{0,8,21},{16,8,258},
  76267. {19,7,43},{0,8,117},{0,8,53},{0,9,203},{17,7,13},{0,8,101},{0,8,37},
  76268. {0,9,171},{0,8,5},{0,8,133},{0,8,69},{0,9,235},{16,7,8},{0,8,93},
  76269. {0,8,29},{0,9,155},{20,7,83},{0,8,125},{0,8,61},{0,9,219},{18,7,23},
  76270. {0,8,109},{0,8,45},{0,9,187},{0,8,13},{0,8,141},{0,8,77},{0,9,251},
  76271. {16,7,3},{0,8,83},{0,8,19},{21,8,195},{19,7,35},{0,8,115},{0,8,51},
  76272. {0,9,199},{17,7,11},{0,8,99},{0,8,35},{0,9,167},{0,8,3},{0,8,131},
  76273. {0,8,67},{0,9,231},{16,7,7},{0,8,91},{0,8,27},{0,9,151},{20,7,67},
  76274. {0,8,123},{0,8,59},{0,9,215},{18,7,19},{0,8,107},{0,8,43},{0,9,183},
  76275. {0,8,11},{0,8,139},{0,8,75},{0,9,247},{16,7,5},{0,8,87},{0,8,23},
  76276. {64,8,0},{19,7,51},{0,8,119},{0,8,55},{0,9,207},{17,7,15},{0,8,103},
  76277. {0,8,39},{0,9,175},{0,8,7},{0,8,135},{0,8,71},{0,9,239},{16,7,9},
  76278. {0,8,95},{0,8,31},{0,9,159},{20,7,99},{0,8,127},{0,8,63},{0,9,223},
  76279. {18,7,27},{0,8,111},{0,8,47},{0,9,191},{0,8,15},{0,8,143},{0,8,79},
  76280. {0,9,255}
  76281. };
  76282. static const code distfix[32] = {
  76283. {16,5,1},{23,5,257},{19,5,17},{27,5,4097},{17,5,5},{25,5,1025},
  76284. {21,5,65},{29,5,16385},{16,5,3},{24,5,513},{20,5,33},{28,5,8193},
  76285. {18,5,9},{26,5,2049},{22,5,129},{64,5,0},{16,5,2},{23,5,385},
  76286. {19,5,25},{27,5,6145},{17,5,7},{25,5,1537},{21,5,97},{29,5,24577},
  76287. {16,5,4},{24,5,769},{20,5,49},{28,5,12289},{18,5,13},{26,5,3073},
  76288. {22,5,193},{64,5,0}
  76289. };
  76290. /********* End of inlined file: inffixed.h *********/
  76291. #endif /* BUILDFIXED */
  76292. state->lencode = lenfix;
  76293. state->lenbits = 9;
  76294. state->distcode = distfix;
  76295. state->distbits = 5;
  76296. }
  76297. /* Macros for inflateBack(): */
  76298. /* Load returned state from inflate_fast() */
  76299. #define LOAD() \
  76300. do { \
  76301. put = strm->next_out; \
  76302. left = strm->avail_out; \
  76303. next = strm->next_in; \
  76304. have = strm->avail_in; \
  76305. hold = state->hold; \
  76306. bits = state->bits; \
  76307. } while (0)
  76308. /* Set state from registers for inflate_fast() */
  76309. #define RESTORE() \
  76310. do { \
  76311. strm->next_out = put; \
  76312. strm->avail_out = left; \
  76313. strm->next_in = next; \
  76314. strm->avail_in = have; \
  76315. state->hold = hold; \
  76316. state->bits = bits; \
  76317. } while (0)
  76318. /* Clear the input bit accumulator */
  76319. #define INITBITS() \
  76320. do { \
  76321. hold = 0; \
  76322. bits = 0; \
  76323. } while (0)
  76324. /* Assure that some input is available. If input is requested, but denied,
  76325. then return a Z_BUF_ERROR from inflateBack(). */
  76326. #define PULL() \
  76327. do { \
  76328. if (have == 0) { \
  76329. have = in(in_desc, &next); \
  76330. if (have == 0) { \
  76331. next = Z_NULL; \
  76332. ret = Z_BUF_ERROR; \
  76333. goto inf_leave; \
  76334. } \
  76335. } \
  76336. } while (0)
  76337. /* Get a byte of input into the bit accumulator, or return from inflateBack()
  76338. with an error if there is no input available. */
  76339. #define PULLBYTE() \
  76340. do { \
  76341. PULL(); \
  76342. have--; \
  76343. hold += (unsigned long)(*next++) << bits; \
  76344. bits += 8; \
  76345. } while (0)
  76346. /* Assure that there are at least n bits in the bit accumulator. If there is
  76347. not enough available input to do that, then return from inflateBack() with
  76348. an error. */
  76349. #define NEEDBITS(n) \
  76350. do { \
  76351. while (bits < (unsigned)(n)) \
  76352. PULLBYTE(); \
  76353. } while (0)
  76354. /* Return the low n bits of the bit accumulator (n < 16) */
  76355. #define BITS(n) \
  76356. ((unsigned)hold & ((1U << (n)) - 1))
  76357. /* Remove n bits from the bit accumulator */
  76358. #define DROPBITS(n) \
  76359. do { \
  76360. hold >>= (n); \
  76361. bits -= (unsigned)(n); \
  76362. } while (0)
  76363. /* Remove zero to seven bits as needed to go to a byte boundary */
  76364. #define BYTEBITS() \
  76365. do { \
  76366. hold >>= bits & 7; \
  76367. bits -= bits & 7; \
  76368. } while (0)
  76369. /* Assure that some output space is available, by writing out the window
  76370. if it's full. If the write fails, return from inflateBack() with a
  76371. Z_BUF_ERROR. */
  76372. #define ROOM() \
  76373. do { \
  76374. if (left == 0) { \
  76375. put = state->window; \
  76376. left = state->wsize; \
  76377. state->whave = left; \
  76378. if (out(out_desc, put, left)) { \
  76379. ret = Z_BUF_ERROR; \
  76380. goto inf_leave; \
  76381. } \
  76382. } \
  76383. } while (0)
  76384. /*
  76385. strm provides the memory allocation functions and window buffer on input,
  76386. and provides information on the unused input on return. For Z_DATA_ERROR
  76387. returns, strm will also provide an error message.
  76388. in() and out() are the call-back input and output functions. When
  76389. inflateBack() needs more input, it calls in(). When inflateBack() has
  76390. filled the window with output, or when it completes with data in the
  76391. window, it calls out() to write out the data. The application must not
  76392. change the provided input until in() is called again or inflateBack()
  76393. returns. The application must not change the window/output buffer until
  76394. inflateBack() returns.
  76395. in() and out() are called with a descriptor parameter provided in the
  76396. inflateBack() call. This parameter can be a structure that provides the
  76397. information required to do the read or write, as well as accumulated
  76398. information on the input and output such as totals and check values.
  76399. in() should return zero on failure. out() should return non-zero on
  76400. failure. If either in() or out() fails, than inflateBack() returns a
  76401. Z_BUF_ERROR. strm->next_in can be checked for Z_NULL to see whether it
  76402. was in() or out() that caused in the error. Otherwise, inflateBack()
  76403. returns Z_STREAM_END on success, Z_DATA_ERROR for an deflate format
  76404. error, or Z_MEM_ERROR if it could not allocate memory for the state.
  76405. inflateBack() can also return Z_STREAM_ERROR if the input parameters
  76406. are not correct, i.e. strm is Z_NULL or the state was not initialized.
  76407. */
  76408. int ZEXPORT inflateBack(z_streamp strm, in_func in, void FAR *in_desc, out_func out, void FAR *out_desc)
  76409. {
  76410. struct inflate_state FAR *state;
  76411. unsigned char FAR *next; /* next input */
  76412. unsigned char FAR *put; /* next output */
  76413. unsigned have, left; /* available input and output */
  76414. unsigned long hold; /* bit buffer */
  76415. unsigned bits; /* bits in bit buffer */
  76416. unsigned copy; /* number of stored or match bytes to copy */
  76417. unsigned char FAR *from; /* where to copy match bytes from */
  76418. code thisx; /* current decoding table entry */
  76419. code last; /* parent table entry */
  76420. unsigned len; /* length to copy for repeats, bits to drop */
  76421. int ret; /* return code */
  76422. static const unsigned short order[19] = /* permutation of code lengths */
  76423. {16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15};
  76424. /* Check that the strm exists and that the state was initialized */
  76425. if (strm == Z_NULL || strm->state == Z_NULL)
  76426. return Z_STREAM_ERROR;
  76427. state = (struct inflate_state FAR *)strm->state;
  76428. /* Reset the state */
  76429. strm->msg = Z_NULL;
  76430. state->mode = TYPE;
  76431. state->last = 0;
  76432. state->whave = 0;
  76433. next = strm->next_in;
  76434. have = next != Z_NULL ? strm->avail_in : 0;
  76435. hold = 0;
  76436. bits = 0;
  76437. put = state->window;
  76438. left = state->wsize;
  76439. /* Inflate until end of block marked as last */
  76440. for (;;)
  76441. switch (state->mode) {
  76442. case TYPE:
  76443. /* determine and dispatch block type */
  76444. if (state->last) {
  76445. BYTEBITS();
  76446. state->mode = DONE;
  76447. break;
  76448. }
  76449. NEEDBITS(3);
  76450. state->last = BITS(1);
  76451. DROPBITS(1);
  76452. switch (BITS(2)) {
  76453. case 0: /* stored block */
  76454. Tracev((stderr, "inflate: stored block%s\n",
  76455. state->last ? " (last)" : ""));
  76456. state->mode = STORED;
  76457. break;
  76458. case 1: /* fixed block */
  76459. fixedtables1(state);
  76460. Tracev((stderr, "inflate: fixed codes block%s\n",
  76461. state->last ? " (last)" : ""));
  76462. state->mode = LEN; /* decode codes */
  76463. break;
  76464. case 2: /* dynamic block */
  76465. Tracev((stderr, "inflate: dynamic codes block%s\n",
  76466. state->last ? " (last)" : ""));
  76467. state->mode = TABLE;
  76468. break;
  76469. case 3:
  76470. strm->msg = (char *)"invalid block type";
  76471. state->mode = BAD;
  76472. }
  76473. DROPBITS(2);
  76474. break;
  76475. case STORED:
  76476. /* get and verify stored block length */
  76477. BYTEBITS(); /* go to byte boundary */
  76478. NEEDBITS(32);
  76479. if ((hold & 0xffff) != ((hold >> 16) ^ 0xffff)) {
  76480. strm->msg = (char *)"invalid stored block lengths";
  76481. state->mode = BAD;
  76482. break;
  76483. }
  76484. state->length = (unsigned)hold & 0xffff;
  76485. Tracev((stderr, "inflate: stored length %u\n",
  76486. state->length));
  76487. INITBITS();
  76488. /* copy stored block from input to output */
  76489. while (state->length != 0) {
  76490. copy = state->length;
  76491. PULL();
  76492. ROOM();
  76493. if (copy > have) copy = have;
  76494. if (copy > left) copy = left;
  76495. zmemcpy(put, next, copy);
  76496. have -= copy;
  76497. next += copy;
  76498. left -= copy;
  76499. put += copy;
  76500. state->length -= copy;
  76501. }
  76502. Tracev((stderr, "inflate: stored end\n"));
  76503. state->mode = TYPE;
  76504. break;
  76505. case TABLE:
  76506. /* get dynamic table entries descriptor */
  76507. NEEDBITS(14);
  76508. state->nlen = BITS(5) + 257;
  76509. DROPBITS(5);
  76510. state->ndist = BITS(5) + 1;
  76511. DROPBITS(5);
  76512. state->ncode = BITS(4) + 4;
  76513. DROPBITS(4);
  76514. #ifndef PKZIP_BUG_WORKAROUND
  76515. if (state->nlen > 286 || state->ndist > 30) {
  76516. strm->msg = (char *)"too many length or distance symbols";
  76517. state->mode = BAD;
  76518. break;
  76519. }
  76520. #endif
  76521. Tracev((stderr, "inflate: table sizes ok\n"));
  76522. /* get code length code lengths (not a typo) */
  76523. state->have = 0;
  76524. while (state->have < state->ncode) {
  76525. NEEDBITS(3);
  76526. state->lens[order[state->have++]] = (unsigned short)BITS(3);
  76527. DROPBITS(3);
  76528. }
  76529. while (state->have < 19)
  76530. state->lens[order[state->have++]] = 0;
  76531. state->next = state->codes;
  76532. state->lencode = (code const FAR *)(state->next);
  76533. state->lenbits = 7;
  76534. ret = inflate_table(CODES, state->lens, 19, &(state->next),
  76535. &(state->lenbits), state->work);
  76536. if (ret) {
  76537. strm->msg = (char *)"invalid code lengths set";
  76538. state->mode = BAD;
  76539. break;
  76540. }
  76541. Tracev((stderr, "inflate: code lengths ok\n"));
  76542. /* get length and distance code code lengths */
  76543. state->have = 0;
  76544. while (state->have < state->nlen + state->ndist) {
  76545. for (;;) {
  76546. thisx = state->lencode[BITS(state->lenbits)];
  76547. if ((unsigned)(thisx.bits) <= bits) break;
  76548. PULLBYTE();
  76549. }
  76550. if (thisx.val < 16) {
  76551. NEEDBITS(thisx.bits);
  76552. DROPBITS(thisx.bits);
  76553. state->lens[state->have++] = thisx.val;
  76554. }
  76555. else {
  76556. if (thisx.val == 16) {
  76557. NEEDBITS(thisx.bits + 2);
  76558. DROPBITS(thisx.bits);
  76559. if (state->have == 0) {
  76560. strm->msg = (char *)"invalid bit length repeat";
  76561. state->mode = BAD;
  76562. break;
  76563. }
  76564. len = (unsigned)(state->lens[state->have - 1]);
  76565. copy = 3 + BITS(2);
  76566. DROPBITS(2);
  76567. }
  76568. else if (thisx.val == 17) {
  76569. NEEDBITS(thisx.bits + 3);
  76570. DROPBITS(thisx.bits);
  76571. len = 0;
  76572. copy = 3 + BITS(3);
  76573. DROPBITS(3);
  76574. }
  76575. else {
  76576. NEEDBITS(thisx.bits + 7);
  76577. DROPBITS(thisx.bits);
  76578. len = 0;
  76579. copy = 11 + BITS(7);
  76580. DROPBITS(7);
  76581. }
  76582. if (state->have + copy > state->nlen + state->ndist) {
  76583. strm->msg = (char *)"invalid bit length repeat";
  76584. state->mode = BAD;
  76585. break;
  76586. }
  76587. while (copy--)
  76588. state->lens[state->have++] = (unsigned short)len;
  76589. }
  76590. }
  76591. /* handle error breaks in while */
  76592. if (state->mode == BAD) break;
  76593. /* build code tables */
  76594. state->next = state->codes;
  76595. state->lencode = (code const FAR *)(state->next);
  76596. state->lenbits = 9;
  76597. ret = inflate_table(LENS, state->lens, state->nlen, &(state->next),
  76598. &(state->lenbits), state->work);
  76599. if (ret) {
  76600. strm->msg = (char *)"invalid literal/lengths set";
  76601. state->mode = BAD;
  76602. break;
  76603. }
  76604. state->distcode = (code const FAR *)(state->next);
  76605. state->distbits = 6;
  76606. ret = inflate_table(DISTS, state->lens + state->nlen, state->ndist,
  76607. &(state->next), &(state->distbits), state->work);
  76608. if (ret) {
  76609. strm->msg = (char *)"invalid distances set";
  76610. state->mode = BAD;
  76611. break;
  76612. }
  76613. Tracev((stderr, "inflate: codes ok\n"));
  76614. state->mode = LEN;
  76615. case LEN:
  76616. /* use inflate_fast() if we have enough input and output */
  76617. if (have >= 6 && left >= 258) {
  76618. RESTORE();
  76619. if (state->whave < state->wsize)
  76620. state->whave = state->wsize - left;
  76621. inflate_fast(strm, state->wsize);
  76622. LOAD();
  76623. break;
  76624. }
  76625. /* get a literal, length, or end-of-block code */
  76626. for (;;) {
  76627. thisx = state->lencode[BITS(state->lenbits)];
  76628. if ((unsigned)(thisx.bits) <= bits) break;
  76629. PULLBYTE();
  76630. }
  76631. if (thisx.op && (thisx.op & 0xf0) == 0) {
  76632. last = thisx;
  76633. for (;;) {
  76634. thisx = state->lencode[last.val +
  76635. (BITS(last.bits + last.op) >> last.bits)];
  76636. if ((unsigned)(last.bits + thisx.bits) <= bits) break;
  76637. PULLBYTE();
  76638. }
  76639. DROPBITS(last.bits);
  76640. }
  76641. DROPBITS(thisx.bits);
  76642. state->length = (unsigned)thisx.val;
  76643. /* process literal */
  76644. if (thisx.op == 0) {
  76645. Tracevv((stderr, thisx.val >= 0x20 && thisx.val < 0x7f ?
  76646. "inflate: literal '%c'\n" :
  76647. "inflate: literal 0x%02x\n", thisx.val));
  76648. ROOM();
  76649. *put++ = (unsigned char)(state->length);
  76650. left--;
  76651. state->mode = LEN;
  76652. break;
  76653. }
  76654. /* process end of block */
  76655. if (thisx.op & 32) {
  76656. Tracevv((stderr, "inflate: end of block\n"));
  76657. state->mode = TYPE;
  76658. break;
  76659. }
  76660. /* invalid code */
  76661. if (thisx.op & 64) {
  76662. strm->msg = (char *)"invalid literal/length code";
  76663. state->mode = BAD;
  76664. break;
  76665. }
  76666. /* length code -- get extra bits, if any */
  76667. state->extra = (unsigned)(thisx.op) & 15;
  76668. if (state->extra != 0) {
  76669. NEEDBITS(state->extra);
  76670. state->length += BITS(state->extra);
  76671. DROPBITS(state->extra);
  76672. }
  76673. Tracevv((stderr, "inflate: length %u\n", state->length));
  76674. /* get distance code */
  76675. for (;;) {
  76676. thisx = state->distcode[BITS(state->distbits)];
  76677. if ((unsigned)(thisx.bits) <= bits) break;
  76678. PULLBYTE();
  76679. }
  76680. if ((thisx.op & 0xf0) == 0) {
  76681. last = thisx;
  76682. for (;;) {
  76683. thisx = state->distcode[last.val +
  76684. (BITS(last.bits + last.op) >> last.bits)];
  76685. if ((unsigned)(last.bits + thisx.bits) <= bits) break;
  76686. PULLBYTE();
  76687. }
  76688. DROPBITS(last.bits);
  76689. }
  76690. DROPBITS(thisx.bits);
  76691. if (thisx.op & 64) {
  76692. strm->msg = (char *)"invalid distance code";
  76693. state->mode = BAD;
  76694. break;
  76695. }
  76696. state->offset = (unsigned)thisx.val;
  76697. /* get distance extra bits, if any */
  76698. state->extra = (unsigned)(thisx.op) & 15;
  76699. if (state->extra != 0) {
  76700. NEEDBITS(state->extra);
  76701. state->offset += BITS(state->extra);
  76702. DROPBITS(state->extra);
  76703. }
  76704. if (state->offset > state->wsize - (state->whave < state->wsize ?
  76705. left : 0)) {
  76706. strm->msg = (char *)"invalid distance too far back";
  76707. state->mode = BAD;
  76708. break;
  76709. }
  76710. Tracevv((stderr, "inflate: distance %u\n", state->offset));
  76711. /* copy match from window to output */
  76712. do {
  76713. ROOM();
  76714. copy = state->wsize - state->offset;
  76715. if (copy < left) {
  76716. from = put + copy;
  76717. copy = left - copy;
  76718. }
  76719. else {
  76720. from = put - state->offset;
  76721. copy = left;
  76722. }
  76723. if (copy > state->length) copy = state->length;
  76724. state->length -= copy;
  76725. left -= copy;
  76726. do {
  76727. *put++ = *from++;
  76728. } while (--copy);
  76729. } while (state->length != 0);
  76730. break;
  76731. case DONE:
  76732. /* inflate stream terminated properly -- write leftover output */
  76733. ret = Z_STREAM_END;
  76734. if (left < state->wsize) {
  76735. if (out(out_desc, state->window, state->wsize - left))
  76736. ret = Z_BUF_ERROR;
  76737. }
  76738. goto inf_leave;
  76739. case BAD:
  76740. ret = Z_DATA_ERROR;
  76741. goto inf_leave;
  76742. default: /* can't happen, but makes compilers happy */
  76743. ret = Z_STREAM_ERROR;
  76744. goto inf_leave;
  76745. }
  76746. /* Return unused input */
  76747. inf_leave:
  76748. strm->next_in = next;
  76749. strm->avail_in = have;
  76750. return ret;
  76751. }
  76752. int ZEXPORT inflateBackEnd (z_streamp strm)
  76753. {
  76754. if (strm == Z_NULL || strm->state == Z_NULL || strm->zfree == (free_func)0)
  76755. return Z_STREAM_ERROR;
  76756. ZFREE(strm, strm->state);
  76757. strm->state = Z_NULL;
  76758. Tracev((stderr, "inflate: end\n"));
  76759. return Z_OK;
  76760. }
  76761. /********* End of inlined file: infback.c *********/
  76762. /********* Start of inlined file: inffast.c *********/
  76763. /********* Start of inlined file: inffast.h *********/
  76764. /* WARNING: this file should *not* be used by applications. It is
  76765. part of the implementation of the compression library and is
  76766. subject to change. Applications should only use zlib.h.
  76767. */
  76768. void inflate_fast OF((z_streamp strm, unsigned start));
  76769. /********* End of inlined file: inffast.h *********/
  76770. #ifndef ASMINF
  76771. /* Allow machine dependent optimization for post-increment or pre-increment.
  76772. Based on testing to date,
  76773. Pre-increment preferred for:
  76774. - PowerPC G3 (Adler)
  76775. - MIPS R5000 (Randers-Pehrson)
  76776. Post-increment preferred for:
  76777. - none
  76778. No measurable difference:
  76779. - Pentium III (Anderson)
  76780. - M68060 (Nikl)
  76781. */
  76782. #ifdef POSTINC
  76783. # define OFF 0
  76784. # define PUP(a) *(a)++
  76785. #else
  76786. # define OFF 1
  76787. # define PUP(a) *++(a)
  76788. #endif
  76789. /*
  76790. Decode literal, length, and distance codes and write out the resulting
  76791. literal and match bytes until either not enough input or output is
  76792. available, an end-of-block is encountered, or a data error is encountered.
  76793. When large enough input and output buffers are supplied to inflate(), for
  76794. example, a 16K input buffer and a 64K output buffer, more than 95% of the
  76795. inflate execution time is spent in this routine.
  76796. Entry assumptions:
  76797. state->mode == LEN
  76798. strm->avail_in >= 6
  76799. strm->avail_out >= 258
  76800. start >= strm->avail_out
  76801. state->bits < 8
  76802. On return, state->mode is one of:
  76803. LEN -- ran out of enough output space or enough available input
  76804. TYPE -- reached end of block code, inflate() to interpret next block
  76805. BAD -- error in block data
  76806. Notes:
  76807. - The maximum input bits used by a length/distance pair is 15 bits for the
  76808. length code, 5 bits for the length extra, 15 bits for the distance code,
  76809. and 13 bits for the distance extra. This totals 48 bits, or six bytes.
  76810. Therefore if strm->avail_in >= 6, then there is enough input to avoid
  76811. checking for available input while decoding.
  76812. - The maximum bytes that a single length/distance pair can output is 258
  76813. bytes, which is the maximum length that can be coded. inflate_fast()
  76814. requires strm->avail_out >= 258 for each loop to avoid checking for
  76815. output space.
  76816. */
  76817. void inflate_fast (z_streamp strm, unsigned start)
  76818. {
  76819. struct inflate_state FAR *state;
  76820. unsigned char FAR *in; /* local strm->next_in */
  76821. unsigned char FAR *last; /* while in < last, enough input available */
  76822. unsigned char FAR *out; /* local strm->next_out */
  76823. unsigned char FAR *beg; /* inflate()'s initial strm->next_out */
  76824. unsigned char FAR *end; /* while out < end, enough space available */
  76825. #ifdef INFLATE_STRICT
  76826. unsigned dmax; /* maximum distance from zlib header */
  76827. #endif
  76828. unsigned wsize; /* window size or zero if not using window */
  76829. unsigned whave; /* valid bytes in the window */
  76830. unsigned write; /* window write index */
  76831. unsigned char FAR *window; /* allocated sliding window, if wsize != 0 */
  76832. unsigned long hold; /* local strm->hold */
  76833. unsigned bits; /* local strm->bits */
  76834. code const FAR *lcode; /* local strm->lencode */
  76835. code const FAR *dcode; /* local strm->distcode */
  76836. unsigned lmask; /* mask for first level of length codes */
  76837. unsigned dmask; /* mask for first level of distance codes */
  76838. code thisx; /* retrieved table entry */
  76839. unsigned op; /* code bits, operation, extra bits, or */
  76840. /* window position, window bytes to copy */
  76841. unsigned len; /* match length, unused bytes */
  76842. unsigned dist; /* match distance */
  76843. unsigned char FAR *from; /* where to copy match from */
  76844. /* copy state to local variables */
  76845. state = (struct inflate_state FAR *)strm->state;
  76846. in = strm->next_in - OFF;
  76847. last = in + (strm->avail_in - 5);
  76848. out = strm->next_out - OFF;
  76849. beg = out - (start - strm->avail_out);
  76850. end = out + (strm->avail_out - 257);
  76851. #ifdef INFLATE_STRICT
  76852. dmax = state->dmax;
  76853. #endif
  76854. wsize = state->wsize;
  76855. whave = state->whave;
  76856. write = state->write;
  76857. window = state->window;
  76858. hold = state->hold;
  76859. bits = state->bits;
  76860. lcode = state->lencode;
  76861. dcode = state->distcode;
  76862. lmask = (1U << state->lenbits) - 1;
  76863. dmask = (1U << state->distbits) - 1;
  76864. /* decode literals and length/distances until end-of-block or not enough
  76865. input data or output space */
  76866. do {
  76867. if (bits < 15) {
  76868. hold += (unsigned long)(PUP(in)) << bits;
  76869. bits += 8;
  76870. hold += (unsigned long)(PUP(in)) << bits;
  76871. bits += 8;
  76872. }
  76873. thisx = lcode[hold & lmask];
  76874. dolen:
  76875. op = (unsigned)(thisx.bits);
  76876. hold >>= op;
  76877. bits -= op;
  76878. op = (unsigned)(thisx.op);
  76879. if (op == 0) { /* literal */
  76880. Tracevv((stderr, thisx.val >= 0x20 && thisx.val < 0x7f ?
  76881. "inflate: literal '%c'\n" :
  76882. "inflate: literal 0x%02x\n", thisx.val));
  76883. PUP(out) = (unsigned char)(thisx.val);
  76884. }
  76885. else if (op & 16) { /* length base */
  76886. len = (unsigned)(thisx.val);
  76887. op &= 15; /* number of extra bits */
  76888. if (op) {
  76889. if (bits < op) {
  76890. hold += (unsigned long)(PUP(in)) << bits;
  76891. bits += 8;
  76892. }
  76893. len += (unsigned)hold & ((1U << op) - 1);
  76894. hold >>= op;
  76895. bits -= op;
  76896. }
  76897. Tracevv((stderr, "inflate: length %u\n", len));
  76898. if (bits < 15) {
  76899. hold += (unsigned long)(PUP(in)) << bits;
  76900. bits += 8;
  76901. hold += (unsigned long)(PUP(in)) << bits;
  76902. bits += 8;
  76903. }
  76904. thisx = dcode[hold & dmask];
  76905. dodist:
  76906. op = (unsigned)(thisx.bits);
  76907. hold >>= op;
  76908. bits -= op;
  76909. op = (unsigned)(thisx.op);
  76910. if (op & 16) { /* distance base */
  76911. dist = (unsigned)(thisx.val);
  76912. op &= 15; /* number of extra bits */
  76913. if (bits < op) {
  76914. hold += (unsigned long)(PUP(in)) << bits;
  76915. bits += 8;
  76916. if (bits < op) {
  76917. hold += (unsigned long)(PUP(in)) << bits;
  76918. bits += 8;
  76919. }
  76920. }
  76921. dist += (unsigned)hold & ((1U << op) - 1);
  76922. #ifdef INFLATE_STRICT
  76923. if (dist > dmax) {
  76924. strm->msg = (char *)"invalid distance too far back";
  76925. state->mode = BAD;
  76926. break;
  76927. }
  76928. #endif
  76929. hold >>= op;
  76930. bits -= op;
  76931. Tracevv((stderr, "inflate: distance %u\n", dist));
  76932. op = (unsigned)(out - beg); /* max distance in output */
  76933. if (dist > op) { /* see if copy from window */
  76934. op = dist - op; /* distance back in window */
  76935. if (op > whave) {
  76936. strm->msg = (char *)"invalid distance too far back";
  76937. state->mode = BAD;
  76938. break;
  76939. }
  76940. from = window - OFF;
  76941. if (write == 0) { /* very common case */
  76942. from += wsize - op;
  76943. if (op < len) { /* some from window */
  76944. len -= op;
  76945. do {
  76946. PUP(out) = PUP(from);
  76947. } while (--op);
  76948. from = out - dist; /* rest from output */
  76949. }
  76950. }
  76951. else if (write < op) { /* wrap around window */
  76952. from += wsize + write - op;
  76953. op -= write;
  76954. if (op < len) { /* some from end of window */
  76955. len -= op;
  76956. do {
  76957. PUP(out) = PUP(from);
  76958. } while (--op);
  76959. from = window - OFF;
  76960. if (write < len) { /* some from start of window */
  76961. op = write;
  76962. len -= op;
  76963. do {
  76964. PUP(out) = PUP(from);
  76965. } while (--op);
  76966. from = out - dist; /* rest from output */
  76967. }
  76968. }
  76969. }
  76970. else { /* contiguous in window */
  76971. from += write - op;
  76972. if (op < len) { /* some from window */
  76973. len -= op;
  76974. do {
  76975. PUP(out) = PUP(from);
  76976. } while (--op);
  76977. from = out - dist; /* rest from output */
  76978. }
  76979. }
  76980. while (len > 2) {
  76981. PUP(out) = PUP(from);
  76982. PUP(out) = PUP(from);
  76983. PUP(out) = PUP(from);
  76984. len -= 3;
  76985. }
  76986. if (len) {
  76987. PUP(out) = PUP(from);
  76988. if (len > 1)
  76989. PUP(out) = PUP(from);
  76990. }
  76991. }
  76992. else {
  76993. from = out - dist; /* copy direct from output */
  76994. do { /* minimum length is three */
  76995. PUP(out) = PUP(from);
  76996. PUP(out) = PUP(from);
  76997. PUP(out) = PUP(from);
  76998. len -= 3;
  76999. } while (len > 2);
  77000. if (len) {
  77001. PUP(out) = PUP(from);
  77002. if (len > 1)
  77003. PUP(out) = PUP(from);
  77004. }
  77005. }
  77006. }
  77007. else if ((op & 64) == 0) { /* 2nd level distance code */
  77008. thisx = dcode[thisx.val + (hold & ((1U << op) - 1))];
  77009. goto dodist;
  77010. }
  77011. else {
  77012. strm->msg = (char *)"invalid distance code";
  77013. state->mode = BAD;
  77014. break;
  77015. }
  77016. }
  77017. else if ((op & 64) == 0) { /* 2nd level length code */
  77018. thisx = lcode[thisx.val + (hold & ((1U << op) - 1))];
  77019. goto dolen;
  77020. }
  77021. else if (op & 32) { /* end-of-block */
  77022. Tracevv((stderr, "inflate: end of block\n"));
  77023. state->mode = TYPE;
  77024. break;
  77025. }
  77026. else {
  77027. strm->msg = (char *)"invalid literal/length code";
  77028. state->mode = BAD;
  77029. break;
  77030. }
  77031. } while (in < last && out < end);
  77032. /* return unused bytes (on entry, bits < 8, so in won't go too far back) */
  77033. len = bits >> 3;
  77034. in -= len;
  77035. bits -= len << 3;
  77036. hold &= (1U << bits) - 1;
  77037. /* update state and return */
  77038. strm->next_in = in + OFF;
  77039. strm->next_out = out + OFF;
  77040. strm->avail_in = (unsigned)(in < last ? 5 + (last - in) : 5 - (in - last));
  77041. strm->avail_out = (unsigned)(out < end ?
  77042. 257 + (end - out) : 257 - (out - end));
  77043. state->hold = hold;
  77044. state->bits = bits;
  77045. return;
  77046. }
  77047. /*
  77048. inflate_fast() speedups that turned out slower (on a PowerPC G3 750CXe):
  77049. - Using bit fields for code structure
  77050. - Different op definition to avoid & for extra bits (do & for table bits)
  77051. - Three separate decoding do-loops for direct, window, and write == 0
  77052. - Special case for distance > 1 copies to do overlapped load and store copy
  77053. - Explicit branch predictions (based on measured branch probabilities)
  77054. - Deferring match copy and interspersed it with decoding subsequent codes
  77055. - Swapping literal/length else
  77056. - Swapping window/direct else
  77057. - Larger unrolled copy loops (three is about right)
  77058. - Moving len -= 3 statement into middle of loop
  77059. */
  77060. #endif /* !ASMINF */
  77061. /********* End of inlined file: inffast.c *********/
  77062. #undef PULLBYTE
  77063. #undef LOAD
  77064. #undef RESTORE
  77065. #undef INITBITS
  77066. #undef NEEDBITS
  77067. #undef DROPBITS
  77068. #undef BYTEBITS
  77069. /********* Start of inlined file: inflate.c *********/
  77070. /*
  77071. * Change history:
  77072. *
  77073. * 1.2.beta0 24 Nov 2002
  77074. * - First version -- complete rewrite of inflate to simplify code, avoid
  77075. * creation of window when not needed, minimize use of window when it is
  77076. * needed, make inffast.c even faster, implement gzip decoding, and to
  77077. * improve code readability and style over the previous zlib inflate code
  77078. *
  77079. * 1.2.beta1 25 Nov 2002
  77080. * - Use pointers for available input and output checking in inffast.c
  77081. * - Remove input and output counters in inffast.c
  77082. * - Change inffast.c entry and loop from avail_in >= 7 to >= 6
  77083. * - Remove unnecessary second byte pull from length extra in inffast.c
  77084. * - Unroll direct copy to three copies per loop in inffast.c
  77085. *
  77086. * 1.2.beta2 4 Dec 2002
  77087. * - Change external routine names to reduce potential conflicts
  77088. * - Correct filename to inffixed.h for fixed tables in inflate.c
  77089. * - Make hbuf[] unsigned char to match parameter type in inflate.c
  77090. * - Change strm->next_out[-state->offset] to *(strm->next_out - state->offset)
  77091. * to avoid negation problem on Alphas (64 bit) in inflate.c
  77092. *
  77093. * 1.2.beta3 22 Dec 2002
  77094. * - Add comments on state->bits assertion in inffast.c
  77095. * - Add comments on op field in inftrees.h
  77096. * - Fix bug in reuse of allocated window after inflateReset()
  77097. * - Remove bit fields--back to byte structure for speed
  77098. * - Remove distance extra == 0 check in inflate_fast()--only helps for lengths
  77099. * - Change post-increments to pre-increments in inflate_fast(), PPC biased?
  77100. * - Add compile time option, POSTINC, to use post-increments instead (Intel?)
  77101. * - Make MATCH copy in inflate() much faster for when inflate_fast() not used
  77102. * - Use local copies of stream next and avail values, as well as local bit
  77103. * buffer and bit count in inflate()--for speed when inflate_fast() not used
  77104. *
  77105. * 1.2.beta4 1 Jan 2003
  77106. * - Split ptr - 257 statements in inflate_table() to avoid compiler warnings
  77107. * - Move a comment on output buffer sizes from inffast.c to inflate.c
  77108. * - Add comments in inffast.c to introduce the inflate_fast() routine
  77109. * - Rearrange window copies in inflate_fast() for speed and simplification
  77110. * - Unroll last copy for window match in inflate_fast()
  77111. * - Use local copies of window variables in inflate_fast() for speed
  77112. * - Pull out common write == 0 case for speed in inflate_fast()
  77113. * - Make op and len in inflate_fast() unsigned for consistency
  77114. * - Add FAR to lcode and dcode declarations in inflate_fast()
  77115. * - Simplified bad distance check in inflate_fast()
  77116. * - Added inflateBackInit(), inflateBack(), and inflateBackEnd() in new
  77117. * source file infback.c to provide a call-back interface to inflate for
  77118. * programs like gzip and unzip -- uses window as output buffer to avoid
  77119. * window copying
  77120. *
  77121. * 1.2.beta5 1 Jan 2003
  77122. * - Improved inflateBack() interface to allow the caller to provide initial
  77123. * input in strm.
  77124. * - Fixed stored blocks bug in inflateBack()
  77125. *
  77126. * 1.2.beta6 4 Jan 2003
  77127. * - Added comments in inffast.c on effectiveness of POSTINC
  77128. * - Typecasting all around to reduce compiler warnings
  77129. * - Changed loops from while (1) or do {} while (1) to for (;;), again to
  77130. * make compilers happy
  77131. * - Changed type of window in inflateBackInit() to unsigned char *
  77132. *
  77133. * 1.2.beta7 27 Jan 2003
  77134. * - Changed many types to unsigned or unsigned short to avoid warnings
  77135. * - Added inflateCopy() function
  77136. *
  77137. * 1.2.0 9 Mar 2003
  77138. * - Changed inflateBack() interface to provide separate opaque descriptors
  77139. * for the in() and out() functions
  77140. * - Changed inflateBack() argument and in_func typedef to swap the length
  77141. * and buffer address return values for the input function
  77142. * - Check next_in and next_out for Z_NULL on entry to inflate()
  77143. *
  77144. * The history for versions after 1.2.0 are in ChangeLog in zlib distribution.
  77145. */
  77146. /********* Start of inlined file: inffast.h *********/
  77147. /* WARNING: this file should *not* be used by applications. It is
  77148. part of the implementation of the compression library and is
  77149. subject to change. Applications should only use zlib.h.
  77150. */
  77151. void inflate_fast OF((z_streamp strm, unsigned start));
  77152. /********* End of inlined file: inffast.h *********/
  77153. #ifdef MAKEFIXED
  77154. # ifndef BUILDFIXED
  77155. # define BUILDFIXED
  77156. # endif
  77157. #endif
  77158. /* function prototypes */
  77159. local void fixedtables OF((struct inflate_state FAR *state));
  77160. local int updatewindow OF((z_streamp strm, unsigned out));
  77161. #ifdef BUILDFIXED
  77162. void makefixed OF((void));
  77163. #endif
  77164. local unsigned syncsearch OF((unsigned FAR *have, unsigned char FAR *buf,
  77165. unsigned len));
  77166. int ZEXPORT inflateReset (z_streamp strm)
  77167. {
  77168. struct inflate_state FAR *state;
  77169. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  77170. state = (struct inflate_state FAR *)strm->state;
  77171. strm->total_in = strm->total_out = state->total = 0;
  77172. strm->msg = Z_NULL;
  77173. strm->adler = 1; /* to support ill-conceived Java test suite */
  77174. state->mode = HEAD;
  77175. state->last = 0;
  77176. state->havedict = 0;
  77177. state->dmax = 32768U;
  77178. state->head = Z_NULL;
  77179. state->wsize = 0;
  77180. state->whave = 0;
  77181. state->write = 0;
  77182. state->hold = 0;
  77183. state->bits = 0;
  77184. state->lencode = state->distcode = state->next = state->codes;
  77185. Tracev((stderr, "inflate: reset\n"));
  77186. return Z_OK;
  77187. }
  77188. int ZEXPORT inflatePrime (z_streamp strm, int bits, int value)
  77189. {
  77190. struct inflate_state FAR *state;
  77191. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  77192. state = (struct inflate_state FAR *)strm->state;
  77193. if (bits > 16 || state->bits + bits > 32) return Z_STREAM_ERROR;
  77194. value &= (1L << bits) - 1;
  77195. state->hold += value << state->bits;
  77196. state->bits += bits;
  77197. return Z_OK;
  77198. }
  77199. int ZEXPORT inflateInit2_(z_streamp strm, int windowBits, const char *version, int stream_size)
  77200. {
  77201. struct inflate_state FAR *state;
  77202. if (version == Z_NULL || version[0] != ZLIB_VERSION[0] ||
  77203. stream_size != (int)(sizeof(z_stream)))
  77204. return Z_VERSION_ERROR;
  77205. if (strm == Z_NULL) return Z_STREAM_ERROR;
  77206. strm->msg = Z_NULL; /* in case we return an error */
  77207. if (strm->zalloc == (alloc_func)0) {
  77208. strm->zalloc = zcalloc;
  77209. strm->opaque = (voidpf)0;
  77210. }
  77211. if (strm->zfree == (free_func)0) strm->zfree = zcfree;
  77212. state = (struct inflate_state FAR *)
  77213. ZALLOC(strm, 1, sizeof(struct inflate_state));
  77214. if (state == Z_NULL) return Z_MEM_ERROR;
  77215. Tracev((stderr, "inflate: allocated\n"));
  77216. strm->state = (struct internal_state FAR *)state;
  77217. if (windowBits < 0) {
  77218. state->wrap = 0;
  77219. windowBits = -windowBits;
  77220. }
  77221. else {
  77222. state->wrap = (windowBits >> 4) + 1;
  77223. #ifdef GUNZIP
  77224. if (windowBits < 48) windowBits &= 15;
  77225. #endif
  77226. }
  77227. if (windowBits < 8 || windowBits > 15) {
  77228. ZFREE(strm, state);
  77229. strm->state = Z_NULL;
  77230. return Z_STREAM_ERROR;
  77231. }
  77232. state->wbits = (unsigned)windowBits;
  77233. state->window = Z_NULL;
  77234. return inflateReset(strm);
  77235. }
  77236. int ZEXPORT inflateInit_ (z_streamp strm, const char *version, int stream_size)
  77237. {
  77238. return inflateInit2_(strm, DEF_WBITS, version, stream_size);
  77239. }
  77240. /*
  77241. Return state with length and distance decoding tables and index sizes set to
  77242. fixed code decoding. Normally this returns fixed tables from inffixed.h.
  77243. If BUILDFIXED is defined, then instead this routine builds the tables the
  77244. first time it's called, and returns those tables the first time and
  77245. thereafter. This reduces the size of the code by about 2K bytes, in
  77246. exchange for a little execution time. However, BUILDFIXED should not be
  77247. used for threaded applications, since the rewriting of the tables and virgin
  77248. may not be thread-safe.
  77249. */
  77250. local void fixedtables (struct inflate_state FAR *state)
  77251. {
  77252. #ifdef BUILDFIXED
  77253. static int virgin = 1;
  77254. static code *lenfix, *distfix;
  77255. static code fixed[544];
  77256. /* build fixed huffman tables if first call (may not be thread safe) */
  77257. if (virgin) {
  77258. unsigned sym, bits;
  77259. static code *next;
  77260. /* literal/length table */
  77261. sym = 0;
  77262. while (sym < 144) state->lens[sym++] = 8;
  77263. while (sym < 256) state->lens[sym++] = 9;
  77264. while (sym < 280) state->lens[sym++] = 7;
  77265. while (sym < 288) state->lens[sym++] = 8;
  77266. next = fixed;
  77267. lenfix = next;
  77268. bits = 9;
  77269. inflate_table(LENS, state->lens, 288, &(next), &(bits), state->work);
  77270. /* distance table */
  77271. sym = 0;
  77272. while (sym < 32) state->lens[sym++] = 5;
  77273. distfix = next;
  77274. bits = 5;
  77275. inflate_table(DISTS, state->lens, 32, &(next), &(bits), state->work);
  77276. /* do this just once */
  77277. virgin = 0;
  77278. }
  77279. #else /* !BUILDFIXED */
  77280. /********* Start of inlined file: inffixed.h *********/
  77281. /* inffixed.h -- table for decoding fixed codes
  77282. * Generated automatically by makefixed().
  77283. */
  77284. /* WARNING: this file should *not* be used by applications. It
  77285. is part of the implementation of the compression library and
  77286. is subject to change. Applications should only use zlib.h.
  77287. */
  77288. static const code lenfix[512] = {
  77289. {96,7,0},{0,8,80},{0,8,16},{20,8,115},{18,7,31},{0,8,112},{0,8,48},
  77290. {0,9,192},{16,7,10},{0,8,96},{0,8,32},{0,9,160},{0,8,0},{0,8,128},
  77291. {0,8,64},{0,9,224},{16,7,6},{0,8,88},{0,8,24},{0,9,144},{19,7,59},
  77292. {0,8,120},{0,8,56},{0,9,208},{17,7,17},{0,8,104},{0,8,40},{0,9,176},
  77293. {0,8,8},{0,8,136},{0,8,72},{0,9,240},{16,7,4},{0,8,84},{0,8,20},
  77294. {21,8,227},{19,7,43},{0,8,116},{0,8,52},{0,9,200},{17,7,13},{0,8,100},
  77295. {0,8,36},{0,9,168},{0,8,4},{0,8,132},{0,8,68},{0,9,232},{16,7,8},
  77296. {0,8,92},{0,8,28},{0,9,152},{20,7,83},{0,8,124},{0,8,60},{0,9,216},
  77297. {18,7,23},{0,8,108},{0,8,44},{0,9,184},{0,8,12},{0,8,140},{0,8,76},
  77298. {0,9,248},{16,7,3},{0,8,82},{0,8,18},{21,8,163},{19,7,35},{0,8,114},
  77299. {0,8,50},{0,9,196},{17,7,11},{0,8,98},{0,8,34},{0,9,164},{0,8,2},
  77300. {0,8,130},{0,8,66},{0,9,228},{16,7,7},{0,8,90},{0,8,26},{0,9,148},
  77301. {20,7,67},{0,8,122},{0,8,58},{0,9,212},{18,7,19},{0,8,106},{0,8,42},
  77302. {0,9,180},{0,8,10},{0,8,138},{0,8,74},{0,9,244},{16,7,5},{0,8,86},
  77303. {0,8,22},{64,8,0},{19,7,51},{0,8,118},{0,8,54},{0,9,204},{17,7,15},
  77304. {0,8,102},{0,8,38},{0,9,172},{0,8,6},{0,8,134},{0,8,70},{0,9,236},
  77305. {16,7,9},{0,8,94},{0,8,30},{0,9,156},{20,7,99},{0,8,126},{0,8,62},
  77306. {0,9,220},{18,7,27},{0,8,110},{0,8,46},{0,9,188},{0,8,14},{0,8,142},
  77307. {0,8,78},{0,9,252},{96,7,0},{0,8,81},{0,8,17},{21,8,131},{18,7,31},
  77308. {0,8,113},{0,8,49},{0,9,194},{16,7,10},{0,8,97},{0,8,33},{0,9,162},
  77309. {0,8,1},{0,8,129},{0,8,65},{0,9,226},{16,7,6},{0,8,89},{0,8,25},
  77310. {0,9,146},{19,7,59},{0,8,121},{0,8,57},{0,9,210},{17,7,17},{0,8,105},
  77311. {0,8,41},{0,9,178},{0,8,9},{0,8,137},{0,8,73},{0,9,242},{16,7,4},
  77312. {0,8,85},{0,8,21},{16,8,258},{19,7,43},{0,8,117},{0,8,53},{0,9,202},
  77313. {17,7,13},{0,8,101},{0,8,37},{0,9,170},{0,8,5},{0,8,133},{0,8,69},
  77314. {0,9,234},{16,7,8},{0,8,93},{0,8,29},{0,9,154},{20,7,83},{0,8,125},
  77315. {0,8,61},{0,9,218},{18,7,23},{0,8,109},{0,8,45},{0,9,186},{0,8,13},
  77316. {0,8,141},{0,8,77},{0,9,250},{16,7,3},{0,8,83},{0,8,19},{21,8,195},
  77317. {19,7,35},{0,8,115},{0,8,51},{0,9,198},{17,7,11},{0,8,99},{0,8,35},
  77318. {0,9,166},{0,8,3},{0,8,131},{0,8,67},{0,9,230},{16,7,7},{0,8,91},
  77319. {0,8,27},{0,9,150},{20,7,67},{0,8,123},{0,8,59},{0,9,214},{18,7,19},
  77320. {0,8,107},{0,8,43},{0,9,182},{0,8,11},{0,8,139},{0,8,75},{0,9,246},
  77321. {16,7,5},{0,8,87},{0,8,23},{64,8,0},{19,7,51},{0,8,119},{0,8,55},
  77322. {0,9,206},{17,7,15},{0,8,103},{0,8,39},{0,9,174},{0,8,7},{0,8,135},
  77323. {0,8,71},{0,9,238},{16,7,9},{0,8,95},{0,8,31},{0,9,158},{20,7,99},
  77324. {0,8,127},{0,8,63},{0,9,222},{18,7,27},{0,8,111},{0,8,47},{0,9,190},
  77325. {0,8,15},{0,8,143},{0,8,79},{0,9,254},{96,7,0},{0,8,80},{0,8,16},
  77326. {20,8,115},{18,7,31},{0,8,112},{0,8,48},{0,9,193},{16,7,10},{0,8,96},
  77327. {0,8,32},{0,9,161},{0,8,0},{0,8,128},{0,8,64},{0,9,225},{16,7,6},
  77328. {0,8,88},{0,8,24},{0,9,145},{19,7,59},{0,8,120},{0,8,56},{0,9,209},
  77329. {17,7,17},{0,8,104},{0,8,40},{0,9,177},{0,8,8},{0,8,136},{0,8,72},
  77330. {0,9,241},{16,7,4},{0,8,84},{0,8,20},{21,8,227},{19,7,43},{0,8,116},
  77331. {0,8,52},{0,9,201},{17,7,13},{0,8,100},{0,8,36},{0,9,169},{0,8,4},
  77332. {0,8,132},{0,8,68},{0,9,233},{16,7,8},{0,8,92},{0,8,28},{0,9,153},
  77333. {20,7,83},{0,8,124},{0,8,60},{0,9,217},{18,7,23},{0,8,108},{0,8,44},
  77334. {0,9,185},{0,8,12},{0,8,140},{0,8,76},{0,9,249},{16,7,3},{0,8,82},
  77335. {0,8,18},{21,8,163},{19,7,35},{0,8,114},{0,8,50},{0,9,197},{17,7,11},
  77336. {0,8,98},{0,8,34},{0,9,165},{0,8,2},{0,8,130},{0,8,66},{0,9,229},
  77337. {16,7,7},{0,8,90},{0,8,26},{0,9,149},{20,7,67},{0,8,122},{0,8,58},
  77338. {0,9,213},{18,7,19},{0,8,106},{0,8,42},{0,9,181},{0,8,10},{0,8,138},
  77339. {0,8,74},{0,9,245},{16,7,5},{0,8,86},{0,8,22},{64,8,0},{19,7,51},
  77340. {0,8,118},{0,8,54},{0,9,205},{17,7,15},{0,8,102},{0,8,38},{0,9,173},
  77341. {0,8,6},{0,8,134},{0,8,70},{0,9,237},{16,7,9},{0,8,94},{0,8,30},
  77342. {0,9,157},{20,7,99},{0,8,126},{0,8,62},{0,9,221},{18,7,27},{0,8,110},
  77343. {0,8,46},{0,9,189},{0,8,14},{0,8,142},{0,8,78},{0,9,253},{96,7,0},
  77344. {0,8,81},{0,8,17},{21,8,131},{18,7,31},{0,8,113},{0,8,49},{0,9,195},
  77345. {16,7,10},{0,8,97},{0,8,33},{0,9,163},{0,8,1},{0,8,129},{0,8,65},
  77346. {0,9,227},{16,7,6},{0,8,89},{0,8,25},{0,9,147},{19,7,59},{0,8,121},
  77347. {0,8,57},{0,9,211},{17,7,17},{0,8,105},{0,8,41},{0,9,179},{0,8,9},
  77348. {0,8,137},{0,8,73},{0,9,243},{16,7,4},{0,8,85},{0,8,21},{16,8,258},
  77349. {19,7,43},{0,8,117},{0,8,53},{0,9,203},{17,7,13},{0,8,101},{0,8,37},
  77350. {0,9,171},{0,8,5},{0,8,133},{0,8,69},{0,9,235},{16,7,8},{0,8,93},
  77351. {0,8,29},{0,9,155},{20,7,83},{0,8,125},{0,8,61},{0,9,219},{18,7,23},
  77352. {0,8,109},{0,8,45},{0,9,187},{0,8,13},{0,8,141},{0,8,77},{0,9,251},
  77353. {16,7,3},{0,8,83},{0,8,19},{21,8,195},{19,7,35},{0,8,115},{0,8,51},
  77354. {0,9,199},{17,7,11},{0,8,99},{0,8,35},{0,9,167},{0,8,3},{0,8,131},
  77355. {0,8,67},{0,9,231},{16,7,7},{0,8,91},{0,8,27},{0,9,151},{20,7,67},
  77356. {0,8,123},{0,8,59},{0,9,215},{18,7,19},{0,8,107},{0,8,43},{0,9,183},
  77357. {0,8,11},{0,8,139},{0,8,75},{0,9,247},{16,7,5},{0,8,87},{0,8,23},
  77358. {64,8,0},{19,7,51},{0,8,119},{0,8,55},{0,9,207},{17,7,15},{0,8,103},
  77359. {0,8,39},{0,9,175},{0,8,7},{0,8,135},{0,8,71},{0,9,239},{16,7,9},
  77360. {0,8,95},{0,8,31},{0,9,159},{20,7,99},{0,8,127},{0,8,63},{0,9,223},
  77361. {18,7,27},{0,8,111},{0,8,47},{0,9,191},{0,8,15},{0,8,143},{0,8,79},
  77362. {0,9,255}
  77363. };
  77364. static const code distfix[32] = {
  77365. {16,5,1},{23,5,257},{19,5,17},{27,5,4097},{17,5,5},{25,5,1025},
  77366. {21,5,65},{29,5,16385},{16,5,3},{24,5,513},{20,5,33},{28,5,8193},
  77367. {18,5,9},{26,5,2049},{22,5,129},{64,5,0},{16,5,2},{23,5,385},
  77368. {19,5,25},{27,5,6145},{17,5,7},{25,5,1537},{21,5,97},{29,5,24577},
  77369. {16,5,4},{24,5,769},{20,5,49},{28,5,12289},{18,5,13},{26,5,3073},
  77370. {22,5,193},{64,5,0}
  77371. };
  77372. /********* End of inlined file: inffixed.h *********/
  77373. #endif /* BUILDFIXED */
  77374. state->lencode = lenfix;
  77375. state->lenbits = 9;
  77376. state->distcode = distfix;
  77377. state->distbits = 5;
  77378. }
  77379. #ifdef MAKEFIXED
  77380. #include <stdio.h>
  77381. /*
  77382. Write out the inffixed.h that is #include'd above. Defining MAKEFIXED also
  77383. defines BUILDFIXED, so the tables are built on the fly. makefixed() writes
  77384. those tables to stdout, which would be piped to inffixed.h. A small program
  77385. can simply call makefixed to do this:
  77386. void makefixed(void);
  77387. int main(void)
  77388. {
  77389. makefixed();
  77390. return 0;
  77391. }
  77392. Then that can be linked with zlib built with MAKEFIXED defined and run:
  77393. a.out > inffixed.h
  77394. */
  77395. void makefixed()
  77396. {
  77397. unsigned low, size;
  77398. struct inflate_state state;
  77399. fixedtables(&state);
  77400. puts(" /* inffixed.h -- table for decoding fixed codes");
  77401. puts(" * Generated automatically by makefixed().");
  77402. puts(" */");
  77403. puts("");
  77404. puts(" /* WARNING: this file should *not* be used by applications.");
  77405. puts(" It is part of the implementation of this library and is");
  77406. puts(" subject to change. Applications should only use zlib.h.");
  77407. puts(" */");
  77408. puts("");
  77409. size = 1U << 9;
  77410. printf(" static const code lenfix[%u] = {", size);
  77411. low = 0;
  77412. for (;;) {
  77413. if ((low % 7) == 0) printf("\n ");
  77414. printf("{%u,%u,%d}", state.lencode[low].op, state.lencode[low].bits,
  77415. state.lencode[low].val);
  77416. if (++low == size) break;
  77417. putchar(',');
  77418. }
  77419. puts("\n };");
  77420. size = 1U << 5;
  77421. printf("\n static const code distfix[%u] = {", size);
  77422. low = 0;
  77423. for (;;) {
  77424. if ((low % 6) == 0) printf("\n ");
  77425. printf("{%u,%u,%d}", state.distcode[low].op, state.distcode[low].bits,
  77426. state.distcode[low].val);
  77427. if (++low == size) break;
  77428. putchar(',');
  77429. }
  77430. puts("\n };");
  77431. }
  77432. #endif /* MAKEFIXED */
  77433. /*
  77434. Update the window with the last wsize (normally 32K) bytes written before
  77435. returning. If window does not exist yet, create it. This is only called
  77436. when a window is already in use, or when output has been written during this
  77437. inflate call, but the end of the deflate stream has not been reached yet.
  77438. It is also called to create a window for dictionary data when a dictionary
  77439. is loaded.
  77440. Providing output buffers larger than 32K to inflate() should provide a speed
  77441. advantage, since only the last 32K of output is copied to the sliding window
  77442. upon return from inflate(), and since all distances after the first 32K of
  77443. output will fall in the output data, making match copies simpler and faster.
  77444. The advantage may be dependent on the size of the processor's data caches.
  77445. */
  77446. local int updatewindow (z_streamp strm, unsigned out)
  77447. {
  77448. struct inflate_state FAR *state;
  77449. unsigned copy, dist;
  77450. state = (struct inflate_state FAR *)strm->state;
  77451. /* if it hasn't been done already, allocate space for the window */
  77452. if (state->window == Z_NULL) {
  77453. state->window = (unsigned char FAR *)
  77454. ZALLOC(strm, 1U << state->wbits,
  77455. sizeof(unsigned char));
  77456. if (state->window == Z_NULL) return 1;
  77457. }
  77458. /* if window not in use yet, initialize */
  77459. if (state->wsize == 0) {
  77460. state->wsize = 1U << state->wbits;
  77461. state->write = 0;
  77462. state->whave = 0;
  77463. }
  77464. /* copy state->wsize or less output bytes into the circular window */
  77465. copy = out - strm->avail_out;
  77466. if (copy >= state->wsize) {
  77467. zmemcpy(state->window, strm->next_out - state->wsize, state->wsize);
  77468. state->write = 0;
  77469. state->whave = state->wsize;
  77470. }
  77471. else {
  77472. dist = state->wsize - state->write;
  77473. if (dist > copy) dist = copy;
  77474. zmemcpy(state->window + state->write, strm->next_out - copy, dist);
  77475. copy -= dist;
  77476. if (copy) {
  77477. zmemcpy(state->window, strm->next_out - copy, copy);
  77478. state->write = copy;
  77479. state->whave = state->wsize;
  77480. }
  77481. else {
  77482. state->write += dist;
  77483. if (state->write == state->wsize) state->write = 0;
  77484. if (state->whave < state->wsize) state->whave += dist;
  77485. }
  77486. }
  77487. return 0;
  77488. }
  77489. /* Macros for inflate(): */
  77490. /* check function to use adler32() for zlib or crc32() for gzip */
  77491. #ifdef GUNZIP
  77492. # define UPDATE(check, buf, len) \
  77493. (state->flags ? crc32(check, buf, len) : adler32(check, buf, len))
  77494. #else
  77495. # define UPDATE(check, buf, len) adler32(check, buf, len)
  77496. #endif
  77497. /* check macros for header crc */
  77498. #ifdef GUNZIP
  77499. # define CRC2(check, word) \
  77500. do { \
  77501. hbuf[0] = (unsigned char)(word); \
  77502. hbuf[1] = (unsigned char)((word) >> 8); \
  77503. check = crc32(check, hbuf, 2); \
  77504. } while (0)
  77505. # define CRC4(check, word) \
  77506. do { \
  77507. hbuf[0] = (unsigned char)(word); \
  77508. hbuf[1] = (unsigned char)((word) >> 8); \
  77509. hbuf[2] = (unsigned char)((word) >> 16); \
  77510. hbuf[3] = (unsigned char)((word) >> 24); \
  77511. check = crc32(check, hbuf, 4); \
  77512. } while (0)
  77513. #endif
  77514. /* Load registers with state in inflate() for speed */
  77515. #define LOAD() \
  77516. do { \
  77517. put = strm->next_out; \
  77518. left = strm->avail_out; \
  77519. next = strm->next_in; \
  77520. have = strm->avail_in; \
  77521. hold = state->hold; \
  77522. bits = state->bits; \
  77523. } while (0)
  77524. /* Restore state from registers in inflate() */
  77525. #define RESTORE() \
  77526. do { \
  77527. strm->next_out = put; \
  77528. strm->avail_out = left; \
  77529. strm->next_in = next; \
  77530. strm->avail_in = have; \
  77531. state->hold = hold; \
  77532. state->bits = bits; \
  77533. } while (0)
  77534. /* Clear the input bit accumulator */
  77535. #define INITBITS() \
  77536. do { \
  77537. hold = 0; \
  77538. bits = 0; \
  77539. } while (0)
  77540. /* Get a byte of input into the bit accumulator, or return from inflate()
  77541. if there is no input available. */
  77542. #define PULLBYTE() \
  77543. do { \
  77544. if (have == 0) goto inf_leave; \
  77545. have--; \
  77546. hold += (unsigned long)(*next++) << bits; \
  77547. bits += 8; \
  77548. } while (0)
  77549. /* Assure that there are at least n bits in the bit accumulator. If there is
  77550. not enough available input to do that, then return from inflate(). */
  77551. #define NEEDBITS(n) \
  77552. do { \
  77553. while (bits < (unsigned)(n)) \
  77554. PULLBYTE(); \
  77555. } while (0)
  77556. /* Return the low n bits of the bit accumulator (n < 16) */
  77557. #define BITS(n) \
  77558. ((unsigned)hold & ((1U << (n)) - 1))
  77559. /* Remove n bits from the bit accumulator */
  77560. #define DROPBITS(n) \
  77561. do { \
  77562. hold >>= (n); \
  77563. bits -= (unsigned)(n); \
  77564. } while (0)
  77565. /* Remove zero to seven bits as needed to go to a byte boundary */
  77566. #define BYTEBITS() \
  77567. do { \
  77568. hold >>= bits & 7; \
  77569. bits -= bits & 7; \
  77570. } while (0)
  77571. /* Reverse the bytes in a 32-bit value */
  77572. #define REVERSE(q) \
  77573. ((((q) >> 24) & 0xff) + (((q) >> 8) & 0xff00) + \
  77574. (((q) & 0xff00) << 8) + (((q) & 0xff) << 24))
  77575. /*
  77576. inflate() uses a state machine to process as much input data and generate as
  77577. much output data as possible before returning. The state machine is
  77578. structured roughly as follows:
  77579. for (;;) switch (state) {
  77580. ...
  77581. case STATEn:
  77582. if (not enough input data or output space to make progress)
  77583. return;
  77584. ... make progress ...
  77585. state = STATEm;
  77586. break;
  77587. ...
  77588. }
  77589. so when inflate() is called again, the same case is attempted again, and
  77590. if the appropriate resources are provided, the machine proceeds to the
  77591. next state. The NEEDBITS() macro is usually the way the state evaluates
  77592. whether it can proceed or should return. NEEDBITS() does the return if
  77593. the requested bits are not available. The typical use of the BITS macros
  77594. is:
  77595. NEEDBITS(n);
  77596. ... do something with BITS(n) ...
  77597. DROPBITS(n);
  77598. where NEEDBITS(n) either returns from inflate() if there isn't enough
  77599. input left to load n bits into the accumulator, or it continues. BITS(n)
  77600. gives the low n bits in the accumulator. When done, DROPBITS(n) drops
  77601. the low n bits off the accumulator. INITBITS() clears the accumulator
  77602. and sets the number of available bits to zero. BYTEBITS() discards just
  77603. enough bits to put the accumulator on a byte boundary. After BYTEBITS()
  77604. and a NEEDBITS(8), then BITS(8) would return the next byte in the stream.
  77605. NEEDBITS(n) uses PULLBYTE() to get an available byte of input, or to return
  77606. if there is no input available. The decoding of variable length codes uses
  77607. PULLBYTE() directly in order to pull just enough bytes to decode the next
  77608. code, and no more.
  77609. Some states loop until they get enough input, making sure that enough
  77610. state information is maintained to continue the loop where it left off
  77611. if NEEDBITS() returns in the loop. For example, want, need, and keep
  77612. would all have to actually be part of the saved state in case NEEDBITS()
  77613. returns:
  77614. case STATEw:
  77615. while (want < need) {
  77616. NEEDBITS(n);
  77617. keep[want++] = BITS(n);
  77618. DROPBITS(n);
  77619. }
  77620. state = STATEx;
  77621. case STATEx:
  77622. As shown above, if the next state is also the next case, then the break
  77623. is omitted.
  77624. A state may also return if there is not enough output space available to
  77625. complete that state. Those states are copying stored data, writing a
  77626. literal byte, and copying a matching string.
  77627. When returning, a "goto inf_leave" is used to update the total counters,
  77628. update the check value, and determine whether any progress has been made
  77629. during that inflate() call in order to return the proper return code.
  77630. Progress is defined as a change in either strm->avail_in or strm->avail_out.
  77631. When there is a window, goto inf_leave will update the window with the last
  77632. output written. If a goto inf_leave occurs in the middle of decompression
  77633. and there is no window currently, goto inf_leave will create one and copy
  77634. output to the window for the next call of inflate().
  77635. In this implementation, the flush parameter of inflate() only affects the
  77636. return code (per zlib.h). inflate() always writes as much as possible to
  77637. strm->next_out, given the space available and the provided input--the effect
  77638. documented in zlib.h of Z_SYNC_FLUSH. Furthermore, inflate() always defers
  77639. the allocation of and copying into a sliding window until necessary, which
  77640. provides the effect documented in zlib.h for Z_FINISH when the entire input
  77641. stream available. So the only thing the flush parameter actually does is:
  77642. when flush is set to Z_FINISH, inflate() cannot return Z_OK. Instead it
  77643. will return Z_BUF_ERROR if it has not reached the end of the stream.
  77644. */
  77645. int ZEXPORT inflate (z_streamp strm, int flush)
  77646. {
  77647. struct inflate_state FAR *state;
  77648. unsigned char FAR *next; /* next input */
  77649. unsigned char FAR *put; /* next output */
  77650. unsigned have, left; /* available input and output */
  77651. unsigned long hold; /* bit buffer */
  77652. unsigned bits; /* bits in bit buffer */
  77653. unsigned in, out; /* save starting available input and output */
  77654. unsigned copy; /* number of stored or match bytes to copy */
  77655. unsigned char FAR *from; /* where to copy match bytes from */
  77656. code thisx; /* current decoding table entry */
  77657. code last; /* parent table entry */
  77658. unsigned len; /* length to copy for repeats, bits to drop */
  77659. int ret; /* return code */
  77660. #ifdef GUNZIP
  77661. unsigned char hbuf[4]; /* buffer for gzip header crc calculation */
  77662. #endif
  77663. static const unsigned short order[19] = /* permutation of code lengths */
  77664. {16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15};
  77665. if (strm == Z_NULL || strm->state == Z_NULL || strm->next_out == Z_NULL ||
  77666. (strm->next_in == Z_NULL && strm->avail_in != 0))
  77667. return Z_STREAM_ERROR;
  77668. state = (struct inflate_state FAR *)strm->state;
  77669. if (state->mode == TYPE) state->mode = TYPEDO; /* skip check */
  77670. LOAD();
  77671. in = have;
  77672. out = left;
  77673. ret = Z_OK;
  77674. for (;;)
  77675. switch (state->mode) {
  77676. case HEAD:
  77677. if (state->wrap == 0) {
  77678. state->mode = TYPEDO;
  77679. break;
  77680. }
  77681. NEEDBITS(16);
  77682. #ifdef GUNZIP
  77683. if ((state->wrap & 2) && hold == 0x8b1f) { /* gzip header */
  77684. state->check = crc32(0L, Z_NULL, 0);
  77685. CRC2(state->check, hold);
  77686. INITBITS();
  77687. state->mode = FLAGS;
  77688. break;
  77689. }
  77690. state->flags = 0; /* expect zlib header */
  77691. if (state->head != Z_NULL)
  77692. state->head->done = -1;
  77693. if (!(state->wrap & 1) || /* check if zlib header allowed */
  77694. #else
  77695. if (
  77696. #endif
  77697. ((BITS(8) << 8) + (hold >> 8)) % 31) {
  77698. strm->msg = (char *)"incorrect header check";
  77699. state->mode = BAD;
  77700. break;
  77701. }
  77702. if (BITS(4) != Z_DEFLATED) {
  77703. strm->msg = (char *)"unknown compression method";
  77704. state->mode = BAD;
  77705. break;
  77706. }
  77707. DROPBITS(4);
  77708. len = BITS(4) + 8;
  77709. if (len > state->wbits) {
  77710. strm->msg = (char *)"invalid window size";
  77711. state->mode = BAD;
  77712. break;
  77713. }
  77714. state->dmax = 1U << len;
  77715. Tracev((stderr, "inflate: zlib header ok\n"));
  77716. strm->adler = state->check = adler32(0L, Z_NULL, 0);
  77717. state->mode = hold & 0x200 ? DICTID : TYPE;
  77718. INITBITS();
  77719. break;
  77720. #ifdef GUNZIP
  77721. case FLAGS:
  77722. NEEDBITS(16);
  77723. state->flags = (int)(hold);
  77724. if ((state->flags & 0xff) != Z_DEFLATED) {
  77725. strm->msg = (char *)"unknown compression method";
  77726. state->mode = BAD;
  77727. break;
  77728. }
  77729. if (state->flags & 0xe000) {
  77730. strm->msg = (char *)"unknown header flags set";
  77731. state->mode = BAD;
  77732. break;
  77733. }
  77734. if (state->head != Z_NULL)
  77735. state->head->text = (int)((hold >> 8) & 1);
  77736. if (state->flags & 0x0200) CRC2(state->check, hold);
  77737. INITBITS();
  77738. state->mode = TIME;
  77739. case TIME:
  77740. NEEDBITS(32);
  77741. if (state->head != Z_NULL)
  77742. state->head->time = hold;
  77743. if (state->flags & 0x0200) CRC4(state->check, hold);
  77744. INITBITS();
  77745. state->mode = OS;
  77746. case OS:
  77747. NEEDBITS(16);
  77748. if (state->head != Z_NULL) {
  77749. state->head->xflags = (int)(hold & 0xff);
  77750. state->head->os = (int)(hold >> 8);
  77751. }
  77752. if (state->flags & 0x0200) CRC2(state->check, hold);
  77753. INITBITS();
  77754. state->mode = EXLEN;
  77755. case EXLEN:
  77756. if (state->flags & 0x0400) {
  77757. NEEDBITS(16);
  77758. state->length = (unsigned)(hold);
  77759. if (state->head != Z_NULL)
  77760. state->head->extra_len = (unsigned)hold;
  77761. if (state->flags & 0x0200) CRC2(state->check, hold);
  77762. INITBITS();
  77763. }
  77764. else if (state->head != Z_NULL)
  77765. state->head->extra = Z_NULL;
  77766. state->mode = EXTRA;
  77767. case EXTRA:
  77768. if (state->flags & 0x0400) {
  77769. copy = state->length;
  77770. if (copy > have) copy = have;
  77771. if (copy) {
  77772. if (state->head != Z_NULL &&
  77773. state->head->extra != Z_NULL) {
  77774. len = state->head->extra_len - state->length;
  77775. zmemcpy(state->head->extra + len, next,
  77776. len + copy > state->head->extra_max ?
  77777. state->head->extra_max - len : copy);
  77778. }
  77779. if (state->flags & 0x0200)
  77780. state->check = crc32(state->check, next, copy);
  77781. have -= copy;
  77782. next += copy;
  77783. state->length -= copy;
  77784. }
  77785. if (state->length) goto inf_leave;
  77786. }
  77787. state->length = 0;
  77788. state->mode = NAME;
  77789. case NAME:
  77790. if (state->flags & 0x0800) {
  77791. if (have == 0) goto inf_leave;
  77792. copy = 0;
  77793. do {
  77794. len = (unsigned)(next[copy++]);
  77795. if (state->head != Z_NULL &&
  77796. state->head->name != Z_NULL &&
  77797. state->length < state->head->name_max)
  77798. state->head->name[state->length++] = len;
  77799. } while (len && copy < have);
  77800. if (state->flags & 0x0200)
  77801. state->check = crc32(state->check, next, copy);
  77802. have -= copy;
  77803. next += copy;
  77804. if (len) goto inf_leave;
  77805. }
  77806. else if (state->head != Z_NULL)
  77807. state->head->name = Z_NULL;
  77808. state->length = 0;
  77809. state->mode = COMMENT;
  77810. case COMMENT:
  77811. if (state->flags & 0x1000) {
  77812. if (have == 0) goto inf_leave;
  77813. copy = 0;
  77814. do {
  77815. len = (unsigned)(next[copy++]);
  77816. if (state->head != Z_NULL &&
  77817. state->head->comment != Z_NULL &&
  77818. state->length < state->head->comm_max)
  77819. state->head->comment[state->length++] = len;
  77820. } while (len && copy < have);
  77821. if (state->flags & 0x0200)
  77822. state->check = crc32(state->check, next, copy);
  77823. have -= copy;
  77824. next += copy;
  77825. if (len) goto inf_leave;
  77826. }
  77827. else if (state->head != Z_NULL)
  77828. state->head->comment = Z_NULL;
  77829. state->mode = HCRC;
  77830. case HCRC:
  77831. if (state->flags & 0x0200) {
  77832. NEEDBITS(16);
  77833. if (hold != (state->check & 0xffff)) {
  77834. strm->msg = (char *)"header crc mismatch";
  77835. state->mode = BAD;
  77836. break;
  77837. }
  77838. INITBITS();
  77839. }
  77840. if (state->head != Z_NULL) {
  77841. state->head->hcrc = (int)((state->flags >> 9) & 1);
  77842. state->head->done = 1;
  77843. }
  77844. strm->adler = state->check = crc32(0L, Z_NULL, 0);
  77845. state->mode = TYPE;
  77846. break;
  77847. #endif
  77848. case DICTID:
  77849. NEEDBITS(32);
  77850. strm->adler = state->check = REVERSE(hold);
  77851. INITBITS();
  77852. state->mode = DICT;
  77853. case DICT:
  77854. if (state->havedict == 0) {
  77855. RESTORE();
  77856. return Z_NEED_DICT;
  77857. }
  77858. strm->adler = state->check = adler32(0L, Z_NULL, 0);
  77859. state->mode = TYPE;
  77860. case TYPE:
  77861. if (flush == Z_BLOCK) goto inf_leave;
  77862. case TYPEDO:
  77863. if (state->last) {
  77864. BYTEBITS();
  77865. state->mode = CHECK;
  77866. break;
  77867. }
  77868. NEEDBITS(3);
  77869. state->last = BITS(1);
  77870. DROPBITS(1);
  77871. switch (BITS(2)) {
  77872. case 0: /* stored block */
  77873. Tracev((stderr, "inflate: stored block%s\n",
  77874. state->last ? " (last)" : ""));
  77875. state->mode = STORED;
  77876. break;
  77877. case 1: /* fixed block */
  77878. fixedtables(state);
  77879. Tracev((stderr, "inflate: fixed codes block%s\n",
  77880. state->last ? " (last)" : ""));
  77881. state->mode = LEN; /* decode codes */
  77882. break;
  77883. case 2: /* dynamic block */
  77884. Tracev((stderr, "inflate: dynamic codes block%s\n",
  77885. state->last ? " (last)" : ""));
  77886. state->mode = TABLE;
  77887. break;
  77888. case 3:
  77889. strm->msg = (char *)"invalid block type";
  77890. state->mode = BAD;
  77891. }
  77892. DROPBITS(2);
  77893. break;
  77894. case STORED:
  77895. BYTEBITS(); /* go to byte boundary */
  77896. NEEDBITS(32);
  77897. if ((hold & 0xffff) != ((hold >> 16) ^ 0xffff)) {
  77898. strm->msg = (char *)"invalid stored block lengths";
  77899. state->mode = BAD;
  77900. break;
  77901. }
  77902. state->length = (unsigned)hold & 0xffff;
  77903. Tracev((stderr, "inflate: stored length %u\n",
  77904. state->length));
  77905. INITBITS();
  77906. state->mode = COPY;
  77907. case COPY:
  77908. copy = state->length;
  77909. if (copy) {
  77910. if (copy > have) copy = have;
  77911. if (copy > left) copy = left;
  77912. if (copy == 0) goto inf_leave;
  77913. zmemcpy(put, next, copy);
  77914. have -= copy;
  77915. next += copy;
  77916. left -= copy;
  77917. put += copy;
  77918. state->length -= copy;
  77919. break;
  77920. }
  77921. Tracev((stderr, "inflate: stored end\n"));
  77922. state->mode = TYPE;
  77923. break;
  77924. case TABLE:
  77925. NEEDBITS(14);
  77926. state->nlen = BITS(5) + 257;
  77927. DROPBITS(5);
  77928. state->ndist = BITS(5) + 1;
  77929. DROPBITS(5);
  77930. state->ncode = BITS(4) + 4;
  77931. DROPBITS(4);
  77932. #ifndef PKZIP_BUG_WORKAROUND
  77933. if (state->nlen > 286 || state->ndist > 30) {
  77934. strm->msg = (char *)"too many length or distance symbols";
  77935. state->mode = BAD;
  77936. break;
  77937. }
  77938. #endif
  77939. Tracev((stderr, "inflate: table sizes ok\n"));
  77940. state->have = 0;
  77941. state->mode = LENLENS;
  77942. case LENLENS:
  77943. while (state->have < state->ncode) {
  77944. NEEDBITS(3);
  77945. state->lens[order[state->have++]] = (unsigned short)BITS(3);
  77946. DROPBITS(3);
  77947. }
  77948. while (state->have < 19)
  77949. state->lens[order[state->have++]] = 0;
  77950. state->next = state->codes;
  77951. state->lencode = (code const FAR *)(state->next);
  77952. state->lenbits = 7;
  77953. ret = inflate_table(CODES, state->lens, 19, &(state->next),
  77954. &(state->lenbits), state->work);
  77955. if (ret) {
  77956. strm->msg = (char *)"invalid code lengths set";
  77957. state->mode = BAD;
  77958. break;
  77959. }
  77960. Tracev((stderr, "inflate: code lengths ok\n"));
  77961. state->have = 0;
  77962. state->mode = CODELENS;
  77963. case CODELENS:
  77964. while (state->have < state->nlen + state->ndist) {
  77965. for (;;) {
  77966. thisx = state->lencode[BITS(state->lenbits)];
  77967. if ((unsigned)(thisx.bits) <= bits) break;
  77968. PULLBYTE();
  77969. }
  77970. if (thisx.val < 16) {
  77971. NEEDBITS(thisx.bits);
  77972. DROPBITS(thisx.bits);
  77973. state->lens[state->have++] = thisx.val;
  77974. }
  77975. else {
  77976. if (thisx.val == 16) {
  77977. NEEDBITS(thisx.bits + 2);
  77978. DROPBITS(thisx.bits);
  77979. if (state->have == 0) {
  77980. strm->msg = (char *)"invalid bit length repeat";
  77981. state->mode = BAD;
  77982. break;
  77983. }
  77984. len = state->lens[state->have - 1];
  77985. copy = 3 + BITS(2);
  77986. DROPBITS(2);
  77987. }
  77988. else if (thisx.val == 17) {
  77989. NEEDBITS(thisx.bits + 3);
  77990. DROPBITS(thisx.bits);
  77991. len = 0;
  77992. copy = 3 + BITS(3);
  77993. DROPBITS(3);
  77994. }
  77995. else {
  77996. NEEDBITS(thisx.bits + 7);
  77997. DROPBITS(thisx.bits);
  77998. len = 0;
  77999. copy = 11 + BITS(7);
  78000. DROPBITS(7);
  78001. }
  78002. if (state->have + copy > state->nlen + state->ndist) {
  78003. strm->msg = (char *)"invalid bit length repeat";
  78004. state->mode = BAD;
  78005. break;
  78006. }
  78007. while (copy--)
  78008. state->lens[state->have++] = (unsigned short)len;
  78009. }
  78010. }
  78011. /* handle error breaks in while */
  78012. if (state->mode == BAD) break;
  78013. /* build code tables */
  78014. state->next = state->codes;
  78015. state->lencode = (code const FAR *)(state->next);
  78016. state->lenbits = 9;
  78017. ret = inflate_table(LENS, state->lens, state->nlen, &(state->next),
  78018. &(state->lenbits), state->work);
  78019. if (ret) {
  78020. strm->msg = (char *)"invalid literal/lengths set";
  78021. state->mode = BAD;
  78022. break;
  78023. }
  78024. state->distcode = (code const FAR *)(state->next);
  78025. state->distbits = 6;
  78026. ret = inflate_table(DISTS, state->lens + state->nlen, state->ndist,
  78027. &(state->next), &(state->distbits), state->work);
  78028. if (ret) {
  78029. strm->msg = (char *)"invalid distances set";
  78030. state->mode = BAD;
  78031. break;
  78032. }
  78033. Tracev((stderr, "inflate: codes ok\n"));
  78034. state->mode = LEN;
  78035. case LEN:
  78036. if (have >= 6 && left >= 258) {
  78037. RESTORE();
  78038. inflate_fast(strm, out);
  78039. LOAD();
  78040. break;
  78041. }
  78042. for (;;) {
  78043. thisx = state->lencode[BITS(state->lenbits)];
  78044. if ((unsigned)(thisx.bits) <= bits) break;
  78045. PULLBYTE();
  78046. }
  78047. if (thisx.op && (thisx.op & 0xf0) == 0) {
  78048. last = thisx;
  78049. for (;;) {
  78050. thisx = state->lencode[last.val +
  78051. (BITS(last.bits + last.op) >> last.bits)];
  78052. if ((unsigned)(last.bits + thisx.bits) <= bits) break;
  78053. PULLBYTE();
  78054. }
  78055. DROPBITS(last.bits);
  78056. }
  78057. DROPBITS(thisx.bits);
  78058. state->length = (unsigned)thisx.val;
  78059. if ((int)(thisx.op) == 0) {
  78060. Tracevv((stderr, thisx.val >= 0x20 && thisx.val < 0x7f ?
  78061. "inflate: literal '%c'\n" :
  78062. "inflate: literal 0x%02x\n", thisx.val));
  78063. state->mode = LIT;
  78064. break;
  78065. }
  78066. if (thisx.op & 32) {
  78067. Tracevv((stderr, "inflate: end of block\n"));
  78068. state->mode = TYPE;
  78069. break;
  78070. }
  78071. if (thisx.op & 64) {
  78072. strm->msg = (char *)"invalid literal/length code";
  78073. state->mode = BAD;
  78074. break;
  78075. }
  78076. state->extra = (unsigned)(thisx.op) & 15;
  78077. state->mode = LENEXT;
  78078. case LENEXT:
  78079. if (state->extra) {
  78080. NEEDBITS(state->extra);
  78081. state->length += BITS(state->extra);
  78082. DROPBITS(state->extra);
  78083. }
  78084. Tracevv((stderr, "inflate: length %u\n", state->length));
  78085. state->mode = DIST;
  78086. case DIST:
  78087. for (;;) {
  78088. thisx = state->distcode[BITS(state->distbits)];
  78089. if ((unsigned)(thisx.bits) <= bits) break;
  78090. PULLBYTE();
  78091. }
  78092. if ((thisx.op & 0xf0) == 0) {
  78093. last = thisx;
  78094. for (;;) {
  78095. thisx = state->distcode[last.val +
  78096. (BITS(last.bits + last.op) >> last.bits)];
  78097. if ((unsigned)(last.bits + thisx.bits) <= bits) break;
  78098. PULLBYTE();
  78099. }
  78100. DROPBITS(last.bits);
  78101. }
  78102. DROPBITS(thisx.bits);
  78103. if (thisx.op & 64) {
  78104. strm->msg = (char *)"invalid distance code";
  78105. state->mode = BAD;
  78106. break;
  78107. }
  78108. state->offset = (unsigned)thisx.val;
  78109. state->extra = (unsigned)(thisx.op) & 15;
  78110. state->mode = DISTEXT;
  78111. case DISTEXT:
  78112. if (state->extra) {
  78113. NEEDBITS(state->extra);
  78114. state->offset += BITS(state->extra);
  78115. DROPBITS(state->extra);
  78116. }
  78117. #ifdef INFLATE_STRICT
  78118. if (state->offset > state->dmax) {
  78119. strm->msg = (char *)"invalid distance too far back";
  78120. state->mode = BAD;
  78121. break;
  78122. }
  78123. #endif
  78124. if (state->offset > state->whave + out - left) {
  78125. strm->msg = (char *)"invalid distance too far back";
  78126. state->mode = BAD;
  78127. break;
  78128. }
  78129. Tracevv((stderr, "inflate: distance %u\n", state->offset));
  78130. state->mode = MATCH;
  78131. case MATCH:
  78132. if (left == 0) goto inf_leave;
  78133. copy = out - left;
  78134. if (state->offset > copy) { /* copy from window */
  78135. copy = state->offset - copy;
  78136. if (copy > state->write) {
  78137. copy -= state->write;
  78138. from = state->window + (state->wsize - copy);
  78139. }
  78140. else
  78141. from = state->window + (state->write - copy);
  78142. if (copy > state->length) copy = state->length;
  78143. }
  78144. else { /* copy from output */
  78145. from = put - state->offset;
  78146. copy = state->length;
  78147. }
  78148. if (copy > left) copy = left;
  78149. left -= copy;
  78150. state->length -= copy;
  78151. do {
  78152. *put++ = *from++;
  78153. } while (--copy);
  78154. if (state->length == 0) state->mode = LEN;
  78155. break;
  78156. case LIT:
  78157. if (left == 0) goto inf_leave;
  78158. *put++ = (unsigned char)(state->length);
  78159. left--;
  78160. state->mode = LEN;
  78161. break;
  78162. case CHECK:
  78163. if (state->wrap) {
  78164. NEEDBITS(32);
  78165. out -= left;
  78166. strm->total_out += out;
  78167. state->total += out;
  78168. if (out)
  78169. strm->adler = state->check =
  78170. UPDATE(state->check, put - out, out);
  78171. out = left;
  78172. if ((
  78173. #ifdef GUNZIP
  78174. state->flags ? hold :
  78175. #endif
  78176. REVERSE(hold)) != state->check) {
  78177. strm->msg = (char *)"incorrect data check";
  78178. state->mode = BAD;
  78179. break;
  78180. }
  78181. INITBITS();
  78182. Tracev((stderr, "inflate: check matches trailer\n"));
  78183. }
  78184. #ifdef GUNZIP
  78185. state->mode = LENGTH;
  78186. case LENGTH:
  78187. if (state->wrap && state->flags) {
  78188. NEEDBITS(32);
  78189. if (hold != (state->total & 0xffffffffUL)) {
  78190. strm->msg = (char *)"incorrect length check";
  78191. state->mode = BAD;
  78192. break;
  78193. }
  78194. INITBITS();
  78195. Tracev((stderr, "inflate: length matches trailer\n"));
  78196. }
  78197. #endif
  78198. state->mode = DONE;
  78199. case DONE:
  78200. ret = Z_STREAM_END;
  78201. goto inf_leave;
  78202. case BAD:
  78203. ret = Z_DATA_ERROR;
  78204. goto inf_leave;
  78205. case MEM:
  78206. return Z_MEM_ERROR;
  78207. case SYNC:
  78208. default:
  78209. return Z_STREAM_ERROR;
  78210. }
  78211. /*
  78212. Return from inflate(), updating the total counts and the check value.
  78213. If there was no progress during the inflate() call, return a buffer
  78214. error. Call updatewindow() to create and/or update the window state.
  78215. Note: a memory error from inflate() is non-recoverable.
  78216. */
  78217. inf_leave:
  78218. RESTORE();
  78219. if (state->wsize || (state->mode < CHECK && out != strm->avail_out))
  78220. if (updatewindow(strm, out)) {
  78221. state->mode = MEM;
  78222. return Z_MEM_ERROR;
  78223. }
  78224. in -= strm->avail_in;
  78225. out -= strm->avail_out;
  78226. strm->total_in += in;
  78227. strm->total_out += out;
  78228. state->total += out;
  78229. if (state->wrap && out)
  78230. strm->adler = state->check =
  78231. UPDATE(state->check, strm->next_out - out, out);
  78232. strm->data_type = state->bits + (state->last ? 64 : 0) +
  78233. (state->mode == TYPE ? 128 : 0);
  78234. if (((in == 0 && out == 0) || flush == Z_FINISH) && ret == Z_OK)
  78235. ret = Z_BUF_ERROR;
  78236. return ret;
  78237. }
  78238. int ZEXPORT inflateEnd (z_streamp strm)
  78239. {
  78240. struct inflate_state FAR *state;
  78241. if (strm == Z_NULL || strm->state == Z_NULL || strm->zfree == (free_func)0)
  78242. return Z_STREAM_ERROR;
  78243. state = (struct inflate_state FAR *)strm->state;
  78244. if (state->window != Z_NULL) ZFREE(strm, state->window);
  78245. ZFREE(strm, strm->state);
  78246. strm->state = Z_NULL;
  78247. Tracev((stderr, "inflate: end\n"));
  78248. return Z_OK;
  78249. }
  78250. int ZEXPORT inflateSetDictionary (z_streamp strm, const Bytef *dictionary, uInt dictLength)
  78251. {
  78252. struct inflate_state FAR *state;
  78253. unsigned long id_;
  78254. /* check state */
  78255. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  78256. state = (struct inflate_state FAR *)strm->state;
  78257. if (state->wrap != 0 && state->mode != DICT)
  78258. return Z_STREAM_ERROR;
  78259. /* check for correct dictionary id */
  78260. if (state->mode == DICT) {
  78261. id_ = adler32(0L, Z_NULL, 0);
  78262. id_ = adler32(id_, dictionary, dictLength);
  78263. if (id_ != state->check)
  78264. return Z_DATA_ERROR;
  78265. }
  78266. /* copy dictionary to window */
  78267. if (updatewindow(strm, strm->avail_out)) {
  78268. state->mode = MEM;
  78269. return Z_MEM_ERROR;
  78270. }
  78271. if (dictLength > state->wsize) {
  78272. zmemcpy(state->window, dictionary + dictLength - state->wsize,
  78273. state->wsize);
  78274. state->whave = state->wsize;
  78275. }
  78276. else {
  78277. zmemcpy(state->window + state->wsize - dictLength, dictionary,
  78278. dictLength);
  78279. state->whave = dictLength;
  78280. }
  78281. state->havedict = 1;
  78282. Tracev((stderr, "inflate: dictionary set\n"));
  78283. return Z_OK;
  78284. }
  78285. int ZEXPORT inflateGetHeader (z_streamp strm, gz_headerp head)
  78286. {
  78287. struct inflate_state FAR *state;
  78288. /* check state */
  78289. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  78290. state = (struct inflate_state FAR *)strm->state;
  78291. if ((state->wrap & 2) == 0) return Z_STREAM_ERROR;
  78292. /* save header structure */
  78293. state->head = head;
  78294. head->done = 0;
  78295. return Z_OK;
  78296. }
  78297. /*
  78298. Search buf[0..len-1] for the pattern: 0, 0, 0xff, 0xff. Return when found
  78299. or when out of input. When called, *have is the number of pattern bytes
  78300. found in order so far, in 0..3. On return *have is updated to the new
  78301. state. If on return *have equals four, then the pattern was found and the
  78302. return value is how many bytes were read including the last byte of the
  78303. pattern. If *have is less than four, then the pattern has not been found
  78304. yet and the return value is len. In the latter case, syncsearch() can be
  78305. called again with more data and the *have state. *have is initialized to
  78306. zero for the first call.
  78307. */
  78308. local unsigned syncsearch (unsigned FAR *have, unsigned char FAR *buf, unsigned len)
  78309. {
  78310. unsigned got;
  78311. unsigned next;
  78312. got = *have;
  78313. next = 0;
  78314. while (next < len && got < 4) {
  78315. if ((int)(buf[next]) == (got < 2 ? 0 : 0xff))
  78316. got++;
  78317. else if (buf[next])
  78318. got = 0;
  78319. else
  78320. got = 4 - got;
  78321. next++;
  78322. }
  78323. *have = got;
  78324. return next;
  78325. }
  78326. int ZEXPORT inflateSync (z_streamp strm)
  78327. {
  78328. unsigned len; /* number of bytes to look at or looked at */
  78329. unsigned long in, out; /* temporary to save total_in and total_out */
  78330. unsigned char buf[4]; /* to restore bit buffer to byte string */
  78331. struct inflate_state FAR *state;
  78332. /* check parameters */
  78333. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  78334. state = (struct inflate_state FAR *)strm->state;
  78335. if (strm->avail_in == 0 && state->bits < 8) return Z_BUF_ERROR;
  78336. /* if first time, start search in bit buffer */
  78337. if (state->mode != SYNC) {
  78338. state->mode = SYNC;
  78339. state->hold <<= state->bits & 7;
  78340. state->bits -= state->bits & 7;
  78341. len = 0;
  78342. while (state->bits >= 8) {
  78343. buf[len++] = (unsigned char)(state->hold);
  78344. state->hold >>= 8;
  78345. state->bits -= 8;
  78346. }
  78347. state->have = 0;
  78348. syncsearch(&(state->have), buf, len);
  78349. }
  78350. /* search available input */
  78351. len = syncsearch(&(state->have), strm->next_in, strm->avail_in);
  78352. strm->avail_in -= len;
  78353. strm->next_in += len;
  78354. strm->total_in += len;
  78355. /* return no joy or set up to restart inflate() on a new block */
  78356. if (state->have != 4) return Z_DATA_ERROR;
  78357. in = strm->total_in; out = strm->total_out;
  78358. inflateReset(strm);
  78359. strm->total_in = in; strm->total_out = out;
  78360. state->mode = TYPE;
  78361. return Z_OK;
  78362. }
  78363. /*
  78364. Returns true if inflate is currently at the end of a block generated by
  78365. Z_SYNC_FLUSH or Z_FULL_FLUSH. This function is used by one PPP
  78366. implementation to provide an additional safety check. PPP uses
  78367. Z_SYNC_FLUSH but removes the length bytes of the resulting empty stored
  78368. block. When decompressing, PPP checks that at the end of input packet,
  78369. inflate is waiting for these length bytes.
  78370. */
  78371. int ZEXPORT inflateSyncPoint (z_streamp strm)
  78372. {
  78373. struct inflate_state FAR *state;
  78374. if (strm == Z_NULL || strm->state == Z_NULL) return Z_STREAM_ERROR;
  78375. state = (struct inflate_state FAR *)strm->state;
  78376. return state->mode == STORED && state->bits == 0;
  78377. }
  78378. int ZEXPORT inflateCopy(z_streamp dest, z_streamp source)
  78379. {
  78380. struct inflate_state FAR *state;
  78381. struct inflate_state FAR *copy;
  78382. unsigned char FAR *window;
  78383. unsigned wsize;
  78384. /* check input */
  78385. if (dest == Z_NULL || source == Z_NULL || source->state == Z_NULL ||
  78386. source->zalloc == (alloc_func)0 || source->zfree == (free_func)0)
  78387. return Z_STREAM_ERROR;
  78388. state = (struct inflate_state FAR *)source->state;
  78389. /* allocate space */
  78390. copy = (struct inflate_state FAR *)
  78391. ZALLOC(source, 1, sizeof(struct inflate_state));
  78392. if (copy == Z_NULL) return Z_MEM_ERROR;
  78393. window = Z_NULL;
  78394. if (state->window != Z_NULL) {
  78395. window = (unsigned char FAR *)
  78396. ZALLOC(source, 1U << state->wbits, sizeof(unsigned char));
  78397. if (window == Z_NULL) {
  78398. ZFREE(source, copy);
  78399. return Z_MEM_ERROR;
  78400. }
  78401. }
  78402. /* copy state */
  78403. zmemcpy(dest, source, sizeof(z_stream));
  78404. zmemcpy(copy, state, sizeof(struct inflate_state));
  78405. if (state->lencode >= state->codes &&
  78406. state->lencode <= state->codes + ENOUGH - 1) {
  78407. copy->lencode = copy->codes + (state->lencode - state->codes);
  78408. copy->distcode = copy->codes + (state->distcode - state->codes);
  78409. }
  78410. copy->next = copy->codes + (state->next - state->codes);
  78411. if (window != Z_NULL) {
  78412. wsize = 1U << state->wbits;
  78413. zmemcpy(window, state->window, wsize);
  78414. }
  78415. copy->window = window;
  78416. dest->state = (struct internal_state FAR *)copy;
  78417. return Z_OK;
  78418. }
  78419. /********* End of inlined file: inflate.c *********/
  78420. /********* Start of inlined file: inftrees.c *********/
  78421. #define MAXBITS 15
  78422. const char inflate_copyright[] =
  78423. " inflate 1.2.3 Copyright 1995-2005 Mark Adler ";
  78424. /*
  78425. If you use the zlib library in a product, an acknowledgment is welcome
  78426. in the documentation of your product. If for some reason you cannot
  78427. include such an acknowledgment, I would appreciate that you keep this
  78428. copyright string in the executable of your product.
  78429. */
  78430. /*
  78431. Build a set of tables to decode the provided canonical Huffman code.
  78432. The code lengths are lens[0..codes-1]. The result starts at *table,
  78433. whose indices are 0..2^bits-1. work is a writable array of at least
  78434. lens shorts, which is used as a work area. type is the type of code
  78435. to be generated, CODES, LENS, or DISTS. On return, zero is success,
  78436. -1 is an invalid code, and +1 means that ENOUGH isn't enough. table
  78437. on return points to the next available entry's address. bits is the
  78438. requested root table index bits, and on return it is the actual root
  78439. table index bits. It will differ if the request is greater than the
  78440. longest code or if it is less than the shortest code.
  78441. */
  78442. int inflate_table (codetype type,
  78443. unsigned short FAR *lens,
  78444. unsigned codes,
  78445. code FAR * FAR *table,
  78446. unsigned FAR *bits,
  78447. unsigned short FAR *work)
  78448. {
  78449. unsigned len; /* a code's length in bits */
  78450. unsigned sym; /* index of code symbols */
  78451. unsigned min, max; /* minimum and maximum code lengths */
  78452. unsigned root; /* number of index bits for root table */
  78453. unsigned curr; /* number of index bits for current table */
  78454. unsigned drop; /* code bits to drop for sub-table */
  78455. int left; /* number of prefix codes available */
  78456. unsigned used; /* code entries in table used */
  78457. unsigned huff; /* Huffman code */
  78458. unsigned incr; /* for incrementing code, index */
  78459. unsigned fill; /* index for replicating entries */
  78460. unsigned low; /* low bits for current root entry */
  78461. unsigned mask; /* mask for low root bits */
  78462. code thisx; /* table entry for duplication */
  78463. code FAR *next; /* next available space in table */
  78464. const unsigned short FAR *base; /* base value table to use */
  78465. const unsigned short FAR *extra; /* extra bits table to use */
  78466. int end; /* use base and extra for symbol > end */
  78467. unsigned short count[MAXBITS+1]; /* number of codes of each length */
  78468. unsigned short offs[MAXBITS+1]; /* offsets in table for each length */
  78469. static const unsigned short lbase[31] = { /* Length codes 257..285 base */
  78470. 3, 4, 5, 6, 7, 8, 9, 10, 11, 13, 15, 17, 19, 23, 27, 31,
  78471. 35, 43, 51, 59, 67, 83, 99, 115, 131, 163, 195, 227, 258, 0, 0};
  78472. static const unsigned short lext[31] = { /* Length codes 257..285 extra */
  78473. 16, 16, 16, 16, 16, 16, 16, 16, 17, 17, 17, 17, 18, 18, 18, 18,
  78474. 19, 19, 19, 19, 20, 20, 20, 20, 21, 21, 21, 21, 16, 201, 196};
  78475. static const unsigned short dbase[32] = { /* Distance codes 0..29 base */
  78476. 1, 2, 3, 4, 5, 7, 9, 13, 17, 25, 33, 49, 65, 97, 129, 193,
  78477. 257, 385, 513, 769, 1025, 1537, 2049, 3073, 4097, 6145,
  78478. 8193, 12289, 16385, 24577, 0, 0};
  78479. static const unsigned short dext[32] = { /* Distance codes 0..29 extra */
  78480. 16, 16, 16, 16, 17, 17, 18, 18, 19, 19, 20, 20, 21, 21, 22, 22,
  78481. 23, 23, 24, 24, 25, 25, 26, 26, 27, 27,
  78482. 28, 28, 29, 29, 64, 64};
  78483. /*
  78484. Process a set of code lengths to create a canonical Huffman code. The
  78485. code lengths are lens[0..codes-1]. Each length corresponds to the
  78486. symbols 0..codes-1. The Huffman code is generated by first sorting the
  78487. symbols by length from short to long, and retaining the symbol order
  78488. for codes with equal lengths. Then the code starts with all zero bits
  78489. for the first code of the shortest length, and the codes are integer
  78490. increments for the same length, and zeros are appended as the length
  78491. increases. For the deflate format, these bits are stored backwards
  78492. from their more natural integer increment ordering, and so when the
  78493. decoding tables are built in the large loop below, the integer codes
  78494. are incremented backwards.
  78495. This routine assumes, but does not check, that all of the entries in
  78496. lens[] are in the range 0..MAXBITS. The caller must assure this.
  78497. 1..MAXBITS is interpreted as that code length. zero means that that
  78498. symbol does not occur in this code.
  78499. The codes are sorted by computing a count of codes for each length,
  78500. creating from that a table of starting indices for each length in the
  78501. sorted table, and then entering the symbols in order in the sorted
  78502. table. The sorted table is work[], with that space being provided by
  78503. the caller.
  78504. The length counts are used for other purposes as well, i.e. finding
  78505. the minimum and maximum length codes, determining if there are any
  78506. codes at all, checking for a valid set of lengths, and looking ahead
  78507. at length counts to determine sub-table sizes when building the
  78508. decoding tables.
  78509. */
  78510. /* accumulate lengths for codes (assumes lens[] all in 0..MAXBITS) */
  78511. for (len = 0; len <= MAXBITS; len++)
  78512. count[len] = 0;
  78513. for (sym = 0; sym < codes; sym++)
  78514. count[lens[sym]]++;
  78515. /* bound code lengths, force root to be within code lengths */
  78516. root = *bits;
  78517. for (max = MAXBITS; max >= 1; max--)
  78518. if (count[max] != 0) break;
  78519. if (root > max) root = max;
  78520. if (max == 0) { /* no symbols to code at all */
  78521. thisx.op = (unsigned char)64; /* invalid code marker */
  78522. thisx.bits = (unsigned char)1;
  78523. thisx.val = (unsigned short)0;
  78524. *(*table)++ = thisx; /* make a table to force an error */
  78525. *(*table)++ = thisx;
  78526. *bits = 1;
  78527. return 0; /* no symbols, but wait for decoding to report error */
  78528. }
  78529. for (min = 1; min <= MAXBITS; min++)
  78530. if (count[min] != 0) break;
  78531. if (root < min) root = min;
  78532. /* check for an over-subscribed or incomplete set of lengths */
  78533. left = 1;
  78534. for (len = 1; len <= MAXBITS; len++) {
  78535. left <<= 1;
  78536. left -= count[len];
  78537. if (left < 0) return -1; /* over-subscribed */
  78538. }
  78539. if (left > 0 && (type == CODES || max != 1))
  78540. return -1; /* incomplete set */
  78541. /* generate offsets into symbol table for each length for sorting */
  78542. offs[1] = 0;
  78543. for (len = 1; len < MAXBITS; len++)
  78544. offs[len + 1] = offs[len] + count[len];
  78545. /* sort symbols by length, by symbol order within each length */
  78546. for (sym = 0; sym < codes; sym++)
  78547. if (lens[sym] != 0) work[offs[lens[sym]]++] = (unsigned short)sym;
  78548. /*
  78549. Create and fill in decoding tables. In this loop, the table being
  78550. filled is at next and has curr index bits. The code being used is huff
  78551. with length len. That code is converted to an index by dropping drop
  78552. bits off of the bottom. For codes where len is less than drop + curr,
  78553. those top drop + curr - len bits are incremented through all values to
  78554. fill the table with replicated entries.
  78555. root is the number of index bits for the root table. When len exceeds
  78556. root, sub-tables are created pointed to by the root entry with an index
  78557. of the low root bits of huff. This is saved in low to check for when a
  78558. new sub-table should be started. drop is zero when the root table is
  78559. being filled, and drop is root when sub-tables are being filled.
  78560. When a new sub-table is needed, it is necessary to look ahead in the
  78561. code lengths to determine what size sub-table is needed. The length
  78562. counts are used for this, and so count[] is decremented as codes are
  78563. entered in the tables.
  78564. used keeps track of how many table entries have been allocated from the
  78565. provided *table space. It is checked when a LENS table is being made
  78566. against the space in *table, ENOUGH, minus the maximum space needed by
  78567. the worst case distance code, MAXD. This should never happen, but the
  78568. sufficiency of ENOUGH has not been proven exhaustively, hence the check.
  78569. This assumes that when type == LENS, bits == 9.
  78570. sym increments through all symbols, and the loop terminates when
  78571. all codes of length max, i.e. all codes, have been processed. This
  78572. routine permits incomplete codes, so another loop after this one fills
  78573. in the rest of the decoding tables with invalid code markers.
  78574. */
  78575. /* set up for code type */
  78576. switch (type) {
  78577. case CODES:
  78578. base = extra = work; /* dummy value--not used */
  78579. end = 19;
  78580. break;
  78581. case LENS:
  78582. base = lbase;
  78583. base -= 257;
  78584. extra = lext;
  78585. extra -= 257;
  78586. end = 256;
  78587. break;
  78588. default: /* DISTS */
  78589. base = dbase;
  78590. extra = dext;
  78591. end = -1;
  78592. }
  78593. /* initialize state for loop */
  78594. huff = 0; /* starting code */
  78595. sym = 0; /* starting code symbol */
  78596. len = min; /* starting code length */
  78597. next = *table; /* current table to fill in */
  78598. curr = root; /* current table index bits */
  78599. drop = 0; /* current bits to drop from code for index */
  78600. low = (unsigned)(-1); /* trigger new sub-table when len > root */
  78601. used = 1U << root; /* use root table entries */
  78602. mask = used - 1; /* mask for comparing low */
  78603. /* check available table space */
  78604. if (type == LENS && used >= ENOUGH - MAXD)
  78605. return 1;
  78606. /* process all codes and make table entries */
  78607. for (;;) {
  78608. /* create table entry */
  78609. thisx.bits = (unsigned char)(len - drop);
  78610. if ((int)(work[sym]) < end) {
  78611. thisx.op = (unsigned char)0;
  78612. thisx.val = work[sym];
  78613. }
  78614. else if ((int)(work[sym]) > end) {
  78615. thisx.op = (unsigned char)(extra[work[sym]]);
  78616. thisx.val = base[work[sym]];
  78617. }
  78618. else {
  78619. thisx.op = (unsigned char)(32 + 64); /* end of block */
  78620. thisx.val = 0;
  78621. }
  78622. /* replicate for those indices with low len bits equal to huff */
  78623. incr = 1U << (len - drop);
  78624. fill = 1U << curr;
  78625. min = fill; /* save offset to next table */
  78626. do {
  78627. fill -= incr;
  78628. next[(huff >> drop) + fill] = thisx;
  78629. } while (fill != 0);
  78630. /* backwards increment the len-bit code huff */
  78631. incr = 1U << (len - 1);
  78632. while (huff & incr)
  78633. incr >>= 1;
  78634. if (incr != 0) {
  78635. huff &= incr - 1;
  78636. huff += incr;
  78637. }
  78638. else
  78639. huff = 0;
  78640. /* go to next symbol, update count, len */
  78641. sym++;
  78642. if (--(count[len]) == 0) {
  78643. if (len == max) break;
  78644. len = lens[work[sym]];
  78645. }
  78646. /* create new sub-table if needed */
  78647. if (len > root && (huff & mask) != low) {
  78648. /* if first time, transition to sub-tables */
  78649. if (drop == 0)
  78650. drop = root;
  78651. /* increment past last table */
  78652. next += min; /* here min is 1 << curr */
  78653. /* determine length of next table */
  78654. curr = len - drop;
  78655. left = (int)(1 << curr);
  78656. while (curr + drop < max) {
  78657. left -= count[curr + drop];
  78658. if (left <= 0) break;
  78659. curr++;
  78660. left <<= 1;
  78661. }
  78662. /* check for enough space */
  78663. used += 1U << curr;
  78664. if (type == LENS && used >= ENOUGH - MAXD)
  78665. return 1;
  78666. /* point entry in root table to sub-table */
  78667. low = huff & mask;
  78668. (*table)[low].op = (unsigned char)curr;
  78669. (*table)[low].bits = (unsigned char)root;
  78670. (*table)[low].val = (unsigned short)(next - *table);
  78671. }
  78672. }
  78673. /*
  78674. Fill in rest of table for incomplete codes. This loop is similar to the
  78675. loop above in incrementing huff for table indices. It is assumed that
  78676. len is equal to curr + drop, so there is no loop needed to increment
  78677. through high index bits. When the current sub-table is filled, the loop
  78678. drops back to the root table to fill in any remaining entries there.
  78679. */
  78680. thisx.op = (unsigned char)64; /* invalid code marker */
  78681. thisx.bits = (unsigned char)(len - drop);
  78682. thisx.val = (unsigned short)0;
  78683. while (huff != 0) {
  78684. /* when done with sub-table, drop back to root table */
  78685. if (drop != 0 && (huff & mask) != low) {
  78686. drop = 0;
  78687. len = root;
  78688. next = *table;
  78689. thisx.bits = (unsigned char)len;
  78690. }
  78691. /* put invalid code marker in table */
  78692. next[huff >> drop] = thisx;
  78693. /* backwards increment the len-bit code huff */
  78694. incr = 1U << (len - 1);
  78695. while (huff & incr)
  78696. incr >>= 1;
  78697. if (incr != 0) {
  78698. huff &= incr - 1;
  78699. huff += incr;
  78700. }
  78701. else
  78702. huff = 0;
  78703. }
  78704. /* set return parameters */
  78705. *table += used;
  78706. *bits = root;
  78707. return 0;
  78708. }
  78709. /********* End of inlined file: inftrees.c *********/
  78710. /********* Start of inlined file: trees.c *********/
  78711. /*
  78712. * ALGORITHM
  78713. *
  78714. * The "deflation" process uses several Huffman trees. The more
  78715. * common source values are represented by shorter bit sequences.
  78716. *
  78717. * Each code tree is stored in a compressed form which is itself
  78718. * a Huffman encoding of the lengths of all the code strings (in
  78719. * ascending order by source values). The actual code strings are
  78720. * reconstructed from the lengths in the inflate process, as described
  78721. * in the deflate specification.
  78722. *
  78723. * REFERENCES
  78724. *
  78725. * Deutsch, L.P.,"'Deflate' Compressed Data Format Specification".
  78726. * Available in ftp.uu.net:/pub/archiving/zip/doc/deflate-1.1.doc
  78727. *
  78728. * Storer, James A.
  78729. * Data Compression: Methods and Theory, pp. 49-50.
  78730. * Computer Science Press, 1988. ISBN 0-7167-8156-5.
  78731. *
  78732. * Sedgewick, R.
  78733. * Algorithms, p290.
  78734. * Addison-Wesley, 1983. ISBN 0-201-06672-6.
  78735. */
  78736. /* @(#) $Id: trees.c,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  78737. /* #define GEN_TREES_H */
  78738. #ifdef DEBUG
  78739. # include <ctype.h>
  78740. #endif
  78741. /* ===========================================================================
  78742. * Constants
  78743. */
  78744. #define MAX_BL_BITS 7
  78745. /* Bit length codes must not exceed MAX_BL_BITS bits */
  78746. #define END_BLOCK 256
  78747. /* end of block literal code */
  78748. #define REP_3_6 16
  78749. /* repeat previous bit length 3-6 times (2 bits of repeat count) */
  78750. #define REPZ_3_10 17
  78751. /* repeat a zero length 3-10 times (3 bits of repeat count) */
  78752. #define REPZ_11_138 18
  78753. /* repeat a zero length 11-138 times (7 bits of repeat count) */
  78754. local const int extra_lbits[LENGTH_CODES] /* extra bits for each length code */
  78755. = {0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0};
  78756. local const int extra_dbits[D_CODES] /* extra bits for each distance code */
  78757. = {0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13};
  78758. local const int extra_blbits[BL_CODES]/* extra bits for each bit length code */
  78759. = {0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,7};
  78760. local const uch bl_order[BL_CODES]
  78761. = {16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15};
  78762. /* The lengths of the bit length codes are sent in order of decreasing
  78763. * probability, to avoid transmitting the lengths for unused bit length codes.
  78764. */
  78765. #define Buf_size (8 * 2*sizeof(char))
  78766. /* Number of bits used within bi_buf. (bi_buf might be implemented on
  78767. * more than 16 bits on some systems.)
  78768. */
  78769. /* ===========================================================================
  78770. * Local data. These are initialized only once.
  78771. */
  78772. #define DIST_CODE_LEN 512 /* see definition of array dist_code below */
  78773. #if defined(GEN_TREES_H) || !defined(STDC)
  78774. /* non ANSI compilers may not accept trees.h */
  78775. local ct_data static_ltree[L_CODES+2];
  78776. /* The static literal tree. Since the bit lengths are imposed, there is no
  78777. * need for the L_CODES extra codes used during heap construction. However
  78778. * The codes 286 and 287 are needed to build a canonical tree (see _tr_init
  78779. * below).
  78780. */
  78781. local ct_data static_dtree[D_CODES];
  78782. /* The static distance tree. (Actually a trivial tree since all codes use
  78783. * 5 bits.)
  78784. */
  78785. uch _dist_code[DIST_CODE_LEN];
  78786. /* Distance codes. The first 256 values correspond to the distances
  78787. * 3 .. 258, the last 256 values correspond to the top 8 bits of
  78788. * the 15 bit distances.
  78789. */
  78790. uch _length_code[MAX_MATCH-MIN_MATCH+1];
  78791. /* length code for each normalized match length (0 == MIN_MATCH) */
  78792. local int base_length[LENGTH_CODES];
  78793. /* First normalized length for each code (0 = MIN_MATCH) */
  78794. local int base_dist[D_CODES];
  78795. /* First normalized distance for each code (0 = distance of 1) */
  78796. #else
  78797. /********* Start of inlined file: trees.h *********/
  78798. local const ct_data static_ltree[L_CODES+2] = {
  78799. {{ 12},{ 8}}, {{140},{ 8}}, {{ 76},{ 8}}, {{204},{ 8}}, {{ 44},{ 8}},
  78800. {{172},{ 8}}, {{108},{ 8}}, {{236},{ 8}}, {{ 28},{ 8}}, {{156},{ 8}},
  78801. {{ 92},{ 8}}, {{220},{ 8}}, {{ 60},{ 8}}, {{188},{ 8}}, {{124},{ 8}},
  78802. {{252},{ 8}}, {{ 2},{ 8}}, {{130},{ 8}}, {{ 66},{ 8}}, {{194},{ 8}},
  78803. {{ 34},{ 8}}, {{162},{ 8}}, {{ 98},{ 8}}, {{226},{ 8}}, {{ 18},{ 8}},
  78804. {{146},{ 8}}, {{ 82},{ 8}}, {{210},{ 8}}, {{ 50},{ 8}}, {{178},{ 8}},
  78805. {{114},{ 8}}, {{242},{ 8}}, {{ 10},{ 8}}, {{138},{ 8}}, {{ 74},{ 8}},
  78806. {{202},{ 8}}, {{ 42},{ 8}}, {{170},{ 8}}, {{106},{ 8}}, {{234},{ 8}},
  78807. {{ 26},{ 8}}, {{154},{ 8}}, {{ 90},{ 8}}, {{218},{ 8}}, {{ 58},{ 8}},
  78808. {{186},{ 8}}, {{122},{ 8}}, {{250},{ 8}}, {{ 6},{ 8}}, {{134},{ 8}},
  78809. {{ 70},{ 8}}, {{198},{ 8}}, {{ 38},{ 8}}, {{166},{ 8}}, {{102},{ 8}},
  78810. {{230},{ 8}}, {{ 22},{ 8}}, {{150},{ 8}}, {{ 86},{ 8}}, {{214},{ 8}},
  78811. {{ 54},{ 8}}, {{182},{ 8}}, {{118},{ 8}}, {{246},{ 8}}, {{ 14},{ 8}},
  78812. {{142},{ 8}}, {{ 78},{ 8}}, {{206},{ 8}}, {{ 46},{ 8}}, {{174},{ 8}},
  78813. {{110},{ 8}}, {{238},{ 8}}, {{ 30},{ 8}}, {{158},{ 8}}, {{ 94},{ 8}},
  78814. {{222},{ 8}}, {{ 62},{ 8}}, {{190},{ 8}}, {{126},{ 8}}, {{254},{ 8}},
  78815. {{ 1},{ 8}}, {{129},{ 8}}, {{ 65},{ 8}}, {{193},{ 8}}, {{ 33},{ 8}},
  78816. {{161},{ 8}}, {{ 97},{ 8}}, {{225},{ 8}}, {{ 17},{ 8}}, {{145},{ 8}},
  78817. {{ 81},{ 8}}, {{209},{ 8}}, {{ 49},{ 8}}, {{177},{ 8}}, {{113},{ 8}},
  78818. {{241},{ 8}}, {{ 9},{ 8}}, {{137},{ 8}}, {{ 73},{ 8}}, {{201},{ 8}},
  78819. {{ 41},{ 8}}, {{169},{ 8}}, {{105},{ 8}}, {{233},{ 8}}, {{ 25},{ 8}},
  78820. {{153},{ 8}}, {{ 89},{ 8}}, {{217},{ 8}}, {{ 57},{ 8}}, {{185},{ 8}},
  78821. {{121},{ 8}}, {{249},{ 8}}, {{ 5},{ 8}}, {{133},{ 8}}, {{ 69},{ 8}},
  78822. {{197},{ 8}}, {{ 37},{ 8}}, {{165},{ 8}}, {{101},{ 8}}, {{229},{ 8}},
  78823. {{ 21},{ 8}}, {{149},{ 8}}, {{ 85},{ 8}}, {{213},{ 8}}, {{ 53},{ 8}},
  78824. {{181},{ 8}}, {{117},{ 8}}, {{245},{ 8}}, {{ 13},{ 8}}, {{141},{ 8}},
  78825. {{ 77},{ 8}}, {{205},{ 8}}, {{ 45},{ 8}}, {{173},{ 8}}, {{109},{ 8}},
  78826. {{237},{ 8}}, {{ 29},{ 8}}, {{157},{ 8}}, {{ 93},{ 8}}, {{221},{ 8}},
  78827. {{ 61},{ 8}}, {{189},{ 8}}, {{125},{ 8}}, {{253},{ 8}}, {{ 19},{ 9}},
  78828. {{275},{ 9}}, {{147},{ 9}}, {{403},{ 9}}, {{ 83},{ 9}}, {{339},{ 9}},
  78829. {{211},{ 9}}, {{467},{ 9}}, {{ 51},{ 9}}, {{307},{ 9}}, {{179},{ 9}},
  78830. {{435},{ 9}}, {{115},{ 9}}, {{371},{ 9}}, {{243},{ 9}}, {{499},{ 9}},
  78831. {{ 11},{ 9}}, {{267},{ 9}}, {{139},{ 9}}, {{395},{ 9}}, {{ 75},{ 9}},
  78832. {{331},{ 9}}, {{203},{ 9}}, {{459},{ 9}}, {{ 43},{ 9}}, {{299},{ 9}},
  78833. {{171},{ 9}}, {{427},{ 9}}, {{107},{ 9}}, {{363},{ 9}}, {{235},{ 9}},
  78834. {{491},{ 9}}, {{ 27},{ 9}}, {{283},{ 9}}, {{155},{ 9}}, {{411},{ 9}},
  78835. {{ 91},{ 9}}, {{347},{ 9}}, {{219},{ 9}}, {{475},{ 9}}, {{ 59},{ 9}},
  78836. {{315},{ 9}}, {{187},{ 9}}, {{443},{ 9}}, {{123},{ 9}}, {{379},{ 9}},
  78837. {{251},{ 9}}, {{507},{ 9}}, {{ 7},{ 9}}, {{263},{ 9}}, {{135},{ 9}},
  78838. {{391},{ 9}}, {{ 71},{ 9}}, {{327},{ 9}}, {{199},{ 9}}, {{455},{ 9}},
  78839. {{ 39},{ 9}}, {{295},{ 9}}, {{167},{ 9}}, {{423},{ 9}}, {{103},{ 9}},
  78840. {{359},{ 9}}, {{231},{ 9}}, {{487},{ 9}}, {{ 23},{ 9}}, {{279},{ 9}},
  78841. {{151},{ 9}}, {{407},{ 9}}, {{ 87},{ 9}}, {{343},{ 9}}, {{215},{ 9}},
  78842. {{471},{ 9}}, {{ 55},{ 9}}, {{311},{ 9}}, {{183},{ 9}}, {{439},{ 9}},
  78843. {{119},{ 9}}, {{375},{ 9}}, {{247},{ 9}}, {{503},{ 9}}, {{ 15},{ 9}},
  78844. {{271},{ 9}}, {{143},{ 9}}, {{399},{ 9}}, {{ 79},{ 9}}, {{335},{ 9}},
  78845. {{207},{ 9}}, {{463},{ 9}}, {{ 47},{ 9}}, {{303},{ 9}}, {{175},{ 9}},
  78846. {{431},{ 9}}, {{111},{ 9}}, {{367},{ 9}}, {{239},{ 9}}, {{495},{ 9}},
  78847. {{ 31},{ 9}}, {{287},{ 9}}, {{159},{ 9}}, {{415},{ 9}}, {{ 95},{ 9}},
  78848. {{351},{ 9}}, {{223},{ 9}}, {{479},{ 9}}, {{ 63},{ 9}}, {{319},{ 9}},
  78849. {{191},{ 9}}, {{447},{ 9}}, {{127},{ 9}}, {{383},{ 9}}, {{255},{ 9}},
  78850. {{511},{ 9}}, {{ 0},{ 7}}, {{ 64},{ 7}}, {{ 32},{ 7}}, {{ 96},{ 7}},
  78851. {{ 16},{ 7}}, {{ 80},{ 7}}, {{ 48},{ 7}}, {{112},{ 7}}, {{ 8},{ 7}},
  78852. {{ 72},{ 7}}, {{ 40},{ 7}}, {{104},{ 7}}, {{ 24},{ 7}}, {{ 88},{ 7}},
  78853. {{ 56},{ 7}}, {{120},{ 7}}, {{ 4},{ 7}}, {{ 68},{ 7}}, {{ 36},{ 7}},
  78854. {{100},{ 7}}, {{ 20},{ 7}}, {{ 84},{ 7}}, {{ 52},{ 7}}, {{116},{ 7}},
  78855. {{ 3},{ 8}}, {{131},{ 8}}, {{ 67},{ 8}}, {{195},{ 8}}, {{ 35},{ 8}},
  78856. {{163},{ 8}}, {{ 99},{ 8}}, {{227},{ 8}}
  78857. };
  78858. local const ct_data static_dtree[D_CODES] = {
  78859. {{ 0},{ 5}}, {{16},{ 5}}, {{ 8},{ 5}}, {{24},{ 5}}, {{ 4},{ 5}},
  78860. {{20},{ 5}}, {{12},{ 5}}, {{28},{ 5}}, {{ 2},{ 5}}, {{18},{ 5}},
  78861. {{10},{ 5}}, {{26},{ 5}}, {{ 6},{ 5}}, {{22},{ 5}}, {{14},{ 5}},
  78862. {{30},{ 5}}, {{ 1},{ 5}}, {{17},{ 5}}, {{ 9},{ 5}}, {{25},{ 5}},
  78863. {{ 5},{ 5}}, {{21},{ 5}}, {{13},{ 5}}, {{29},{ 5}}, {{ 3},{ 5}},
  78864. {{19},{ 5}}, {{11},{ 5}}, {{27},{ 5}}, {{ 7},{ 5}}, {{23},{ 5}}
  78865. };
  78866. const uch _dist_code[DIST_CODE_LEN] = {
  78867. 0, 1, 2, 3, 4, 4, 5, 5, 6, 6, 6, 6, 7, 7, 7, 7, 8, 8, 8, 8,
  78868. 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 10, 10, 10, 10, 10, 10, 10, 10,
  78869. 10, 10, 10, 10, 10, 10, 10, 10, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11,
  78870. 11, 11, 11, 11, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12,
  78871. 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 13, 13, 13, 13,
  78872. 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13, 13,
  78873. 13, 13, 13, 13, 13, 13, 13, 13, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14,
  78874. 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14,
  78875. 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14,
  78876. 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 14, 15, 15, 15, 15, 15, 15, 15, 15,
  78877. 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15,
  78878. 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15,
  78879. 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 15, 0, 0, 16, 17,
  78880. 18, 18, 19, 19, 20, 20, 20, 20, 21, 21, 21, 21, 22, 22, 22, 22, 22, 22, 22, 22,
  78881. 23, 23, 23, 23, 23, 23, 23, 23, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24,
  78882. 24, 24, 24, 24, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25,
  78883. 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26,
  78884. 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 27, 27, 27, 27, 27, 27, 27, 27,
  78885. 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27,
  78886. 27, 27, 27, 27, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28,
  78887. 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28,
  78888. 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28, 28,
  78889. 28, 28, 28, 28, 28, 28, 28, 28, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29,
  78890. 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29,
  78891. 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29,
  78892. 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29, 29
  78893. };
  78894. const uch _length_code[MAX_MATCH-MIN_MATCH+1]= {
  78895. 0, 1, 2, 3, 4, 5, 6, 7, 8, 8, 9, 9, 10, 10, 11, 11, 12, 12, 12, 12,
  78896. 13, 13, 13, 13, 14, 14, 14, 14, 15, 15, 15, 15, 16, 16, 16, 16, 16, 16, 16, 16,
  78897. 17, 17, 17, 17, 17, 17, 17, 17, 18, 18, 18, 18, 18, 18, 18, 18, 19, 19, 19, 19,
  78898. 19, 19, 19, 19, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20, 20,
  78899. 21, 21, 21, 21, 21, 21, 21, 21, 21, 21, 21, 21, 21, 21, 21, 21, 22, 22, 22, 22,
  78900. 22, 22, 22, 22, 22, 22, 22, 22, 22, 22, 22, 22, 23, 23, 23, 23, 23, 23, 23, 23,
  78901. 23, 23, 23, 23, 23, 23, 23, 23, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24,
  78902. 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24, 24,
  78903. 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25,
  78904. 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 25, 26, 26, 26, 26, 26, 26, 26, 26,
  78905. 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26, 26,
  78906. 26, 26, 26, 26, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27,
  78907. 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 27, 28
  78908. };
  78909. local const int base_length[LENGTH_CODES] = {
  78910. 0, 1, 2, 3, 4, 5, 6, 7, 8, 10, 12, 14, 16, 20, 24, 28, 32, 40, 48, 56,
  78911. 64, 80, 96, 112, 128, 160, 192, 224, 0
  78912. };
  78913. local const int base_dist[D_CODES] = {
  78914. 0, 1, 2, 3, 4, 6, 8, 12, 16, 24,
  78915. 32, 48, 64, 96, 128, 192, 256, 384, 512, 768,
  78916. 1024, 1536, 2048, 3072, 4096, 6144, 8192, 12288, 16384, 24576
  78917. };
  78918. /********* End of inlined file: trees.h *********/
  78919. #endif /* GEN_TREES_H */
  78920. struct static_tree_desc_s {
  78921. const ct_data *static_tree; /* static tree or NULL */
  78922. const intf *extra_bits; /* extra bits for each code or NULL */
  78923. int extra_base; /* base index for extra_bits */
  78924. int elems; /* max number of elements in the tree */
  78925. int max_length; /* max bit length for the codes */
  78926. };
  78927. local static_tree_desc static_l_desc =
  78928. {static_ltree, extra_lbits, LITERALS+1, L_CODES, MAX_BITS};
  78929. local static_tree_desc static_d_desc =
  78930. {static_dtree, extra_dbits, 0, D_CODES, MAX_BITS};
  78931. local static_tree_desc static_bl_desc =
  78932. {(const ct_data *)0, extra_blbits, 0, BL_CODES, MAX_BL_BITS};
  78933. /* ===========================================================================
  78934. * Local (static) routines in this file.
  78935. */
  78936. local void tr_static_init OF((void));
  78937. local void init_block OF((deflate_state *s));
  78938. local void pqdownheap OF((deflate_state *s, ct_data *tree, int k));
  78939. local void gen_bitlen OF((deflate_state *s, tree_desc *desc));
  78940. local void gen_codes OF((ct_data *tree, int max_code, ushf *bl_count));
  78941. local void build_tree OF((deflate_state *s, tree_desc *desc));
  78942. local void scan_tree OF((deflate_state *s, ct_data *tree, int max_code));
  78943. local void send_tree OF((deflate_state *s, ct_data *tree, int max_code));
  78944. local int build_bl_tree OF((deflate_state *s));
  78945. local void send_all_trees OF((deflate_state *s, int lcodes, int dcodes,
  78946. int blcodes));
  78947. local void compress_block OF((deflate_state *s, ct_data *ltree,
  78948. ct_data *dtree));
  78949. local void set_data_type OF((deflate_state *s));
  78950. local unsigned bi_reverse OF((unsigned value, int length));
  78951. local void bi_windup OF((deflate_state *s));
  78952. local void bi_flush OF((deflate_state *s));
  78953. local void copy_block OF((deflate_state *s, charf *buf, unsigned len,
  78954. int header));
  78955. #ifdef GEN_TREES_H
  78956. local void gen_trees_header OF((void));
  78957. #endif
  78958. #ifndef DEBUG
  78959. # define send_code(s, c, tree) send_bits(s, tree[c].Code, tree[c].Len)
  78960. /* Send a code of the given tree. c and tree must not have side effects */
  78961. #else /* DEBUG */
  78962. # define send_code(s, c, tree) \
  78963. { if (z_verbose>2) fprintf(stderr,"\ncd %3d ",(c)); \
  78964. send_bits(s, tree[c].Code, tree[c].Len); }
  78965. #endif
  78966. /* ===========================================================================
  78967. * Output a short LSB first on the stream.
  78968. * IN assertion: there is enough room in pendingBuf.
  78969. */
  78970. #define put_short(s, w) { \
  78971. put_byte(s, (uch)((w) & 0xff)); \
  78972. put_byte(s, (uch)((ush)(w) >> 8)); \
  78973. }
  78974. /* ===========================================================================
  78975. * Send a value on a given number of bits.
  78976. * IN assertion: length <= 16 and value fits in length bits.
  78977. */
  78978. #ifdef DEBUG
  78979. local void send_bits OF((deflate_state *s, int value, int length));
  78980. local void send_bits (deflate_state *s, int value, int length)
  78981. {
  78982. Tracevv((stderr," l %2d v %4x ", length, value));
  78983. Assert(length > 0 && length <= 15, "invalid length");
  78984. s->bits_sent += (ulg)length;
  78985. /* If not enough room in bi_buf, use (valid) bits from bi_buf and
  78986. * (16 - bi_valid) bits from value, leaving (width - (16-bi_valid))
  78987. * unused bits in value.
  78988. */
  78989. if (s->bi_valid > (int)Buf_size - length) {
  78990. s->bi_buf |= (value << s->bi_valid);
  78991. put_short(s, s->bi_buf);
  78992. s->bi_buf = (ush)value >> (Buf_size - s->bi_valid);
  78993. s->bi_valid += length - Buf_size;
  78994. } else {
  78995. s->bi_buf |= value << s->bi_valid;
  78996. s->bi_valid += length;
  78997. }
  78998. }
  78999. #else /* !DEBUG */
  79000. #define send_bits(s, value, length) \
  79001. { int len = length;\
  79002. if (s->bi_valid > (int)Buf_size - len) {\
  79003. int val = value;\
  79004. s->bi_buf |= (val << s->bi_valid);\
  79005. put_short(s, s->bi_buf);\
  79006. s->bi_buf = (ush)val >> (Buf_size - s->bi_valid);\
  79007. s->bi_valid += len - Buf_size;\
  79008. } else {\
  79009. s->bi_buf |= (value) << s->bi_valid;\
  79010. s->bi_valid += len;\
  79011. }\
  79012. }
  79013. #endif /* DEBUG */
  79014. /* the arguments must not have side effects */
  79015. /* ===========================================================================
  79016. * Initialize the various 'constant' tables.
  79017. */
  79018. local void tr_static_init()
  79019. {
  79020. #if defined(GEN_TREES_H) || !defined(STDC)
  79021. static int static_init_done = 0;
  79022. int n; /* iterates over tree elements */
  79023. int bits; /* bit counter */
  79024. int length; /* length value */
  79025. int code; /* code value */
  79026. int dist; /* distance index */
  79027. ush bl_count[MAX_BITS+1];
  79028. /* number of codes at each bit length for an optimal tree */
  79029. if (static_init_done) return;
  79030. /* For some embedded targets, global variables are not initialized: */
  79031. static_l_desc.static_tree = static_ltree;
  79032. static_l_desc.extra_bits = extra_lbits;
  79033. static_d_desc.static_tree = static_dtree;
  79034. static_d_desc.extra_bits = extra_dbits;
  79035. static_bl_desc.extra_bits = extra_blbits;
  79036. /* Initialize the mapping length (0..255) -> length code (0..28) */
  79037. length = 0;
  79038. for (code = 0; code < LENGTH_CODES-1; code++) {
  79039. base_length[code] = length;
  79040. for (n = 0; n < (1<<extra_lbits[code]); n++) {
  79041. _length_code[length++] = (uch)code;
  79042. }
  79043. }
  79044. Assert (length == 256, "tr_static_init: length != 256");
  79045. /* Note that the length 255 (match length 258) can be represented
  79046. * in two different ways: code 284 + 5 bits or code 285, so we
  79047. * overwrite length_code[255] to use the best encoding:
  79048. */
  79049. _length_code[length-1] = (uch)code;
  79050. /* Initialize the mapping dist (0..32K) -> dist code (0..29) */
  79051. dist = 0;
  79052. for (code = 0 ; code < 16; code++) {
  79053. base_dist[code] = dist;
  79054. for (n = 0; n < (1<<extra_dbits[code]); n++) {
  79055. _dist_code[dist++] = (uch)code;
  79056. }
  79057. }
  79058. Assert (dist == 256, "tr_static_init: dist != 256");
  79059. dist >>= 7; /* from now on, all distances are divided by 128 */
  79060. for ( ; code < D_CODES; code++) {
  79061. base_dist[code] = dist << 7;
  79062. for (n = 0; n < (1<<(extra_dbits[code]-7)); n++) {
  79063. _dist_code[256 + dist++] = (uch)code;
  79064. }
  79065. }
  79066. Assert (dist == 256, "tr_static_init: 256+dist != 512");
  79067. /* Construct the codes of the static literal tree */
  79068. for (bits = 0; bits <= MAX_BITS; bits++) bl_count[bits] = 0;
  79069. n = 0;
  79070. while (n <= 143) static_ltree[n++].Len = 8, bl_count[8]++;
  79071. while (n <= 255) static_ltree[n++].Len = 9, bl_count[9]++;
  79072. while (n <= 279) static_ltree[n++].Len = 7, bl_count[7]++;
  79073. while (n <= 287) static_ltree[n++].Len = 8, bl_count[8]++;
  79074. /* Codes 286 and 287 do not exist, but we must include them in the
  79075. * tree construction to get a canonical Huffman tree (longest code
  79076. * all ones)
  79077. */
  79078. gen_codes((ct_data *)static_ltree, L_CODES+1, bl_count);
  79079. /* The static distance tree is trivial: */
  79080. for (n = 0; n < D_CODES; n++) {
  79081. static_dtree[n].Len = 5;
  79082. static_dtree[n].Code = bi_reverse((unsigned)n, 5);
  79083. }
  79084. static_init_done = 1;
  79085. # ifdef GEN_TREES_H
  79086. gen_trees_header();
  79087. # endif
  79088. #endif /* defined(GEN_TREES_H) || !defined(STDC) */
  79089. }
  79090. /* ===========================================================================
  79091. * Genererate the file trees.h describing the static trees.
  79092. */
  79093. #ifdef GEN_TREES_H
  79094. # ifndef DEBUG
  79095. # include <stdio.h>
  79096. # endif
  79097. # define SEPARATOR(i, last, width) \
  79098. ((i) == (last)? "\n};\n\n" : \
  79099. ((i) % (width) == (width)-1 ? ",\n" : ", "))
  79100. void gen_trees_header()
  79101. {
  79102. FILE *header = fopen("trees.h", "w");
  79103. int i;
  79104. Assert (header != NULL, "Can't open trees.h");
  79105. fprintf(header,
  79106. "/* header created automatically with -DGEN_TREES_H */\n\n");
  79107. fprintf(header, "local const ct_data static_ltree[L_CODES+2] = {\n");
  79108. for (i = 0; i < L_CODES+2; i++) {
  79109. fprintf(header, "{{%3u},{%3u}}%s", static_ltree[i].Code,
  79110. static_ltree[i].Len, SEPARATOR(i, L_CODES+1, 5));
  79111. }
  79112. fprintf(header, "local const ct_data static_dtree[D_CODES] = {\n");
  79113. for (i = 0; i < D_CODES; i++) {
  79114. fprintf(header, "{{%2u},{%2u}}%s", static_dtree[i].Code,
  79115. static_dtree[i].Len, SEPARATOR(i, D_CODES-1, 5));
  79116. }
  79117. fprintf(header, "const uch _dist_code[DIST_CODE_LEN] = {\n");
  79118. for (i = 0; i < DIST_CODE_LEN; i++) {
  79119. fprintf(header, "%2u%s", _dist_code[i],
  79120. SEPARATOR(i, DIST_CODE_LEN-1, 20));
  79121. }
  79122. fprintf(header, "const uch _length_code[MAX_MATCH-MIN_MATCH+1]= {\n");
  79123. for (i = 0; i < MAX_MATCH-MIN_MATCH+1; i++) {
  79124. fprintf(header, "%2u%s", _length_code[i],
  79125. SEPARATOR(i, MAX_MATCH-MIN_MATCH, 20));
  79126. }
  79127. fprintf(header, "local const int base_length[LENGTH_CODES] = {\n");
  79128. for (i = 0; i < LENGTH_CODES; i++) {
  79129. fprintf(header, "%1u%s", base_length[i],
  79130. SEPARATOR(i, LENGTH_CODES-1, 20));
  79131. }
  79132. fprintf(header, "local const int base_dist[D_CODES] = {\n");
  79133. for (i = 0; i < D_CODES; i++) {
  79134. fprintf(header, "%5u%s", base_dist[i],
  79135. SEPARATOR(i, D_CODES-1, 10));
  79136. }
  79137. fclose(header);
  79138. }
  79139. #endif /* GEN_TREES_H */
  79140. /* ===========================================================================
  79141. * Initialize the tree data structures for a new zlib stream.
  79142. */
  79143. void _tr_init(deflate_state *s)
  79144. {
  79145. tr_static_init();
  79146. s->l_desc.dyn_tree = s->dyn_ltree;
  79147. s->l_desc.stat_desc = &static_l_desc;
  79148. s->d_desc.dyn_tree = s->dyn_dtree;
  79149. s->d_desc.stat_desc = &static_d_desc;
  79150. s->bl_desc.dyn_tree = s->bl_tree;
  79151. s->bl_desc.stat_desc = &static_bl_desc;
  79152. s->bi_buf = 0;
  79153. s->bi_valid = 0;
  79154. s->last_eob_len = 8; /* enough lookahead for inflate */
  79155. #ifdef DEBUG
  79156. s->compressed_len = 0L;
  79157. s->bits_sent = 0L;
  79158. #endif
  79159. /* Initialize the first block of the first file: */
  79160. init_block(s);
  79161. }
  79162. /* ===========================================================================
  79163. * Initialize a new block.
  79164. */
  79165. local void init_block (deflate_state *s)
  79166. {
  79167. int n; /* iterates over tree elements */
  79168. /* Initialize the trees. */
  79169. for (n = 0; n < L_CODES; n++) s->dyn_ltree[n].Freq = 0;
  79170. for (n = 0; n < D_CODES; n++) s->dyn_dtree[n].Freq = 0;
  79171. for (n = 0; n < BL_CODES; n++) s->bl_tree[n].Freq = 0;
  79172. s->dyn_ltree[END_BLOCK].Freq = 1;
  79173. s->opt_len = s->static_len = 0L;
  79174. s->last_lit = s->matches = 0;
  79175. }
  79176. #define SMALLEST 1
  79177. /* Index within the heap array of least frequent node in the Huffman tree */
  79178. /* ===========================================================================
  79179. * Remove the smallest element from the heap and recreate the heap with
  79180. * one less element. Updates heap and heap_len.
  79181. */
  79182. #define pqremove(s, tree, top) \
  79183. {\
  79184. top = s->heap[SMALLEST]; \
  79185. s->heap[SMALLEST] = s->heap[s->heap_len--]; \
  79186. pqdownheap(s, tree, SMALLEST); \
  79187. }
  79188. /* ===========================================================================
  79189. * Compares to subtrees, using the tree depth as tie breaker when
  79190. * the subtrees have equal frequency. This minimizes the worst case length.
  79191. */
  79192. #define smaller(tree, n, m, depth) \
  79193. (tree[n].Freq < tree[m].Freq || \
  79194. (tree[n].Freq == tree[m].Freq && depth[n] <= depth[m]))
  79195. /* ===========================================================================
  79196. * Restore the heap property by moving down the tree starting at node k,
  79197. * exchanging a node with the smallest of its two sons if necessary, stopping
  79198. * when the heap property is re-established (each father smaller than its
  79199. * two sons).
  79200. */
  79201. local void pqdownheap (deflate_state *s,
  79202. ct_data *tree, /* the tree to restore */
  79203. int k) /* node to move down */
  79204. {
  79205. int v = s->heap[k];
  79206. int j = k << 1; /* left son of k */
  79207. while (j <= s->heap_len) {
  79208. /* Set j to the smallest of the two sons: */
  79209. if (j < s->heap_len &&
  79210. smaller(tree, s->heap[j+1], s->heap[j], s->depth)) {
  79211. j++;
  79212. }
  79213. /* Exit if v is smaller than both sons */
  79214. if (smaller(tree, v, s->heap[j], s->depth)) break;
  79215. /* Exchange v with the smallest son */
  79216. s->heap[k] = s->heap[j]; k = j;
  79217. /* And continue down the tree, setting j to the left son of k */
  79218. j <<= 1;
  79219. }
  79220. s->heap[k] = v;
  79221. }
  79222. /* ===========================================================================
  79223. * Compute the optimal bit lengths for a tree and update the total bit length
  79224. * for the current block.
  79225. * IN assertion: the fields freq and dad are set, heap[heap_max] and
  79226. * above are the tree nodes sorted by increasing frequency.
  79227. * OUT assertions: the field len is set to the optimal bit length, the
  79228. * array bl_count contains the frequencies for each bit length.
  79229. * The length opt_len is updated; static_len is also updated if stree is
  79230. * not null.
  79231. */
  79232. local void gen_bitlen (deflate_state *s, tree_desc *desc)
  79233. {
  79234. ct_data *tree = desc->dyn_tree;
  79235. int max_code = desc->max_code;
  79236. const ct_data *stree = desc->stat_desc->static_tree;
  79237. const intf *extra = desc->stat_desc->extra_bits;
  79238. int base = desc->stat_desc->extra_base;
  79239. int max_length = desc->stat_desc->max_length;
  79240. int h; /* heap index */
  79241. int n, m; /* iterate over the tree elements */
  79242. int bits; /* bit length */
  79243. int xbits; /* extra bits */
  79244. ush f; /* frequency */
  79245. int overflow = 0; /* number of elements with bit length too large */
  79246. for (bits = 0; bits <= MAX_BITS; bits++) s->bl_count[bits] = 0;
  79247. /* In a first pass, compute the optimal bit lengths (which may
  79248. * overflow in the case of the bit length tree).
  79249. */
  79250. tree[s->heap[s->heap_max]].Len = 0; /* root of the heap */
  79251. for (h = s->heap_max+1; h < HEAP_SIZE; h++) {
  79252. n = s->heap[h];
  79253. bits = tree[tree[n].Dad].Len + 1;
  79254. if (bits > max_length) bits = max_length, overflow++;
  79255. tree[n].Len = (ush)bits;
  79256. /* We overwrite tree[n].Dad which is no longer needed */
  79257. if (n > max_code) continue; /* not a leaf node */
  79258. s->bl_count[bits]++;
  79259. xbits = 0;
  79260. if (n >= base) xbits = extra[n-base];
  79261. f = tree[n].Freq;
  79262. s->opt_len += (ulg)f * (bits + xbits);
  79263. if (stree) s->static_len += (ulg)f * (stree[n].Len + xbits);
  79264. }
  79265. if (overflow == 0) return;
  79266. Trace((stderr,"\nbit length overflow\n"));
  79267. /* This happens for example on obj2 and pic of the Calgary corpus */
  79268. /* Find the first bit length which could increase: */
  79269. do {
  79270. bits = max_length-1;
  79271. while (s->bl_count[bits] == 0) bits--;
  79272. s->bl_count[bits]--; /* move one leaf down the tree */
  79273. s->bl_count[bits+1] += 2; /* move one overflow item as its brother */
  79274. s->bl_count[max_length]--;
  79275. /* The brother of the overflow item also moves one step up,
  79276. * but this does not affect bl_count[max_length]
  79277. */
  79278. overflow -= 2;
  79279. } while (overflow > 0);
  79280. /* Now recompute all bit lengths, scanning in increasing frequency.
  79281. * h is still equal to HEAP_SIZE. (It is simpler to reconstruct all
  79282. * lengths instead of fixing only the wrong ones. This idea is taken
  79283. * from 'ar' written by Haruhiko Okumura.)
  79284. */
  79285. for (bits = max_length; bits != 0; bits--) {
  79286. n = s->bl_count[bits];
  79287. while (n != 0) {
  79288. m = s->heap[--h];
  79289. if (m > max_code) continue;
  79290. if ((unsigned) tree[m].Len != (unsigned) bits) {
  79291. Trace((stderr,"code %d bits %d->%d\n", m, tree[m].Len, bits));
  79292. s->opt_len += ((long)bits - (long)tree[m].Len)
  79293. *(long)tree[m].Freq;
  79294. tree[m].Len = (ush)bits;
  79295. }
  79296. n--;
  79297. }
  79298. }
  79299. }
  79300. /* ===========================================================================
  79301. * Generate the codes for a given tree and bit counts (which need not be
  79302. * optimal).
  79303. * IN assertion: the array bl_count contains the bit length statistics for
  79304. * the given tree and the field len is set for all tree elements.
  79305. * OUT assertion: the field code is set for all tree elements of non
  79306. * zero code length.
  79307. */
  79308. local void gen_codes (ct_data *tree, /* the tree to decorate */
  79309. int max_code, /* largest code with non zero frequency */
  79310. ushf *bl_count) /* number of codes at each bit length */
  79311. {
  79312. ush next_code[MAX_BITS+1]; /* next code value for each bit length */
  79313. ush code = 0; /* running code value */
  79314. int bits; /* bit index */
  79315. int n; /* code index */
  79316. /* The distribution counts are first used to generate the code values
  79317. * without bit reversal.
  79318. */
  79319. for (bits = 1; bits <= MAX_BITS; bits++) {
  79320. next_code[bits] = code = (code + bl_count[bits-1]) << 1;
  79321. }
  79322. /* Check that the bit counts in bl_count are consistent. The last code
  79323. * must be all ones.
  79324. */
  79325. Assert (code + bl_count[MAX_BITS]-1 == (1<<MAX_BITS)-1,
  79326. "inconsistent bit counts");
  79327. Tracev((stderr,"\ngen_codes: max_code %d ", max_code));
  79328. for (n = 0; n <= max_code; n++) {
  79329. int len = tree[n].Len;
  79330. if (len == 0) continue;
  79331. /* Now reverse the bits */
  79332. tree[n].Code = bi_reverse(next_code[len]++, len);
  79333. Tracecv(tree != static_ltree, (stderr,"\nn %3d %c l %2d c %4x (%x) ",
  79334. n, (isgraph(n) ? n : ' '), len, tree[n].Code, next_code[len]-1));
  79335. }
  79336. }
  79337. /* ===========================================================================
  79338. * Construct one Huffman tree and assigns the code bit strings and lengths.
  79339. * Update the total bit length for the current block.
  79340. * IN assertion: the field freq is set for all tree elements.
  79341. * OUT assertions: the fields len and code are set to the optimal bit length
  79342. * and corresponding code. The length opt_len is updated; static_len is
  79343. * also updated if stree is not null. The field max_code is set.
  79344. */
  79345. local void build_tree (deflate_state *s,
  79346. tree_desc *desc) /* the tree descriptor */
  79347. {
  79348. ct_data *tree = desc->dyn_tree;
  79349. const ct_data *stree = desc->stat_desc->static_tree;
  79350. int elems = desc->stat_desc->elems;
  79351. int n, m; /* iterate over heap elements */
  79352. int max_code = -1; /* largest code with non zero frequency */
  79353. int node; /* new node being created */
  79354. /* Construct the initial heap, with least frequent element in
  79355. * heap[SMALLEST]. The sons of heap[n] are heap[2*n] and heap[2*n+1].
  79356. * heap[0] is not used.
  79357. */
  79358. s->heap_len = 0, s->heap_max = HEAP_SIZE;
  79359. for (n = 0; n < elems; n++) {
  79360. if (tree[n].Freq != 0) {
  79361. s->heap[++(s->heap_len)] = max_code = n;
  79362. s->depth[n] = 0;
  79363. } else {
  79364. tree[n].Len = 0;
  79365. }
  79366. }
  79367. /* The pkzip format requires that at least one distance code exists,
  79368. * and that at least one bit should be sent even if there is only one
  79369. * possible code. So to avoid special checks later on we force at least
  79370. * two codes of non zero frequency.
  79371. */
  79372. while (s->heap_len < 2) {
  79373. node = s->heap[++(s->heap_len)] = (max_code < 2 ? ++max_code : 0);
  79374. tree[node].Freq = 1;
  79375. s->depth[node] = 0;
  79376. s->opt_len--; if (stree) s->static_len -= stree[node].Len;
  79377. /* node is 0 or 1 so it does not have extra bits */
  79378. }
  79379. desc->max_code = max_code;
  79380. /* The elements heap[heap_len/2+1 .. heap_len] are leaves of the tree,
  79381. * establish sub-heaps of increasing lengths:
  79382. */
  79383. for (n = s->heap_len/2; n >= 1; n--) pqdownheap(s, tree, n);
  79384. /* Construct the Huffman tree by repeatedly combining the least two
  79385. * frequent nodes.
  79386. */
  79387. node = elems; /* next internal node of the tree */
  79388. do {
  79389. pqremove(s, tree, n); /* n = node of least frequency */
  79390. m = s->heap[SMALLEST]; /* m = node of next least frequency */
  79391. s->heap[--(s->heap_max)] = n; /* keep the nodes sorted by frequency */
  79392. s->heap[--(s->heap_max)] = m;
  79393. /* Create a new node father of n and m */
  79394. tree[node].Freq = tree[n].Freq + tree[m].Freq;
  79395. s->depth[node] = (uch)((s->depth[n] >= s->depth[m] ?
  79396. s->depth[n] : s->depth[m]) + 1);
  79397. tree[n].Dad = tree[m].Dad = (ush)node;
  79398. #ifdef DUMP_BL_TREE
  79399. if (tree == s->bl_tree) {
  79400. fprintf(stderr,"\nnode %d(%d), sons %d(%d) %d(%d)",
  79401. node, tree[node].Freq, n, tree[n].Freq, m, tree[m].Freq);
  79402. }
  79403. #endif
  79404. /* and insert the new node in the heap */
  79405. s->heap[SMALLEST] = node++;
  79406. pqdownheap(s, tree, SMALLEST);
  79407. } while (s->heap_len >= 2);
  79408. s->heap[--(s->heap_max)] = s->heap[SMALLEST];
  79409. /* At this point, the fields freq and dad are set. We can now
  79410. * generate the bit lengths.
  79411. */
  79412. gen_bitlen(s, (tree_desc *)desc);
  79413. /* The field len is now set, we can generate the bit codes */
  79414. gen_codes ((ct_data *)tree, max_code, s->bl_count);
  79415. }
  79416. /* ===========================================================================
  79417. * Scan a literal or distance tree to determine the frequencies of the codes
  79418. * in the bit length tree.
  79419. */
  79420. local void scan_tree (deflate_state *s,
  79421. ct_data *tree, /* the tree to be scanned */
  79422. int max_code) /* and its largest code of non zero frequency */
  79423. {
  79424. int n; /* iterates over all tree elements */
  79425. int prevlen = -1; /* last emitted length */
  79426. int curlen; /* length of current code */
  79427. int nextlen = tree[0].Len; /* length of next code */
  79428. int count = 0; /* repeat count of the current code */
  79429. int max_count = 7; /* max repeat count */
  79430. int min_count = 4; /* min repeat count */
  79431. if (nextlen == 0) max_count = 138, min_count = 3;
  79432. tree[max_code+1].Len = (ush)0xffff; /* guard */
  79433. for (n = 0; n <= max_code; n++) {
  79434. curlen = nextlen; nextlen = tree[n+1].Len;
  79435. if (++count < max_count && curlen == nextlen) {
  79436. continue;
  79437. } else if (count < min_count) {
  79438. s->bl_tree[curlen].Freq += count;
  79439. } else if (curlen != 0) {
  79440. if (curlen != prevlen) s->bl_tree[curlen].Freq++;
  79441. s->bl_tree[REP_3_6].Freq++;
  79442. } else if (count <= 10) {
  79443. s->bl_tree[REPZ_3_10].Freq++;
  79444. } else {
  79445. s->bl_tree[REPZ_11_138].Freq++;
  79446. }
  79447. count = 0; prevlen = curlen;
  79448. if (nextlen == 0) {
  79449. max_count = 138, min_count = 3;
  79450. } else if (curlen == nextlen) {
  79451. max_count = 6, min_count = 3;
  79452. } else {
  79453. max_count = 7, min_count = 4;
  79454. }
  79455. }
  79456. }
  79457. /* ===========================================================================
  79458. * Send a literal or distance tree in compressed form, using the codes in
  79459. * bl_tree.
  79460. */
  79461. local void send_tree (deflate_state *s,
  79462. ct_data *tree, /* the tree to be scanned */
  79463. int max_code) /* and its largest code of non zero frequency */
  79464. {
  79465. int n; /* iterates over all tree elements */
  79466. int prevlen = -1; /* last emitted length */
  79467. int curlen; /* length of current code */
  79468. int nextlen = tree[0].Len; /* length of next code */
  79469. int count = 0; /* repeat count of the current code */
  79470. int max_count = 7; /* max repeat count */
  79471. int min_count = 4; /* min repeat count */
  79472. /* tree[max_code+1].Len = -1; */ /* guard already set */
  79473. if (nextlen == 0) max_count = 138, min_count = 3;
  79474. for (n = 0; n <= max_code; n++) {
  79475. curlen = nextlen; nextlen = tree[n+1].Len;
  79476. if (++count < max_count && curlen == nextlen) {
  79477. continue;
  79478. } else if (count < min_count) {
  79479. do { send_code(s, curlen, s->bl_tree); } while (--count != 0);
  79480. } else if (curlen != 0) {
  79481. if (curlen != prevlen) {
  79482. send_code(s, curlen, s->bl_tree); count--;
  79483. }
  79484. Assert(count >= 3 && count <= 6, " 3_6?");
  79485. send_code(s, REP_3_6, s->bl_tree); send_bits(s, count-3, 2);
  79486. } else if (count <= 10) {
  79487. send_code(s, REPZ_3_10, s->bl_tree); send_bits(s, count-3, 3);
  79488. } else {
  79489. send_code(s, REPZ_11_138, s->bl_tree); send_bits(s, count-11, 7);
  79490. }
  79491. count = 0; prevlen = curlen;
  79492. if (nextlen == 0) {
  79493. max_count = 138, min_count = 3;
  79494. } else if (curlen == nextlen) {
  79495. max_count = 6, min_count = 3;
  79496. } else {
  79497. max_count = 7, min_count = 4;
  79498. }
  79499. }
  79500. }
  79501. /* ===========================================================================
  79502. * Construct the Huffman tree for the bit lengths and return the index in
  79503. * bl_order of the last bit length code to send.
  79504. */
  79505. local int build_bl_tree (deflate_state *s)
  79506. {
  79507. int max_blindex; /* index of last bit length code of non zero freq */
  79508. /* Determine the bit length frequencies for literal and distance trees */
  79509. scan_tree(s, (ct_data *)s->dyn_ltree, s->l_desc.max_code);
  79510. scan_tree(s, (ct_data *)s->dyn_dtree, s->d_desc.max_code);
  79511. /* Build the bit length tree: */
  79512. build_tree(s, (tree_desc *)(&(s->bl_desc)));
  79513. /* opt_len now includes the length of the tree representations, except
  79514. * the lengths of the bit lengths codes and the 5+5+4 bits for the counts.
  79515. */
  79516. /* Determine the number of bit length codes to send. The pkzip format
  79517. * requires that at least 4 bit length codes be sent. (appnote.txt says
  79518. * 3 but the actual value used is 4.)
  79519. */
  79520. for (max_blindex = BL_CODES-1; max_blindex >= 3; max_blindex--) {
  79521. if (s->bl_tree[bl_order[max_blindex]].Len != 0) break;
  79522. }
  79523. /* Update opt_len to include the bit length tree and counts */
  79524. s->opt_len += 3*(max_blindex+1) + 5+5+4;
  79525. Tracev((stderr, "\ndyn trees: dyn %ld, stat %ld",
  79526. s->opt_len, s->static_len));
  79527. return max_blindex;
  79528. }
  79529. /* ===========================================================================
  79530. * Send the header for a block using dynamic Huffman trees: the counts, the
  79531. * lengths of the bit length codes, the literal tree and the distance tree.
  79532. * IN assertion: lcodes >= 257, dcodes >= 1, blcodes >= 4.
  79533. */
  79534. local void send_all_trees (deflate_state *s,
  79535. int lcodes, int dcodes, int blcodes) /* number of codes for each tree */
  79536. {
  79537. int rank; /* index in bl_order */
  79538. Assert (lcodes >= 257 && dcodes >= 1 && blcodes >= 4, "not enough codes");
  79539. Assert (lcodes <= L_CODES && dcodes <= D_CODES && blcodes <= BL_CODES,
  79540. "too many codes");
  79541. Tracev((stderr, "\nbl counts: "));
  79542. send_bits(s, lcodes-257, 5); /* not +255 as stated in appnote.txt */
  79543. send_bits(s, dcodes-1, 5);
  79544. send_bits(s, blcodes-4, 4); /* not -3 as stated in appnote.txt */
  79545. for (rank = 0; rank < blcodes; rank++) {
  79546. Tracev((stderr, "\nbl code %2d ", bl_order[rank]));
  79547. send_bits(s, s->bl_tree[bl_order[rank]].Len, 3);
  79548. }
  79549. Tracev((stderr, "\nbl tree: sent %ld", s->bits_sent));
  79550. send_tree(s, (ct_data *)s->dyn_ltree, lcodes-1); /* literal tree */
  79551. Tracev((stderr, "\nlit tree: sent %ld", s->bits_sent));
  79552. send_tree(s, (ct_data *)s->dyn_dtree, dcodes-1); /* distance tree */
  79553. Tracev((stderr, "\ndist tree: sent %ld", s->bits_sent));
  79554. }
  79555. /* ===========================================================================
  79556. * Send a stored block
  79557. */
  79558. void _tr_stored_block (deflate_state *s, charf *buf, ulg stored_len, int eof)
  79559. {
  79560. send_bits(s, (STORED_BLOCK<<1)+eof, 3); /* send block type */
  79561. #ifdef DEBUG
  79562. s->compressed_len = (s->compressed_len + 3 + 7) & (ulg)~7L;
  79563. s->compressed_len += (stored_len + 4) << 3;
  79564. #endif
  79565. copy_block(s, buf, (unsigned)stored_len, 1); /* with header */
  79566. }
  79567. /* ===========================================================================
  79568. * Send one empty static block to give enough lookahead for inflate.
  79569. * This takes 10 bits, of which 7 may remain in the bit buffer.
  79570. * The current inflate code requires 9 bits of lookahead. If the
  79571. * last two codes for the previous block (real code plus EOB) were coded
  79572. * on 5 bits or less, inflate may have only 5+3 bits of lookahead to decode
  79573. * the last real code. In this case we send two empty static blocks instead
  79574. * of one. (There are no problems if the previous block is stored or fixed.)
  79575. * To simplify the code, we assume the worst case of last real code encoded
  79576. * on one bit only.
  79577. */
  79578. void _tr_align (deflate_state *s)
  79579. {
  79580. send_bits(s, STATIC_TREES<<1, 3);
  79581. send_code(s, END_BLOCK, static_ltree);
  79582. #ifdef DEBUG
  79583. s->compressed_len += 10L; /* 3 for block type, 7 for EOB */
  79584. #endif
  79585. bi_flush(s);
  79586. /* Of the 10 bits for the empty block, we have already sent
  79587. * (10 - bi_valid) bits. The lookahead for the last real code (before
  79588. * the EOB of the previous block) was thus at least one plus the length
  79589. * of the EOB plus what we have just sent of the empty static block.
  79590. */
  79591. if (1 + s->last_eob_len + 10 - s->bi_valid < 9) {
  79592. send_bits(s, STATIC_TREES<<1, 3);
  79593. send_code(s, END_BLOCK, static_ltree);
  79594. #ifdef DEBUG
  79595. s->compressed_len += 10L;
  79596. #endif
  79597. bi_flush(s);
  79598. }
  79599. s->last_eob_len = 7;
  79600. }
  79601. /* ===========================================================================
  79602. * Determine the best encoding for the current block: dynamic trees, static
  79603. * trees or store, and output the encoded block to the zip file.
  79604. */
  79605. void _tr_flush_block (deflate_state *s,
  79606. charf *buf, /* input block, or NULL if too old */
  79607. ulg stored_len, /* length of input block */
  79608. int eof) /* true if this is the last block for a file */
  79609. {
  79610. ulg opt_lenb, static_lenb; /* opt_len and static_len in bytes */
  79611. int max_blindex = 0; /* index of last bit length code of non zero freq */
  79612. /* Build the Huffman trees unless a stored block is forced */
  79613. if (s->level > 0) {
  79614. /* Check if the file is binary or text */
  79615. if (stored_len > 0 && s->strm->data_type == Z_UNKNOWN)
  79616. set_data_type(s);
  79617. /* Construct the literal and distance trees */
  79618. build_tree(s, (tree_desc *)(&(s->l_desc)));
  79619. Tracev((stderr, "\nlit data: dyn %ld, stat %ld", s->opt_len,
  79620. s->static_len));
  79621. build_tree(s, (tree_desc *)(&(s->d_desc)));
  79622. Tracev((stderr, "\ndist data: dyn %ld, stat %ld", s->opt_len,
  79623. s->static_len));
  79624. /* At this point, opt_len and static_len are the total bit lengths of
  79625. * the compressed block data, excluding the tree representations.
  79626. */
  79627. /* Build the bit length tree for the above two trees, and get the index
  79628. * in bl_order of the last bit length code to send.
  79629. */
  79630. max_blindex = build_bl_tree(s);
  79631. /* Determine the best encoding. Compute the block lengths in bytes. */
  79632. opt_lenb = (s->opt_len+3+7)>>3;
  79633. static_lenb = (s->static_len+3+7)>>3;
  79634. Tracev((stderr, "\nopt %lu(%lu) stat %lu(%lu) stored %lu lit %u ",
  79635. opt_lenb, s->opt_len, static_lenb, s->static_len, stored_len,
  79636. s->last_lit));
  79637. if (static_lenb <= opt_lenb) opt_lenb = static_lenb;
  79638. } else {
  79639. Assert(buf != (char*)0, "lost buf");
  79640. opt_lenb = static_lenb = stored_len + 5; /* force a stored block */
  79641. }
  79642. #ifdef FORCE_STORED
  79643. if (buf != (char*)0) { /* force stored block */
  79644. #else
  79645. if (stored_len+4 <= opt_lenb && buf != (char*)0) {
  79646. /* 4: two words for the lengths */
  79647. #endif
  79648. /* The test buf != NULL is only necessary if LIT_BUFSIZE > WSIZE.
  79649. * Otherwise we can't have processed more than WSIZE input bytes since
  79650. * the last block flush, because compression would have been
  79651. * successful. If LIT_BUFSIZE <= WSIZE, it is never too late to
  79652. * transform a block into a stored block.
  79653. */
  79654. _tr_stored_block(s, buf, stored_len, eof);
  79655. #ifdef FORCE_STATIC
  79656. } else if (static_lenb >= 0) { /* force static trees */
  79657. #else
  79658. } else if (s->strategy == Z_FIXED || static_lenb == opt_lenb) {
  79659. #endif
  79660. send_bits(s, (STATIC_TREES<<1)+eof, 3);
  79661. compress_block(s, (ct_data *)static_ltree, (ct_data *)static_dtree);
  79662. #ifdef DEBUG
  79663. s->compressed_len += 3 + s->static_len;
  79664. #endif
  79665. } else {
  79666. send_bits(s, (DYN_TREES<<1)+eof, 3);
  79667. send_all_trees(s, s->l_desc.max_code+1, s->d_desc.max_code+1,
  79668. max_blindex+1);
  79669. compress_block(s, (ct_data *)s->dyn_ltree, (ct_data *)s->dyn_dtree);
  79670. #ifdef DEBUG
  79671. s->compressed_len += 3 + s->opt_len;
  79672. #endif
  79673. }
  79674. Assert (s->compressed_len == s->bits_sent, "bad compressed size");
  79675. /* The above check is made mod 2^32, for files larger than 512 MB
  79676. * and uLong implemented on 32 bits.
  79677. */
  79678. init_block(s);
  79679. if (eof) {
  79680. bi_windup(s);
  79681. #ifdef DEBUG
  79682. s->compressed_len += 7; /* align on byte boundary */
  79683. #endif
  79684. }
  79685. Tracev((stderr,"\ncomprlen %lu(%lu) ", s->compressed_len>>3,
  79686. s->compressed_len-7*eof));
  79687. }
  79688. /* ===========================================================================
  79689. * Save the match info and tally the frequency counts. Return true if
  79690. * the current block must be flushed.
  79691. */
  79692. int _tr_tally (deflate_state *s,
  79693. unsigned dist, /* distance of matched string */
  79694. unsigned lc) /* match length-MIN_MATCH or unmatched char (if dist==0) */
  79695. {
  79696. s->d_buf[s->last_lit] = (ush)dist;
  79697. s->l_buf[s->last_lit++] = (uch)lc;
  79698. if (dist == 0) {
  79699. /* lc is the unmatched char */
  79700. s->dyn_ltree[lc].Freq++;
  79701. } else {
  79702. s->matches++;
  79703. /* Here, lc is the match length - MIN_MATCH */
  79704. dist--; /* dist = match distance - 1 */
  79705. Assert((ush)dist < (ush)MAX_DIST(s) &&
  79706. (ush)lc <= (ush)(MAX_MATCH-MIN_MATCH) &&
  79707. (ush)d_code(dist) < (ush)D_CODES, "_tr_tally: bad match");
  79708. s->dyn_ltree[_length_code[lc]+LITERALS+1].Freq++;
  79709. s->dyn_dtree[d_code(dist)].Freq++;
  79710. }
  79711. #ifdef TRUNCATE_BLOCK
  79712. /* Try to guess if it is profitable to stop the current block here */
  79713. if ((s->last_lit & 0x1fff) == 0 && s->level > 2) {
  79714. /* Compute an upper bound for the compressed length */
  79715. ulg out_length = (ulg)s->last_lit*8L;
  79716. ulg in_length = (ulg)((long)s->strstart - s->block_start);
  79717. int dcode;
  79718. for (dcode = 0; dcode < D_CODES; dcode++) {
  79719. out_length += (ulg)s->dyn_dtree[dcode].Freq *
  79720. (5L+extra_dbits[dcode]);
  79721. }
  79722. out_length >>= 3;
  79723. Tracev((stderr,"\nlast_lit %u, in %ld, out ~%ld(%ld%%) ",
  79724. s->last_lit, in_length, out_length,
  79725. 100L - out_length*100L/in_length));
  79726. if (s->matches < s->last_lit/2 && out_length < in_length/2) return 1;
  79727. }
  79728. #endif
  79729. return (s->last_lit == s->lit_bufsize-1);
  79730. /* We avoid equality with lit_bufsize because of wraparound at 64K
  79731. * on 16 bit machines and because stored blocks are restricted to
  79732. * 64K-1 bytes.
  79733. */
  79734. }
  79735. /* ===========================================================================
  79736. * Send the block data compressed using the given Huffman trees
  79737. */
  79738. local void compress_block (deflate_state *s,
  79739. ct_data *ltree, /* literal tree */
  79740. ct_data *dtree) /* distance tree */
  79741. {
  79742. unsigned dist; /* distance of matched string */
  79743. int lc; /* match length or unmatched char (if dist == 0) */
  79744. unsigned lx = 0; /* running index in l_buf */
  79745. unsigned code; /* the code to send */
  79746. int extra; /* number of extra bits to send */
  79747. if (s->last_lit != 0) do {
  79748. dist = s->d_buf[lx];
  79749. lc = s->l_buf[lx++];
  79750. if (dist == 0) {
  79751. send_code(s, lc, ltree); /* send a literal byte */
  79752. Tracecv(isgraph(lc), (stderr," '%c' ", lc));
  79753. } else {
  79754. /* Here, lc is the match length - MIN_MATCH */
  79755. code = _length_code[lc];
  79756. send_code(s, code+LITERALS+1, ltree); /* send the length code */
  79757. extra = extra_lbits[code];
  79758. if (extra != 0) {
  79759. lc -= base_length[code];
  79760. send_bits(s, lc, extra); /* send the extra length bits */
  79761. }
  79762. dist--; /* dist is now the match distance - 1 */
  79763. code = d_code(dist);
  79764. Assert (code < D_CODES, "bad d_code");
  79765. send_code(s, code, dtree); /* send the distance code */
  79766. extra = extra_dbits[code];
  79767. if (extra != 0) {
  79768. dist -= base_dist[code];
  79769. send_bits(s, dist, extra); /* send the extra distance bits */
  79770. }
  79771. } /* literal or match pair ? */
  79772. /* Check that the overlay between pending_buf and d_buf+l_buf is ok: */
  79773. Assert((uInt)(s->pending) < s->lit_bufsize + 2*lx,
  79774. "pendingBuf overflow");
  79775. } while (lx < s->last_lit);
  79776. send_code(s, END_BLOCK, ltree);
  79777. s->last_eob_len = ltree[END_BLOCK].Len;
  79778. }
  79779. /* ===========================================================================
  79780. * Set the data type to BINARY or TEXT, using a crude approximation:
  79781. * set it to Z_TEXT if all symbols are either printable characters (33 to 255)
  79782. * or white spaces (9 to 13, or 32); or set it to Z_BINARY otherwise.
  79783. * IN assertion: the fields Freq of dyn_ltree are set.
  79784. */
  79785. local void set_data_type (deflate_state *s)
  79786. {
  79787. int n;
  79788. for (n = 0; n < 9; n++)
  79789. if (s->dyn_ltree[n].Freq != 0)
  79790. break;
  79791. if (n == 9)
  79792. for (n = 14; n < 32; n++)
  79793. if (s->dyn_ltree[n].Freq != 0)
  79794. break;
  79795. s->strm->data_type = (n == 32) ? Z_TEXT : Z_BINARY;
  79796. }
  79797. /* ===========================================================================
  79798. * Reverse the first len bits of a code, using straightforward code (a faster
  79799. * method would use a table)
  79800. * IN assertion: 1 <= len <= 15
  79801. */
  79802. local unsigned bi_reverse (unsigned code, int len)
  79803. {
  79804. register unsigned res = 0;
  79805. do {
  79806. res |= code & 1;
  79807. code >>= 1, res <<= 1;
  79808. } while (--len > 0);
  79809. return res >> 1;
  79810. }
  79811. /* ===========================================================================
  79812. * Flush the bit buffer, keeping at most 7 bits in it.
  79813. */
  79814. local void bi_flush (deflate_state *s)
  79815. {
  79816. if (s->bi_valid == 16) {
  79817. put_short(s, s->bi_buf);
  79818. s->bi_buf = 0;
  79819. s->bi_valid = 0;
  79820. } else if (s->bi_valid >= 8) {
  79821. put_byte(s, (Byte)s->bi_buf);
  79822. s->bi_buf >>= 8;
  79823. s->bi_valid -= 8;
  79824. }
  79825. }
  79826. /* ===========================================================================
  79827. * Flush the bit buffer and align the output on a byte boundary
  79828. */
  79829. local void bi_windup (deflate_state *s)
  79830. {
  79831. if (s->bi_valid > 8) {
  79832. put_short(s, s->bi_buf);
  79833. } else if (s->bi_valid > 0) {
  79834. put_byte(s, (Byte)s->bi_buf);
  79835. }
  79836. s->bi_buf = 0;
  79837. s->bi_valid = 0;
  79838. #ifdef DEBUG
  79839. s->bits_sent = (s->bits_sent+7) & ~7;
  79840. #endif
  79841. }
  79842. /* ===========================================================================
  79843. * Copy a stored block, storing first the length and its
  79844. * one's complement if requested.
  79845. */
  79846. local void copy_block(deflate_state *s,
  79847. charf *buf, /* the input data */
  79848. unsigned len, /* its length */
  79849. int header) /* true if block header must be written */
  79850. {
  79851. bi_windup(s); /* align on byte boundary */
  79852. s->last_eob_len = 8; /* enough lookahead for inflate */
  79853. if (header) {
  79854. put_short(s, (ush)len);
  79855. put_short(s, (ush)~len);
  79856. #ifdef DEBUG
  79857. s->bits_sent += 2*16;
  79858. #endif
  79859. }
  79860. #ifdef DEBUG
  79861. s->bits_sent += (ulg)len<<3;
  79862. #endif
  79863. while (len--) {
  79864. put_byte(s, *buf++);
  79865. }
  79866. }
  79867. /********* End of inlined file: trees.c *********/
  79868. /********* Start of inlined file: uncompr.c *********/
  79869. /* @(#) $Id: uncompr.c,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  79870. #define ZLIB_INTERNAL
  79871. /* ===========================================================================
  79872. Decompresses the source buffer into the destination buffer. sourceLen is
  79873. the byte length of the source buffer. Upon entry, destLen is the total
  79874. size of the destination buffer, which must be large enough to hold the
  79875. entire uncompressed data. (The size of the uncompressed data must have
  79876. been saved previously by the compressor and transmitted to the decompressor
  79877. by some mechanism outside the scope of this compression library.)
  79878. Upon exit, destLen is the actual size of the compressed buffer.
  79879. This function can be used to decompress a whole file at once if the
  79880. input file is mmap'ed.
  79881. uncompress returns Z_OK if success, Z_MEM_ERROR if there was not
  79882. enough memory, Z_BUF_ERROR if there was not enough room in the output
  79883. buffer, or Z_DATA_ERROR if the input data was corrupted.
  79884. */
  79885. int ZEXPORT uncompress (Bytef *dest,
  79886. uLongf *destLen,
  79887. const Bytef *source,
  79888. uLong sourceLen)
  79889. {
  79890. z_stream stream;
  79891. int err;
  79892. stream.next_in = (Bytef*)source;
  79893. stream.avail_in = (uInt)sourceLen;
  79894. /* Check for source > 64K on 16-bit machine: */
  79895. if ((uLong)stream.avail_in != sourceLen) return Z_BUF_ERROR;
  79896. stream.next_out = dest;
  79897. stream.avail_out = (uInt)*destLen;
  79898. if ((uLong)stream.avail_out != *destLen) return Z_BUF_ERROR;
  79899. stream.zalloc = (alloc_func)0;
  79900. stream.zfree = (free_func)0;
  79901. err = inflateInit(&stream);
  79902. if (err != Z_OK) return err;
  79903. err = inflate(&stream, Z_FINISH);
  79904. if (err != Z_STREAM_END) {
  79905. inflateEnd(&stream);
  79906. if (err == Z_NEED_DICT || (err == Z_BUF_ERROR && stream.avail_in == 0))
  79907. return Z_DATA_ERROR;
  79908. return err;
  79909. }
  79910. *destLen = stream.total_out;
  79911. err = inflateEnd(&stream);
  79912. return err;
  79913. }
  79914. /********* End of inlined file: uncompr.c *********/
  79915. /********* Start of inlined file: zutil.c *********/
  79916. /* @(#) $Id: zutil.c,v 1.1 2007/06/07 17:54:37 jules_rms Exp $ */
  79917. #ifndef NO_DUMMY_DECL
  79918. struct internal_state {int dummy;}; /* for buggy compilers */
  79919. #endif
  79920. const char * const z_errmsg[10] = {
  79921. "need dictionary", /* Z_NEED_DICT 2 */
  79922. "stream end", /* Z_STREAM_END 1 */
  79923. "", /* Z_OK 0 */
  79924. "file error", /* Z_ERRNO (-1) */
  79925. "stream error", /* Z_STREAM_ERROR (-2) */
  79926. "data error", /* Z_DATA_ERROR (-3) */
  79927. "insufficient memory", /* Z_MEM_ERROR (-4) */
  79928. "buffer error", /* Z_BUF_ERROR (-5) */
  79929. "incompatible version",/* Z_VERSION_ERROR (-6) */
  79930. ""};
  79931. /*const char * ZEXPORT zlibVersion()
  79932. {
  79933. return ZLIB_VERSION;
  79934. }
  79935. uLong ZEXPORT zlibCompileFlags()
  79936. {
  79937. uLong flags;
  79938. flags = 0;
  79939. switch (sizeof(uInt)) {
  79940. case 2: break;
  79941. case 4: flags += 1; break;
  79942. case 8: flags += 2; break;
  79943. default: flags += 3;
  79944. }
  79945. switch (sizeof(uLong)) {
  79946. case 2: break;
  79947. case 4: flags += 1 << 2; break;
  79948. case 8: flags += 2 << 2; break;
  79949. default: flags += 3 << 2;
  79950. }
  79951. switch (sizeof(voidpf)) {
  79952. case 2: break;
  79953. case 4: flags += 1 << 4; break;
  79954. case 8: flags += 2 << 4; break;
  79955. default: flags += 3 << 4;
  79956. }
  79957. switch (sizeof(z_off_t)) {
  79958. case 2: break;
  79959. case 4: flags += 1 << 6; break;
  79960. case 8: flags += 2 << 6; break;
  79961. default: flags += 3 << 6;
  79962. }
  79963. #ifdef DEBUG
  79964. flags += 1 << 8;
  79965. #endif
  79966. #if defined(ASMV) || defined(ASMINF)
  79967. flags += 1 << 9;
  79968. #endif
  79969. #ifdef ZLIB_WINAPI
  79970. flags += 1 << 10;
  79971. #endif
  79972. #ifdef BUILDFIXED
  79973. flags += 1 << 12;
  79974. #endif
  79975. #ifdef DYNAMIC_CRC_TABLE
  79976. flags += 1 << 13;
  79977. #endif
  79978. #ifdef NO_GZCOMPRESS
  79979. flags += 1L << 16;
  79980. #endif
  79981. #ifdef NO_GZIP
  79982. flags += 1L << 17;
  79983. #endif
  79984. #ifdef PKZIP_BUG_WORKAROUND
  79985. flags += 1L << 20;
  79986. #endif
  79987. #ifdef FASTEST
  79988. flags += 1L << 21;
  79989. #endif
  79990. #ifdef STDC
  79991. # ifdef NO_vsnprintf
  79992. flags += 1L << 25;
  79993. # ifdef HAS_vsprintf_void
  79994. flags += 1L << 26;
  79995. # endif
  79996. # else
  79997. # ifdef HAS_vsnprintf_void
  79998. flags += 1L << 26;
  79999. # endif
  80000. # endif
  80001. #else
  80002. flags += 1L << 24;
  80003. # ifdef NO_snprintf
  80004. flags += 1L << 25;
  80005. # ifdef HAS_sprintf_void
  80006. flags += 1L << 26;
  80007. # endif
  80008. # else
  80009. # ifdef HAS_snprintf_void
  80010. flags += 1L << 26;
  80011. # endif
  80012. # endif
  80013. #endif
  80014. return flags;
  80015. }*/
  80016. #ifdef DEBUG
  80017. # ifndef verbose
  80018. # define verbose 0
  80019. # endif
  80020. int z_verbose = verbose;
  80021. void z_error (char *m)
  80022. {
  80023. fprintf(stderr, "%s\n", m);
  80024. exit(1);
  80025. }
  80026. #endif
  80027. /* exported to allow conversion of error code to string for compress() and
  80028. * uncompress()
  80029. */
  80030. const char * ZEXPORT zError(int err)
  80031. {
  80032. return ERR_MSG(err);
  80033. }
  80034. #if defined(_WIN32_WCE)
  80035. /* The Microsoft C Run-Time Library for Windows CE doesn't have
  80036. * errno. We define it as a global variable to simplify porting.
  80037. * Its value is always 0 and should not be used.
  80038. */
  80039. int errno = 0;
  80040. #endif
  80041. #ifndef HAVE_MEMCPY
  80042. void zmemcpy(dest, source, len)
  80043. Bytef* dest;
  80044. const Bytef* source;
  80045. uInt len;
  80046. {
  80047. if (len == 0) return;
  80048. do {
  80049. *dest++ = *source++; /* ??? to be unrolled */
  80050. } while (--len != 0);
  80051. }
  80052. int zmemcmp(s1, s2, len)
  80053. const Bytef* s1;
  80054. const Bytef* s2;
  80055. uInt len;
  80056. {
  80057. uInt j;
  80058. for (j = 0; j < len; j++) {
  80059. if (s1[j] != s2[j]) return 2*(s1[j] > s2[j])-1;
  80060. }
  80061. return 0;
  80062. }
  80063. void zmemzero(dest, len)
  80064. Bytef* dest;
  80065. uInt len;
  80066. {
  80067. if (len == 0) return;
  80068. do {
  80069. *dest++ = 0; /* ??? to be unrolled */
  80070. } while (--len != 0);
  80071. }
  80072. #endif
  80073. #ifdef SYS16BIT
  80074. #ifdef __TURBOC__
  80075. /* Turbo C in 16-bit mode */
  80076. # define MY_ZCALLOC
  80077. /* Turbo C malloc() does not allow dynamic allocation of 64K bytes
  80078. * and farmalloc(64K) returns a pointer with an offset of 8, so we
  80079. * must fix the pointer. Warning: the pointer must be put back to its
  80080. * original form in order to free it, use zcfree().
  80081. */
  80082. #define MAX_PTR 10
  80083. /* 10*64K = 640K */
  80084. local int next_ptr = 0;
  80085. typedef struct ptr_table_s {
  80086. voidpf org_ptr;
  80087. voidpf new_ptr;
  80088. } ptr_table;
  80089. local ptr_table table[MAX_PTR];
  80090. /* This table is used to remember the original form of pointers
  80091. * to large buffers (64K). Such pointers are normalized with a zero offset.
  80092. * Since MSDOS is not a preemptive multitasking OS, this table is not
  80093. * protected from concurrent access. This hack doesn't work anyway on
  80094. * a protected system like OS/2. Use Microsoft C instead.
  80095. */
  80096. voidpf zcalloc (voidpf opaque, unsigned items, unsigned size)
  80097. {
  80098. voidpf buf = opaque; /* just to make some compilers happy */
  80099. ulg bsize = (ulg)items*size;
  80100. /* If we allocate less than 65520 bytes, we assume that farmalloc
  80101. * will return a usable pointer which doesn't have to be normalized.
  80102. */
  80103. if (bsize < 65520L) {
  80104. buf = farmalloc(bsize);
  80105. if (*(ush*)&buf != 0) return buf;
  80106. } else {
  80107. buf = farmalloc(bsize + 16L);
  80108. }
  80109. if (buf == NULL || next_ptr >= MAX_PTR) return NULL;
  80110. table[next_ptr].org_ptr = buf;
  80111. /* Normalize the pointer to seg:0 */
  80112. *((ush*)&buf+1) += ((ush)((uch*)buf-0) + 15) >> 4;
  80113. *(ush*)&buf = 0;
  80114. table[next_ptr++].new_ptr = buf;
  80115. return buf;
  80116. }
  80117. void zcfree (voidpf opaque, voidpf ptr)
  80118. {
  80119. int n;
  80120. if (*(ush*)&ptr != 0) { /* object < 64K */
  80121. farfree(ptr);
  80122. return;
  80123. }
  80124. /* Find the original pointer */
  80125. for (n = 0; n < next_ptr; n++) {
  80126. if (ptr != table[n].new_ptr) continue;
  80127. farfree(table[n].org_ptr);
  80128. while (++n < next_ptr) {
  80129. table[n-1] = table[n];
  80130. }
  80131. next_ptr--;
  80132. return;
  80133. }
  80134. ptr = opaque; /* just to make some compilers happy */
  80135. Assert(0, "zcfree: ptr not found");
  80136. }
  80137. #endif /* __TURBOC__ */
  80138. #ifdef M_I86
  80139. /* Microsoft C in 16-bit mode */
  80140. # define MY_ZCALLOC
  80141. #if (!defined(_MSC_VER) || (_MSC_VER <= 600))
  80142. # define _halloc halloc
  80143. # define _hfree hfree
  80144. #endif
  80145. voidpf zcalloc (voidpf opaque, unsigned items, unsigned size)
  80146. {
  80147. if (opaque) opaque = 0; /* to make compiler happy */
  80148. return _halloc((long)items, size);
  80149. }
  80150. void zcfree (voidpf opaque, voidpf ptr)
  80151. {
  80152. if (opaque) opaque = 0; /* to make compiler happy */
  80153. _hfree(ptr);
  80154. }
  80155. #endif /* M_I86 */
  80156. #endif /* SYS16BIT */
  80157. #ifndef MY_ZCALLOC /* Any system without a special alloc function */
  80158. #ifndef STDC
  80159. extern voidp malloc OF((uInt size));
  80160. extern voidp calloc OF((uInt items, uInt size));
  80161. extern void free OF((voidpf ptr));
  80162. #endif
  80163. voidpf zcalloc (voidpf opaque, unsigned items, unsigned size)
  80164. {
  80165. if (opaque) items += size - size; /* make compiler happy */
  80166. return sizeof(uInt) > 2 ? (voidpf)malloc(items * size) :
  80167. (voidpf)calloc(items, size);
  80168. }
  80169. void zcfree (voidpf opaque, voidpf ptr)
  80170. {
  80171. free(ptr);
  80172. if (opaque) return; /* make compiler happy */
  80173. }
  80174. #endif /* MY_ZCALLOC */
  80175. /********* End of inlined file: zutil.c *********/
  80176. #undef Byte
  80177. }
  80178. }
  80179. #if JUCE_MSVC
  80180. #pragma warning (pop)
  80181. #endif
  80182. BEGIN_JUCE_NAMESPACE
  80183. using namespace zlibNamespace;
  80184. // internal helper object that holds the zlib structures so they don't have to be
  80185. // included publicly.
  80186. class GZIPDecompressHelper
  80187. {
  80188. private:
  80189. z_stream* stream;
  80190. uint8* data;
  80191. int dataSize;
  80192. public:
  80193. bool finished, needsDictionary, error;
  80194. GZIPDecompressHelper (const bool noWrap) throw()
  80195. : data (0),
  80196. dataSize (0),
  80197. finished (false),
  80198. needsDictionary (false),
  80199. error (false)
  80200. {
  80201. stream = (z_stream*) juce_calloc (sizeof (z_stream));
  80202. if (inflateInit2 (stream, (noWrap) ? -MAX_WBITS
  80203. : MAX_WBITS) != Z_OK)
  80204. {
  80205. juce_free (stream);
  80206. stream = 0;
  80207. error = true;
  80208. finished = true;
  80209. }
  80210. }
  80211. ~GZIPDecompressHelper() throw()
  80212. {
  80213. if (stream != 0)
  80214. {
  80215. inflateEnd (stream);
  80216. juce_free (stream);
  80217. }
  80218. }
  80219. bool needsInput() const throw() { return dataSize <= 0; }
  80220. void setInput (uint8* const data_, const int size) throw()
  80221. {
  80222. data = data_;
  80223. dataSize = size;
  80224. }
  80225. int doNextBlock (uint8* const dest, const int destSize) throw()
  80226. {
  80227. if (stream != 0 && data != 0 && ! finished)
  80228. {
  80229. stream->next_in = data;
  80230. stream->next_out = dest;
  80231. stream->avail_in = dataSize;
  80232. stream->avail_out = destSize;
  80233. switch (inflate (stream, Z_PARTIAL_FLUSH))
  80234. {
  80235. case Z_STREAM_END:
  80236. finished = true;
  80237. // deliberate fall-through
  80238. case Z_OK:
  80239. data += dataSize - stream->avail_in;
  80240. dataSize = stream->avail_in;
  80241. return destSize - stream->avail_out;
  80242. case Z_NEED_DICT:
  80243. needsDictionary = true;
  80244. data += dataSize - stream->avail_in;
  80245. dataSize = stream->avail_in;
  80246. break;
  80247. case Z_DATA_ERROR:
  80248. case Z_MEM_ERROR:
  80249. error = true;
  80250. default:
  80251. break;
  80252. }
  80253. }
  80254. return 0;
  80255. }
  80256. };
  80257. const int gzipDecompBufferSize = 32768;
  80258. GZIPDecompressorInputStream::GZIPDecompressorInputStream (InputStream* const sourceStream_,
  80259. const bool deleteSourceWhenDestroyed_,
  80260. const bool noWrap_,
  80261. const int64 uncompressedStreamLength_)
  80262. : sourceStream (sourceStream_),
  80263. uncompressedStreamLength (uncompressedStreamLength_),
  80264. deleteSourceWhenDestroyed (deleteSourceWhenDestroyed_),
  80265. noWrap (noWrap_),
  80266. isEof (false),
  80267. activeBufferSize (0),
  80268. originalSourcePos (sourceStream_->getPosition()),
  80269. currentPos (0)
  80270. {
  80271. buffer = (uint8*) juce_malloc (gzipDecompBufferSize);
  80272. helper = new GZIPDecompressHelper (noWrap_);
  80273. }
  80274. GZIPDecompressorInputStream::~GZIPDecompressorInputStream()
  80275. {
  80276. juce_free (buffer);
  80277. if (deleteSourceWhenDestroyed)
  80278. delete sourceStream;
  80279. GZIPDecompressHelper* const h = (GZIPDecompressHelper*) helper;
  80280. delete h;
  80281. }
  80282. int64 GZIPDecompressorInputStream::getTotalLength()
  80283. {
  80284. return uncompressedStreamLength;
  80285. }
  80286. int GZIPDecompressorInputStream::read (void* destBuffer, int howMany)
  80287. {
  80288. GZIPDecompressHelper* const h = (GZIPDecompressHelper*) helper;
  80289. if ((howMany > 0) && ! isEof)
  80290. {
  80291. jassert (destBuffer != 0);
  80292. if (destBuffer != 0)
  80293. {
  80294. int numRead = 0;
  80295. uint8* d = (uint8*) destBuffer;
  80296. while (! h->error)
  80297. {
  80298. const int n = h->doNextBlock (d, howMany);
  80299. currentPos += n;
  80300. if (n == 0)
  80301. {
  80302. if (h->finished || h->needsDictionary)
  80303. {
  80304. isEof = true;
  80305. return numRead;
  80306. }
  80307. if (h->needsInput())
  80308. {
  80309. activeBufferSize = sourceStream->read (buffer, gzipDecompBufferSize);
  80310. if (activeBufferSize > 0)
  80311. {
  80312. h->setInput ((uint8*) buffer, activeBufferSize);
  80313. }
  80314. else
  80315. {
  80316. isEof = true;
  80317. return numRead;
  80318. }
  80319. }
  80320. }
  80321. else
  80322. {
  80323. numRead += n;
  80324. howMany -= n;
  80325. d += n;
  80326. if (howMany <= 0)
  80327. return numRead;
  80328. }
  80329. }
  80330. }
  80331. }
  80332. return 0;
  80333. }
  80334. bool GZIPDecompressorInputStream::isExhausted()
  80335. {
  80336. const GZIPDecompressHelper* const h = (GZIPDecompressHelper*) helper;
  80337. return h->error || isEof;
  80338. }
  80339. int64 GZIPDecompressorInputStream::getPosition()
  80340. {
  80341. return currentPos;
  80342. }
  80343. bool GZIPDecompressorInputStream::setPosition (int64 newPos)
  80344. {
  80345. if (newPos != currentPos)
  80346. {
  80347. if (newPos > currentPos)
  80348. {
  80349. skipNextBytes (newPos - currentPos);
  80350. }
  80351. else
  80352. {
  80353. // reset the stream and start again..
  80354. GZIPDecompressHelper* const h = (GZIPDecompressHelper*) helper;
  80355. delete h;
  80356. isEof = false;
  80357. activeBufferSize = 0;
  80358. currentPos = 0;
  80359. helper = new GZIPDecompressHelper (noWrap);
  80360. sourceStream->setPosition (originalSourcePos);
  80361. skipNextBytes (newPos);
  80362. }
  80363. }
  80364. return true;
  80365. }
  80366. END_JUCE_NAMESPACE
  80367. /********* End of inlined file: juce_GZIPDecompressorInputStream.cpp *********/
  80368. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  80369. /********* Start of inlined file: juce_FlacAudioFormat.cpp *********/
  80370. #ifdef _MSC_VER
  80371. #include <windows.h>
  80372. #endif
  80373. #if JUCE_USE_FLAC
  80374. #ifdef _MSC_VER
  80375. #pragma warning (disable : 4505)
  80376. #pragma warning (push)
  80377. #endif
  80378. namespace FlacNamespace
  80379. {
  80380. #define FLAC__NO_DLL 1
  80381. #if ! defined (SIZE_MAX)
  80382. #define SIZE_MAX 0xffffffff
  80383. #endif
  80384. #define __STDC_LIMIT_MACROS 1
  80385. /********* Start of inlined file: all.h *********/
  80386. #ifndef FLAC__ALL_H
  80387. #define FLAC__ALL_H
  80388. /********* Start of inlined file: export.h *********/
  80389. #ifndef FLAC__EXPORT_H
  80390. #define FLAC__EXPORT_H
  80391. /** \file include/FLAC/export.h
  80392. *
  80393. * \brief
  80394. * This module contains #defines and symbols for exporting function
  80395. * calls, and providing version information and compiled-in features.
  80396. *
  80397. * See the \link flac_export export \endlink module.
  80398. */
  80399. /** \defgroup flac_export FLAC/export.h: export symbols
  80400. * \ingroup flac
  80401. *
  80402. * \brief
  80403. * This module contains #defines and symbols for exporting function
  80404. * calls, and providing version information and compiled-in features.
  80405. *
  80406. * If you are compiling with MSVC and will link to the static library
  80407. * (libFLAC.lib) you should define FLAC__NO_DLL in your project to
  80408. * make sure the symbols are exported properly.
  80409. *
  80410. * \{
  80411. */
  80412. #if defined(FLAC__NO_DLL) || !defined(_MSC_VER)
  80413. #define FLAC_API
  80414. #else
  80415. #ifdef FLAC_API_EXPORTS
  80416. #define FLAC_API _declspec(dllexport)
  80417. #else
  80418. #define FLAC_API _declspec(dllimport)
  80419. #endif
  80420. #endif
  80421. /** These #defines will mirror the libtool-based library version number, see
  80422. * http://www.gnu.org/software/libtool/manual.html#Libtool-versioning
  80423. */
  80424. #define FLAC_API_VERSION_CURRENT 10
  80425. #define FLAC_API_VERSION_REVISION 0 /**< see above */
  80426. #define FLAC_API_VERSION_AGE 2 /**< see above */
  80427. #ifdef __cplusplus
  80428. extern "C" {
  80429. #endif
  80430. /** \c 1 if the library has been compiled with support for Ogg FLAC, else \c 0. */
  80431. extern FLAC_API int FLAC_API_SUPPORTS_OGG_FLAC;
  80432. #ifdef __cplusplus
  80433. }
  80434. #endif
  80435. /* \} */
  80436. #endif
  80437. /********* End of inlined file: export.h *********/
  80438. /********* Start of inlined file: assert.h *********/
  80439. #ifndef FLAC__ASSERT_H
  80440. #define FLAC__ASSERT_H
  80441. /* we need this since some compilers (like MSVC) leave assert()s on release code (and we don't want to use their ASSERT) */
  80442. #ifdef DEBUG
  80443. #include <assert.h>
  80444. #define FLAC__ASSERT(x) assert(x)
  80445. #define FLAC__ASSERT_DECLARATION(x) x
  80446. #else
  80447. #define FLAC__ASSERT(x)
  80448. #define FLAC__ASSERT_DECLARATION(x)
  80449. #endif
  80450. #endif
  80451. /********* End of inlined file: assert.h *********/
  80452. /********* Start of inlined file: callback.h *********/
  80453. #ifndef FLAC__CALLBACK_H
  80454. #define FLAC__CALLBACK_H
  80455. /********* Start of inlined file: ordinals.h *********/
  80456. #ifndef FLAC__ORDINALS_H
  80457. #define FLAC__ORDINALS_H
  80458. #if !(defined(_MSC_VER) || defined(__BORLANDC__) || defined(__EMX__))
  80459. #include <inttypes.h>
  80460. #endif
  80461. typedef signed char FLAC__int8;
  80462. typedef unsigned char FLAC__uint8;
  80463. #if defined(_MSC_VER) || defined(__BORLANDC__)
  80464. typedef __int16 FLAC__int16;
  80465. typedef __int32 FLAC__int32;
  80466. typedef __int64 FLAC__int64;
  80467. typedef unsigned __int16 FLAC__uint16;
  80468. typedef unsigned __int32 FLAC__uint32;
  80469. typedef unsigned __int64 FLAC__uint64;
  80470. #elif defined(__EMX__)
  80471. typedef short FLAC__int16;
  80472. typedef long FLAC__int32;
  80473. typedef long long FLAC__int64;
  80474. typedef unsigned short FLAC__uint16;
  80475. typedef unsigned long FLAC__uint32;
  80476. typedef unsigned long long FLAC__uint64;
  80477. #else
  80478. typedef int16_t FLAC__int16;
  80479. typedef int32_t FLAC__int32;
  80480. typedef int64_t FLAC__int64;
  80481. typedef uint16_t FLAC__uint16;
  80482. typedef uint32_t FLAC__uint32;
  80483. typedef uint64_t FLAC__uint64;
  80484. #endif
  80485. typedef int FLAC__bool;
  80486. typedef FLAC__uint8 FLAC__byte;
  80487. #ifdef true
  80488. #undef true
  80489. #endif
  80490. #ifdef false
  80491. #undef false
  80492. #endif
  80493. #ifndef __cplusplus
  80494. #define true 1
  80495. #define false 0
  80496. #endif
  80497. #endif
  80498. /********* End of inlined file: ordinals.h *********/
  80499. #include <stdlib.h> /* for size_t */
  80500. /** \file include/FLAC/callback.h
  80501. *
  80502. * \brief
  80503. * This module defines the structures for describing I/O callbacks
  80504. * to the other FLAC interfaces.
  80505. *
  80506. * See the detailed documentation for callbacks in the
  80507. * \link flac_callbacks callbacks \endlink module.
  80508. */
  80509. /** \defgroup flac_callbacks FLAC/callback.h: I/O callback structures
  80510. * \ingroup flac
  80511. *
  80512. * \brief
  80513. * This module defines the structures for describing I/O callbacks
  80514. * to the other FLAC interfaces.
  80515. *
  80516. * The purpose of the I/O callback functions is to create a common way
  80517. * for the metadata interfaces to handle I/O.
  80518. *
  80519. * Originally the metadata interfaces required filenames as the way of
  80520. * specifying FLAC files to operate on. This is problematic in some
  80521. * environments so there is an additional option to specify a set of
  80522. * callbacks for doing I/O on the FLAC file, instead of the filename.
  80523. *
  80524. * In addition to the callbacks, a FLAC__IOHandle type is defined as an
  80525. * opaque structure for a data source.
  80526. *
  80527. * The callback function prototypes are similar (but not identical) to the
  80528. * stdio functions fread, fwrite, fseek, ftell, feof, and fclose. If you use
  80529. * stdio streams to implement the callbacks, you can pass fread, fwrite, and
  80530. * fclose anywhere a FLAC__IOCallback_Read, FLAC__IOCallback_Write, or
  80531. * FLAC__IOCallback_Close is required, and a FILE* anywhere a FLAC__IOHandle
  80532. * is required. \warning You generally CANNOT directly use fseek or ftell
  80533. * for FLAC__IOCallback_Seek or FLAC__IOCallback_Tell since on most systems
  80534. * these use 32-bit offsets and FLAC requires 64-bit offsets to deal with
  80535. * large files. You will have to find an equivalent function (e.g. ftello),
  80536. * or write a wrapper. The same is true for feof() since this is usually
  80537. * implemented as a macro, not as a function whose address can be taken.
  80538. *
  80539. * \{
  80540. */
  80541. #ifdef __cplusplus
  80542. extern "C" {
  80543. #endif
  80544. /** This is the opaque handle type used by the callbacks. Typically
  80545. * this is a \c FILE* or address of a file descriptor.
  80546. */
  80547. typedef void* FLAC__IOHandle;
  80548. /** Signature for the read callback.
  80549. * The signature and semantics match POSIX fread() implementations
  80550. * and can generally be used interchangeably.
  80551. *
  80552. * \param ptr The address of the read buffer.
  80553. * \param size The size of the records to be read.
  80554. * \param nmemb The number of records to be read.
  80555. * \param handle The handle to the data source.
  80556. * \retval size_t
  80557. * The number of records read.
  80558. */
  80559. typedef size_t (*FLAC__IOCallback_Read) (void *ptr, size_t size, size_t nmemb, FLAC__IOHandle handle);
  80560. /** Signature for the write callback.
  80561. * The signature and semantics match POSIX fwrite() implementations
  80562. * and can generally be used interchangeably.
  80563. *
  80564. * \param ptr The address of the write buffer.
  80565. * \param size The size of the records to be written.
  80566. * \param nmemb The number of records to be written.
  80567. * \param handle The handle to the data source.
  80568. * \retval size_t
  80569. * The number of records written.
  80570. */
  80571. typedef size_t (*FLAC__IOCallback_Write) (const void *ptr, size_t size, size_t nmemb, FLAC__IOHandle handle);
  80572. /** Signature for the seek callback.
  80573. * The signature and semantics mostly match POSIX fseek() WITH ONE IMPORTANT
  80574. * EXCEPTION: the offset is a 64-bit type whereas fseek() is generally 'long'
  80575. * and 32-bits wide.
  80576. *
  80577. * \param handle The handle to the data source.
  80578. * \param offset The new position, relative to \a whence
  80579. * \param whence \c SEEK_SET, \c SEEK_CUR, or \c SEEK_END
  80580. * \retval int
  80581. * \c 0 on success, \c -1 on error.
  80582. */
  80583. typedef int (*FLAC__IOCallback_Seek) (FLAC__IOHandle handle, FLAC__int64 offset, int whence);
  80584. /** Signature for the tell callback.
  80585. * The signature and semantics mostly match POSIX ftell() WITH ONE IMPORTANT
  80586. * EXCEPTION: the offset is a 64-bit type whereas ftell() is generally 'long'
  80587. * and 32-bits wide.
  80588. *
  80589. * \param handle The handle to the data source.
  80590. * \retval FLAC__int64
  80591. * The current position on success, \c -1 on error.
  80592. */
  80593. typedef FLAC__int64 (*FLAC__IOCallback_Tell) (FLAC__IOHandle handle);
  80594. /** Signature for the EOF callback.
  80595. * The signature and semantics mostly match POSIX feof() but WATCHOUT:
  80596. * on many systems, feof() is a macro, so in this case a wrapper function
  80597. * must be provided instead.
  80598. *
  80599. * \param handle The handle to the data source.
  80600. * \retval int
  80601. * \c 0 if not at end of file, nonzero if at end of file.
  80602. */
  80603. typedef int (*FLAC__IOCallback_Eof) (FLAC__IOHandle handle);
  80604. /** Signature for the close callback.
  80605. * The signature and semantics match POSIX fclose() implementations
  80606. * and can generally be used interchangeably.
  80607. *
  80608. * \param handle The handle to the data source.
  80609. * \retval int
  80610. * \c 0 on success, \c EOF on error.
  80611. */
  80612. typedef int (*FLAC__IOCallback_Close) (FLAC__IOHandle handle);
  80613. /** A structure for holding a set of callbacks.
  80614. * Each FLAC interface that requires a FLAC__IOCallbacks structure will
  80615. * describe which of the callbacks are required. The ones that are not
  80616. * required may be set to NULL.
  80617. *
  80618. * If the seek requirement for an interface is optional, you can signify that
  80619. * a data sorce is not seekable by setting the \a seek field to \c NULL.
  80620. */
  80621. typedef struct {
  80622. FLAC__IOCallback_Read read;
  80623. FLAC__IOCallback_Write write;
  80624. FLAC__IOCallback_Seek seek;
  80625. FLAC__IOCallback_Tell tell;
  80626. FLAC__IOCallback_Eof eof;
  80627. FLAC__IOCallback_Close close;
  80628. } FLAC__IOCallbacks;
  80629. /* \} */
  80630. #ifdef __cplusplus
  80631. }
  80632. #endif
  80633. #endif
  80634. /********* End of inlined file: callback.h *********/
  80635. /********* Start of inlined file: format.h *********/
  80636. #ifndef FLAC__FORMAT_H
  80637. #define FLAC__FORMAT_H
  80638. #ifdef __cplusplus
  80639. extern "C" {
  80640. #endif
  80641. /** \file include/FLAC/format.h
  80642. *
  80643. * \brief
  80644. * This module contains structure definitions for the representation
  80645. * of FLAC format components in memory. These are the basic
  80646. * structures used by the rest of the interfaces.
  80647. *
  80648. * See the detailed documentation in the
  80649. * \link flac_format format \endlink module.
  80650. */
  80651. /** \defgroup flac_format FLAC/format.h: format components
  80652. * \ingroup flac
  80653. *
  80654. * \brief
  80655. * This module contains structure definitions for the representation
  80656. * of FLAC format components in memory. These are the basic
  80657. * structures used by the rest of the interfaces.
  80658. *
  80659. * First, you should be familiar with the
  80660. * <A HREF="../format.html">FLAC format</A>. Many of the values here
  80661. * follow directly from the specification. As a user of libFLAC, the
  80662. * interesting parts really are the structures that describe the frame
  80663. * header and metadata blocks.
  80664. *
  80665. * The format structures here are very primitive, designed to store
  80666. * information in an efficient way. Reading information from the
  80667. * structures is easy but creating or modifying them directly is
  80668. * more complex. For the most part, as a user of a library, editing
  80669. * is not necessary; however, for metadata blocks it is, so there are
  80670. * convenience functions provided in the \link flac_metadata metadata
  80671. * module \endlink to simplify the manipulation of metadata blocks.
  80672. *
  80673. * \note
  80674. * It's not the best convention, but symbols ending in _LEN are in bits
  80675. * and _LENGTH are in bytes. _LENGTH symbols are \#defines instead of
  80676. * global variables because they are usually used when declaring byte
  80677. * arrays and some compilers require compile-time knowledge of array
  80678. * sizes when declared on the stack.
  80679. *
  80680. * \{
  80681. */
  80682. /*
  80683. Most of the values described in this file are defined by the FLAC
  80684. format specification. There is nothing to tune here.
  80685. */
  80686. /** The largest legal metadata type code. */
  80687. #define FLAC__MAX_METADATA_TYPE_CODE (126u)
  80688. /** The minimum block size, in samples, permitted by the format. */
  80689. #define FLAC__MIN_BLOCK_SIZE (16u)
  80690. /** The maximum block size, in samples, permitted by the format. */
  80691. #define FLAC__MAX_BLOCK_SIZE (65535u)
  80692. /** The maximum block size, in samples, permitted by the FLAC subset for
  80693. * sample rates up to 48kHz. */
  80694. #define FLAC__SUBSET_MAX_BLOCK_SIZE_48000HZ (4608u)
  80695. /** The maximum number of channels permitted by the format. */
  80696. #define FLAC__MAX_CHANNELS (8u)
  80697. /** The minimum sample resolution permitted by the format. */
  80698. #define FLAC__MIN_BITS_PER_SAMPLE (4u)
  80699. /** The maximum sample resolution permitted by the format. */
  80700. #define FLAC__MAX_BITS_PER_SAMPLE (32u)
  80701. /** The maximum sample resolution permitted by libFLAC.
  80702. *
  80703. * \warning
  80704. * FLAC__MAX_BITS_PER_SAMPLE is the limit of the FLAC format. However,
  80705. * the reference encoder/decoder is currently limited to 24 bits because
  80706. * of prevalent 32-bit math, so make sure and use this value when
  80707. * appropriate.
  80708. */
  80709. #define FLAC__REFERENCE_CODEC_MAX_BITS_PER_SAMPLE (24u)
  80710. /** The maximum sample rate permitted by the format. The value is
  80711. * ((2 ^ 16) - 1) * 10; see <A HREF="../format.html">FLAC format</A>
  80712. * as to why.
  80713. */
  80714. #define FLAC__MAX_SAMPLE_RATE (655350u)
  80715. /** The maximum LPC order permitted by the format. */
  80716. #define FLAC__MAX_LPC_ORDER (32u)
  80717. /** The maximum LPC order permitted by the FLAC subset for sample rates
  80718. * up to 48kHz. */
  80719. #define FLAC__SUBSET_MAX_LPC_ORDER_48000HZ (12u)
  80720. /** The minimum quantized linear predictor coefficient precision
  80721. * permitted by the format.
  80722. */
  80723. #define FLAC__MIN_QLP_COEFF_PRECISION (5u)
  80724. /** The maximum quantized linear predictor coefficient precision
  80725. * permitted by the format.
  80726. */
  80727. #define FLAC__MAX_QLP_COEFF_PRECISION (15u)
  80728. /** The maximum order of the fixed predictors permitted by the format. */
  80729. #define FLAC__MAX_FIXED_ORDER (4u)
  80730. /** The maximum Rice partition order permitted by the format. */
  80731. #define FLAC__MAX_RICE_PARTITION_ORDER (15u)
  80732. /** The maximum Rice partition order permitted by the FLAC Subset. */
  80733. #define FLAC__SUBSET_MAX_RICE_PARTITION_ORDER (8u)
  80734. /** The version string of the release, stamped onto the libraries and binaries.
  80735. *
  80736. * \note
  80737. * This does not correspond to the shared library version number, which
  80738. * is used to determine binary compatibility.
  80739. */
  80740. extern FLAC_API const char *FLAC__VERSION_STRING;
  80741. /** The vendor string inserted by the encoder into the VORBIS_COMMENT block.
  80742. * This is a NUL-terminated ASCII string; when inserted into the
  80743. * VORBIS_COMMENT the trailing null is stripped.
  80744. */
  80745. extern FLAC_API const char *FLAC__VENDOR_STRING;
  80746. /** The byte string representation of the beginning of a FLAC stream. */
  80747. extern FLAC_API const FLAC__byte FLAC__STREAM_SYNC_STRING[4]; /* = "fLaC" */
  80748. /** The 32-bit integer big-endian representation of the beginning of
  80749. * a FLAC stream.
  80750. */
  80751. extern FLAC_API const unsigned FLAC__STREAM_SYNC; /* = 0x664C6143 */
  80752. /** The length of the FLAC signature in bits. */
  80753. extern FLAC_API const unsigned FLAC__STREAM_SYNC_LEN; /* = 32 bits */
  80754. /** The length of the FLAC signature in bytes. */
  80755. #define FLAC__STREAM_SYNC_LENGTH (4u)
  80756. /*****************************************************************************
  80757. *
  80758. * Subframe structures
  80759. *
  80760. *****************************************************************************/
  80761. /*****************************************************************************/
  80762. /** An enumeration of the available entropy coding methods. */
  80763. typedef enum {
  80764. FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE = 0,
  80765. /**< Residual is coded by partitioning into contexts, each with it's own
  80766. * 4-bit Rice parameter. */
  80767. FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2 = 1
  80768. /**< Residual is coded by partitioning into contexts, each with it's own
  80769. * 5-bit Rice parameter. */
  80770. } FLAC__EntropyCodingMethodType;
  80771. /** Maps a FLAC__EntropyCodingMethodType to a C string.
  80772. *
  80773. * Using a FLAC__EntropyCodingMethodType as the index to this array will
  80774. * give the string equivalent. The contents should not be modified.
  80775. */
  80776. extern FLAC_API const char * const FLAC__EntropyCodingMethodTypeString[];
  80777. /** Contents of a Rice partitioned residual
  80778. */
  80779. typedef struct {
  80780. unsigned *parameters;
  80781. /**< The Rice parameters for each context. */
  80782. unsigned *raw_bits;
  80783. /**< Widths for escape-coded partitions. Will be non-zero for escaped
  80784. * partitions and zero for unescaped partitions.
  80785. */
  80786. unsigned capacity_by_order;
  80787. /**< The capacity of the \a parameters and \a raw_bits arrays
  80788. * specified as an order, i.e. the number of array elements
  80789. * allocated is 2 ^ \a capacity_by_order.
  80790. */
  80791. } FLAC__EntropyCodingMethod_PartitionedRiceContents;
  80792. /** Header for a Rice partitioned residual. (c.f. <A HREF="../format.html#partitioned_rice">format specification</A>)
  80793. */
  80794. typedef struct {
  80795. unsigned order;
  80796. /**< The partition order, i.e. # of contexts = 2 ^ \a order. */
  80797. const FLAC__EntropyCodingMethod_PartitionedRiceContents *contents;
  80798. /**< The context's Rice parameters and/or raw bits. */
  80799. } FLAC__EntropyCodingMethod_PartitionedRice;
  80800. extern FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ORDER_LEN; /**< == 4 (bits) */
  80801. extern FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_PARAMETER_LEN; /**< == 4 (bits) */
  80802. extern FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN; /**< == 5 (bits) */
  80803. extern FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_RAW_LEN; /**< == 5 (bits) */
  80804. extern FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ESCAPE_PARAMETER;
  80805. /**< == (1<<FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_PARAMETER_LEN)-1 */
  80806. extern FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_ESCAPE_PARAMETER;
  80807. /**< == (1<<FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN)-1 */
  80808. /** Header for the entropy coding method. (c.f. <A HREF="../format.html#residual">format specification</A>)
  80809. */
  80810. typedef struct {
  80811. FLAC__EntropyCodingMethodType type;
  80812. union {
  80813. FLAC__EntropyCodingMethod_PartitionedRice partitioned_rice;
  80814. } data;
  80815. } FLAC__EntropyCodingMethod;
  80816. extern FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_TYPE_LEN; /**< == 2 (bits) */
  80817. /*****************************************************************************/
  80818. /** An enumeration of the available subframe types. */
  80819. typedef enum {
  80820. FLAC__SUBFRAME_TYPE_CONSTANT = 0, /**< constant signal */
  80821. FLAC__SUBFRAME_TYPE_VERBATIM = 1, /**< uncompressed signal */
  80822. FLAC__SUBFRAME_TYPE_FIXED = 2, /**< fixed polynomial prediction */
  80823. FLAC__SUBFRAME_TYPE_LPC = 3 /**< linear prediction */
  80824. } FLAC__SubframeType;
  80825. /** Maps a FLAC__SubframeType to a C string.
  80826. *
  80827. * Using a FLAC__SubframeType as the index to this array will
  80828. * give the string equivalent. The contents should not be modified.
  80829. */
  80830. extern FLAC_API const char * const FLAC__SubframeTypeString[];
  80831. /** CONSTANT subframe. (c.f. <A HREF="../format.html#subframe_constant">format specification</A>)
  80832. */
  80833. typedef struct {
  80834. FLAC__int32 value; /**< The constant signal value. */
  80835. } FLAC__Subframe_Constant;
  80836. /** VERBATIM subframe. (c.f. <A HREF="../format.html#subframe_verbatim">format specification</A>)
  80837. */
  80838. typedef struct {
  80839. const FLAC__int32 *data; /**< A pointer to verbatim signal. */
  80840. } FLAC__Subframe_Verbatim;
  80841. /** FIXED subframe. (c.f. <A HREF="../format.html#subframe_fixed">format specification</A>)
  80842. */
  80843. typedef struct {
  80844. FLAC__EntropyCodingMethod entropy_coding_method;
  80845. /**< The residual coding method. */
  80846. unsigned order;
  80847. /**< The polynomial order. */
  80848. FLAC__int32 warmup[FLAC__MAX_FIXED_ORDER];
  80849. /**< Warmup samples to prime the predictor, length == order. */
  80850. const FLAC__int32 *residual;
  80851. /**< The residual signal, length == (blocksize minus order) samples. */
  80852. } FLAC__Subframe_Fixed;
  80853. /** LPC subframe. (c.f. <A HREF="../format.html#subframe_lpc">format specification</A>)
  80854. */
  80855. typedef struct {
  80856. FLAC__EntropyCodingMethod entropy_coding_method;
  80857. /**< The residual coding method. */
  80858. unsigned order;
  80859. /**< The FIR order. */
  80860. unsigned qlp_coeff_precision;
  80861. /**< Quantized FIR filter coefficient precision in bits. */
  80862. int quantization_level;
  80863. /**< The qlp coeff shift needed. */
  80864. FLAC__int32 qlp_coeff[FLAC__MAX_LPC_ORDER];
  80865. /**< FIR filter coefficients. */
  80866. FLAC__int32 warmup[FLAC__MAX_LPC_ORDER];
  80867. /**< Warmup samples to prime the predictor, length == order. */
  80868. const FLAC__int32 *residual;
  80869. /**< The residual signal, length == (blocksize minus order) samples. */
  80870. } FLAC__Subframe_LPC;
  80871. extern FLAC_API const unsigned FLAC__SUBFRAME_LPC_QLP_COEFF_PRECISION_LEN; /**< == 4 (bits) */
  80872. extern FLAC_API const unsigned FLAC__SUBFRAME_LPC_QLP_SHIFT_LEN; /**< == 5 (bits) */
  80873. /** FLAC subframe structure. (c.f. <A HREF="../format.html#subframe">format specification</A>)
  80874. */
  80875. typedef struct {
  80876. FLAC__SubframeType type;
  80877. union {
  80878. FLAC__Subframe_Constant constant;
  80879. FLAC__Subframe_Fixed fixed;
  80880. FLAC__Subframe_LPC lpc;
  80881. FLAC__Subframe_Verbatim verbatim;
  80882. } data;
  80883. unsigned wasted_bits;
  80884. } FLAC__Subframe;
  80885. /** == 1 (bit)
  80886. *
  80887. * This used to be a zero-padding bit (hence the name
  80888. * FLAC__SUBFRAME_ZERO_PAD_LEN) but is now a reserved bit. It still has a
  80889. * mandatory value of \c 0 but in the future may take on the value \c 0 or \c 1
  80890. * to mean something else.
  80891. */
  80892. extern FLAC_API const unsigned FLAC__SUBFRAME_ZERO_PAD_LEN;
  80893. extern FLAC_API const unsigned FLAC__SUBFRAME_TYPE_LEN; /**< == 6 (bits) */
  80894. extern FLAC_API const unsigned FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN; /**< == 1 (bit) */
  80895. extern FLAC_API const unsigned FLAC__SUBFRAME_TYPE_CONSTANT_BYTE_ALIGNED_MASK; /**< = 0x00 */
  80896. extern FLAC_API const unsigned FLAC__SUBFRAME_TYPE_VERBATIM_BYTE_ALIGNED_MASK; /**< = 0x02 */
  80897. extern FLAC_API const unsigned FLAC__SUBFRAME_TYPE_FIXED_BYTE_ALIGNED_MASK; /**< = 0x10 */
  80898. extern FLAC_API const unsigned FLAC__SUBFRAME_TYPE_LPC_BYTE_ALIGNED_MASK; /**< = 0x40 */
  80899. /*****************************************************************************/
  80900. /*****************************************************************************
  80901. *
  80902. * Frame structures
  80903. *
  80904. *****************************************************************************/
  80905. /** An enumeration of the available channel assignments. */
  80906. typedef enum {
  80907. FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT = 0, /**< independent channels */
  80908. FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE = 1, /**< left+side stereo */
  80909. FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE = 2, /**< right+side stereo */
  80910. FLAC__CHANNEL_ASSIGNMENT_MID_SIDE = 3 /**< mid+side stereo */
  80911. } FLAC__ChannelAssignment;
  80912. /** Maps a FLAC__ChannelAssignment to a C string.
  80913. *
  80914. * Using a FLAC__ChannelAssignment as the index to this array will
  80915. * give the string equivalent. The contents should not be modified.
  80916. */
  80917. extern FLAC_API const char * const FLAC__ChannelAssignmentString[];
  80918. /** An enumeration of the possible frame numbering methods. */
  80919. typedef enum {
  80920. FLAC__FRAME_NUMBER_TYPE_FRAME_NUMBER, /**< number contains the frame number */
  80921. FLAC__FRAME_NUMBER_TYPE_SAMPLE_NUMBER /**< number contains the sample number of first sample in frame */
  80922. } FLAC__FrameNumberType;
  80923. /** Maps a FLAC__FrameNumberType to a C string.
  80924. *
  80925. * Using a FLAC__FrameNumberType as the index to this array will
  80926. * give the string equivalent. The contents should not be modified.
  80927. */
  80928. extern FLAC_API const char * const FLAC__FrameNumberTypeString[];
  80929. /** FLAC frame header structure. (c.f. <A HREF="../format.html#frame_header">format specification</A>)
  80930. */
  80931. typedef struct {
  80932. unsigned blocksize;
  80933. /**< The number of samples per subframe. */
  80934. unsigned sample_rate;
  80935. /**< The sample rate in Hz. */
  80936. unsigned channels;
  80937. /**< The number of channels (== number of subframes). */
  80938. FLAC__ChannelAssignment channel_assignment;
  80939. /**< The channel assignment for the frame. */
  80940. unsigned bits_per_sample;
  80941. /**< The sample resolution. */
  80942. FLAC__FrameNumberType number_type;
  80943. /**< The numbering scheme used for the frame. As a convenience, the
  80944. * decoder will always convert a frame number to a sample number because
  80945. * the rules are complex. */
  80946. union {
  80947. FLAC__uint32 frame_number;
  80948. FLAC__uint64 sample_number;
  80949. } number;
  80950. /**< The frame number or sample number of first sample in frame;
  80951. * use the \a number_type value to determine which to use. */
  80952. FLAC__uint8 crc;
  80953. /**< CRC-8 (polynomial = x^8 + x^2 + x^1 + x^0, initialized with 0)
  80954. * of the raw frame header bytes, meaning everything before the CRC byte
  80955. * including the sync code.
  80956. */
  80957. } FLAC__FrameHeader;
  80958. extern FLAC_API const unsigned FLAC__FRAME_HEADER_SYNC; /**< == 0x3ffe; the frame header sync code */
  80959. extern FLAC_API const unsigned FLAC__FRAME_HEADER_SYNC_LEN; /**< == 14 (bits) */
  80960. extern FLAC_API const unsigned FLAC__FRAME_HEADER_RESERVED_LEN; /**< == 1 (bits) */
  80961. extern FLAC_API const unsigned FLAC__FRAME_HEADER_BLOCKING_STRATEGY_LEN; /**< == 1 (bits) */
  80962. extern FLAC_API const unsigned FLAC__FRAME_HEADER_BLOCK_SIZE_LEN; /**< == 4 (bits) */
  80963. extern FLAC_API const unsigned FLAC__FRAME_HEADER_SAMPLE_RATE_LEN; /**< == 4 (bits) */
  80964. extern FLAC_API const unsigned FLAC__FRAME_HEADER_CHANNEL_ASSIGNMENT_LEN; /**< == 4 (bits) */
  80965. extern FLAC_API const unsigned FLAC__FRAME_HEADER_BITS_PER_SAMPLE_LEN; /**< == 3 (bits) */
  80966. extern FLAC_API const unsigned FLAC__FRAME_HEADER_ZERO_PAD_LEN; /**< == 1 (bit) */
  80967. extern FLAC_API const unsigned FLAC__FRAME_HEADER_CRC_LEN; /**< == 8 (bits) */
  80968. /** FLAC frame footer structure. (c.f. <A HREF="../format.html#frame_footer">format specification</A>)
  80969. */
  80970. typedef struct {
  80971. FLAC__uint16 crc;
  80972. /**< CRC-16 (polynomial = x^16 + x^15 + x^2 + x^0, initialized with
  80973. * 0) of the bytes before the crc, back to and including the frame header
  80974. * sync code.
  80975. */
  80976. } FLAC__FrameFooter;
  80977. extern FLAC_API const unsigned FLAC__FRAME_FOOTER_CRC_LEN; /**< == 16 (bits) */
  80978. /** FLAC frame structure. (c.f. <A HREF="../format.html#frame">format specification</A>)
  80979. */
  80980. typedef struct {
  80981. FLAC__FrameHeader header;
  80982. FLAC__Subframe subframes[FLAC__MAX_CHANNELS];
  80983. FLAC__FrameFooter footer;
  80984. } FLAC__Frame;
  80985. /*****************************************************************************/
  80986. /*****************************************************************************
  80987. *
  80988. * Meta-data structures
  80989. *
  80990. *****************************************************************************/
  80991. /** An enumeration of the available metadata block types. */
  80992. typedef enum {
  80993. FLAC__METADATA_TYPE_STREAMINFO = 0,
  80994. /**< <A HREF="../format.html#metadata_block_streaminfo">STREAMINFO</A> block */
  80995. FLAC__METADATA_TYPE_PADDING = 1,
  80996. /**< <A HREF="../format.html#metadata_block_padding">PADDING</A> block */
  80997. FLAC__METADATA_TYPE_APPLICATION = 2,
  80998. /**< <A HREF="../format.html#metadata_block_application">APPLICATION</A> block */
  80999. FLAC__METADATA_TYPE_SEEKTABLE = 3,
  81000. /**< <A HREF="../format.html#metadata_block_seektable">SEEKTABLE</A> block */
  81001. FLAC__METADATA_TYPE_VORBIS_COMMENT = 4,
  81002. /**< <A HREF="../format.html#metadata_block_vorbis_comment">VORBISCOMMENT</A> block (a.k.a. FLAC tags) */
  81003. FLAC__METADATA_TYPE_CUESHEET = 5,
  81004. /**< <A HREF="../format.html#metadata_block_cuesheet">CUESHEET</A> block */
  81005. FLAC__METADATA_TYPE_PICTURE = 6,
  81006. /**< <A HREF="../format.html#metadata_block_picture">PICTURE</A> block */
  81007. FLAC__METADATA_TYPE_UNDEFINED = 7
  81008. /**< marker to denote beginning of undefined type range; this number will increase as new metadata types are added */
  81009. } FLAC__MetadataType;
  81010. /** Maps a FLAC__MetadataType to a C string.
  81011. *
  81012. * Using a FLAC__MetadataType as the index to this array will
  81013. * give the string equivalent. The contents should not be modified.
  81014. */
  81015. extern FLAC_API const char * const FLAC__MetadataTypeString[];
  81016. /** FLAC STREAMINFO structure. (c.f. <A HREF="../format.html#metadata_block_streaminfo">format specification</A>)
  81017. */
  81018. typedef struct {
  81019. unsigned min_blocksize, max_blocksize;
  81020. unsigned min_framesize, max_framesize;
  81021. unsigned sample_rate;
  81022. unsigned channels;
  81023. unsigned bits_per_sample;
  81024. FLAC__uint64 total_samples;
  81025. FLAC__byte md5sum[16];
  81026. } FLAC__StreamMetadata_StreamInfo;
  81027. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN; /**< == 16 (bits) */
  81028. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN; /**< == 16 (bits) */
  81029. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN; /**< == 24 (bits) */
  81030. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN; /**< == 24 (bits) */
  81031. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN; /**< == 20 (bits) */
  81032. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN; /**< == 3 (bits) */
  81033. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN; /**< == 5 (bits) */
  81034. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_TOTAL_SAMPLES_LEN; /**< == 36 (bits) */
  81035. extern FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MD5SUM_LEN; /**< == 128 (bits) */
  81036. /** The total stream length of the STREAMINFO block in bytes. */
  81037. #define FLAC__STREAM_METADATA_STREAMINFO_LENGTH (34u)
  81038. /** FLAC PADDING structure. (c.f. <A HREF="../format.html#metadata_block_padding">format specification</A>)
  81039. */
  81040. typedef struct {
  81041. int dummy;
  81042. /**< Conceptually this is an empty struct since we don't store the
  81043. * padding bytes. Empty structs are not allowed by some C compilers,
  81044. * hence the dummy.
  81045. */
  81046. } FLAC__StreamMetadata_Padding;
  81047. /** FLAC APPLICATION structure. (c.f. <A HREF="../format.html#metadata_block_application">format specification</A>)
  81048. */
  81049. typedef struct {
  81050. FLAC__byte id[4];
  81051. FLAC__byte *data;
  81052. } FLAC__StreamMetadata_Application;
  81053. extern FLAC_API const unsigned FLAC__STREAM_METADATA_APPLICATION_ID_LEN; /**< == 32 (bits) */
  81054. /** SeekPoint structure used in SEEKTABLE blocks. (c.f. <A HREF="../format.html#seekpoint">format specification</A>)
  81055. */
  81056. typedef struct {
  81057. FLAC__uint64 sample_number;
  81058. /**< The sample number of the target frame. */
  81059. FLAC__uint64 stream_offset;
  81060. /**< The offset, in bytes, of the target frame with respect to
  81061. * beginning of the first frame. */
  81062. unsigned frame_samples;
  81063. /**< The number of samples in the target frame. */
  81064. } FLAC__StreamMetadata_SeekPoint;
  81065. extern FLAC_API const unsigned FLAC__STREAM_METADATA_SEEKPOINT_SAMPLE_NUMBER_LEN; /**< == 64 (bits) */
  81066. extern FLAC_API const unsigned FLAC__STREAM_METADATA_SEEKPOINT_STREAM_OFFSET_LEN; /**< == 64 (bits) */
  81067. extern FLAC_API const unsigned FLAC__STREAM_METADATA_SEEKPOINT_FRAME_SAMPLES_LEN; /**< == 16 (bits) */
  81068. /** The total stream length of a seek point in bytes. */
  81069. #define FLAC__STREAM_METADATA_SEEKPOINT_LENGTH (18u)
  81070. /** The value used in the \a sample_number field of
  81071. * FLAC__StreamMetadataSeekPoint used to indicate a placeholder
  81072. * point (== 0xffffffffffffffff).
  81073. */
  81074. extern FLAC_API const FLAC__uint64 FLAC__STREAM_METADATA_SEEKPOINT_PLACEHOLDER;
  81075. /** FLAC SEEKTABLE structure. (c.f. <A HREF="../format.html#metadata_block_seektable">format specification</A>)
  81076. *
  81077. * \note From the format specification:
  81078. * - The seek points must be sorted by ascending sample number.
  81079. * - Each seek point's sample number must be the first sample of the
  81080. * target frame.
  81081. * - Each seek point's sample number must be unique within the table.
  81082. * - Existence of a SEEKTABLE block implies a correct setting of
  81083. * total_samples in the stream_info block.
  81084. * - Behavior is undefined when more than one SEEKTABLE block is
  81085. * present in a stream.
  81086. */
  81087. typedef struct {
  81088. unsigned num_points;
  81089. FLAC__StreamMetadata_SeekPoint *points;
  81090. } FLAC__StreamMetadata_SeekTable;
  81091. /** Vorbis comment entry structure used in VORBIS_COMMENT blocks. (c.f. <A HREF="../format.html#metadata_block_vorbis_comment">format specification</A>)
  81092. *
  81093. * For convenience, the APIs maintain a trailing NUL character at the end of
  81094. * \a entry which is not counted toward \a length, i.e.
  81095. * \code strlen(entry) == length \endcode
  81096. */
  81097. typedef struct {
  81098. FLAC__uint32 length;
  81099. FLAC__byte *entry;
  81100. } FLAC__StreamMetadata_VorbisComment_Entry;
  81101. extern FLAC_API const unsigned FLAC__STREAM_METADATA_VORBIS_COMMENT_ENTRY_LENGTH_LEN; /**< == 32 (bits) */
  81102. /** FLAC VORBIS_COMMENT structure. (c.f. <A HREF="../format.html#metadata_block_vorbis_comment">format specification</A>)
  81103. */
  81104. typedef struct {
  81105. FLAC__StreamMetadata_VorbisComment_Entry vendor_string;
  81106. FLAC__uint32 num_comments;
  81107. FLAC__StreamMetadata_VorbisComment_Entry *comments;
  81108. } FLAC__StreamMetadata_VorbisComment;
  81109. extern FLAC_API const unsigned FLAC__STREAM_METADATA_VORBIS_COMMENT_NUM_COMMENTS_LEN; /**< == 32 (bits) */
  81110. /** FLAC CUESHEET track index structure. (See the
  81111. * <A HREF="../format.html#cuesheet_track_index">format specification</A> for
  81112. * the full description of each field.)
  81113. */
  81114. typedef struct {
  81115. FLAC__uint64 offset;
  81116. /**< Offset in samples, relative to the track offset, of the index
  81117. * point.
  81118. */
  81119. FLAC__byte number;
  81120. /**< The index point number. */
  81121. } FLAC__StreamMetadata_CueSheet_Index;
  81122. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_INDEX_OFFSET_LEN; /**< == 64 (bits) */
  81123. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_INDEX_NUMBER_LEN; /**< == 8 (bits) */
  81124. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_INDEX_RESERVED_LEN; /**< == 3*8 (bits) */
  81125. /** FLAC CUESHEET track structure. (See the
  81126. * <A HREF="../format.html#cuesheet_track">format specification</A> for
  81127. * the full description of each field.)
  81128. */
  81129. typedef struct {
  81130. FLAC__uint64 offset;
  81131. /**< Track offset in samples, relative to the beginning of the FLAC audio stream. */
  81132. FLAC__byte number;
  81133. /**< The track number. */
  81134. char isrc[13];
  81135. /**< Track ISRC. This is a 12-digit alphanumeric code plus a trailing \c NUL byte */
  81136. unsigned type:1;
  81137. /**< The track type: 0 for audio, 1 for non-audio. */
  81138. unsigned pre_emphasis:1;
  81139. /**< The pre-emphasis flag: 0 for no pre-emphasis, 1 for pre-emphasis. */
  81140. FLAC__byte num_indices;
  81141. /**< The number of track index points. */
  81142. FLAC__StreamMetadata_CueSheet_Index *indices;
  81143. /**< NULL if num_indices == 0, else pointer to array of index points. */
  81144. } FLAC__StreamMetadata_CueSheet_Track;
  81145. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_OFFSET_LEN; /**< == 64 (bits) */
  81146. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_NUMBER_LEN; /**< == 8 (bits) */
  81147. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_ISRC_LEN; /**< == 12*8 (bits) */
  81148. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_TYPE_LEN; /**< == 1 (bit) */
  81149. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_PRE_EMPHASIS_LEN; /**< == 1 (bit) */
  81150. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_RESERVED_LEN; /**< == 6+13*8 (bits) */
  81151. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_NUM_INDICES_LEN; /**< == 8 (bits) */
  81152. /** FLAC CUESHEET structure. (See the
  81153. * <A HREF="../format.html#metadata_block_cuesheet">format specification</A>
  81154. * for the full description of each field.)
  81155. */
  81156. typedef struct {
  81157. char media_catalog_number[129];
  81158. /**< Media catalog number, in ASCII printable characters 0x20-0x7e. In
  81159. * general, the media catalog number may be 0 to 128 bytes long; any
  81160. * unused characters should be right-padded with NUL characters.
  81161. */
  81162. FLAC__uint64 lead_in;
  81163. /**< The number of lead-in samples. */
  81164. FLAC__bool is_cd;
  81165. /**< \c true if CUESHEET corresponds to a Compact Disc, else \c false. */
  81166. unsigned num_tracks;
  81167. /**< The number of tracks. */
  81168. FLAC__StreamMetadata_CueSheet_Track *tracks;
  81169. /**< NULL if num_tracks == 0, else pointer to array of tracks. */
  81170. } FLAC__StreamMetadata_CueSheet;
  81171. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_MEDIA_CATALOG_NUMBER_LEN; /**< == 128*8 (bits) */
  81172. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_LEAD_IN_LEN; /**< == 64 (bits) */
  81173. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_IS_CD_LEN; /**< == 1 (bit) */
  81174. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_RESERVED_LEN; /**< == 7+258*8 (bits) */
  81175. extern FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_NUM_TRACKS_LEN; /**< == 8 (bits) */
  81176. /** An enumeration of the PICTURE types (see FLAC__StreamMetadataPicture and id3 v2.4 APIC tag). */
  81177. typedef enum {
  81178. FLAC__STREAM_METADATA_PICTURE_TYPE_OTHER = 0, /**< Other */
  81179. FLAC__STREAM_METADATA_PICTURE_TYPE_FILE_ICON_STANDARD = 1, /**< 32x32 pixels 'file icon' (PNG only) */
  81180. FLAC__STREAM_METADATA_PICTURE_TYPE_FILE_ICON = 2, /**< Other file icon */
  81181. FLAC__STREAM_METADATA_PICTURE_TYPE_FRONT_COVER = 3, /**< Cover (front) */
  81182. FLAC__STREAM_METADATA_PICTURE_TYPE_BACK_COVER = 4, /**< Cover (back) */
  81183. FLAC__STREAM_METADATA_PICTURE_TYPE_LEAFLET_PAGE = 5, /**< Leaflet page */
  81184. FLAC__STREAM_METADATA_PICTURE_TYPE_MEDIA = 6, /**< Media (e.g. label side of CD) */
  81185. FLAC__STREAM_METADATA_PICTURE_TYPE_LEAD_ARTIST = 7, /**< Lead artist/lead performer/soloist */
  81186. FLAC__STREAM_METADATA_PICTURE_TYPE_ARTIST = 8, /**< Artist/performer */
  81187. FLAC__STREAM_METADATA_PICTURE_TYPE_CONDUCTOR = 9, /**< Conductor */
  81188. FLAC__STREAM_METADATA_PICTURE_TYPE_BAND = 10, /**< Band/Orchestra */
  81189. FLAC__STREAM_METADATA_PICTURE_TYPE_COMPOSER = 11, /**< Composer */
  81190. FLAC__STREAM_METADATA_PICTURE_TYPE_LYRICIST = 12, /**< Lyricist/text writer */
  81191. FLAC__STREAM_METADATA_PICTURE_TYPE_RECORDING_LOCATION = 13, /**< Recording Location */
  81192. FLAC__STREAM_METADATA_PICTURE_TYPE_DURING_RECORDING = 14, /**< During recording */
  81193. FLAC__STREAM_METADATA_PICTURE_TYPE_DURING_PERFORMANCE = 15, /**< During performance */
  81194. FLAC__STREAM_METADATA_PICTURE_TYPE_VIDEO_SCREEN_CAPTURE = 16, /**< Movie/video screen capture */
  81195. FLAC__STREAM_METADATA_PICTURE_TYPE_FISH = 17, /**< A bright coloured fish */
  81196. FLAC__STREAM_METADATA_PICTURE_TYPE_ILLUSTRATION = 18, /**< Illustration */
  81197. FLAC__STREAM_METADATA_PICTURE_TYPE_BAND_LOGOTYPE = 19, /**< Band/artist logotype */
  81198. FLAC__STREAM_METADATA_PICTURE_TYPE_PUBLISHER_LOGOTYPE = 20, /**< Publisher/Studio logotype */
  81199. FLAC__STREAM_METADATA_PICTURE_TYPE_UNDEFINED
  81200. } FLAC__StreamMetadata_Picture_Type;
  81201. /** Maps a FLAC__StreamMetadata_Picture_Type to a C string.
  81202. *
  81203. * Using a FLAC__StreamMetadata_Picture_Type as the index to this array
  81204. * will give the string equivalent. The contents should not be
  81205. * modified.
  81206. */
  81207. extern FLAC_API const char * const FLAC__StreamMetadata_Picture_TypeString[];
  81208. /** FLAC PICTURE structure. (See the
  81209. * <A HREF="../format.html#metadata_block_picture">format specification</A>
  81210. * for the full description of each field.)
  81211. */
  81212. typedef struct {
  81213. FLAC__StreamMetadata_Picture_Type type;
  81214. /**< The kind of picture stored. */
  81215. char *mime_type;
  81216. /**< Picture data's MIME type, in ASCII printable characters
  81217. * 0x20-0x7e, NUL terminated. For best compatibility with players,
  81218. * use picture data of MIME type \c image/jpeg or \c image/png. A
  81219. * MIME type of '-->' is also allowed, in which case the picture
  81220. * data should be a complete URL. In file storage, the MIME type is
  81221. * stored as a 32-bit length followed by the ASCII string with no NUL
  81222. * terminator, but is converted to a plain C string in this structure
  81223. * for convenience.
  81224. */
  81225. FLAC__byte *description;
  81226. /**< Picture's description in UTF-8, NUL terminated. In file storage,
  81227. * the description is stored as a 32-bit length followed by the UTF-8
  81228. * string with no NUL terminator, but is converted to a plain C string
  81229. * in this structure for convenience.
  81230. */
  81231. FLAC__uint32 width;
  81232. /**< Picture's width in pixels. */
  81233. FLAC__uint32 height;
  81234. /**< Picture's height in pixels. */
  81235. FLAC__uint32 depth;
  81236. /**< Picture's color depth in bits-per-pixel. */
  81237. FLAC__uint32 colors;
  81238. /**< For indexed palettes (like GIF), picture's number of colors (the
  81239. * number of palette entries), or \c 0 for non-indexed (i.e. 2^depth).
  81240. */
  81241. FLAC__uint32 data_length;
  81242. /**< Length of binary picture data in bytes. */
  81243. FLAC__byte *data;
  81244. /**< Binary picture data. */
  81245. } FLAC__StreamMetadata_Picture;
  81246. extern FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_TYPE_LEN; /**< == 32 (bits) */
  81247. extern FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_MIME_TYPE_LENGTH_LEN; /**< == 32 (bits) */
  81248. extern FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_DESCRIPTION_LENGTH_LEN; /**< == 32 (bits) */
  81249. extern FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_WIDTH_LEN; /**< == 32 (bits) */
  81250. extern FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_HEIGHT_LEN; /**< == 32 (bits) */
  81251. extern FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_DEPTH_LEN; /**< == 32 (bits) */
  81252. extern FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_COLORS_LEN; /**< == 32 (bits) */
  81253. extern FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_DATA_LENGTH_LEN; /**< == 32 (bits) */
  81254. /** Structure that is used when a metadata block of unknown type is loaded.
  81255. * The contents are opaque. The structure is used only internally to
  81256. * correctly handle unknown metadata.
  81257. */
  81258. typedef struct {
  81259. FLAC__byte *data;
  81260. } FLAC__StreamMetadata_Unknown;
  81261. /** FLAC metadata block structure. (c.f. <A HREF="../format.html#metadata_block">format specification</A>)
  81262. */
  81263. typedef struct {
  81264. FLAC__MetadataType type;
  81265. /**< The type of the metadata block; used determine which member of the
  81266. * \a data union to dereference. If type >= FLAC__METADATA_TYPE_UNDEFINED
  81267. * then \a data.unknown must be used. */
  81268. FLAC__bool is_last;
  81269. /**< \c true if this metadata block is the last, else \a false */
  81270. unsigned length;
  81271. /**< Length, in bytes, of the block data as it appears in the stream. */
  81272. union {
  81273. FLAC__StreamMetadata_StreamInfo stream_info;
  81274. FLAC__StreamMetadata_Padding padding;
  81275. FLAC__StreamMetadata_Application application;
  81276. FLAC__StreamMetadata_SeekTable seek_table;
  81277. FLAC__StreamMetadata_VorbisComment vorbis_comment;
  81278. FLAC__StreamMetadata_CueSheet cue_sheet;
  81279. FLAC__StreamMetadata_Picture picture;
  81280. FLAC__StreamMetadata_Unknown unknown;
  81281. } data;
  81282. /**< Polymorphic block data; use the \a type value to determine which
  81283. * to use. */
  81284. } FLAC__StreamMetadata;
  81285. extern FLAC_API const unsigned FLAC__STREAM_METADATA_IS_LAST_LEN; /**< == 1 (bit) */
  81286. extern FLAC_API const unsigned FLAC__STREAM_METADATA_TYPE_LEN; /**< == 7 (bits) */
  81287. extern FLAC_API const unsigned FLAC__STREAM_METADATA_LENGTH_LEN; /**< == 24 (bits) */
  81288. /** The total stream length of a metadata block header in bytes. */
  81289. #define FLAC__STREAM_METADATA_HEADER_LENGTH (4u)
  81290. /*****************************************************************************/
  81291. /*****************************************************************************
  81292. *
  81293. * Utility functions
  81294. *
  81295. *****************************************************************************/
  81296. /** Tests that a sample rate is valid for FLAC.
  81297. *
  81298. * \param sample_rate The sample rate to test for compliance.
  81299. * \retval FLAC__bool
  81300. * \c true if the given sample rate conforms to the specification, else
  81301. * \c false.
  81302. */
  81303. FLAC_API FLAC__bool FLAC__format_sample_rate_is_valid(unsigned sample_rate);
  81304. /** Tests that a sample rate is valid for the FLAC subset. The subset rules
  81305. * for valid sample rates are slightly more complex since the rate has to
  81306. * be expressible completely in the frame header.
  81307. *
  81308. * \param sample_rate The sample rate to test for compliance.
  81309. * \retval FLAC__bool
  81310. * \c true if the given sample rate conforms to the specification for the
  81311. * subset, else \c false.
  81312. */
  81313. FLAC_API FLAC__bool FLAC__format_sample_rate_is_subset(unsigned sample_rate);
  81314. /** Check a Vorbis comment entry name to see if it conforms to the Vorbis
  81315. * comment specification.
  81316. *
  81317. * Vorbis comment names must be composed only of characters from
  81318. * [0x20-0x3C,0x3E-0x7D].
  81319. *
  81320. * \param name A NUL-terminated string to be checked.
  81321. * \assert
  81322. * \code name != NULL \endcode
  81323. * \retval FLAC__bool
  81324. * \c false if entry name is illegal, else \c true.
  81325. */
  81326. FLAC_API FLAC__bool FLAC__format_vorbiscomment_entry_name_is_legal(const char *name);
  81327. /** Check a Vorbis comment entry value to see if it conforms to the Vorbis
  81328. * comment specification.
  81329. *
  81330. * Vorbis comment values must be valid UTF-8 sequences.
  81331. *
  81332. * \param value A string to be checked.
  81333. * \param length A the length of \a value in bytes. May be
  81334. * \c (unsigned)(-1) to indicate that \a value is a plain
  81335. * UTF-8 NUL-terminated string.
  81336. * \assert
  81337. * \code value != NULL \endcode
  81338. * \retval FLAC__bool
  81339. * \c false if entry name is illegal, else \c true.
  81340. */
  81341. FLAC_API FLAC__bool FLAC__format_vorbiscomment_entry_value_is_legal(const FLAC__byte *value, unsigned length);
  81342. /** Check a Vorbis comment entry to see if it conforms to the Vorbis
  81343. * comment specification.
  81344. *
  81345. * Vorbis comment entries must be of the form 'name=value', and 'name' and
  81346. * 'value' must be legal according to
  81347. * FLAC__format_vorbiscomment_entry_name_is_legal() and
  81348. * FLAC__format_vorbiscomment_entry_value_is_legal() respectively.
  81349. *
  81350. * \param entry An entry to be checked.
  81351. * \param length The length of \a entry in bytes.
  81352. * \assert
  81353. * \code value != NULL \endcode
  81354. * \retval FLAC__bool
  81355. * \c false if entry name is illegal, else \c true.
  81356. */
  81357. FLAC_API FLAC__bool FLAC__format_vorbiscomment_entry_is_legal(const FLAC__byte *entry, unsigned length);
  81358. /** Check a seek table to see if it conforms to the FLAC specification.
  81359. * See the format specification for limits on the contents of the
  81360. * seek table.
  81361. *
  81362. * \param seek_table A pointer to a seek table to be checked.
  81363. * \assert
  81364. * \code seek_table != NULL \endcode
  81365. * \retval FLAC__bool
  81366. * \c false if seek table is illegal, else \c true.
  81367. */
  81368. FLAC_API FLAC__bool FLAC__format_seektable_is_legal(const FLAC__StreamMetadata_SeekTable *seek_table);
  81369. /** Sort a seek table's seek points according to the format specification.
  81370. * This includes a "unique-ification" step to remove duplicates, i.e.
  81371. * seek points with identical \a sample_number values. Duplicate seek
  81372. * points are converted into placeholder points and sorted to the end of
  81373. * the table.
  81374. *
  81375. * \param seek_table A pointer to a seek table to be sorted.
  81376. * \assert
  81377. * \code seek_table != NULL \endcode
  81378. * \retval unsigned
  81379. * The number of duplicate seek points converted into placeholders.
  81380. */
  81381. FLAC_API unsigned FLAC__format_seektable_sort(FLAC__StreamMetadata_SeekTable *seek_table);
  81382. /** Check a cue sheet to see if it conforms to the FLAC specification.
  81383. * See the format specification for limits on the contents of the
  81384. * cue sheet.
  81385. *
  81386. * \param cue_sheet A pointer to an existing cue sheet to be checked.
  81387. * \param check_cd_da_subset If \c true, check CUESHEET against more
  81388. * stringent requirements for a CD-DA (audio) disc.
  81389. * \param violation Address of a pointer to a string. If there is a
  81390. * violation, a pointer to a string explanation of the
  81391. * violation will be returned here. \a violation may be
  81392. * \c NULL if you don't need the returned string. Do not
  81393. * free the returned string; it will always point to static
  81394. * data.
  81395. * \assert
  81396. * \code cue_sheet != NULL \endcode
  81397. * \retval FLAC__bool
  81398. * \c false if cue sheet is illegal, else \c true.
  81399. */
  81400. FLAC_API FLAC__bool FLAC__format_cuesheet_is_legal(const FLAC__StreamMetadata_CueSheet *cue_sheet, FLAC__bool check_cd_da_subset, const char **violation);
  81401. /** Check picture data to see if it conforms to the FLAC specification.
  81402. * See the format specification for limits on the contents of the
  81403. * PICTURE block.
  81404. *
  81405. * \param picture A pointer to existing picture data to be checked.
  81406. * \param violation Address of a pointer to a string. If there is a
  81407. * violation, a pointer to a string explanation of the
  81408. * violation will be returned here. \a violation may be
  81409. * \c NULL if you don't need the returned string. Do not
  81410. * free the returned string; it will always point to static
  81411. * data.
  81412. * \assert
  81413. * \code picture != NULL \endcode
  81414. * \retval FLAC__bool
  81415. * \c false if picture data is illegal, else \c true.
  81416. */
  81417. FLAC_API FLAC__bool FLAC__format_picture_is_legal(const FLAC__StreamMetadata_Picture *picture, const char **violation);
  81418. /* \} */
  81419. #ifdef __cplusplus
  81420. }
  81421. #endif
  81422. #endif
  81423. /********* End of inlined file: format.h *********/
  81424. /********* Start of inlined file: metadata.h *********/
  81425. #ifndef FLAC__METADATA_H
  81426. #define FLAC__METADATA_H
  81427. #include <sys/types.h> /* for off_t */
  81428. /* --------------------------------------------------------------------
  81429. (For an example of how all these routines are used, see the source
  81430. code for the unit tests in src/test_libFLAC/metadata_*.c, or
  81431. metaflac in src/metaflac/)
  81432. ------------------------------------------------------------------*/
  81433. /** \file include/FLAC/metadata.h
  81434. *
  81435. * \brief
  81436. * This module provides functions for creating and manipulating FLAC
  81437. * metadata blocks in memory, and three progressively more powerful
  81438. * interfaces for traversing and editing metadata in FLAC files.
  81439. *
  81440. * See the detailed documentation for each interface in the
  81441. * \link flac_metadata metadata \endlink module.
  81442. */
  81443. /** \defgroup flac_metadata FLAC/metadata.h: metadata interfaces
  81444. * \ingroup flac
  81445. *
  81446. * \brief
  81447. * This module provides functions for creating and manipulating FLAC
  81448. * metadata blocks in memory, and three progressively more powerful
  81449. * interfaces for traversing and editing metadata in native FLAC files.
  81450. * Note that currently only the Chain interface (level 2) supports Ogg
  81451. * FLAC files, and it is read-only i.e. no writing back changed
  81452. * metadata to file.
  81453. *
  81454. * There are three metadata interfaces of increasing complexity:
  81455. *
  81456. * Level 0:
  81457. * Read-only access to the STREAMINFO, VORBIS_COMMENT, CUESHEET, and
  81458. * PICTURE blocks.
  81459. *
  81460. * Level 1:
  81461. * Read-write access to all metadata blocks. This level is write-
  81462. * efficient in most cases (more on this below), and uses less memory
  81463. * than level 2.
  81464. *
  81465. * Level 2:
  81466. * Read-write access to all metadata blocks. This level is write-
  81467. * efficient in all cases, but uses more memory since all metadata for
  81468. * the whole file is read into memory and manipulated before writing
  81469. * out again.
  81470. *
  81471. * What do we mean by efficient? Since FLAC metadata appears at the
  81472. * beginning of the file, when writing metadata back to a FLAC file
  81473. * it is possible to grow or shrink the metadata such that the entire
  81474. * file must be rewritten. However, if the size remains the same during
  81475. * changes or PADDING blocks are utilized, only the metadata needs to be
  81476. * overwritten, which is much faster.
  81477. *
  81478. * Efficient means the whole file is rewritten at most one time, and only
  81479. * when necessary. Level 1 is not efficient only in the case that you
  81480. * cause more than one metadata block to grow or shrink beyond what can
  81481. * be accomodated by padding. In this case you should probably use level
  81482. * 2, which allows you to edit all the metadata for a file in memory and
  81483. * write it out all at once.
  81484. *
  81485. * All levels know how to skip over and not disturb an ID3v2 tag at the
  81486. * front of the file.
  81487. *
  81488. * All levels access files via their filenames. In addition, level 2
  81489. * has additional alternative read and write functions that take an I/O
  81490. * handle and callbacks, for situations where access by filename is not
  81491. * possible.
  81492. *
  81493. * In addition to the three interfaces, this module defines functions for
  81494. * creating and manipulating various metadata objects in memory. As we see
  81495. * from the Format module, FLAC metadata blocks in memory are very primitive
  81496. * structures for storing information in an efficient way. Reading
  81497. * information from the structures is easy but creating or modifying them
  81498. * directly is more complex. The metadata object routines here facilitate
  81499. * this by taking care of the consistency and memory management drudgery.
  81500. *
  81501. * Unless you will be using the level 1 or 2 interfaces to modify existing
  81502. * metadata however, you will not probably not need these.
  81503. *
  81504. * From a dependency standpoint, none of the encoders or decoders require
  81505. * the metadata module. This is so that embedded users can strip out the
  81506. * metadata module from libFLAC to reduce the size and complexity.
  81507. */
  81508. #ifdef __cplusplus
  81509. extern "C" {
  81510. #endif
  81511. /** \defgroup flac_metadata_level0 FLAC/metadata.h: metadata level 0 interface
  81512. * \ingroup flac_metadata
  81513. *
  81514. * \brief
  81515. * The level 0 interface consists of individual routines to read the
  81516. * STREAMINFO, VORBIS_COMMENT, CUESHEET, and PICTURE blocks, requiring
  81517. * only a filename.
  81518. *
  81519. * They try to skip any ID3v2 tag at the head of the file.
  81520. *
  81521. * \{
  81522. */
  81523. /** Read the STREAMINFO metadata block of the given FLAC file. This function
  81524. * will try to skip any ID3v2 tag at the head of the file.
  81525. *
  81526. * \param filename The path to the FLAC file to read.
  81527. * \param streaminfo A pointer to space for the STREAMINFO block. Since
  81528. * FLAC__StreamMetadata is a simple structure with no
  81529. * memory allocation involved, you pass the address of
  81530. * an existing structure. It need not be initialized.
  81531. * \assert
  81532. * \code filename != NULL \endcode
  81533. * \code streaminfo != NULL \endcode
  81534. * \retval FLAC__bool
  81535. * \c true if a valid STREAMINFO block was read from \a filename. Returns
  81536. * \c false if there was a memory allocation error, a file decoder error,
  81537. * or the file contained no STREAMINFO block. (A memory allocation error
  81538. * is possible because this function must set up a file decoder.)
  81539. */
  81540. FLAC_API FLAC__bool FLAC__metadata_get_streaminfo(const char *filename, FLAC__StreamMetadata *streaminfo);
  81541. /** Read the VORBIS_COMMENT metadata block of the given FLAC file. This
  81542. * function will try to skip any ID3v2 tag at the head of the file.
  81543. *
  81544. * \param filename The path to the FLAC file to read.
  81545. * \param tags The address where the returned pointer will be
  81546. * stored. The \a tags object must be deleted by
  81547. * the caller using FLAC__metadata_object_delete().
  81548. * \assert
  81549. * \code filename != NULL \endcode
  81550. * \code tags != NULL \endcode
  81551. * \retval FLAC__bool
  81552. * \c true if a valid VORBIS_COMMENT block was read from \a filename,
  81553. * and \a *tags will be set to the address of the metadata structure.
  81554. * Returns \c false if there was a memory allocation error, a file
  81555. * decoder error, or the file contained no VORBIS_COMMENT block, and
  81556. * \a *tags will be set to \c NULL.
  81557. */
  81558. FLAC_API FLAC__bool FLAC__metadata_get_tags(const char *filename, FLAC__StreamMetadata **tags);
  81559. /** Read the CUESHEET metadata block of the given FLAC file. This
  81560. * function will try to skip any ID3v2 tag at the head of the file.
  81561. *
  81562. * \param filename The path to the FLAC file to read.
  81563. * \param cuesheet The address where the returned pointer will be
  81564. * stored. The \a cuesheet object must be deleted by
  81565. * the caller using FLAC__metadata_object_delete().
  81566. * \assert
  81567. * \code filename != NULL \endcode
  81568. * \code cuesheet != NULL \endcode
  81569. * \retval FLAC__bool
  81570. * \c true if a valid CUESHEET block was read from \a filename,
  81571. * and \a *cuesheet will be set to the address of the metadata
  81572. * structure. Returns \c false if there was a memory allocation
  81573. * error, a file decoder error, or the file contained no CUESHEET
  81574. * block, and \a *cuesheet will be set to \c NULL.
  81575. */
  81576. FLAC_API FLAC__bool FLAC__metadata_get_cuesheet(const char *filename, FLAC__StreamMetadata **cuesheet);
  81577. /** Read a PICTURE metadata block of the given FLAC file. This
  81578. * function will try to skip any ID3v2 tag at the head of the file.
  81579. * Since there can be more than one PICTURE block in a file, this
  81580. * function takes a number of parameters that act as constraints to
  81581. * the search. The PICTURE block with the largest area matching all
  81582. * the constraints will be returned, or \a *picture will be set to
  81583. * \c NULL if there was no such block.
  81584. *
  81585. * \param filename The path to the FLAC file to read.
  81586. * \param picture The address where the returned pointer will be
  81587. * stored. The \a picture object must be deleted by
  81588. * the caller using FLAC__metadata_object_delete().
  81589. * \param type The desired picture type. Use \c -1 to mean
  81590. * "any type".
  81591. * \param mime_type The desired MIME type, e.g. "image/jpeg". The
  81592. * string will be matched exactly. Use \c NULL to
  81593. * mean "any MIME type".
  81594. * \param description The desired description. The string will be
  81595. * matched exactly. Use \c NULL to mean "any
  81596. * description".
  81597. * \param max_width The maximum width in pixels desired. Use
  81598. * \c (unsigned)(-1) to mean "any width".
  81599. * \param max_height The maximum height in pixels desired. Use
  81600. * \c (unsigned)(-1) to mean "any height".
  81601. * \param max_depth The maximum color depth in bits-per-pixel desired.
  81602. * Use \c (unsigned)(-1) to mean "any depth".
  81603. * \param max_colors The maximum number of colors desired. Use
  81604. * \c (unsigned)(-1) to mean "any number of colors".
  81605. * \assert
  81606. * \code filename != NULL \endcode
  81607. * \code picture != NULL \endcode
  81608. * \retval FLAC__bool
  81609. * \c true if a valid PICTURE block was read from \a filename,
  81610. * and \a *picture will be set to the address of the metadata
  81611. * structure. Returns \c false if there was a memory allocation
  81612. * error, a file decoder error, or the file contained no PICTURE
  81613. * block, and \a *picture will be set to \c NULL.
  81614. */
  81615. FLAC_API FLAC__bool FLAC__metadata_get_picture(const char *filename, FLAC__StreamMetadata **picture, FLAC__StreamMetadata_Picture_Type type, const char *mime_type, const FLAC__byte *description, unsigned max_width, unsigned max_height, unsigned max_depth, unsigned max_colors);
  81616. /* \} */
  81617. /** \defgroup flac_metadata_level1 FLAC/metadata.h: metadata level 1 interface
  81618. * \ingroup flac_metadata
  81619. *
  81620. * \brief
  81621. * The level 1 interface provides read-write access to FLAC file metadata and
  81622. * operates directly on the FLAC file.
  81623. *
  81624. * The general usage of this interface is:
  81625. *
  81626. * - Create an iterator using FLAC__metadata_simple_iterator_new()
  81627. * - Attach it to a file using FLAC__metadata_simple_iterator_init() and check
  81628. * the exit code. Call FLAC__metadata_simple_iterator_is_writable() to
  81629. * see if the file is writable, or only read access is allowed.
  81630. * - Use FLAC__metadata_simple_iterator_next() and
  81631. * FLAC__metadata_simple_iterator_prev() to traverse the blocks.
  81632. * This is does not read the actual blocks themselves.
  81633. * FLAC__metadata_simple_iterator_next() is relatively fast.
  81634. * FLAC__metadata_simple_iterator_prev() is slower since it needs to search
  81635. * forward from the front of the file.
  81636. * - Use FLAC__metadata_simple_iterator_get_block_type() or
  81637. * FLAC__metadata_simple_iterator_get_block() to access the actual data at
  81638. * the current iterator position. The returned object is yours to modify
  81639. * and free.
  81640. * - Use FLAC__metadata_simple_iterator_set_block() to write a modified block
  81641. * back. You must have write permission to the original file. Make sure to
  81642. * read the whole comment to FLAC__metadata_simple_iterator_set_block()
  81643. * below.
  81644. * - Use FLAC__metadata_simple_iterator_insert_block_after() to add new blocks.
  81645. * Use the object creation functions from
  81646. * \link flac_metadata_object here \endlink to generate new objects.
  81647. * - Use FLAC__metadata_simple_iterator_delete_block() to remove the block
  81648. * currently referred to by the iterator, or replace it with padding.
  81649. * - Destroy the iterator with FLAC__metadata_simple_iterator_delete() when
  81650. * finished.
  81651. *
  81652. * \note
  81653. * The FLAC file remains open the whole time between
  81654. * FLAC__metadata_simple_iterator_init() and
  81655. * FLAC__metadata_simple_iterator_delete(), so make sure you are not altering
  81656. * the file during this time.
  81657. *
  81658. * \note
  81659. * Do not modify the \a is_last, \a length, or \a type fields of returned
  81660. * FLAC__StreamMetadata objects. These are managed automatically.
  81661. *
  81662. * \note
  81663. * If any of the modification functions
  81664. * (FLAC__metadata_simple_iterator_set_block(),
  81665. * FLAC__metadata_simple_iterator_delete_block(),
  81666. * FLAC__metadata_simple_iterator_insert_block_after(), etc.) return \c false,
  81667. * you should delete the iterator as it may no longer be valid.
  81668. *
  81669. * \{
  81670. */
  81671. struct FLAC__Metadata_SimpleIterator;
  81672. /** The opaque structure definition for the level 1 iterator type.
  81673. * See the
  81674. * \link flac_metadata_level1 metadata level 1 module \endlink
  81675. * for a detailed description.
  81676. */
  81677. typedef struct FLAC__Metadata_SimpleIterator FLAC__Metadata_SimpleIterator;
  81678. /** Status type for FLAC__Metadata_SimpleIterator.
  81679. *
  81680. * The iterator's current status can be obtained by calling FLAC__metadata_simple_iterator_status().
  81681. */
  81682. typedef enum {
  81683. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_OK = 0,
  81684. /**< The iterator is in the normal OK state */
  81685. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_ILLEGAL_INPUT,
  81686. /**< The data passed into a function violated the function's usage criteria */
  81687. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_ERROR_OPENING_FILE,
  81688. /**< The iterator could not open the target file */
  81689. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_NOT_A_FLAC_FILE,
  81690. /**< The iterator could not find the FLAC signature at the start of the file */
  81691. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_NOT_WRITABLE,
  81692. /**< The iterator tried to write to a file that was not writable */
  81693. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_BAD_METADATA,
  81694. /**< The iterator encountered input that does not conform to the FLAC metadata specification */
  81695. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_READ_ERROR,
  81696. /**< The iterator encountered an error while reading the FLAC file */
  81697. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_SEEK_ERROR,
  81698. /**< The iterator encountered an error while seeking in the FLAC file */
  81699. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_WRITE_ERROR,
  81700. /**< The iterator encountered an error while writing the FLAC file */
  81701. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_RENAME_ERROR,
  81702. /**< The iterator encountered an error renaming the FLAC file */
  81703. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_UNLINK_ERROR,
  81704. /**< The iterator encountered an error removing the temporary file */
  81705. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_MEMORY_ALLOCATION_ERROR,
  81706. /**< Memory allocation failed */
  81707. FLAC__METADATA_SIMPLE_ITERATOR_STATUS_INTERNAL_ERROR
  81708. /**< The caller violated an assertion or an unexpected error occurred */
  81709. } FLAC__Metadata_SimpleIteratorStatus;
  81710. /** Maps a FLAC__Metadata_SimpleIteratorStatus to a C string.
  81711. *
  81712. * Using a FLAC__Metadata_SimpleIteratorStatus as the index to this array
  81713. * will give the string equivalent. The contents should not be modified.
  81714. */
  81715. extern FLAC_API const char * const FLAC__Metadata_SimpleIteratorStatusString[];
  81716. /** Create a new iterator instance.
  81717. *
  81718. * \retval FLAC__Metadata_SimpleIterator*
  81719. * \c NULL if there was an error allocating memory, else the new instance.
  81720. */
  81721. FLAC_API FLAC__Metadata_SimpleIterator *FLAC__metadata_simple_iterator_new(void);
  81722. /** Free an iterator instance. Deletes the object pointed to by \a iterator.
  81723. *
  81724. * \param iterator A pointer to an existing iterator.
  81725. * \assert
  81726. * \code iterator != NULL \endcode
  81727. */
  81728. FLAC_API void FLAC__metadata_simple_iterator_delete(FLAC__Metadata_SimpleIterator *iterator);
  81729. /** Get the current status of the iterator. Call this after a function
  81730. * returns \c false to get the reason for the error. Also resets the status
  81731. * to FLAC__METADATA_SIMPLE_ITERATOR_STATUS_OK.
  81732. *
  81733. * \param iterator A pointer to an existing iterator.
  81734. * \assert
  81735. * \code iterator != NULL \endcode
  81736. * \retval FLAC__Metadata_SimpleIteratorStatus
  81737. * The current status of the iterator.
  81738. */
  81739. FLAC_API FLAC__Metadata_SimpleIteratorStatus FLAC__metadata_simple_iterator_status(FLAC__Metadata_SimpleIterator *iterator);
  81740. /** Initialize the iterator to point to the first metadata block in the
  81741. * given FLAC file.
  81742. *
  81743. * \param iterator A pointer to an existing iterator.
  81744. * \param filename The path to the FLAC file.
  81745. * \param read_only If \c true, the FLAC file will be opened
  81746. * in read-only mode; if \c false, the FLAC
  81747. * file will be opened for edit even if no
  81748. * edits are performed.
  81749. * \param preserve_file_stats If \c true, the owner and modification
  81750. * time will be preserved even if the FLAC
  81751. * file is written to.
  81752. * \assert
  81753. * \code iterator != NULL \endcode
  81754. * \code filename != NULL \endcode
  81755. * \retval FLAC__bool
  81756. * \c false if a memory allocation error occurs, the file can't be
  81757. * opened, or another error occurs, else \c true.
  81758. */
  81759. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_init(FLAC__Metadata_SimpleIterator *iterator, const char *filename, FLAC__bool read_only, FLAC__bool preserve_file_stats);
  81760. /** Returns \c true if the FLAC file is writable. If \c false, calls to
  81761. * FLAC__metadata_simple_iterator_set_block() and
  81762. * FLAC__metadata_simple_iterator_insert_block_after() will fail.
  81763. *
  81764. * \param iterator A pointer to an existing iterator.
  81765. * \assert
  81766. * \code iterator != NULL \endcode
  81767. * \retval FLAC__bool
  81768. * See above.
  81769. */
  81770. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_is_writable(const FLAC__Metadata_SimpleIterator *iterator);
  81771. /** Moves the iterator forward one metadata block, returning \c false if
  81772. * already at the end.
  81773. *
  81774. * \param iterator A pointer to an existing initialized iterator.
  81775. * \assert
  81776. * \code iterator != NULL \endcode
  81777. * \a iterator has been successfully initialized with
  81778. * FLAC__metadata_simple_iterator_init()
  81779. * \retval FLAC__bool
  81780. * \c false if already at the last metadata block of the chain, else
  81781. * \c true.
  81782. */
  81783. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_next(FLAC__Metadata_SimpleIterator *iterator);
  81784. /** Moves the iterator backward one metadata block, returning \c false if
  81785. * already at the beginning.
  81786. *
  81787. * \param iterator A pointer to an existing initialized iterator.
  81788. * \assert
  81789. * \code iterator != NULL \endcode
  81790. * \a iterator has been successfully initialized with
  81791. * FLAC__metadata_simple_iterator_init()
  81792. * \retval FLAC__bool
  81793. * \c false if already at the first metadata block of the chain, else
  81794. * \c true.
  81795. */
  81796. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_prev(FLAC__Metadata_SimpleIterator *iterator);
  81797. /** Returns a flag telling if the current metadata block is the last.
  81798. *
  81799. * \param iterator A pointer to an existing initialized iterator.
  81800. * \assert
  81801. * \code iterator != NULL \endcode
  81802. * \a iterator has been successfully initialized with
  81803. * FLAC__metadata_simple_iterator_init()
  81804. * \retval FLAC__bool
  81805. * \c true if the current metadata block is the last in the file,
  81806. * else \c false.
  81807. */
  81808. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_is_last(const FLAC__Metadata_SimpleIterator *iterator);
  81809. /** Get the offset of the metadata block at the current position. This
  81810. * avoids reading the actual block data which can save time for large
  81811. * blocks.
  81812. *
  81813. * \param iterator A pointer to an existing initialized iterator.
  81814. * \assert
  81815. * \code iterator != NULL \endcode
  81816. * \a iterator has been successfully initialized with
  81817. * FLAC__metadata_simple_iterator_init()
  81818. * \retval off_t
  81819. * The offset of the metadata block at the current iterator position.
  81820. * This is the byte offset relative to the beginning of the file of
  81821. * the current metadata block's header.
  81822. */
  81823. FLAC_API off_t FLAC__metadata_simple_iterator_get_block_offset(const FLAC__Metadata_SimpleIterator *iterator);
  81824. /** Get the type of the metadata block at the current position. This
  81825. * avoids reading the actual block data which can save time for large
  81826. * blocks.
  81827. *
  81828. * \param iterator A pointer to an existing initialized iterator.
  81829. * \assert
  81830. * \code iterator != NULL \endcode
  81831. * \a iterator has been successfully initialized with
  81832. * FLAC__metadata_simple_iterator_init()
  81833. * \retval FLAC__MetadataType
  81834. * The type of the metadata block at the current iterator position.
  81835. */
  81836. FLAC_API FLAC__MetadataType FLAC__metadata_simple_iterator_get_block_type(const FLAC__Metadata_SimpleIterator *iterator);
  81837. /** Get the length of the metadata block at the current position. This
  81838. * avoids reading the actual block data which can save time for large
  81839. * blocks.
  81840. *
  81841. * \param iterator A pointer to an existing initialized iterator.
  81842. * \assert
  81843. * \code iterator != NULL \endcode
  81844. * \a iterator has been successfully initialized with
  81845. * FLAC__metadata_simple_iterator_init()
  81846. * \retval unsigned
  81847. * The length of the metadata block at the current iterator position.
  81848. * The is same length as that in the
  81849. * <a href="http://flac.sourceforge.net/format.html#metadata_block_header">metadata block header</a>,
  81850. * i.e. the length of the metadata body that follows the header.
  81851. */
  81852. FLAC_API unsigned FLAC__metadata_simple_iterator_get_block_length(const FLAC__Metadata_SimpleIterator *iterator);
  81853. /** Get the application ID of the \c APPLICATION block at the current
  81854. * position. This avoids reading the actual block data which can save
  81855. * time for large blocks.
  81856. *
  81857. * \param iterator A pointer to an existing initialized iterator.
  81858. * \param id A pointer to a buffer of at least \c 4 bytes where
  81859. * the ID will be stored.
  81860. * \assert
  81861. * \code iterator != NULL \endcode
  81862. * \code id != NULL \endcode
  81863. * \a iterator has been successfully initialized with
  81864. * FLAC__metadata_simple_iterator_init()
  81865. * \retval FLAC__bool
  81866. * \c true if the ID was successfully read, else \c false, in which
  81867. * case you should check FLAC__metadata_simple_iterator_status() to
  81868. * find out why. If the status is
  81869. * \c FLAC__METADATA_SIMPLE_ITERATOR_STATUS_ILLEGAL_INPUT, then the
  81870. * current metadata block is not an \c APPLICATION block. Otherwise
  81871. * if the status is
  81872. * \c FLAC__METADATA_SIMPLE_ITERATOR_STATUS_READ_ERROR or
  81873. * \c FLAC__METADATA_SIMPLE_ITERATOR_STATUS_SEEK_ERROR, an I/O error
  81874. * occurred and the iterator can no longer be used.
  81875. */
  81876. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_get_application_id(FLAC__Metadata_SimpleIterator *iterator, FLAC__byte *id);
  81877. /** Get the metadata block at the current position. You can modify the
  81878. * block but must use FLAC__metadata_simple_iterator_set_block() to
  81879. * write it back to the FLAC file.
  81880. *
  81881. * You must call FLAC__metadata_object_delete() on the returned object
  81882. * when you are finished with it.
  81883. *
  81884. * \param iterator A pointer to an existing initialized iterator.
  81885. * \assert
  81886. * \code iterator != NULL \endcode
  81887. * \a iterator has been successfully initialized with
  81888. * FLAC__metadata_simple_iterator_init()
  81889. * \retval FLAC__StreamMetadata*
  81890. * The current metadata block, or \c NULL if there was a memory
  81891. * allocation error.
  81892. */
  81893. FLAC_API FLAC__StreamMetadata *FLAC__metadata_simple_iterator_get_block(FLAC__Metadata_SimpleIterator *iterator);
  81894. /** Write a block back to the FLAC file. This function tries to be
  81895. * as efficient as possible; how the block is actually written is
  81896. * shown by the following:
  81897. *
  81898. * Existing block is a STREAMINFO block and the new block is a
  81899. * STREAMINFO block: the new block is written in place. Make sure
  81900. * you know what you're doing when changing the values of a
  81901. * STREAMINFO block.
  81902. *
  81903. * Existing block is a STREAMINFO block and the new block is a
  81904. * not a STREAMINFO block: this is an error since the first block
  81905. * must be a STREAMINFO block. Returns \c false without altering the
  81906. * file.
  81907. *
  81908. * Existing block is not a STREAMINFO block and the new block is a
  81909. * STREAMINFO block: this is an error since there may be only one
  81910. * STREAMINFO block. Returns \c false without altering the file.
  81911. *
  81912. * Existing block and new block are the same length: the existing
  81913. * block will be replaced by the new block, written in place.
  81914. *
  81915. * Existing block is longer than new block: if use_padding is \c true,
  81916. * the existing block will be overwritten in place with the new
  81917. * block followed by a PADDING block, if possible, to make the total
  81918. * size the same as the existing block. Remember that a padding
  81919. * block requires at least four bytes so if the difference in size
  81920. * between the new block and existing block is less than that, the
  81921. * entire file will have to be rewritten, using the new block's
  81922. * exact size. If use_padding is \c false, the entire file will be
  81923. * rewritten, replacing the existing block by the new block.
  81924. *
  81925. * Existing block is shorter than new block: if use_padding is \c true,
  81926. * the function will try and expand the new block into the following
  81927. * PADDING block, if it exists and doing so won't shrink the PADDING
  81928. * block to less than 4 bytes. If there is no following PADDING
  81929. * block, or it will shrink to less than 4 bytes, or use_padding is
  81930. * \c false, the entire file is rewritten, replacing the existing block
  81931. * with the new block. Note that in this case any following PADDING
  81932. * block is preserved as is.
  81933. *
  81934. * After writing the block, the iterator will remain in the same
  81935. * place, i.e. pointing to the new block.
  81936. *
  81937. * \param iterator A pointer to an existing initialized iterator.
  81938. * \param block The block to set.
  81939. * \param use_padding See above.
  81940. * \assert
  81941. * \code iterator != NULL \endcode
  81942. * \a iterator has been successfully initialized with
  81943. * FLAC__metadata_simple_iterator_init()
  81944. * \code block != NULL \endcode
  81945. * \retval FLAC__bool
  81946. * \c true if successful, else \c false.
  81947. */
  81948. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_set_block(FLAC__Metadata_SimpleIterator *iterator, FLAC__StreamMetadata *block, FLAC__bool use_padding);
  81949. /** This is similar to FLAC__metadata_simple_iterator_set_block()
  81950. * except that instead of writing over an existing block, it appends
  81951. * a block after the existing block. \a use_padding is again used to
  81952. * tell the function to try an expand into following padding in an
  81953. * attempt to avoid rewriting the entire file.
  81954. *
  81955. * This function will fail and return \c false if given a STREAMINFO
  81956. * block.
  81957. *
  81958. * After writing the block, the iterator will be pointing to the
  81959. * new block.
  81960. *
  81961. * \param iterator A pointer to an existing initialized iterator.
  81962. * \param block The block to set.
  81963. * \param use_padding See above.
  81964. * \assert
  81965. * \code iterator != NULL \endcode
  81966. * \a iterator has been successfully initialized with
  81967. * FLAC__metadata_simple_iterator_init()
  81968. * \code block != NULL \endcode
  81969. * \retval FLAC__bool
  81970. * \c true if successful, else \c false.
  81971. */
  81972. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_insert_block_after(FLAC__Metadata_SimpleIterator *iterator, FLAC__StreamMetadata *block, FLAC__bool use_padding);
  81973. /** Deletes the block at the current position. This will cause the
  81974. * entire FLAC file to be rewritten, unless \a use_padding is \c true,
  81975. * in which case the block will be replaced by an equal-sized PADDING
  81976. * block. The iterator will be left pointing to the block before the
  81977. * one just deleted.
  81978. *
  81979. * You may not delete the STREAMINFO block.
  81980. *
  81981. * \param iterator A pointer to an existing initialized iterator.
  81982. * \param use_padding See above.
  81983. * \assert
  81984. * \code iterator != NULL \endcode
  81985. * \a iterator has been successfully initialized with
  81986. * FLAC__metadata_simple_iterator_init()
  81987. * \retval FLAC__bool
  81988. * \c true if successful, else \c false.
  81989. */
  81990. FLAC_API FLAC__bool FLAC__metadata_simple_iterator_delete_block(FLAC__Metadata_SimpleIterator *iterator, FLAC__bool use_padding);
  81991. /* \} */
  81992. /** \defgroup flac_metadata_level2 FLAC/metadata.h: metadata level 2 interface
  81993. * \ingroup flac_metadata
  81994. *
  81995. * \brief
  81996. * The level 2 interface provides read-write access to FLAC file metadata;
  81997. * all metadata is read into memory, operated on in memory, and then written
  81998. * to file, which is more efficient than level 1 when editing multiple blocks.
  81999. *
  82000. * Currently Ogg FLAC is supported for read only, via
  82001. * FLAC__metadata_chain_read_ogg() but a subsequent
  82002. * FLAC__metadata_chain_write() will fail.
  82003. *
  82004. * The general usage of this interface is:
  82005. *
  82006. * - Create a new chain using FLAC__metadata_chain_new(). A chain is a
  82007. * linked list of FLAC metadata blocks.
  82008. * - Read all metadata into the the chain from a FLAC file using
  82009. * FLAC__metadata_chain_read() or FLAC__metadata_chain_read_ogg() and
  82010. * check the status.
  82011. * - Optionally, consolidate the padding using
  82012. * FLAC__metadata_chain_merge_padding() or
  82013. * FLAC__metadata_chain_sort_padding().
  82014. * - Create a new iterator using FLAC__metadata_iterator_new()
  82015. * - Initialize the iterator to point to the first element in the chain
  82016. * using FLAC__metadata_iterator_init()
  82017. * - Traverse the chain using FLAC__metadata_iterator_next and
  82018. * FLAC__metadata_iterator_prev().
  82019. * - Get a block for reading or modification using
  82020. * FLAC__metadata_iterator_get_block(). The pointer to the object
  82021. * inside the chain is returned, so the block is yours to modify.
  82022. * Changes will be reflected in the FLAC file when you write the
  82023. * chain. You can also add and delete blocks (see functions below).
  82024. * - When done, write out the chain using FLAC__metadata_chain_write().
  82025. * Make sure to read the whole comment to the function below.
  82026. * - Delete the chain using FLAC__metadata_chain_delete().
  82027. *
  82028. * \note
  82029. * Even though the FLAC file is not open while the chain is being
  82030. * manipulated, you must not alter the file externally during
  82031. * this time. The chain assumes the FLAC file will not change
  82032. * between the time of FLAC__metadata_chain_read()/FLAC__metadata_chain_read_ogg()
  82033. * and FLAC__metadata_chain_write().
  82034. *
  82035. * \note
  82036. * Do not modify the is_last, length, or type fields of returned
  82037. * FLAC__StreamMetadata objects. These are managed automatically.
  82038. *
  82039. * \note
  82040. * The metadata objects returned by FLAC__metadata_iterator_get_block()
  82041. * are owned by the chain; do not FLAC__metadata_object_delete() them.
  82042. * In the same way, blocks passed to FLAC__metadata_iterator_set_block()
  82043. * become owned by the chain and they will be deleted when the chain is
  82044. * deleted.
  82045. *
  82046. * \{
  82047. */
  82048. struct FLAC__Metadata_Chain;
  82049. /** The opaque structure definition for the level 2 chain type.
  82050. */
  82051. typedef struct FLAC__Metadata_Chain FLAC__Metadata_Chain;
  82052. struct FLAC__Metadata_Iterator;
  82053. /** The opaque structure definition for the level 2 iterator type.
  82054. */
  82055. typedef struct FLAC__Metadata_Iterator FLAC__Metadata_Iterator;
  82056. typedef enum {
  82057. FLAC__METADATA_CHAIN_STATUS_OK = 0,
  82058. /**< The chain is in the normal OK state */
  82059. FLAC__METADATA_CHAIN_STATUS_ILLEGAL_INPUT,
  82060. /**< The data passed into a function violated the function's usage criteria */
  82061. FLAC__METADATA_CHAIN_STATUS_ERROR_OPENING_FILE,
  82062. /**< The chain could not open the target file */
  82063. FLAC__METADATA_CHAIN_STATUS_NOT_A_FLAC_FILE,
  82064. /**< The chain could not find the FLAC signature at the start of the file */
  82065. FLAC__METADATA_CHAIN_STATUS_NOT_WRITABLE,
  82066. /**< The chain tried to write to a file that was not writable */
  82067. FLAC__METADATA_CHAIN_STATUS_BAD_METADATA,
  82068. /**< The chain encountered input that does not conform to the FLAC metadata specification */
  82069. FLAC__METADATA_CHAIN_STATUS_READ_ERROR,
  82070. /**< The chain encountered an error while reading the FLAC file */
  82071. FLAC__METADATA_CHAIN_STATUS_SEEK_ERROR,
  82072. /**< The chain encountered an error while seeking in the FLAC file */
  82073. FLAC__METADATA_CHAIN_STATUS_WRITE_ERROR,
  82074. /**< The chain encountered an error while writing the FLAC file */
  82075. FLAC__METADATA_CHAIN_STATUS_RENAME_ERROR,
  82076. /**< The chain encountered an error renaming the FLAC file */
  82077. FLAC__METADATA_CHAIN_STATUS_UNLINK_ERROR,
  82078. /**< The chain encountered an error removing the temporary file */
  82079. FLAC__METADATA_CHAIN_STATUS_MEMORY_ALLOCATION_ERROR,
  82080. /**< Memory allocation failed */
  82081. FLAC__METADATA_CHAIN_STATUS_INTERNAL_ERROR,
  82082. /**< The caller violated an assertion or an unexpected error occurred */
  82083. FLAC__METADATA_CHAIN_STATUS_INVALID_CALLBACKS,
  82084. /**< One or more of the required callbacks was NULL */
  82085. FLAC__METADATA_CHAIN_STATUS_READ_WRITE_MISMATCH,
  82086. /**< FLAC__metadata_chain_write() was called on a chain read by
  82087. * FLAC__metadata_chain_read_with_callbacks()/FLAC__metadata_chain_read_ogg_with_callbacks(),
  82088. * or
  82089. * FLAC__metadata_chain_write_with_callbacks()/FLAC__metadata_chain_write_with_callbacks_and_tempfile()
  82090. * was called on a chain read by
  82091. * FLAC__metadata_chain_read()/FLAC__metadata_chain_read_ogg().
  82092. * Matching read/write methods must always be used. */
  82093. FLAC__METADATA_CHAIN_STATUS_WRONG_WRITE_CALL
  82094. /**< FLAC__metadata_chain_write_with_callbacks() was called when the
  82095. * chain write requires a tempfile; use
  82096. * FLAC__metadata_chain_write_with_callbacks_and_tempfile() instead.
  82097. * Or, FLAC__metadata_chain_write_with_callbacks_and_tempfile() was
  82098. * called when the chain write does not require a tempfile; use
  82099. * FLAC__metadata_chain_write_with_callbacks() instead.
  82100. * Always check FLAC__metadata_chain_check_if_tempfile_needed()
  82101. * before writing via callbacks. */
  82102. } FLAC__Metadata_ChainStatus;
  82103. /** Maps a FLAC__Metadata_ChainStatus to a C string.
  82104. *
  82105. * Using a FLAC__Metadata_ChainStatus as the index to this array
  82106. * will give the string equivalent. The contents should not be modified.
  82107. */
  82108. extern FLAC_API const char * const FLAC__Metadata_ChainStatusString[];
  82109. /*********** FLAC__Metadata_Chain ***********/
  82110. /** Create a new chain instance.
  82111. *
  82112. * \retval FLAC__Metadata_Chain*
  82113. * \c NULL if there was an error allocating memory, else the new instance.
  82114. */
  82115. FLAC_API FLAC__Metadata_Chain *FLAC__metadata_chain_new(void);
  82116. /** Free a chain instance. Deletes the object pointed to by \a chain.
  82117. *
  82118. * \param chain A pointer to an existing chain.
  82119. * \assert
  82120. * \code chain != NULL \endcode
  82121. */
  82122. FLAC_API void FLAC__metadata_chain_delete(FLAC__Metadata_Chain *chain);
  82123. /** Get the current status of the chain. Call this after a function
  82124. * returns \c false to get the reason for the error. Also resets the
  82125. * status to FLAC__METADATA_CHAIN_STATUS_OK.
  82126. *
  82127. * \param chain A pointer to an existing chain.
  82128. * \assert
  82129. * \code chain != NULL \endcode
  82130. * \retval FLAC__Metadata_ChainStatus
  82131. * The current status of the chain.
  82132. */
  82133. FLAC_API FLAC__Metadata_ChainStatus FLAC__metadata_chain_status(FLAC__Metadata_Chain *chain);
  82134. /** Read all metadata from a FLAC file into the chain.
  82135. *
  82136. * \param chain A pointer to an existing chain.
  82137. * \param filename The path to the FLAC file to read.
  82138. * \assert
  82139. * \code chain != NULL \endcode
  82140. * \code filename != NULL \endcode
  82141. * \retval FLAC__bool
  82142. * \c true if a valid list of metadata blocks was read from
  82143. * \a filename, else \c false. On failure, check the status with
  82144. * FLAC__metadata_chain_status().
  82145. */
  82146. FLAC_API FLAC__bool FLAC__metadata_chain_read(FLAC__Metadata_Chain *chain, const char *filename);
  82147. /** Read all metadata from an Ogg FLAC file into the chain.
  82148. *
  82149. * \note Ogg FLAC metadata data writing is not supported yet and
  82150. * FLAC__metadata_chain_write() will fail.
  82151. *
  82152. * \param chain A pointer to an existing chain.
  82153. * \param filename The path to the Ogg FLAC file to read.
  82154. * \assert
  82155. * \code chain != NULL \endcode
  82156. * \code filename != NULL \endcode
  82157. * \retval FLAC__bool
  82158. * \c true if a valid list of metadata blocks was read from
  82159. * \a filename, else \c false. On failure, check the status with
  82160. * FLAC__metadata_chain_status().
  82161. */
  82162. FLAC_API FLAC__bool FLAC__metadata_chain_read_ogg(FLAC__Metadata_Chain *chain, const char *filename);
  82163. /** Read all metadata from a FLAC stream into the chain via I/O callbacks.
  82164. *
  82165. * The \a handle need only be open for reading, but must be seekable.
  82166. * The equivalent minimum stdio fopen() file mode is \c "r" (or \c "rb"
  82167. * for Windows).
  82168. *
  82169. * \param chain A pointer to an existing chain.
  82170. * \param handle The I/O handle of the FLAC stream to read. The
  82171. * handle will NOT be closed after the metadata is read;
  82172. * that is the duty of the caller.
  82173. * \param callbacks
  82174. * A set of callbacks to use for I/O. The mandatory
  82175. * callbacks are \a read, \a seek, and \a tell.
  82176. * \assert
  82177. * \code chain != NULL \endcode
  82178. * \retval FLAC__bool
  82179. * \c true if a valid list of metadata blocks was read from
  82180. * \a handle, else \c false. On failure, check the status with
  82181. * FLAC__metadata_chain_status().
  82182. */
  82183. FLAC_API FLAC__bool FLAC__metadata_chain_read_with_callbacks(FLAC__Metadata_Chain *chain, FLAC__IOHandle handle, FLAC__IOCallbacks callbacks);
  82184. /** Read all metadata from an Ogg FLAC stream into the chain via I/O callbacks.
  82185. *
  82186. * The \a handle need only be open for reading, but must be seekable.
  82187. * The equivalent minimum stdio fopen() file mode is \c "r" (or \c "rb"
  82188. * for Windows).
  82189. *
  82190. * \note Ogg FLAC metadata data writing is not supported yet and
  82191. * FLAC__metadata_chain_write() will fail.
  82192. *
  82193. * \param chain A pointer to an existing chain.
  82194. * \param handle The I/O handle of the Ogg FLAC stream to read. The
  82195. * handle will NOT be closed after the metadata is read;
  82196. * that is the duty of the caller.
  82197. * \param callbacks
  82198. * A set of callbacks to use for I/O. The mandatory
  82199. * callbacks are \a read, \a seek, and \a tell.
  82200. * \assert
  82201. * \code chain != NULL \endcode
  82202. * \retval FLAC__bool
  82203. * \c true if a valid list of metadata blocks was read from
  82204. * \a handle, else \c false. On failure, check the status with
  82205. * FLAC__metadata_chain_status().
  82206. */
  82207. FLAC_API FLAC__bool FLAC__metadata_chain_read_ogg_with_callbacks(FLAC__Metadata_Chain *chain, FLAC__IOHandle handle, FLAC__IOCallbacks callbacks);
  82208. /** Checks if writing the given chain would require the use of a
  82209. * temporary file, or if it could be written in place.
  82210. *
  82211. * Under certain conditions, padding can be utilized so that writing
  82212. * edited metadata back to the FLAC file does not require rewriting the
  82213. * entire file. If rewriting is required, then a temporary workfile is
  82214. * required. When writing metadata using callbacks, you must check
  82215. * this function to know whether to call
  82216. * FLAC__metadata_chain_write_with_callbacks() or
  82217. * FLAC__metadata_chain_write_with_callbacks_and_tempfile(). When
  82218. * writing with FLAC__metadata_chain_write(), the temporary file is
  82219. * handled internally.
  82220. *
  82221. * \param chain A pointer to an existing chain.
  82222. * \param use_padding
  82223. * Whether or not padding will be allowed to be used
  82224. * during the write. The value of \a use_padding given
  82225. * here must match the value later passed to
  82226. * FLAC__metadata_chain_write_with_callbacks() or
  82227. * FLAC__metadata_chain_write_with_callbacks_with_tempfile().
  82228. * \assert
  82229. * \code chain != NULL \endcode
  82230. * \retval FLAC__bool
  82231. * \c true if writing the current chain would require a tempfile, or
  82232. * \c false if metadata can be written in place.
  82233. */
  82234. FLAC_API FLAC__bool FLAC__metadata_chain_check_if_tempfile_needed(FLAC__Metadata_Chain *chain, FLAC__bool use_padding);
  82235. /** Write all metadata out to the FLAC file. This function tries to be as
  82236. * efficient as possible; how the metadata is actually written is shown by
  82237. * the following:
  82238. *
  82239. * If the current chain is the same size as the existing metadata, the new
  82240. * data is written in place.
  82241. *
  82242. * If the current chain is longer than the existing metadata, and
  82243. * \a use_padding is \c true, and the last block is a PADDING block of
  82244. * sufficient length, the function will truncate the final padding block
  82245. * so that the overall size of the metadata is the same as the existing
  82246. * metadata, and then just rewrite the metadata. Otherwise, if not all of
  82247. * the above conditions are met, the entire FLAC file must be rewritten.
  82248. * If you want to use padding this way it is a good idea to call
  82249. * FLAC__metadata_chain_sort_padding() first so that you have the maximum
  82250. * amount of padding to work with, unless you need to preserve ordering
  82251. * of the PADDING blocks for some reason.
  82252. *
  82253. * If the current chain is shorter than the existing metadata, and
  82254. * \a use_padding is \c true, and the final block is a PADDING block, the padding
  82255. * is extended to make the overall size the same as the existing data. If
  82256. * \a use_padding is \c true and the last block is not a PADDING block, a new
  82257. * PADDING block is added to the end of the new data to make it the same
  82258. * size as the existing data (if possible, see the note to
  82259. * FLAC__metadata_simple_iterator_set_block() about the four byte limit)
  82260. * and the new data is written in place. If none of the above apply or
  82261. * \a use_padding is \c false, the entire FLAC file is rewritten.
  82262. *
  82263. * If \a preserve_file_stats is \c true, the owner and modification time will
  82264. * be preserved even if the FLAC file is written.
  82265. *
  82266. * For this write function to be used, the chain must have been read with
  82267. * FLAC__metadata_chain_read()/FLAC__metadata_chain_read_ogg(), not
  82268. * FLAC__metadata_chain_read_with_callbacks()/FLAC__metadata_chain_read_ogg_with_callbacks().
  82269. *
  82270. * \param chain A pointer to an existing chain.
  82271. * \param use_padding See above.
  82272. * \param preserve_file_stats See above.
  82273. * \assert
  82274. * \code chain != NULL \endcode
  82275. * \retval FLAC__bool
  82276. * \c true if the write succeeded, else \c false. On failure,
  82277. * check the status with FLAC__metadata_chain_status().
  82278. */
  82279. FLAC_API FLAC__bool FLAC__metadata_chain_write(FLAC__Metadata_Chain *chain, FLAC__bool use_padding, FLAC__bool preserve_file_stats);
  82280. /** Write all metadata out to a FLAC stream via callbacks.
  82281. *
  82282. * (See FLAC__metadata_chain_write() for the details on how padding is
  82283. * used to write metadata in place if possible.)
  82284. *
  82285. * The \a handle must be open for updating and be seekable. The
  82286. * equivalent minimum stdio fopen() file mode is \c "r+" (or \c "r+b"
  82287. * for Windows).
  82288. *
  82289. * For this write function to be used, the chain must have been read with
  82290. * FLAC__metadata_chain_read_with_callbacks()/FLAC__metadata_chain_read_ogg_with_callbacks(),
  82291. * not FLAC__metadata_chain_read()/FLAC__metadata_chain_read_ogg().
  82292. * Also, FLAC__metadata_chain_check_if_tempfile_needed() must have returned
  82293. * \c false.
  82294. *
  82295. * \param chain A pointer to an existing chain.
  82296. * \param use_padding See FLAC__metadata_chain_write()
  82297. * \param handle The I/O handle of the FLAC stream to write. The
  82298. * handle will NOT be closed after the metadata is
  82299. * written; that is the duty of the caller.
  82300. * \param callbacks A set of callbacks to use for I/O. The mandatory
  82301. * callbacks are \a write and \a seek.
  82302. * \assert
  82303. * \code chain != NULL \endcode
  82304. * \retval FLAC__bool
  82305. * \c true if the write succeeded, else \c false. On failure,
  82306. * check the status with FLAC__metadata_chain_status().
  82307. */
  82308. FLAC_API FLAC__bool FLAC__metadata_chain_write_with_callbacks(FLAC__Metadata_Chain *chain, FLAC__bool use_padding, FLAC__IOHandle handle, FLAC__IOCallbacks callbacks);
  82309. /** Write all metadata out to a FLAC stream via callbacks.
  82310. *
  82311. * (See FLAC__metadata_chain_write() for the details on how padding is
  82312. * used to write metadata in place if possible.)
  82313. *
  82314. * This version of the write-with-callbacks function must be used when
  82315. * FLAC__metadata_chain_check_if_tempfile_needed() returns true. In
  82316. * this function, you must supply an I/O handle corresponding to the
  82317. * FLAC file to edit, and a temporary handle to which the new FLAC
  82318. * file will be written. It is the caller's job to move this temporary
  82319. * FLAC file on top of the original FLAC file to complete the metadata
  82320. * edit.
  82321. *
  82322. * The \a handle must be open for reading and be seekable. The
  82323. * equivalent minimum stdio fopen() file mode is \c "r" (or \c "rb"
  82324. * for Windows).
  82325. *
  82326. * The \a temp_handle must be open for writing. The
  82327. * equivalent minimum stdio fopen() file mode is \c "w" (or \c "wb"
  82328. * for Windows). It should be an empty stream, or at least positioned
  82329. * at the start-of-file (in which case it is the caller's duty to
  82330. * truncate it on return).
  82331. *
  82332. * For this write function to be used, the chain must have been read with
  82333. * FLAC__metadata_chain_read_with_callbacks()/FLAC__metadata_chain_read_ogg_with_callbacks(),
  82334. * not FLAC__metadata_chain_read()/FLAC__metadata_chain_read_ogg().
  82335. * Also, FLAC__metadata_chain_check_if_tempfile_needed() must have returned
  82336. * \c true.
  82337. *
  82338. * \param chain A pointer to an existing chain.
  82339. * \param use_padding See FLAC__metadata_chain_write()
  82340. * \param handle The I/O handle of the original FLAC stream to read.
  82341. * The handle will NOT be closed after the metadata is
  82342. * written; that is the duty of the caller.
  82343. * \param callbacks A set of callbacks to use for I/O on \a handle.
  82344. * The mandatory callbacks are \a read, \a seek, and
  82345. * \a eof.
  82346. * \param temp_handle The I/O handle of the FLAC stream to write. The
  82347. * handle will NOT be closed after the metadata is
  82348. * written; that is the duty of the caller.
  82349. * \param temp_callbacks
  82350. * A set of callbacks to use for I/O on temp_handle.
  82351. * The only mandatory callback is \a write.
  82352. * \assert
  82353. * \code chain != NULL \endcode
  82354. * \retval FLAC__bool
  82355. * \c true if the write succeeded, else \c false. On failure,
  82356. * check the status with FLAC__metadata_chain_status().
  82357. */
  82358. FLAC_API FLAC__bool FLAC__metadata_chain_write_with_callbacks_and_tempfile(FLAC__Metadata_Chain *chain, FLAC__bool use_padding, FLAC__IOHandle handle, FLAC__IOCallbacks callbacks, FLAC__IOHandle temp_handle, FLAC__IOCallbacks temp_callbacks);
  82359. /** Merge adjacent PADDING blocks into a single block.
  82360. *
  82361. * \note This function does not write to the FLAC file, it only
  82362. * modifies the chain.
  82363. *
  82364. * \warning Any iterator on the current chain will become invalid after this
  82365. * call. You should delete the iterator and get a new one.
  82366. *
  82367. * \param chain A pointer to an existing chain.
  82368. * \assert
  82369. * \code chain != NULL \endcode
  82370. */
  82371. FLAC_API void FLAC__metadata_chain_merge_padding(FLAC__Metadata_Chain *chain);
  82372. /** This function will move all PADDING blocks to the end on the metadata,
  82373. * then merge them into a single block.
  82374. *
  82375. * \note This function does not write to the FLAC file, it only
  82376. * modifies the chain.
  82377. *
  82378. * \warning Any iterator on the current chain will become invalid after this
  82379. * call. You should delete the iterator and get a new one.
  82380. *
  82381. * \param chain A pointer to an existing chain.
  82382. * \assert
  82383. * \code chain != NULL \endcode
  82384. */
  82385. FLAC_API void FLAC__metadata_chain_sort_padding(FLAC__Metadata_Chain *chain);
  82386. /*********** FLAC__Metadata_Iterator ***********/
  82387. /** Create a new iterator instance.
  82388. *
  82389. * \retval FLAC__Metadata_Iterator*
  82390. * \c NULL if there was an error allocating memory, else the new instance.
  82391. */
  82392. FLAC_API FLAC__Metadata_Iterator *FLAC__metadata_iterator_new(void);
  82393. /** Free an iterator instance. Deletes the object pointed to by \a iterator.
  82394. *
  82395. * \param iterator A pointer to an existing iterator.
  82396. * \assert
  82397. * \code iterator != NULL \endcode
  82398. */
  82399. FLAC_API void FLAC__metadata_iterator_delete(FLAC__Metadata_Iterator *iterator);
  82400. /** Initialize the iterator to point to the first metadata block in the
  82401. * given chain.
  82402. *
  82403. * \param iterator A pointer to an existing iterator.
  82404. * \param chain A pointer to an existing and initialized (read) chain.
  82405. * \assert
  82406. * \code iterator != NULL \endcode
  82407. * \code chain != NULL \endcode
  82408. */
  82409. FLAC_API void FLAC__metadata_iterator_init(FLAC__Metadata_Iterator *iterator, FLAC__Metadata_Chain *chain);
  82410. /** Moves the iterator forward one metadata block, returning \c false if
  82411. * already at the end.
  82412. *
  82413. * \param iterator A pointer to an existing initialized iterator.
  82414. * \assert
  82415. * \code iterator != NULL \endcode
  82416. * \a iterator has been successfully initialized with
  82417. * FLAC__metadata_iterator_init()
  82418. * \retval FLAC__bool
  82419. * \c false if already at the last metadata block of the chain, else
  82420. * \c true.
  82421. */
  82422. FLAC_API FLAC__bool FLAC__metadata_iterator_next(FLAC__Metadata_Iterator *iterator);
  82423. /** Moves the iterator backward one metadata block, returning \c false if
  82424. * already at the beginning.
  82425. *
  82426. * \param iterator A pointer to an existing initialized iterator.
  82427. * \assert
  82428. * \code iterator != NULL \endcode
  82429. * \a iterator has been successfully initialized with
  82430. * FLAC__metadata_iterator_init()
  82431. * \retval FLAC__bool
  82432. * \c false if already at the first metadata block of the chain, else
  82433. * \c true.
  82434. */
  82435. FLAC_API FLAC__bool FLAC__metadata_iterator_prev(FLAC__Metadata_Iterator *iterator);
  82436. /** Get the type of the metadata block at the current position.
  82437. *
  82438. * \param iterator A pointer to an existing initialized iterator.
  82439. * \assert
  82440. * \code iterator != NULL \endcode
  82441. * \a iterator has been successfully initialized with
  82442. * FLAC__metadata_iterator_init()
  82443. * \retval FLAC__MetadataType
  82444. * The type of the metadata block at the current iterator position.
  82445. */
  82446. FLAC_API FLAC__MetadataType FLAC__metadata_iterator_get_block_type(const FLAC__Metadata_Iterator *iterator);
  82447. /** Get the metadata block at the current position. You can modify
  82448. * the block in place but must write the chain before the changes
  82449. * are reflected to the FLAC file. You do not need to call
  82450. * FLAC__metadata_iterator_set_block() to reflect the changes;
  82451. * the pointer returned by FLAC__metadata_iterator_get_block()
  82452. * points directly into the chain.
  82453. *
  82454. * \warning
  82455. * Do not call FLAC__metadata_object_delete() on the returned object;
  82456. * to delete a block use FLAC__metadata_iterator_delete_block().
  82457. *
  82458. * \param iterator A pointer to an existing initialized iterator.
  82459. * \assert
  82460. * \code iterator != NULL \endcode
  82461. * \a iterator has been successfully initialized with
  82462. * FLAC__metadata_iterator_init()
  82463. * \retval FLAC__StreamMetadata*
  82464. * The current metadata block.
  82465. */
  82466. FLAC_API FLAC__StreamMetadata *FLAC__metadata_iterator_get_block(FLAC__Metadata_Iterator *iterator);
  82467. /** Set the metadata block at the current position, replacing the existing
  82468. * block. The new block passed in becomes owned by the chain and it will be
  82469. * deleted when the chain is deleted.
  82470. *
  82471. * \param iterator A pointer to an existing initialized iterator.
  82472. * \param block A pointer to a metadata block.
  82473. * \assert
  82474. * \code iterator != NULL \endcode
  82475. * \a iterator has been successfully initialized with
  82476. * FLAC__metadata_iterator_init()
  82477. * \code block != NULL \endcode
  82478. * \retval FLAC__bool
  82479. * \c false if the conditions in the above description are not met, or
  82480. * a memory allocation error occurs, otherwise \c true.
  82481. */
  82482. FLAC_API FLAC__bool FLAC__metadata_iterator_set_block(FLAC__Metadata_Iterator *iterator, FLAC__StreamMetadata *block);
  82483. /** Removes the current block from the chain. If \a replace_with_padding is
  82484. * \c true, the block will instead be replaced with a padding block of equal
  82485. * size. You can not delete the STREAMINFO block. The iterator will be
  82486. * left pointing to the block before the one just "deleted", even if
  82487. * \a replace_with_padding is \c true.
  82488. *
  82489. * \param iterator A pointer to an existing initialized iterator.
  82490. * \param replace_with_padding See above.
  82491. * \assert
  82492. * \code iterator != NULL \endcode
  82493. * \a iterator has been successfully initialized with
  82494. * FLAC__metadata_iterator_init()
  82495. * \retval FLAC__bool
  82496. * \c false if the conditions in the above description are not met,
  82497. * otherwise \c true.
  82498. */
  82499. FLAC_API FLAC__bool FLAC__metadata_iterator_delete_block(FLAC__Metadata_Iterator *iterator, FLAC__bool replace_with_padding);
  82500. /** Insert a new block before the current block. You cannot insert a block
  82501. * before the first STREAMINFO block. You cannot insert a STREAMINFO block
  82502. * as there can be only one, the one that already exists at the head when you
  82503. * read in a chain. The chain takes ownership of the new block and it will be
  82504. * deleted when the chain is deleted. The iterator will be left pointing to
  82505. * the new block.
  82506. *
  82507. * \param iterator A pointer to an existing initialized iterator.
  82508. * \param block A pointer to a metadata block to insert.
  82509. * \assert
  82510. * \code iterator != NULL \endcode
  82511. * \a iterator has been successfully initialized with
  82512. * FLAC__metadata_iterator_init()
  82513. * \retval FLAC__bool
  82514. * \c false if the conditions in the above description are not met, or
  82515. * a memory allocation error occurs, otherwise \c true.
  82516. */
  82517. FLAC_API FLAC__bool FLAC__metadata_iterator_insert_block_before(FLAC__Metadata_Iterator *iterator, FLAC__StreamMetadata *block);
  82518. /** Insert a new block after the current block. You cannot insert a STREAMINFO
  82519. * block as there can be only one, the one that already exists at the head when
  82520. * you read in a chain. The chain takes ownership of the new block and it will
  82521. * be deleted when the chain is deleted. The iterator will be left pointing to
  82522. * the new block.
  82523. *
  82524. * \param iterator A pointer to an existing initialized iterator.
  82525. * \param block A pointer to a metadata block to insert.
  82526. * \assert
  82527. * \code iterator != NULL \endcode
  82528. * \a iterator has been successfully initialized with
  82529. * FLAC__metadata_iterator_init()
  82530. * \retval FLAC__bool
  82531. * \c false if the conditions in the above description are not met, or
  82532. * a memory allocation error occurs, otherwise \c true.
  82533. */
  82534. FLAC_API FLAC__bool FLAC__metadata_iterator_insert_block_after(FLAC__Metadata_Iterator *iterator, FLAC__StreamMetadata *block);
  82535. /* \} */
  82536. /** \defgroup flac_metadata_object FLAC/metadata.h: metadata object methods
  82537. * \ingroup flac_metadata
  82538. *
  82539. * \brief
  82540. * This module contains methods for manipulating FLAC metadata objects.
  82541. *
  82542. * Since many are variable length we have to be careful about the memory
  82543. * management. We decree that all pointers to data in the object are
  82544. * owned by the object and memory-managed by the object.
  82545. *
  82546. * Use the FLAC__metadata_object_new() and FLAC__metadata_object_delete()
  82547. * functions to create all instances. When using the
  82548. * FLAC__metadata_object_set_*() functions to set pointers to data, set
  82549. * \a copy to \c true to have the function make it's own copy of the data, or
  82550. * to \c false to give the object ownership of your data. In the latter case
  82551. * your pointer must be freeable by free() and will be free()d when the object
  82552. * is FLAC__metadata_object_delete()d. It is legal to pass a null pointer as
  82553. * the data pointer to a FLAC__metadata_object_set_*() function as long as
  82554. * the length argument is 0 and the \a copy argument is \c false.
  82555. *
  82556. * The FLAC__metadata_object_new() and FLAC__metadata_object_clone() function
  82557. * will return \c NULL in the case of a memory allocation error, otherwise a new
  82558. * object. The FLAC__metadata_object_set_*() functions return \c false in the
  82559. * case of a memory allocation error.
  82560. *
  82561. * We don't have the convenience of C++ here, so note that the library relies
  82562. * on you to keep the types straight. In other words, if you pass, for
  82563. * example, a FLAC__StreamMetadata* that represents a STREAMINFO block to
  82564. * FLAC__metadata_object_application_set_data(), you will get an assertion
  82565. * failure.
  82566. *
  82567. * For convenience the FLAC__metadata_object_vorbiscomment_*() functions
  82568. * maintain a trailing NUL on each Vorbis comment entry. This is not counted
  82569. * toward the length or stored in the stream, but it can make working with plain
  82570. * comments (those that don't contain embedded-NULs in the value) easier.
  82571. * Entries passed into these functions have trailing NULs added if missing, and
  82572. * returned entries are guaranteed to have a trailing NUL.
  82573. *
  82574. * The FLAC__metadata_object_vorbiscomment_*() functions that take a Vorbis
  82575. * comment entry/name/value will first validate that it complies with the Vorbis
  82576. * comment specification and return false if it does not.
  82577. *
  82578. * There is no need to recalculate the length field on metadata blocks you
  82579. * have modified. They will be calculated automatically before they are
  82580. * written back to a file.
  82581. *
  82582. * \{
  82583. */
  82584. /** Create a new metadata object instance of the given type.
  82585. *
  82586. * The object will be "empty"; i.e. values and data pointers will be \c 0,
  82587. * with the exception of FLAC__METADATA_TYPE_VORBIS_COMMENT, which will have
  82588. * the vendor string set (but zero comments).
  82589. *
  82590. * Do not pass in a value greater than or equal to
  82591. * \a FLAC__METADATA_TYPE_UNDEFINED unless you really know what you're
  82592. * doing.
  82593. *
  82594. * \param type Type of object to create
  82595. * \retval FLAC__StreamMetadata*
  82596. * \c NULL if there was an error allocating memory or the type code is
  82597. * greater than FLAC__MAX_METADATA_TYPE_CODE, else the new instance.
  82598. */
  82599. FLAC_API FLAC__StreamMetadata *FLAC__metadata_object_new(FLAC__MetadataType type);
  82600. /** Create a copy of an existing metadata object.
  82601. *
  82602. * The copy is a "deep" copy, i.e. dynamically allocated data within the
  82603. * object is also copied. The caller takes ownership of the new block and
  82604. * is responsible for freeing it with FLAC__metadata_object_delete().
  82605. *
  82606. * \param object Pointer to object to copy.
  82607. * \assert
  82608. * \code object != NULL \endcode
  82609. * \retval FLAC__StreamMetadata*
  82610. * \c NULL if there was an error allocating memory, else the new instance.
  82611. */
  82612. FLAC_API FLAC__StreamMetadata *FLAC__metadata_object_clone(const FLAC__StreamMetadata *object);
  82613. /** Free a metadata object. Deletes the object pointed to by \a object.
  82614. *
  82615. * The delete is a "deep" delete, i.e. dynamically allocated data within the
  82616. * object is also deleted.
  82617. *
  82618. * \param object A pointer to an existing object.
  82619. * \assert
  82620. * \code object != NULL \endcode
  82621. */
  82622. FLAC_API void FLAC__metadata_object_delete(FLAC__StreamMetadata *object);
  82623. /** Compares two metadata objects.
  82624. *
  82625. * The compare is "deep", i.e. dynamically allocated data within the
  82626. * object is also compared.
  82627. *
  82628. * \param block1 A pointer to an existing object.
  82629. * \param block2 A pointer to an existing object.
  82630. * \assert
  82631. * \code block1 != NULL \endcode
  82632. * \code block2 != NULL \endcode
  82633. * \retval FLAC__bool
  82634. * \c true if objects are identical, else \c false.
  82635. */
  82636. FLAC_API FLAC__bool FLAC__metadata_object_is_equal(const FLAC__StreamMetadata *block1, const FLAC__StreamMetadata *block2);
  82637. /** Sets the application data of an APPLICATION block.
  82638. *
  82639. * If \a copy is \c true, a copy of the data is stored; otherwise, the object
  82640. * takes ownership of the pointer. The existing data will be freed if this
  82641. * function is successful, otherwise the original data will remain if \a copy
  82642. * is \c true and malloc() fails.
  82643. *
  82644. * \note It is safe to pass a const pointer to \a data if \a copy is \c true.
  82645. *
  82646. * \param object A pointer to an existing APPLICATION object.
  82647. * \param data A pointer to the data to set.
  82648. * \param length The length of \a data in bytes.
  82649. * \param copy See above.
  82650. * \assert
  82651. * \code object != NULL \endcode
  82652. * \code object->type == FLAC__METADATA_TYPE_APPLICATION \endcode
  82653. * \code (data != NULL && length > 0) ||
  82654. * (data == NULL && length == 0 && copy == false) \endcode
  82655. * \retval FLAC__bool
  82656. * \c false if \a copy is \c true and malloc() fails, else \c true.
  82657. */
  82658. FLAC_API FLAC__bool FLAC__metadata_object_application_set_data(FLAC__StreamMetadata *object, FLAC__byte *data, unsigned length, FLAC__bool copy);
  82659. /** Resize the seekpoint array.
  82660. *
  82661. * If the size shrinks, elements will truncated; if it grows, new placeholder
  82662. * points will be added to the end.
  82663. *
  82664. * \param object A pointer to an existing SEEKTABLE object.
  82665. * \param new_num_points The desired length of the array; may be \c 0.
  82666. * \assert
  82667. * \code object != NULL \endcode
  82668. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82669. * \code (object->data.seek_table.points == NULL && object->data.seek_table.num_points == 0) ||
  82670. * (object->data.seek_table.points != NULL && object->data.seek_table.num_points > 0) \endcode
  82671. * \retval FLAC__bool
  82672. * \c false if memory allocation error, else \c true.
  82673. */
  82674. FLAC_API FLAC__bool FLAC__metadata_object_seektable_resize_points(FLAC__StreamMetadata *object, unsigned new_num_points);
  82675. /** Set a seekpoint in a seektable.
  82676. *
  82677. * \param object A pointer to an existing SEEKTABLE object.
  82678. * \param point_num Index into seekpoint array to set.
  82679. * \param point The point to set.
  82680. * \assert
  82681. * \code object != NULL \endcode
  82682. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82683. * \code object->data.seek_table.num_points > point_num \endcode
  82684. */
  82685. FLAC_API void FLAC__metadata_object_seektable_set_point(FLAC__StreamMetadata *object, unsigned point_num, FLAC__StreamMetadata_SeekPoint point);
  82686. /** Insert a seekpoint into a seektable.
  82687. *
  82688. * \param object A pointer to an existing SEEKTABLE object.
  82689. * \param point_num Index into seekpoint array to set.
  82690. * \param point The point to set.
  82691. * \assert
  82692. * \code object != NULL \endcode
  82693. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82694. * \code object->data.seek_table.num_points >= point_num \endcode
  82695. * \retval FLAC__bool
  82696. * \c false if memory allocation error, else \c true.
  82697. */
  82698. FLAC_API FLAC__bool FLAC__metadata_object_seektable_insert_point(FLAC__StreamMetadata *object, unsigned point_num, FLAC__StreamMetadata_SeekPoint point);
  82699. /** Delete a seekpoint from a seektable.
  82700. *
  82701. * \param object A pointer to an existing SEEKTABLE object.
  82702. * \param point_num Index into seekpoint array to set.
  82703. * \assert
  82704. * \code object != NULL \endcode
  82705. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82706. * \code object->data.seek_table.num_points > point_num \endcode
  82707. * \retval FLAC__bool
  82708. * \c false if memory allocation error, else \c true.
  82709. */
  82710. FLAC_API FLAC__bool FLAC__metadata_object_seektable_delete_point(FLAC__StreamMetadata *object, unsigned point_num);
  82711. /** Check a seektable to see if it conforms to the FLAC specification.
  82712. * See the format specification for limits on the contents of the
  82713. * seektable.
  82714. *
  82715. * \param object A pointer to an existing SEEKTABLE object.
  82716. * \assert
  82717. * \code object != NULL \endcode
  82718. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82719. * \retval FLAC__bool
  82720. * \c false if seek table is illegal, else \c true.
  82721. */
  82722. FLAC_API FLAC__bool FLAC__metadata_object_seektable_is_legal(const FLAC__StreamMetadata *object);
  82723. /** Append a number of placeholder points to the end of a seek table.
  82724. *
  82725. * \note
  82726. * As with the other ..._seektable_template_... functions, you should
  82727. * call FLAC__metadata_object_seektable_template_sort() when finished
  82728. * to make the seek table legal.
  82729. *
  82730. * \param object A pointer to an existing SEEKTABLE object.
  82731. * \param num The number of placeholder points to append.
  82732. * \assert
  82733. * \code object != NULL \endcode
  82734. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82735. * \retval FLAC__bool
  82736. * \c false if memory allocation fails, else \c true.
  82737. */
  82738. FLAC_API FLAC__bool FLAC__metadata_object_seektable_template_append_placeholders(FLAC__StreamMetadata *object, unsigned num);
  82739. /** Append a specific seek point template to the end of a seek table.
  82740. *
  82741. * \note
  82742. * As with the other ..._seektable_template_... functions, you should
  82743. * call FLAC__metadata_object_seektable_template_sort() when finished
  82744. * to make the seek table legal.
  82745. *
  82746. * \param object A pointer to an existing SEEKTABLE object.
  82747. * \param sample_number The sample number of the seek point template.
  82748. * \assert
  82749. * \code object != NULL \endcode
  82750. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82751. * \retval FLAC__bool
  82752. * \c false if memory allocation fails, else \c true.
  82753. */
  82754. FLAC_API FLAC__bool FLAC__metadata_object_seektable_template_append_point(FLAC__StreamMetadata *object, FLAC__uint64 sample_number);
  82755. /** Append specific seek point templates to the end of a seek table.
  82756. *
  82757. * \note
  82758. * As with the other ..._seektable_template_... functions, you should
  82759. * call FLAC__metadata_object_seektable_template_sort() when finished
  82760. * to make the seek table legal.
  82761. *
  82762. * \param object A pointer to an existing SEEKTABLE object.
  82763. * \param sample_numbers An array of sample numbers for the seek points.
  82764. * \param num The number of seek point templates to append.
  82765. * \assert
  82766. * \code object != NULL \endcode
  82767. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82768. * \retval FLAC__bool
  82769. * \c false if memory allocation fails, else \c true.
  82770. */
  82771. FLAC_API FLAC__bool FLAC__metadata_object_seektable_template_append_points(FLAC__StreamMetadata *object, FLAC__uint64 sample_numbers[], unsigned num);
  82772. /** Append a set of evenly-spaced seek point templates to the end of a
  82773. * seek table.
  82774. *
  82775. * \note
  82776. * As with the other ..._seektable_template_... functions, you should
  82777. * call FLAC__metadata_object_seektable_template_sort() when finished
  82778. * to make the seek table legal.
  82779. *
  82780. * \param object A pointer to an existing SEEKTABLE object.
  82781. * \param num The number of placeholder points to append.
  82782. * \param total_samples The total number of samples to be encoded;
  82783. * the seekpoints will be spaced approximately
  82784. * \a total_samples / \a num samples apart.
  82785. * \assert
  82786. * \code object != NULL \endcode
  82787. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82788. * \code total_samples > 0 \endcode
  82789. * \retval FLAC__bool
  82790. * \c false if memory allocation fails, else \c true.
  82791. */
  82792. FLAC_API FLAC__bool FLAC__metadata_object_seektable_template_append_spaced_points(FLAC__StreamMetadata *object, unsigned num, FLAC__uint64 total_samples);
  82793. /** Append a set of evenly-spaced seek point templates to the end of a
  82794. * seek table.
  82795. *
  82796. * \note
  82797. * As with the other ..._seektable_template_... functions, you should
  82798. * call FLAC__metadata_object_seektable_template_sort() when finished
  82799. * to make the seek table legal.
  82800. *
  82801. * \param object A pointer to an existing SEEKTABLE object.
  82802. * \param samples The number of samples apart to space the placeholder
  82803. * points. The first point will be at sample \c 0, the
  82804. * second at sample \a samples, then 2*\a samples, and
  82805. * so on. As long as \a samples and \a total_samples
  82806. * are greater than \c 0, there will always be at least
  82807. * one seekpoint at sample \c 0.
  82808. * \param total_samples The total number of samples to be encoded;
  82809. * the seekpoints will be spaced
  82810. * \a samples samples apart.
  82811. * \assert
  82812. * \code object != NULL \endcode
  82813. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82814. * \code samples > 0 \endcode
  82815. * \code total_samples > 0 \endcode
  82816. * \retval FLAC__bool
  82817. * \c false if memory allocation fails, else \c true.
  82818. */
  82819. FLAC_API FLAC__bool FLAC__metadata_object_seektable_template_append_spaced_points_by_samples(FLAC__StreamMetadata *object, unsigned samples, FLAC__uint64 total_samples);
  82820. /** Sort a seek table's seek points according to the format specification,
  82821. * removing duplicates.
  82822. *
  82823. * \param object A pointer to a seek table to be sorted.
  82824. * \param compact If \c false, behaves like FLAC__format_seektable_sort().
  82825. * If \c true, duplicates are deleted and the seek table is
  82826. * shrunk appropriately; the number of placeholder points
  82827. * present in the seek table will be the same after the call
  82828. * as before.
  82829. * \assert
  82830. * \code object != NULL \endcode
  82831. * \code object->type == FLAC__METADATA_TYPE_SEEKTABLE \endcode
  82832. * \retval FLAC__bool
  82833. * \c false if realloc() fails, else \c true.
  82834. */
  82835. FLAC_API FLAC__bool FLAC__metadata_object_seektable_template_sort(FLAC__StreamMetadata *object, FLAC__bool compact);
  82836. /** Sets the vendor string in a VORBIS_COMMENT block.
  82837. *
  82838. * For convenience, a trailing NUL is added to the entry if it doesn't have
  82839. * one already.
  82840. *
  82841. * If \a copy is \c true, a copy of the entry is stored; otherwise, the object
  82842. * takes ownership of the \c entry.entry pointer.
  82843. *
  82844. * \note If this function returns \c false, the caller still owns the
  82845. * pointer.
  82846. *
  82847. * \param object A pointer to an existing VORBIS_COMMENT object.
  82848. * \param entry The entry to set the vendor string to.
  82849. * \param copy See above.
  82850. * \assert
  82851. * \code object != NULL \endcode
  82852. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  82853. * \code (entry.entry != NULL && entry.length > 0) ||
  82854. * (entry.entry == NULL && entry.length == 0) \endcode
  82855. * \retval FLAC__bool
  82856. * \c false if memory allocation fails or \a entry does not comply with the
  82857. * Vorbis comment specification, else \c true.
  82858. */
  82859. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_set_vendor_string(FLAC__StreamMetadata *object, FLAC__StreamMetadata_VorbisComment_Entry entry, FLAC__bool copy);
  82860. /** Resize the comment array.
  82861. *
  82862. * If the size shrinks, elements will truncated; if it grows, new empty
  82863. * fields will be added to the end.
  82864. *
  82865. * \param object A pointer to an existing VORBIS_COMMENT object.
  82866. * \param new_num_comments The desired length of the array; may be \c 0.
  82867. * \assert
  82868. * \code object != NULL \endcode
  82869. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  82870. * \code (object->data.vorbis_comment.comments == NULL && object->data.vorbis_comment.num_comments == 0) ||
  82871. * (object->data.vorbis_comment.comments != NULL && object->data.vorbis_comment.num_comments > 0) \endcode
  82872. * \retval FLAC__bool
  82873. * \c false if memory allocation fails, else \c true.
  82874. */
  82875. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_resize_comments(FLAC__StreamMetadata *object, unsigned new_num_comments);
  82876. /** Sets a comment in a VORBIS_COMMENT block.
  82877. *
  82878. * For convenience, a trailing NUL is added to the entry if it doesn't have
  82879. * one already.
  82880. *
  82881. * If \a copy is \c true, a copy of the entry is stored; otherwise, the object
  82882. * takes ownership of the \c entry.entry pointer.
  82883. *
  82884. * \note If this function returns \c false, the caller still owns the
  82885. * pointer.
  82886. *
  82887. * \param object A pointer to an existing VORBIS_COMMENT object.
  82888. * \param comment_num Index into comment array to set.
  82889. * \param entry The entry to set the comment to.
  82890. * \param copy See above.
  82891. * \assert
  82892. * \code object != NULL \endcode
  82893. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  82894. * \code comment_num < object->data.vorbis_comment.num_comments \endcode
  82895. * \code (entry.entry != NULL && entry.length > 0) ||
  82896. * (entry.entry == NULL && entry.length == 0) \endcode
  82897. * \retval FLAC__bool
  82898. * \c false if memory allocation fails or \a entry does not comply with the
  82899. * Vorbis comment specification, else \c true.
  82900. */
  82901. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_set_comment(FLAC__StreamMetadata *object, unsigned comment_num, FLAC__StreamMetadata_VorbisComment_Entry entry, FLAC__bool copy);
  82902. /** Insert a comment in a VORBIS_COMMENT block at the given index.
  82903. *
  82904. * For convenience, a trailing NUL is added to the entry if it doesn't have
  82905. * one already.
  82906. *
  82907. * If \a copy is \c true, a copy of the entry is stored; otherwise, the object
  82908. * takes ownership of the \c entry.entry pointer.
  82909. *
  82910. * \note If this function returns \c false, the caller still owns the
  82911. * pointer.
  82912. *
  82913. * \param object A pointer to an existing VORBIS_COMMENT object.
  82914. * \param comment_num The index at which to insert the comment. The comments
  82915. * at and after \a comment_num move right one position.
  82916. * To append a comment to the end, set \a comment_num to
  82917. * \c object->data.vorbis_comment.num_comments .
  82918. * \param entry The comment to insert.
  82919. * \param copy See above.
  82920. * \assert
  82921. * \code object != NULL \endcode
  82922. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  82923. * \code object->data.vorbis_comment.num_comments >= comment_num \endcode
  82924. * \code (entry.entry != NULL && entry.length > 0) ||
  82925. * (entry.entry == NULL && entry.length == 0 && copy == false) \endcode
  82926. * \retval FLAC__bool
  82927. * \c false if memory allocation fails or \a entry does not comply with the
  82928. * Vorbis comment specification, else \c true.
  82929. */
  82930. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_insert_comment(FLAC__StreamMetadata *object, unsigned comment_num, FLAC__StreamMetadata_VorbisComment_Entry entry, FLAC__bool copy);
  82931. /** Appends a comment to a VORBIS_COMMENT block.
  82932. *
  82933. * For convenience, a trailing NUL is added to the entry if it doesn't have
  82934. * one already.
  82935. *
  82936. * If \a copy is \c true, a copy of the entry is stored; otherwise, the object
  82937. * takes ownership of the \c entry.entry pointer.
  82938. *
  82939. * \note If this function returns \c false, the caller still owns the
  82940. * pointer.
  82941. *
  82942. * \param object A pointer to an existing VORBIS_COMMENT object.
  82943. * \param entry The comment to insert.
  82944. * \param copy See above.
  82945. * \assert
  82946. * \code object != NULL \endcode
  82947. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  82948. * \code (entry.entry != NULL && entry.length > 0) ||
  82949. * (entry.entry == NULL && entry.length == 0 && copy == false) \endcode
  82950. * \retval FLAC__bool
  82951. * \c false if memory allocation fails or \a entry does not comply with the
  82952. * Vorbis comment specification, else \c true.
  82953. */
  82954. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_append_comment(FLAC__StreamMetadata *object, FLAC__StreamMetadata_VorbisComment_Entry entry, FLAC__bool copy);
  82955. /** Replaces comments in a VORBIS_COMMENT block with a new one.
  82956. *
  82957. * For convenience, a trailing NUL is added to the entry if it doesn't have
  82958. * one already.
  82959. *
  82960. * Depending on the the value of \a all, either all or just the first comment
  82961. * whose field name(s) match the given entry's name will be replaced by the
  82962. * given entry. If no comments match, \a entry will simply be appended.
  82963. *
  82964. * If \a copy is \c true, a copy of the entry is stored; otherwise, the object
  82965. * takes ownership of the \c entry.entry pointer.
  82966. *
  82967. * \note If this function returns \c false, the caller still owns the
  82968. * pointer.
  82969. *
  82970. * \param object A pointer to an existing VORBIS_COMMENT object.
  82971. * \param entry The comment to insert.
  82972. * \param all If \c true, all comments whose field name matches
  82973. * \a entry's field name will be removed, and \a entry will
  82974. * be inserted at the position of the first matching
  82975. * comment. If \c false, only the first comment whose
  82976. * field name matches \a entry's field name will be
  82977. * replaced with \a entry.
  82978. * \param copy See above.
  82979. * \assert
  82980. * \code object != NULL \endcode
  82981. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  82982. * \code (entry.entry != NULL && entry.length > 0) ||
  82983. * (entry.entry == NULL && entry.length == 0 && copy == false) \endcode
  82984. * \retval FLAC__bool
  82985. * \c false if memory allocation fails or \a entry does not comply with the
  82986. * Vorbis comment specification, else \c true.
  82987. */
  82988. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_replace_comment(FLAC__StreamMetadata *object, FLAC__StreamMetadata_VorbisComment_Entry entry, FLAC__bool all, FLAC__bool copy);
  82989. /** Delete a comment in a VORBIS_COMMENT block at the given index.
  82990. *
  82991. * \param object A pointer to an existing VORBIS_COMMENT object.
  82992. * \param comment_num The index of the comment to delete.
  82993. * \assert
  82994. * \code object != NULL \endcode
  82995. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  82996. * \code object->data.vorbis_comment.num_comments > comment_num \endcode
  82997. * \retval FLAC__bool
  82998. * \c false if realloc() fails, else \c true.
  82999. */
  83000. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_delete_comment(FLAC__StreamMetadata *object, unsigned comment_num);
  83001. /** Creates a Vorbis comment entry from NUL-terminated name and value strings.
  83002. *
  83003. * On return, the filled-in \a entry->entry pointer will point to malloc()ed
  83004. * memory and shall be owned by the caller. For convenience the entry will
  83005. * have a terminating NUL.
  83006. *
  83007. * \param entry A pointer to a Vorbis comment entry. The entry's
  83008. * \c entry pointer should not point to allocated
  83009. * memory as it will be overwritten.
  83010. * \param field_name The field name in ASCII, \c NUL terminated.
  83011. * \param field_value The field value in UTF-8, \c NUL terminated.
  83012. * \assert
  83013. * \code entry != NULL \endcode
  83014. * \code field_name != NULL \endcode
  83015. * \code field_value != NULL \endcode
  83016. * \retval FLAC__bool
  83017. * \c false if malloc() fails, or if \a field_name or \a field_value does
  83018. * not comply with the Vorbis comment specification, else \c true.
  83019. */
  83020. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_entry_from_name_value_pair(FLAC__StreamMetadata_VorbisComment_Entry *entry, const char *field_name, const char *field_value);
  83021. /** Splits a Vorbis comment entry into NUL-terminated name and value strings.
  83022. *
  83023. * The returned pointers to name and value will be allocated by malloc()
  83024. * and shall be owned by the caller.
  83025. *
  83026. * \param entry An existing Vorbis comment entry.
  83027. * \param field_name The address of where the returned pointer to the
  83028. * field name will be stored.
  83029. * \param field_value The address of where the returned pointer to the
  83030. * field value will be stored.
  83031. * \assert
  83032. * \code (entry.entry != NULL && entry.length > 0) \endcode
  83033. * \code memchr(entry.entry, '=', entry.length) != NULL \endcode
  83034. * \code field_name != NULL \endcode
  83035. * \code field_value != NULL \endcode
  83036. * \retval FLAC__bool
  83037. * \c false if memory allocation fails or \a entry does not comply with the
  83038. * Vorbis comment specification, else \c true.
  83039. */
  83040. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_entry_to_name_value_pair(const FLAC__StreamMetadata_VorbisComment_Entry entry, char **field_name, char **field_value);
  83041. /** Check if the given Vorbis comment entry's field name matches the given
  83042. * field name.
  83043. *
  83044. * \param entry An existing Vorbis comment entry.
  83045. * \param field_name The field name to check.
  83046. * \param field_name_length The length of \a field_name, not including the
  83047. * terminating \c NUL.
  83048. * \assert
  83049. * \code (entry.entry != NULL && entry.length > 0) \endcode
  83050. * \retval FLAC__bool
  83051. * \c true if the field names match, else \c false
  83052. */
  83053. FLAC_API FLAC__bool FLAC__metadata_object_vorbiscomment_entry_matches(const FLAC__StreamMetadata_VorbisComment_Entry entry, const char *field_name, unsigned field_name_length);
  83054. /** Find a Vorbis comment with the given field name.
  83055. *
  83056. * The search begins at entry number \a offset; use an offset of 0 to
  83057. * search from the beginning of the comment array.
  83058. *
  83059. * \param object A pointer to an existing VORBIS_COMMENT object.
  83060. * \param offset The offset into the comment array from where to start
  83061. * the search.
  83062. * \param field_name The field name of the comment to find.
  83063. * \assert
  83064. * \code object != NULL \endcode
  83065. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  83066. * \code field_name != NULL \endcode
  83067. * \retval int
  83068. * The offset in the comment array of the first comment whose field
  83069. * name matches \a field_name, or \c -1 if no match was found.
  83070. */
  83071. FLAC_API int FLAC__metadata_object_vorbiscomment_find_entry_from(const FLAC__StreamMetadata *object, unsigned offset, const char *field_name);
  83072. /** Remove first Vorbis comment matching the given field name.
  83073. *
  83074. * \param object A pointer to an existing VORBIS_COMMENT object.
  83075. * \param field_name The field name of comment to delete.
  83076. * \assert
  83077. * \code object != NULL \endcode
  83078. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  83079. * \retval int
  83080. * \c -1 for memory allocation error, \c 0 for no matching entries,
  83081. * \c 1 for one matching entry deleted.
  83082. */
  83083. FLAC_API int FLAC__metadata_object_vorbiscomment_remove_entry_matching(FLAC__StreamMetadata *object, const char *field_name);
  83084. /** Remove all Vorbis comments matching the given field name.
  83085. *
  83086. * \param object A pointer to an existing VORBIS_COMMENT object.
  83087. * \param field_name The field name of comments to delete.
  83088. * \assert
  83089. * \code object != NULL \endcode
  83090. * \code object->type == FLAC__METADATA_TYPE_VORBIS_COMMENT \endcode
  83091. * \retval int
  83092. * \c -1 for memory allocation error, \c 0 for no matching entries,
  83093. * else the number of matching entries deleted.
  83094. */
  83095. FLAC_API int FLAC__metadata_object_vorbiscomment_remove_entries_matching(FLAC__StreamMetadata *object, const char *field_name);
  83096. /** Create a new CUESHEET track instance.
  83097. *
  83098. * The object will be "empty"; i.e. values and data pointers will be \c 0.
  83099. *
  83100. * \retval FLAC__StreamMetadata_CueSheet_Track*
  83101. * \c NULL if there was an error allocating memory, else the new instance.
  83102. */
  83103. FLAC_API FLAC__StreamMetadata_CueSheet_Track *FLAC__metadata_object_cuesheet_track_new(void);
  83104. /** Create a copy of an existing CUESHEET track object.
  83105. *
  83106. * The copy is a "deep" copy, i.e. dynamically allocated data within the
  83107. * object is also copied. The caller takes ownership of the new object and
  83108. * is responsible for freeing it with
  83109. * FLAC__metadata_object_cuesheet_track_delete().
  83110. *
  83111. * \param object Pointer to object to copy.
  83112. * \assert
  83113. * \code object != NULL \endcode
  83114. * \retval FLAC__StreamMetadata_CueSheet_Track*
  83115. * \c NULL if there was an error allocating memory, else the new instance.
  83116. */
  83117. FLAC_API FLAC__StreamMetadata_CueSheet_Track *FLAC__metadata_object_cuesheet_track_clone(const FLAC__StreamMetadata_CueSheet_Track *object);
  83118. /** Delete a CUESHEET track object
  83119. *
  83120. * \param object A pointer to an existing CUESHEET track object.
  83121. * \assert
  83122. * \code object != NULL \endcode
  83123. */
  83124. FLAC_API void FLAC__metadata_object_cuesheet_track_delete(FLAC__StreamMetadata_CueSheet_Track *object);
  83125. /** Resize a track's index point array.
  83126. *
  83127. * If the size shrinks, elements will truncated; if it grows, new blank
  83128. * indices will be added to the end.
  83129. *
  83130. * \param object A pointer to an existing CUESHEET object.
  83131. * \param track_num The index of the track to modify. NOTE: this is not
  83132. * necessarily the same as the track's \a number field.
  83133. * \param new_num_indices The desired length of the array; may be \c 0.
  83134. * \assert
  83135. * \code object != NULL \endcode
  83136. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83137. * \code object->data.cue_sheet.num_tracks > track_num \endcode
  83138. * \code (object->data.cue_sheet.tracks[track_num].indices == NULL && object->data.cue_sheet.tracks[track_num].num_indices == 0) ||
  83139. * (object->data.cue_sheet.tracks[track_num].indices != NULL && object->data.cue_sheet.tracks[track_num].num_indices > 0) \endcode
  83140. * \retval FLAC__bool
  83141. * \c false if memory allocation error, else \c true.
  83142. */
  83143. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_track_resize_indices(FLAC__StreamMetadata *object, unsigned track_num, unsigned new_num_indices);
  83144. /** Insert an index point in a CUESHEET track at the given index.
  83145. *
  83146. * \param object A pointer to an existing CUESHEET object.
  83147. * \param track_num The index of the track to modify. NOTE: this is not
  83148. * necessarily the same as the track's \a number field.
  83149. * \param index_num The index into the track's index array at which to
  83150. * insert the index point. NOTE: this is not necessarily
  83151. * the same as the index point's \a number field. The
  83152. * indices at and after \a index_num move right one
  83153. * position. To append an index point to the end, set
  83154. * \a index_num to
  83155. * \c object->data.cue_sheet.tracks[track_num].num_indices .
  83156. * \param index The index point to insert.
  83157. * \assert
  83158. * \code object != NULL \endcode
  83159. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83160. * \code object->data.cue_sheet.num_tracks > track_num \endcode
  83161. * \code object->data.cue_sheet.tracks[track_num].num_indices >= index_num \endcode
  83162. * \retval FLAC__bool
  83163. * \c false if realloc() fails, else \c true.
  83164. */
  83165. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_track_insert_index(FLAC__StreamMetadata *object, unsigned track_num, unsigned index_num, FLAC__StreamMetadata_CueSheet_Index index);
  83166. /** Insert a blank index point in a CUESHEET track at the given index.
  83167. *
  83168. * A blank index point is one in which all field values are zero.
  83169. *
  83170. * \param object A pointer to an existing CUESHEET object.
  83171. * \param track_num The index of the track to modify. NOTE: this is not
  83172. * necessarily the same as the track's \a number field.
  83173. * \param index_num The index into the track's index array at which to
  83174. * insert the index point. NOTE: this is not necessarily
  83175. * the same as the index point's \a number field. The
  83176. * indices at and after \a index_num move right one
  83177. * position. To append an index point to the end, set
  83178. * \a index_num to
  83179. * \c object->data.cue_sheet.tracks[track_num].num_indices .
  83180. * \assert
  83181. * \code object != NULL \endcode
  83182. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83183. * \code object->data.cue_sheet.num_tracks > track_num \endcode
  83184. * \code object->data.cue_sheet.tracks[track_num].num_indices >= index_num \endcode
  83185. * \retval FLAC__bool
  83186. * \c false if realloc() fails, else \c true.
  83187. */
  83188. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_track_insert_blank_index(FLAC__StreamMetadata *object, unsigned track_num, unsigned index_num);
  83189. /** Delete an index point in a CUESHEET track at the given index.
  83190. *
  83191. * \param object A pointer to an existing CUESHEET object.
  83192. * \param track_num The index into the track array of the track to
  83193. * modify. NOTE: this is not necessarily the same
  83194. * as the track's \a number field.
  83195. * \param index_num The index into the track's index array of the index
  83196. * to delete. NOTE: this is not necessarily the same
  83197. * as the index's \a number field.
  83198. * \assert
  83199. * \code object != NULL \endcode
  83200. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83201. * \code object->data.cue_sheet.num_tracks > track_num \endcode
  83202. * \code object->data.cue_sheet.tracks[track_num].num_indices > index_num \endcode
  83203. * \retval FLAC__bool
  83204. * \c false if realloc() fails, else \c true.
  83205. */
  83206. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_track_delete_index(FLAC__StreamMetadata *object, unsigned track_num, unsigned index_num);
  83207. /** Resize the track array.
  83208. *
  83209. * If the size shrinks, elements will truncated; if it grows, new blank
  83210. * tracks will be added to the end.
  83211. *
  83212. * \param object A pointer to an existing CUESHEET object.
  83213. * \param new_num_tracks The desired length of the array; may be \c 0.
  83214. * \assert
  83215. * \code object != NULL \endcode
  83216. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83217. * \code (object->data.cue_sheet.tracks == NULL && object->data.cue_sheet.num_tracks == 0) ||
  83218. * (object->data.cue_sheet.tracks != NULL && object->data.cue_sheet.num_tracks > 0) \endcode
  83219. * \retval FLAC__bool
  83220. * \c false if memory allocation error, else \c true.
  83221. */
  83222. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_resize_tracks(FLAC__StreamMetadata *object, unsigned new_num_tracks);
  83223. /** Sets a track in a CUESHEET block.
  83224. *
  83225. * If \a copy is \c true, a copy of the track is stored; otherwise, the object
  83226. * takes ownership of the \a track pointer.
  83227. *
  83228. * \param object A pointer to an existing CUESHEET object.
  83229. * \param track_num Index into track array to set. NOTE: this is not
  83230. * necessarily the same as the track's \a number field.
  83231. * \param track The track to set the track to. You may safely pass in
  83232. * a const pointer if \a copy is \c true.
  83233. * \param copy See above.
  83234. * \assert
  83235. * \code object != NULL \endcode
  83236. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83237. * \code track_num < object->data.cue_sheet.num_tracks \endcode
  83238. * \code (track->indices != NULL && track->num_indices > 0) ||
  83239. * (track->indices == NULL && track->num_indices == 0)
  83240. * \retval FLAC__bool
  83241. * \c false if \a copy is \c true and malloc() fails, else \c true.
  83242. */
  83243. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_set_track(FLAC__StreamMetadata *object, unsigned track_num, FLAC__StreamMetadata_CueSheet_Track *track, FLAC__bool copy);
  83244. /** Insert a track in a CUESHEET block at the given index.
  83245. *
  83246. * If \a copy is \c true, a copy of the track is stored; otherwise, the object
  83247. * takes ownership of the \a track pointer.
  83248. *
  83249. * \param object A pointer to an existing CUESHEET object.
  83250. * \param track_num The index at which to insert the track. NOTE: this
  83251. * is not necessarily the same as the track's \a number
  83252. * field. The tracks at and after \a track_num move right
  83253. * one position. To append a track to the end, set
  83254. * \a track_num to \c object->data.cue_sheet.num_tracks .
  83255. * \param track The track to insert. You may safely pass in a const
  83256. * pointer if \a copy is \c true.
  83257. * \param copy See above.
  83258. * \assert
  83259. * \code object != NULL \endcode
  83260. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83261. * \code object->data.cue_sheet.num_tracks >= track_num \endcode
  83262. * \retval FLAC__bool
  83263. * \c false if \a copy is \c true and malloc() fails, else \c true.
  83264. */
  83265. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_insert_track(FLAC__StreamMetadata *object, unsigned track_num, FLAC__StreamMetadata_CueSheet_Track *track, FLAC__bool copy);
  83266. /** Insert a blank track in a CUESHEET block at the given index.
  83267. *
  83268. * A blank track is one in which all field values are zero.
  83269. *
  83270. * \param object A pointer to an existing CUESHEET object.
  83271. * \param track_num The index at which to insert the track. NOTE: this
  83272. * is not necessarily the same as the track's \a number
  83273. * field. The tracks at and after \a track_num move right
  83274. * one position. To append a track to the end, set
  83275. * \a track_num to \c object->data.cue_sheet.num_tracks .
  83276. * \assert
  83277. * \code object != NULL \endcode
  83278. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83279. * \code object->data.cue_sheet.num_tracks >= track_num \endcode
  83280. * \retval FLAC__bool
  83281. * \c false if \a copy is \c true and malloc() fails, else \c true.
  83282. */
  83283. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_insert_blank_track(FLAC__StreamMetadata *object, unsigned track_num);
  83284. /** Delete a track in a CUESHEET block at the given index.
  83285. *
  83286. * \param object A pointer to an existing CUESHEET object.
  83287. * \param track_num The index into the track array of the track to
  83288. * delete. NOTE: this is not necessarily the same
  83289. * as the track's \a number field.
  83290. * \assert
  83291. * \code object != NULL \endcode
  83292. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83293. * \code object->data.cue_sheet.num_tracks > track_num \endcode
  83294. * \retval FLAC__bool
  83295. * \c false if realloc() fails, else \c true.
  83296. */
  83297. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_delete_track(FLAC__StreamMetadata *object, unsigned track_num);
  83298. /** Check a cue sheet to see if it conforms to the FLAC specification.
  83299. * See the format specification for limits on the contents of the
  83300. * cue sheet.
  83301. *
  83302. * \param object A pointer to an existing CUESHEET object.
  83303. * \param check_cd_da_subset If \c true, check CUESHEET against more
  83304. * stringent requirements for a CD-DA (audio) disc.
  83305. * \param violation Address of a pointer to a string. If there is a
  83306. * violation, a pointer to a string explanation of the
  83307. * violation will be returned here. \a violation may be
  83308. * \c NULL if you don't need the returned string. Do not
  83309. * free the returned string; it will always point to static
  83310. * data.
  83311. * \assert
  83312. * \code object != NULL \endcode
  83313. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83314. * \retval FLAC__bool
  83315. * \c false if cue sheet is illegal, else \c true.
  83316. */
  83317. FLAC_API FLAC__bool FLAC__metadata_object_cuesheet_is_legal(const FLAC__StreamMetadata *object, FLAC__bool check_cd_da_subset, const char **violation);
  83318. /** Calculate and return the CDDB/freedb ID for a cue sheet. The function
  83319. * assumes the cue sheet corresponds to a CD; the result is undefined
  83320. * if the cuesheet's is_cd bit is not set.
  83321. *
  83322. * \param object A pointer to an existing CUESHEET object.
  83323. * \assert
  83324. * \code object != NULL \endcode
  83325. * \code object->type == FLAC__METADATA_TYPE_CUESHEET \endcode
  83326. * \retval FLAC__uint32
  83327. * The unsigned integer representation of the CDDB/freedb ID
  83328. */
  83329. FLAC_API FLAC__uint32 FLAC__metadata_object_cuesheet_calculate_cddb_id(const FLAC__StreamMetadata *object);
  83330. /** Sets the MIME type of a PICTURE block.
  83331. *
  83332. * If \a copy is \c true, a copy of the string is stored; otherwise, the object
  83333. * takes ownership of the pointer. The existing string will be freed if this
  83334. * function is successful, otherwise the original string will remain if \a copy
  83335. * is \c true and malloc() fails.
  83336. *
  83337. * \note It is safe to pass a const pointer to \a mime_type if \a copy is \c true.
  83338. *
  83339. * \param object A pointer to an existing PICTURE object.
  83340. * \param mime_type A pointer to the MIME type string. The string must be
  83341. * ASCII characters 0x20-0x7e, NUL-terminated. No validation
  83342. * is done.
  83343. * \param copy See above.
  83344. * \assert
  83345. * \code object != NULL \endcode
  83346. * \code object->type == FLAC__METADATA_TYPE_PICTURE \endcode
  83347. * \code (mime_type != NULL) \endcode
  83348. * \retval FLAC__bool
  83349. * \c false if \a copy is \c true and malloc() fails, else \c true.
  83350. */
  83351. FLAC_API FLAC__bool FLAC__metadata_object_picture_set_mime_type(FLAC__StreamMetadata *object, char *mime_type, FLAC__bool copy);
  83352. /** Sets the description of a PICTURE block.
  83353. *
  83354. * If \a copy is \c true, a copy of the string is stored; otherwise, the object
  83355. * takes ownership of the pointer. The existing string will be freed if this
  83356. * function is successful, otherwise the original string will remain if \a copy
  83357. * is \c true and malloc() fails.
  83358. *
  83359. * \note It is safe to pass a const pointer to \a description if \a copy is \c true.
  83360. *
  83361. * \param object A pointer to an existing PICTURE object.
  83362. * \param description A pointer to the description string. The string must be
  83363. * valid UTF-8, NUL-terminated. No validation is done.
  83364. * \param copy See above.
  83365. * \assert
  83366. * \code object != NULL \endcode
  83367. * \code object->type == FLAC__METADATA_TYPE_PICTURE \endcode
  83368. * \code (description != NULL) \endcode
  83369. * \retval FLAC__bool
  83370. * \c false if \a copy is \c true and malloc() fails, else \c true.
  83371. */
  83372. FLAC_API FLAC__bool FLAC__metadata_object_picture_set_description(FLAC__StreamMetadata *object, FLAC__byte *description, FLAC__bool copy);
  83373. /** Sets the picture data of a PICTURE block.
  83374. *
  83375. * If \a copy is \c true, a copy of the data is stored; otherwise, the object
  83376. * takes ownership of the pointer. Also sets the \a data_length field of the
  83377. * metadata object to what is passed in as the \a length parameter. The
  83378. * existing data will be freed if this function is successful, otherwise the
  83379. * original data and data_length will remain if \a copy is \c true and
  83380. * malloc() fails.
  83381. *
  83382. * \note It is safe to pass a const pointer to \a data if \a copy is \c true.
  83383. *
  83384. * \param object A pointer to an existing PICTURE object.
  83385. * \param data A pointer to the data to set.
  83386. * \param length The length of \a data in bytes.
  83387. * \param copy See above.
  83388. * \assert
  83389. * \code object != NULL \endcode
  83390. * \code object->type == FLAC__METADATA_TYPE_PICTURE \endcode
  83391. * \code (data != NULL && length > 0) ||
  83392. * (data == NULL && length == 0 && copy == false) \endcode
  83393. * \retval FLAC__bool
  83394. * \c false if \a copy is \c true and malloc() fails, else \c true.
  83395. */
  83396. FLAC_API FLAC__bool FLAC__metadata_object_picture_set_data(FLAC__StreamMetadata *object, FLAC__byte *data, FLAC__uint32 length, FLAC__bool copy);
  83397. /** Check a PICTURE block to see if it conforms to the FLAC specification.
  83398. * See the format specification for limits on the contents of the
  83399. * PICTURE block.
  83400. *
  83401. * \param object A pointer to existing PICTURE block to be checked.
  83402. * \param violation Address of a pointer to a string. If there is a
  83403. * violation, a pointer to a string explanation of the
  83404. * violation will be returned here. \a violation may be
  83405. * \c NULL if you don't need the returned string. Do not
  83406. * free the returned string; it will always point to static
  83407. * data.
  83408. * \assert
  83409. * \code object != NULL \endcode
  83410. * \code object->type == FLAC__METADATA_TYPE_PICTURE \endcode
  83411. * \retval FLAC__bool
  83412. * \c false if PICTURE block is illegal, else \c true.
  83413. */
  83414. FLAC_API FLAC__bool FLAC__metadata_object_picture_is_legal(const FLAC__StreamMetadata *object, const char **violation);
  83415. /* \} */
  83416. #ifdef __cplusplus
  83417. }
  83418. #endif
  83419. #endif
  83420. /********* End of inlined file: metadata.h *********/
  83421. /********* Start of inlined file: stream_decoder.h *********/
  83422. #ifndef FLAC__STREAM_DECODER_H
  83423. #define FLAC__STREAM_DECODER_H
  83424. #include <stdio.h> /* for FILE */
  83425. #ifdef __cplusplus
  83426. extern "C" {
  83427. #endif
  83428. /** \file include/FLAC/stream_decoder.h
  83429. *
  83430. * \brief
  83431. * This module contains the functions which implement the stream
  83432. * decoder.
  83433. *
  83434. * See the detailed documentation in the
  83435. * \link flac_stream_decoder stream decoder \endlink module.
  83436. */
  83437. /** \defgroup flac_decoder FLAC/ \*_decoder.h: decoder interfaces
  83438. * \ingroup flac
  83439. *
  83440. * \brief
  83441. * This module describes the decoder layers provided by libFLAC.
  83442. *
  83443. * The stream decoder can be used to decode complete streams either from
  83444. * the client via callbacks, or directly from a file, depending on how
  83445. * it is initialized. When decoding via callbacks, the client provides
  83446. * callbacks for reading FLAC data and writing decoded samples, and
  83447. * handling metadata and errors. If the client also supplies seek-related
  83448. * callback, the decoder function for sample-accurate seeking within the
  83449. * FLAC input is also available. When decoding from a file, the client
  83450. * needs only supply a filename or open \c FILE* and write/metadata/error
  83451. * callbacks; the rest of the callbacks are supplied internally. For more
  83452. * info see the \link flac_stream_decoder stream decoder \endlink module.
  83453. */
  83454. /** \defgroup flac_stream_decoder FLAC/stream_decoder.h: stream decoder interface
  83455. * \ingroup flac_decoder
  83456. *
  83457. * \brief
  83458. * This module contains the functions which implement the stream
  83459. * decoder.
  83460. *
  83461. * The stream decoder can decode native FLAC, and optionally Ogg FLAC
  83462. * (check FLAC_API_SUPPORTS_OGG_FLAC) streams and files.
  83463. *
  83464. * The basic usage of this decoder is as follows:
  83465. * - The program creates an instance of a decoder using
  83466. * FLAC__stream_decoder_new().
  83467. * - The program overrides the default settings using
  83468. * FLAC__stream_decoder_set_*() functions.
  83469. * - The program initializes the instance to validate the settings and
  83470. * prepare for decoding using
  83471. * - FLAC__stream_decoder_init_stream() or FLAC__stream_decoder_init_FILE()
  83472. * or FLAC__stream_decoder_init_file() for native FLAC,
  83473. * - FLAC__stream_decoder_init_ogg_stream() or FLAC__stream_decoder_init_ogg_FILE()
  83474. * or FLAC__stream_decoder_init_ogg_file() for Ogg FLAC
  83475. * - The program calls the FLAC__stream_decoder_process_*() functions
  83476. * to decode data, which subsequently calls the callbacks.
  83477. * - The program finishes the decoding with FLAC__stream_decoder_finish(),
  83478. * which flushes the input and output and resets the decoder to the
  83479. * uninitialized state.
  83480. * - The instance may be used again or deleted with
  83481. * FLAC__stream_decoder_delete().
  83482. *
  83483. * In more detail, the program will create a new instance by calling
  83484. * FLAC__stream_decoder_new(), then call FLAC__stream_decoder_set_*()
  83485. * functions to override the default decoder options, and call
  83486. * one of the FLAC__stream_decoder_init_*() functions.
  83487. *
  83488. * There are three initialization functions for native FLAC, one for
  83489. * setting up the decoder to decode FLAC data from the client via
  83490. * callbacks, and two for decoding directly from a FLAC file.
  83491. *
  83492. * For decoding via callbacks, use FLAC__stream_decoder_init_stream().
  83493. * You must also supply several callbacks for handling I/O. Some (like
  83494. * seeking) are optional, depending on the capabilities of the input.
  83495. *
  83496. * For decoding directly from a file, use FLAC__stream_decoder_init_FILE()
  83497. * or FLAC__stream_decoder_init_file(). Then you must only supply an open
  83498. * \c FILE* or filename and fewer callbacks; the decoder will handle
  83499. * the other callbacks internally.
  83500. *
  83501. * There are three similarly-named init functions for decoding from Ogg
  83502. * FLAC streams. Check \c FLAC_API_SUPPORTS_OGG_FLAC to find out if the
  83503. * library has been built with Ogg support.
  83504. *
  83505. * Once the decoder is initialized, your program will call one of several
  83506. * functions to start the decoding process:
  83507. *
  83508. * - FLAC__stream_decoder_process_single() - Tells the decoder to process at
  83509. * most one metadata block or audio frame and return, calling either the
  83510. * metadata callback or write callback, respectively, once. If the decoder
  83511. * loses sync it will return with only the error callback being called.
  83512. * - FLAC__stream_decoder_process_until_end_of_metadata() - Tells the decoder
  83513. * to process the stream from the current location and stop upon reaching
  83514. * the first audio frame. The client will get one metadata, write, or error
  83515. * callback per metadata block, audio frame, or sync error, respectively.
  83516. * - FLAC__stream_decoder_process_until_end_of_stream() - Tells the decoder
  83517. * to process the stream from the current location until the read callback
  83518. * returns FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM or
  83519. * FLAC__STREAM_DECODER_READ_STATUS_ABORT. The client will get one metadata,
  83520. * write, or error callback per metadata block, audio frame, or sync error,
  83521. * respectively.
  83522. *
  83523. * When the decoder has finished decoding (normally or through an abort),
  83524. * the instance is finished by calling FLAC__stream_decoder_finish(), which
  83525. * ensures the decoder is in the correct state and frees memory. Then the
  83526. * instance may be deleted with FLAC__stream_decoder_delete() or initialized
  83527. * again to decode another stream.
  83528. *
  83529. * Seeking is exposed through the FLAC__stream_decoder_seek_absolute() method.
  83530. * At any point after the stream decoder has been initialized, the client can
  83531. * call this function to seek to an exact sample within the stream.
  83532. * Subsequently, the first time the write callback is called it will be
  83533. * passed a (possibly partial) block starting at that sample.
  83534. *
  83535. * If the client cannot seek via the callback interface provided, but still
  83536. * has another way of seeking, it can flush the decoder using
  83537. * FLAC__stream_decoder_flush() and start feeding data from the new position
  83538. * through the read callback.
  83539. *
  83540. * The stream decoder also provides MD5 signature checking. If this is
  83541. * turned on before initialization, FLAC__stream_decoder_finish() will
  83542. * report when the decoded MD5 signature does not match the one stored
  83543. * in the STREAMINFO block. MD5 checking is automatically turned off
  83544. * (until the next FLAC__stream_decoder_reset()) if there is no signature
  83545. * in the STREAMINFO block or when a seek is attempted.
  83546. *
  83547. * The FLAC__stream_decoder_set_metadata_*() functions deserve special
  83548. * attention. By default, the decoder only calls the metadata_callback for
  83549. * the STREAMINFO block. These functions allow you to tell the decoder
  83550. * explicitly which blocks to parse and return via the metadata_callback
  83551. * and/or which to skip. Use a FLAC__stream_decoder_set_metadata_respond_all(),
  83552. * FLAC__stream_decoder_set_metadata_ignore() ... or FLAC__stream_decoder_set_metadata_ignore_all(),
  83553. * FLAC__stream_decoder_set_metadata_respond() ... sequence to exactly specify
  83554. * which blocks to return. Remember that metadata blocks can potentially
  83555. * be big (for example, cover art) so filtering out the ones you don't
  83556. * use can reduce the memory requirements of the decoder. Also note the
  83557. * special forms FLAC__stream_decoder_set_metadata_respond_application(id)
  83558. * and FLAC__stream_decoder_set_metadata_ignore_application(id) for
  83559. * filtering APPLICATION blocks based on the application ID.
  83560. *
  83561. * STREAMINFO and SEEKTABLE blocks are always parsed and used internally, but
  83562. * they still can legally be filtered from the metadata_callback.
  83563. *
  83564. * \note
  83565. * The "set" functions may only be called when the decoder is in the
  83566. * state FLAC__STREAM_DECODER_UNINITIALIZED, i.e. after
  83567. * FLAC__stream_decoder_new() or FLAC__stream_decoder_finish(), but
  83568. * before FLAC__stream_decoder_init_*(). If this is the case they will
  83569. * return \c true, otherwise \c false.
  83570. *
  83571. * \note
  83572. * FLAC__stream_decoder_finish() resets all settings to the constructor
  83573. * defaults, including the callbacks.
  83574. *
  83575. * \{
  83576. */
  83577. /** State values for a FLAC__StreamDecoder
  83578. *
  83579. * The decoder's state can be obtained by calling FLAC__stream_decoder_get_state().
  83580. */
  83581. typedef enum {
  83582. FLAC__STREAM_DECODER_SEARCH_FOR_METADATA = 0,
  83583. /**< The decoder is ready to search for metadata. */
  83584. FLAC__STREAM_DECODER_READ_METADATA,
  83585. /**< The decoder is ready to or is in the process of reading metadata. */
  83586. FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC,
  83587. /**< The decoder is ready to or is in the process of searching for the
  83588. * frame sync code.
  83589. */
  83590. FLAC__STREAM_DECODER_READ_FRAME,
  83591. /**< The decoder is ready to or is in the process of reading a frame. */
  83592. FLAC__STREAM_DECODER_END_OF_STREAM,
  83593. /**< The decoder has reached the end of the stream. */
  83594. FLAC__STREAM_DECODER_OGG_ERROR,
  83595. /**< An error occurred in the underlying Ogg layer. */
  83596. FLAC__STREAM_DECODER_SEEK_ERROR,
  83597. /**< An error occurred while seeking. The decoder must be flushed
  83598. * with FLAC__stream_decoder_flush() or reset with
  83599. * FLAC__stream_decoder_reset() before decoding can continue.
  83600. */
  83601. FLAC__STREAM_DECODER_ABORTED,
  83602. /**< The decoder was aborted by the read callback. */
  83603. FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR,
  83604. /**< An error occurred allocating memory. The decoder is in an invalid
  83605. * state and can no longer be used.
  83606. */
  83607. FLAC__STREAM_DECODER_UNINITIALIZED
  83608. /**< The decoder is in the uninitialized state; one of the
  83609. * FLAC__stream_decoder_init_*() functions must be called before samples
  83610. * can be processed.
  83611. */
  83612. } FLAC__StreamDecoderState;
  83613. /** Maps a FLAC__StreamDecoderState to a C string.
  83614. *
  83615. * Using a FLAC__StreamDecoderState as the index to this array
  83616. * will give the string equivalent. The contents should not be modified.
  83617. */
  83618. extern FLAC_API const char * const FLAC__StreamDecoderStateString[];
  83619. /** Possible return values for the FLAC__stream_decoder_init_*() functions.
  83620. */
  83621. typedef enum {
  83622. FLAC__STREAM_DECODER_INIT_STATUS_OK = 0,
  83623. /**< Initialization was successful. */
  83624. FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER,
  83625. /**< The library was not compiled with support for the given container
  83626. * format.
  83627. */
  83628. FLAC__STREAM_DECODER_INIT_STATUS_INVALID_CALLBACKS,
  83629. /**< A required callback was not supplied. */
  83630. FLAC__STREAM_DECODER_INIT_STATUS_MEMORY_ALLOCATION_ERROR,
  83631. /**< An error occurred allocating memory. */
  83632. FLAC__STREAM_DECODER_INIT_STATUS_ERROR_OPENING_FILE,
  83633. /**< fopen() failed in FLAC__stream_decoder_init_file() or
  83634. * FLAC__stream_decoder_init_ogg_file(). */
  83635. FLAC__STREAM_DECODER_INIT_STATUS_ALREADY_INITIALIZED
  83636. /**< FLAC__stream_decoder_init_*() was called when the decoder was
  83637. * already initialized, usually because
  83638. * FLAC__stream_decoder_finish() was not called.
  83639. */
  83640. } FLAC__StreamDecoderInitStatus;
  83641. /** Maps a FLAC__StreamDecoderInitStatus to a C string.
  83642. *
  83643. * Using a FLAC__StreamDecoderInitStatus as the index to this array
  83644. * will give the string equivalent. The contents should not be modified.
  83645. */
  83646. extern FLAC_API const char * const FLAC__StreamDecoderInitStatusString[];
  83647. /** Return values for the FLAC__StreamDecoder read callback.
  83648. */
  83649. typedef enum {
  83650. FLAC__STREAM_DECODER_READ_STATUS_CONTINUE,
  83651. /**< The read was OK and decoding can continue. */
  83652. FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM,
  83653. /**< The read was attempted while at the end of the stream. Note that
  83654. * the client must only return this value when the read callback was
  83655. * called when already at the end of the stream. Otherwise, if the read
  83656. * itself moves to the end of the stream, the client should still return
  83657. * the data and \c FLAC__STREAM_DECODER_READ_STATUS_CONTINUE, and then on
  83658. * the next read callback it should return
  83659. * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM with a byte count
  83660. * of \c 0.
  83661. */
  83662. FLAC__STREAM_DECODER_READ_STATUS_ABORT
  83663. /**< An unrecoverable error occurred. The decoder will return from the process call. */
  83664. } FLAC__StreamDecoderReadStatus;
  83665. /** Maps a FLAC__StreamDecoderReadStatus to a C string.
  83666. *
  83667. * Using a FLAC__StreamDecoderReadStatus as the index to this array
  83668. * will give the string equivalent. The contents should not be modified.
  83669. */
  83670. extern FLAC_API const char * const FLAC__StreamDecoderReadStatusString[];
  83671. /** Return values for the FLAC__StreamDecoder seek callback.
  83672. */
  83673. typedef enum {
  83674. FLAC__STREAM_DECODER_SEEK_STATUS_OK,
  83675. /**< The seek was OK and decoding can continue. */
  83676. FLAC__STREAM_DECODER_SEEK_STATUS_ERROR,
  83677. /**< An unrecoverable error occurred. The decoder will return from the process call. */
  83678. FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED
  83679. /**< Client does not support seeking. */
  83680. } FLAC__StreamDecoderSeekStatus;
  83681. /** Maps a FLAC__StreamDecoderSeekStatus to a C string.
  83682. *
  83683. * Using a FLAC__StreamDecoderSeekStatus as the index to this array
  83684. * will give the string equivalent. The contents should not be modified.
  83685. */
  83686. extern FLAC_API const char * const FLAC__StreamDecoderSeekStatusString[];
  83687. /** Return values for the FLAC__StreamDecoder tell callback.
  83688. */
  83689. typedef enum {
  83690. FLAC__STREAM_DECODER_TELL_STATUS_OK,
  83691. /**< The tell was OK and decoding can continue. */
  83692. FLAC__STREAM_DECODER_TELL_STATUS_ERROR,
  83693. /**< An unrecoverable error occurred. The decoder will return from the process call. */
  83694. FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED
  83695. /**< Client does not support telling the position. */
  83696. } FLAC__StreamDecoderTellStatus;
  83697. /** Maps a FLAC__StreamDecoderTellStatus to a C string.
  83698. *
  83699. * Using a FLAC__StreamDecoderTellStatus as the index to this array
  83700. * will give the string equivalent. The contents should not be modified.
  83701. */
  83702. extern FLAC_API const char * const FLAC__StreamDecoderTellStatusString[];
  83703. /** Return values for the FLAC__StreamDecoder length callback.
  83704. */
  83705. typedef enum {
  83706. FLAC__STREAM_DECODER_LENGTH_STATUS_OK,
  83707. /**< The length call was OK and decoding can continue. */
  83708. FLAC__STREAM_DECODER_LENGTH_STATUS_ERROR,
  83709. /**< An unrecoverable error occurred. The decoder will return from the process call. */
  83710. FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED
  83711. /**< Client does not support reporting the length. */
  83712. } FLAC__StreamDecoderLengthStatus;
  83713. /** Maps a FLAC__StreamDecoderLengthStatus to a C string.
  83714. *
  83715. * Using a FLAC__StreamDecoderLengthStatus as the index to this array
  83716. * will give the string equivalent. The contents should not be modified.
  83717. */
  83718. extern FLAC_API const char * const FLAC__StreamDecoderLengthStatusString[];
  83719. /** Return values for the FLAC__StreamDecoder write callback.
  83720. */
  83721. typedef enum {
  83722. FLAC__STREAM_DECODER_WRITE_STATUS_CONTINUE,
  83723. /**< The write was OK and decoding can continue. */
  83724. FLAC__STREAM_DECODER_WRITE_STATUS_ABORT
  83725. /**< An unrecoverable error occurred. The decoder will return from the process call. */
  83726. } FLAC__StreamDecoderWriteStatus;
  83727. /** Maps a FLAC__StreamDecoderWriteStatus to a C string.
  83728. *
  83729. * Using a FLAC__StreamDecoderWriteStatus as the index to this array
  83730. * will give the string equivalent. The contents should not be modified.
  83731. */
  83732. extern FLAC_API const char * const FLAC__StreamDecoderWriteStatusString[];
  83733. /** Possible values passed back to the FLAC__StreamDecoder error callback.
  83734. * \c FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC is the generic catch-
  83735. * all. The rest could be caused by bad sync (false synchronization on
  83736. * data that is not the start of a frame) or corrupted data. The error
  83737. * itself is the decoder's best guess at what happened assuming a correct
  83738. * sync. For example \c FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER
  83739. * could be caused by a correct sync on the start of a frame, but some
  83740. * data in the frame header was corrupted. Or it could be the result of
  83741. * syncing on a point the stream that looked like the starting of a frame
  83742. * but was not. \c FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM
  83743. * could be because the decoder encountered a valid frame made by a future
  83744. * version of the encoder which it cannot parse, or because of a false
  83745. * sync making it appear as though an encountered frame was generated by
  83746. * a future encoder.
  83747. */
  83748. typedef enum {
  83749. FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC,
  83750. /**< An error in the stream caused the decoder to lose synchronization. */
  83751. FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER,
  83752. /**< The decoder encountered a corrupted frame header. */
  83753. FLAC__STREAM_DECODER_ERROR_STATUS_FRAME_CRC_MISMATCH,
  83754. /**< The frame's data did not match the CRC in the footer. */
  83755. FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM
  83756. /**< The decoder encountered reserved fields in use in the stream. */
  83757. } FLAC__StreamDecoderErrorStatus;
  83758. /** Maps a FLAC__StreamDecoderErrorStatus to a C string.
  83759. *
  83760. * Using a FLAC__StreamDecoderErrorStatus as the index to this array
  83761. * will give the string equivalent. The contents should not be modified.
  83762. */
  83763. extern FLAC_API const char * const FLAC__StreamDecoderErrorStatusString[];
  83764. /***********************************************************************
  83765. *
  83766. * class FLAC__StreamDecoder
  83767. *
  83768. ***********************************************************************/
  83769. struct FLAC__StreamDecoderProtected;
  83770. struct FLAC__StreamDecoderPrivate;
  83771. /** The opaque structure definition for the stream decoder type.
  83772. * See the \link flac_stream_decoder stream decoder module \endlink
  83773. * for a detailed description.
  83774. */
  83775. typedef struct {
  83776. struct FLAC__StreamDecoderProtected *protected_; /* avoid the C++ keyword 'protected' */
  83777. struct FLAC__StreamDecoderPrivate *private_; /* avoid the C++ keyword 'private' */
  83778. } FLAC__StreamDecoder;
  83779. /** Signature for the read callback.
  83780. *
  83781. * A function pointer matching this signature must be passed to
  83782. * FLAC__stream_decoder_init*_stream(). The supplied function will be
  83783. * called when the decoder needs more input data. The address of the
  83784. * buffer to be filled is supplied, along with the number of bytes the
  83785. * buffer can hold. The callback may choose to supply less data and
  83786. * modify the byte count but must be careful not to overflow the buffer.
  83787. * The callback then returns a status code chosen from
  83788. * FLAC__StreamDecoderReadStatus.
  83789. *
  83790. * Here is an example of a read callback for stdio streams:
  83791. * \code
  83792. * FLAC__StreamDecoderReadStatus read_cb(const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes, void *client_data)
  83793. * {
  83794. * FILE *file = ((MyClientData*)client_data)->file;
  83795. * if(*bytes > 0) {
  83796. * *bytes = fread(buffer, sizeof(FLAC__byte), *bytes, file);
  83797. * if(ferror(file))
  83798. * return FLAC__STREAM_DECODER_READ_STATUS_ABORT;
  83799. * else if(*bytes == 0)
  83800. * return FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM;
  83801. * else
  83802. * return FLAC__STREAM_DECODER_READ_STATUS_CONTINUE;
  83803. * }
  83804. * else
  83805. * return FLAC__STREAM_DECODER_READ_STATUS_ABORT;
  83806. * }
  83807. * \endcode
  83808. *
  83809. * \note In general, FLAC__StreamDecoder functions which change the
  83810. * state should not be called on the \a decoder while in the callback.
  83811. *
  83812. * \param decoder The decoder instance calling the callback.
  83813. * \param buffer A pointer to a location for the callee to store
  83814. * data to be decoded.
  83815. * \param bytes A pointer to the size of the buffer. On entry
  83816. * to the callback, it contains the maximum number
  83817. * of bytes that may be stored in \a buffer. The
  83818. * callee must set it to the actual number of bytes
  83819. * stored (0 in case of error or end-of-stream) before
  83820. * returning.
  83821. * \param client_data The callee's client data set through
  83822. * FLAC__stream_decoder_init_*().
  83823. * \retval FLAC__StreamDecoderReadStatus
  83824. * The callee's return status. Note that the callback should return
  83825. * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM if and only if
  83826. * zero bytes were read and there is no more data to be read.
  83827. */
  83828. typedef FLAC__StreamDecoderReadStatus (*FLAC__StreamDecoderReadCallback)(const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes, void *client_data);
  83829. /** Signature for the seek callback.
  83830. *
  83831. * A function pointer matching this signature may be passed to
  83832. * FLAC__stream_decoder_init*_stream(). The supplied function will be
  83833. * called when the decoder needs to seek the input stream. The decoder
  83834. * will pass the absolute byte offset to seek to, 0 meaning the
  83835. * beginning of the stream.
  83836. *
  83837. * Here is an example of a seek callback for stdio streams:
  83838. * \code
  83839. * FLAC__StreamDecoderSeekStatus seek_cb(const FLAC__StreamDecoder *decoder, FLAC__uint64 absolute_byte_offset, void *client_data)
  83840. * {
  83841. * FILE *file = ((MyClientData*)client_data)->file;
  83842. * if(file == stdin)
  83843. * return FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED;
  83844. * else if(fseeko(file, (off_t)absolute_byte_offset, SEEK_SET) < 0)
  83845. * return FLAC__STREAM_DECODER_SEEK_STATUS_ERROR;
  83846. * else
  83847. * return FLAC__STREAM_DECODER_SEEK_STATUS_OK;
  83848. * }
  83849. * \endcode
  83850. *
  83851. * \note In general, FLAC__StreamDecoder functions which change the
  83852. * state should not be called on the \a decoder while in the callback.
  83853. *
  83854. * \param decoder The decoder instance calling the callback.
  83855. * \param absolute_byte_offset The offset from the beginning of the stream
  83856. * to seek to.
  83857. * \param client_data The callee's client data set through
  83858. * FLAC__stream_decoder_init_*().
  83859. * \retval FLAC__StreamDecoderSeekStatus
  83860. * The callee's return status.
  83861. */
  83862. typedef FLAC__StreamDecoderSeekStatus (*FLAC__StreamDecoderSeekCallback)(const FLAC__StreamDecoder *decoder, FLAC__uint64 absolute_byte_offset, void *client_data);
  83863. /** Signature for the tell callback.
  83864. *
  83865. * A function pointer matching this signature may be passed to
  83866. * FLAC__stream_decoder_init*_stream(). The supplied function will be
  83867. * called when the decoder wants to know the current position of the
  83868. * stream. The callback should return the byte offset from the
  83869. * beginning of the stream.
  83870. *
  83871. * Here is an example of a tell callback for stdio streams:
  83872. * \code
  83873. * FLAC__StreamDecoderTellStatus tell_cb(const FLAC__StreamDecoder *decoder, FLAC__uint64 *absolute_byte_offset, void *client_data)
  83874. * {
  83875. * FILE *file = ((MyClientData*)client_data)->file;
  83876. * off_t pos;
  83877. * if(file == stdin)
  83878. * return FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED;
  83879. * else if((pos = ftello(file)) < 0)
  83880. * return FLAC__STREAM_DECODER_TELL_STATUS_ERROR;
  83881. * else {
  83882. * *absolute_byte_offset = (FLAC__uint64)pos;
  83883. * return FLAC__STREAM_DECODER_TELL_STATUS_OK;
  83884. * }
  83885. * }
  83886. * \endcode
  83887. *
  83888. * \note In general, FLAC__StreamDecoder functions which change the
  83889. * state should not be called on the \a decoder while in the callback.
  83890. *
  83891. * \param decoder The decoder instance calling the callback.
  83892. * \param absolute_byte_offset A pointer to storage for the current offset
  83893. * from the beginning of the stream.
  83894. * \param client_data The callee's client data set through
  83895. * FLAC__stream_decoder_init_*().
  83896. * \retval FLAC__StreamDecoderTellStatus
  83897. * The callee's return status.
  83898. */
  83899. typedef FLAC__StreamDecoderTellStatus (*FLAC__StreamDecoderTellCallback)(const FLAC__StreamDecoder *decoder, FLAC__uint64 *absolute_byte_offset, void *client_data);
  83900. /** Signature for the length callback.
  83901. *
  83902. * A function pointer matching this signature may be passed to
  83903. * FLAC__stream_decoder_init*_stream(). The supplied function will be
  83904. * called when the decoder wants to know the total length of the stream
  83905. * in bytes.
  83906. *
  83907. * Here is an example of a length callback for stdio streams:
  83908. * \code
  83909. * FLAC__StreamDecoderLengthStatus length_cb(const FLAC__StreamDecoder *decoder, FLAC__uint64 *stream_length, void *client_data)
  83910. * {
  83911. * FILE *file = ((MyClientData*)client_data)->file;
  83912. * struct stat filestats;
  83913. *
  83914. * if(file == stdin)
  83915. * return FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED;
  83916. * else if(fstat(fileno(file), &filestats) != 0)
  83917. * return FLAC__STREAM_DECODER_LENGTH_STATUS_ERROR;
  83918. * else {
  83919. * *stream_length = (FLAC__uint64)filestats.st_size;
  83920. * return FLAC__STREAM_DECODER_LENGTH_STATUS_OK;
  83921. * }
  83922. * }
  83923. * \endcode
  83924. *
  83925. * \note In general, FLAC__StreamDecoder functions which change the
  83926. * state should not be called on the \a decoder while in the callback.
  83927. *
  83928. * \param decoder The decoder instance calling the callback.
  83929. * \param stream_length A pointer to storage for the length of the stream
  83930. * in bytes.
  83931. * \param client_data The callee's client data set through
  83932. * FLAC__stream_decoder_init_*().
  83933. * \retval FLAC__StreamDecoderLengthStatus
  83934. * The callee's return status.
  83935. */
  83936. typedef FLAC__StreamDecoderLengthStatus (*FLAC__StreamDecoderLengthCallback)(const FLAC__StreamDecoder *decoder, FLAC__uint64 *stream_length, void *client_data);
  83937. /** Signature for the EOF callback.
  83938. *
  83939. * A function pointer matching this signature may be passed to
  83940. * FLAC__stream_decoder_init*_stream(). The supplied function will be
  83941. * called when the decoder needs to know if the end of the stream has
  83942. * been reached.
  83943. *
  83944. * Here is an example of a EOF callback for stdio streams:
  83945. * FLAC__bool eof_cb(const FLAC__StreamDecoder *decoder, void *client_data)
  83946. * \code
  83947. * {
  83948. * FILE *file = ((MyClientData*)client_data)->file;
  83949. * return feof(file)? true : false;
  83950. * }
  83951. * \endcode
  83952. *
  83953. * \note In general, FLAC__StreamDecoder functions which change the
  83954. * state should not be called on the \a decoder while in the callback.
  83955. *
  83956. * \param decoder The decoder instance calling the callback.
  83957. * \param client_data The callee's client data set through
  83958. * FLAC__stream_decoder_init_*().
  83959. * \retval FLAC__bool
  83960. * \c true if the currently at the end of the stream, else \c false.
  83961. */
  83962. typedef FLAC__bool (*FLAC__StreamDecoderEofCallback)(const FLAC__StreamDecoder *decoder, void *client_data);
  83963. /** Signature for the write callback.
  83964. *
  83965. * A function pointer matching this signature must be passed to one of
  83966. * the FLAC__stream_decoder_init_*() functions.
  83967. * The supplied function will be called when the decoder has decoded a
  83968. * single audio frame. The decoder will pass the frame metadata as well
  83969. * as an array of pointers (one for each channel) pointing to the
  83970. * decoded audio.
  83971. *
  83972. * \note In general, FLAC__StreamDecoder functions which change the
  83973. * state should not be called on the \a decoder while in the callback.
  83974. *
  83975. * \param decoder The decoder instance calling the callback.
  83976. * \param frame The description of the decoded frame. See
  83977. * FLAC__Frame.
  83978. * \param buffer An array of pointers to decoded channels of data.
  83979. * Each pointer will point to an array of signed
  83980. * samples of length \a frame->header.blocksize.
  83981. * Channels will be ordered according to the FLAC
  83982. * specification; see the documentation for the
  83983. * <A HREF="../format.html#frame_header">frame header</A>.
  83984. * \param client_data The callee's client data set through
  83985. * FLAC__stream_decoder_init_*().
  83986. * \retval FLAC__StreamDecoderWriteStatus
  83987. * The callee's return status.
  83988. */
  83989. typedef FLAC__StreamDecoderWriteStatus (*FLAC__StreamDecoderWriteCallback)(const FLAC__StreamDecoder *decoder, const FLAC__Frame *frame, const FLAC__int32 * const buffer[], void *client_data);
  83990. /** Signature for the metadata callback.
  83991. *
  83992. * A function pointer matching this signature must be passed to one of
  83993. * the FLAC__stream_decoder_init_*() functions.
  83994. * The supplied function will be called when the decoder has decoded a
  83995. * metadata block. In a valid FLAC file there will always be one
  83996. * \c STREAMINFO block, followed by zero or more other metadata blocks.
  83997. * These will be supplied by the decoder in the same order as they
  83998. * appear in the stream and always before the first audio frame (i.e.
  83999. * write callback). The metadata block that is passed in must not be
  84000. * modified, and it doesn't live beyond the callback, so you should make
  84001. * a copy of it with FLAC__metadata_object_clone() if you will need it
  84002. * elsewhere. Since metadata blocks can potentially be large, by
  84003. * default the decoder only calls the metadata callback for the
  84004. * \c STREAMINFO block; you can instruct the decoder to pass or filter
  84005. * other blocks with FLAC__stream_decoder_set_metadata_*() calls.
  84006. *
  84007. * \note In general, FLAC__StreamDecoder functions which change the
  84008. * state should not be called on the \a decoder while in the callback.
  84009. *
  84010. * \param decoder The decoder instance calling the callback.
  84011. * \param metadata The decoded metadata block.
  84012. * \param client_data The callee's client data set through
  84013. * FLAC__stream_decoder_init_*().
  84014. */
  84015. typedef void (*FLAC__StreamDecoderMetadataCallback)(const FLAC__StreamDecoder *decoder, const FLAC__StreamMetadata *metadata, void *client_data);
  84016. /** Signature for the error callback.
  84017. *
  84018. * A function pointer matching this signature must be passed to one of
  84019. * the FLAC__stream_decoder_init_*() functions.
  84020. * The supplied function will be called whenever an error occurs during
  84021. * decoding.
  84022. *
  84023. * \note In general, FLAC__StreamDecoder functions which change the
  84024. * state should not be called on the \a decoder while in the callback.
  84025. *
  84026. * \param decoder The decoder instance calling the callback.
  84027. * \param status The error encountered by the decoder.
  84028. * \param client_data The callee's client data set through
  84029. * FLAC__stream_decoder_init_*().
  84030. */
  84031. typedef void (*FLAC__StreamDecoderErrorCallback)(const FLAC__StreamDecoder *decoder, FLAC__StreamDecoderErrorStatus status, void *client_data);
  84032. /***********************************************************************
  84033. *
  84034. * Class constructor/destructor
  84035. *
  84036. ***********************************************************************/
  84037. /** Create a new stream decoder instance. The instance is created with
  84038. * default settings; see the individual FLAC__stream_decoder_set_*()
  84039. * functions for each setting's default.
  84040. *
  84041. * \retval FLAC__StreamDecoder*
  84042. * \c NULL if there was an error allocating memory, else the new instance.
  84043. */
  84044. FLAC_API FLAC__StreamDecoder *FLAC__stream_decoder_new(void);
  84045. /** Free a decoder instance. Deletes the object pointed to by \a decoder.
  84046. *
  84047. * \param decoder A pointer to an existing decoder.
  84048. * \assert
  84049. * \code decoder != NULL \endcode
  84050. */
  84051. FLAC_API void FLAC__stream_decoder_delete(FLAC__StreamDecoder *decoder);
  84052. /***********************************************************************
  84053. *
  84054. * Public class method prototypes
  84055. *
  84056. ***********************************************************************/
  84057. /** Set the serial number for the FLAC stream within the Ogg container.
  84058. * The default behavior is to use the serial number of the first Ogg
  84059. * page. Setting a serial number here will explicitly specify which
  84060. * stream is to be decoded.
  84061. *
  84062. * \note
  84063. * This does not need to be set for native FLAC decoding.
  84064. *
  84065. * \default \c use serial number of first page
  84066. * \param decoder A decoder instance to set.
  84067. * \param serial_number See above.
  84068. * \assert
  84069. * \code decoder != NULL \endcode
  84070. * \retval FLAC__bool
  84071. * \c false if the decoder is already initialized, else \c true.
  84072. */
  84073. FLAC_API FLAC__bool FLAC__stream_decoder_set_ogg_serial_number(FLAC__StreamDecoder *decoder, long serial_number);
  84074. /** Set the "MD5 signature checking" flag. If \c true, the decoder will
  84075. * compute the MD5 signature of the unencoded audio data while decoding
  84076. * and compare it to the signature from the STREAMINFO block, if it
  84077. * exists, during FLAC__stream_decoder_finish().
  84078. *
  84079. * MD5 signature checking will be turned off (until the next
  84080. * FLAC__stream_decoder_reset()) if there is no signature in the
  84081. * STREAMINFO block or when a seek is attempted.
  84082. *
  84083. * Clients that do not use the MD5 check should leave this off to speed
  84084. * up decoding.
  84085. *
  84086. * \default \c false
  84087. * \param decoder A decoder instance to set.
  84088. * \param value Flag value (see above).
  84089. * \assert
  84090. * \code decoder != NULL \endcode
  84091. * \retval FLAC__bool
  84092. * \c false if the decoder is already initialized, else \c true.
  84093. */
  84094. FLAC_API FLAC__bool FLAC__stream_decoder_set_md5_checking(FLAC__StreamDecoder *decoder, FLAC__bool value);
  84095. /** Direct the decoder to pass on all metadata blocks of type \a type.
  84096. *
  84097. * \default By default, only the \c STREAMINFO block is returned via the
  84098. * metadata callback.
  84099. * \param decoder A decoder instance to set.
  84100. * \param type See above.
  84101. * \assert
  84102. * \code decoder != NULL \endcode
  84103. * \a type is valid
  84104. * \retval FLAC__bool
  84105. * \c false if the decoder is already initialized, else \c true.
  84106. */
  84107. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_respond(FLAC__StreamDecoder *decoder, FLAC__MetadataType type);
  84108. /** Direct the decoder to pass on all APPLICATION metadata blocks of the
  84109. * given \a id.
  84110. *
  84111. * \default By default, only the \c STREAMINFO block is returned via the
  84112. * metadata callback.
  84113. * \param decoder A decoder instance to set.
  84114. * \param id See above.
  84115. * \assert
  84116. * \code decoder != NULL \endcode
  84117. * \code id != NULL \endcode
  84118. * \retval FLAC__bool
  84119. * \c false if the decoder is already initialized, else \c true.
  84120. */
  84121. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_respond_application(FLAC__StreamDecoder *decoder, const FLAC__byte id[4]);
  84122. /** Direct the decoder to pass on all metadata blocks of any type.
  84123. *
  84124. * \default By default, only the \c STREAMINFO block is returned via the
  84125. * metadata callback.
  84126. * \param decoder A decoder instance to set.
  84127. * \assert
  84128. * \code decoder != NULL \endcode
  84129. * \retval FLAC__bool
  84130. * \c false if the decoder is already initialized, else \c true.
  84131. */
  84132. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_respond_all(FLAC__StreamDecoder *decoder);
  84133. /** Direct the decoder to filter out all metadata blocks of type \a type.
  84134. *
  84135. * \default By default, only the \c STREAMINFO block is returned via the
  84136. * metadata callback.
  84137. * \param decoder A decoder instance to set.
  84138. * \param type See above.
  84139. * \assert
  84140. * \code decoder != NULL \endcode
  84141. * \a type is valid
  84142. * \retval FLAC__bool
  84143. * \c false if the decoder is already initialized, else \c true.
  84144. */
  84145. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_ignore(FLAC__StreamDecoder *decoder, FLAC__MetadataType type);
  84146. /** Direct the decoder to filter out all APPLICATION metadata blocks of
  84147. * the given \a id.
  84148. *
  84149. * \default By default, only the \c STREAMINFO block is returned via the
  84150. * metadata callback.
  84151. * \param decoder A decoder instance to set.
  84152. * \param id See above.
  84153. * \assert
  84154. * \code decoder != NULL \endcode
  84155. * \code id != NULL \endcode
  84156. * \retval FLAC__bool
  84157. * \c false if the decoder is already initialized, else \c true.
  84158. */
  84159. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_ignore_application(FLAC__StreamDecoder *decoder, const FLAC__byte id[4]);
  84160. /** Direct the decoder to filter out all metadata blocks of any type.
  84161. *
  84162. * \default By default, only the \c STREAMINFO block is returned via the
  84163. * metadata callback.
  84164. * \param decoder A decoder instance to set.
  84165. * \assert
  84166. * \code decoder != NULL \endcode
  84167. * \retval FLAC__bool
  84168. * \c false if the decoder is already initialized, else \c true.
  84169. */
  84170. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_ignore_all(FLAC__StreamDecoder *decoder);
  84171. /** Get the current decoder state.
  84172. *
  84173. * \param decoder A decoder instance to query.
  84174. * \assert
  84175. * \code decoder != NULL \endcode
  84176. * \retval FLAC__StreamDecoderState
  84177. * The current decoder state.
  84178. */
  84179. FLAC_API FLAC__StreamDecoderState FLAC__stream_decoder_get_state(const FLAC__StreamDecoder *decoder);
  84180. /** Get the current decoder state as a C string.
  84181. *
  84182. * \param decoder A decoder instance to query.
  84183. * \assert
  84184. * \code decoder != NULL \endcode
  84185. * \retval const char *
  84186. * The decoder state as a C string. Do not modify the contents.
  84187. */
  84188. FLAC_API const char *FLAC__stream_decoder_get_resolved_state_string(const FLAC__StreamDecoder *decoder);
  84189. /** Get the "MD5 signature checking" flag.
  84190. * This is the value of the setting, not whether or not the decoder is
  84191. * currently checking the MD5 (remember, it can be turned off automatically
  84192. * by a seek). When the decoder is reset the flag will be restored to the
  84193. * value returned by this function.
  84194. *
  84195. * \param decoder A decoder instance to query.
  84196. * \assert
  84197. * \code decoder != NULL \endcode
  84198. * \retval FLAC__bool
  84199. * See above.
  84200. */
  84201. FLAC_API FLAC__bool FLAC__stream_decoder_get_md5_checking(const FLAC__StreamDecoder *decoder);
  84202. /** Get the total number of samples in the stream being decoded.
  84203. * Will only be valid after decoding has started and will contain the
  84204. * value from the \c STREAMINFO block. A value of \c 0 means "unknown".
  84205. *
  84206. * \param decoder A decoder instance to query.
  84207. * \assert
  84208. * \code decoder != NULL \endcode
  84209. * \retval unsigned
  84210. * See above.
  84211. */
  84212. FLAC_API FLAC__uint64 FLAC__stream_decoder_get_total_samples(const FLAC__StreamDecoder *decoder);
  84213. /** Get the current number of channels in the stream being decoded.
  84214. * Will only be valid after decoding has started and will contain the
  84215. * value from the most recently decoded frame header.
  84216. *
  84217. * \param decoder A decoder instance to query.
  84218. * \assert
  84219. * \code decoder != NULL \endcode
  84220. * \retval unsigned
  84221. * See above.
  84222. */
  84223. FLAC_API unsigned FLAC__stream_decoder_get_channels(const FLAC__StreamDecoder *decoder);
  84224. /** Get the current channel assignment in the stream being decoded.
  84225. * Will only be valid after decoding has started and will contain the
  84226. * value from the most recently decoded frame header.
  84227. *
  84228. * \param decoder A decoder instance to query.
  84229. * \assert
  84230. * \code decoder != NULL \endcode
  84231. * \retval FLAC__ChannelAssignment
  84232. * See above.
  84233. */
  84234. FLAC_API FLAC__ChannelAssignment FLAC__stream_decoder_get_channel_assignment(const FLAC__StreamDecoder *decoder);
  84235. /** Get the current sample resolution in the stream being decoded.
  84236. * Will only be valid after decoding has started and will contain the
  84237. * value from the most recently decoded frame header.
  84238. *
  84239. * \param decoder A decoder instance to query.
  84240. * \assert
  84241. * \code decoder != NULL \endcode
  84242. * \retval unsigned
  84243. * See above.
  84244. */
  84245. FLAC_API unsigned FLAC__stream_decoder_get_bits_per_sample(const FLAC__StreamDecoder *decoder);
  84246. /** Get the current sample rate in Hz of the stream being decoded.
  84247. * Will only be valid after decoding has started and will contain the
  84248. * value from the most recently decoded frame header.
  84249. *
  84250. * \param decoder A decoder instance to query.
  84251. * \assert
  84252. * \code decoder != NULL \endcode
  84253. * \retval unsigned
  84254. * See above.
  84255. */
  84256. FLAC_API unsigned FLAC__stream_decoder_get_sample_rate(const FLAC__StreamDecoder *decoder);
  84257. /** Get the current blocksize of the stream being decoded.
  84258. * Will only be valid after decoding has started and will contain the
  84259. * value from the most recently decoded frame header.
  84260. *
  84261. * \param decoder A decoder instance to query.
  84262. * \assert
  84263. * \code decoder != NULL \endcode
  84264. * \retval unsigned
  84265. * See above.
  84266. */
  84267. FLAC_API unsigned FLAC__stream_decoder_get_blocksize(const FLAC__StreamDecoder *decoder);
  84268. /** Returns the decoder's current read position within the stream.
  84269. * The position is the byte offset from the start of the stream.
  84270. * Bytes before this position have been fully decoded. Note that
  84271. * there may still be undecoded bytes in the decoder's read FIFO.
  84272. * The returned position is correct even after a seek.
  84273. *
  84274. * \warning This function currently only works for native FLAC,
  84275. * not Ogg FLAC streams.
  84276. *
  84277. * \param decoder A decoder instance to query.
  84278. * \param position Address at which to return the desired position.
  84279. * \assert
  84280. * \code decoder != NULL \endcode
  84281. * \code position != NULL \endcode
  84282. * \retval FLAC__bool
  84283. * \c true if successful, \c false if the stream is not native FLAC,
  84284. * or there was an error from the 'tell' callback or it returned
  84285. * \c FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED.
  84286. */
  84287. FLAC_API FLAC__bool FLAC__stream_decoder_get_decode_position(const FLAC__StreamDecoder *decoder, FLAC__uint64 *position);
  84288. /** Initialize the decoder instance to decode native FLAC streams.
  84289. *
  84290. * This flavor of initialization sets up the decoder to decode from a
  84291. * native FLAC stream. I/O is performed via callbacks to the client.
  84292. * For decoding from a plain file via filename or open FILE*,
  84293. * FLAC__stream_decoder_init_file() and FLAC__stream_decoder_init_FILE()
  84294. * provide a simpler interface.
  84295. *
  84296. * This function should be called after FLAC__stream_decoder_new() and
  84297. * FLAC__stream_decoder_set_*() but before any of the
  84298. * FLAC__stream_decoder_process_*() functions. Will set and return the
  84299. * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA
  84300. * if initialization succeeded.
  84301. *
  84302. * \param decoder An uninitialized decoder instance.
  84303. * \param read_callback See FLAC__StreamDecoderReadCallback. This
  84304. * pointer must not be \c NULL.
  84305. * \param seek_callback See FLAC__StreamDecoderSeekCallback. This
  84306. * pointer may be \c NULL if seeking is not
  84307. * supported. If \a seek_callback is not \c NULL then a
  84308. * \a tell_callback, \a length_callback, and \a eof_callback must also be supplied.
  84309. * Alternatively, a dummy seek callback that just
  84310. * returns \c FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED
  84311. * may also be supplied, all though this is slightly
  84312. * less efficient for the decoder.
  84313. * \param tell_callback See FLAC__StreamDecoderTellCallback. This
  84314. * pointer may be \c NULL if not supported by the client. If
  84315. * \a seek_callback is not \c NULL then a
  84316. * \a tell_callback must also be supplied.
  84317. * Alternatively, a dummy tell callback that just
  84318. * returns \c FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED
  84319. * may also be supplied, all though this is slightly
  84320. * less efficient for the decoder.
  84321. * \param length_callback See FLAC__StreamDecoderLengthCallback. This
  84322. * pointer may be \c NULL if not supported by the client. If
  84323. * \a seek_callback is not \c NULL then a
  84324. * \a length_callback must also be supplied.
  84325. * Alternatively, a dummy length callback that just
  84326. * returns \c FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED
  84327. * may also be supplied, all though this is slightly
  84328. * less efficient for the decoder.
  84329. * \param eof_callback See FLAC__StreamDecoderEofCallback. This
  84330. * pointer may be \c NULL if not supported by the client. If
  84331. * \a seek_callback is not \c NULL then a
  84332. * \a eof_callback must also be supplied.
  84333. * Alternatively, a dummy length callback that just
  84334. * returns \c false
  84335. * may also be supplied, all though this is slightly
  84336. * less efficient for the decoder.
  84337. * \param write_callback See FLAC__StreamDecoderWriteCallback. This
  84338. * pointer must not be \c NULL.
  84339. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This
  84340. * pointer may be \c NULL if the callback is not
  84341. * desired.
  84342. * \param error_callback See FLAC__StreamDecoderErrorCallback. This
  84343. * pointer must not be \c NULL.
  84344. * \param client_data This value will be supplied to callbacks in their
  84345. * \a client_data argument.
  84346. * \assert
  84347. * \code decoder != NULL \endcode
  84348. * \retval FLAC__StreamDecoderInitStatus
  84349. * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful;
  84350. * see FLAC__StreamDecoderInitStatus for the meanings of other return values.
  84351. */
  84352. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_stream(
  84353. FLAC__StreamDecoder *decoder,
  84354. FLAC__StreamDecoderReadCallback read_callback,
  84355. FLAC__StreamDecoderSeekCallback seek_callback,
  84356. FLAC__StreamDecoderTellCallback tell_callback,
  84357. FLAC__StreamDecoderLengthCallback length_callback,
  84358. FLAC__StreamDecoderEofCallback eof_callback,
  84359. FLAC__StreamDecoderWriteCallback write_callback,
  84360. FLAC__StreamDecoderMetadataCallback metadata_callback,
  84361. FLAC__StreamDecoderErrorCallback error_callback,
  84362. void *client_data
  84363. );
  84364. /** Initialize the decoder instance to decode Ogg FLAC streams.
  84365. *
  84366. * This flavor of initialization sets up the decoder to decode from a
  84367. * FLAC stream in an Ogg container. I/O is performed via callbacks to the
  84368. * client. For decoding from a plain file via filename or open FILE*,
  84369. * FLAC__stream_decoder_init_ogg_file() and FLAC__stream_decoder_init_ogg_FILE()
  84370. * provide a simpler interface.
  84371. *
  84372. * This function should be called after FLAC__stream_decoder_new() and
  84373. * FLAC__stream_decoder_set_*() but before any of the
  84374. * FLAC__stream_decoder_process_*() functions. Will set and return the
  84375. * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA
  84376. * if initialization succeeded.
  84377. *
  84378. * \note Support for Ogg FLAC in the library is optional. If this
  84379. * library has been built without support for Ogg FLAC, this function
  84380. * will return \c FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER.
  84381. *
  84382. * \param decoder An uninitialized decoder instance.
  84383. * \param read_callback See FLAC__StreamDecoderReadCallback. This
  84384. * pointer must not be \c NULL.
  84385. * \param seek_callback See FLAC__StreamDecoderSeekCallback. This
  84386. * pointer may be \c NULL if seeking is not
  84387. * supported. If \a seek_callback is not \c NULL then a
  84388. * \a tell_callback, \a length_callback, and \a eof_callback must also be supplied.
  84389. * Alternatively, a dummy seek callback that just
  84390. * returns \c FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED
  84391. * may also be supplied, all though this is slightly
  84392. * less efficient for the decoder.
  84393. * \param tell_callback See FLAC__StreamDecoderTellCallback. This
  84394. * pointer may be \c NULL if not supported by the client. If
  84395. * \a seek_callback is not \c NULL then a
  84396. * \a tell_callback must also be supplied.
  84397. * Alternatively, a dummy tell callback that just
  84398. * returns \c FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED
  84399. * may also be supplied, all though this is slightly
  84400. * less efficient for the decoder.
  84401. * \param length_callback See FLAC__StreamDecoderLengthCallback. This
  84402. * pointer may be \c NULL if not supported by the client. If
  84403. * \a seek_callback is not \c NULL then a
  84404. * \a length_callback must also be supplied.
  84405. * Alternatively, a dummy length callback that just
  84406. * returns \c FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED
  84407. * may also be supplied, all though this is slightly
  84408. * less efficient for the decoder.
  84409. * \param eof_callback See FLAC__StreamDecoderEofCallback. This
  84410. * pointer may be \c NULL if not supported by the client. If
  84411. * \a seek_callback is not \c NULL then a
  84412. * \a eof_callback must also be supplied.
  84413. * Alternatively, a dummy length callback that just
  84414. * returns \c false
  84415. * may also be supplied, all though this is slightly
  84416. * less efficient for the decoder.
  84417. * \param write_callback See FLAC__StreamDecoderWriteCallback. This
  84418. * pointer must not be \c NULL.
  84419. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This
  84420. * pointer may be \c NULL if the callback is not
  84421. * desired.
  84422. * \param error_callback See FLAC__StreamDecoderErrorCallback. This
  84423. * pointer must not be \c NULL.
  84424. * \param client_data This value will be supplied to callbacks in their
  84425. * \a client_data argument.
  84426. * \assert
  84427. * \code decoder != NULL \endcode
  84428. * \retval FLAC__StreamDecoderInitStatus
  84429. * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful;
  84430. * see FLAC__StreamDecoderInitStatus for the meanings of other return values.
  84431. */
  84432. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_stream(
  84433. FLAC__StreamDecoder *decoder,
  84434. FLAC__StreamDecoderReadCallback read_callback,
  84435. FLAC__StreamDecoderSeekCallback seek_callback,
  84436. FLAC__StreamDecoderTellCallback tell_callback,
  84437. FLAC__StreamDecoderLengthCallback length_callback,
  84438. FLAC__StreamDecoderEofCallback eof_callback,
  84439. FLAC__StreamDecoderWriteCallback write_callback,
  84440. FLAC__StreamDecoderMetadataCallback metadata_callback,
  84441. FLAC__StreamDecoderErrorCallback error_callback,
  84442. void *client_data
  84443. );
  84444. /** Initialize the decoder instance to decode native FLAC files.
  84445. *
  84446. * This flavor of initialization sets up the decoder to decode from a
  84447. * plain native FLAC file. For non-stdio streams, you must use
  84448. * FLAC__stream_decoder_init_stream() and provide callbacks for the I/O.
  84449. *
  84450. * This function should be called after FLAC__stream_decoder_new() and
  84451. * FLAC__stream_decoder_set_*() but before any of the
  84452. * FLAC__stream_decoder_process_*() functions. Will set and return the
  84453. * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA
  84454. * if initialization succeeded.
  84455. *
  84456. * \param decoder An uninitialized decoder instance.
  84457. * \param file An open FLAC file. The file should have been
  84458. * opened with mode \c "rb" and rewound. The file
  84459. * becomes owned by the decoder and should not be
  84460. * manipulated by the client while decoding.
  84461. * Unless \a file is \c stdin, it will be closed
  84462. * when FLAC__stream_decoder_finish() is called.
  84463. * Note however that seeking will not work when
  84464. * decoding from \c stdout since it is not seekable.
  84465. * \param write_callback See FLAC__StreamDecoderWriteCallback. This
  84466. * pointer must not be \c NULL.
  84467. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This
  84468. * pointer may be \c NULL if the callback is not
  84469. * desired.
  84470. * \param error_callback See FLAC__StreamDecoderErrorCallback. This
  84471. * pointer must not be \c NULL.
  84472. * \param client_data This value will be supplied to callbacks in their
  84473. * \a client_data argument.
  84474. * \assert
  84475. * \code decoder != NULL \endcode
  84476. * \code file != NULL \endcode
  84477. * \retval FLAC__StreamDecoderInitStatus
  84478. * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful;
  84479. * see FLAC__StreamDecoderInitStatus for the meanings of other return values.
  84480. */
  84481. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_FILE(
  84482. FLAC__StreamDecoder *decoder,
  84483. FILE *file,
  84484. FLAC__StreamDecoderWriteCallback write_callback,
  84485. FLAC__StreamDecoderMetadataCallback metadata_callback,
  84486. FLAC__StreamDecoderErrorCallback error_callback,
  84487. void *client_data
  84488. );
  84489. /** Initialize the decoder instance to decode Ogg FLAC files.
  84490. *
  84491. * This flavor of initialization sets up the decoder to decode from a
  84492. * plain Ogg FLAC file. For non-stdio streams, you must use
  84493. * FLAC__stream_decoder_init_ogg_stream() and provide callbacks for the I/O.
  84494. *
  84495. * This function should be called after FLAC__stream_decoder_new() and
  84496. * FLAC__stream_decoder_set_*() but before any of the
  84497. * FLAC__stream_decoder_process_*() functions. Will set and return the
  84498. * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA
  84499. * if initialization succeeded.
  84500. *
  84501. * \note Support for Ogg FLAC in the library is optional. If this
  84502. * library has been built without support for Ogg FLAC, this function
  84503. * will return \c FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER.
  84504. *
  84505. * \param decoder An uninitialized decoder instance.
  84506. * \param file An open FLAC file. The file should have been
  84507. * opened with mode \c "rb" and rewound. The file
  84508. * becomes owned by the decoder and should not be
  84509. * manipulated by the client while decoding.
  84510. * Unless \a file is \c stdin, it will be closed
  84511. * when FLAC__stream_decoder_finish() is called.
  84512. * Note however that seeking will not work when
  84513. * decoding from \c stdout since it is not seekable.
  84514. * \param write_callback See FLAC__StreamDecoderWriteCallback. This
  84515. * pointer must not be \c NULL.
  84516. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This
  84517. * pointer may be \c NULL if the callback is not
  84518. * desired.
  84519. * \param error_callback See FLAC__StreamDecoderErrorCallback. This
  84520. * pointer must not be \c NULL.
  84521. * \param client_data This value will be supplied to callbacks in their
  84522. * \a client_data argument.
  84523. * \assert
  84524. * \code decoder != NULL \endcode
  84525. * \code file != NULL \endcode
  84526. * \retval FLAC__StreamDecoderInitStatus
  84527. * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful;
  84528. * see FLAC__StreamDecoderInitStatus for the meanings of other return values.
  84529. */
  84530. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_FILE(
  84531. FLAC__StreamDecoder *decoder,
  84532. FILE *file,
  84533. FLAC__StreamDecoderWriteCallback write_callback,
  84534. FLAC__StreamDecoderMetadataCallback metadata_callback,
  84535. FLAC__StreamDecoderErrorCallback error_callback,
  84536. void *client_data
  84537. );
  84538. /** Initialize the decoder instance to decode native FLAC files.
  84539. *
  84540. * This flavor of initialization sets up the decoder to decode from a plain
  84541. * native FLAC file. If POSIX fopen() semantics are not sufficient, (for
  84542. * example, with Unicode filenames on Windows), you must use
  84543. * FLAC__stream_decoder_init_FILE(), or FLAC__stream_decoder_init_stream()
  84544. * and provide callbacks for the I/O.
  84545. *
  84546. * This function should be called after FLAC__stream_decoder_new() and
  84547. * FLAC__stream_decoder_set_*() but before any of the
  84548. * FLAC__stream_decoder_process_*() functions. Will set and return the
  84549. * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA
  84550. * if initialization succeeded.
  84551. *
  84552. * \param decoder An uninitialized decoder instance.
  84553. * \param filename The name of the file to decode from. The file will
  84554. * be opened with fopen(). Use \c NULL to decode from
  84555. * \c stdin. Note that \c stdin is not seekable.
  84556. * \param write_callback See FLAC__StreamDecoderWriteCallback. This
  84557. * pointer must not be \c NULL.
  84558. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This
  84559. * pointer may be \c NULL if the callback is not
  84560. * desired.
  84561. * \param error_callback See FLAC__StreamDecoderErrorCallback. This
  84562. * pointer must not be \c NULL.
  84563. * \param client_data This value will be supplied to callbacks in their
  84564. * \a client_data argument.
  84565. * \assert
  84566. * \code decoder != NULL \endcode
  84567. * \retval FLAC__StreamDecoderInitStatus
  84568. * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful;
  84569. * see FLAC__StreamDecoderInitStatus for the meanings of other return values.
  84570. */
  84571. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_file(
  84572. FLAC__StreamDecoder *decoder,
  84573. const char *filename,
  84574. FLAC__StreamDecoderWriteCallback write_callback,
  84575. FLAC__StreamDecoderMetadataCallback metadata_callback,
  84576. FLAC__StreamDecoderErrorCallback error_callback,
  84577. void *client_data
  84578. );
  84579. /** Initialize the decoder instance to decode Ogg FLAC files.
  84580. *
  84581. * This flavor of initialization sets up the decoder to decode from a plain
  84582. * Ogg FLAC file. If POSIX fopen() semantics are not sufficient, (for
  84583. * example, with Unicode filenames on Windows), you must use
  84584. * FLAC__stream_decoder_init_ogg_FILE(), or FLAC__stream_decoder_init_ogg_stream()
  84585. * and provide callbacks for the I/O.
  84586. *
  84587. * This function should be called after FLAC__stream_decoder_new() and
  84588. * FLAC__stream_decoder_set_*() but before any of the
  84589. * FLAC__stream_decoder_process_*() functions. Will set and return the
  84590. * decoder state, which will be FLAC__STREAM_DECODER_SEARCH_FOR_METADATA
  84591. * if initialization succeeded.
  84592. *
  84593. * \note Support for Ogg FLAC in the library is optional. If this
  84594. * library has been built without support for Ogg FLAC, this function
  84595. * will return \c FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER.
  84596. *
  84597. * \param decoder An uninitialized decoder instance.
  84598. * \param filename The name of the file to decode from. The file will
  84599. * be opened with fopen(). Use \c NULL to decode from
  84600. * \c stdin. Note that \c stdin is not seekable.
  84601. * \param write_callback See FLAC__StreamDecoderWriteCallback. This
  84602. * pointer must not be \c NULL.
  84603. * \param metadata_callback See FLAC__StreamDecoderMetadataCallback. This
  84604. * pointer may be \c NULL if the callback is not
  84605. * desired.
  84606. * \param error_callback See FLAC__StreamDecoderErrorCallback. This
  84607. * pointer must not be \c NULL.
  84608. * \param client_data This value will be supplied to callbacks in their
  84609. * \a client_data argument.
  84610. * \assert
  84611. * \code decoder != NULL \endcode
  84612. * \retval FLAC__StreamDecoderInitStatus
  84613. * \c FLAC__STREAM_DECODER_INIT_STATUS_OK if initialization was successful;
  84614. * see FLAC__StreamDecoderInitStatus for the meanings of other return values.
  84615. */
  84616. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_file(
  84617. FLAC__StreamDecoder *decoder,
  84618. const char *filename,
  84619. FLAC__StreamDecoderWriteCallback write_callback,
  84620. FLAC__StreamDecoderMetadataCallback metadata_callback,
  84621. FLAC__StreamDecoderErrorCallback error_callback,
  84622. void *client_data
  84623. );
  84624. /** Finish the decoding process.
  84625. * Flushes the decoding buffer, releases resources, resets the decoder
  84626. * settings to their defaults, and returns the decoder state to
  84627. * FLAC__STREAM_DECODER_UNINITIALIZED.
  84628. *
  84629. * In the event of a prematurely-terminated decode, it is not strictly
  84630. * necessary to call this immediately before FLAC__stream_decoder_delete()
  84631. * but it is good practice to match every FLAC__stream_decoder_init_*()
  84632. * with a FLAC__stream_decoder_finish().
  84633. *
  84634. * \param decoder An uninitialized decoder instance.
  84635. * \assert
  84636. * \code decoder != NULL \endcode
  84637. * \retval FLAC__bool
  84638. * \c false if MD5 checking is on AND a STREAMINFO block was available
  84639. * AND the MD5 signature in the STREAMINFO block was non-zero AND the
  84640. * signature does not match the one computed by the decoder; else
  84641. * \c true.
  84642. */
  84643. FLAC_API FLAC__bool FLAC__stream_decoder_finish(FLAC__StreamDecoder *decoder);
  84644. /** Flush the stream input.
  84645. * The decoder's input buffer will be cleared and the state set to
  84646. * \c FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC. This will also turn
  84647. * off MD5 checking.
  84648. *
  84649. * \param decoder A decoder instance.
  84650. * \assert
  84651. * \code decoder != NULL \endcode
  84652. * \retval FLAC__bool
  84653. * \c true if successful, else \c false if a memory allocation
  84654. * error occurs (in which case the state will be set to
  84655. * \c FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR).
  84656. */
  84657. FLAC_API FLAC__bool FLAC__stream_decoder_flush(FLAC__StreamDecoder *decoder);
  84658. /** Reset the decoding process.
  84659. * The decoder's input buffer will be cleared and the state set to
  84660. * \c FLAC__STREAM_DECODER_SEARCH_FOR_METADATA. This is similar to
  84661. * FLAC__stream_decoder_finish() except that the settings are
  84662. * preserved; there is no need to call FLAC__stream_decoder_init_*()
  84663. * before decoding again. MD5 checking will be restored to its original
  84664. * setting.
  84665. *
  84666. * If the decoder is seekable, or was initialized with
  84667. * FLAC__stream_decoder_init*_FILE() or FLAC__stream_decoder_init*_file(),
  84668. * the decoder will also attempt to seek to the beginning of the file.
  84669. * If this rewind fails, this function will return \c false. It follows
  84670. * that FLAC__stream_decoder_reset() cannot be used when decoding from
  84671. * \c stdin.
  84672. *
  84673. * If the decoder was initialized with FLAC__stream_encoder_init*_stream()
  84674. * and is not seekable (i.e. no seek callback was provided or the seek
  84675. * callback returns \c FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED), it
  84676. * is the duty of the client to start feeding data from the beginning of
  84677. * the stream on the next FLAC__stream_decoder_process() or
  84678. * FLAC__stream_decoder_process_interleaved() call.
  84679. *
  84680. * \param decoder A decoder instance.
  84681. * \assert
  84682. * \code decoder != NULL \endcode
  84683. * \retval FLAC__bool
  84684. * \c true if successful, else \c false if a memory allocation occurs
  84685. * (in which case the state will be set to
  84686. * \c FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR) or a seek error
  84687. * occurs (the state will be unchanged).
  84688. */
  84689. FLAC_API FLAC__bool FLAC__stream_decoder_reset(FLAC__StreamDecoder *decoder);
  84690. /** Decode one metadata block or audio frame.
  84691. * This version instructs the decoder to decode a either a single metadata
  84692. * block or a single frame and stop, unless the callbacks return a fatal
  84693. * error or the read callback returns
  84694. * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM.
  84695. *
  84696. * As the decoder needs more input it will call the read callback.
  84697. * Depending on what was decoded, the metadata or write callback will be
  84698. * called with the decoded metadata block or audio frame.
  84699. *
  84700. * Unless there is a fatal read error or end of stream, this function
  84701. * will return once one whole frame is decoded. In other words, if the
  84702. * stream is not synchronized or points to a corrupt frame header, the
  84703. * decoder will continue to try and resync until it gets to a valid
  84704. * frame, then decode one frame, then return. If the decoder points to
  84705. * a frame whose frame CRC in the frame footer does not match the
  84706. * computed frame CRC, this function will issue a
  84707. * FLAC__STREAM_DECODER_ERROR_STATUS_FRAME_CRC_MISMATCH error to the
  84708. * error callback, and return, having decoded one complete, although
  84709. * corrupt, frame. (Such corrupted frames are sent as silence of the
  84710. * correct length to the write callback.)
  84711. *
  84712. * \param decoder An initialized decoder instance.
  84713. * \assert
  84714. * \code decoder != NULL \endcode
  84715. * \retval FLAC__bool
  84716. * \c false if any fatal read, write, or memory allocation error
  84717. * occurred (meaning decoding must stop), else \c true; for more
  84718. * information about the decoder, check the decoder state with
  84719. * FLAC__stream_decoder_get_state().
  84720. */
  84721. FLAC_API FLAC__bool FLAC__stream_decoder_process_single(FLAC__StreamDecoder *decoder);
  84722. /** Decode until the end of the metadata.
  84723. * This version instructs the decoder to decode from the current position
  84724. * and continue until all the metadata has been read, or until the
  84725. * callbacks return a fatal error or the read callback returns
  84726. * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM.
  84727. *
  84728. * As the decoder needs more input it will call the read callback.
  84729. * As each metadata block is decoded, the metadata callback will be called
  84730. * with the decoded metadata.
  84731. *
  84732. * \param decoder An initialized decoder instance.
  84733. * \assert
  84734. * \code decoder != NULL \endcode
  84735. * \retval FLAC__bool
  84736. * \c false if any fatal read, write, or memory allocation error
  84737. * occurred (meaning decoding must stop), else \c true; for more
  84738. * information about the decoder, check the decoder state with
  84739. * FLAC__stream_decoder_get_state().
  84740. */
  84741. FLAC_API FLAC__bool FLAC__stream_decoder_process_until_end_of_metadata(FLAC__StreamDecoder *decoder);
  84742. /** Decode until the end of the stream.
  84743. * This version instructs the decoder to decode from the current position
  84744. * and continue until the end of stream (the read callback returns
  84745. * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM), or until the
  84746. * callbacks return a fatal error.
  84747. *
  84748. * As the decoder needs more input it will call the read callback.
  84749. * As each metadata block and frame is decoded, the metadata or write
  84750. * callback will be called with the decoded metadata or frame.
  84751. *
  84752. * \param decoder An initialized decoder instance.
  84753. * \assert
  84754. * \code decoder != NULL \endcode
  84755. * \retval FLAC__bool
  84756. * \c false if any fatal read, write, or memory allocation error
  84757. * occurred (meaning decoding must stop), else \c true; for more
  84758. * information about the decoder, check the decoder state with
  84759. * FLAC__stream_decoder_get_state().
  84760. */
  84761. FLAC_API FLAC__bool FLAC__stream_decoder_process_until_end_of_stream(FLAC__StreamDecoder *decoder);
  84762. /** Skip one audio frame.
  84763. * This version instructs the decoder to 'skip' a single frame and stop,
  84764. * unless the callbacks return a fatal error or the read callback returns
  84765. * \c FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM.
  84766. *
  84767. * The decoding flow is the same as what occurs when
  84768. * FLAC__stream_decoder_process_single() is called to process an audio
  84769. * frame, except that this function does not decode the parsed data into
  84770. * PCM or call the write callback. The integrity of the frame is still
  84771. * checked the same way as in the other process functions.
  84772. *
  84773. * This function will return once one whole frame is skipped, in the
  84774. * same way that FLAC__stream_decoder_process_single() will return once
  84775. * one whole frame is decoded.
  84776. *
  84777. * This function can be used in more quickly determining FLAC frame
  84778. * boundaries when decoding of the actual data is not needed, for
  84779. * example when an application is separating a FLAC stream into frames
  84780. * for editing or storing in a container. To do this, the application
  84781. * can use FLAC__stream_decoder_skip_single_frame() to quickly advance
  84782. * to the next frame, then use
  84783. * FLAC__stream_decoder_get_decode_position() to find the new frame
  84784. * boundary.
  84785. *
  84786. * This function should only be called when the stream has advanced
  84787. * past all the metadata, otherwise it will return \c false.
  84788. *
  84789. * \param decoder An initialized decoder instance not in a metadata
  84790. * state.
  84791. * \assert
  84792. * \code decoder != NULL \endcode
  84793. * \retval FLAC__bool
  84794. * \c false if any fatal read, write, or memory allocation error
  84795. * occurred (meaning decoding must stop), or if the decoder
  84796. * is in the FLAC__STREAM_DECODER_SEARCH_FOR_METADATA or
  84797. * FLAC__STREAM_DECODER_READ_METADATA state, else \c true; for more
  84798. * information about the decoder, check the decoder state with
  84799. * FLAC__stream_decoder_get_state().
  84800. */
  84801. FLAC_API FLAC__bool FLAC__stream_decoder_skip_single_frame(FLAC__StreamDecoder *decoder);
  84802. /** Flush the input and seek to an absolute sample.
  84803. * Decoding will resume at the given sample. Note that because of
  84804. * this, the next write callback may contain a partial block. The
  84805. * client must support seeking the input or this function will fail
  84806. * and return \c false. Furthermore, if the decoder state is
  84807. * \c FLAC__STREAM_DECODER_SEEK_ERROR, then the decoder must be flushed
  84808. * with FLAC__stream_decoder_flush() or reset with
  84809. * FLAC__stream_decoder_reset() before decoding can continue.
  84810. *
  84811. * \param decoder A decoder instance.
  84812. * \param sample The target sample number to seek to.
  84813. * \assert
  84814. * \code decoder != NULL \endcode
  84815. * \retval FLAC__bool
  84816. * \c true if successful, else \c false.
  84817. */
  84818. FLAC_API FLAC__bool FLAC__stream_decoder_seek_absolute(FLAC__StreamDecoder *decoder, FLAC__uint64 sample);
  84819. /* \} */
  84820. #ifdef __cplusplus
  84821. }
  84822. #endif
  84823. #endif
  84824. /********* End of inlined file: stream_decoder.h *********/
  84825. /********* Start of inlined file: stream_encoder.h *********/
  84826. #ifndef FLAC__STREAM_ENCODER_H
  84827. #define FLAC__STREAM_ENCODER_H
  84828. #include <stdio.h> /* for FILE */
  84829. #ifdef __cplusplus
  84830. extern "C" {
  84831. #endif
  84832. /** \file include/FLAC/stream_encoder.h
  84833. *
  84834. * \brief
  84835. * This module contains the functions which implement the stream
  84836. * encoder.
  84837. *
  84838. * See the detailed documentation in the
  84839. * \link flac_stream_encoder stream encoder \endlink module.
  84840. */
  84841. /** \defgroup flac_encoder FLAC/ \*_encoder.h: encoder interfaces
  84842. * \ingroup flac
  84843. *
  84844. * \brief
  84845. * This module describes the encoder layers provided by libFLAC.
  84846. *
  84847. * The stream encoder can be used to encode complete streams either to the
  84848. * client via callbacks, or directly to a file, depending on how it is
  84849. * initialized. When encoding via callbacks, the client provides a write
  84850. * callback which will be called whenever FLAC data is ready to be written.
  84851. * If the client also supplies a seek callback, the encoder will also
  84852. * automatically handle the writing back of metadata discovered while
  84853. * encoding, like stream info, seek points offsets, etc. When encoding to
  84854. * a file, the client needs only supply a filename or open \c FILE* and an
  84855. * optional progress callback for periodic notification of progress; the
  84856. * write and seek callbacks are supplied internally. For more info see the
  84857. * \link flac_stream_encoder stream encoder \endlink module.
  84858. */
  84859. /** \defgroup flac_stream_encoder FLAC/stream_encoder.h: stream encoder interface
  84860. * \ingroup flac_encoder
  84861. *
  84862. * \brief
  84863. * This module contains the functions which implement the stream
  84864. * encoder.
  84865. *
  84866. * The stream encoder can encode to native FLAC, and optionally Ogg FLAC
  84867. * (check FLAC_API_SUPPORTS_OGG_FLAC) streams and files.
  84868. *
  84869. * The basic usage of this encoder is as follows:
  84870. * - The program creates an instance of an encoder using
  84871. * FLAC__stream_encoder_new().
  84872. * - The program overrides the default settings using
  84873. * FLAC__stream_encoder_set_*() functions. At a minimum, the following
  84874. * functions should be called:
  84875. * - FLAC__stream_encoder_set_channels()
  84876. * - FLAC__stream_encoder_set_bits_per_sample()
  84877. * - FLAC__stream_encoder_set_sample_rate()
  84878. * - FLAC__stream_encoder_set_ogg_serial_number() (if encoding to Ogg FLAC)
  84879. * - FLAC__stream_encoder_set_total_samples_estimate() (if known)
  84880. * - If the application wants to control the compression level or set its own
  84881. * metadata, then the following should also be called:
  84882. * - FLAC__stream_encoder_set_compression_level()
  84883. * - FLAC__stream_encoder_set_verify()
  84884. * - FLAC__stream_encoder_set_metadata()
  84885. * - The rest of the set functions should only be called if the client needs
  84886. * exact control over how the audio is compressed; thorough understanding
  84887. * of the FLAC format is necessary to achieve good results.
  84888. * - The program initializes the instance to validate the settings and
  84889. * prepare for encoding using
  84890. * - FLAC__stream_encoder_init_stream() or FLAC__stream_encoder_init_FILE()
  84891. * or FLAC__stream_encoder_init_file() for native FLAC
  84892. * - FLAC__stream_encoder_init_ogg_stream() or FLAC__stream_encoder_init_ogg_FILE()
  84893. * or FLAC__stream_encoder_init_ogg_file() for Ogg FLAC
  84894. * - The program calls FLAC__stream_encoder_process() or
  84895. * FLAC__stream_encoder_process_interleaved() to encode data, which
  84896. * subsequently calls the callbacks when there is encoder data ready
  84897. * to be written.
  84898. * - The program finishes the encoding with FLAC__stream_encoder_finish(),
  84899. * which causes the encoder to encode any data still in its input pipe,
  84900. * update the metadata with the final encoding statistics if output
  84901. * seeking is possible, and finally reset the encoder to the
  84902. * uninitialized state.
  84903. * - The instance may be used again or deleted with
  84904. * FLAC__stream_encoder_delete().
  84905. *
  84906. * In more detail, the stream encoder functions similarly to the
  84907. * \link flac_stream_decoder stream decoder \endlink, but has fewer
  84908. * callbacks and more options. Typically the client will create a new
  84909. * instance by calling FLAC__stream_encoder_new(), then set the necessary
  84910. * parameters with FLAC__stream_encoder_set_*(), and initialize it by
  84911. * calling one of the FLAC__stream_encoder_init_*() functions.
  84912. *
  84913. * Unlike the decoders, the stream encoder has many options that can
  84914. * affect the speed and compression ratio. When setting these parameters
  84915. * you should have some basic knowledge of the format (see the
  84916. * <A HREF="../documentation.html#format">user-level documentation</A>
  84917. * or the <A HREF="../format.html">formal description</A>). The
  84918. * FLAC__stream_encoder_set_*() functions themselves do not validate the
  84919. * values as many are interdependent. The FLAC__stream_encoder_init_*()
  84920. * functions will do this, so make sure to pay attention to the state
  84921. * returned by FLAC__stream_encoder_init_*() to make sure that it is
  84922. * FLAC__STREAM_ENCODER_INIT_STATUS_OK. Any parameters that are not set
  84923. * before FLAC__stream_encoder_init_*() will take on the defaults from
  84924. * the constructor.
  84925. *
  84926. * There are three initialization functions for native FLAC, one for
  84927. * setting up the encoder to encode FLAC data to the client via
  84928. * callbacks, and two for encoding directly to a file.
  84929. *
  84930. * For encoding via callbacks, use FLAC__stream_encoder_init_stream().
  84931. * You must also supply a write callback which will be called anytime
  84932. * there is raw encoded data to write. If the client can seek the output
  84933. * it is best to also supply seek and tell callbacks, as this allows the
  84934. * encoder to go back after encoding is finished to write back
  84935. * information that was collected while encoding, like seek point offsets,
  84936. * frame sizes, etc.
  84937. *
  84938. * For encoding directly to a file, use FLAC__stream_encoder_init_FILE()
  84939. * or FLAC__stream_encoder_init_file(). Then you must only supply a
  84940. * filename or open \c FILE*; the encoder will handle all the callbacks
  84941. * internally. You may also supply a progress callback for periodic
  84942. * notification of the encoding progress.
  84943. *
  84944. * There are three similarly-named init functions for encoding to Ogg
  84945. * FLAC streams. Check \c FLAC_API_SUPPORTS_OGG_FLAC to find out if the
  84946. * library has been built with Ogg support.
  84947. *
  84948. * The call to FLAC__stream_encoder_init_*() currently will also immediately
  84949. * call the write callback several times, once with the \c fLaC signature,
  84950. * and once for each encoded metadata block. Note that for Ogg FLAC
  84951. * encoding you will usually get at least twice the number of callbacks than
  84952. * with native FLAC, one for the Ogg page header and one for the page body.
  84953. *
  84954. * After initializing the instance, the client may feed audio data to the
  84955. * encoder in one of two ways:
  84956. *
  84957. * - Channel separate, through FLAC__stream_encoder_process() - The client
  84958. * will pass an array of pointers to buffers, one for each channel, to
  84959. * the encoder, each of the same length. The samples need not be
  84960. * block-aligned, but each channel should have the same number of samples.
  84961. * - Channel interleaved, through
  84962. * FLAC__stream_encoder_process_interleaved() - The client will pass a single
  84963. * pointer to data that is channel-interleaved (i.e. channel0_sample0,
  84964. * channel1_sample0, ... , channelN_sample0, channel0_sample1, ...).
  84965. * Again, the samples need not be block-aligned but they must be
  84966. * sample-aligned, i.e. the first value should be channel0_sample0 and
  84967. * the last value channelN_sampleM.
  84968. *
  84969. * Note that for either process call, each sample in the buffers should be a
  84970. * signed integer, right-justified to the resolution set by
  84971. * FLAC__stream_encoder_set_bits_per_sample(). For example, if the resolution
  84972. * is 16 bits per sample, the samples should all be in the range [-32768,32767].
  84973. *
  84974. * When the client is finished encoding data, it calls
  84975. * FLAC__stream_encoder_finish(), which causes the encoder to encode any
  84976. * data still in its input pipe, and call the metadata callback with the
  84977. * final encoding statistics. Then the instance may be deleted with
  84978. * FLAC__stream_encoder_delete() or initialized again to encode another
  84979. * stream.
  84980. *
  84981. * For programs that write their own metadata, but that do not know the
  84982. * actual metadata until after encoding, it is advantageous to instruct
  84983. * the encoder to write a PADDING block of the correct size, so that
  84984. * instead of rewriting the whole stream after encoding, the program can
  84985. * just overwrite the PADDING block. If only the maximum size of the
  84986. * metadata is known, the program can write a slightly larger padding
  84987. * block, then split it after encoding.
  84988. *
  84989. * Make sure you understand how lengths are calculated. All FLAC metadata
  84990. * blocks have a 4 byte header which contains the type and length. This
  84991. * length does not include the 4 bytes of the header. See the format page
  84992. * for the specification of metadata blocks and their lengths.
  84993. *
  84994. * \note
  84995. * If you are writing the FLAC data to a file via callbacks, make sure it
  84996. * is open for update (e.g. mode "w+" for stdio streams). This is because
  84997. * after the first encoding pass, the encoder will try to seek back to the
  84998. * beginning of the stream, to the STREAMINFO block, to write some data
  84999. * there. (If using FLAC__stream_encoder_init*_file() or
  85000. * FLAC__stream_encoder_init*_FILE(), the file is managed internally.)
  85001. *
  85002. * \note
  85003. * The "set" functions may only be called when the encoder is in the
  85004. * state FLAC__STREAM_ENCODER_UNINITIALIZED, i.e. after
  85005. * FLAC__stream_encoder_new() or FLAC__stream_encoder_finish(), but
  85006. * before FLAC__stream_encoder_init_*(). If this is the case they will
  85007. * return \c true, otherwise \c false.
  85008. *
  85009. * \note
  85010. * FLAC__stream_encoder_finish() resets all settings to the constructor
  85011. * defaults.
  85012. *
  85013. * \{
  85014. */
  85015. /** State values for a FLAC__StreamEncoder.
  85016. *
  85017. * The encoder's state can be obtained by calling FLAC__stream_encoder_get_state().
  85018. *
  85019. * If the encoder gets into any other state besides \c FLAC__STREAM_ENCODER_OK
  85020. * or \c FLAC__STREAM_ENCODER_UNINITIALIZED, it becomes invalid for encoding and
  85021. * must be deleted with FLAC__stream_encoder_delete().
  85022. */
  85023. typedef enum {
  85024. FLAC__STREAM_ENCODER_OK = 0,
  85025. /**< The encoder is in the normal OK state and samples can be processed. */
  85026. FLAC__STREAM_ENCODER_UNINITIALIZED,
  85027. /**< The encoder is in the uninitialized state; one of the
  85028. * FLAC__stream_encoder_init_*() functions must be called before samples
  85029. * can be processed.
  85030. */
  85031. FLAC__STREAM_ENCODER_OGG_ERROR,
  85032. /**< An error occurred in the underlying Ogg layer. */
  85033. FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR,
  85034. /**< An error occurred in the underlying verify stream decoder;
  85035. * check FLAC__stream_encoder_get_verify_decoder_state().
  85036. */
  85037. FLAC__STREAM_ENCODER_VERIFY_MISMATCH_IN_AUDIO_DATA,
  85038. /**< The verify decoder detected a mismatch between the original
  85039. * audio signal and the decoded audio signal.
  85040. */
  85041. FLAC__STREAM_ENCODER_CLIENT_ERROR,
  85042. /**< One of the callbacks returned a fatal error. */
  85043. FLAC__STREAM_ENCODER_IO_ERROR,
  85044. /**< An I/O error occurred while opening/reading/writing a file.
  85045. * Check \c errno.
  85046. */
  85047. FLAC__STREAM_ENCODER_FRAMING_ERROR,
  85048. /**< An error occurred while writing the stream; usually, the
  85049. * write_callback returned an error.
  85050. */
  85051. FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR
  85052. /**< Memory allocation failed. */
  85053. } FLAC__StreamEncoderState;
  85054. /** Maps a FLAC__StreamEncoderState to a C string.
  85055. *
  85056. * Using a FLAC__StreamEncoderState as the index to this array
  85057. * will give the string equivalent. The contents should not be modified.
  85058. */
  85059. extern FLAC_API const char * const FLAC__StreamEncoderStateString[];
  85060. /** Possible return values for the FLAC__stream_encoder_init_*() functions.
  85061. */
  85062. typedef enum {
  85063. FLAC__STREAM_ENCODER_INIT_STATUS_OK = 0,
  85064. /**< Initialization was successful. */
  85065. FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR,
  85066. /**< General failure to set up encoder; call FLAC__stream_encoder_get_state() for cause. */
  85067. FLAC__STREAM_ENCODER_INIT_STATUS_UNSUPPORTED_CONTAINER,
  85068. /**< The library was not compiled with support for the given container
  85069. * format.
  85070. */
  85071. FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_CALLBACKS,
  85072. /**< A required callback was not supplied. */
  85073. FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_NUMBER_OF_CHANNELS,
  85074. /**< The encoder has an invalid setting for number of channels. */
  85075. FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_BITS_PER_SAMPLE,
  85076. /**< The encoder has an invalid setting for bits-per-sample.
  85077. * FLAC supports 4-32 bps but the reference encoder currently supports
  85078. * only up to 24 bps.
  85079. */
  85080. FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_SAMPLE_RATE,
  85081. /**< The encoder has an invalid setting for the input sample rate. */
  85082. FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_BLOCK_SIZE,
  85083. /**< The encoder has an invalid setting for the block size. */
  85084. FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_MAX_LPC_ORDER,
  85085. /**< The encoder has an invalid setting for the maximum LPC order. */
  85086. FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_QLP_COEFF_PRECISION,
  85087. /**< The encoder has an invalid setting for the precision of the quantized linear predictor coefficients. */
  85088. FLAC__STREAM_ENCODER_INIT_STATUS_BLOCK_SIZE_TOO_SMALL_FOR_LPC_ORDER,
  85089. /**< The specified block size is less than the maximum LPC order. */
  85090. FLAC__STREAM_ENCODER_INIT_STATUS_NOT_STREAMABLE,
  85091. /**< The encoder is bound to the <A HREF="../format.html#subset">Subset</A> but other settings violate it. */
  85092. FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA,
  85093. /**< The metadata input to the encoder is invalid, in one of the following ways:
  85094. * - FLAC__stream_encoder_set_metadata() was called with a null pointer but a block count > 0
  85095. * - One of the metadata blocks contains an undefined type
  85096. * - It contains an illegal CUESHEET as checked by FLAC__format_cuesheet_is_legal()
  85097. * - It contains an illegal SEEKTABLE as checked by FLAC__format_seektable_is_legal()
  85098. * - It contains more than one SEEKTABLE block or more than one VORBIS_COMMENT block
  85099. */
  85100. FLAC__STREAM_ENCODER_INIT_STATUS_ALREADY_INITIALIZED
  85101. /**< FLAC__stream_encoder_init_*() was called when the encoder was
  85102. * already initialized, usually because
  85103. * FLAC__stream_encoder_finish() was not called.
  85104. */
  85105. } FLAC__StreamEncoderInitStatus;
  85106. /** Maps a FLAC__StreamEncoderInitStatus to a C string.
  85107. *
  85108. * Using a FLAC__StreamEncoderInitStatus as the index to this array
  85109. * will give the string equivalent. The contents should not be modified.
  85110. */
  85111. extern FLAC_API const char * const FLAC__StreamEncoderInitStatusString[];
  85112. /** Return values for the FLAC__StreamEncoder read callback.
  85113. */
  85114. typedef enum {
  85115. FLAC__STREAM_ENCODER_READ_STATUS_CONTINUE,
  85116. /**< The read was OK and decoding can continue. */
  85117. FLAC__STREAM_ENCODER_READ_STATUS_END_OF_STREAM,
  85118. /**< The read was attempted at the end of the stream. */
  85119. FLAC__STREAM_ENCODER_READ_STATUS_ABORT,
  85120. /**< An unrecoverable error occurred. */
  85121. FLAC__STREAM_ENCODER_READ_STATUS_UNSUPPORTED
  85122. /**< Client does not support reading back from the output. */
  85123. } FLAC__StreamEncoderReadStatus;
  85124. /** Maps a FLAC__StreamEncoderReadStatus to a C string.
  85125. *
  85126. * Using a FLAC__StreamEncoderReadStatus as the index to this array
  85127. * will give the string equivalent. The contents should not be modified.
  85128. */
  85129. extern FLAC_API const char * const FLAC__StreamEncoderReadStatusString[];
  85130. /** Return values for the FLAC__StreamEncoder write callback.
  85131. */
  85132. typedef enum {
  85133. FLAC__STREAM_ENCODER_WRITE_STATUS_OK = 0,
  85134. /**< The write was OK and encoding can continue. */
  85135. FLAC__STREAM_ENCODER_WRITE_STATUS_FATAL_ERROR
  85136. /**< An unrecoverable error occurred. The encoder will return from the process call. */
  85137. } FLAC__StreamEncoderWriteStatus;
  85138. /** Maps a FLAC__StreamEncoderWriteStatus to a C string.
  85139. *
  85140. * Using a FLAC__StreamEncoderWriteStatus as the index to this array
  85141. * will give the string equivalent. The contents should not be modified.
  85142. */
  85143. extern FLAC_API const char * const FLAC__StreamEncoderWriteStatusString[];
  85144. /** Return values for the FLAC__StreamEncoder seek callback.
  85145. */
  85146. typedef enum {
  85147. FLAC__STREAM_ENCODER_SEEK_STATUS_OK,
  85148. /**< The seek was OK and encoding can continue. */
  85149. FLAC__STREAM_ENCODER_SEEK_STATUS_ERROR,
  85150. /**< An unrecoverable error occurred. */
  85151. FLAC__STREAM_ENCODER_SEEK_STATUS_UNSUPPORTED
  85152. /**< Client does not support seeking. */
  85153. } FLAC__StreamEncoderSeekStatus;
  85154. /** Maps a FLAC__StreamEncoderSeekStatus to a C string.
  85155. *
  85156. * Using a FLAC__StreamEncoderSeekStatus as the index to this array
  85157. * will give the string equivalent. The contents should not be modified.
  85158. */
  85159. extern FLAC_API const char * const FLAC__StreamEncoderSeekStatusString[];
  85160. /** Return values for the FLAC__StreamEncoder tell callback.
  85161. */
  85162. typedef enum {
  85163. FLAC__STREAM_ENCODER_TELL_STATUS_OK,
  85164. /**< The tell was OK and encoding can continue. */
  85165. FLAC__STREAM_ENCODER_TELL_STATUS_ERROR,
  85166. /**< An unrecoverable error occurred. */
  85167. FLAC__STREAM_ENCODER_TELL_STATUS_UNSUPPORTED
  85168. /**< Client does not support seeking. */
  85169. } FLAC__StreamEncoderTellStatus;
  85170. /** Maps a FLAC__StreamEncoderTellStatus to a C string.
  85171. *
  85172. * Using a FLAC__StreamEncoderTellStatus as the index to this array
  85173. * will give the string equivalent. The contents should not be modified.
  85174. */
  85175. extern FLAC_API const char * const FLAC__StreamEncoderTellStatusString[];
  85176. /***********************************************************************
  85177. *
  85178. * class FLAC__StreamEncoder
  85179. *
  85180. ***********************************************************************/
  85181. struct FLAC__StreamEncoderProtected;
  85182. struct FLAC__StreamEncoderPrivate;
  85183. /** The opaque structure definition for the stream encoder type.
  85184. * See the \link flac_stream_encoder stream encoder module \endlink
  85185. * for a detailed description.
  85186. */
  85187. typedef struct {
  85188. struct FLAC__StreamEncoderProtected *protected_; /* avoid the C++ keyword 'protected' */
  85189. struct FLAC__StreamEncoderPrivate *private_; /* avoid the C++ keyword 'private' */
  85190. } FLAC__StreamEncoder;
  85191. /** Signature for the read callback.
  85192. *
  85193. * A function pointer matching this signature must be passed to
  85194. * FLAC__stream_encoder_init_ogg_stream() if seeking is supported.
  85195. * The supplied function will be called when the encoder needs to read back
  85196. * encoded data. This happens during the metadata callback, when the encoder
  85197. * has to read, modify, and rewrite the metadata (e.g. seekpoints) gathered
  85198. * while encoding. The address of the buffer to be filled is supplied, along
  85199. * with the number of bytes the buffer can hold. The callback may choose to
  85200. * supply less data and modify the byte count but must be careful not to
  85201. * overflow the buffer. The callback then returns a status code chosen from
  85202. * FLAC__StreamEncoderReadStatus.
  85203. *
  85204. * Here is an example of a read callback for stdio streams:
  85205. * \code
  85206. * FLAC__StreamEncoderReadStatus read_cb(const FLAC__StreamEncoder *encoder, FLAC__byte buffer[], size_t *bytes, void *client_data)
  85207. * {
  85208. * FILE *file = ((MyClientData*)client_data)->file;
  85209. * if(*bytes > 0) {
  85210. * *bytes = fread(buffer, sizeof(FLAC__byte), *bytes, file);
  85211. * if(ferror(file))
  85212. * return FLAC__STREAM_ENCODER_READ_STATUS_ABORT;
  85213. * else if(*bytes == 0)
  85214. * return FLAC__STREAM_ENCODER_READ_STATUS_END_OF_STREAM;
  85215. * else
  85216. * return FLAC__STREAM_ENCODER_READ_STATUS_CONTINUE;
  85217. * }
  85218. * else
  85219. * return FLAC__STREAM_ENCODER_READ_STATUS_ABORT;
  85220. * }
  85221. * \endcode
  85222. *
  85223. * \note In general, FLAC__StreamEncoder functions which change the
  85224. * state should not be called on the \a encoder while in the callback.
  85225. *
  85226. * \param encoder The encoder instance calling the callback.
  85227. * \param buffer A pointer to a location for the callee to store
  85228. * data to be encoded.
  85229. * \param bytes A pointer to the size of the buffer. On entry
  85230. * to the callback, it contains the maximum number
  85231. * of bytes that may be stored in \a buffer. The
  85232. * callee must set it to the actual number of bytes
  85233. * stored (0 in case of error or end-of-stream) before
  85234. * returning.
  85235. * \param client_data The callee's client data set through
  85236. * FLAC__stream_encoder_set_client_data().
  85237. * \retval FLAC__StreamEncoderReadStatus
  85238. * The callee's return status.
  85239. */
  85240. typedef FLAC__StreamEncoderReadStatus (*FLAC__StreamEncoderReadCallback)(const FLAC__StreamEncoder *encoder, FLAC__byte buffer[], size_t *bytes, void *client_data);
  85241. /** Signature for the write callback.
  85242. *
  85243. * A function pointer matching this signature must be passed to
  85244. * FLAC__stream_encoder_init*_stream(). The supplied function will be called
  85245. * by the encoder anytime there is raw encoded data ready to write. It may
  85246. * include metadata mixed with encoded audio frames and the data is not
  85247. * guaranteed to be aligned on frame or metadata block boundaries.
  85248. *
  85249. * The only duty of the callback is to write out the \a bytes worth of data
  85250. * in \a buffer to the current position in the output stream. The arguments
  85251. * \a samples and \a current_frame are purely informational. If \a samples
  85252. * is greater than \c 0, then \a current_frame will hold the current frame
  85253. * number that is being written; otherwise it indicates that the write
  85254. * callback is being called to write metadata.
  85255. *
  85256. * \note
  85257. * Unlike when writing to native FLAC, when writing to Ogg FLAC the
  85258. * write callback will be called twice when writing each audio
  85259. * frame; once for the page header, and once for the page body.
  85260. * When writing the page header, the \a samples argument to the
  85261. * write callback will be \c 0.
  85262. *
  85263. * \note In general, FLAC__StreamEncoder functions which change the
  85264. * state should not be called on the \a encoder while in the callback.
  85265. *
  85266. * \param encoder The encoder instance calling the callback.
  85267. * \param buffer An array of encoded data of length \a bytes.
  85268. * \param bytes The byte length of \a buffer.
  85269. * \param samples The number of samples encoded by \a buffer.
  85270. * \c 0 has a special meaning; see above.
  85271. * \param current_frame The number of the current frame being encoded.
  85272. * \param client_data The callee's client data set through
  85273. * FLAC__stream_encoder_init_*().
  85274. * \retval FLAC__StreamEncoderWriteStatus
  85275. * The callee's return status.
  85276. */
  85277. typedef FLAC__StreamEncoderWriteStatus (*FLAC__StreamEncoderWriteCallback)(const FLAC__StreamEncoder *encoder, const FLAC__byte buffer[], size_t bytes, unsigned samples, unsigned current_frame, void *client_data);
  85278. /** Signature for the seek callback.
  85279. *
  85280. * A function pointer matching this signature may be passed to
  85281. * FLAC__stream_encoder_init*_stream(). The supplied function will be called
  85282. * when the encoder needs to seek the output stream. The encoder will pass
  85283. * the absolute byte offset to seek to, 0 meaning the beginning of the stream.
  85284. *
  85285. * Here is an example of a seek callback for stdio streams:
  85286. * \code
  85287. * FLAC__StreamEncoderSeekStatus seek_cb(const FLAC__StreamEncoder *encoder, FLAC__uint64 absolute_byte_offset, void *client_data)
  85288. * {
  85289. * FILE *file = ((MyClientData*)client_data)->file;
  85290. * if(file == stdin)
  85291. * return FLAC__STREAM_ENCODER_SEEK_STATUS_UNSUPPORTED;
  85292. * else if(fseeko(file, (off_t)absolute_byte_offset, SEEK_SET) < 0)
  85293. * return FLAC__STREAM_ENCODER_SEEK_STATUS_ERROR;
  85294. * else
  85295. * return FLAC__STREAM_ENCODER_SEEK_STATUS_OK;
  85296. * }
  85297. * \endcode
  85298. *
  85299. * \note In general, FLAC__StreamEncoder functions which change the
  85300. * state should not be called on the \a encoder while in the callback.
  85301. *
  85302. * \param encoder The encoder instance calling the callback.
  85303. * \param absolute_byte_offset The offset from the beginning of the stream
  85304. * to seek to.
  85305. * \param client_data The callee's client data set through
  85306. * FLAC__stream_encoder_init_*().
  85307. * \retval FLAC__StreamEncoderSeekStatus
  85308. * The callee's return status.
  85309. */
  85310. typedef FLAC__StreamEncoderSeekStatus (*FLAC__StreamEncoderSeekCallback)(const FLAC__StreamEncoder *encoder, FLAC__uint64 absolute_byte_offset, void *client_data);
  85311. /** Signature for the tell callback.
  85312. *
  85313. * A function pointer matching this signature may be passed to
  85314. * FLAC__stream_encoder_init*_stream(). The supplied function will be called
  85315. * when the encoder needs to know the current position of the output stream.
  85316. *
  85317. * \warning
  85318. * The callback must return the true current byte offset of the output to
  85319. * which the encoder is writing. If you are buffering the output, make
  85320. * sure and take this into account. If you are writing directly to a
  85321. * FILE* from your write callback, ftell() is sufficient. If you are
  85322. * writing directly to a file descriptor from your write callback, you
  85323. * can use lseek(fd, SEEK_CUR, 0). The encoder may later seek back to
  85324. * these points to rewrite metadata after encoding.
  85325. *
  85326. * Here is an example of a tell callback for stdio streams:
  85327. * \code
  85328. * FLAC__StreamEncoderTellStatus tell_cb(const FLAC__StreamEncoder *encoder, FLAC__uint64 *absolute_byte_offset, void *client_data)
  85329. * {
  85330. * FILE *file = ((MyClientData*)client_data)->file;
  85331. * off_t pos;
  85332. * if(file == stdin)
  85333. * return FLAC__STREAM_ENCODER_TELL_STATUS_UNSUPPORTED;
  85334. * else if((pos = ftello(file)) < 0)
  85335. * return FLAC__STREAM_ENCODER_TELL_STATUS_ERROR;
  85336. * else {
  85337. * *absolute_byte_offset = (FLAC__uint64)pos;
  85338. * return FLAC__STREAM_ENCODER_TELL_STATUS_OK;
  85339. * }
  85340. * }
  85341. * \endcode
  85342. *
  85343. * \note In general, FLAC__StreamEncoder functions which change the
  85344. * state should not be called on the \a encoder while in the callback.
  85345. *
  85346. * \param encoder The encoder instance calling the callback.
  85347. * \param absolute_byte_offset The address at which to store the current
  85348. * position of the output.
  85349. * \param client_data The callee's client data set through
  85350. * FLAC__stream_encoder_init_*().
  85351. * \retval FLAC__StreamEncoderTellStatus
  85352. * The callee's return status.
  85353. */
  85354. typedef FLAC__StreamEncoderTellStatus (*FLAC__StreamEncoderTellCallback)(const FLAC__StreamEncoder *encoder, FLAC__uint64 *absolute_byte_offset, void *client_data);
  85355. /** Signature for the metadata callback.
  85356. *
  85357. * A function pointer matching this signature may be passed to
  85358. * FLAC__stream_encoder_init*_stream(). The supplied function will be called
  85359. * once at the end of encoding with the populated STREAMINFO structure. This
  85360. * is so the client can seek back to the beginning of the file and write the
  85361. * STREAMINFO block with the correct statistics after encoding (like
  85362. * minimum/maximum frame size and total samples).
  85363. *
  85364. * \note In general, FLAC__StreamEncoder functions which change the
  85365. * state should not be called on the \a encoder while in the callback.
  85366. *
  85367. * \param encoder The encoder instance calling the callback.
  85368. * \param metadata The final populated STREAMINFO block.
  85369. * \param client_data The callee's client data set through
  85370. * FLAC__stream_encoder_init_*().
  85371. */
  85372. typedef void (*FLAC__StreamEncoderMetadataCallback)(const FLAC__StreamEncoder *encoder, const FLAC__StreamMetadata *metadata, void *client_data);
  85373. /** Signature for the progress callback.
  85374. *
  85375. * A function pointer matching this signature may be passed to
  85376. * FLAC__stream_encoder_init*_file() or FLAC__stream_encoder_init*_FILE().
  85377. * The supplied function will be called when the encoder has finished
  85378. * writing a frame. The \c total_frames_estimate argument to the
  85379. * callback will be based on the value from
  85380. * FLAC__stream_encoder_set_total_samples_estimate().
  85381. *
  85382. * \note In general, FLAC__StreamEncoder functions which change the
  85383. * state should not be called on the \a encoder while in the callback.
  85384. *
  85385. * \param encoder The encoder instance calling the callback.
  85386. * \param bytes_written Bytes written so far.
  85387. * \param samples_written Samples written so far.
  85388. * \param frames_written Frames written so far.
  85389. * \param total_frames_estimate The estimate of the total number of
  85390. * frames to be written.
  85391. * \param client_data The callee's client data set through
  85392. * FLAC__stream_encoder_init_*().
  85393. */
  85394. typedef void (*FLAC__StreamEncoderProgressCallback)(const FLAC__StreamEncoder *encoder, FLAC__uint64 bytes_written, FLAC__uint64 samples_written, unsigned frames_written, unsigned total_frames_estimate, void *client_data);
  85395. /***********************************************************************
  85396. *
  85397. * Class constructor/destructor
  85398. *
  85399. ***********************************************************************/
  85400. /** Create a new stream encoder instance. The instance is created with
  85401. * default settings; see the individual FLAC__stream_encoder_set_*()
  85402. * functions for each setting's default.
  85403. *
  85404. * \retval FLAC__StreamEncoder*
  85405. * \c NULL if there was an error allocating memory, else the new instance.
  85406. */
  85407. FLAC_API FLAC__StreamEncoder *FLAC__stream_encoder_new(void);
  85408. /** Free an encoder instance. Deletes the object pointed to by \a encoder.
  85409. *
  85410. * \param encoder A pointer to an existing encoder.
  85411. * \assert
  85412. * \code encoder != NULL \endcode
  85413. */
  85414. FLAC_API void FLAC__stream_encoder_delete(FLAC__StreamEncoder *encoder);
  85415. /***********************************************************************
  85416. *
  85417. * Public class method prototypes
  85418. *
  85419. ***********************************************************************/
  85420. /** Set the serial number for the FLAC stream to use in the Ogg container.
  85421. *
  85422. * \note
  85423. * This does not need to be set for native FLAC encoding.
  85424. *
  85425. * \note
  85426. * It is recommended to set a serial number explicitly as the default of '0'
  85427. * may collide with other streams.
  85428. *
  85429. * \default \c 0
  85430. * \param encoder An encoder instance to set.
  85431. * \param serial_number See above.
  85432. * \assert
  85433. * \code encoder != NULL \endcode
  85434. * \retval FLAC__bool
  85435. * \c false if the encoder is already initialized, else \c true.
  85436. */
  85437. FLAC_API FLAC__bool FLAC__stream_encoder_set_ogg_serial_number(FLAC__StreamEncoder *encoder, long serial_number);
  85438. /** Set the "verify" flag. If \c true, the encoder will verify it's own
  85439. * encoded output by feeding it through an internal decoder and comparing
  85440. * the original signal against the decoded signal. If a mismatch occurs,
  85441. * the process call will return \c false. Note that this will slow the
  85442. * encoding process by the extra time required for decoding and comparison.
  85443. *
  85444. * \default \c false
  85445. * \param encoder An encoder instance to set.
  85446. * \param value Flag value (see above).
  85447. * \assert
  85448. * \code encoder != NULL \endcode
  85449. * \retval FLAC__bool
  85450. * \c false if the encoder is already initialized, else \c true.
  85451. */
  85452. FLAC_API FLAC__bool FLAC__stream_encoder_set_verify(FLAC__StreamEncoder *encoder, FLAC__bool value);
  85453. /** Set the <A HREF="../format.html#subset">Subset</A> flag. If \c true,
  85454. * the encoder will comply with the Subset and will check the
  85455. * settings during FLAC__stream_encoder_init_*() to see if all settings
  85456. * comply. If \c false, the settings may take advantage of the full
  85457. * range that the format allows.
  85458. *
  85459. * Make sure you know what it entails before setting this to \c false.
  85460. *
  85461. * \default \c true
  85462. * \param encoder An encoder instance to set.
  85463. * \param value Flag value (see above).
  85464. * \assert
  85465. * \code encoder != NULL \endcode
  85466. * \retval FLAC__bool
  85467. * \c false if the encoder is already initialized, else \c true.
  85468. */
  85469. FLAC_API FLAC__bool FLAC__stream_encoder_set_streamable_subset(FLAC__StreamEncoder *encoder, FLAC__bool value);
  85470. /** Set the number of channels to be encoded.
  85471. *
  85472. * \default \c 2
  85473. * \param encoder An encoder instance to set.
  85474. * \param value See above.
  85475. * \assert
  85476. * \code encoder != NULL \endcode
  85477. * \retval FLAC__bool
  85478. * \c false if the encoder is already initialized, else \c true.
  85479. */
  85480. FLAC_API FLAC__bool FLAC__stream_encoder_set_channels(FLAC__StreamEncoder *encoder, unsigned value);
  85481. /** Set the sample resolution of the input to be encoded.
  85482. *
  85483. * \warning
  85484. * Do not feed the encoder data that is wider than the value you
  85485. * set here or you will generate an invalid stream.
  85486. *
  85487. * \default \c 16
  85488. * \param encoder An encoder instance to set.
  85489. * \param value See above.
  85490. * \assert
  85491. * \code encoder != NULL \endcode
  85492. * \retval FLAC__bool
  85493. * \c false if the encoder is already initialized, else \c true.
  85494. */
  85495. FLAC_API FLAC__bool FLAC__stream_encoder_set_bits_per_sample(FLAC__StreamEncoder *encoder, unsigned value);
  85496. /** Set the sample rate (in Hz) of the input to be encoded.
  85497. *
  85498. * \default \c 44100
  85499. * \param encoder An encoder instance to set.
  85500. * \param value See above.
  85501. * \assert
  85502. * \code encoder != NULL \endcode
  85503. * \retval FLAC__bool
  85504. * \c false if the encoder is already initialized, else \c true.
  85505. */
  85506. FLAC_API FLAC__bool FLAC__stream_encoder_set_sample_rate(FLAC__StreamEncoder *encoder, unsigned value);
  85507. /** Set the compression level
  85508. *
  85509. * The compression level is roughly proportional to the amount of effort
  85510. * the encoder expends to compress the file. A higher level usually
  85511. * means more computation but higher compression. The default level is
  85512. * suitable for most applications.
  85513. *
  85514. * Currently the levels range from \c 0 (fastest, least compression) to
  85515. * \c 8 (slowest, most compression). A value larger than \c 8 will be
  85516. * treated as \c 8.
  85517. *
  85518. * This function automatically calls the following other \c _set_
  85519. * functions with appropriate values, so the client does not need to
  85520. * unless it specifically wants to override them:
  85521. * - FLAC__stream_encoder_set_do_mid_side_stereo()
  85522. * - FLAC__stream_encoder_set_loose_mid_side_stereo()
  85523. * - FLAC__stream_encoder_set_apodization()
  85524. * - FLAC__stream_encoder_set_max_lpc_order()
  85525. * - FLAC__stream_encoder_set_qlp_coeff_precision()
  85526. * - FLAC__stream_encoder_set_do_qlp_coeff_prec_search()
  85527. * - FLAC__stream_encoder_set_do_escape_coding()
  85528. * - FLAC__stream_encoder_set_do_exhaustive_model_search()
  85529. * - FLAC__stream_encoder_set_min_residual_partition_order()
  85530. * - FLAC__stream_encoder_set_max_residual_partition_order()
  85531. * - FLAC__stream_encoder_set_rice_parameter_search_dist()
  85532. *
  85533. * The actual values set for each level are:
  85534. * <table>
  85535. * <tr>
  85536. * <td><b>level</b><td>
  85537. * <td>do mid-side stereo<td>
  85538. * <td>loose mid-side stereo<td>
  85539. * <td>apodization<td>
  85540. * <td>max lpc order<td>
  85541. * <td>qlp coeff precision<td>
  85542. * <td>qlp coeff prec search<td>
  85543. * <td>escape coding<td>
  85544. * <td>exhaustive model search<td>
  85545. * <td>min residual partition order<td>
  85546. * <td>max residual partition order<td>
  85547. * <td>rice parameter search dist<td>
  85548. * </tr>
  85549. * <tr> <td><b>0</b><td> <td>false<td> <td>false<td> <td>tukey(0.5)<td> <td>0<td> <td>0<td> <td>false<td> <td>false<td> <td>false<td> <td>0<td> <td>3<td> <td>0<td> </tr>
  85550. * <tr> <td><b>1</b><td> <td>true<td> <td>true<td> <td>tukey(0.5)<td> <td>0<td> <td>0<td> <td>false<td> <td>false<td> <td>false<td> <td>0<td> <td>3<td> <td>0<td> </tr>
  85551. * <tr> <td><b>2</b><td> <td>true<td> <td>false<td> <td>tukey(0.5)<td> <td>0<td> <td>0<td> <td>false<td> <td>false<td> <td>false<td> <td>0<td> <td>3<td> <td>0<td> </tr>
  85552. * <tr> <td><b>3</b><td> <td>false<td> <td>false<td> <td>tukey(0.5)<td> <td>6<td> <td>0<td> <td>false<td> <td>false<td> <td>false<td> <td>0<td> <td>4<td> <td>0<td> </tr>
  85553. * <tr> <td><b>4</b><td> <td>true<td> <td>true<td> <td>tukey(0.5)<td> <td>8<td> <td>0<td> <td>false<td> <td>false<td> <td>false<td> <td>0<td> <td>4<td> <td>0<td> </tr>
  85554. * <tr> <td><b>5</b><td> <td>true<td> <td>false<td> <td>tukey(0.5)<td> <td>8<td> <td>0<td> <td>false<td> <td>false<td> <td>false<td> <td>0<td> <td>5<td> <td>0<td> </tr>
  85555. * <tr> <td><b>6</b><td> <td>true<td> <td>false<td> <td>tukey(0.5)<td> <td>8<td> <td>0<td> <td>false<td> <td>false<td> <td>false<td> <td>0<td> <td>6<td> <td>0<td> </tr>
  85556. * <tr> <td><b>7</b><td> <td>true<td> <td>false<td> <td>tukey(0.5)<td> <td>8<td> <td>0<td> <td>false<td> <td>false<td> <td>true<td> <td>0<td> <td>6<td> <td>0<td> </tr>
  85557. * <tr> <td><b>8</b><td> <td>true<td> <td>false<td> <td>tukey(0.5)<td> <td>12<td> <td>0<td> <td>false<td> <td>false<td> <td>true<td> <td>0<td> <td>6<td> <td>0<td> </tr>
  85558. * </table>
  85559. *
  85560. * \default \c 5
  85561. * \param encoder An encoder instance to set.
  85562. * \param value See above.
  85563. * \assert
  85564. * \code encoder != NULL \endcode
  85565. * \retval FLAC__bool
  85566. * \c false if the encoder is already initialized, else \c true.
  85567. */
  85568. FLAC_API FLAC__bool FLAC__stream_encoder_set_compression_level(FLAC__StreamEncoder *encoder, unsigned value);
  85569. /** Set the blocksize to use while encoding.
  85570. *
  85571. * The number of samples to use per frame. Use \c 0 to let the encoder
  85572. * estimate a blocksize; this is usually best.
  85573. *
  85574. * \default \c 0
  85575. * \param encoder An encoder instance to set.
  85576. * \param value See above.
  85577. * \assert
  85578. * \code encoder != NULL \endcode
  85579. * \retval FLAC__bool
  85580. * \c false if the encoder is already initialized, else \c true.
  85581. */
  85582. FLAC_API FLAC__bool FLAC__stream_encoder_set_blocksize(FLAC__StreamEncoder *encoder, unsigned value);
  85583. /** Set to \c true to enable mid-side encoding on stereo input. The
  85584. * number of channels must be 2 for this to have any effect. Set to
  85585. * \c false to use only independent channel coding.
  85586. *
  85587. * \default \c false
  85588. * \param encoder An encoder instance to set.
  85589. * \param value Flag value (see above).
  85590. * \assert
  85591. * \code encoder != NULL \endcode
  85592. * \retval FLAC__bool
  85593. * \c false if the encoder is already initialized, else \c true.
  85594. */
  85595. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_mid_side_stereo(FLAC__StreamEncoder *encoder, FLAC__bool value);
  85596. /** Set to \c true to enable adaptive switching between mid-side and
  85597. * left-right encoding on stereo input. Set to \c false to use
  85598. * exhaustive searching. Setting this to \c true requires
  85599. * FLAC__stream_encoder_set_do_mid_side_stereo() to also be set to
  85600. * \c true in order to have any effect.
  85601. *
  85602. * \default \c false
  85603. * \param encoder An encoder instance to set.
  85604. * \param value Flag value (see above).
  85605. * \assert
  85606. * \code encoder != NULL \endcode
  85607. * \retval FLAC__bool
  85608. * \c false if the encoder is already initialized, else \c true.
  85609. */
  85610. FLAC_API FLAC__bool FLAC__stream_encoder_set_loose_mid_side_stereo(FLAC__StreamEncoder *encoder, FLAC__bool value);
  85611. /** Sets the apodization function(s) the encoder will use when windowing
  85612. * audio data for LPC analysis.
  85613. *
  85614. * The \a specification is a plain ASCII string which specifies exactly
  85615. * which functions to use. There may be more than one (up to 32),
  85616. * separated by \c ';' characters. Some functions take one or more
  85617. * comma-separated arguments in parentheses.
  85618. *
  85619. * The available functions are \c bartlett, \c bartlett_hann,
  85620. * \c blackman, \c blackman_harris_4term_92db, \c connes, \c flattop,
  85621. * \c gauss(STDDEV), \c hamming, \c hann, \c kaiser_bessel, \c nuttall,
  85622. * \c rectangle, \c triangle, \c tukey(P), \c welch.
  85623. *
  85624. * For \c gauss(STDDEV), STDDEV specifies the standard deviation
  85625. * (0<STDDEV<=0.5).
  85626. *
  85627. * For \c tukey(P), P specifies the fraction of the window that is
  85628. * tapered (0<=P<=1). P=0 corresponds to \c rectangle and P=1
  85629. * corresponds to \c hann.
  85630. *
  85631. * Example specifications are \c "blackman" or
  85632. * \c "hann;triangle;tukey(0.5);tukey(0.25);tukey(0.125)"
  85633. *
  85634. * Any function that is specified erroneously is silently dropped. Up
  85635. * to 32 functions are kept, the rest are dropped. If the specification
  85636. * is empty the encoder defaults to \c "tukey(0.5)".
  85637. *
  85638. * When more than one function is specified, then for every subframe the
  85639. * encoder will try each of them separately and choose the window that
  85640. * results in the smallest compressed subframe.
  85641. *
  85642. * Note that each function specified causes the encoder to occupy a
  85643. * floating point array in which to store the window.
  85644. *
  85645. * \default \c "tukey(0.5)"
  85646. * \param encoder An encoder instance to set.
  85647. * \param specification See above.
  85648. * \assert
  85649. * \code encoder != NULL \endcode
  85650. * \code specification != NULL \endcode
  85651. * \retval FLAC__bool
  85652. * \c false if the encoder is already initialized, else \c true.
  85653. */
  85654. FLAC_API FLAC__bool FLAC__stream_encoder_set_apodization(FLAC__StreamEncoder *encoder, const char *specification);
  85655. /** Set the maximum LPC order, or \c 0 to use only the fixed predictors.
  85656. *
  85657. * \default \c 0
  85658. * \param encoder An encoder instance to set.
  85659. * \param value See above.
  85660. * \assert
  85661. * \code encoder != NULL \endcode
  85662. * \retval FLAC__bool
  85663. * \c false if the encoder is already initialized, else \c true.
  85664. */
  85665. FLAC_API FLAC__bool FLAC__stream_encoder_set_max_lpc_order(FLAC__StreamEncoder *encoder, unsigned value);
  85666. /** Set the precision, in bits, of the quantized linear predictor
  85667. * coefficients, or \c 0 to let the encoder select it based on the
  85668. * blocksize.
  85669. *
  85670. * \note
  85671. * In the current implementation, qlp_coeff_precision + bits_per_sample must
  85672. * be less than 32.
  85673. *
  85674. * \default \c 0
  85675. * \param encoder An encoder instance to set.
  85676. * \param value See above.
  85677. * \assert
  85678. * \code encoder != NULL \endcode
  85679. * \retval FLAC__bool
  85680. * \c false if the encoder is already initialized, else \c true.
  85681. */
  85682. FLAC_API FLAC__bool FLAC__stream_encoder_set_qlp_coeff_precision(FLAC__StreamEncoder *encoder, unsigned value);
  85683. /** Set to \c false to use only the specified quantized linear predictor
  85684. * coefficient precision, or \c true to search neighboring precision
  85685. * values and use the best one.
  85686. *
  85687. * \default \c false
  85688. * \param encoder An encoder instance to set.
  85689. * \param value See above.
  85690. * \assert
  85691. * \code encoder != NULL \endcode
  85692. * \retval FLAC__bool
  85693. * \c false if the encoder is already initialized, else \c true.
  85694. */
  85695. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_qlp_coeff_prec_search(FLAC__StreamEncoder *encoder, FLAC__bool value);
  85696. /** Deprecated. Setting this value has no effect.
  85697. *
  85698. * \default \c false
  85699. * \param encoder An encoder instance to set.
  85700. * \param value See above.
  85701. * \assert
  85702. * \code encoder != NULL \endcode
  85703. * \retval FLAC__bool
  85704. * \c false if the encoder is already initialized, else \c true.
  85705. */
  85706. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_escape_coding(FLAC__StreamEncoder *encoder, FLAC__bool value);
  85707. /** Set to \c false to let the encoder estimate the best model order
  85708. * based on the residual signal energy, or \c true to force the
  85709. * encoder to evaluate all order models and select the best.
  85710. *
  85711. * \default \c false
  85712. * \param encoder An encoder instance to set.
  85713. * \param value See above.
  85714. * \assert
  85715. * \code encoder != NULL \endcode
  85716. * \retval FLAC__bool
  85717. * \c false if the encoder is already initialized, else \c true.
  85718. */
  85719. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_exhaustive_model_search(FLAC__StreamEncoder *encoder, FLAC__bool value);
  85720. /** Set the minimum partition order to search when coding the residual.
  85721. * This is used in tandem with
  85722. * FLAC__stream_encoder_set_max_residual_partition_order().
  85723. *
  85724. * The partition order determines the context size in the residual.
  85725. * The context size will be approximately <tt>blocksize / (2 ^ order)</tt>.
  85726. *
  85727. * Set both min and max values to \c 0 to force a single context,
  85728. * whose Rice parameter is based on the residual signal variance.
  85729. * Otherwise, set a min and max order, and the encoder will search
  85730. * all orders, using the mean of each context for its Rice parameter,
  85731. * and use the best.
  85732. *
  85733. * \default \c 0
  85734. * \param encoder An encoder instance to set.
  85735. * \param value See above.
  85736. * \assert
  85737. * \code encoder != NULL \endcode
  85738. * \retval FLAC__bool
  85739. * \c false if the encoder is already initialized, else \c true.
  85740. */
  85741. FLAC_API FLAC__bool FLAC__stream_encoder_set_min_residual_partition_order(FLAC__StreamEncoder *encoder, unsigned value);
  85742. /** Set the maximum partition order to search when coding the residual.
  85743. * This is used in tandem with
  85744. * FLAC__stream_encoder_set_min_residual_partition_order().
  85745. *
  85746. * The partition order determines the context size in the residual.
  85747. * The context size will be approximately <tt>blocksize / (2 ^ order)</tt>.
  85748. *
  85749. * Set both min and max values to \c 0 to force a single context,
  85750. * whose Rice parameter is based on the residual signal variance.
  85751. * Otherwise, set a min and max order, and the encoder will search
  85752. * all orders, using the mean of each context for its Rice parameter,
  85753. * and use the best.
  85754. *
  85755. * \default \c 0
  85756. * \param encoder An encoder instance to set.
  85757. * \param value See above.
  85758. * \assert
  85759. * \code encoder != NULL \endcode
  85760. * \retval FLAC__bool
  85761. * \c false if the encoder is already initialized, else \c true.
  85762. */
  85763. FLAC_API FLAC__bool FLAC__stream_encoder_set_max_residual_partition_order(FLAC__StreamEncoder *encoder, unsigned value);
  85764. /** Deprecated. Setting this value has no effect.
  85765. *
  85766. * \default \c 0
  85767. * \param encoder An encoder instance to set.
  85768. * \param value See above.
  85769. * \assert
  85770. * \code encoder != NULL \endcode
  85771. * \retval FLAC__bool
  85772. * \c false if the encoder is already initialized, else \c true.
  85773. */
  85774. FLAC_API FLAC__bool FLAC__stream_encoder_set_rice_parameter_search_dist(FLAC__StreamEncoder *encoder, unsigned value);
  85775. /** Set an estimate of the total samples that will be encoded.
  85776. * This is merely an estimate and may be set to \c 0 if unknown.
  85777. * This value will be written to the STREAMINFO block before encoding,
  85778. * and can remove the need for the caller to rewrite the value later
  85779. * if the value is known before encoding.
  85780. *
  85781. * \default \c 0
  85782. * \param encoder An encoder instance to set.
  85783. * \param value See above.
  85784. * \assert
  85785. * \code encoder != NULL \endcode
  85786. * \retval FLAC__bool
  85787. * \c false if the encoder is already initialized, else \c true.
  85788. */
  85789. FLAC_API FLAC__bool FLAC__stream_encoder_set_total_samples_estimate(FLAC__StreamEncoder *encoder, FLAC__uint64 value);
  85790. /** Set the metadata blocks to be emitted to the stream before encoding.
  85791. * A value of \c NULL, \c 0 implies no metadata; otherwise, supply an
  85792. * array of pointers to metadata blocks. The array is non-const since
  85793. * the encoder may need to change the \a is_last flag inside them, and
  85794. * in some cases update seek point offsets. Otherwise, the encoder will
  85795. * not modify or free the blocks. It is up to the caller to free the
  85796. * metadata blocks after encoding finishes.
  85797. *
  85798. * \note
  85799. * The encoder stores only copies of the pointers in the \a metadata array;
  85800. * the metadata blocks themselves must survive at least until after
  85801. * FLAC__stream_encoder_finish() returns. Do not free the blocks until then.
  85802. *
  85803. * \note
  85804. * The STREAMINFO block is always written and no STREAMINFO block may
  85805. * occur in the supplied array.
  85806. *
  85807. * \note
  85808. * By default the encoder does not create a SEEKTABLE. If one is supplied
  85809. * in the \a metadata array, but the client has specified that it does not
  85810. * support seeking, then the SEEKTABLE will be written verbatim. However
  85811. * by itself this is not very useful as the client will not know the stream
  85812. * offsets for the seekpoints ahead of time. In order to get a proper
  85813. * seektable the client must support seeking. See next note.
  85814. *
  85815. * \note
  85816. * SEEKTABLE blocks are handled specially. Since you will not know
  85817. * the values for the seek point stream offsets, you should pass in
  85818. * a SEEKTABLE 'template', that is, a SEEKTABLE object with the
  85819. * required sample numbers (or placeholder points), with \c 0 for the
  85820. * \a frame_samples and \a stream_offset fields for each point. If the
  85821. * client has specified that it supports seeking by providing a seek
  85822. * callback to FLAC__stream_encoder_init_stream() or both seek AND read
  85823. * callback to FLAC__stream_encoder_init_ogg_stream() (or by using
  85824. * FLAC__stream_encoder_init*_file() or FLAC__stream_encoder_init*_FILE()),
  85825. * then while it is encoding the encoder will fill the stream offsets in
  85826. * for you and when encoding is finished, it will seek back and write the
  85827. * real values into the SEEKTABLE block in the stream. There are helper
  85828. * routines for manipulating seektable template blocks; see metadata.h:
  85829. * FLAC__metadata_object_seektable_template_*(). If the client does
  85830. * not support seeking, the SEEKTABLE will have inaccurate offsets which
  85831. * will slow down or remove the ability to seek in the FLAC stream.
  85832. *
  85833. * \note
  85834. * The encoder instance \b will modify the first \c SEEKTABLE block
  85835. * as it transforms the template to a valid seektable while encoding,
  85836. * but it is still up to the caller to free all metadata blocks after
  85837. * encoding.
  85838. *
  85839. * \note
  85840. * A VORBIS_COMMENT block may be supplied. The vendor string in it
  85841. * will be ignored. libFLAC will use it's own vendor string. libFLAC
  85842. * will not modify the passed-in VORBIS_COMMENT's vendor string, it
  85843. * will simply write it's own into the stream. If no VORBIS_COMMENT
  85844. * block is present in the \a metadata array, libFLAC will write an
  85845. * empty one, containing only the vendor string.
  85846. *
  85847. * \note The Ogg FLAC mapping requires that the VORBIS_COMMENT block be
  85848. * the second metadata block of the stream. The encoder already supplies
  85849. * the STREAMINFO block automatically. If \a metadata does not contain a
  85850. * VORBIS_COMMENT block, the encoder will supply that too. Otherwise, if
  85851. * \a metadata does contain a VORBIS_COMMENT block and it is not the
  85852. * first, the init function will reorder \a metadata by moving the
  85853. * VORBIS_COMMENT block to the front; the relative ordering of the other
  85854. * blocks will remain as they were.
  85855. *
  85856. * \note The Ogg FLAC mapping limits the number of metadata blocks per
  85857. * stream to \c 65535. If \a num_blocks exceeds this the function will
  85858. * return \c false.
  85859. *
  85860. * \default \c NULL, 0
  85861. * \param encoder An encoder instance to set.
  85862. * \param metadata See above.
  85863. * \param num_blocks See above.
  85864. * \assert
  85865. * \code encoder != NULL \endcode
  85866. * \retval FLAC__bool
  85867. * \c false if the encoder is already initialized, else \c true.
  85868. * \c false if the encoder is already initialized, or if
  85869. * \a num_blocks > 65535 if encoding to Ogg FLAC, else \c true.
  85870. */
  85871. FLAC_API FLAC__bool FLAC__stream_encoder_set_metadata(FLAC__StreamEncoder *encoder, FLAC__StreamMetadata **metadata, unsigned num_blocks);
  85872. /** Get the current encoder state.
  85873. *
  85874. * \param encoder An encoder instance to query.
  85875. * \assert
  85876. * \code encoder != NULL \endcode
  85877. * \retval FLAC__StreamEncoderState
  85878. * The current encoder state.
  85879. */
  85880. FLAC_API FLAC__StreamEncoderState FLAC__stream_encoder_get_state(const FLAC__StreamEncoder *encoder);
  85881. /** Get the state of the verify stream decoder.
  85882. * Useful when the stream encoder state is
  85883. * \c FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR.
  85884. *
  85885. * \param encoder An encoder instance to query.
  85886. * \assert
  85887. * \code encoder != NULL \endcode
  85888. * \retval FLAC__StreamDecoderState
  85889. * The verify stream decoder state.
  85890. */
  85891. FLAC_API FLAC__StreamDecoderState FLAC__stream_encoder_get_verify_decoder_state(const FLAC__StreamEncoder *encoder);
  85892. /** Get the current encoder state as a C string.
  85893. * This version automatically resolves
  85894. * \c FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR by getting the
  85895. * verify decoder's state.
  85896. *
  85897. * \param encoder A encoder instance to query.
  85898. * \assert
  85899. * \code encoder != NULL \endcode
  85900. * \retval const char *
  85901. * The encoder state as a C string. Do not modify the contents.
  85902. */
  85903. FLAC_API const char *FLAC__stream_encoder_get_resolved_state_string(const FLAC__StreamEncoder *encoder);
  85904. /** Get relevant values about the nature of a verify decoder error.
  85905. * Useful when the stream encoder state is
  85906. * \c FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR. The arguments should
  85907. * be addresses in which the stats will be returned, or NULL if value
  85908. * is not desired.
  85909. *
  85910. * \param encoder An encoder instance to query.
  85911. * \param absolute_sample The absolute sample number of the mismatch.
  85912. * \param frame_number The number of the frame in which the mismatch occurred.
  85913. * \param channel The channel in which the mismatch occurred.
  85914. * \param sample The number of the sample (relative to the frame) in
  85915. * which the mismatch occurred.
  85916. * \param expected The expected value for the sample in question.
  85917. * \param got The actual value returned by the decoder.
  85918. * \assert
  85919. * \code encoder != NULL \endcode
  85920. */
  85921. FLAC_API void FLAC__stream_encoder_get_verify_decoder_error_stats(const FLAC__StreamEncoder *encoder, FLAC__uint64 *absolute_sample, unsigned *frame_number, unsigned *channel, unsigned *sample, FLAC__int32 *expected, FLAC__int32 *got);
  85922. /** Get the "verify" flag.
  85923. *
  85924. * \param encoder An encoder instance to query.
  85925. * \assert
  85926. * \code encoder != NULL \endcode
  85927. * \retval FLAC__bool
  85928. * See FLAC__stream_encoder_set_verify().
  85929. */
  85930. FLAC_API FLAC__bool FLAC__stream_encoder_get_verify(const FLAC__StreamEncoder *encoder);
  85931. /** Get the <A HREF="../format.html#subset>Subset</A> flag.
  85932. *
  85933. * \param encoder An encoder instance to query.
  85934. * \assert
  85935. * \code encoder != NULL \endcode
  85936. * \retval FLAC__bool
  85937. * See FLAC__stream_encoder_set_streamable_subset().
  85938. */
  85939. FLAC_API FLAC__bool FLAC__stream_encoder_get_streamable_subset(const FLAC__StreamEncoder *encoder);
  85940. /** Get the number of input channels being processed.
  85941. *
  85942. * \param encoder An encoder instance to query.
  85943. * \assert
  85944. * \code encoder != NULL \endcode
  85945. * \retval unsigned
  85946. * See FLAC__stream_encoder_set_channels().
  85947. */
  85948. FLAC_API unsigned FLAC__stream_encoder_get_channels(const FLAC__StreamEncoder *encoder);
  85949. /** Get the input sample resolution setting.
  85950. *
  85951. * \param encoder An encoder instance to query.
  85952. * \assert
  85953. * \code encoder != NULL \endcode
  85954. * \retval unsigned
  85955. * See FLAC__stream_encoder_set_bits_per_sample().
  85956. */
  85957. FLAC_API unsigned FLAC__stream_encoder_get_bits_per_sample(const FLAC__StreamEncoder *encoder);
  85958. /** Get the input sample rate setting.
  85959. *
  85960. * \param encoder An encoder instance to query.
  85961. * \assert
  85962. * \code encoder != NULL \endcode
  85963. * \retval unsigned
  85964. * See FLAC__stream_encoder_set_sample_rate().
  85965. */
  85966. FLAC_API unsigned FLAC__stream_encoder_get_sample_rate(const FLAC__StreamEncoder *encoder);
  85967. /** Get the blocksize setting.
  85968. *
  85969. * \param encoder An encoder instance to query.
  85970. * \assert
  85971. * \code encoder != NULL \endcode
  85972. * \retval unsigned
  85973. * See FLAC__stream_encoder_set_blocksize().
  85974. */
  85975. FLAC_API unsigned FLAC__stream_encoder_get_blocksize(const FLAC__StreamEncoder *encoder);
  85976. /** Get the "mid/side stereo coding" flag.
  85977. *
  85978. * \param encoder An encoder instance to query.
  85979. * \assert
  85980. * \code encoder != NULL \endcode
  85981. * \retval FLAC__bool
  85982. * See FLAC__stream_encoder_get_do_mid_side_stereo().
  85983. */
  85984. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_mid_side_stereo(const FLAC__StreamEncoder *encoder);
  85985. /** Get the "adaptive mid/side switching" flag.
  85986. *
  85987. * \param encoder An encoder instance to query.
  85988. * \assert
  85989. * \code encoder != NULL \endcode
  85990. * \retval FLAC__bool
  85991. * See FLAC__stream_encoder_set_loose_mid_side_stereo().
  85992. */
  85993. FLAC_API FLAC__bool FLAC__stream_encoder_get_loose_mid_side_stereo(const FLAC__StreamEncoder *encoder);
  85994. /** Get the maximum LPC order setting.
  85995. *
  85996. * \param encoder An encoder instance to query.
  85997. * \assert
  85998. * \code encoder != NULL \endcode
  85999. * \retval unsigned
  86000. * See FLAC__stream_encoder_set_max_lpc_order().
  86001. */
  86002. FLAC_API unsigned FLAC__stream_encoder_get_max_lpc_order(const FLAC__StreamEncoder *encoder);
  86003. /** Get the quantized linear predictor coefficient precision setting.
  86004. *
  86005. * \param encoder An encoder instance to query.
  86006. * \assert
  86007. * \code encoder != NULL \endcode
  86008. * \retval unsigned
  86009. * See FLAC__stream_encoder_set_qlp_coeff_precision().
  86010. */
  86011. FLAC_API unsigned FLAC__stream_encoder_get_qlp_coeff_precision(const FLAC__StreamEncoder *encoder);
  86012. /** Get the qlp coefficient precision search flag.
  86013. *
  86014. * \param encoder An encoder instance to query.
  86015. * \assert
  86016. * \code encoder != NULL \endcode
  86017. * \retval FLAC__bool
  86018. * See FLAC__stream_encoder_set_do_qlp_coeff_prec_search().
  86019. */
  86020. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_qlp_coeff_prec_search(const FLAC__StreamEncoder *encoder);
  86021. /** Get the "escape coding" flag.
  86022. *
  86023. * \param encoder An encoder instance to query.
  86024. * \assert
  86025. * \code encoder != NULL \endcode
  86026. * \retval FLAC__bool
  86027. * See FLAC__stream_encoder_set_do_escape_coding().
  86028. */
  86029. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_escape_coding(const FLAC__StreamEncoder *encoder);
  86030. /** Get the exhaustive model search flag.
  86031. *
  86032. * \param encoder An encoder instance to query.
  86033. * \assert
  86034. * \code encoder != NULL \endcode
  86035. * \retval FLAC__bool
  86036. * See FLAC__stream_encoder_set_do_exhaustive_model_search().
  86037. */
  86038. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_exhaustive_model_search(const FLAC__StreamEncoder *encoder);
  86039. /** Get the minimum residual partition order setting.
  86040. *
  86041. * \param encoder An encoder instance to query.
  86042. * \assert
  86043. * \code encoder != NULL \endcode
  86044. * \retval unsigned
  86045. * See FLAC__stream_encoder_set_min_residual_partition_order().
  86046. */
  86047. FLAC_API unsigned FLAC__stream_encoder_get_min_residual_partition_order(const FLAC__StreamEncoder *encoder);
  86048. /** Get maximum residual partition order setting.
  86049. *
  86050. * \param encoder An encoder instance to query.
  86051. * \assert
  86052. * \code encoder != NULL \endcode
  86053. * \retval unsigned
  86054. * See FLAC__stream_encoder_set_max_residual_partition_order().
  86055. */
  86056. FLAC_API unsigned FLAC__stream_encoder_get_max_residual_partition_order(const FLAC__StreamEncoder *encoder);
  86057. /** Get the Rice parameter search distance setting.
  86058. *
  86059. * \param encoder An encoder instance to query.
  86060. * \assert
  86061. * \code encoder != NULL \endcode
  86062. * \retval unsigned
  86063. * See FLAC__stream_encoder_set_rice_parameter_search_dist().
  86064. */
  86065. FLAC_API unsigned FLAC__stream_encoder_get_rice_parameter_search_dist(const FLAC__StreamEncoder *encoder);
  86066. /** Get the previously set estimate of the total samples to be encoded.
  86067. * The encoder merely mimics back the value given to
  86068. * FLAC__stream_encoder_set_total_samples_estimate() since it has no
  86069. * other way of knowing how many samples the client will encode.
  86070. *
  86071. * \param encoder An encoder instance to set.
  86072. * \assert
  86073. * \code encoder != NULL \endcode
  86074. * \retval FLAC__uint64
  86075. * See FLAC__stream_encoder_get_total_samples_estimate().
  86076. */
  86077. FLAC_API FLAC__uint64 FLAC__stream_encoder_get_total_samples_estimate(const FLAC__StreamEncoder *encoder);
  86078. /** Initialize the encoder instance to encode native FLAC streams.
  86079. *
  86080. * This flavor of initialization sets up the encoder to encode to a
  86081. * native FLAC stream. I/O is performed via callbacks to the client.
  86082. * For encoding to a plain file via filename or open \c FILE*,
  86083. * FLAC__stream_encoder_init_file() and FLAC__stream_encoder_init_FILE()
  86084. * provide a simpler interface.
  86085. *
  86086. * This function should be called after FLAC__stream_encoder_new() and
  86087. * FLAC__stream_encoder_set_*() but before FLAC__stream_encoder_process()
  86088. * or FLAC__stream_encoder_process_interleaved().
  86089. * initialization succeeded.
  86090. *
  86091. * The call to FLAC__stream_encoder_init_stream() currently will also
  86092. * immediately call the write callback several times, once with the \c fLaC
  86093. * signature, and once for each encoded metadata block.
  86094. *
  86095. * \param encoder An uninitialized encoder instance.
  86096. * \param write_callback See FLAC__StreamEncoderWriteCallback. This
  86097. * pointer must not be \c NULL.
  86098. * \param seek_callback See FLAC__StreamEncoderSeekCallback. This
  86099. * pointer may be \c NULL if seeking is not
  86100. * supported. The encoder uses seeking to go back
  86101. * and write some some stream statistics to the
  86102. * STREAMINFO block; this is recommended but not
  86103. * necessary to create a valid FLAC stream. If
  86104. * \a seek_callback is not \c NULL then a
  86105. * \a tell_callback must also be supplied.
  86106. * Alternatively, a dummy seek callback that just
  86107. * returns \c FLAC__STREAM_ENCODER_SEEK_STATUS_UNSUPPORTED
  86108. * may also be supplied, all though this is slightly
  86109. * less efficient for the encoder.
  86110. * \param tell_callback See FLAC__StreamEncoderTellCallback. This
  86111. * pointer may be \c NULL if seeking is not
  86112. * supported. If \a seek_callback is \c NULL then
  86113. * this argument will be ignored. If
  86114. * \a seek_callback is not \c NULL then a
  86115. * \a tell_callback must also be supplied.
  86116. * Alternatively, a dummy tell callback that just
  86117. * returns \c FLAC__STREAM_ENCODER_TELL_STATUS_UNSUPPORTED
  86118. * may also be supplied, all though this is slightly
  86119. * less efficient for the encoder.
  86120. * \param metadata_callback See FLAC__StreamEncoderMetadataCallback. This
  86121. * pointer may be \c NULL if the callback is not
  86122. * desired. If the client provides a seek callback,
  86123. * this function is not necessary as the encoder
  86124. * will automatically seek back and update the
  86125. * STREAMINFO block. It may also be \c NULL if the
  86126. * client does not support seeking, since it will
  86127. * have no way of going back to update the
  86128. * STREAMINFO. However the client can still supply
  86129. * a callback if it would like to know the details
  86130. * from the STREAMINFO.
  86131. * \param client_data This value will be supplied to callbacks in their
  86132. * \a client_data argument.
  86133. * \assert
  86134. * \code encoder != NULL \endcode
  86135. * \retval FLAC__StreamEncoderInitStatus
  86136. * \c FLAC__STREAM_ENCODER_INIT_STATUS_OK if initialization was successful;
  86137. * see FLAC__StreamEncoderInitStatus for the meanings of other return values.
  86138. */
  86139. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_stream(FLAC__StreamEncoder *encoder, FLAC__StreamEncoderWriteCallback write_callback, FLAC__StreamEncoderSeekCallback seek_callback, FLAC__StreamEncoderTellCallback tell_callback, FLAC__StreamEncoderMetadataCallback metadata_callback, void *client_data);
  86140. /** Initialize the encoder instance to encode Ogg FLAC streams.
  86141. *
  86142. * This flavor of initialization sets up the encoder to encode to a FLAC
  86143. * stream in an Ogg container. I/O is performed via callbacks to the
  86144. * client. For encoding to a plain file via filename or open \c FILE*,
  86145. * FLAC__stream_encoder_init_ogg_file() and FLAC__stream_encoder_init_ogg_FILE()
  86146. * provide a simpler interface.
  86147. *
  86148. * This function should be called after FLAC__stream_encoder_new() and
  86149. * FLAC__stream_encoder_set_*() but before FLAC__stream_encoder_process()
  86150. * or FLAC__stream_encoder_process_interleaved().
  86151. * initialization succeeded.
  86152. *
  86153. * The call to FLAC__stream_encoder_init_ogg_stream() currently will also
  86154. * immediately call the write callback several times to write the metadata
  86155. * packets.
  86156. *
  86157. * \param encoder An uninitialized encoder instance.
  86158. * \param read_callback See FLAC__StreamEncoderReadCallback. This
  86159. * pointer must not be \c NULL if \a seek_callback
  86160. * is non-NULL since they are both needed to be
  86161. * able to write data back to the Ogg FLAC stream
  86162. * in the post-encode phase.
  86163. * \param write_callback See FLAC__StreamEncoderWriteCallback. This
  86164. * pointer must not be \c NULL.
  86165. * \param seek_callback See FLAC__StreamEncoderSeekCallback. This
  86166. * pointer may be \c NULL if seeking is not
  86167. * supported. The encoder uses seeking to go back
  86168. * and write some some stream statistics to the
  86169. * STREAMINFO block; this is recommended but not
  86170. * necessary to create a valid FLAC stream. If
  86171. * \a seek_callback is not \c NULL then a
  86172. * \a tell_callback must also be supplied.
  86173. * Alternatively, a dummy seek callback that just
  86174. * returns \c FLAC__STREAM_ENCODER_SEEK_STATUS_UNSUPPORTED
  86175. * may also be supplied, all though this is slightly
  86176. * less efficient for the encoder.
  86177. * \param tell_callback See FLAC__StreamEncoderTellCallback. This
  86178. * pointer may be \c NULL if seeking is not
  86179. * supported. If \a seek_callback is \c NULL then
  86180. * this argument will be ignored. If
  86181. * \a seek_callback is not \c NULL then a
  86182. * \a tell_callback must also be supplied.
  86183. * Alternatively, a dummy tell callback that just
  86184. * returns \c FLAC__STREAM_ENCODER_TELL_STATUS_UNSUPPORTED
  86185. * may also be supplied, all though this is slightly
  86186. * less efficient for the encoder.
  86187. * \param metadata_callback See FLAC__StreamEncoderMetadataCallback. This
  86188. * pointer may be \c NULL if the callback is not
  86189. * desired. If the client provides a seek callback,
  86190. * this function is not necessary as the encoder
  86191. * will automatically seek back and update the
  86192. * STREAMINFO block. It may also be \c NULL if the
  86193. * client does not support seeking, since it will
  86194. * have no way of going back to update the
  86195. * STREAMINFO. However the client can still supply
  86196. * a callback if it would like to know the details
  86197. * from the STREAMINFO.
  86198. * \param client_data This value will be supplied to callbacks in their
  86199. * \a client_data argument.
  86200. * \assert
  86201. * \code encoder != NULL \endcode
  86202. * \retval FLAC__StreamEncoderInitStatus
  86203. * \c FLAC__STREAM_ENCODER_INIT_STATUS_OK if initialization was successful;
  86204. * see FLAC__StreamEncoderInitStatus for the meanings of other return values.
  86205. */
  86206. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_ogg_stream(FLAC__StreamEncoder *encoder, FLAC__StreamEncoderReadCallback read_callback, FLAC__StreamEncoderWriteCallback write_callback, FLAC__StreamEncoderSeekCallback seek_callback, FLAC__StreamEncoderTellCallback tell_callback, FLAC__StreamEncoderMetadataCallback metadata_callback, void *client_data);
  86207. /** Initialize the encoder instance to encode native FLAC files.
  86208. *
  86209. * This flavor of initialization sets up the encoder to encode to a
  86210. * plain native FLAC file. For non-stdio streams, you must use
  86211. * FLAC__stream_encoder_init_stream() and provide callbacks for the I/O.
  86212. *
  86213. * This function should be called after FLAC__stream_encoder_new() and
  86214. * FLAC__stream_encoder_set_*() but before FLAC__stream_encoder_process()
  86215. * or FLAC__stream_encoder_process_interleaved().
  86216. * initialization succeeded.
  86217. *
  86218. * \param encoder An uninitialized encoder instance.
  86219. * \param file An open file. The file should have been opened
  86220. * with mode \c "w+b" and rewound. The file
  86221. * becomes owned by the encoder and should not be
  86222. * manipulated by the client while encoding.
  86223. * Unless \a file is \c stdout, it will be closed
  86224. * when FLAC__stream_encoder_finish() is called.
  86225. * Note however that a proper SEEKTABLE cannot be
  86226. * created when encoding to \c stdout since it is
  86227. * not seekable.
  86228. * \param progress_callback See FLAC__StreamEncoderProgressCallback. This
  86229. * pointer may be \c NULL if the callback is not
  86230. * desired.
  86231. * \param client_data This value will be supplied to callbacks in their
  86232. * \a client_data argument.
  86233. * \assert
  86234. * \code encoder != NULL \endcode
  86235. * \code file != NULL \endcode
  86236. * \retval FLAC__StreamEncoderInitStatus
  86237. * \c FLAC__STREAM_ENCODER_INIT_STATUS_OK if initialization was successful;
  86238. * see FLAC__StreamEncoderInitStatus for the meanings of other return values.
  86239. */
  86240. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_FILE(FLAC__StreamEncoder *encoder, FILE *file, FLAC__StreamEncoderProgressCallback progress_callback, void *client_data);
  86241. /** Initialize the encoder instance to encode Ogg FLAC files.
  86242. *
  86243. * This flavor of initialization sets up the encoder to encode to a
  86244. * plain Ogg FLAC file. For non-stdio streams, you must use
  86245. * FLAC__stream_encoder_init_ogg_stream() and provide callbacks for the I/O.
  86246. *
  86247. * This function should be called after FLAC__stream_encoder_new() and
  86248. * FLAC__stream_encoder_set_*() but before FLAC__stream_encoder_process()
  86249. * or FLAC__stream_encoder_process_interleaved().
  86250. * initialization succeeded.
  86251. *
  86252. * \param encoder An uninitialized encoder instance.
  86253. * \param file An open file. The file should have been opened
  86254. * with mode \c "w+b" and rewound. The file
  86255. * becomes owned by the encoder and should not be
  86256. * manipulated by the client while encoding.
  86257. * Unless \a file is \c stdout, it will be closed
  86258. * when FLAC__stream_encoder_finish() is called.
  86259. * Note however that a proper SEEKTABLE cannot be
  86260. * created when encoding to \c stdout since it is
  86261. * not seekable.
  86262. * \param progress_callback See FLAC__StreamEncoderProgressCallback. This
  86263. * pointer may be \c NULL if the callback is not
  86264. * desired.
  86265. * \param client_data This value will be supplied to callbacks in their
  86266. * \a client_data argument.
  86267. * \assert
  86268. * \code encoder != NULL \endcode
  86269. * \code file != NULL \endcode
  86270. * \retval FLAC__StreamEncoderInitStatus
  86271. * \c FLAC__STREAM_ENCODER_INIT_STATUS_OK if initialization was successful;
  86272. * see FLAC__StreamEncoderInitStatus for the meanings of other return values.
  86273. */
  86274. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_ogg_FILE(FLAC__StreamEncoder *encoder, FILE *file, FLAC__StreamEncoderProgressCallback progress_callback, void *client_data);
  86275. /** Initialize the encoder instance to encode native FLAC files.
  86276. *
  86277. * This flavor of initialization sets up the encoder to encode to a plain
  86278. * FLAC file. If POSIX fopen() semantics are not sufficient (for example,
  86279. * with Unicode filenames on Windows), you must use
  86280. * FLAC__stream_encoder_init_FILE(), or FLAC__stream_encoder_init_stream()
  86281. * and provide callbacks for the I/O.
  86282. *
  86283. * This function should be called after FLAC__stream_encoder_new() and
  86284. * FLAC__stream_encoder_set_*() but before FLAC__stream_encoder_process()
  86285. * or FLAC__stream_encoder_process_interleaved().
  86286. * initialization succeeded.
  86287. *
  86288. * \param encoder An uninitialized encoder instance.
  86289. * \param filename The name of the file to encode to. The file will
  86290. * be opened with fopen(). Use \c NULL to encode to
  86291. * \c stdout. Note however that a proper SEEKTABLE
  86292. * cannot be created when encoding to \c stdout since
  86293. * it is not seekable.
  86294. * \param progress_callback See FLAC__StreamEncoderProgressCallback. This
  86295. * pointer may be \c NULL if the callback is not
  86296. * desired.
  86297. * \param client_data This value will be supplied to callbacks in their
  86298. * \a client_data argument.
  86299. * \assert
  86300. * \code encoder != NULL \endcode
  86301. * \retval FLAC__StreamEncoderInitStatus
  86302. * \c FLAC__STREAM_ENCODER_INIT_STATUS_OK if initialization was successful;
  86303. * see FLAC__StreamEncoderInitStatus for the meanings of other return values.
  86304. */
  86305. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_file(FLAC__StreamEncoder *encoder, const char *filename, FLAC__StreamEncoderProgressCallback progress_callback, void *client_data);
  86306. /** Initialize the encoder instance to encode Ogg FLAC files.
  86307. *
  86308. * This flavor of initialization sets up the encoder to encode to a plain
  86309. * Ogg FLAC file. If POSIX fopen() semantics are not sufficient (for example,
  86310. * with Unicode filenames on Windows), you must use
  86311. * FLAC__stream_encoder_init_ogg_FILE(), or FLAC__stream_encoder_init_ogg_stream()
  86312. * and provide callbacks for the I/O.
  86313. *
  86314. * This function should be called after FLAC__stream_encoder_new() and
  86315. * FLAC__stream_encoder_set_*() but before FLAC__stream_encoder_process()
  86316. * or FLAC__stream_encoder_process_interleaved().
  86317. * initialization succeeded.
  86318. *
  86319. * \param encoder An uninitialized encoder instance.
  86320. * \param filename The name of the file to encode to. The file will
  86321. * be opened with fopen(). Use \c NULL to encode to
  86322. * \c stdout. Note however that a proper SEEKTABLE
  86323. * cannot be created when encoding to \c stdout since
  86324. * it is not seekable.
  86325. * \param progress_callback See FLAC__StreamEncoderProgressCallback. This
  86326. * pointer may be \c NULL if the callback is not
  86327. * desired.
  86328. * \param client_data This value will be supplied to callbacks in their
  86329. * \a client_data argument.
  86330. * \assert
  86331. * \code encoder != NULL \endcode
  86332. * \retval FLAC__StreamEncoderInitStatus
  86333. * \c FLAC__STREAM_ENCODER_INIT_STATUS_OK if initialization was successful;
  86334. * see FLAC__StreamEncoderInitStatus for the meanings of other return values.
  86335. */
  86336. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_ogg_file(FLAC__StreamEncoder *encoder, const char *filename, FLAC__StreamEncoderProgressCallback progress_callback, void *client_data);
  86337. /** Finish the encoding process.
  86338. * Flushes the encoding buffer, releases resources, resets the encoder
  86339. * settings to their defaults, and returns the encoder state to
  86340. * FLAC__STREAM_ENCODER_UNINITIALIZED. Note that this can generate
  86341. * one or more write callbacks before returning, and will generate
  86342. * a metadata callback.
  86343. *
  86344. * Note that in the course of processing the last frame, errors can
  86345. * occur, so the caller should be sure to check the return value to
  86346. * ensure the file was encoded properly.
  86347. *
  86348. * In the event of a prematurely-terminated encode, it is not strictly
  86349. * necessary to call this immediately before FLAC__stream_encoder_delete()
  86350. * but it is good practice to match every FLAC__stream_encoder_init_*()
  86351. * with a FLAC__stream_encoder_finish().
  86352. *
  86353. * \param encoder An uninitialized encoder instance.
  86354. * \assert
  86355. * \code encoder != NULL \endcode
  86356. * \retval FLAC__bool
  86357. * \c false if an error occurred processing the last frame; or if verify
  86358. * mode is set (see FLAC__stream_encoder_set_verify()), there was a
  86359. * verify mismatch; else \c true. If \c false, caller should check the
  86360. * state with FLAC__stream_encoder_get_state() for more information
  86361. * about the error.
  86362. */
  86363. FLAC_API FLAC__bool FLAC__stream_encoder_finish(FLAC__StreamEncoder *encoder);
  86364. /** Submit data for encoding.
  86365. * This version allows you to supply the input data via an array of
  86366. * pointers, each pointer pointing to an array of \a samples samples
  86367. * representing one channel. The samples need not be block-aligned,
  86368. * but each channel should have the same number of samples. Each sample
  86369. * should be a signed integer, right-justified to the resolution set by
  86370. * FLAC__stream_encoder_set_bits_per_sample(). For example, if the
  86371. * resolution is 16 bits per sample, the samples should all be in the
  86372. * range [-32768,32767].
  86373. *
  86374. * For applications where channel order is important, channels must
  86375. * follow the order as described in the
  86376. * <A HREF="../format.html#frame_header">frame header</A>.
  86377. *
  86378. * \param encoder An initialized encoder instance in the OK state.
  86379. * \param buffer An array of pointers to each channel's signal.
  86380. * \param samples The number of samples in one channel.
  86381. * \assert
  86382. * \code encoder != NULL \endcode
  86383. * \code FLAC__stream_encoder_get_state(encoder) == FLAC__STREAM_ENCODER_OK \endcode
  86384. * \retval FLAC__bool
  86385. * \c true if successful, else \c false; in this case, check the
  86386. * encoder state with FLAC__stream_encoder_get_state() to see what
  86387. * went wrong.
  86388. */
  86389. FLAC_API FLAC__bool FLAC__stream_encoder_process(FLAC__StreamEncoder *encoder, const FLAC__int32 * const buffer[], unsigned samples);
  86390. /** Submit data for encoding.
  86391. * This version allows you to supply the input data where the channels
  86392. * are interleaved into a single array (i.e. channel0_sample0,
  86393. * channel1_sample0, ... , channelN_sample0, channel0_sample1, ...).
  86394. * The samples need not be block-aligned but they must be
  86395. * sample-aligned, i.e. the first value should be channel0_sample0
  86396. * and the last value channelN_sampleM. Each sample should be a signed
  86397. * integer, right-justified to the resolution set by
  86398. * FLAC__stream_encoder_set_bits_per_sample(). For example, if the
  86399. * resolution is 16 bits per sample, the samples should all be in the
  86400. * range [-32768,32767].
  86401. *
  86402. * For applications where channel order is important, channels must
  86403. * follow the order as described in the
  86404. * <A HREF="../format.html#frame_header">frame header</A>.
  86405. *
  86406. * \param encoder An initialized encoder instance in the OK state.
  86407. * \param buffer An array of channel-interleaved data (see above).
  86408. * \param samples The number of samples in one channel, the same as for
  86409. * FLAC__stream_encoder_process(). For example, if
  86410. * encoding two channels, \c 1000 \a samples corresponds
  86411. * to a \a buffer of 2000 values.
  86412. * \assert
  86413. * \code encoder != NULL \endcode
  86414. * \code FLAC__stream_encoder_get_state(encoder) == FLAC__STREAM_ENCODER_OK \endcode
  86415. * \retval FLAC__bool
  86416. * \c true if successful, else \c false; in this case, check the
  86417. * encoder state with FLAC__stream_encoder_get_state() to see what
  86418. * went wrong.
  86419. */
  86420. FLAC_API FLAC__bool FLAC__stream_encoder_process_interleaved(FLAC__StreamEncoder *encoder, const FLAC__int32 buffer[], unsigned samples);
  86421. /* \} */
  86422. #ifdef __cplusplus
  86423. }
  86424. #endif
  86425. #endif
  86426. /********* End of inlined file: stream_encoder.h *********/
  86427. #ifdef _MSC_VER
  86428. /* OPT: an MSVC built-in would be better */
  86429. static _inline FLAC__uint32 local_swap32_(FLAC__uint32 x)
  86430. {
  86431. x = ((x<<8)&0xFF00FF00) | ((x>>8)&0x00FF00FF);
  86432. return (x>>16) | (x<<16);
  86433. }
  86434. #endif
  86435. #if defined(_MSC_VER) && defined(_X86_)
  86436. /* OPT: an MSVC built-in would be better */
  86437. static void local_swap32_block_(FLAC__uint32 *start, FLAC__uint32 len)
  86438. {
  86439. __asm {
  86440. mov edx, start
  86441. mov ecx, len
  86442. test ecx, ecx
  86443. loop1:
  86444. jz done1
  86445. mov eax, [edx]
  86446. bswap eax
  86447. mov [edx], eax
  86448. add edx, 4
  86449. dec ecx
  86450. jmp short loop1
  86451. done1:
  86452. }
  86453. }
  86454. #endif
  86455. /** \mainpage
  86456. *
  86457. * \section intro Introduction
  86458. *
  86459. * This is the documentation for the FLAC C and C++ APIs. It is
  86460. * highly interconnected; this introduction should give you a top
  86461. * level idea of the structure and how to find the information you
  86462. * need. As a prerequisite you should have at least a basic
  86463. * knowledge of the FLAC format, documented
  86464. * <A HREF="../format.html">here</A>.
  86465. *
  86466. * \section c_api FLAC C API
  86467. *
  86468. * The FLAC C API is the interface to libFLAC, a set of structures
  86469. * describing the components of FLAC streams, and functions for
  86470. * encoding and decoding streams, as well as manipulating FLAC
  86471. * metadata in files. The public include files will be installed
  86472. * in your include area (for example /usr/include/FLAC/...).
  86473. *
  86474. * By writing a little code and linking against libFLAC, it is
  86475. * relatively easy to add FLAC support to another program. The
  86476. * library is licensed under <A HREF="../license.html">Xiph's BSD license</A>.
  86477. * Complete source code of libFLAC as well as the command-line
  86478. * encoder and plugins is available and is a useful source of
  86479. * examples.
  86480. *
  86481. * Aside from encoders and decoders, libFLAC provides a powerful
  86482. * metadata interface for manipulating metadata in FLAC files. It
  86483. * allows the user to add, delete, and modify FLAC metadata blocks
  86484. * and it can automatically take advantage of PADDING blocks to avoid
  86485. * rewriting the entire FLAC file when changing the size of the
  86486. * metadata.
  86487. *
  86488. * libFLAC usually only requires the standard C library and C math
  86489. * library. In particular, threading is not used so there is no
  86490. * dependency on a thread library. However, libFLAC does not use
  86491. * global variables and should be thread-safe.
  86492. *
  86493. * libFLAC also supports encoding to and decoding from Ogg FLAC.
  86494. * However the metadata editing interfaces currently have limited
  86495. * read-only support for Ogg FLAC files.
  86496. *
  86497. * \section cpp_api FLAC C++ API
  86498. *
  86499. * The FLAC C++ API is a set of classes that encapsulate the
  86500. * structures and functions in libFLAC. They provide slightly more
  86501. * functionality with respect to metadata but are otherwise
  86502. * equivalent. For the most part, they share the same usage as
  86503. * their counterparts in libFLAC, and the FLAC C API documentation
  86504. * can be used as a supplement. The public include files
  86505. * for the C++ API will be installed in your include area (for
  86506. * example /usr/include/FLAC++/...).
  86507. *
  86508. * libFLAC++ is also licensed under
  86509. * <A HREF="../license.html">Xiph's BSD license</A>.
  86510. *
  86511. * \section getting_started Getting Started
  86512. *
  86513. * A good starting point for learning the API is to browse through
  86514. * the <A HREF="modules.html">modules</A>. Modules are logical
  86515. * groupings of related functions or classes, which correspond roughly
  86516. * to header files or sections of header files. Each module includes a
  86517. * detailed description of the general usage of its functions or
  86518. * classes.
  86519. *
  86520. * From there you can go on to look at the documentation of
  86521. * individual functions. You can see different views of the individual
  86522. * functions through the links in top bar across this page.
  86523. *
  86524. * If you prefer a more hands-on approach, you can jump right to some
  86525. * <A HREF="../documentation_example_code.html">example code</A>.
  86526. *
  86527. * \section porting_guide Porting Guide
  86528. *
  86529. * Starting with FLAC 1.1.3 a \link porting Porting Guide \endlink
  86530. * has been introduced which gives detailed instructions on how to
  86531. * port your code to newer versions of FLAC.
  86532. *
  86533. * \section embedded_developers Embedded Developers
  86534. *
  86535. * libFLAC has grown larger over time as more functionality has been
  86536. * included, but much of it may be unnecessary for a particular embedded
  86537. * implementation. Unused parts may be pruned by some simple editing of
  86538. * src/libFLAC/Makefile.am. In general, the decoders, encoders, and
  86539. * metadata interface are all independent from each other.
  86540. *
  86541. * It is easiest to just describe the dependencies:
  86542. *
  86543. * - All modules depend on the \link flac_format Format \endlink module.
  86544. * - The decoders and encoders depend on the bitbuffer.
  86545. * - The decoder is independent of the encoder. The encoder uses the
  86546. * decoder because of the verify feature, but this can be removed if
  86547. * not needed.
  86548. * - Parts of the metadata interface require the stream decoder (but not
  86549. * the encoder).
  86550. * - Ogg support is selectable through the compile time macro
  86551. * \c FLAC__HAS_OGG.
  86552. *
  86553. * For example, if your application only requires the stream decoder, no
  86554. * encoder, and no metadata interface, you can remove the stream encoder
  86555. * and the metadata interface, which will greatly reduce the size of the
  86556. * library.
  86557. *
  86558. * Also, there are several places in the libFLAC code with comments marked
  86559. * with "OPT:" where a #define can be changed to enable code that might be
  86560. * faster on a specific platform. Experimenting with these can yield faster
  86561. * binaries.
  86562. */
  86563. /** \defgroup porting Porting Guide for New Versions
  86564. *
  86565. * This module describes differences in the library interfaces from
  86566. * version to version. It assists in the porting of code that uses
  86567. * the libraries to newer versions of FLAC.
  86568. *
  86569. * One simple facility for making porting easier that has been added
  86570. * in FLAC 1.1.3 is a set of \c #defines in \c export.h of each
  86571. * library's includes (e.g. \c include/FLAC/export.h). The
  86572. * \c #defines mirror the libraries'
  86573. * <A HREF="http://www.gnu.org/software/libtool/manual.html#Libtool-versioning">libtool version numbers</A>,
  86574. * e.g. in libFLAC there are \c FLAC_API_VERSION_CURRENT,
  86575. * \c FLAC_API_VERSION_REVISION, and \c FLAC_API_VERSION_AGE.
  86576. * These can be used to support multiple versions of an API during the
  86577. * transition phase, e.g.
  86578. *
  86579. * \code
  86580. * #if !defined(FLAC_API_VERSION_CURRENT) || FLAC_API_VERSION_CURRENT <= 7
  86581. * legacy code
  86582. * #else
  86583. * new code
  86584. * #endif
  86585. * \endcode
  86586. *
  86587. * The the source will work for multiple versions and the legacy code can
  86588. * easily be removed when the transition is complete.
  86589. *
  86590. * Another available symbol is FLAC_API_SUPPORTS_OGG_FLAC (defined in
  86591. * include/FLAC/export.h), which can be used to determine whether or not
  86592. * the library has been compiled with support for Ogg FLAC. This is
  86593. * simpler than trying to call an Ogg init function and catching the
  86594. * error.
  86595. */
  86596. /** \defgroup porting_1_1_2_to_1_1_3 Porting from FLAC 1.1.2 to 1.1.3
  86597. * \ingroup porting
  86598. *
  86599. * \brief
  86600. * This module describes porting from FLAC 1.1.2 to FLAC 1.1.3.
  86601. *
  86602. * The main change between the APIs in 1.1.2 and 1.1.3 is that they have
  86603. * been simplified. First, libOggFLAC has been merged into libFLAC and
  86604. * libOggFLAC++ has been merged into libFLAC++. Second, both the three
  86605. * decoding layers and three encoding layers have been merged into a
  86606. * single stream decoder and stream encoder. That is, the functionality
  86607. * of FLAC__SeekableStreamDecoder and FLAC__FileDecoder has been merged
  86608. * into FLAC__StreamDecoder, and FLAC__SeekableStreamEncoder and
  86609. * FLAC__FileEncoder into FLAC__StreamEncoder. Only the
  86610. * FLAC__StreamDecoder and FLAC__StreamEncoder remain. What this means
  86611. * is there is now a single API that can be used to encode or decode
  86612. * streams to/from native FLAC or Ogg FLAC and the single API can work
  86613. * on both seekable and non-seekable streams.
  86614. *
  86615. * Instead of creating an encoder or decoder of a certain layer, now the
  86616. * client will always create a FLAC__StreamEncoder or
  86617. * FLAC__StreamDecoder. The old layers are now differentiated by the
  86618. * initialization function. For example, for the decoder,
  86619. * FLAC__stream_decoder_init() has been replaced by
  86620. * FLAC__stream_decoder_init_stream(). This init function takes
  86621. * callbacks for the I/O, and the seeking callbacks are optional. This
  86622. * allows the client to use the same object for seekable and
  86623. * non-seekable streams. For decoding a FLAC file directly, the client
  86624. * can use FLAC__stream_decoder_init_file() and pass just a filename
  86625. * and fewer callbacks; most of the other callbacks are supplied
  86626. * internally. For situations where fopen()ing by filename is not
  86627. * possible (e.g. Unicode filenames on Windows) the client can instead
  86628. * open the file itself and supply the FILE* to
  86629. * FLAC__stream_decoder_init_FILE(). The init functions now returns a
  86630. * FLAC__StreamDecoderInitStatus instead of FLAC__StreamDecoderState.
  86631. * Since the callbacks and client data are now passed to the init
  86632. * function, the FLAC__stream_decoder_set_*_callback() functions and
  86633. * FLAC__stream_decoder_set_client_data() are no longer needed. The
  86634. * rest of the calls to the decoder are the same as before.
  86635. *
  86636. * There are counterpart init functions for Ogg FLAC, e.g.
  86637. * FLAC__stream_decoder_init_ogg_stream(). All the rest of the calls
  86638. * and callbacks are the same as for native FLAC.
  86639. *
  86640. * As an example, in FLAC 1.1.2 a seekable stream decoder would have
  86641. * been set up like so:
  86642. *
  86643. * \code
  86644. * FLAC__SeekableStreamDecoder *decoder = FLAC__seekable_stream_decoder_new();
  86645. * if(decoder == NULL) do_something;
  86646. * FLAC__seekable_stream_decoder_set_md5_checking(decoder, true);
  86647. * [... other settings ...]
  86648. * FLAC__seekable_stream_decoder_set_read_callback(decoder, my_read_callback);
  86649. * FLAC__seekable_stream_decoder_set_seek_callback(decoder, my_seek_callback);
  86650. * FLAC__seekable_stream_decoder_set_tell_callback(decoder, my_tell_callback);
  86651. * FLAC__seekable_stream_decoder_set_length_callback(decoder, my_length_callback);
  86652. * FLAC__seekable_stream_decoder_set_eof_callback(decoder, my_eof_callback);
  86653. * FLAC__seekable_stream_decoder_set_write_callback(decoder, my_write_callback);
  86654. * FLAC__seekable_stream_decoder_set_metadata_callback(decoder, my_metadata_callback);
  86655. * FLAC__seekable_stream_decoder_set_error_callback(decoder, my_error_callback);
  86656. * FLAC__seekable_stream_decoder_set_client_data(decoder, my_client_data);
  86657. * if(FLAC__seekable_stream_decoder_init(decoder) != FLAC__SEEKABLE_STREAM_DECODER_OK) do_something;
  86658. * \endcode
  86659. *
  86660. * In FLAC 1.1.3 it is like this:
  86661. *
  86662. * \code
  86663. * FLAC__StreamDecoder *decoder = FLAC__stream_decoder_new();
  86664. * if(decoder == NULL) do_something;
  86665. * FLAC__stream_decoder_set_md5_checking(decoder, true);
  86666. * [... other settings ...]
  86667. * if(FLAC__stream_decoder_init_stream(
  86668. * decoder,
  86669. * my_read_callback,
  86670. * my_seek_callback, // or NULL
  86671. * my_tell_callback, // or NULL
  86672. * my_length_callback, // or NULL
  86673. * my_eof_callback, // or NULL
  86674. * my_write_callback,
  86675. * my_metadata_callback, // or NULL
  86676. * my_error_callback,
  86677. * my_client_data
  86678. * ) != FLAC__STREAM_DECODER_INIT_STATUS_OK) do_something;
  86679. * \endcode
  86680. *
  86681. * or you could do;
  86682. *
  86683. * \code
  86684. * [...]
  86685. * FILE *file = fopen("somefile.flac","rb");
  86686. * if(file == NULL) do_somthing;
  86687. * if(FLAC__stream_decoder_init_FILE(
  86688. * decoder,
  86689. * file,
  86690. * my_write_callback,
  86691. * my_metadata_callback, // or NULL
  86692. * my_error_callback,
  86693. * my_client_data
  86694. * ) != FLAC__STREAM_DECODER_INIT_STATUS_OK) do_something;
  86695. * \endcode
  86696. *
  86697. * or just:
  86698. *
  86699. * \code
  86700. * [...]
  86701. * if(FLAC__stream_decoder_init_file(
  86702. * decoder,
  86703. * "somefile.flac",
  86704. * my_write_callback,
  86705. * my_metadata_callback, // or NULL
  86706. * my_error_callback,
  86707. * my_client_data
  86708. * ) != FLAC__STREAM_DECODER_INIT_STATUS_OK) do_something;
  86709. * \endcode
  86710. *
  86711. * Another small change to the decoder is in how it handles unparseable
  86712. * streams. Before, when the decoder found an unparseable stream
  86713. * (reserved for when the decoder encounters a stream from a future
  86714. * encoder that it can't parse), it changed the state to
  86715. * \c FLAC__STREAM_DECODER_UNPARSEABLE_STREAM. Now the decoder instead
  86716. * drops sync and calls the error callback with a new error code
  86717. * \c FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM. This is
  86718. * more robust. If your error callback does not discriminate on the the
  86719. * error state, your code does not need to be changed.
  86720. *
  86721. * The encoder now has a new setting:
  86722. * FLAC__stream_encoder_set_apodization(). This is for setting the
  86723. * method used to window the data before LPC analysis. You only need to
  86724. * add a call to this function if the default is not suitable. There
  86725. * are also two new convenience functions that may be useful:
  86726. * FLAC__metadata_object_cuesheet_calculate_cddb_id() and
  86727. * FLAC__metadata_get_cuesheet().
  86728. *
  86729. * The \a bytes parameter to FLAC__StreamDecoderReadCallback,
  86730. * FLAC__StreamEncoderReadCallback, and FLAC__StreamEncoderWriteCallback
  86731. * is now \c size_t instead of \c unsigned.
  86732. */
  86733. /** \defgroup porting_1_1_3_to_1_1_4 Porting from FLAC 1.1.3 to 1.1.4
  86734. * \ingroup porting
  86735. *
  86736. * \brief
  86737. * This module describes porting from FLAC 1.1.3 to FLAC 1.1.4.
  86738. *
  86739. * There were no changes to any of the interfaces from 1.1.3 to 1.1.4.
  86740. * There was a slight change in the implementation of
  86741. * FLAC__stream_encoder_set_metadata(); the function now makes a copy
  86742. * of the \a metadata array of pointers so the client no longer needs
  86743. * to maintain it after the call. The objects themselves that are
  86744. * pointed to by the array are still not copied though and must be
  86745. * maintained until the call to FLAC__stream_encoder_finish().
  86746. */
  86747. /** \defgroup porting_1_1_4_to_1_2_0 Porting from FLAC 1.1.4 to 1.2.0
  86748. * \ingroup porting
  86749. *
  86750. * \brief
  86751. * This module describes porting from FLAC 1.1.4 to FLAC 1.2.0.
  86752. *
  86753. * There were only very minor changes to the interfaces from 1.1.4 to 1.2.0.
  86754. * In libFLAC, \c FLAC__format_sample_rate_is_subset() was added.
  86755. * In libFLAC++, \c FLAC::Decoder::Stream::get_decode_position() was added.
  86756. *
  86757. * Finally, value of the constant \c FLAC__FRAME_HEADER_RESERVED_LEN
  86758. * has changed to reflect the conversion of one of the reserved bits
  86759. * into active use. It used to be \c 2 and now is \c 1. However the
  86760. * FLAC frame header length has not changed, so to skip the proper
  86761. * number of bits, use \c FLAC__FRAME_HEADER_RESERVED_LEN +
  86762. * \c FLAC__FRAME_HEADER_BLOCKING_STRATEGY_LEN
  86763. */
  86764. /** \defgroup flac FLAC C API
  86765. *
  86766. * The FLAC C API is the interface to libFLAC, a set of structures
  86767. * describing the components of FLAC streams, and functions for
  86768. * encoding and decoding streams, as well as manipulating FLAC
  86769. * metadata in files.
  86770. *
  86771. * You should start with the format components as all other modules
  86772. * are dependent on it.
  86773. */
  86774. #endif
  86775. /********* End of inlined file: all.h *********/
  86776. /********* Start of inlined file: bitmath.c *********/
  86777. /********* Start of inlined file: juce_FlacHeader.h *********/
  86778. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  86779. // tasks..
  86780. #define VERSION "1.2.1"
  86781. #define FLAC__NO_DLL 1
  86782. #ifdef _MSC_VER
  86783. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  86784. #endif
  86785. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  86786. #define FLAC__SYS_DARWIN 1
  86787. #endif
  86788. /********* End of inlined file: juce_FlacHeader.h *********/
  86789. #if JUCE_USE_FLAC
  86790. #if HAVE_CONFIG_H
  86791. # include <config.h>
  86792. #endif
  86793. /********* Start of inlined file: bitmath.h *********/
  86794. #ifndef FLAC__PRIVATE__BITMATH_H
  86795. #define FLAC__PRIVATE__BITMATH_H
  86796. unsigned FLAC__bitmath_ilog2(FLAC__uint32 v);
  86797. unsigned FLAC__bitmath_ilog2_wide(FLAC__uint64 v);
  86798. unsigned FLAC__bitmath_silog2(int v);
  86799. unsigned FLAC__bitmath_silog2_wide(FLAC__int64 v);
  86800. #endif
  86801. /********* End of inlined file: bitmath.h *********/
  86802. /* An example of what FLAC__bitmath_ilog2() computes:
  86803. *
  86804. * ilog2( 0) = assertion failure
  86805. * ilog2( 1) = 0
  86806. * ilog2( 2) = 1
  86807. * ilog2( 3) = 1
  86808. * ilog2( 4) = 2
  86809. * ilog2( 5) = 2
  86810. * ilog2( 6) = 2
  86811. * ilog2( 7) = 2
  86812. * ilog2( 8) = 3
  86813. * ilog2( 9) = 3
  86814. * ilog2(10) = 3
  86815. * ilog2(11) = 3
  86816. * ilog2(12) = 3
  86817. * ilog2(13) = 3
  86818. * ilog2(14) = 3
  86819. * ilog2(15) = 3
  86820. * ilog2(16) = 4
  86821. * ilog2(17) = 4
  86822. * ilog2(18) = 4
  86823. */
  86824. unsigned FLAC__bitmath_ilog2(FLAC__uint32 v)
  86825. {
  86826. unsigned l = 0;
  86827. FLAC__ASSERT(v > 0);
  86828. while(v >>= 1)
  86829. l++;
  86830. return l;
  86831. }
  86832. unsigned FLAC__bitmath_ilog2_wide(FLAC__uint64 v)
  86833. {
  86834. unsigned l = 0;
  86835. FLAC__ASSERT(v > 0);
  86836. while(v >>= 1)
  86837. l++;
  86838. return l;
  86839. }
  86840. /* An example of what FLAC__bitmath_silog2() computes:
  86841. *
  86842. * silog2(-10) = 5
  86843. * silog2(- 9) = 5
  86844. * silog2(- 8) = 4
  86845. * silog2(- 7) = 4
  86846. * silog2(- 6) = 4
  86847. * silog2(- 5) = 4
  86848. * silog2(- 4) = 3
  86849. * silog2(- 3) = 3
  86850. * silog2(- 2) = 2
  86851. * silog2(- 1) = 2
  86852. * silog2( 0) = 0
  86853. * silog2( 1) = 2
  86854. * silog2( 2) = 3
  86855. * silog2( 3) = 3
  86856. * silog2( 4) = 4
  86857. * silog2( 5) = 4
  86858. * silog2( 6) = 4
  86859. * silog2( 7) = 4
  86860. * silog2( 8) = 5
  86861. * silog2( 9) = 5
  86862. * silog2( 10) = 5
  86863. */
  86864. unsigned FLAC__bitmath_silog2(int v)
  86865. {
  86866. while(1) {
  86867. if(v == 0) {
  86868. return 0;
  86869. }
  86870. else if(v > 0) {
  86871. unsigned l = 0;
  86872. while(v) {
  86873. l++;
  86874. v >>= 1;
  86875. }
  86876. return l+1;
  86877. }
  86878. else if(v == -1) {
  86879. return 2;
  86880. }
  86881. else {
  86882. v++;
  86883. v = -v;
  86884. }
  86885. }
  86886. }
  86887. unsigned FLAC__bitmath_silog2_wide(FLAC__int64 v)
  86888. {
  86889. while(1) {
  86890. if(v == 0) {
  86891. return 0;
  86892. }
  86893. else if(v > 0) {
  86894. unsigned l = 0;
  86895. while(v) {
  86896. l++;
  86897. v >>= 1;
  86898. }
  86899. return l+1;
  86900. }
  86901. else if(v == -1) {
  86902. return 2;
  86903. }
  86904. else {
  86905. v++;
  86906. v = -v;
  86907. }
  86908. }
  86909. }
  86910. #endif
  86911. /********* End of inlined file: bitmath.c *********/
  86912. /********* Start of inlined file: bitreader.c *********/
  86913. /********* Start of inlined file: juce_FlacHeader.h *********/
  86914. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  86915. // tasks..
  86916. #define VERSION "1.2.1"
  86917. #define FLAC__NO_DLL 1
  86918. #ifdef _MSC_VER
  86919. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  86920. #endif
  86921. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  86922. #define FLAC__SYS_DARWIN 1
  86923. #endif
  86924. /********* End of inlined file: juce_FlacHeader.h *********/
  86925. #if JUCE_USE_FLAC
  86926. #if HAVE_CONFIG_H
  86927. # include <config.h>
  86928. #endif
  86929. #include <stdlib.h> /* for malloc() */
  86930. #include <string.h> /* for memcpy(), memset() */
  86931. #ifdef _MSC_VER
  86932. #include <winsock.h> /* for ntohl() */
  86933. #elif defined FLAC__SYS_DARWIN
  86934. #include <machine/endian.h> /* for ntohl() */
  86935. #elif defined __MINGW32__
  86936. #include <winsock.h> /* for ntohl() */
  86937. #else
  86938. #include <netinet/in.h> /* for ntohl() */
  86939. #endif
  86940. /********* Start of inlined file: bitreader.h *********/
  86941. #ifndef FLAC__PRIVATE__BITREADER_H
  86942. #define FLAC__PRIVATE__BITREADER_H
  86943. #include <stdio.h> /* for FILE */
  86944. /********* Start of inlined file: cpu.h *********/
  86945. #ifndef FLAC__PRIVATE__CPU_H
  86946. #define FLAC__PRIVATE__CPU_H
  86947. #ifdef HAVE_CONFIG_H
  86948. #include <config.h>
  86949. #endif
  86950. typedef enum {
  86951. FLAC__CPUINFO_TYPE_IA32,
  86952. FLAC__CPUINFO_TYPE_PPC,
  86953. FLAC__CPUINFO_TYPE_UNKNOWN
  86954. } FLAC__CPUInfo_Type;
  86955. typedef struct {
  86956. FLAC__bool cpuid;
  86957. FLAC__bool bswap;
  86958. FLAC__bool cmov;
  86959. FLAC__bool mmx;
  86960. FLAC__bool fxsr;
  86961. FLAC__bool sse;
  86962. FLAC__bool sse2;
  86963. FLAC__bool sse3;
  86964. FLAC__bool ssse3;
  86965. FLAC__bool _3dnow;
  86966. FLAC__bool ext3dnow;
  86967. FLAC__bool extmmx;
  86968. } FLAC__CPUInfo_IA32;
  86969. typedef struct {
  86970. FLAC__bool altivec;
  86971. FLAC__bool ppc64;
  86972. } FLAC__CPUInfo_PPC;
  86973. typedef struct {
  86974. FLAC__bool use_asm;
  86975. FLAC__CPUInfo_Type type;
  86976. union {
  86977. FLAC__CPUInfo_IA32 ia32;
  86978. FLAC__CPUInfo_PPC ppc;
  86979. } data;
  86980. } FLAC__CPUInfo;
  86981. void FLAC__cpu_info(FLAC__CPUInfo *info);
  86982. #ifndef FLAC__NO_ASM
  86983. #ifdef FLAC__CPU_IA32
  86984. #ifdef FLAC__HAS_NASM
  86985. FLAC__uint32 FLAC__cpu_have_cpuid_asm_ia32(void);
  86986. void FLAC__cpu_info_asm_ia32(FLAC__uint32 *flags_edx, FLAC__uint32 *flags_ecx);
  86987. FLAC__uint32 FLAC__cpu_info_extended_amd_asm_ia32(void);
  86988. #endif
  86989. #endif
  86990. #endif
  86991. #endif
  86992. /********* End of inlined file: cpu.h *********/
  86993. /*
  86994. * opaque structure definition
  86995. */
  86996. struct FLAC__BitReader;
  86997. typedef struct FLAC__BitReader FLAC__BitReader;
  86998. typedef FLAC__bool (*FLAC__BitReaderReadCallback)(FLAC__byte buffer[], size_t *bytes, void *client_data);
  86999. /*
  87000. * construction, deletion, initialization, etc functions
  87001. */
  87002. FLAC__BitReader *FLAC__bitreader_new(void);
  87003. void FLAC__bitreader_delete(FLAC__BitReader *br);
  87004. FLAC__bool FLAC__bitreader_init(FLAC__BitReader *br, FLAC__CPUInfo cpu, FLAC__BitReaderReadCallback rcb, void *cd);
  87005. void FLAC__bitreader_free(FLAC__BitReader *br); /* does not 'free(br)' */
  87006. FLAC__bool FLAC__bitreader_clear(FLAC__BitReader *br);
  87007. void FLAC__bitreader_dump(const FLAC__BitReader *br, FILE *out);
  87008. /*
  87009. * CRC functions
  87010. */
  87011. void FLAC__bitreader_reset_read_crc16(FLAC__BitReader *br, FLAC__uint16 seed);
  87012. FLAC__uint16 FLAC__bitreader_get_read_crc16(FLAC__BitReader *br);
  87013. /*
  87014. * info functions
  87015. */
  87016. FLAC__bool FLAC__bitreader_is_consumed_byte_aligned(const FLAC__BitReader *br);
  87017. unsigned FLAC__bitreader_bits_left_for_byte_alignment(const FLAC__BitReader *br);
  87018. unsigned FLAC__bitreader_get_input_bits_unconsumed(const FLAC__BitReader *br);
  87019. /*
  87020. * read functions
  87021. */
  87022. FLAC__bool FLAC__bitreader_read_raw_uint32(FLAC__BitReader *br, FLAC__uint32 *val, unsigned bits);
  87023. FLAC__bool FLAC__bitreader_read_raw_int32(FLAC__BitReader *br, FLAC__int32 *val, unsigned bits);
  87024. FLAC__bool FLAC__bitreader_read_raw_uint64(FLAC__BitReader *br, FLAC__uint64 *val, unsigned bits);
  87025. FLAC__bool FLAC__bitreader_read_uint32_little_endian(FLAC__BitReader *br, FLAC__uint32 *val); /*only for bits=32*/
  87026. FLAC__bool FLAC__bitreader_skip_bits_no_crc(FLAC__BitReader *br, unsigned bits); /* WATCHOUT: does not CRC the skipped data! */ /*@@@@ add to unit tests */
  87027. FLAC__bool FLAC__bitreader_skip_byte_block_aligned_no_crc(FLAC__BitReader *br, unsigned nvals); /* WATCHOUT: does not CRC the read data! */
  87028. FLAC__bool FLAC__bitreader_read_byte_block_aligned_no_crc(FLAC__BitReader *br, FLAC__byte *val, unsigned nvals); /* WATCHOUT: does not CRC the read data! */
  87029. FLAC__bool FLAC__bitreader_read_unary_unsigned(FLAC__BitReader *br, unsigned *val);
  87030. FLAC__bool FLAC__bitreader_read_rice_signed(FLAC__BitReader *br, int *val, unsigned parameter);
  87031. FLAC__bool FLAC__bitreader_read_rice_signed_block(FLAC__BitReader *br, int vals[], unsigned nvals, unsigned parameter);
  87032. #ifndef FLAC__NO_ASM
  87033. # ifdef FLAC__CPU_IA32
  87034. # ifdef FLAC__HAS_NASM
  87035. FLAC__bool FLAC__bitreader_read_rice_signed_block_asm_ia32_bswap(FLAC__BitReader *br, int vals[], unsigned nvals, unsigned parameter);
  87036. # endif
  87037. # endif
  87038. #endif
  87039. #if 0 /* UNUSED */
  87040. FLAC__bool FLAC__bitreader_read_golomb_signed(FLAC__BitReader *br, int *val, unsigned parameter);
  87041. FLAC__bool FLAC__bitreader_read_golomb_unsigned(FLAC__BitReader *br, unsigned *val, unsigned parameter);
  87042. #endif
  87043. FLAC__bool FLAC__bitreader_read_utf8_uint32(FLAC__BitReader *br, FLAC__uint32 *val, FLAC__byte *raw, unsigned *rawlen);
  87044. FLAC__bool FLAC__bitreader_read_utf8_uint64(FLAC__BitReader *br, FLAC__uint64 *val, FLAC__byte *raw, unsigned *rawlen);
  87045. FLAC__bool bitreader_read_from_client_(FLAC__BitReader *br);
  87046. #endif
  87047. /********* End of inlined file: bitreader.h *********/
  87048. /********* Start of inlined file: crc.h *********/
  87049. #ifndef FLAC__PRIVATE__CRC_H
  87050. #define FLAC__PRIVATE__CRC_H
  87051. /* 8 bit CRC generator, MSB shifted first
  87052. ** polynomial = x^8 + x^2 + x^1 + x^0
  87053. ** init = 0
  87054. */
  87055. extern FLAC__byte const FLAC__crc8_table[256];
  87056. #define FLAC__CRC8_UPDATE(data, crc) (crc) = FLAC__crc8_table[(crc) ^ (data)];
  87057. void FLAC__crc8_update(const FLAC__byte data, FLAC__uint8 *crc);
  87058. void FLAC__crc8_update_block(const FLAC__byte *data, unsigned len, FLAC__uint8 *crc);
  87059. FLAC__uint8 FLAC__crc8(const FLAC__byte *data, unsigned len);
  87060. /* 16 bit CRC generator, MSB shifted first
  87061. ** polynomial = x^16 + x^15 + x^2 + x^0
  87062. ** init = 0
  87063. */
  87064. extern unsigned FLAC__crc16_table[256];
  87065. #define FLAC__CRC16_UPDATE(data, crc) (((((crc)<<8) & 0xffff) ^ FLAC__crc16_table[((crc)>>8) ^ (data)]))
  87066. /* this alternate may be faster on some systems/compilers */
  87067. #if 0
  87068. #define FLAC__CRC16_UPDATE(data, crc) ((((crc)<<8) ^ FLAC__crc16_table[((crc)>>8) ^ (data)]) & 0xffff)
  87069. #endif
  87070. unsigned FLAC__crc16(const FLAC__byte *data, unsigned len);
  87071. #endif
  87072. /********* End of inlined file: crc.h *********/
  87073. /* Things should be fastest when this matches the machine word size */
  87074. /* WATCHOUT: if you change this you must also change the following #defines down to COUNT_ZERO_MSBS below to match */
  87075. /* WATCHOUT: there are a few places where the code will not work unless brword is >= 32 bits wide */
  87076. /* also, some sections currently only have fast versions for 4 or 8 bytes per word */
  87077. typedef FLAC__uint32 brword;
  87078. #define FLAC__BYTES_PER_WORD 4
  87079. #define FLAC__BITS_PER_WORD 32
  87080. #define FLAC__WORD_ALL_ONES ((FLAC__uint32)0xffffffff)
  87081. /* SWAP_BE_WORD_TO_HOST swaps bytes in a brword (which is always big-endian) if necessary to match host byte order */
  87082. #if WORDS_BIGENDIAN
  87083. #define SWAP_BE_WORD_TO_HOST(x) (x)
  87084. #else
  87085. #if defined (_MSC_VER) && defined (_X86_)
  87086. #define SWAP_BE_WORD_TO_HOST(x) local_swap32_(x)
  87087. #else
  87088. #define SWAP_BE_WORD_TO_HOST(x) ntohl(x)
  87089. #endif
  87090. #endif
  87091. /* counts the # of zero MSBs in a word */
  87092. #define COUNT_ZERO_MSBS(word) ( \
  87093. (word) <= 0xffff ? \
  87094. ( (word) <= 0xff? byte_to_unary_table[word] + 24 : byte_to_unary_table[(word) >> 8] + 16 ) : \
  87095. ( (word) <= 0xffffff? byte_to_unary_table[word >> 16] + 8 : byte_to_unary_table[(word) >> 24] ) \
  87096. )
  87097. /* this alternate might be slightly faster on some systems/compilers: */
  87098. #define COUNT_ZERO_MSBS2(word) ( (word) <= 0xff ? byte_to_unary_table[word] + 24 : ((word) <= 0xffff ? byte_to_unary_table[(word) >> 8] + 16 : ((word) <= 0xffffff ? byte_to_unary_table[(word) >> 16] + 8 : byte_to_unary_table[(word) >> 24])) )
  87099. /*
  87100. * This should be at least twice as large as the largest number of words
  87101. * required to represent any 'number' (in any encoding) you are going to
  87102. * read. With FLAC this is on the order of maybe a few hundred bits.
  87103. * If the buffer is smaller than that, the decoder won't be able to read
  87104. * in a whole number that is in a variable length encoding (e.g. Rice).
  87105. * But to be practical it should be at least 1K bytes.
  87106. *
  87107. * Increase this number to decrease the number of read callbacks, at the
  87108. * expense of using more memory. Or decrease for the reverse effect,
  87109. * keeping in mind the limit from the first paragraph. The optimal size
  87110. * also depends on the CPU cache size and other factors; some twiddling
  87111. * may be necessary to squeeze out the best performance.
  87112. */
  87113. static const unsigned FLAC__BITREADER_DEFAULT_CAPACITY = 65536u / FLAC__BITS_PER_WORD; /* in words */
  87114. static const unsigned char byte_to_unary_table[] = {
  87115. 8, 7, 6, 6, 5, 5, 5, 5, 4, 4, 4, 4, 4, 4, 4, 4,
  87116. 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3,
  87117. 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2,
  87118. 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2,
  87119. 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
  87120. 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
  87121. 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
  87122. 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
  87123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  87124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  87125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  87126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  87127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  87128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  87129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  87130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0
  87131. };
  87132. #ifdef min
  87133. #undef min
  87134. #endif
  87135. #define min(x,y) ((x)<(y)?(x):(y))
  87136. #ifdef max
  87137. #undef max
  87138. #endif
  87139. #define max(x,y) ((x)>(y)?(x):(y))
  87140. /* adjust for compilers that can't understand using LLU suffix for uint64_t literals */
  87141. #ifdef _MSC_VER
  87142. #define FLAC__U64L(x) x
  87143. #else
  87144. #define FLAC__U64L(x) x##LLU
  87145. #endif
  87146. #ifndef FLaC__INLINE
  87147. #define FLaC__INLINE
  87148. #endif
  87149. /* WATCHOUT: assembly routines rely on the order in which these fields are declared */
  87150. struct FLAC__BitReader {
  87151. /* any partially-consumed word at the head will stay right-justified as bits are consumed from the left */
  87152. /* any incomplete word at the tail will be left-justified, and bytes from the read callback are added on the right */
  87153. brword *buffer;
  87154. unsigned capacity; /* in words */
  87155. unsigned words; /* # of completed words in buffer */
  87156. unsigned bytes; /* # of bytes in incomplete word at buffer[words] */
  87157. unsigned consumed_words; /* #words ... */
  87158. unsigned consumed_bits; /* ... + (#bits of head word) already consumed from the front of buffer */
  87159. unsigned read_crc16; /* the running frame CRC */
  87160. unsigned crc16_align; /* the number of bits in the current consumed word that should not be CRC'd */
  87161. FLAC__BitReaderReadCallback read_callback;
  87162. void *client_data;
  87163. FLAC__CPUInfo cpu_info;
  87164. };
  87165. static FLaC__INLINE void crc16_update_word_(FLAC__BitReader *br, brword word)
  87166. {
  87167. register unsigned crc = br->read_crc16;
  87168. #if FLAC__BYTES_PER_WORD == 4
  87169. switch(br->crc16_align) {
  87170. case 0: crc = FLAC__CRC16_UPDATE((unsigned)(word >> 24), crc);
  87171. case 8: crc = FLAC__CRC16_UPDATE((unsigned)((word >> 16) & 0xff), crc);
  87172. case 16: crc = FLAC__CRC16_UPDATE((unsigned)((word >> 8) & 0xff), crc);
  87173. case 24: br->read_crc16 = FLAC__CRC16_UPDATE((unsigned)(word & 0xff), crc);
  87174. }
  87175. #elif FLAC__BYTES_PER_WORD == 8
  87176. switch(br->crc16_align) {
  87177. case 0: crc = FLAC__CRC16_UPDATE((unsigned)(word >> 56), crc);
  87178. case 8: crc = FLAC__CRC16_UPDATE((unsigned)((word >> 48) & 0xff), crc);
  87179. case 16: crc = FLAC__CRC16_UPDATE((unsigned)((word >> 40) & 0xff), crc);
  87180. case 24: crc = FLAC__CRC16_UPDATE((unsigned)((word >> 32) & 0xff), crc);
  87181. case 32: crc = FLAC__CRC16_UPDATE((unsigned)((word >> 24) & 0xff), crc);
  87182. case 40: crc = FLAC__CRC16_UPDATE((unsigned)((word >> 16) & 0xff), crc);
  87183. case 48: crc = FLAC__CRC16_UPDATE((unsigned)((word >> 8) & 0xff), crc);
  87184. case 56: br->read_crc16 = FLAC__CRC16_UPDATE((unsigned)(word & 0xff), crc);
  87185. }
  87186. #else
  87187. for( ; br->crc16_align < FLAC__BITS_PER_WORD; br->crc16_align += 8)
  87188. crc = FLAC__CRC16_UPDATE((unsigned)((word >> (FLAC__BITS_PER_WORD-8-br->crc16_align)) & 0xff), crc);
  87189. br->read_crc16 = crc;
  87190. #endif
  87191. br->crc16_align = 0;
  87192. }
  87193. /* would be static except it needs to be called by asm routines */
  87194. FLAC__bool bitreader_read_from_client_(FLAC__BitReader *br)
  87195. {
  87196. unsigned start, end;
  87197. size_t bytes;
  87198. FLAC__byte *target;
  87199. /* first shift the unconsumed buffer data toward the front as much as possible */
  87200. if(br->consumed_words > 0) {
  87201. start = br->consumed_words;
  87202. end = br->words + (br->bytes? 1:0);
  87203. memmove(br->buffer, br->buffer+start, FLAC__BYTES_PER_WORD * (end - start));
  87204. br->words -= start;
  87205. br->consumed_words = 0;
  87206. }
  87207. /*
  87208. * set the target for reading, taking into account word alignment and endianness
  87209. */
  87210. bytes = (br->capacity - br->words) * FLAC__BYTES_PER_WORD - br->bytes;
  87211. if(bytes == 0)
  87212. return false; /* no space left, buffer is too small; see note for FLAC__BITREADER_DEFAULT_CAPACITY */
  87213. target = ((FLAC__byte*)(br->buffer+br->words)) + br->bytes;
  87214. /* before reading, if the existing reader looks like this (say brword is 32 bits wide)
  87215. * bitstream : 11 22 33 44 55 br->words=1 br->bytes=1 (partial tail word is left-justified)
  87216. * buffer[BE]: 11 22 33 44 55 ?? ?? ?? (shown layed out as bytes sequentially in memory)
  87217. * buffer[LE]: 44 33 22 11 ?? ?? ?? 55 (?? being don't-care)
  87218. * ^^-------target, bytes=3
  87219. * on LE machines, have to byteswap the odd tail word so nothing is
  87220. * overwritten:
  87221. */
  87222. #if WORDS_BIGENDIAN
  87223. #else
  87224. if(br->bytes)
  87225. br->buffer[br->words] = SWAP_BE_WORD_TO_HOST(br->buffer[br->words]);
  87226. #endif
  87227. /* now it looks like:
  87228. * bitstream : 11 22 33 44 55 br->words=1 br->bytes=1
  87229. * buffer[BE]: 11 22 33 44 55 ?? ?? ??
  87230. * buffer[LE]: 44 33 22 11 55 ?? ?? ??
  87231. * ^^-------target, bytes=3
  87232. */
  87233. /* read in the data; note that the callback may return a smaller number of bytes */
  87234. if(!br->read_callback(target, &bytes, br->client_data))
  87235. return false;
  87236. /* after reading bytes 66 77 88 99 AA BB CC DD EE FF from the client:
  87237. * bitstream : 11 22 33 44 55 66 77 88 99 AA BB CC DD EE FF
  87238. * buffer[BE]: 11 22 33 44 55 66 77 88 99 AA BB CC DD EE FF ??
  87239. * buffer[LE]: 44 33 22 11 55 66 77 88 99 AA BB CC DD EE FF ??
  87240. * now have to byteswap on LE machines:
  87241. */
  87242. #if WORDS_BIGENDIAN
  87243. #else
  87244. end = (br->words*FLAC__BYTES_PER_WORD + br->bytes + bytes + (FLAC__BYTES_PER_WORD-1)) / FLAC__BYTES_PER_WORD;
  87245. # if defined(_MSC_VER) && defined (_X86_) && (FLAC__BYTES_PER_WORD == 4)
  87246. if(br->cpu_info.type == FLAC__CPUINFO_TYPE_IA32 && br->cpu_info.data.ia32.bswap) {
  87247. start = br->words;
  87248. local_swap32_block_(br->buffer + start, end - start);
  87249. }
  87250. else
  87251. # endif
  87252. for(start = br->words; start < end; start++)
  87253. br->buffer[start] = SWAP_BE_WORD_TO_HOST(br->buffer[start]);
  87254. #endif
  87255. /* now it looks like:
  87256. * bitstream : 11 22 33 44 55 66 77 88 99 AA BB CC DD EE FF
  87257. * buffer[BE]: 11 22 33 44 55 66 77 88 99 AA BB CC DD EE FF ??
  87258. * buffer[LE]: 44 33 22 11 88 77 66 55 CC BB AA 99 ?? FF EE DD
  87259. * finally we'll update the reader values:
  87260. */
  87261. end = br->words*FLAC__BYTES_PER_WORD + br->bytes + bytes;
  87262. br->words = end / FLAC__BYTES_PER_WORD;
  87263. br->bytes = end % FLAC__BYTES_PER_WORD;
  87264. return true;
  87265. }
  87266. /***********************************************************************
  87267. *
  87268. * Class constructor/destructor
  87269. *
  87270. ***********************************************************************/
  87271. FLAC__BitReader *FLAC__bitreader_new(void)
  87272. {
  87273. FLAC__BitReader *br = (FLAC__BitReader*)calloc(1, sizeof(FLAC__BitReader));
  87274. /* calloc() implies:
  87275. memset(br, 0, sizeof(FLAC__BitReader));
  87276. br->buffer = 0;
  87277. br->capacity = 0;
  87278. br->words = br->bytes = 0;
  87279. br->consumed_words = br->consumed_bits = 0;
  87280. br->read_callback = 0;
  87281. br->client_data = 0;
  87282. */
  87283. return br;
  87284. }
  87285. void FLAC__bitreader_delete(FLAC__BitReader *br)
  87286. {
  87287. FLAC__ASSERT(0 != br);
  87288. FLAC__bitreader_free(br);
  87289. free(br);
  87290. }
  87291. /***********************************************************************
  87292. *
  87293. * Public class methods
  87294. *
  87295. ***********************************************************************/
  87296. FLAC__bool FLAC__bitreader_init(FLAC__BitReader *br, FLAC__CPUInfo cpu, FLAC__BitReaderReadCallback rcb, void *cd)
  87297. {
  87298. FLAC__ASSERT(0 != br);
  87299. br->words = br->bytes = 0;
  87300. br->consumed_words = br->consumed_bits = 0;
  87301. br->capacity = FLAC__BITREADER_DEFAULT_CAPACITY;
  87302. br->buffer = (brword*)malloc(sizeof(brword) * br->capacity);
  87303. if(br->buffer == 0)
  87304. return false;
  87305. br->read_callback = rcb;
  87306. br->client_data = cd;
  87307. br->cpu_info = cpu;
  87308. return true;
  87309. }
  87310. void FLAC__bitreader_free(FLAC__BitReader *br)
  87311. {
  87312. FLAC__ASSERT(0 != br);
  87313. if(0 != br->buffer)
  87314. free(br->buffer);
  87315. br->buffer = 0;
  87316. br->capacity = 0;
  87317. br->words = br->bytes = 0;
  87318. br->consumed_words = br->consumed_bits = 0;
  87319. br->read_callback = 0;
  87320. br->client_data = 0;
  87321. }
  87322. FLAC__bool FLAC__bitreader_clear(FLAC__BitReader *br)
  87323. {
  87324. br->words = br->bytes = 0;
  87325. br->consumed_words = br->consumed_bits = 0;
  87326. return true;
  87327. }
  87328. void FLAC__bitreader_dump(const FLAC__BitReader *br, FILE *out)
  87329. {
  87330. unsigned i, j;
  87331. if(br == 0) {
  87332. fprintf(out, "bitreader is NULL\n");
  87333. }
  87334. else {
  87335. fprintf(out, "bitreader: capacity=%u words=%u bytes=%u consumed: words=%u, bits=%u\n", br->capacity, br->words, br->bytes, br->consumed_words, br->consumed_bits);
  87336. for(i = 0; i < br->words; i++) {
  87337. fprintf(out, "%08X: ", i);
  87338. for(j = 0; j < FLAC__BITS_PER_WORD; j++)
  87339. if(i < br->consumed_words || (i == br->consumed_words && j < br->consumed_bits))
  87340. fprintf(out, ".");
  87341. else
  87342. fprintf(out, "%01u", br->buffer[i] & (1 << (FLAC__BITS_PER_WORD-j-1)) ? 1:0);
  87343. fprintf(out, "\n");
  87344. }
  87345. if(br->bytes > 0) {
  87346. fprintf(out, "%08X: ", i);
  87347. for(j = 0; j < br->bytes*8; j++)
  87348. if(i < br->consumed_words || (i == br->consumed_words && j < br->consumed_bits))
  87349. fprintf(out, ".");
  87350. else
  87351. fprintf(out, "%01u", br->buffer[i] & (1 << (br->bytes*8-j-1)) ? 1:0);
  87352. fprintf(out, "\n");
  87353. }
  87354. }
  87355. }
  87356. void FLAC__bitreader_reset_read_crc16(FLAC__BitReader *br, FLAC__uint16 seed)
  87357. {
  87358. FLAC__ASSERT(0 != br);
  87359. FLAC__ASSERT(0 != br->buffer);
  87360. FLAC__ASSERT((br->consumed_bits & 7) == 0);
  87361. br->read_crc16 = (unsigned)seed;
  87362. br->crc16_align = br->consumed_bits;
  87363. }
  87364. FLAC__uint16 FLAC__bitreader_get_read_crc16(FLAC__BitReader *br)
  87365. {
  87366. FLAC__ASSERT(0 != br);
  87367. FLAC__ASSERT(0 != br->buffer);
  87368. FLAC__ASSERT((br->consumed_bits & 7) == 0);
  87369. FLAC__ASSERT(br->crc16_align <= br->consumed_bits);
  87370. /* CRC any tail bytes in a partially-consumed word */
  87371. if(br->consumed_bits) {
  87372. const brword tail = br->buffer[br->consumed_words];
  87373. for( ; br->crc16_align < br->consumed_bits; br->crc16_align += 8)
  87374. br->read_crc16 = FLAC__CRC16_UPDATE((unsigned)((tail >> (FLAC__BITS_PER_WORD-8-br->crc16_align)) & 0xff), br->read_crc16);
  87375. }
  87376. return br->read_crc16;
  87377. }
  87378. FLaC__INLINE FLAC__bool FLAC__bitreader_is_consumed_byte_aligned(const FLAC__BitReader *br)
  87379. {
  87380. return ((br->consumed_bits & 7) == 0);
  87381. }
  87382. FLaC__INLINE unsigned FLAC__bitreader_bits_left_for_byte_alignment(const FLAC__BitReader *br)
  87383. {
  87384. return 8 - (br->consumed_bits & 7);
  87385. }
  87386. FLaC__INLINE unsigned FLAC__bitreader_get_input_bits_unconsumed(const FLAC__BitReader *br)
  87387. {
  87388. return (br->words-br->consumed_words)*FLAC__BITS_PER_WORD + br->bytes*8 - br->consumed_bits;
  87389. }
  87390. FLaC__INLINE FLAC__bool FLAC__bitreader_read_raw_uint32(FLAC__BitReader *br, FLAC__uint32 *val, unsigned bits)
  87391. {
  87392. FLAC__ASSERT(0 != br);
  87393. FLAC__ASSERT(0 != br->buffer);
  87394. FLAC__ASSERT(bits <= 32);
  87395. FLAC__ASSERT((br->capacity*FLAC__BITS_PER_WORD) * 2 >= bits);
  87396. FLAC__ASSERT(br->consumed_words <= br->words);
  87397. /* WATCHOUT: code does not work with <32bit words; we can make things much faster with this assertion */
  87398. FLAC__ASSERT(FLAC__BITS_PER_WORD >= 32);
  87399. if(bits == 0) { /* OPT: investigate if this can ever happen, maybe change to assertion */
  87400. *val = 0;
  87401. return true;
  87402. }
  87403. while((br->words-br->consumed_words)*FLAC__BITS_PER_WORD + br->bytes*8 - br->consumed_bits < bits) {
  87404. if(!bitreader_read_from_client_(br))
  87405. return false;
  87406. }
  87407. if(br->consumed_words < br->words) { /* if we've not consumed up to a partial tail word... */
  87408. /* OPT: taking out the consumed_bits==0 "else" case below might make things faster if less code allows the compiler to inline this function */
  87409. if(br->consumed_bits) {
  87410. /* this also works when consumed_bits==0, it's just a little slower than necessary for that case */
  87411. const unsigned n = FLAC__BITS_PER_WORD - br->consumed_bits;
  87412. const brword word = br->buffer[br->consumed_words];
  87413. if(bits < n) {
  87414. *val = (word & (FLAC__WORD_ALL_ONES >> br->consumed_bits)) >> (n-bits);
  87415. br->consumed_bits += bits;
  87416. return true;
  87417. }
  87418. *val = word & (FLAC__WORD_ALL_ONES >> br->consumed_bits);
  87419. bits -= n;
  87420. crc16_update_word_(br, word);
  87421. br->consumed_words++;
  87422. br->consumed_bits = 0;
  87423. if(bits) { /* if there are still bits left to read, there have to be less than 32 so they will all be in the next word */
  87424. *val <<= bits;
  87425. *val |= (br->buffer[br->consumed_words] >> (FLAC__BITS_PER_WORD-bits));
  87426. br->consumed_bits = bits;
  87427. }
  87428. return true;
  87429. }
  87430. else {
  87431. const brword word = br->buffer[br->consumed_words];
  87432. if(bits < FLAC__BITS_PER_WORD) {
  87433. *val = word >> (FLAC__BITS_PER_WORD-bits);
  87434. br->consumed_bits = bits;
  87435. return true;
  87436. }
  87437. /* at this point 'bits' must be == FLAC__BITS_PER_WORD; because of previous assertions, it can't be larger */
  87438. *val = word;
  87439. crc16_update_word_(br, word);
  87440. br->consumed_words++;
  87441. return true;
  87442. }
  87443. }
  87444. else {
  87445. /* in this case we're starting our read at a partial tail word;
  87446. * the reader has guaranteed that we have at least 'bits' bits
  87447. * available to read, which makes this case simpler.
  87448. */
  87449. /* OPT: taking out the consumed_bits==0 "else" case below might make things faster if less code allows the compiler to inline this function */
  87450. if(br->consumed_bits) {
  87451. /* this also works when consumed_bits==0, it's just a little slower than necessary for that case */
  87452. FLAC__ASSERT(br->consumed_bits + bits <= br->bytes*8);
  87453. *val = (br->buffer[br->consumed_words] & (FLAC__WORD_ALL_ONES >> br->consumed_bits)) >> (FLAC__BITS_PER_WORD-br->consumed_bits-bits);
  87454. br->consumed_bits += bits;
  87455. return true;
  87456. }
  87457. else {
  87458. *val = br->buffer[br->consumed_words] >> (FLAC__BITS_PER_WORD-bits);
  87459. br->consumed_bits += bits;
  87460. return true;
  87461. }
  87462. }
  87463. }
  87464. FLAC__bool FLAC__bitreader_read_raw_int32(FLAC__BitReader *br, FLAC__int32 *val, unsigned bits)
  87465. {
  87466. /* OPT: inline raw uint32 code here, or make into a macro if possible in the .h file */
  87467. if(!FLAC__bitreader_read_raw_uint32(br, (FLAC__uint32*)val, bits))
  87468. return false;
  87469. /* sign-extend: */
  87470. *val <<= (32-bits);
  87471. *val >>= (32-bits);
  87472. return true;
  87473. }
  87474. FLAC__bool FLAC__bitreader_read_raw_uint64(FLAC__BitReader *br, FLAC__uint64 *val, unsigned bits)
  87475. {
  87476. FLAC__uint32 hi, lo;
  87477. if(bits > 32) {
  87478. if(!FLAC__bitreader_read_raw_uint32(br, &hi, bits-32))
  87479. return false;
  87480. if(!FLAC__bitreader_read_raw_uint32(br, &lo, 32))
  87481. return false;
  87482. *val = hi;
  87483. *val <<= 32;
  87484. *val |= lo;
  87485. }
  87486. else {
  87487. if(!FLAC__bitreader_read_raw_uint32(br, &lo, bits))
  87488. return false;
  87489. *val = lo;
  87490. }
  87491. return true;
  87492. }
  87493. FLaC__INLINE FLAC__bool FLAC__bitreader_read_uint32_little_endian(FLAC__BitReader *br, FLAC__uint32 *val)
  87494. {
  87495. FLAC__uint32 x8, x32 = 0;
  87496. /* this doesn't need to be that fast as currently it is only used for vorbis comments */
  87497. if(!FLAC__bitreader_read_raw_uint32(br, &x32, 8))
  87498. return false;
  87499. if(!FLAC__bitreader_read_raw_uint32(br, &x8, 8))
  87500. return false;
  87501. x32 |= (x8 << 8);
  87502. if(!FLAC__bitreader_read_raw_uint32(br, &x8, 8))
  87503. return false;
  87504. x32 |= (x8 << 16);
  87505. if(!FLAC__bitreader_read_raw_uint32(br, &x8, 8))
  87506. return false;
  87507. x32 |= (x8 << 24);
  87508. *val = x32;
  87509. return true;
  87510. }
  87511. FLAC__bool FLAC__bitreader_skip_bits_no_crc(FLAC__BitReader *br, unsigned bits)
  87512. {
  87513. /*
  87514. * OPT: a faster implementation is possible but probably not that useful
  87515. * since this is only called a couple of times in the metadata readers.
  87516. */
  87517. FLAC__ASSERT(0 != br);
  87518. FLAC__ASSERT(0 != br->buffer);
  87519. if(bits > 0) {
  87520. const unsigned n = br->consumed_bits & 7;
  87521. unsigned m;
  87522. FLAC__uint32 x;
  87523. if(n != 0) {
  87524. m = min(8-n, bits);
  87525. if(!FLAC__bitreader_read_raw_uint32(br, &x, m))
  87526. return false;
  87527. bits -= m;
  87528. }
  87529. m = bits / 8;
  87530. if(m > 0) {
  87531. if(!FLAC__bitreader_skip_byte_block_aligned_no_crc(br, m))
  87532. return false;
  87533. bits %= 8;
  87534. }
  87535. if(bits > 0) {
  87536. if(!FLAC__bitreader_read_raw_uint32(br, &x, bits))
  87537. return false;
  87538. }
  87539. }
  87540. return true;
  87541. }
  87542. FLAC__bool FLAC__bitreader_skip_byte_block_aligned_no_crc(FLAC__BitReader *br, unsigned nvals)
  87543. {
  87544. FLAC__uint32 x;
  87545. FLAC__ASSERT(0 != br);
  87546. FLAC__ASSERT(0 != br->buffer);
  87547. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(br));
  87548. /* step 1: skip over partial head word to get word aligned */
  87549. while(nvals && br->consumed_bits) { /* i.e. run until we read 'nvals' bytes or we hit the end of the head word */
  87550. if(!FLAC__bitreader_read_raw_uint32(br, &x, 8))
  87551. return false;
  87552. nvals--;
  87553. }
  87554. if(0 == nvals)
  87555. return true;
  87556. /* step 2: skip whole words in chunks */
  87557. while(nvals >= FLAC__BYTES_PER_WORD) {
  87558. if(br->consumed_words < br->words) {
  87559. br->consumed_words++;
  87560. nvals -= FLAC__BYTES_PER_WORD;
  87561. }
  87562. else if(!bitreader_read_from_client_(br))
  87563. return false;
  87564. }
  87565. /* step 3: skip any remainder from partial tail bytes */
  87566. while(nvals) {
  87567. if(!FLAC__bitreader_read_raw_uint32(br, &x, 8))
  87568. return false;
  87569. nvals--;
  87570. }
  87571. return true;
  87572. }
  87573. FLAC__bool FLAC__bitreader_read_byte_block_aligned_no_crc(FLAC__BitReader *br, FLAC__byte *val, unsigned nvals)
  87574. {
  87575. FLAC__uint32 x;
  87576. FLAC__ASSERT(0 != br);
  87577. FLAC__ASSERT(0 != br->buffer);
  87578. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(br));
  87579. /* step 1: read from partial head word to get word aligned */
  87580. while(nvals && br->consumed_bits) { /* i.e. run until we read 'nvals' bytes or we hit the end of the head word */
  87581. if(!FLAC__bitreader_read_raw_uint32(br, &x, 8))
  87582. return false;
  87583. *val++ = (FLAC__byte)x;
  87584. nvals--;
  87585. }
  87586. if(0 == nvals)
  87587. return true;
  87588. /* step 2: read whole words in chunks */
  87589. while(nvals >= FLAC__BYTES_PER_WORD) {
  87590. if(br->consumed_words < br->words) {
  87591. const brword word = br->buffer[br->consumed_words++];
  87592. #if FLAC__BYTES_PER_WORD == 4
  87593. val[0] = (FLAC__byte)(word >> 24);
  87594. val[1] = (FLAC__byte)(word >> 16);
  87595. val[2] = (FLAC__byte)(word >> 8);
  87596. val[3] = (FLAC__byte)word;
  87597. #elif FLAC__BYTES_PER_WORD == 8
  87598. val[0] = (FLAC__byte)(word >> 56);
  87599. val[1] = (FLAC__byte)(word >> 48);
  87600. val[2] = (FLAC__byte)(word >> 40);
  87601. val[3] = (FLAC__byte)(word >> 32);
  87602. val[4] = (FLAC__byte)(word >> 24);
  87603. val[5] = (FLAC__byte)(word >> 16);
  87604. val[6] = (FLAC__byte)(word >> 8);
  87605. val[7] = (FLAC__byte)word;
  87606. #else
  87607. for(x = 0; x < FLAC__BYTES_PER_WORD; x++)
  87608. val[x] = (FLAC__byte)(word >> (8*(FLAC__BYTES_PER_WORD-x-1)));
  87609. #endif
  87610. val += FLAC__BYTES_PER_WORD;
  87611. nvals -= FLAC__BYTES_PER_WORD;
  87612. }
  87613. else if(!bitreader_read_from_client_(br))
  87614. return false;
  87615. }
  87616. /* step 3: read any remainder from partial tail bytes */
  87617. while(nvals) {
  87618. if(!FLAC__bitreader_read_raw_uint32(br, &x, 8))
  87619. return false;
  87620. *val++ = (FLAC__byte)x;
  87621. nvals--;
  87622. }
  87623. return true;
  87624. }
  87625. FLaC__INLINE FLAC__bool FLAC__bitreader_read_unary_unsigned(FLAC__BitReader *br, unsigned *val)
  87626. #if 0 /* slow but readable version */
  87627. {
  87628. unsigned bit;
  87629. FLAC__ASSERT(0 != br);
  87630. FLAC__ASSERT(0 != br->buffer);
  87631. *val = 0;
  87632. while(1) {
  87633. if(!FLAC__bitreader_read_bit(br, &bit))
  87634. return false;
  87635. if(bit)
  87636. break;
  87637. else
  87638. *val++;
  87639. }
  87640. return true;
  87641. }
  87642. #else
  87643. {
  87644. unsigned i;
  87645. FLAC__ASSERT(0 != br);
  87646. FLAC__ASSERT(0 != br->buffer);
  87647. *val = 0;
  87648. while(1) {
  87649. while(br->consumed_words < br->words) { /* if we've not consumed up to a partial tail word... */
  87650. brword b = br->buffer[br->consumed_words] << br->consumed_bits;
  87651. if(b) {
  87652. i = COUNT_ZERO_MSBS(b);
  87653. *val += i;
  87654. i++;
  87655. br->consumed_bits += i;
  87656. if(br->consumed_bits >= FLAC__BITS_PER_WORD) { /* faster way of testing if(br->consumed_bits == FLAC__BITS_PER_WORD) */
  87657. crc16_update_word_(br, br->buffer[br->consumed_words]);
  87658. br->consumed_words++;
  87659. br->consumed_bits = 0;
  87660. }
  87661. return true;
  87662. }
  87663. else {
  87664. *val += FLAC__BITS_PER_WORD - br->consumed_bits;
  87665. crc16_update_word_(br, br->buffer[br->consumed_words]);
  87666. br->consumed_words++;
  87667. br->consumed_bits = 0;
  87668. /* didn't find stop bit yet, have to keep going... */
  87669. }
  87670. }
  87671. /* at this point we've eaten up all the whole words; have to try
  87672. * reading through any tail bytes before calling the read callback.
  87673. * this is a repeat of the above logic adjusted for the fact we
  87674. * don't have a whole word. note though if the client is feeding
  87675. * us data a byte at a time (unlikely), br->consumed_bits may not
  87676. * be zero.
  87677. */
  87678. if(br->bytes) {
  87679. const unsigned end = br->bytes * 8;
  87680. brword b = (br->buffer[br->consumed_words] & (FLAC__WORD_ALL_ONES << (FLAC__BITS_PER_WORD-end))) << br->consumed_bits;
  87681. if(b) {
  87682. i = COUNT_ZERO_MSBS(b);
  87683. *val += i;
  87684. i++;
  87685. br->consumed_bits += i;
  87686. FLAC__ASSERT(br->consumed_bits < FLAC__BITS_PER_WORD);
  87687. return true;
  87688. }
  87689. else {
  87690. *val += end - br->consumed_bits;
  87691. br->consumed_bits += end;
  87692. FLAC__ASSERT(br->consumed_bits < FLAC__BITS_PER_WORD);
  87693. /* didn't find stop bit yet, have to keep going... */
  87694. }
  87695. }
  87696. if(!bitreader_read_from_client_(br))
  87697. return false;
  87698. }
  87699. }
  87700. #endif
  87701. FLAC__bool FLAC__bitreader_read_rice_signed(FLAC__BitReader *br, int *val, unsigned parameter)
  87702. {
  87703. FLAC__uint32 lsbs = 0, msbs = 0;
  87704. unsigned uval;
  87705. FLAC__ASSERT(0 != br);
  87706. FLAC__ASSERT(0 != br->buffer);
  87707. FLAC__ASSERT(parameter <= 31);
  87708. /* read the unary MSBs and end bit */
  87709. if(!FLAC__bitreader_read_unary_unsigned(br, (unsigned int*) &msbs))
  87710. return false;
  87711. /* read the binary LSBs */
  87712. if(!FLAC__bitreader_read_raw_uint32(br, &lsbs, parameter))
  87713. return false;
  87714. /* compose the value */
  87715. uval = (msbs << parameter) | lsbs;
  87716. if(uval & 1)
  87717. *val = -((int)(uval >> 1)) - 1;
  87718. else
  87719. *val = (int)(uval >> 1);
  87720. return true;
  87721. }
  87722. /* this is by far the most heavily used reader call. it ain't pretty but it's fast */
  87723. /* a lot of the logic is copied, then adapted, from FLAC__bitreader_read_unary_unsigned() and FLAC__bitreader_read_raw_uint32() */
  87724. FLAC__bool FLAC__bitreader_read_rice_signed_block(FLAC__BitReader *br, int vals[], unsigned nvals, unsigned parameter)
  87725. /* OPT: possibly faster version for use with MSVC */
  87726. #ifdef _MSC_VER
  87727. {
  87728. unsigned i;
  87729. unsigned uval = 0;
  87730. unsigned bits; /* the # of binary LSBs left to read to finish a rice codeword */
  87731. /* try and get br->consumed_words and br->consumed_bits into register;
  87732. * must remember to flush them back to *br before calling other
  87733. * bitwriter functions that use them, and before returning */
  87734. register unsigned cwords;
  87735. register unsigned cbits;
  87736. FLAC__ASSERT(0 != br);
  87737. FLAC__ASSERT(0 != br->buffer);
  87738. /* WATCHOUT: code does not work with <32bit words; we can make things much faster with this assertion */
  87739. FLAC__ASSERT(FLAC__BITS_PER_WORD >= 32);
  87740. FLAC__ASSERT(parameter < 32);
  87741. /* the above two asserts also guarantee that the binary part never straddles more that 2 words, so we don't have to loop to read it */
  87742. if(nvals == 0)
  87743. return true;
  87744. cbits = br->consumed_bits;
  87745. cwords = br->consumed_words;
  87746. while(1) {
  87747. /* read unary part */
  87748. while(1) {
  87749. while(cwords < br->words) { /* if we've not consumed up to a partial tail word... */
  87750. brword b = br->buffer[cwords] << cbits;
  87751. if(b) {
  87752. #if 0 /* slower, probably due to bad register allocation... */ && defined FLAC__CPU_IA32 && !defined FLAC__NO_ASM && FLAC__BITS_PER_WORD == 32
  87753. __asm {
  87754. bsr eax, b
  87755. not eax
  87756. and eax, 31
  87757. mov i, eax
  87758. }
  87759. #else
  87760. i = COUNT_ZERO_MSBS(b);
  87761. #endif
  87762. uval += i;
  87763. bits = parameter;
  87764. i++;
  87765. cbits += i;
  87766. if(cbits == FLAC__BITS_PER_WORD) {
  87767. crc16_update_word_(br, br->buffer[cwords]);
  87768. cwords++;
  87769. cbits = 0;
  87770. }
  87771. goto break1;
  87772. }
  87773. else {
  87774. uval += FLAC__BITS_PER_WORD - cbits;
  87775. crc16_update_word_(br, br->buffer[cwords]);
  87776. cwords++;
  87777. cbits = 0;
  87778. /* didn't find stop bit yet, have to keep going... */
  87779. }
  87780. }
  87781. /* at this point we've eaten up all the whole words; have to try
  87782. * reading through any tail bytes before calling the read callback.
  87783. * this is a repeat of the above logic adjusted for the fact we
  87784. * don't have a whole word. note though if the client is feeding
  87785. * us data a byte at a time (unlikely), br->consumed_bits may not
  87786. * be zero.
  87787. */
  87788. if(br->bytes) {
  87789. const unsigned end = br->bytes * 8;
  87790. brword b = (br->buffer[cwords] & (FLAC__WORD_ALL_ONES << (FLAC__BITS_PER_WORD-end))) << cbits;
  87791. if(b) {
  87792. i = COUNT_ZERO_MSBS(b);
  87793. uval += i;
  87794. bits = parameter;
  87795. i++;
  87796. cbits += i;
  87797. FLAC__ASSERT(cbits < FLAC__BITS_PER_WORD);
  87798. goto break1;
  87799. }
  87800. else {
  87801. uval += end - cbits;
  87802. cbits += end;
  87803. FLAC__ASSERT(cbits < FLAC__BITS_PER_WORD);
  87804. /* didn't find stop bit yet, have to keep going... */
  87805. }
  87806. }
  87807. /* flush registers and read; bitreader_read_from_client_() does
  87808. * not touch br->consumed_bits at all but we still need to set
  87809. * it in case it fails and we have to return false.
  87810. */
  87811. br->consumed_bits = cbits;
  87812. br->consumed_words = cwords;
  87813. if(!bitreader_read_from_client_(br))
  87814. return false;
  87815. cwords = br->consumed_words;
  87816. }
  87817. break1:
  87818. /* read binary part */
  87819. FLAC__ASSERT(cwords <= br->words);
  87820. if(bits) {
  87821. while((br->words-cwords)*FLAC__BITS_PER_WORD + br->bytes*8 - cbits < bits) {
  87822. /* flush registers and read; bitreader_read_from_client_() does
  87823. * not touch br->consumed_bits at all but we still need to set
  87824. * it in case it fails and we have to return false.
  87825. */
  87826. br->consumed_bits = cbits;
  87827. br->consumed_words = cwords;
  87828. if(!bitreader_read_from_client_(br))
  87829. return false;
  87830. cwords = br->consumed_words;
  87831. }
  87832. if(cwords < br->words) { /* if we've not consumed up to a partial tail word... */
  87833. if(cbits) {
  87834. /* this also works when consumed_bits==0, it's just a little slower than necessary for that case */
  87835. const unsigned n = FLAC__BITS_PER_WORD - cbits;
  87836. const brword word = br->buffer[cwords];
  87837. if(bits < n) {
  87838. uval <<= bits;
  87839. uval |= (word & (FLAC__WORD_ALL_ONES >> cbits)) >> (n-bits);
  87840. cbits += bits;
  87841. goto break2;
  87842. }
  87843. uval <<= n;
  87844. uval |= word & (FLAC__WORD_ALL_ONES >> cbits);
  87845. bits -= n;
  87846. crc16_update_word_(br, word);
  87847. cwords++;
  87848. cbits = 0;
  87849. if(bits) { /* if there are still bits left to read, there have to be less than 32 so they will all be in the next word */
  87850. uval <<= bits;
  87851. uval |= (br->buffer[cwords] >> (FLAC__BITS_PER_WORD-bits));
  87852. cbits = bits;
  87853. }
  87854. goto break2;
  87855. }
  87856. else {
  87857. FLAC__ASSERT(bits < FLAC__BITS_PER_WORD);
  87858. uval <<= bits;
  87859. uval |= br->buffer[cwords] >> (FLAC__BITS_PER_WORD-bits);
  87860. cbits = bits;
  87861. goto break2;
  87862. }
  87863. }
  87864. else {
  87865. /* in this case we're starting our read at a partial tail word;
  87866. * the reader has guaranteed that we have at least 'bits' bits
  87867. * available to read, which makes this case simpler.
  87868. */
  87869. uval <<= bits;
  87870. if(cbits) {
  87871. /* this also works when consumed_bits==0, it's just a little slower than necessary for that case */
  87872. FLAC__ASSERT(cbits + bits <= br->bytes*8);
  87873. uval |= (br->buffer[cwords] & (FLAC__WORD_ALL_ONES >> cbits)) >> (FLAC__BITS_PER_WORD-cbits-bits);
  87874. cbits += bits;
  87875. goto break2;
  87876. }
  87877. else {
  87878. uval |= br->buffer[cwords] >> (FLAC__BITS_PER_WORD-bits);
  87879. cbits += bits;
  87880. goto break2;
  87881. }
  87882. }
  87883. }
  87884. break2:
  87885. /* compose the value */
  87886. *vals = (int)(uval >> 1 ^ -(int)(uval & 1));
  87887. /* are we done? */
  87888. --nvals;
  87889. if(nvals == 0) {
  87890. br->consumed_bits = cbits;
  87891. br->consumed_words = cwords;
  87892. return true;
  87893. }
  87894. uval = 0;
  87895. ++vals;
  87896. }
  87897. }
  87898. #else
  87899. {
  87900. unsigned i;
  87901. unsigned uval = 0;
  87902. /* try and get br->consumed_words and br->consumed_bits into register;
  87903. * must remember to flush them back to *br before calling other
  87904. * bitwriter functions that use them, and before returning */
  87905. register unsigned cwords;
  87906. register unsigned cbits;
  87907. unsigned ucbits; /* keep track of the number of unconsumed bits in the buffer */
  87908. FLAC__ASSERT(0 != br);
  87909. FLAC__ASSERT(0 != br->buffer);
  87910. /* WATCHOUT: code does not work with <32bit words; we can make things much faster with this assertion */
  87911. FLAC__ASSERT(FLAC__BITS_PER_WORD >= 32);
  87912. FLAC__ASSERT(parameter < 32);
  87913. /* the above two asserts also guarantee that the binary part never straddles more than 2 words, so we don't have to loop to read it */
  87914. if(nvals == 0)
  87915. return true;
  87916. cbits = br->consumed_bits;
  87917. cwords = br->consumed_words;
  87918. ucbits = (br->words-cwords)*FLAC__BITS_PER_WORD + br->bytes*8 - cbits;
  87919. while(1) {
  87920. /* read unary part */
  87921. while(1) {
  87922. while(cwords < br->words) { /* if we've not consumed up to a partial tail word... */
  87923. brword b = br->buffer[cwords] << cbits;
  87924. if(b) {
  87925. #if 0 /* is not discernably faster... */ && defined FLAC__CPU_IA32 && !defined FLAC__NO_ASM && FLAC__BITS_PER_WORD == 32 && defined __GNUC__
  87926. asm volatile (
  87927. "bsrl %1, %0;"
  87928. "notl %0;"
  87929. "andl $31, %0;"
  87930. : "=r"(i)
  87931. : "r"(b)
  87932. );
  87933. #else
  87934. i = COUNT_ZERO_MSBS(b);
  87935. #endif
  87936. uval += i;
  87937. cbits += i;
  87938. cbits++; /* skip over stop bit */
  87939. if(cbits >= FLAC__BITS_PER_WORD) { /* faster way of testing if(cbits == FLAC__BITS_PER_WORD) */
  87940. crc16_update_word_(br, br->buffer[cwords]);
  87941. cwords++;
  87942. cbits = 0;
  87943. }
  87944. goto break1;
  87945. }
  87946. else {
  87947. uval += FLAC__BITS_PER_WORD - cbits;
  87948. crc16_update_word_(br, br->buffer[cwords]);
  87949. cwords++;
  87950. cbits = 0;
  87951. /* didn't find stop bit yet, have to keep going... */
  87952. }
  87953. }
  87954. /* at this point we've eaten up all the whole words; have to try
  87955. * reading through any tail bytes before calling the read callback.
  87956. * this is a repeat of the above logic adjusted for the fact we
  87957. * don't have a whole word. note though if the client is feeding
  87958. * us data a byte at a time (unlikely), br->consumed_bits may not
  87959. * be zero.
  87960. */
  87961. if(br->bytes) {
  87962. const unsigned end = br->bytes * 8;
  87963. brword b = (br->buffer[cwords] & ~(FLAC__WORD_ALL_ONES >> end)) << cbits;
  87964. if(b) {
  87965. i = COUNT_ZERO_MSBS(b);
  87966. uval += i;
  87967. cbits += i;
  87968. cbits++; /* skip over stop bit */
  87969. FLAC__ASSERT(cbits < FLAC__BITS_PER_WORD);
  87970. goto break1;
  87971. }
  87972. else {
  87973. uval += end - cbits;
  87974. cbits += end;
  87975. FLAC__ASSERT(cbits < FLAC__BITS_PER_WORD);
  87976. /* didn't find stop bit yet, have to keep going... */
  87977. }
  87978. }
  87979. /* flush registers and read; bitreader_read_from_client_() does
  87980. * not touch br->consumed_bits at all but we still need to set
  87981. * it in case it fails and we have to return false.
  87982. */
  87983. br->consumed_bits = cbits;
  87984. br->consumed_words = cwords;
  87985. if(!bitreader_read_from_client_(br))
  87986. return false;
  87987. cwords = br->consumed_words;
  87988. ucbits = (br->words-cwords)*FLAC__BITS_PER_WORD + br->bytes*8 - cbits + uval;
  87989. /* + uval to offset our count by the # of unary bits already
  87990. * consumed before the read, because we will add these back
  87991. * in all at once at break1
  87992. */
  87993. }
  87994. break1:
  87995. ucbits -= uval;
  87996. ucbits--; /* account for stop bit */
  87997. /* read binary part */
  87998. FLAC__ASSERT(cwords <= br->words);
  87999. if(parameter) {
  88000. while(ucbits < parameter) {
  88001. /* flush registers and read; bitreader_read_from_client_() does
  88002. * not touch br->consumed_bits at all but we still need to set
  88003. * it in case it fails and we have to return false.
  88004. */
  88005. br->consumed_bits = cbits;
  88006. br->consumed_words = cwords;
  88007. if(!bitreader_read_from_client_(br))
  88008. return false;
  88009. cwords = br->consumed_words;
  88010. ucbits = (br->words-cwords)*FLAC__BITS_PER_WORD + br->bytes*8 - cbits;
  88011. }
  88012. if(cwords < br->words) { /* if we've not consumed up to a partial tail word... */
  88013. if(cbits) {
  88014. /* this also works when consumed_bits==0, it's just slower than necessary for that case */
  88015. const unsigned n = FLAC__BITS_PER_WORD - cbits;
  88016. const brword word = br->buffer[cwords];
  88017. if(parameter < n) {
  88018. uval <<= parameter;
  88019. uval |= (word & (FLAC__WORD_ALL_ONES >> cbits)) >> (n-parameter);
  88020. cbits += parameter;
  88021. }
  88022. else {
  88023. uval <<= n;
  88024. uval |= word & (FLAC__WORD_ALL_ONES >> cbits);
  88025. crc16_update_word_(br, word);
  88026. cwords++;
  88027. cbits = parameter - n;
  88028. if(cbits) { /* parameter > n, i.e. if there are still bits left to read, there have to be less than 32 so they will all be in the next word */
  88029. uval <<= cbits;
  88030. uval |= (br->buffer[cwords] >> (FLAC__BITS_PER_WORD-cbits));
  88031. }
  88032. }
  88033. }
  88034. else {
  88035. cbits = parameter;
  88036. uval <<= parameter;
  88037. uval |= br->buffer[cwords] >> (FLAC__BITS_PER_WORD-cbits);
  88038. }
  88039. }
  88040. else {
  88041. /* in this case we're starting our read at a partial tail word;
  88042. * the reader has guaranteed that we have at least 'parameter'
  88043. * bits available to read, which makes this case simpler.
  88044. */
  88045. uval <<= parameter;
  88046. if(cbits) {
  88047. /* this also works when consumed_bits==0, it's just a little slower than necessary for that case */
  88048. FLAC__ASSERT(cbits + parameter <= br->bytes*8);
  88049. uval |= (br->buffer[cwords] & (FLAC__WORD_ALL_ONES >> cbits)) >> (FLAC__BITS_PER_WORD-cbits-parameter);
  88050. cbits += parameter;
  88051. }
  88052. else {
  88053. cbits = parameter;
  88054. uval |= br->buffer[cwords] >> (FLAC__BITS_PER_WORD-cbits);
  88055. }
  88056. }
  88057. }
  88058. ucbits -= parameter;
  88059. /* compose the value */
  88060. *vals = (int)(uval >> 1 ^ -(int)(uval & 1));
  88061. /* are we done? */
  88062. --nvals;
  88063. if(nvals == 0) {
  88064. br->consumed_bits = cbits;
  88065. br->consumed_words = cwords;
  88066. return true;
  88067. }
  88068. uval = 0;
  88069. ++vals;
  88070. }
  88071. }
  88072. #endif
  88073. #if 0 /* UNUSED */
  88074. FLAC__bool FLAC__bitreader_read_golomb_signed(FLAC__BitReader *br, int *val, unsigned parameter)
  88075. {
  88076. FLAC__uint32 lsbs = 0, msbs = 0;
  88077. unsigned bit, uval, k;
  88078. FLAC__ASSERT(0 != br);
  88079. FLAC__ASSERT(0 != br->buffer);
  88080. k = FLAC__bitmath_ilog2(parameter);
  88081. /* read the unary MSBs and end bit */
  88082. if(!FLAC__bitreader_read_unary_unsigned(br, &msbs))
  88083. return false;
  88084. /* read the binary LSBs */
  88085. if(!FLAC__bitreader_read_raw_uint32(br, &lsbs, k))
  88086. return false;
  88087. if(parameter == 1u<<k) {
  88088. /* compose the value */
  88089. uval = (msbs << k) | lsbs;
  88090. }
  88091. else {
  88092. unsigned d = (1 << (k+1)) - parameter;
  88093. if(lsbs >= d) {
  88094. if(!FLAC__bitreader_read_bit(br, &bit))
  88095. return false;
  88096. lsbs <<= 1;
  88097. lsbs |= bit;
  88098. lsbs -= d;
  88099. }
  88100. /* compose the value */
  88101. uval = msbs * parameter + lsbs;
  88102. }
  88103. /* unfold unsigned to signed */
  88104. if(uval & 1)
  88105. *val = -((int)(uval >> 1)) - 1;
  88106. else
  88107. *val = (int)(uval >> 1);
  88108. return true;
  88109. }
  88110. FLAC__bool FLAC__bitreader_read_golomb_unsigned(FLAC__BitReader *br, unsigned *val, unsigned parameter)
  88111. {
  88112. FLAC__uint32 lsbs, msbs = 0;
  88113. unsigned bit, k;
  88114. FLAC__ASSERT(0 != br);
  88115. FLAC__ASSERT(0 != br->buffer);
  88116. k = FLAC__bitmath_ilog2(parameter);
  88117. /* read the unary MSBs and end bit */
  88118. if(!FLAC__bitreader_read_unary_unsigned(br, &msbs))
  88119. return false;
  88120. /* read the binary LSBs */
  88121. if(!FLAC__bitreader_read_raw_uint32(br, &lsbs, k))
  88122. return false;
  88123. if(parameter == 1u<<k) {
  88124. /* compose the value */
  88125. *val = (msbs << k) | lsbs;
  88126. }
  88127. else {
  88128. unsigned d = (1 << (k+1)) - parameter;
  88129. if(lsbs >= d) {
  88130. if(!FLAC__bitreader_read_bit(br, &bit))
  88131. return false;
  88132. lsbs <<= 1;
  88133. lsbs |= bit;
  88134. lsbs -= d;
  88135. }
  88136. /* compose the value */
  88137. *val = msbs * parameter + lsbs;
  88138. }
  88139. return true;
  88140. }
  88141. #endif /* UNUSED */
  88142. /* on return, if *val == 0xffffffff then the utf-8 sequence was invalid, but the return value will be true */
  88143. FLAC__bool FLAC__bitreader_read_utf8_uint32(FLAC__BitReader *br, FLAC__uint32 *val, FLAC__byte *raw, unsigned *rawlen)
  88144. {
  88145. FLAC__uint32 v = 0;
  88146. FLAC__uint32 x;
  88147. unsigned i;
  88148. if(!FLAC__bitreader_read_raw_uint32(br, &x, 8))
  88149. return false;
  88150. if(raw)
  88151. raw[(*rawlen)++] = (FLAC__byte)x;
  88152. if(!(x & 0x80)) { /* 0xxxxxxx */
  88153. v = x;
  88154. i = 0;
  88155. }
  88156. else if(x & 0xC0 && !(x & 0x20)) { /* 110xxxxx */
  88157. v = x & 0x1F;
  88158. i = 1;
  88159. }
  88160. else if(x & 0xE0 && !(x & 0x10)) { /* 1110xxxx */
  88161. v = x & 0x0F;
  88162. i = 2;
  88163. }
  88164. else if(x & 0xF0 && !(x & 0x08)) { /* 11110xxx */
  88165. v = x & 0x07;
  88166. i = 3;
  88167. }
  88168. else if(x & 0xF8 && !(x & 0x04)) { /* 111110xx */
  88169. v = x & 0x03;
  88170. i = 4;
  88171. }
  88172. else if(x & 0xFC && !(x & 0x02)) { /* 1111110x */
  88173. v = x & 0x01;
  88174. i = 5;
  88175. }
  88176. else {
  88177. *val = 0xffffffff;
  88178. return true;
  88179. }
  88180. for( ; i; i--) {
  88181. if(!FLAC__bitreader_read_raw_uint32(br, &x, 8))
  88182. return false;
  88183. if(raw)
  88184. raw[(*rawlen)++] = (FLAC__byte)x;
  88185. if(!(x & 0x80) || (x & 0x40)) { /* 10xxxxxx */
  88186. *val = 0xffffffff;
  88187. return true;
  88188. }
  88189. v <<= 6;
  88190. v |= (x & 0x3F);
  88191. }
  88192. *val = v;
  88193. return true;
  88194. }
  88195. /* on return, if *val == 0xffffffffffffffff then the utf-8 sequence was invalid, but the return value will be true */
  88196. FLAC__bool FLAC__bitreader_read_utf8_uint64(FLAC__BitReader *br, FLAC__uint64 *val, FLAC__byte *raw, unsigned *rawlen)
  88197. {
  88198. FLAC__uint64 v = 0;
  88199. FLAC__uint32 x;
  88200. unsigned i;
  88201. if(!FLAC__bitreader_read_raw_uint32(br, &x, 8))
  88202. return false;
  88203. if(raw)
  88204. raw[(*rawlen)++] = (FLAC__byte)x;
  88205. if(!(x & 0x80)) { /* 0xxxxxxx */
  88206. v = x;
  88207. i = 0;
  88208. }
  88209. else if(x & 0xC0 && !(x & 0x20)) { /* 110xxxxx */
  88210. v = x & 0x1F;
  88211. i = 1;
  88212. }
  88213. else if(x & 0xE0 && !(x & 0x10)) { /* 1110xxxx */
  88214. v = x & 0x0F;
  88215. i = 2;
  88216. }
  88217. else if(x & 0xF0 && !(x & 0x08)) { /* 11110xxx */
  88218. v = x & 0x07;
  88219. i = 3;
  88220. }
  88221. else if(x & 0xF8 && !(x & 0x04)) { /* 111110xx */
  88222. v = x & 0x03;
  88223. i = 4;
  88224. }
  88225. else if(x & 0xFC && !(x & 0x02)) { /* 1111110x */
  88226. v = x & 0x01;
  88227. i = 5;
  88228. }
  88229. else if(x & 0xFE && !(x & 0x01)) { /* 11111110 */
  88230. v = 0;
  88231. i = 6;
  88232. }
  88233. else {
  88234. *val = FLAC__U64L(0xffffffffffffffff);
  88235. return true;
  88236. }
  88237. for( ; i; i--) {
  88238. if(!FLAC__bitreader_read_raw_uint32(br, &x, 8))
  88239. return false;
  88240. if(raw)
  88241. raw[(*rawlen)++] = (FLAC__byte)x;
  88242. if(!(x & 0x80) || (x & 0x40)) { /* 10xxxxxx */
  88243. *val = FLAC__U64L(0xffffffffffffffff);
  88244. return true;
  88245. }
  88246. v <<= 6;
  88247. v |= (x & 0x3F);
  88248. }
  88249. *val = v;
  88250. return true;
  88251. }
  88252. #endif
  88253. /********* End of inlined file: bitreader.c *********/
  88254. /********* Start of inlined file: bitwriter.c *********/
  88255. /********* Start of inlined file: juce_FlacHeader.h *********/
  88256. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  88257. // tasks..
  88258. #define VERSION "1.2.1"
  88259. #define FLAC__NO_DLL 1
  88260. #ifdef _MSC_VER
  88261. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  88262. #endif
  88263. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  88264. #define FLAC__SYS_DARWIN 1
  88265. #endif
  88266. /********* End of inlined file: juce_FlacHeader.h *********/
  88267. #if JUCE_USE_FLAC
  88268. #if HAVE_CONFIG_H
  88269. # include <config.h>
  88270. #endif
  88271. #include <stdlib.h> /* for malloc() */
  88272. #include <string.h> /* for memcpy(), memset() */
  88273. #ifdef _MSC_VER
  88274. #include <winsock.h> /* for ntohl() */
  88275. #elif defined FLAC__SYS_DARWIN
  88276. #include <machine/endian.h> /* for ntohl() */
  88277. #elif defined __MINGW32__
  88278. #include <winsock.h> /* for ntohl() */
  88279. #else
  88280. #include <netinet/in.h> /* for ntohl() */
  88281. #endif
  88282. #if 0 /* UNUSED */
  88283. #endif
  88284. /********* Start of inlined file: bitwriter.h *********/
  88285. #ifndef FLAC__PRIVATE__BITWRITER_H
  88286. #define FLAC__PRIVATE__BITWRITER_H
  88287. #include <stdio.h> /* for FILE */
  88288. /*
  88289. * opaque structure definition
  88290. */
  88291. struct FLAC__BitWriter;
  88292. typedef struct FLAC__BitWriter FLAC__BitWriter;
  88293. /*
  88294. * construction, deletion, initialization, etc functions
  88295. */
  88296. FLAC__BitWriter *FLAC__bitwriter_new(void);
  88297. void FLAC__bitwriter_delete(FLAC__BitWriter *bw);
  88298. FLAC__bool FLAC__bitwriter_init(FLAC__BitWriter *bw);
  88299. void FLAC__bitwriter_free(FLAC__BitWriter *bw); /* does not 'free(buffer)' */
  88300. void FLAC__bitwriter_clear(FLAC__BitWriter *bw);
  88301. void FLAC__bitwriter_dump(const FLAC__BitWriter *bw, FILE *out);
  88302. /*
  88303. * CRC functions
  88304. *
  88305. * non-const *bw because they have to cal FLAC__bitwriter_get_buffer()
  88306. */
  88307. FLAC__bool FLAC__bitwriter_get_write_crc16(FLAC__BitWriter *bw, FLAC__uint16 *crc);
  88308. FLAC__bool FLAC__bitwriter_get_write_crc8(FLAC__BitWriter *bw, FLAC__byte *crc);
  88309. /*
  88310. * info functions
  88311. */
  88312. FLAC__bool FLAC__bitwriter_is_byte_aligned(const FLAC__BitWriter *bw);
  88313. unsigned FLAC__bitwriter_get_input_bits_unconsumed(const FLAC__BitWriter *bw); /* can be called anytime, returns total # of bits unconsumed */
  88314. /*
  88315. * direct buffer access
  88316. *
  88317. * there may be no calls on the bitwriter between get and release.
  88318. * the bitwriter continues to own the returned buffer.
  88319. * before get, bitwriter MUST be byte aligned: check with FLAC__bitwriter_is_byte_aligned()
  88320. */
  88321. FLAC__bool FLAC__bitwriter_get_buffer(FLAC__BitWriter *bw, const FLAC__byte **buffer, size_t *bytes);
  88322. void FLAC__bitwriter_release_buffer(FLAC__BitWriter *bw);
  88323. /*
  88324. * write functions
  88325. */
  88326. FLAC__bool FLAC__bitwriter_write_zeroes(FLAC__BitWriter *bw, unsigned bits);
  88327. FLAC__bool FLAC__bitwriter_write_raw_uint32(FLAC__BitWriter *bw, FLAC__uint32 val, unsigned bits);
  88328. FLAC__bool FLAC__bitwriter_write_raw_int32(FLAC__BitWriter *bw, FLAC__int32 val, unsigned bits);
  88329. FLAC__bool FLAC__bitwriter_write_raw_uint64(FLAC__BitWriter *bw, FLAC__uint64 val, unsigned bits);
  88330. FLAC__bool FLAC__bitwriter_write_raw_uint32_little_endian(FLAC__BitWriter *bw, FLAC__uint32 val); /*only for bits=32*/
  88331. FLAC__bool FLAC__bitwriter_write_byte_block(FLAC__BitWriter *bw, const FLAC__byte vals[], unsigned nvals);
  88332. FLAC__bool FLAC__bitwriter_write_unary_unsigned(FLAC__BitWriter *bw, unsigned val);
  88333. unsigned FLAC__bitwriter_rice_bits(FLAC__int32 val, unsigned parameter);
  88334. #if 0 /* UNUSED */
  88335. unsigned FLAC__bitwriter_golomb_bits_signed(int val, unsigned parameter);
  88336. unsigned FLAC__bitwriter_golomb_bits_unsigned(unsigned val, unsigned parameter);
  88337. #endif
  88338. FLAC__bool FLAC__bitwriter_write_rice_signed(FLAC__BitWriter *bw, FLAC__int32 val, unsigned parameter);
  88339. FLAC__bool FLAC__bitwriter_write_rice_signed_block(FLAC__BitWriter *bw, const FLAC__int32 *vals, unsigned nvals, unsigned parameter);
  88340. #if 0 /* UNUSED */
  88341. FLAC__bool FLAC__bitwriter_write_golomb_signed(FLAC__BitWriter *bw, int val, unsigned parameter);
  88342. FLAC__bool FLAC__bitwriter_write_golomb_unsigned(FLAC__BitWriter *bw, unsigned val, unsigned parameter);
  88343. #endif
  88344. FLAC__bool FLAC__bitwriter_write_utf8_uint32(FLAC__BitWriter *bw, FLAC__uint32 val);
  88345. FLAC__bool FLAC__bitwriter_write_utf8_uint64(FLAC__BitWriter *bw, FLAC__uint64 val);
  88346. FLAC__bool FLAC__bitwriter_zero_pad_to_byte_boundary(FLAC__BitWriter *bw);
  88347. #endif
  88348. /********* End of inlined file: bitwriter.h *********/
  88349. /********* Start of inlined file: alloc.h *********/
  88350. #ifndef FLAC__SHARE__ALLOC_H
  88351. #define FLAC__SHARE__ALLOC_H
  88352. #if HAVE_CONFIG_H
  88353. # include <config.h>
  88354. #endif
  88355. /* WATCHOUT: for c++ you may have to #define __STDC_LIMIT_MACROS 1 real early
  88356. * before #including this file, otherwise SIZE_MAX might not be defined
  88357. */
  88358. #include <limits.h> /* for SIZE_MAX */
  88359. #if !defined _MSC_VER && !defined __MINGW32__ && !defined __EMX__
  88360. #include <stdint.h> /* for SIZE_MAX in case limits.h didn't get it */
  88361. #endif
  88362. #include <stdlib.h> /* for size_t, malloc(), etc */
  88363. #ifndef SIZE_MAX
  88364. # ifndef SIZE_T_MAX
  88365. # ifdef _MSC_VER
  88366. # define SIZE_T_MAX UINT_MAX
  88367. # else
  88368. # error
  88369. # endif
  88370. # endif
  88371. # define SIZE_MAX SIZE_T_MAX
  88372. #endif
  88373. #ifndef FLaC__INLINE
  88374. #define FLaC__INLINE
  88375. #endif
  88376. /* avoid malloc()ing 0 bytes, see:
  88377. * https://www.securecoding.cert.org/confluence/display/seccode/MEM04-A.+Do+not+make+assumptions+about+the+result+of+allocating+0+bytes?focusedCommentId=5407003
  88378. */
  88379. static FLaC__INLINE void *safe_malloc_(size_t size)
  88380. {
  88381. /* malloc(0) is undefined; FLAC src convention is to always allocate */
  88382. if(!size)
  88383. size++;
  88384. return malloc(size);
  88385. }
  88386. static FLaC__INLINE void *safe_calloc_(size_t nmemb, size_t size)
  88387. {
  88388. if(!nmemb || !size)
  88389. return malloc(1); /* malloc(0) is undefined; FLAC src convention is to always allocate */
  88390. return calloc(nmemb, size);
  88391. }
  88392. /*@@@@ there's probably a better way to prevent overflows when allocating untrusted sums but this works for now */
  88393. static FLaC__INLINE void *safe_malloc_add_2op_(size_t size1, size_t size2)
  88394. {
  88395. size2 += size1;
  88396. if(size2 < size1)
  88397. return 0;
  88398. return safe_malloc_(size2);
  88399. }
  88400. static FLaC__INLINE void *safe_malloc_add_3op_(size_t size1, size_t size2, size_t size3)
  88401. {
  88402. size2 += size1;
  88403. if(size2 < size1)
  88404. return 0;
  88405. size3 += size2;
  88406. if(size3 < size2)
  88407. return 0;
  88408. return safe_malloc_(size3);
  88409. }
  88410. static FLaC__INLINE void *safe_malloc_add_4op_(size_t size1, size_t size2, size_t size3, size_t size4)
  88411. {
  88412. size2 += size1;
  88413. if(size2 < size1)
  88414. return 0;
  88415. size3 += size2;
  88416. if(size3 < size2)
  88417. return 0;
  88418. size4 += size3;
  88419. if(size4 < size3)
  88420. return 0;
  88421. return safe_malloc_(size4);
  88422. }
  88423. static FLaC__INLINE void *safe_malloc_mul_2op_(size_t size1, size_t size2)
  88424. #if 0
  88425. needs support for cases where sizeof(size_t) != 4
  88426. {
  88427. /* could be faster #ifdef'ing off SIZEOF_SIZE_T */
  88428. if(sizeof(size_t) == 4) {
  88429. if ((double)size1 * (double)size2 < 4294967296.0)
  88430. return malloc(size1*size2);
  88431. }
  88432. return 0;
  88433. }
  88434. #else
  88435. /* better? */
  88436. {
  88437. if(!size1 || !size2)
  88438. return malloc(1); /* malloc(0) is undefined; FLAC src convention is to always allocate */
  88439. if(size1 > SIZE_MAX / size2)
  88440. return 0;
  88441. return malloc(size1*size2);
  88442. }
  88443. #endif
  88444. static FLaC__INLINE void *safe_malloc_mul_3op_(size_t size1, size_t size2, size_t size3)
  88445. {
  88446. if(!size1 || !size2 || !size3)
  88447. return malloc(1); /* malloc(0) is undefined; FLAC src convention is to always allocate */
  88448. if(size1 > SIZE_MAX / size2)
  88449. return 0;
  88450. size1 *= size2;
  88451. if(size1 > SIZE_MAX / size3)
  88452. return 0;
  88453. return malloc(size1*size3);
  88454. }
  88455. /* size1*size2 + size3 */
  88456. static FLaC__INLINE void *safe_malloc_mul2add_(size_t size1, size_t size2, size_t size3)
  88457. {
  88458. if(!size1 || !size2)
  88459. return safe_malloc_(size3);
  88460. if(size1 > SIZE_MAX / size2)
  88461. return 0;
  88462. return safe_malloc_add_2op_(size1*size2, size3);
  88463. }
  88464. /* size1 * (size2 + size3) */
  88465. static FLaC__INLINE void *safe_malloc_muladd2_(size_t size1, size_t size2, size_t size3)
  88466. {
  88467. if(!size1 || (!size2 && !size3))
  88468. return malloc(1); /* malloc(0) is undefined; FLAC src convention is to always allocate */
  88469. size2 += size3;
  88470. if(size2 < size3)
  88471. return 0;
  88472. return safe_malloc_mul_2op_(size1, size2);
  88473. }
  88474. static FLaC__INLINE void *safe_realloc_add_2op_(void *ptr, size_t size1, size_t size2)
  88475. {
  88476. size2 += size1;
  88477. if(size2 < size1)
  88478. return 0;
  88479. return realloc(ptr, size2);
  88480. }
  88481. static FLaC__INLINE void *safe_realloc_add_3op_(void *ptr, size_t size1, size_t size2, size_t size3)
  88482. {
  88483. size2 += size1;
  88484. if(size2 < size1)
  88485. return 0;
  88486. size3 += size2;
  88487. if(size3 < size2)
  88488. return 0;
  88489. return realloc(ptr, size3);
  88490. }
  88491. static FLaC__INLINE void *safe_realloc_add_4op_(void *ptr, size_t size1, size_t size2, size_t size3, size_t size4)
  88492. {
  88493. size2 += size1;
  88494. if(size2 < size1)
  88495. return 0;
  88496. size3 += size2;
  88497. if(size3 < size2)
  88498. return 0;
  88499. size4 += size3;
  88500. if(size4 < size3)
  88501. return 0;
  88502. return realloc(ptr, size4);
  88503. }
  88504. static FLaC__INLINE void *safe_realloc_mul_2op_(void *ptr, size_t size1, size_t size2)
  88505. {
  88506. if(!size1 || !size2)
  88507. return realloc(ptr, 0); /* preserve POSIX realloc(ptr, 0) semantics */
  88508. if(size1 > SIZE_MAX / size2)
  88509. return 0;
  88510. return realloc(ptr, size1*size2);
  88511. }
  88512. /* size1 * (size2 + size3) */
  88513. static FLaC__INLINE void *safe_realloc_muladd2_(void *ptr, size_t size1, size_t size2, size_t size3)
  88514. {
  88515. if(!size1 || (!size2 && !size3))
  88516. return realloc(ptr, 0); /* preserve POSIX realloc(ptr, 0) semantics */
  88517. size2 += size3;
  88518. if(size2 < size3)
  88519. return 0;
  88520. return safe_realloc_mul_2op_(ptr, size1, size2);
  88521. }
  88522. #endif
  88523. /********* End of inlined file: alloc.h *********/
  88524. /* Things should be fastest when this matches the machine word size */
  88525. /* WATCHOUT: if you change this you must also change the following #defines down to SWAP_BE_WORD_TO_HOST below to match */
  88526. /* WATCHOUT: there are a few places where the code will not work unless bwword is >= 32 bits wide */
  88527. typedef FLAC__uint32 bwword;
  88528. #define FLAC__BYTES_PER_WORD 4
  88529. #define FLAC__BITS_PER_WORD 32
  88530. #define FLAC__WORD_ALL_ONES ((FLAC__uint32)0xffffffff)
  88531. /* SWAP_BE_WORD_TO_HOST swaps bytes in a bwword (which is always big-endian) if necessary to match host byte order */
  88532. #if WORDS_BIGENDIAN
  88533. #define SWAP_BE_WORD_TO_HOST(x) (x)
  88534. #else
  88535. #ifdef _MSC_VER
  88536. #define SWAP_BE_WORD_TO_HOST(x) local_swap32_(x)
  88537. #else
  88538. #define SWAP_BE_WORD_TO_HOST(x) ntohl(x)
  88539. #endif
  88540. #endif
  88541. /*
  88542. * The default capacity here doesn't matter too much. The buffer always grows
  88543. * to hold whatever is written to it. Usually the encoder will stop adding at
  88544. * a frame or metadata block, then write that out and clear the buffer for the
  88545. * next one.
  88546. */
  88547. static const unsigned FLAC__BITWRITER_DEFAULT_CAPACITY = 32768u / sizeof(bwword); /* size in words */
  88548. /* When growing, increment 4K at a time */
  88549. static const unsigned FLAC__BITWRITER_DEFAULT_INCREMENT = 4096u / sizeof(bwword); /* size in words */
  88550. #define FLAC__WORDS_TO_BITS(words) ((words) * FLAC__BITS_PER_WORD)
  88551. #define FLAC__TOTAL_BITS(bw) (FLAC__WORDS_TO_BITS((bw)->words) + (bw)->bits)
  88552. #ifdef min
  88553. #undef min
  88554. #endif
  88555. #define min(x,y) ((x)<(y)?(x):(y))
  88556. /* adjust for compilers that can't understand using LLU suffix for uint64_t literals */
  88557. #ifdef _MSC_VER
  88558. #define FLAC__U64L(x) x
  88559. #else
  88560. #define FLAC__U64L(x) x##LLU
  88561. #endif
  88562. #ifndef FLaC__INLINE
  88563. #define FLaC__INLINE
  88564. #endif
  88565. struct FLAC__BitWriter {
  88566. bwword *buffer;
  88567. bwword accum; /* accumulator; bits are right-justified; when full, accum is appended to buffer */
  88568. unsigned capacity; /* capacity of buffer in words */
  88569. unsigned words; /* # of complete words in buffer */
  88570. unsigned bits; /* # of used bits in accum */
  88571. };
  88572. /* * WATCHOUT: The current implementation only grows the buffer. */
  88573. static FLAC__bool bitwriter_grow_(FLAC__BitWriter *bw, unsigned bits_to_add)
  88574. {
  88575. unsigned new_capacity;
  88576. bwword *new_buffer;
  88577. FLAC__ASSERT(0 != bw);
  88578. FLAC__ASSERT(0 != bw->buffer);
  88579. /* calculate total words needed to store 'bits_to_add' additional bits */
  88580. new_capacity = bw->words + ((bw->bits + bits_to_add + FLAC__BITS_PER_WORD - 1) / FLAC__BITS_PER_WORD);
  88581. /* it's possible (due to pessimism in the growth estimation that
  88582. * leads to this call) that we don't actually need to grow
  88583. */
  88584. if(bw->capacity >= new_capacity)
  88585. return true;
  88586. /* round up capacity increase to the nearest FLAC__BITWRITER_DEFAULT_INCREMENT */
  88587. if((new_capacity - bw->capacity) % FLAC__BITWRITER_DEFAULT_INCREMENT)
  88588. new_capacity += FLAC__BITWRITER_DEFAULT_INCREMENT - ((new_capacity - bw->capacity) % FLAC__BITWRITER_DEFAULT_INCREMENT);
  88589. /* make sure we got everything right */
  88590. FLAC__ASSERT(0 == (new_capacity - bw->capacity) % FLAC__BITWRITER_DEFAULT_INCREMENT);
  88591. FLAC__ASSERT(new_capacity > bw->capacity);
  88592. FLAC__ASSERT(new_capacity >= bw->words + ((bw->bits + bits_to_add + FLAC__BITS_PER_WORD - 1) / FLAC__BITS_PER_WORD));
  88593. new_buffer = (bwword*)safe_realloc_mul_2op_(bw->buffer, sizeof(bwword), /*times*/new_capacity);
  88594. if(new_buffer == 0)
  88595. return false;
  88596. bw->buffer = new_buffer;
  88597. bw->capacity = new_capacity;
  88598. return true;
  88599. }
  88600. /***********************************************************************
  88601. *
  88602. * Class constructor/destructor
  88603. *
  88604. ***********************************************************************/
  88605. FLAC__BitWriter *FLAC__bitwriter_new(void)
  88606. {
  88607. FLAC__BitWriter *bw = (FLAC__BitWriter*)calloc(1, sizeof(FLAC__BitWriter));
  88608. /* note that calloc() sets all members to 0 for us */
  88609. return bw;
  88610. }
  88611. void FLAC__bitwriter_delete(FLAC__BitWriter *bw)
  88612. {
  88613. FLAC__ASSERT(0 != bw);
  88614. FLAC__bitwriter_free(bw);
  88615. free(bw);
  88616. }
  88617. /***********************************************************************
  88618. *
  88619. * Public class methods
  88620. *
  88621. ***********************************************************************/
  88622. FLAC__bool FLAC__bitwriter_init(FLAC__BitWriter *bw)
  88623. {
  88624. FLAC__ASSERT(0 != bw);
  88625. bw->words = bw->bits = 0;
  88626. bw->capacity = FLAC__BITWRITER_DEFAULT_CAPACITY;
  88627. bw->buffer = (bwword*)malloc(sizeof(bwword) * bw->capacity);
  88628. if(bw->buffer == 0)
  88629. return false;
  88630. return true;
  88631. }
  88632. void FLAC__bitwriter_free(FLAC__BitWriter *bw)
  88633. {
  88634. FLAC__ASSERT(0 != bw);
  88635. if(0 != bw->buffer)
  88636. free(bw->buffer);
  88637. bw->buffer = 0;
  88638. bw->capacity = 0;
  88639. bw->words = bw->bits = 0;
  88640. }
  88641. void FLAC__bitwriter_clear(FLAC__BitWriter *bw)
  88642. {
  88643. bw->words = bw->bits = 0;
  88644. }
  88645. void FLAC__bitwriter_dump(const FLAC__BitWriter *bw, FILE *out)
  88646. {
  88647. unsigned i, j;
  88648. if(bw == 0) {
  88649. fprintf(out, "bitwriter is NULL\n");
  88650. }
  88651. else {
  88652. fprintf(out, "bitwriter: capacity=%u words=%u bits=%u total_bits=%u\n", bw->capacity, bw->words, bw->bits, FLAC__TOTAL_BITS(bw));
  88653. for(i = 0; i < bw->words; i++) {
  88654. fprintf(out, "%08X: ", i);
  88655. for(j = 0; j < FLAC__BITS_PER_WORD; j++)
  88656. fprintf(out, "%01u", bw->buffer[i] & (1 << (FLAC__BITS_PER_WORD-j-1)) ? 1:0);
  88657. fprintf(out, "\n");
  88658. }
  88659. if(bw->bits > 0) {
  88660. fprintf(out, "%08X: ", i);
  88661. for(j = 0; j < bw->bits; j++)
  88662. fprintf(out, "%01u", bw->accum & (1 << (bw->bits-j-1)) ? 1:0);
  88663. fprintf(out, "\n");
  88664. }
  88665. }
  88666. }
  88667. FLAC__bool FLAC__bitwriter_get_write_crc16(FLAC__BitWriter *bw, FLAC__uint16 *crc)
  88668. {
  88669. const FLAC__byte *buffer;
  88670. size_t bytes;
  88671. FLAC__ASSERT((bw->bits & 7) == 0); /* assert that we're byte-aligned */
  88672. if(!FLAC__bitwriter_get_buffer(bw, &buffer, &bytes))
  88673. return false;
  88674. *crc = (FLAC__uint16)FLAC__crc16(buffer, bytes);
  88675. FLAC__bitwriter_release_buffer(bw);
  88676. return true;
  88677. }
  88678. FLAC__bool FLAC__bitwriter_get_write_crc8(FLAC__BitWriter *bw, FLAC__byte *crc)
  88679. {
  88680. const FLAC__byte *buffer;
  88681. size_t bytes;
  88682. FLAC__ASSERT((bw->bits & 7) == 0); /* assert that we're byte-aligned */
  88683. if(!FLAC__bitwriter_get_buffer(bw, &buffer, &bytes))
  88684. return false;
  88685. *crc = FLAC__crc8(buffer, bytes);
  88686. FLAC__bitwriter_release_buffer(bw);
  88687. return true;
  88688. }
  88689. FLAC__bool FLAC__bitwriter_is_byte_aligned(const FLAC__BitWriter *bw)
  88690. {
  88691. return ((bw->bits & 7) == 0);
  88692. }
  88693. unsigned FLAC__bitwriter_get_input_bits_unconsumed(const FLAC__BitWriter *bw)
  88694. {
  88695. return FLAC__TOTAL_BITS(bw);
  88696. }
  88697. FLAC__bool FLAC__bitwriter_get_buffer(FLAC__BitWriter *bw, const FLAC__byte **buffer, size_t *bytes)
  88698. {
  88699. FLAC__ASSERT((bw->bits & 7) == 0);
  88700. /* double protection */
  88701. if(bw->bits & 7)
  88702. return false;
  88703. /* if we have bits in the accumulator we have to flush those to the buffer first */
  88704. if(bw->bits) {
  88705. FLAC__ASSERT(bw->words <= bw->capacity);
  88706. if(bw->words == bw->capacity && !bitwriter_grow_(bw, FLAC__BITS_PER_WORD))
  88707. return false;
  88708. /* append bits as complete word to buffer, but don't change bw->accum or bw->bits */
  88709. bw->buffer[bw->words] = SWAP_BE_WORD_TO_HOST(bw->accum << (FLAC__BITS_PER_WORD-bw->bits));
  88710. }
  88711. /* now we can just return what we have */
  88712. *buffer = (FLAC__byte*)bw->buffer;
  88713. *bytes = (FLAC__BYTES_PER_WORD * bw->words) + (bw->bits >> 3);
  88714. return true;
  88715. }
  88716. void FLAC__bitwriter_release_buffer(FLAC__BitWriter *bw)
  88717. {
  88718. /* nothing to do. in the future, strict checking of a 'writer-is-in-
  88719. * get-mode' flag could be added everywhere and then cleared here
  88720. */
  88721. (void)bw;
  88722. }
  88723. FLaC__INLINE FLAC__bool FLAC__bitwriter_write_zeroes(FLAC__BitWriter *bw, unsigned bits)
  88724. {
  88725. unsigned n;
  88726. FLAC__ASSERT(0 != bw);
  88727. FLAC__ASSERT(0 != bw->buffer);
  88728. if(bits == 0)
  88729. return true;
  88730. /* slightly pessimistic size check but faster than "<= bw->words + (bw->bits+bits+FLAC__BITS_PER_WORD-1)/FLAC__BITS_PER_WORD" */
  88731. if(bw->capacity <= bw->words + bits && !bitwriter_grow_(bw, bits))
  88732. return false;
  88733. /* first part gets to word alignment */
  88734. if(bw->bits) {
  88735. n = min(FLAC__BITS_PER_WORD - bw->bits, bits);
  88736. bw->accum <<= n;
  88737. bits -= n;
  88738. bw->bits += n;
  88739. if(bw->bits == FLAC__BITS_PER_WORD) {
  88740. bw->buffer[bw->words++] = SWAP_BE_WORD_TO_HOST(bw->accum);
  88741. bw->bits = 0;
  88742. }
  88743. else
  88744. return true;
  88745. }
  88746. /* do whole words */
  88747. while(bits >= FLAC__BITS_PER_WORD) {
  88748. bw->buffer[bw->words++] = 0;
  88749. bits -= FLAC__BITS_PER_WORD;
  88750. }
  88751. /* do any leftovers */
  88752. if(bits > 0) {
  88753. bw->accum = 0;
  88754. bw->bits = bits;
  88755. }
  88756. return true;
  88757. }
  88758. FLaC__INLINE FLAC__bool FLAC__bitwriter_write_raw_uint32(FLAC__BitWriter *bw, FLAC__uint32 val, unsigned bits)
  88759. {
  88760. register unsigned left;
  88761. /* WATCHOUT: code does not work with <32bit words; we can make things much faster with this assertion */
  88762. FLAC__ASSERT(FLAC__BITS_PER_WORD >= 32);
  88763. FLAC__ASSERT(0 != bw);
  88764. FLAC__ASSERT(0 != bw->buffer);
  88765. FLAC__ASSERT(bits <= 32);
  88766. if(bits == 0)
  88767. return true;
  88768. /* slightly pessimistic size check but faster than "<= bw->words + (bw->bits+bits+FLAC__BITS_PER_WORD-1)/FLAC__BITS_PER_WORD" */
  88769. if(bw->capacity <= bw->words + bits && !bitwriter_grow_(bw, bits))
  88770. return false;
  88771. left = FLAC__BITS_PER_WORD - bw->bits;
  88772. if(bits < left) {
  88773. bw->accum <<= bits;
  88774. bw->accum |= val;
  88775. bw->bits += bits;
  88776. }
  88777. else if(bw->bits) { /* WATCHOUT: if bw->bits == 0, left==FLAC__BITS_PER_WORD and bw->accum<<=left is a NOP instead of setting to 0 */
  88778. bw->accum <<= left;
  88779. bw->accum |= val >> (bw->bits = bits - left);
  88780. bw->buffer[bw->words++] = SWAP_BE_WORD_TO_HOST(bw->accum);
  88781. bw->accum = val;
  88782. }
  88783. else {
  88784. bw->accum = val;
  88785. bw->bits = 0;
  88786. bw->buffer[bw->words++] = SWAP_BE_WORD_TO_HOST(val);
  88787. }
  88788. return true;
  88789. }
  88790. FLaC__INLINE FLAC__bool FLAC__bitwriter_write_raw_int32(FLAC__BitWriter *bw, FLAC__int32 val, unsigned bits)
  88791. {
  88792. /* zero-out unused bits */
  88793. if(bits < 32)
  88794. val &= (~(0xffffffff << bits));
  88795. return FLAC__bitwriter_write_raw_uint32(bw, (FLAC__uint32)val, bits);
  88796. }
  88797. FLaC__INLINE FLAC__bool FLAC__bitwriter_write_raw_uint64(FLAC__BitWriter *bw, FLAC__uint64 val, unsigned bits)
  88798. {
  88799. /* this could be a little faster but it's not used for much */
  88800. if(bits > 32) {
  88801. return
  88802. FLAC__bitwriter_write_raw_uint32(bw, (FLAC__uint32)(val>>32), bits-32) &&
  88803. FLAC__bitwriter_write_raw_uint32(bw, (FLAC__uint32)val, 32);
  88804. }
  88805. else
  88806. return FLAC__bitwriter_write_raw_uint32(bw, (FLAC__uint32)val, bits);
  88807. }
  88808. FLaC__INLINE FLAC__bool FLAC__bitwriter_write_raw_uint32_little_endian(FLAC__BitWriter *bw, FLAC__uint32 val)
  88809. {
  88810. /* this doesn't need to be that fast as currently it is only used for vorbis comments */
  88811. if(!FLAC__bitwriter_write_raw_uint32(bw, val & 0xff, 8))
  88812. return false;
  88813. if(!FLAC__bitwriter_write_raw_uint32(bw, (val>>8) & 0xff, 8))
  88814. return false;
  88815. if(!FLAC__bitwriter_write_raw_uint32(bw, (val>>16) & 0xff, 8))
  88816. return false;
  88817. if(!FLAC__bitwriter_write_raw_uint32(bw, val>>24, 8))
  88818. return false;
  88819. return true;
  88820. }
  88821. FLaC__INLINE FLAC__bool FLAC__bitwriter_write_byte_block(FLAC__BitWriter *bw, const FLAC__byte vals[], unsigned nvals)
  88822. {
  88823. unsigned i;
  88824. /* this could be faster but currently we don't need it to be since it's only used for writing metadata */
  88825. for(i = 0; i < nvals; i++) {
  88826. if(!FLAC__bitwriter_write_raw_uint32(bw, (FLAC__uint32)(vals[i]), 8))
  88827. return false;
  88828. }
  88829. return true;
  88830. }
  88831. FLAC__bool FLAC__bitwriter_write_unary_unsigned(FLAC__BitWriter *bw, unsigned val)
  88832. {
  88833. if(val < 32)
  88834. return FLAC__bitwriter_write_raw_uint32(bw, 1, ++val);
  88835. else
  88836. return
  88837. FLAC__bitwriter_write_zeroes(bw, val) &&
  88838. FLAC__bitwriter_write_raw_uint32(bw, 1, 1);
  88839. }
  88840. unsigned FLAC__bitwriter_rice_bits(FLAC__int32 val, unsigned parameter)
  88841. {
  88842. FLAC__uint32 uval;
  88843. FLAC__ASSERT(parameter < sizeof(unsigned)*8);
  88844. /* fold signed to unsigned; actual formula is: negative(v)? -2v-1 : 2v */
  88845. uval = (val<<1) ^ (val>>31);
  88846. return 1 + parameter + (uval >> parameter);
  88847. }
  88848. #if 0 /* UNUSED */
  88849. unsigned FLAC__bitwriter_golomb_bits_signed(int val, unsigned parameter)
  88850. {
  88851. unsigned bits, msbs, uval;
  88852. unsigned k;
  88853. FLAC__ASSERT(parameter > 0);
  88854. /* fold signed to unsigned */
  88855. if(val < 0)
  88856. uval = (unsigned)(((-(++val)) << 1) + 1);
  88857. else
  88858. uval = (unsigned)(val << 1);
  88859. k = FLAC__bitmath_ilog2(parameter);
  88860. if(parameter == 1u<<k) {
  88861. FLAC__ASSERT(k <= 30);
  88862. msbs = uval >> k;
  88863. bits = 1 + k + msbs;
  88864. }
  88865. else {
  88866. unsigned q, r, d;
  88867. d = (1 << (k+1)) - parameter;
  88868. q = uval / parameter;
  88869. r = uval - (q * parameter);
  88870. bits = 1 + q + k;
  88871. if(r >= d)
  88872. bits++;
  88873. }
  88874. return bits;
  88875. }
  88876. unsigned FLAC__bitwriter_golomb_bits_unsigned(unsigned uval, unsigned parameter)
  88877. {
  88878. unsigned bits, msbs;
  88879. unsigned k;
  88880. FLAC__ASSERT(parameter > 0);
  88881. k = FLAC__bitmath_ilog2(parameter);
  88882. if(parameter == 1u<<k) {
  88883. FLAC__ASSERT(k <= 30);
  88884. msbs = uval >> k;
  88885. bits = 1 + k + msbs;
  88886. }
  88887. else {
  88888. unsigned q, r, d;
  88889. d = (1 << (k+1)) - parameter;
  88890. q = uval / parameter;
  88891. r = uval - (q * parameter);
  88892. bits = 1 + q + k;
  88893. if(r >= d)
  88894. bits++;
  88895. }
  88896. return bits;
  88897. }
  88898. #endif /* UNUSED */
  88899. FLAC__bool FLAC__bitwriter_write_rice_signed(FLAC__BitWriter *bw, FLAC__int32 val, unsigned parameter)
  88900. {
  88901. unsigned total_bits, interesting_bits, msbs;
  88902. FLAC__uint32 uval, pattern;
  88903. FLAC__ASSERT(0 != bw);
  88904. FLAC__ASSERT(0 != bw->buffer);
  88905. FLAC__ASSERT(parameter < 8*sizeof(uval));
  88906. /* fold signed to unsigned; actual formula is: negative(v)? -2v-1 : 2v */
  88907. uval = (val<<1) ^ (val>>31);
  88908. msbs = uval >> parameter;
  88909. interesting_bits = 1 + parameter;
  88910. total_bits = interesting_bits + msbs;
  88911. pattern = 1 << parameter; /* the unary end bit */
  88912. pattern |= (uval & ((1<<parameter)-1)); /* the binary LSBs */
  88913. if(total_bits <= 32)
  88914. return FLAC__bitwriter_write_raw_uint32(bw, pattern, total_bits);
  88915. else
  88916. return
  88917. FLAC__bitwriter_write_zeroes(bw, msbs) && /* write the unary MSBs */
  88918. FLAC__bitwriter_write_raw_uint32(bw, pattern, interesting_bits); /* write the unary end bit and binary LSBs */
  88919. }
  88920. FLAC__bool FLAC__bitwriter_write_rice_signed_block(FLAC__BitWriter *bw, const FLAC__int32 *vals, unsigned nvals, unsigned parameter)
  88921. {
  88922. const FLAC__uint32 mask1 = FLAC__WORD_ALL_ONES << parameter; /* we val|=mask1 to set the stop bit above it... */
  88923. const FLAC__uint32 mask2 = FLAC__WORD_ALL_ONES >> (31-parameter); /* ...then mask off the bits above the stop bit with val&=mask2*/
  88924. FLAC__uint32 uval;
  88925. unsigned left;
  88926. const unsigned lsbits = 1 + parameter;
  88927. unsigned msbits;
  88928. FLAC__ASSERT(0 != bw);
  88929. FLAC__ASSERT(0 != bw->buffer);
  88930. FLAC__ASSERT(parameter < 8*sizeof(bwword)-1);
  88931. /* WATCHOUT: code does not work with <32bit words; we can make things much faster with this assertion */
  88932. FLAC__ASSERT(FLAC__BITS_PER_WORD >= 32);
  88933. while(nvals) {
  88934. /* fold signed to unsigned; actual formula is: negative(v)? -2v-1 : 2v */
  88935. uval = (*vals<<1) ^ (*vals>>31);
  88936. msbits = uval >> parameter;
  88937. #if 0 /* OPT: can remove this special case if it doesn't make up for the extra compare (doesn't make a statistically significant difference with msvc or gcc/x86) */
  88938. if(bw->bits && bw->bits + msbits + lsbits <= FLAC__BITS_PER_WORD) { /* i.e. if the whole thing fits in the current bwword */
  88939. /* ^^^ if bw->bits is 0 then we may have filled the buffer and have no free bwword to work in */
  88940. bw->bits = bw->bits + msbits + lsbits;
  88941. uval |= mask1; /* set stop bit */
  88942. uval &= mask2; /* mask off unused top bits */
  88943. /* NOT: bw->accum <<= msbits + lsbits because msbits+lsbits could be 32, then the shift would be a NOP */
  88944. bw->accum <<= msbits;
  88945. bw->accum <<= lsbits;
  88946. bw->accum |= uval;
  88947. if(bw->bits == FLAC__BITS_PER_WORD) {
  88948. bw->buffer[bw->words++] = SWAP_BE_WORD_TO_HOST(bw->accum);
  88949. bw->bits = 0;
  88950. /* burying the capacity check down here means we have to grow the buffer a little if there are more vals to do */
  88951. if(bw->capacity <= bw->words && nvals > 1 && !bitwriter_grow_(bw, 1)) {
  88952. FLAC__ASSERT(bw->capacity == bw->words);
  88953. return false;
  88954. }
  88955. }
  88956. }
  88957. else {
  88958. #elif 1 /*@@@@@@ OPT: try this version with MSVC6 to see if better, not much difference for gcc-4 */
  88959. if(bw->bits && bw->bits + msbits + lsbits < FLAC__BITS_PER_WORD) { /* i.e. if the whole thing fits in the current bwword */
  88960. /* ^^^ if bw->bits is 0 then we may have filled the buffer and have no free bwword to work in */
  88961. bw->bits = bw->bits + msbits + lsbits;
  88962. uval |= mask1; /* set stop bit */
  88963. uval &= mask2; /* mask off unused top bits */
  88964. bw->accum <<= msbits + lsbits;
  88965. bw->accum |= uval;
  88966. }
  88967. else {
  88968. #endif
  88969. /* slightly pessimistic size check but faster than "<= bw->words + (bw->bits+msbits+lsbits+FLAC__BITS_PER_WORD-1)/FLAC__BITS_PER_WORD" */
  88970. /* OPT: pessimism may cause flurry of false calls to grow_ which eat up all savings before it */
  88971. if(bw->capacity <= bw->words + bw->bits + msbits + 1/*lsbits always fit in 1 bwword*/ && !bitwriter_grow_(bw, msbits+lsbits))
  88972. return false;
  88973. if(msbits) {
  88974. /* first part gets to word alignment */
  88975. if(bw->bits) {
  88976. left = FLAC__BITS_PER_WORD - bw->bits;
  88977. if(msbits < left) {
  88978. bw->accum <<= msbits;
  88979. bw->bits += msbits;
  88980. goto break1;
  88981. }
  88982. else {
  88983. bw->accum <<= left;
  88984. msbits -= left;
  88985. bw->buffer[bw->words++] = SWAP_BE_WORD_TO_HOST(bw->accum);
  88986. bw->bits = 0;
  88987. }
  88988. }
  88989. /* do whole words */
  88990. while(msbits >= FLAC__BITS_PER_WORD) {
  88991. bw->buffer[bw->words++] = 0;
  88992. msbits -= FLAC__BITS_PER_WORD;
  88993. }
  88994. /* do any leftovers */
  88995. if(msbits > 0) {
  88996. bw->accum = 0;
  88997. bw->bits = msbits;
  88998. }
  88999. }
  89000. break1:
  89001. uval |= mask1; /* set stop bit */
  89002. uval &= mask2; /* mask off unused top bits */
  89003. left = FLAC__BITS_PER_WORD - bw->bits;
  89004. if(lsbits < left) {
  89005. bw->accum <<= lsbits;
  89006. bw->accum |= uval;
  89007. bw->bits += lsbits;
  89008. }
  89009. else {
  89010. /* if bw->bits == 0, left==FLAC__BITS_PER_WORD which will always
  89011. * be > lsbits (because of previous assertions) so it would have
  89012. * triggered the (lsbits<left) case above.
  89013. */
  89014. FLAC__ASSERT(bw->bits);
  89015. FLAC__ASSERT(left < FLAC__BITS_PER_WORD);
  89016. bw->accum <<= left;
  89017. bw->accum |= uval >> (bw->bits = lsbits - left);
  89018. bw->buffer[bw->words++] = SWAP_BE_WORD_TO_HOST(bw->accum);
  89019. bw->accum = uval;
  89020. }
  89021. #if 1
  89022. }
  89023. #endif
  89024. vals++;
  89025. nvals--;
  89026. }
  89027. return true;
  89028. }
  89029. #if 0 /* UNUSED */
  89030. FLAC__bool FLAC__bitwriter_write_golomb_signed(FLAC__BitWriter *bw, int val, unsigned parameter)
  89031. {
  89032. unsigned total_bits, msbs, uval;
  89033. unsigned k;
  89034. FLAC__ASSERT(0 != bw);
  89035. FLAC__ASSERT(0 != bw->buffer);
  89036. FLAC__ASSERT(parameter > 0);
  89037. /* fold signed to unsigned */
  89038. if(val < 0)
  89039. uval = (unsigned)(((-(++val)) << 1) + 1);
  89040. else
  89041. uval = (unsigned)(val << 1);
  89042. k = FLAC__bitmath_ilog2(parameter);
  89043. if(parameter == 1u<<k) {
  89044. unsigned pattern;
  89045. FLAC__ASSERT(k <= 30);
  89046. msbs = uval >> k;
  89047. total_bits = 1 + k + msbs;
  89048. pattern = 1 << k; /* the unary end bit */
  89049. pattern |= (uval & ((1u<<k)-1)); /* the binary LSBs */
  89050. if(total_bits <= 32) {
  89051. if(!FLAC__bitwriter_write_raw_uint32(bw, pattern, total_bits))
  89052. return false;
  89053. }
  89054. else {
  89055. /* write the unary MSBs */
  89056. if(!FLAC__bitwriter_write_zeroes(bw, msbs))
  89057. return false;
  89058. /* write the unary end bit and binary LSBs */
  89059. if(!FLAC__bitwriter_write_raw_uint32(bw, pattern, k+1))
  89060. return false;
  89061. }
  89062. }
  89063. else {
  89064. unsigned q, r, d;
  89065. d = (1 << (k+1)) - parameter;
  89066. q = uval / parameter;
  89067. r = uval - (q * parameter);
  89068. /* write the unary MSBs */
  89069. if(!FLAC__bitwriter_write_zeroes(bw, q))
  89070. return false;
  89071. /* write the unary end bit */
  89072. if(!FLAC__bitwriter_write_raw_uint32(bw, 1, 1))
  89073. return false;
  89074. /* write the binary LSBs */
  89075. if(r >= d) {
  89076. if(!FLAC__bitwriter_write_raw_uint32(bw, r+d, k+1))
  89077. return false;
  89078. }
  89079. else {
  89080. if(!FLAC__bitwriter_write_raw_uint32(bw, r, k))
  89081. return false;
  89082. }
  89083. }
  89084. return true;
  89085. }
  89086. FLAC__bool FLAC__bitwriter_write_golomb_unsigned(FLAC__BitWriter *bw, unsigned uval, unsigned parameter)
  89087. {
  89088. unsigned total_bits, msbs;
  89089. unsigned k;
  89090. FLAC__ASSERT(0 != bw);
  89091. FLAC__ASSERT(0 != bw->buffer);
  89092. FLAC__ASSERT(parameter > 0);
  89093. k = FLAC__bitmath_ilog2(parameter);
  89094. if(parameter == 1u<<k) {
  89095. unsigned pattern;
  89096. FLAC__ASSERT(k <= 30);
  89097. msbs = uval >> k;
  89098. total_bits = 1 + k + msbs;
  89099. pattern = 1 << k; /* the unary end bit */
  89100. pattern |= (uval & ((1u<<k)-1)); /* the binary LSBs */
  89101. if(total_bits <= 32) {
  89102. if(!FLAC__bitwriter_write_raw_uint32(bw, pattern, total_bits))
  89103. return false;
  89104. }
  89105. else {
  89106. /* write the unary MSBs */
  89107. if(!FLAC__bitwriter_write_zeroes(bw, msbs))
  89108. return false;
  89109. /* write the unary end bit and binary LSBs */
  89110. if(!FLAC__bitwriter_write_raw_uint32(bw, pattern, k+1))
  89111. return false;
  89112. }
  89113. }
  89114. else {
  89115. unsigned q, r, d;
  89116. d = (1 << (k+1)) - parameter;
  89117. q = uval / parameter;
  89118. r = uval - (q * parameter);
  89119. /* write the unary MSBs */
  89120. if(!FLAC__bitwriter_write_zeroes(bw, q))
  89121. return false;
  89122. /* write the unary end bit */
  89123. if(!FLAC__bitwriter_write_raw_uint32(bw, 1, 1))
  89124. return false;
  89125. /* write the binary LSBs */
  89126. if(r >= d) {
  89127. if(!FLAC__bitwriter_write_raw_uint32(bw, r+d, k+1))
  89128. return false;
  89129. }
  89130. else {
  89131. if(!FLAC__bitwriter_write_raw_uint32(bw, r, k))
  89132. return false;
  89133. }
  89134. }
  89135. return true;
  89136. }
  89137. #endif /* UNUSED */
  89138. FLAC__bool FLAC__bitwriter_write_utf8_uint32(FLAC__BitWriter *bw, FLAC__uint32 val)
  89139. {
  89140. FLAC__bool ok = 1;
  89141. FLAC__ASSERT(0 != bw);
  89142. FLAC__ASSERT(0 != bw->buffer);
  89143. FLAC__ASSERT(!(val & 0x80000000)); /* this version only handles 31 bits */
  89144. if(val < 0x80) {
  89145. return FLAC__bitwriter_write_raw_uint32(bw, val, 8);
  89146. }
  89147. else if(val < 0x800) {
  89148. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xC0 | (val>>6), 8);
  89149. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (val&0x3F), 8);
  89150. }
  89151. else if(val < 0x10000) {
  89152. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xE0 | (val>>12), 8);
  89153. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>6)&0x3F), 8);
  89154. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (val&0x3F), 8);
  89155. }
  89156. else if(val < 0x200000) {
  89157. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xF0 | (val>>18), 8);
  89158. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>12)&0x3F), 8);
  89159. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>6)&0x3F), 8);
  89160. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (val&0x3F), 8);
  89161. }
  89162. else if(val < 0x4000000) {
  89163. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xF8 | (val>>24), 8);
  89164. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>18)&0x3F), 8);
  89165. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>12)&0x3F), 8);
  89166. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>6)&0x3F), 8);
  89167. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (val&0x3F), 8);
  89168. }
  89169. else {
  89170. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xFC | (val>>30), 8);
  89171. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>24)&0x3F), 8);
  89172. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>18)&0x3F), 8);
  89173. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>12)&0x3F), 8);
  89174. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | ((val>>6)&0x3F), 8);
  89175. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (val&0x3F), 8);
  89176. }
  89177. return ok;
  89178. }
  89179. FLAC__bool FLAC__bitwriter_write_utf8_uint64(FLAC__BitWriter *bw, FLAC__uint64 val)
  89180. {
  89181. FLAC__bool ok = 1;
  89182. FLAC__ASSERT(0 != bw);
  89183. FLAC__ASSERT(0 != bw->buffer);
  89184. FLAC__ASSERT(!(val & FLAC__U64L(0xFFFFFFF000000000))); /* this version only handles 36 bits */
  89185. if(val < 0x80) {
  89186. return FLAC__bitwriter_write_raw_uint32(bw, (FLAC__uint32)val, 8);
  89187. }
  89188. else if(val < 0x800) {
  89189. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xC0 | (FLAC__uint32)(val>>6), 8);
  89190. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)(val&0x3F), 8);
  89191. }
  89192. else if(val < 0x10000) {
  89193. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xE0 | (FLAC__uint32)(val>>12), 8);
  89194. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>6)&0x3F), 8);
  89195. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)(val&0x3F), 8);
  89196. }
  89197. else if(val < 0x200000) {
  89198. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xF0 | (FLAC__uint32)(val>>18), 8);
  89199. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>12)&0x3F), 8);
  89200. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>6)&0x3F), 8);
  89201. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)(val&0x3F), 8);
  89202. }
  89203. else if(val < 0x4000000) {
  89204. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xF8 | (FLAC__uint32)(val>>24), 8);
  89205. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>18)&0x3F), 8);
  89206. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>12)&0x3F), 8);
  89207. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>6)&0x3F), 8);
  89208. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)(val&0x3F), 8);
  89209. }
  89210. else if(val < 0x80000000) {
  89211. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xFC | (FLAC__uint32)(val>>30), 8);
  89212. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>24)&0x3F), 8);
  89213. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>18)&0x3F), 8);
  89214. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>12)&0x3F), 8);
  89215. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>6)&0x3F), 8);
  89216. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)(val&0x3F), 8);
  89217. }
  89218. else {
  89219. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0xFE, 8);
  89220. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>30)&0x3F), 8);
  89221. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>24)&0x3F), 8);
  89222. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>18)&0x3F), 8);
  89223. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>12)&0x3F), 8);
  89224. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)((val>>6)&0x3F), 8);
  89225. ok &= FLAC__bitwriter_write_raw_uint32(bw, 0x80 | (FLAC__uint32)(val&0x3F), 8);
  89226. }
  89227. return ok;
  89228. }
  89229. FLAC__bool FLAC__bitwriter_zero_pad_to_byte_boundary(FLAC__BitWriter *bw)
  89230. {
  89231. /* 0-pad to byte boundary */
  89232. if(bw->bits & 7u)
  89233. return FLAC__bitwriter_write_zeroes(bw, 8 - (bw->bits & 7u));
  89234. else
  89235. return true;
  89236. }
  89237. #endif
  89238. /********* End of inlined file: bitwriter.c *********/
  89239. /********* Start of inlined file: cpu.c *********/
  89240. /********* Start of inlined file: juce_FlacHeader.h *********/
  89241. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  89242. // tasks..
  89243. #define VERSION "1.2.1"
  89244. #define FLAC__NO_DLL 1
  89245. #ifdef _MSC_VER
  89246. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  89247. #endif
  89248. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  89249. #define FLAC__SYS_DARWIN 1
  89250. #endif
  89251. /********* End of inlined file: juce_FlacHeader.h *********/
  89252. #if JUCE_USE_FLAC
  89253. #if HAVE_CONFIG_H
  89254. # include <config.h>
  89255. #endif
  89256. #include <stdlib.h>
  89257. #include <stdio.h>
  89258. #if defined FLAC__CPU_IA32
  89259. # include <signal.h>
  89260. #elif defined FLAC__CPU_PPC
  89261. # if !defined FLAC__NO_ASM
  89262. # if defined FLAC__SYS_DARWIN
  89263. # include <sys/sysctl.h>
  89264. # include <mach/mach.h>
  89265. # include <mach/mach_host.h>
  89266. # include <mach/host_info.h>
  89267. # include <mach/machine.h>
  89268. # ifndef CPU_SUBTYPE_POWERPC_970
  89269. # define CPU_SUBTYPE_POWERPC_970 ((cpu_subtype_t) 100)
  89270. # endif
  89271. # else /* FLAC__SYS_DARWIN */
  89272. # include <signal.h>
  89273. # include <setjmp.h>
  89274. static sigjmp_buf jmpbuf;
  89275. static volatile sig_atomic_t canjump = 0;
  89276. static void sigill_handler (int sig)
  89277. {
  89278. if (!canjump) {
  89279. signal (sig, SIG_DFL);
  89280. raise (sig);
  89281. }
  89282. canjump = 0;
  89283. siglongjmp (jmpbuf, 1);
  89284. }
  89285. # endif /* FLAC__SYS_DARWIN */
  89286. # endif /* FLAC__NO_ASM */
  89287. #endif /* FLAC__CPU_PPC */
  89288. #if defined (__NetBSD__) || defined(__OpenBSD__)
  89289. #include <sys/param.h>
  89290. #include <sys/sysctl.h>
  89291. #include <machine/cpu.h>
  89292. #endif
  89293. #if defined(__FreeBSD__) || defined(__FreeBSD_kernel__) || defined(__DragonFly__)
  89294. #include <sys/types.h>
  89295. #include <sys/sysctl.h>
  89296. #endif
  89297. #if defined(__APPLE__)
  89298. /* how to get sysctlbyname()? */
  89299. #endif
  89300. /* these are flags in EDX of CPUID AX=00000001 */
  89301. static const unsigned FLAC__CPUINFO_IA32_CPUID_CMOV = 0x00008000;
  89302. static const unsigned FLAC__CPUINFO_IA32_CPUID_MMX = 0x00800000;
  89303. static const unsigned FLAC__CPUINFO_IA32_CPUID_FXSR = 0x01000000;
  89304. static const unsigned FLAC__CPUINFO_IA32_CPUID_SSE = 0x02000000;
  89305. static const unsigned FLAC__CPUINFO_IA32_CPUID_SSE2 = 0x04000000;
  89306. /* these are flags in ECX of CPUID AX=00000001 */
  89307. static const unsigned FLAC__CPUINFO_IA32_CPUID_SSE3 = 0x00000001;
  89308. static const unsigned FLAC__CPUINFO_IA32_CPUID_SSSE3 = 0x00000200;
  89309. /* these are flags in EDX of CPUID AX=80000001 */
  89310. static const unsigned FLAC__CPUINFO_IA32_CPUID_EXTENDED_AMD_3DNOW = 0x80000000;
  89311. static const unsigned FLAC__CPUINFO_IA32_CPUID_EXTENDED_AMD_EXT3DNOW = 0x40000000;
  89312. static const unsigned FLAC__CPUINFO_IA32_CPUID_EXTENDED_AMD_EXTMMX = 0x00400000;
  89313. /*
  89314. * Extra stuff needed for detection of OS support for SSE on IA-32
  89315. */
  89316. #if defined(FLAC__CPU_IA32) && !defined FLAC__NO_ASM && defined FLAC__HAS_NASM && !defined FLAC__NO_SSE_OS && !defined FLAC__SSE_OS
  89317. # if defined(__linux__)
  89318. /*
  89319. * If the OS doesn't support SSE, we will get here with a SIGILL. We
  89320. * modify the return address to jump over the offending SSE instruction
  89321. * and also the operation following it that indicates the instruction
  89322. * executed successfully. In this way we use no global variables and
  89323. * stay thread-safe.
  89324. *
  89325. * 3 + 3 + 6:
  89326. * 3 bytes for "xorps xmm0,xmm0"
  89327. * 3 bytes for estimate of how long the follwing "inc var" instruction is
  89328. * 6 bytes extra in case our estimate is wrong
  89329. * 12 bytes puts us in the NOP "landing zone"
  89330. */
  89331. # undef USE_OBSOLETE_SIGCONTEXT_FLAVOR /* #define this to use the older signal handler method */
  89332. # ifdef USE_OBSOLETE_SIGCONTEXT_FLAVOR
  89333. static void sigill_handler_sse_os(int signal, struct sigcontext sc)
  89334. {
  89335. (void)signal;
  89336. sc.eip += 3 + 3 + 6;
  89337. }
  89338. # else
  89339. # include <sys/ucontext.h>
  89340. static void sigill_handler_sse_os(int signal, siginfo_t *si, void *uc)
  89341. {
  89342. (void)signal, (void)si;
  89343. ((ucontext_t*)uc)->uc_mcontext.gregs[14/*REG_EIP*/] += 3 + 3 + 6;
  89344. }
  89345. # endif
  89346. # elif defined(_MSC_VER)
  89347. # include <windows.h>
  89348. # undef USE_TRY_CATCH_FLAVOR /* #define this to use the try/catch method for catching illegal opcode exception */
  89349. # ifdef USE_TRY_CATCH_FLAVOR
  89350. # else
  89351. LONG CALLBACK sigill_handler_sse_os(EXCEPTION_POINTERS *ep)
  89352. {
  89353. if(ep->ExceptionRecord->ExceptionCode == EXCEPTION_ILLEGAL_INSTRUCTION) {
  89354. ep->ContextRecord->Eip += 3 + 3 + 6;
  89355. return EXCEPTION_CONTINUE_EXECUTION;
  89356. }
  89357. return EXCEPTION_CONTINUE_SEARCH;
  89358. }
  89359. # endif
  89360. # endif
  89361. #endif
  89362. void FLAC__cpu_info(FLAC__CPUInfo *info)
  89363. {
  89364. /*
  89365. * IA32-specific
  89366. */
  89367. #ifdef FLAC__CPU_IA32
  89368. info->type = FLAC__CPUINFO_TYPE_IA32;
  89369. #if !defined FLAC__NO_ASM && defined FLAC__HAS_NASM
  89370. info->use_asm = true; /* we assume a minimum of 80386 with FLAC__CPU_IA32 */
  89371. info->data.ia32.cpuid = FLAC__cpu_have_cpuid_asm_ia32()? true : false;
  89372. info->data.ia32.bswap = info->data.ia32.cpuid; /* CPUID => BSWAP since it came after */
  89373. info->data.ia32.cmov = false;
  89374. info->data.ia32.mmx = false;
  89375. info->data.ia32.fxsr = false;
  89376. info->data.ia32.sse = false;
  89377. info->data.ia32.sse2 = false;
  89378. info->data.ia32.sse3 = false;
  89379. info->data.ia32.ssse3 = false;
  89380. info->data.ia32._3dnow = false;
  89381. info->data.ia32.ext3dnow = false;
  89382. info->data.ia32.extmmx = false;
  89383. if(info->data.ia32.cpuid) {
  89384. /* http://www.sandpile.org/ia32/cpuid.htm */
  89385. FLAC__uint32 flags_edx, flags_ecx;
  89386. FLAC__cpu_info_asm_ia32(&flags_edx, &flags_ecx);
  89387. info->data.ia32.cmov = (flags_edx & FLAC__CPUINFO_IA32_CPUID_CMOV )? true : false;
  89388. info->data.ia32.mmx = (flags_edx & FLAC__CPUINFO_IA32_CPUID_MMX )? true : false;
  89389. info->data.ia32.fxsr = (flags_edx & FLAC__CPUINFO_IA32_CPUID_FXSR )? true : false;
  89390. info->data.ia32.sse = (flags_edx & FLAC__CPUINFO_IA32_CPUID_SSE )? true : false;
  89391. info->data.ia32.sse2 = (flags_edx & FLAC__CPUINFO_IA32_CPUID_SSE2 )? true : false;
  89392. info->data.ia32.sse3 = (flags_ecx & FLAC__CPUINFO_IA32_CPUID_SSE3 )? true : false;
  89393. info->data.ia32.ssse3 = (flags_ecx & FLAC__CPUINFO_IA32_CPUID_SSSE3)? true : false;
  89394. #ifdef FLAC__USE_3DNOW
  89395. flags_edx = FLAC__cpu_info_extended_amd_asm_ia32();
  89396. info->data.ia32._3dnow = (flags_edx & FLAC__CPUINFO_IA32_CPUID_EXTENDED_AMD_3DNOW )? true : false;
  89397. info->data.ia32.ext3dnow = (flags_edx & FLAC__CPUINFO_IA32_CPUID_EXTENDED_AMD_EXT3DNOW)? true : false;
  89398. info->data.ia32.extmmx = (flags_edx & FLAC__CPUINFO_IA32_CPUID_EXTENDED_AMD_EXTMMX )? true : false;
  89399. #else
  89400. info->data.ia32._3dnow = info->data.ia32.ext3dnow = info->data.ia32.extmmx = false;
  89401. #endif
  89402. #ifdef DEBUG
  89403. fprintf(stderr, "CPU info (IA-32):\n");
  89404. fprintf(stderr, " CPUID ...... %c\n", info->data.ia32.cpuid ? 'Y' : 'n');
  89405. fprintf(stderr, " BSWAP ...... %c\n", info->data.ia32.bswap ? 'Y' : 'n');
  89406. fprintf(stderr, " CMOV ....... %c\n", info->data.ia32.cmov ? 'Y' : 'n');
  89407. fprintf(stderr, " MMX ........ %c\n", info->data.ia32.mmx ? 'Y' : 'n');
  89408. fprintf(stderr, " FXSR ....... %c\n", info->data.ia32.fxsr ? 'Y' : 'n');
  89409. fprintf(stderr, " SSE ........ %c\n", info->data.ia32.sse ? 'Y' : 'n');
  89410. fprintf(stderr, " SSE2 ....... %c\n", info->data.ia32.sse2 ? 'Y' : 'n');
  89411. fprintf(stderr, " SSE3 ....... %c\n", info->data.ia32.sse3 ? 'Y' : 'n');
  89412. fprintf(stderr, " SSSE3 ...... %c\n", info->data.ia32.ssse3 ? 'Y' : 'n');
  89413. fprintf(stderr, " 3DNow! ..... %c\n", info->data.ia32._3dnow ? 'Y' : 'n');
  89414. fprintf(stderr, " 3DNow!-ext . %c\n", info->data.ia32.ext3dnow? 'Y' : 'n');
  89415. fprintf(stderr, " 3DNow!-MMX . %c\n", info->data.ia32.extmmx ? 'Y' : 'n');
  89416. #endif
  89417. /*
  89418. * now have to check for OS support of SSE/SSE2
  89419. */
  89420. if(info->data.ia32.fxsr || info->data.ia32.sse || info->data.ia32.sse2) {
  89421. #if defined FLAC__NO_SSE_OS
  89422. /* assume user knows better than us; turn it off */
  89423. info->data.ia32.fxsr = info->data.ia32.sse = info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89424. #elif defined FLAC__SSE_OS
  89425. /* assume user knows better than us; leave as detected above */
  89426. #elif defined(__FreeBSD__) || defined(__FreeBSD_kernel__) || defined(__DragonFly__) || defined(__APPLE__)
  89427. int sse = 0;
  89428. size_t len;
  89429. /* at least one of these must work: */
  89430. len = sizeof(sse); sse = sse || (sysctlbyname("hw.instruction_sse", &sse, &len, NULL, 0) == 0 && sse);
  89431. len = sizeof(sse); sse = sse || (sysctlbyname("hw.optional.sse" , &sse, &len, NULL, 0) == 0 && sse); /* __APPLE__ ? */
  89432. if(!sse)
  89433. info->data.ia32.fxsr = info->data.ia32.sse = info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89434. #elif defined(__NetBSD__) || defined (__OpenBSD__)
  89435. # if __NetBSD_Version__ >= 105250000 || (defined __OpenBSD__)
  89436. int val = 0, mib[2] = { CTL_MACHDEP, CPU_SSE };
  89437. size_t len = sizeof(val);
  89438. if(sysctl(mib, 2, &val, &len, NULL, 0) < 0 || !val)
  89439. info->data.ia32.fxsr = info->data.ia32.sse = info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89440. else { /* double-check SSE2 */
  89441. mib[1] = CPU_SSE2;
  89442. len = sizeof(val);
  89443. if(sysctl(mib, 2, &val, &len, NULL, 0) < 0 || !val)
  89444. info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89445. }
  89446. # else
  89447. info->data.ia32.fxsr = info->data.ia32.sse = info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89448. # endif
  89449. #elif defined(__linux__)
  89450. int sse = 0;
  89451. struct sigaction sigill_save;
  89452. #ifdef USE_OBSOLETE_SIGCONTEXT_FLAVOR
  89453. if(0 == sigaction(SIGILL, NULL, &sigill_save) && signal(SIGILL, (void (*)(int))sigill_handler_sse_os) != SIG_ERR)
  89454. #else
  89455. struct sigaction sigill_sse;
  89456. sigill_sse.sa_sigaction = sigill_handler_sse_os;
  89457. __sigemptyset(&sigill_sse.sa_mask);
  89458. sigill_sse.sa_flags = SA_SIGINFO | SA_RESETHAND; /* SA_RESETHAND just in case our SIGILL return jump breaks, so we don't get stuck in a loop */
  89459. if(0 == sigaction(SIGILL, &sigill_sse, &sigill_save))
  89460. #endif
  89461. {
  89462. /* http://www.ibiblio.org/gferg/ldp/GCC-Inline-Assembly-HOWTO.html */
  89463. /* see sigill_handler_sse_os() for an explanation of the following: */
  89464. asm volatile (
  89465. "xorl %0,%0\n\t" /* for some reason, still need to do this to clear 'sse' var */
  89466. "xorps %%xmm0,%%xmm0\n\t" /* will cause SIGILL if unsupported by OS */
  89467. "incl %0\n\t" /* SIGILL handler will jump over this */
  89468. /* landing zone */
  89469. "nop\n\t" /* SIGILL jump lands here if "inc" is 9 bytes */
  89470. "nop\n\t"
  89471. "nop\n\t"
  89472. "nop\n\t"
  89473. "nop\n\t"
  89474. "nop\n\t"
  89475. "nop\n\t" /* SIGILL jump lands here if "inc" is 3 bytes (expected) */
  89476. "nop\n\t"
  89477. "nop" /* SIGILL jump lands here if "inc" is 1 byte */
  89478. : "=r"(sse)
  89479. : "r"(sse)
  89480. );
  89481. sigaction(SIGILL, &sigill_save, NULL);
  89482. }
  89483. if(!sse)
  89484. info->data.ia32.fxsr = info->data.ia32.sse = info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89485. #elif defined(_MSC_VER)
  89486. # ifdef USE_TRY_CATCH_FLAVOR
  89487. _try {
  89488. __asm {
  89489. # if _MSC_VER <= 1200
  89490. /* VC6 assembler doesn't know SSE, have to emit bytecode instead */
  89491. _emit 0x0F
  89492. _emit 0x57
  89493. _emit 0xC0
  89494. # else
  89495. xorps xmm0,xmm0
  89496. # endif
  89497. }
  89498. }
  89499. _except(EXCEPTION_EXECUTE_HANDLER) {
  89500. if (_exception_code() == STATUS_ILLEGAL_INSTRUCTION)
  89501. info->data.ia32.fxsr = info->data.ia32.sse = info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89502. }
  89503. # else
  89504. int sse = 0;
  89505. LPTOP_LEVEL_EXCEPTION_FILTER save = SetUnhandledExceptionFilter(sigill_handler_sse_os);
  89506. /* see GCC version above for explanation */
  89507. /* http://msdn2.microsoft.com/en-us/library/4ks26t93.aspx */
  89508. /* http://www.codeproject.com/cpp/gccasm.asp */
  89509. /* http://www.hick.org/~mmiller/msvc_inline_asm.html */
  89510. __asm {
  89511. # if _MSC_VER <= 1200
  89512. /* VC6 assembler doesn't know SSE, have to emit bytecode instead */
  89513. _emit 0x0F
  89514. _emit 0x57
  89515. _emit 0xC0
  89516. # else
  89517. xorps xmm0,xmm0
  89518. # endif
  89519. inc sse
  89520. nop
  89521. nop
  89522. nop
  89523. nop
  89524. nop
  89525. nop
  89526. nop
  89527. nop
  89528. nop
  89529. }
  89530. SetUnhandledExceptionFilter(save);
  89531. if(!sse)
  89532. info->data.ia32.fxsr = info->data.ia32.sse = info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89533. # endif
  89534. #else
  89535. /* no way to test, disable to be safe */
  89536. info->data.ia32.fxsr = info->data.ia32.sse = info->data.ia32.sse2 = info->data.ia32.sse3 = info->data.ia32.ssse3 = false;
  89537. #endif
  89538. #ifdef DEBUG
  89539. fprintf(stderr, " SSE OS sup . %c\n", info->data.ia32.sse ? 'Y' : 'n');
  89540. #endif
  89541. }
  89542. }
  89543. #else
  89544. info->use_asm = false;
  89545. #endif
  89546. /*
  89547. * PPC-specific
  89548. */
  89549. #elif defined FLAC__CPU_PPC
  89550. info->type = FLAC__CPUINFO_TYPE_PPC;
  89551. # if !defined FLAC__NO_ASM
  89552. info->use_asm = true;
  89553. # ifdef FLAC__USE_ALTIVEC
  89554. # if defined FLAC__SYS_DARWIN
  89555. {
  89556. int val = 0, mib[2] = { CTL_HW, HW_VECTORUNIT };
  89557. size_t len = sizeof(val);
  89558. info->data.ppc.altivec = !(sysctl(mib, 2, &val, &len, NULL, 0) || !val);
  89559. }
  89560. {
  89561. host_basic_info_data_t hostInfo;
  89562. mach_msg_type_number_t infoCount;
  89563. infoCount = HOST_BASIC_INFO_COUNT;
  89564. host_info(mach_host_self(), HOST_BASIC_INFO, (host_info_t)&hostInfo, &infoCount);
  89565. info->data.ppc.ppc64 = (hostInfo.cpu_type == CPU_TYPE_POWERPC) && (hostInfo.cpu_subtype == CPU_SUBTYPE_POWERPC_970);
  89566. }
  89567. # else /* FLAC__USE_ALTIVEC && !FLAC__SYS_DARWIN */
  89568. {
  89569. /* no Darwin, do it the brute-force way */
  89570. /* @@@@@@ this is not thread-safe; replace with SSE OS method above or remove */
  89571. info->data.ppc.altivec = 0;
  89572. info->data.ppc.ppc64 = 0;
  89573. signal (SIGILL, sigill_handler);
  89574. canjump = 0;
  89575. if (!sigsetjmp (jmpbuf, 1)) {
  89576. canjump = 1;
  89577. asm volatile (
  89578. "mtspr 256, %0\n\t"
  89579. "vand %%v0, %%v0, %%v0"
  89580. :
  89581. : "r" (-1)
  89582. );
  89583. info->data.ppc.altivec = 1;
  89584. }
  89585. canjump = 0;
  89586. if (!sigsetjmp (jmpbuf, 1)) {
  89587. int x = 0;
  89588. canjump = 1;
  89589. /* PPC64 hardware implements the cntlzd instruction */
  89590. asm volatile ("cntlzd %0, %1" : "=r" (x) : "r" (x) );
  89591. info->data.ppc.ppc64 = 1;
  89592. }
  89593. signal (SIGILL, SIG_DFL); /*@@@@@@ should save and restore old signal */
  89594. }
  89595. # endif
  89596. # else /* !FLAC__USE_ALTIVEC */
  89597. info->data.ppc.altivec = 0;
  89598. info->data.ppc.ppc64 = 0;
  89599. # endif
  89600. # else
  89601. info->use_asm = false;
  89602. # endif
  89603. /*
  89604. * unknown CPI
  89605. */
  89606. #else
  89607. info->type = FLAC__CPUINFO_TYPE_UNKNOWN;
  89608. info->use_asm = false;
  89609. #endif
  89610. }
  89611. #endif
  89612. /********* End of inlined file: cpu.c *********/
  89613. /********* Start of inlined file: crc.c *********/
  89614. /********* Start of inlined file: juce_FlacHeader.h *********/
  89615. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  89616. // tasks..
  89617. #define VERSION "1.2.1"
  89618. #define FLAC__NO_DLL 1
  89619. #ifdef _MSC_VER
  89620. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  89621. #endif
  89622. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  89623. #define FLAC__SYS_DARWIN 1
  89624. #endif
  89625. /********* End of inlined file: juce_FlacHeader.h *********/
  89626. #if JUCE_USE_FLAC
  89627. #if HAVE_CONFIG_H
  89628. # include <config.h>
  89629. #endif
  89630. /* CRC-8, poly = x^8 + x^2 + x^1 + x^0, init = 0 */
  89631. FLAC__byte const FLAC__crc8_table[256] = {
  89632. 0x00, 0x07, 0x0E, 0x09, 0x1C, 0x1B, 0x12, 0x15,
  89633. 0x38, 0x3F, 0x36, 0x31, 0x24, 0x23, 0x2A, 0x2D,
  89634. 0x70, 0x77, 0x7E, 0x79, 0x6C, 0x6B, 0x62, 0x65,
  89635. 0x48, 0x4F, 0x46, 0x41, 0x54, 0x53, 0x5A, 0x5D,
  89636. 0xE0, 0xE7, 0xEE, 0xE9, 0xFC, 0xFB, 0xF2, 0xF5,
  89637. 0xD8, 0xDF, 0xD6, 0xD1, 0xC4, 0xC3, 0xCA, 0xCD,
  89638. 0x90, 0x97, 0x9E, 0x99, 0x8C, 0x8B, 0x82, 0x85,
  89639. 0xA8, 0xAF, 0xA6, 0xA1, 0xB4, 0xB3, 0xBA, 0xBD,
  89640. 0xC7, 0xC0, 0xC9, 0xCE, 0xDB, 0xDC, 0xD5, 0xD2,
  89641. 0xFF, 0xF8, 0xF1, 0xF6, 0xE3, 0xE4, 0xED, 0xEA,
  89642. 0xB7, 0xB0, 0xB9, 0xBE, 0xAB, 0xAC, 0xA5, 0xA2,
  89643. 0x8F, 0x88, 0x81, 0x86, 0x93, 0x94, 0x9D, 0x9A,
  89644. 0x27, 0x20, 0x29, 0x2E, 0x3B, 0x3C, 0x35, 0x32,
  89645. 0x1F, 0x18, 0x11, 0x16, 0x03, 0x04, 0x0D, 0x0A,
  89646. 0x57, 0x50, 0x59, 0x5E, 0x4B, 0x4C, 0x45, 0x42,
  89647. 0x6F, 0x68, 0x61, 0x66, 0x73, 0x74, 0x7D, 0x7A,
  89648. 0x89, 0x8E, 0x87, 0x80, 0x95, 0x92, 0x9B, 0x9C,
  89649. 0xB1, 0xB6, 0xBF, 0xB8, 0xAD, 0xAA, 0xA3, 0xA4,
  89650. 0xF9, 0xFE, 0xF7, 0xF0, 0xE5, 0xE2, 0xEB, 0xEC,
  89651. 0xC1, 0xC6, 0xCF, 0xC8, 0xDD, 0xDA, 0xD3, 0xD4,
  89652. 0x69, 0x6E, 0x67, 0x60, 0x75, 0x72, 0x7B, 0x7C,
  89653. 0x51, 0x56, 0x5F, 0x58, 0x4D, 0x4A, 0x43, 0x44,
  89654. 0x19, 0x1E, 0x17, 0x10, 0x05, 0x02, 0x0B, 0x0C,
  89655. 0x21, 0x26, 0x2F, 0x28, 0x3D, 0x3A, 0x33, 0x34,
  89656. 0x4E, 0x49, 0x40, 0x47, 0x52, 0x55, 0x5C, 0x5B,
  89657. 0x76, 0x71, 0x78, 0x7F, 0x6A, 0x6D, 0x64, 0x63,
  89658. 0x3E, 0x39, 0x30, 0x37, 0x22, 0x25, 0x2C, 0x2B,
  89659. 0x06, 0x01, 0x08, 0x0F, 0x1A, 0x1D, 0x14, 0x13,
  89660. 0xAE, 0xA9, 0xA0, 0xA7, 0xB2, 0xB5, 0xBC, 0xBB,
  89661. 0x96, 0x91, 0x98, 0x9F, 0x8A, 0x8D, 0x84, 0x83,
  89662. 0xDE, 0xD9, 0xD0, 0xD7, 0xC2, 0xC5, 0xCC, 0xCB,
  89663. 0xE6, 0xE1, 0xE8, 0xEF, 0xFA, 0xFD, 0xF4, 0xF3
  89664. };
  89665. /* CRC-16, poly = x^16 + x^15 + x^2 + x^0, init = 0 */
  89666. unsigned FLAC__crc16_table[256] = {
  89667. 0x0000, 0x8005, 0x800f, 0x000a, 0x801b, 0x001e, 0x0014, 0x8011,
  89668. 0x8033, 0x0036, 0x003c, 0x8039, 0x0028, 0x802d, 0x8027, 0x0022,
  89669. 0x8063, 0x0066, 0x006c, 0x8069, 0x0078, 0x807d, 0x8077, 0x0072,
  89670. 0x0050, 0x8055, 0x805f, 0x005a, 0x804b, 0x004e, 0x0044, 0x8041,
  89671. 0x80c3, 0x00c6, 0x00cc, 0x80c9, 0x00d8, 0x80dd, 0x80d7, 0x00d2,
  89672. 0x00f0, 0x80f5, 0x80ff, 0x00fa, 0x80eb, 0x00ee, 0x00e4, 0x80e1,
  89673. 0x00a0, 0x80a5, 0x80af, 0x00aa, 0x80bb, 0x00be, 0x00b4, 0x80b1,
  89674. 0x8093, 0x0096, 0x009c, 0x8099, 0x0088, 0x808d, 0x8087, 0x0082,
  89675. 0x8183, 0x0186, 0x018c, 0x8189, 0x0198, 0x819d, 0x8197, 0x0192,
  89676. 0x01b0, 0x81b5, 0x81bf, 0x01ba, 0x81ab, 0x01ae, 0x01a4, 0x81a1,
  89677. 0x01e0, 0x81e5, 0x81ef, 0x01ea, 0x81fb, 0x01fe, 0x01f4, 0x81f1,
  89678. 0x81d3, 0x01d6, 0x01dc, 0x81d9, 0x01c8, 0x81cd, 0x81c7, 0x01c2,
  89679. 0x0140, 0x8145, 0x814f, 0x014a, 0x815b, 0x015e, 0x0154, 0x8151,
  89680. 0x8173, 0x0176, 0x017c, 0x8179, 0x0168, 0x816d, 0x8167, 0x0162,
  89681. 0x8123, 0x0126, 0x012c, 0x8129, 0x0138, 0x813d, 0x8137, 0x0132,
  89682. 0x0110, 0x8115, 0x811f, 0x011a, 0x810b, 0x010e, 0x0104, 0x8101,
  89683. 0x8303, 0x0306, 0x030c, 0x8309, 0x0318, 0x831d, 0x8317, 0x0312,
  89684. 0x0330, 0x8335, 0x833f, 0x033a, 0x832b, 0x032e, 0x0324, 0x8321,
  89685. 0x0360, 0x8365, 0x836f, 0x036a, 0x837b, 0x037e, 0x0374, 0x8371,
  89686. 0x8353, 0x0356, 0x035c, 0x8359, 0x0348, 0x834d, 0x8347, 0x0342,
  89687. 0x03c0, 0x83c5, 0x83cf, 0x03ca, 0x83db, 0x03de, 0x03d4, 0x83d1,
  89688. 0x83f3, 0x03f6, 0x03fc, 0x83f9, 0x03e8, 0x83ed, 0x83e7, 0x03e2,
  89689. 0x83a3, 0x03a6, 0x03ac, 0x83a9, 0x03b8, 0x83bd, 0x83b7, 0x03b2,
  89690. 0x0390, 0x8395, 0x839f, 0x039a, 0x838b, 0x038e, 0x0384, 0x8381,
  89691. 0x0280, 0x8285, 0x828f, 0x028a, 0x829b, 0x029e, 0x0294, 0x8291,
  89692. 0x82b3, 0x02b6, 0x02bc, 0x82b9, 0x02a8, 0x82ad, 0x82a7, 0x02a2,
  89693. 0x82e3, 0x02e6, 0x02ec, 0x82e9, 0x02f8, 0x82fd, 0x82f7, 0x02f2,
  89694. 0x02d0, 0x82d5, 0x82df, 0x02da, 0x82cb, 0x02ce, 0x02c4, 0x82c1,
  89695. 0x8243, 0x0246, 0x024c, 0x8249, 0x0258, 0x825d, 0x8257, 0x0252,
  89696. 0x0270, 0x8275, 0x827f, 0x027a, 0x826b, 0x026e, 0x0264, 0x8261,
  89697. 0x0220, 0x8225, 0x822f, 0x022a, 0x823b, 0x023e, 0x0234, 0x8231,
  89698. 0x8213, 0x0216, 0x021c, 0x8219, 0x0208, 0x820d, 0x8207, 0x0202
  89699. };
  89700. void FLAC__crc8_update(const FLAC__byte data, FLAC__uint8 *crc)
  89701. {
  89702. *crc = FLAC__crc8_table[*crc ^ data];
  89703. }
  89704. void FLAC__crc8_update_block(const FLAC__byte *data, unsigned len, FLAC__uint8 *crc)
  89705. {
  89706. while(len--)
  89707. *crc = FLAC__crc8_table[*crc ^ *data++];
  89708. }
  89709. FLAC__uint8 FLAC__crc8(const FLAC__byte *data, unsigned len)
  89710. {
  89711. FLAC__uint8 crc = 0;
  89712. while(len--)
  89713. crc = FLAC__crc8_table[crc ^ *data++];
  89714. return crc;
  89715. }
  89716. unsigned FLAC__crc16(const FLAC__byte *data, unsigned len)
  89717. {
  89718. unsigned crc = 0;
  89719. while(len--)
  89720. crc = ((crc<<8) ^ FLAC__crc16_table[(crc>>8) ^ *data++]) & 0xffff;
  89721. return crc;
  89722. }
  89723. #endif
  89724. /********* End of inlined file: crc.c *********/
  89725. /********* Start of inlined file: fixed.c *********/
  89726. /********* Start of inlined file: juce_FlacHeader.h *********/
  89727. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  89728. // tasks..
  89729. #define VERSION "1.2.1"
  89730. #define FLAC__NO_DLL 1
  89731. #ifdef _MSC_VER
  89732. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  89733. #endif
  89734. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  89735. #define FLAC__SYS_DARWIN 1
  89736. #endif
  89737. /********* End of inlined file: juce_FlacHeader.h *********/
  89738. #if JUCE_USE_FLAC
  89739. #if HAVE_CONFIG_H
  89740. # include <config.h>
  89741. #endif
  89742. #include <math.h>
  89743. #include <string.h>
  89744. /********* Start of inlined file: fixed.h *********/
  89745. #ifndef FLAC__PRIVATE__FIXED_H
  89746. #define FLAC__PRIVATE__FIXED_H
  89747. #ifdef HAVE_CONFIG_H
  89748. #include <config.h>
  89749. #endif
  89750. /********* Start of inlined file: float.h *********/
  89751. #ifndef FLAC__PRIVATE__FLOAT_H
  89752. #define FLAC__PRIVATE__FLOAT_H
  89753. #ifdef HAVE_CONFIG_H
  89754. #include <config.h>
  89755. #endif
  89756. /*
  89757. * These typedefs make it easier to ensure that integer versions of
  89758. * the library really only contain integer operations. All the code
  89759. * in libFLAC should use FLAC__float and FLAC__double in place of
  89760. * float and double, and be protected by checks of the macro
  89761. * FLAC__INTEGER_ONLY_LIBRARY.
  89762. *
  89763. * FLAC__real is the basic floating point type used in LPC analysis.
  89764. */
  89765. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  89766. typedef double FLAC__double;
  89767. typedef float FLAC__float;
  89768. /*
  89769. * WATCHOUT: changing FLAC__real will change the signatures of many
  89770. * functions that have assembly language equivalents and break them.
  89771. */
  89772. typedef float FLAC__real;
  89773. #else
  89774. /*
  89775. * The convention for FLAC__fixedpoint is to use the upper 16 bits
  89776. * for the integer part and lower 16 bits for the fractional part.
  89777. */
  89778. typedef FLAC__int32 FLAC__fixedpoint;
  89779. extern const FLAC__fixedpoint FLAC__FP_ZERO;
  89780. extern const FLAC__fixedpoint FLAC__FP_ONE_HALF;
  89781. extern const FLAC__fixedpoint FLAC__FP_ONE;
  89782. extern const FLAC__fixedpoint FLAC__FP_LN2;
  89783. extern const FLAC__fixedpoint FLAC__FP_E;
  89784. #define FLAC__fixedpoint_trunc(x) ((x)>>16)
  89785. #define FLAC__fixedpoint_mul(x, y) ( (FLAC__fixedpoint) ( ((FLAC__int64)(x)*(FLAC__int64)(y)) >> 16 ) )
  89786. #define FLAC__fixedpoint_div(x, y) ( (FLAC__fixedpoint) ( ( ((FLAC__int64)(x)<<32) / (FLAC__int64)(y) ) >> 16 ) )
  89787. /*
  89788. * FLAC__fixedpoint_log2()
  89789. * --------------------------------------------------------------------
  89790. * Returns the base-2 logarithm of the fixed-point number 'x' using an
  89791. * algorithm by Knuth for x >= 1.0
  89792. *
  89793. * 'fracbits' is the number of fractional bits of 'x'. 'fracbits' must
  89794. * be < 32 and evenly divisible by 4 (0 is OK but not very precise).
  89795. *
  89796. * 'precision' roughly limits the number of iterations that are done;
  89797. * use (unsigned)(-1) for maximum precision.
  89798. *
  89799. * If 'x' is less than one -- that is, x < (1<<fracbits) -- then this
  89800. * function will punt and return 0.
  89801. *
  89802. * The return value will also have 'fracbits' fractional bits.
  89803. */
  89804. FLAC__uint32 FLAC__fixedpoint_log2(FLAC__uint32 x, unsigned fracbits, unsigned precision);
  89805. #endif
  89806. #endif
  89807. /********* End of inlined file: float.h *********/
  89808. /********* Start of inlined file: format.h *********/
  89809. #ifndef FLAC__PRIVATE__FORMAT_H
  89810. #define FLAC__PRIVATE__FORMAT_H
  89811. unsigned FLAC__format_get_max_rice_partition_order(unsigned blocksize, unsigned predictor_order);
  89812. unsigned FLAC__format_get_max_rice_partition_order_from_blocksize(unsigned blocksize);
  89813. unsigned FLAC__format_get_max_rice_partition_order_from_blocksize_limited_max_and_predictor_order(unsigned limit, unsigned blocksize, unsigned predictor_order);
  89814. void FLAC__format_entropy_coding_method_partitioned_rice_contents_init(FLAC__EntropyCodingMethod_PartitionedRiceContents *object);
  89815. void FLAC__format_entropy_coding_method_partitioned_rice_contents_clear(FLAC__EntropyCodingMethod_PartitionedRiceContents *object);
  89816. FLAC__bool FLAC__format_entropy_coding_method_partitioned_rice_contents_ensure_size(FLAC__EntropyCodingMethod_PartitionedRiceContents *object, unsigned max_partition_order);
  89817. #endif
  89818. /********* End of inlined file: format.h *********/
  89819. /*
  89820. * FLAC__fixed_compute_best_predictor()
  89821. * --------------------------------------------------------------------
  89822. * Compute the best fixed predictor and the expected bits-per-sample
  89823. * of the residual signal for each order. The _wide() version uses
  89824. * 64-bit integers which is statistically necessary when bits-per-
  89825. * sample + log2(blocksize) > 30
  89826. *
  89827. * IN data[0,data_len-1]
  89828. * IN data_len
  89829. * OUT residual_bits_per_sample[0,FLAC__MAX_FIXED_ORDER]
  89830. */
  89831. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  89832. unsigned FLAC__fixed_compute_best_predictor(const FLAC__int32 data[], unsigned data_len, FLAC__float residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1]);
  89833. # ifndef FLAC__NO_ASM
  89834. # ifdef FLAC__CPU_IA32
  89835. # ifdef FLAC__HAS_NASM
  89836. unsigned FLAC__fixed_compute_best_predictor_asm_ia32_mmx_cmov(const FLAC__int32 data[], unsigned data_len, FLAC__float residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1]);
  89837. # endif
  89838. # endif
  89839. # endif
  89840. unsigned FLAC__fixed_compute_best_predictor_wide(const FLAC__int32 data[], unsigned data_len, FLAC__float residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1]);
  89841. #else
  89842. unsigned FLAC__fixed_compute_best_predictor(const FLAC__int32 data[], unsigned data_len, FLAC__fixedpoint residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1]);
  89843. unsigned FLAC__fixed_compute_best_predictor_wide(const FLAC__int32 data[], unsigned data_len, FLAC__fixedpoint residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1]);
  89844. #endif
  89845. /*
  89846. * FLAC__fixed_compute_residual()
  89847. * --------------------------------------------------------------------
  89848. * Compute the residual signal obtained from sutracting the predicted
  89849. * signal from the original.
  89850. *
  89851. * IN data[-order,data_len-1] original signal (NOTE THE INDICES!)
  89852. * IN data_len length of original signal
  89853. * IN order <= FLAC__MAX_FIXED_ORDER fixed-predictor order
  89854. * OUT residual[0,data_len-1] residual signal
  89855. */
  89856. void FLAC__fixed_compute_residual(const FLAC__int32 data[], unsigned data_len, unsigned order, FLAC__int32 residual[]);
  89857. /*
  89858. * FLAC__fixed_restore_signal()
  89859. * --------------------------------------------------------------------
  89860. * Restore the original signal by summing the residual and the
  89861. * predictor.
  89862. *
  89863. * IN residual[0,data_len-1] residual signal
  89864. * IN data_len length of original signal
  89865. * IN order <= FLAC__MAX_FIXED_ORDER fixed-predictor order
  89866. * *** IMPORTANT: the caller must pass in the historical samples:
  89867. * IN data[-order,-1] previously-reconstructed historical samples
  89868. * OUT data[0,data_len-1] original signal
  89869. */
  89870. void FLAC__fixed_restore_signal(const FLAC__int32 residual[], unsigned data_len, unsigned order, FLAC__int32 data[]);
  89871. #endif
  89872. /********* End of inlined file: fixed.h *********/
  89873. #ifndef M_LN2
  89874. /* math.h in VC++ doesn't seem to have this (how Microsoft is that?) */
  89875. #define M_LN2 0.69314718055994530942
  89876. #endif
  89877. #ifdef min
  89878. #undef min
  89879. #endif
  89880. #define min(x,y) ((x) < (y)? (x) : (y))
  89881. #ifdef local_abs
  89882. #undef local_abs
  89883. #endif
  89884. #define local_abs(x) ((unsigned)((x)<0? -(x) : (x)))
  89885. #ifdef FLAC__INTEGER_ONLY_LIBRARY
  89886. /* rbps stands for residual bits per sample
  89887. *
  89888. * (ln(2) * err)
  89889. * rbps = log (-----------)
  89890. * 2 ( n )
  89891. */
  89892. static FLAC__fixedpoint local__compute_rbps_integerized(FLAC__uint32 err, FLAC__uint32 n)
  89893. {
  89894. FLAC__uint32 rbps;
  89895. unsigned bits; /* the number of bits required to represent a number */
  89896. int fracbits; /* the number of bits of rbps that comprise the fractional part */
  89897. FLAC__ASSERT(sizeof(rbps) == sizeof(FLAC__fixedpoint));
  89898. FLAC__ASSERT(err > 0);
  89899. FLAC__ASSERT(n > 0);
  89900. FLAC__ASSERT(n <= FLAC__MAX_BLOCK_SIZE);
  89901. if(err <= n)
  89902. return 0;
  89903. /*
  89904. * The above two things tell us 1) n fits in 16 bits; 2) err/n > 1.
  89905. * These allow us later to know we won't lose too much precision in the
  89906. * fixed-point division (err<<fracbits)/n.
  89907. */
  89908. fracbits = (8*sizeof(err)) - (FLAC__bitmath_ilog2(err)+1);
  89909. err <<= fracbits;
  89910. err /= n;
  89911. /* err now holds err/n with fracbits fractional bits */
  89912. /*
  89913. * Whittle err down to 16 bits max. 16 significant bits is enough for
  89914. * our purposes.
  89915. */
  89916. FLAC__ASSERT(err > 0);
  89917. bits = FLAC__bitmath_ilog2(err)+1;
  89918. if(bits > 16) {
  89919. err >>= (bits-16);
  89920. fracbits -= (bits-16);
  89921. }
  89922. rbps = (FLAC__uint32)err;
  89923. /* Multiply by fixed-point version of ln(2), with 16 fractional bits */
  89924. rbps *= FLAC__FP_LN2;
  89925. fracbits += 16;
  89926. FLAC__ASSERT(fracbits >= 0);
  89927. /* FLAC__fixedpoint_log2 requires fracbits%4 to be 0 */
  89928. {
  89929. const int f = fracbits & 3;
  89930. if(f) {
  89931. rbps >>= f;
  89932. fracbits -= f;
  89933. }
  89934. }
  89935. rbps = FLAC__fixedpoint_log2(rbps, fracbits, (unsigned)(-1));
  89936. if(rbps == 0)
  89937. return 0;
  89938. /*
  89939. * The return value must have 16 fractional bits. Since the whole part
  89940. * of the base-2 log of a 32 bit number must fit in 5 bits, and fracbits
  89941. * must be >= -3, these assertion allows us to be able to shift rbps
  89942. * left if necessary to get 16 fracbits without losing any bits of the
  89943. * whole part of rbps.
  89944. *
  89945. * There is a slight chance due to accumulated error that the whole part
  89946. * will require 6 bits, so we use 6 in the assertion. Really though as
  89947. * long as it fits in 13 bits (32 - (16 - (-3))) we are fine.
  89948. */
  89949. FLAC__ASSERT((int)FLAC__bitmath_ilog2(rbps)+1 <= fracbits + 6);
  89950. FLAC__ASSERT(fracbits >= -3);
  89951. /* now shift the decimal point into place */
  89952. if(fracbits < 16)
  89953. return rbps << (16-fracbits);
  89954. else if(fracbits > 16)
  89955. return rbps >> (fracbits-16);
  89956. else
  89957. return rbps;
  89958. }
  89959. static FLAC__fixedpoint local__compute_rbps_wide_integerized(FLAC__uint64 err, FLAC__uint32 n)
  89960. {
  89961. FLAC__uint32 rbps;
  89962. unsigned bits; /* the number of bits required to represent a number */
  89963. int fracbits; /* the number of bits of rbps that comprise the fractional part */
  89964. FLAC__ASSERT(sizeof(rbps) == sizeof(FLAC__fixedpoint));
  89965. FLAC__ASSERT(err > 0);
  89966. FLAC__ASSERT(n > 0);
  89967. FLAC__ASSERT(n <= FLAC__MAX_BLOCK_SIZE);
  89968. if(err <= n)
  89969. return 0;
  89970. /*
  89971. * The above two things tell us 1) n fits in 16 bits; 2) err/n > 1.
  89972. * These allow us later to know we won't lose too much precision in the
  89973. * fixed-point division (err<<fracbits)/n.
  89974. */
  89975. fracbits = (8*sizeof(err)) - (FLAC__bitmath_ilog2_wide(err)+1);
  89976. err <<= fracbits;
  89977. err /= n;
  89978. /* err now holds err/n with fracbits fractional bits */
  89979. /*
  89980. * Whittle err down to 16 bits max. 16 significant bits is enough for
  89981. * our purposes.
  89982. */
  89983. FLAC__ASSERT(err > 0);
  89984. bits = FLAC__bitmath_ilog2_wide(err)+1;
  89985. if(bits > 16) {
  89986. err >>= (bits-16);
  89987. fracbits -= (bits-16);
  89988. }
  89989. rbps = (FLAC__uint32)err;
  89990. /* Multiply by fixed-point version of ln(2), with 16 fractional bits */
  89991. rbps *= FLAC__FP_LN2;
  89992. fracbits += 16;
  89993. FLAC__ASSERT(fracbits >= 0);
  89994. /* FLAC__fixedpoint_log2 requires fracbits%4 to be 0 */
  89995. {
  89996. const int f = fracbits & 3;
  89997. if(f) {
  89998. rbps >>= f;
  89999. fracbits -= f;
  90000. }
  90001. }
  90002. rbps = FLAC__fixedpoint_log2(rbps, fracbits, (unsigned)(-1));
  90003. if(rbps == 0)
  90004. return 0;
  90005. /*
  90006. * The return value must have 16 fractional bits. Since the whole part
  90007. * of the base-2 log of a 32 bit number must fit in 5 bits, and fracbits
  90008. * must be >= -3, these assertion allows us to be able to shift rbps
  90009. * left if necessary to get 16 fracbits without losing any bits of the
  90010. * whole part of rbps.
  90011. *
  90012. * There is a slight chance due to accumulated error that the whole part
  90013. * will require 6 bits, so we use 6 in the assertion. Really though as
  90014. * long as it fits in 13 bits (32 - (16 - (-3))) we are fine.
  90015. */
  90016. FLAC__ASSERT((int)FLAC__bitmath_ilog2(rbps)+1 <= fracbits + 6);
  90017. FLAC__ASSERT(fracbits >= -3);
  90018. /* now shift the decimal point into place */
  90019. if(fracbits < 16)
  90020. return rbps << (16-fracbits);
  90021. else if(fracbits > 16)
  90022. return rbps >> (fracbits-16);
  90023. else
  90024. return rbps;
  90025. }
  90026. #endif
  90027. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  90028. unsigned FLAC__fixed_compute_best_predictor(const FLAC__int32 data[], unsigned data_len, FLAC__float residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1])
  90029. #else
  90030. unsigned FLAC__fixed_compute_best_predictor(const FLAC__int32 data[], unsigned data_len, FLAC__fixedpoint residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1])
  90031. #endif
  90032. {
  90033. FLAC__int32 last_error_0 = data[-1];
  90034. FLAC__int32 last_error_1 = data[-1] - data[-2];
  90035. FLAC__int32 last_error_2 = last_error_1 - (data[-2] - data[-3]);
  90036. FLAC__int32 last_error_3 = last_error_2 - (data[-2] - 2*data[-3] + data[-4]);
  90037. FLAC__int32 error, save;
  90038. FLAC__uint32 total_error_0 = 0, total_error_1 = 0, total_error_2 = 0, total_error_3 = 0, total_error_4 = 0;
  90039. unsigned i, order;
  90040. for(i = 0; i < data_len; i++) {
  90041. error = data[i] ; total_error_0 += local_abs(error); save = error;
  90042. error -= last_error_0; total_error_1 += local_abs(error); last_error_0 = save; save = error;
  90043. error -= last_error_1; total_error_2 += local_abs(error); last_error_1 = save; save = error;
  90044. error -= last_error_2; total_error_3 += local_abs(error); last_error_2 = save; save = error;
  90045. error -= last_error_3; total_error_4 += local_abs(error); last_error_3 = save;
  90046. }
  90047. if(total_error_0 < min(min(min(total_error_1, total_error_2), total_error_3), total_error_4))
  90048. order = 0;
  90049. else if(total_error_1 < min(min(total_error_2, total_error_3), total_error_4))
  90050. order = 1;
  90051. else if(total_error_2 < min(total_error_3, total_error_4))
  90052. order = 2;
  90053. else if(total_error_3 < total_error_4)
  90054. order = 3;
  90055. else
  90056. order = 4;
  90057. /* Estimate the expected number of bits per residual signal sample. */
  90058. /* 'total_error*' is linearly related to the variance of the residual */
  90059. /* signal, so we use it directly to compute E(|x|) */
  90060. FLAC__ASSERT(data_len > 0 || total_error_0 == 0);
  90061. FLAC__ASSERT(data_len > 0 || total_error_1 == 0);
  90062. FLAC__ASSERT(data_len > 0 || total_error_2 == 0);
  90063. FLAC__ASSERT(data_len > 0 || total_error_3 == 0);
  90064. FLAC__ASSERT(data_len > 0 || total_error_4 == 0);
  90065. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  90066. residual_bits_per_sample[0] = (FLAC__float)((total_error_0 > 0) ? log(M_LN2 * (FLAC__double)total_error_0 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90067. residual_bits_per_sample[1] = (FLAC__float)((total_error_1 > 0) ? log(M_LN2 * (FLAC__double)total_error_1 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90068. residual_bits_per_sample[2] = (FLAC__float)((total_error_2 > 0) ? log(M_LN2 * (FLAC__double)total_error_2 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90069. residual_bits_per_sample[3] = (FLAC__float)((total_error_3 > 0) ? log(M_LN2 * (FLAC__double)total_error_3 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90070. residual_bits_per_sample[4] = (FLAC__float)((total_error_4 > 0) ? log(M_LN2 * (FLAC__double)total_error_4 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90071. #else
  90072. residual_bits_per_sample[0] = (total_error_0 > 0) ? local__compute_rbps_integerized(total_error_0, data_len) : 0;
  90073. residual_bits_per_sample[1] = (total_error_1 > 0) ? local__compute_rbps_integerized(total_error_1, data_len) : 0;
  90074. residual_bits_per_sample[2] = (total_error_2 > 0) ? local__compute_rbps_integerized(total_error_2, data_len) : 0;
  90075. residual_bits_per_sample[3] = (total_error_3 > 0) ? local__compute_rbps_integerized(total_error_3, data_len) : 0;
  90076. residual_bits_per_sample[4] = (total_error_4 > 0) ? local__compute_rbps_integerized(total_error_4, data_len) : 0;
  90077. #endif
  90078. return order;
  90079. }
  90080. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  90081. unsigned FLAC__fixed_compute_best_predictor_wide(const FLAC__int32 data[], unsigned data_len, FLAC__float residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1])
  90082. #else
  90083. unsigned FLAC__fixed_compute_best_predictor_wide(const FLAC__int32 data[], unsigned data_len, FLAC__fixedpoint residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1])
  90084. #endif
  90085. {
  90086. FLAC__int32 last_error_0 = data[-1];
  90087. FLAC__int32 last_error_1 = data[-1] - data[-2];
  90088. FLAC__int32 last_error_2 = last_error_1 - (data[-2] - data[-3]);
  90089. FLAC__int32 last_error_3 = last_error_2 - (data[-2] - 2*data[-3] + data[-4]);
  90090. FLAC__int32 error, save;
  90091. /* total_error_* are 64-bits to avoid overflow when encoding
  90092. * erratic signals when the bits-per-sample and blocksize are
  90093. * large.
  90094. */
  90095. FLAC__uint64 total_error_0 = 0, total_error_1 = 0, total_error_2 = 0, total_error_3 = 0, total_error_4 = 0;
  90096. unsigned i, order;
  90097. for(i = 0; i < data_len; i++) {
  90098. error = data[i] ; total_error_0 += local_abs(error); save = error;
  90099. error -= last_error_0; total_error_1 += local_abs(error); last_error_0 = save; save = error;
  90100. error -= last_error_1; total_error_2 += local_abs(error); last_error_1 = save; save = error;
  90101. error -= last_error_2; total_error_3 += local_abs(error); last_error_2 = save; save = error;
  90102. error -= last_error_3; total_error_4 += local_abs(error); last_error_3 = save;
  90103. }
  90104. if(total_error_0 < min(min(min(total_error_1, total_error_2), total_error_3), total_error_4))
  90105. order = 0;
  90106. else if(total_error_1 < min(min(total_error_2, total_error_3), total_error_4))
  90107. order = 1;
  90108. else if(total_error_2 < min(total_error_3, total_error_4))
  90109. order = 2;
  90110. else if(total_error_3 < total_error_4)
  90111. order = 3;
  90112. else
  90113. order = 4;
  90114. /* Estimate the expected number of bits per residual signal sample. */
  90115. /* 'total_error*' is linearly related to the variance of the residual */
  90116. /* signal, so we use it directly to compute E(|x|) */
  90117. FLAC__ASSERT(data_len > 0 || total_error_0 == 0);
  90118. FLAC__ASSERT(data_len > 0 || total_error_1 == 0);
  90119. FLAC__ASSERT(data_len > 0 || total_error_2 == 0);
  90120. FLAC__ASSERT(data_len > 0 || total_error_3 == 0);
  90121. FLAC__ASSERT(data_len > 0 || total_error_4 == 0);
  90122. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  90123. #if defined _MSC_VER || defined __MINGW32__
  90124. /* with MSVC you have to spoon feed it the casting */
  90125. residual_bits_per_sample[0] = (FLAC__float)((total_error_0 > 0) ? log(M_LN2 * (FLAC__double)(FLAC__int64)total_error_0 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90126. residual_bits_per_sample[1] = (FLAC__float)((total_error_1 > 0) ? log(M_LN2 * (FLAC__double)(FLAC__int64)total_error_1 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90127. residual_bits_per_sample[2] = (FLAC__float)((total_error_2 > 0) ? log(M_LN2 * (FLAC__double)(FLAC__int64)total_error_2 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90128. residual_bits_per_sample[3] = (FLAC__float)((total_error_3 > 0) ? log(M_LN2 * (FLAC__double)(FLAC__int64)total_error_3 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90129. residual_bits_per_sample[4] = (FLAC__float)((total_error_4 > 0) ? log(M_LN2 * (FLAC__double)(FLAC__int64)total_error_4 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90130. #else
  90131. residual_bits_per_sample[0] = (FLAC__float)((total_error_0 > 0) ? log(M_LN2 * (FLAC__double)total_error_0 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90132. residual_bits_per_sample[1] = (FLAC__float)((total_error_1 > 0) ? log(M_LN2 * (FLAC__double)total_error_1 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90133. residual_bits_per_sample[2] = (FLAC__float)((total_error_2 > 0) ? log(M_LN2 * (FLAC__double)total_error_2 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90134. residual_bits_per_sample[3] = (FLAC__float)((total_error_3 > 0) ? log(M_LN2 * (FLAC__double)total_error_3 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90135. residual_bits_per_sample[4] = (FLAC__float)((total_error_4 > 0) ? log(M_LN2 * (FLAC__double)total_error_4 / (FLAC__double)data_len) / M_LN2 : 0.0);
  90136. #endif
  90137. #else
  90138. residual_bits_per_sample[0] = (total_error_0 > 0) ? local__compute_rbps_wide_integerized(total_error_0, data_len) : 0;
  90139. residual_bits_per_sample[1] = (total_error_1 > 0) ? local__compute_rbps_wide_integerized(total_error_1, data_len) : 0;
  90140. residual_bits_per_sample[2] = (total_error_2 > 0) ? local__compute_rbps_wide_integerized(total_error_2, data_len) : 0;
  90141. residual_bits_per_sample[3] = (total_error_3 > 0) ? local__compute_rbps_wide_integerized(total_error_3, data_len) : 0;
  90142. residual_bits_per_sample[4] = (total_error_4 > 0) ? local__compute_rbps_wide_integerized(total_error_4, data_len) : 0;
  90143. #endif
  90144. return order;
  90145. }
  90146. void FLAC__fixed_compute_residual(const FLAC__int32 data[], unsigned data_len, unsigned order, FLAC__int32 residual[])
  90147. {
  90148. const int idata_len = (int)data_len;
  90149. int i;
  90150. switch(order) {
  90151. case 0:
  90152. FLAC__ASSERT(sizeof(residual[0]) == sizeof(data[0]));
  90153. memcpy(residual, data, sizeof(residual[0])*data_len);
  90154. break;
  90155. case 1:
  90156. for(i = 0; i < idata_len; i++)
  90157. residual[i] = data[i] - data[i-1];
  90158. break;
  90159. case 2:
  90160. for(i = 0; i < idata_len; i++)
  90161. #if 1 /* OPT: may be faster with some compilers on some systems */
  90162. residual[i] = data[i] - (data[i-1] << 1) + data[i-2];
  90163. #else
  90164. residual[i] = data[i] - 2*data[i-1] + data[i-2];
  90165. #endif
  90166. break;
  90167. case 3:
  90168. for(i = 0; i < idata_len; i++)
  90169. #if 1 /* OPT: may be faster with some compilers on some systems */
  90170. residual[i] = data[i] - (((data[i-1]-data[i-2])<<1) + (data[i-1]-data[i-2])) - data[i-3];
  90171. #else
  90172. residual[i] = data[i] - 3*data[i-1] + 3*data[i-2] - data[i-3];
  90173. #endif
  90174. break;
  90175. case 4:
  90176. for(i = 0; i < idata_len; i++)
  90177. #if 1 /* OPT: may be faster with some compilers on some systems */
  90178. residual[i] = data[i] - ((data[i-1]+data[i-3])<<2) + ((data[i-2]<<2) + (data[i-2]<<1)) + data[i-4];
  90179. #else
  90180. residual[i] = data[i] - 4*data[i-1] + 6*data[i-2] - 4*data[i-3] + data[i-4];
  90181. #endif
  90182. break;
  90183. default:
  90184. FLAC__ASSERT(0);
  90185. }
  90186. }
  90187. void FLAC__fixed_restore_signal(const FLAC__int32 residual[], unsigned data_len, unsigned order, FLAC__int32 data[])
  90188. {
  90189. int i, idata_len = (int)data_len;
  90190. switch(order) {
  90191. case 0:
  90192. FLAC__ASSERT(sizeof(residual[0]) == sizeof(data[0]));
  90193. memcpy(data, residual, sizeof(residual[0])*data_len);
  90194. break;
  90195. case 1:
  90196. for(i = 0; i < idata_len; i++)
  90197. data[i] = residual[i] + data[i-1];
  90198. break;
  90199. case 2:
  90200. for(i = 0; i < idata_len; i++)
  90201. #if 1 /* OPT: may be faster with some compilers on some systems */
  90202. data[i] = residual[i] + (data[i-1]<<1) - data[i-2];
  90203. #else
  90204. data[i] = residual[i] + 2*data[i-1] - data[i-2];
  90205. #endif
  90206. break;
  90207. case 3:
  90208. for(i = 0; i < idata_len; i++)
  90209. #if 1 /* OPT: may be faster with some compilers on some systems */
  90210. data[i] = residual[i] + (((data[i-1]-data[i-2])<<1) + (data[i-1]-data[i-2])) + data[i-3];
  90211. #else
  90212. data[i] = residual[i] + 3*data[i-1] - 3*data[i-2] + data[i-3];
  90213. #endif
  90214. break;
  90215. case 4:
  90216. for(i = 0; i < idata_len; i++)
  90217. #if 1 /* OPT: may be faster with some compilers on some systems */
  90218. data[i] = residual[i] + ((data[i-1]+data[i-3])<<2) - ((data[i-2]<<2) + (data[i-2]<<1)) - data[i-4];
  90219. #else
  90220. data[i] = residual[i] + 4*data[i-1] - 6*data[i-2] + 4*data[i-3] - data[i-4];
  90221. #endif
  90222. break;
  90223. default:
  90224. FLAC__ASSERT(0);
  90225. }
  90226. }
  90227. #endif
  90228. /********* End of inlined file: fixed.c *********/
  90229. /********* Start of inlined file: float.c *********/
  90230. /********* Start of inlined file: juce_FlacHeader.h *********/
  90231. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  90232. // tasks..
  90233. #define VERSION "1.2.1"
  90234. #define FLAC__NO_DLL 1
  90235. #ifdef _MSC_VER
  90236. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  90237. #endif
  90238. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  90239. #define FLAC__SYS_DARWIN 1
  90240. #endif
  90241. /********* End of inlined file: juce_FlacHeader.h *********/
  90242. #if JUCE_USE_FLAC
  90243. #if HAVE_CONFIG_H
  90244. # include <config.h>
  90245. #endif
  90246. #ifdef FLAC__INTEGER_ONLY_LIBRARY
  90247. /* adjust for compilers that can't understand using LLU suffix for uint64_t literals */
  90248. #ifdef _MSC_VER
  90249. #define FLAC__U64L(x) x
  90250. #else
  90251. #define FLAC__U64L(x) x##LLU
  90252. #endif
  90253. const FLAC__fixedpoint FLAC__FP_ZERO = 0;
  90254. const FLAC__fixedpoint FLAC__FP_ONE_HALF = 0x00008000;
  90255. const FLAC__fixedpoint FLAC__FP_ONE = 0x00010000;
  90256. const FLAC__fixedpoint FLAC__FP_LN2 = 45426;
  90257. const FLAC__fixedpoint FLAC__FP_E = 178145;
  90258. /* Lookup tables for Knuth's logarithm algorithm */
  90259. #define LOG2_LOOKUP_PRECISION 16
  90260. static const FLAC__uint32 log2_lookup[][LOG2_LOOKUP_PRECISION] = {
  90261. {
  90262. /*
  90263. * 0 fraction bits
  90264. */
  90265. /* undefined */ 0x00000000,
  90266. /* lg(2/1) = */ 0x00000001,
  90267. /* lg(4/3) = */ 0x00000000,
  90268. /* lg(8/7) = */ 0x00000000,
  90269. /* lg(16/15) = */ 0x00000000,
  90270. /* lg(32/31) = */ 0x00000000,
  90271. /* lg(64/63) = */ 0x00000000,
  90272. /* lg(128/127) = */ 0x00000000,
  90273. /* lg(256/255) = */ 0x00000000,
  90274. /* lg(512/511) = */ 0x00000000,
  90275. /* lg(1024/1023) = */ 0x00000000,
  90276. /* lg(2048/2047) = */ 0x00000000,
  90277. /* lg(4096/4095) = */ 0x00000000,
  90278. /* lg(8192/8191) = */ 0x00000000,
  90279. /* lg(16384/16383) = */ 0x00000000,
  90280. /* lg(32768/32767) = */ 0x00000000
  90281. },
  90282. {
  90283. /*
  90284. * 4 fraction bits
  90285. */
  90286. /* undefined */ 0x00000000,
  90287. /* lg(2/1) = */ 0x00000010,
  90288. /* lg(4/3) = */ 0x00000007,
  90289. /* lg(8/7) = */ 0x00000003,
  90290. /* lg(16/15) = */ 0x00000001,
  90291. /* lg(32/31) = */ 0x00000001,
  90292. /* lg(64/63) = */ 0x00000000,
  90293. /* lg(128/127) = */ 0x00000000,
  90294. /* lg(256/255) = */ 0x00000000,
  90295. /* lg(512/511) = */ 0x00000000,
  90296. /* lg(1024/1023) = */ 0x00000000,
  90297. /* lg(2048/2047) = */ 0x00000000,
  90298. /* lg(4096/4095) = */ 0x00000000,
  90299. /* lg(8192/8191) = */ 0x00000000,
  90300. /* lg(16384/16383) = */ 0x00000000,
  90301. /* lg(32768/32767) = */ 0x00000000
  90302. },
  90303. {
  90304. /*
  90305. * 8 fraction bits
  90306. */
  90307. /* undefined */ 0x00000000,
  90308. /* lg(2/1) = */ 0x00000100,
  90309. /* lg(4/3) = */ 0x0000006a,
  90310. /* lg(8/7) = */ 0x00000031,
  90311. /* lg(16/15) = */ 0x00000018,
  90312. /* lg(32/31) = */ 0x0000000c,
  90313. /* lg(64/63) = */ 0x00000006,
  90314. /* lg(128/127) = */ 0x00000003,
  90315. /* lg(256/255) = */ 0x00000001,
  90316. /* lg(512/511) = */ 0x00000001,
  90317. /* lg(1024/1023) = */ 0x00000000,
  90318. /* lg(2048/2047) = */ 0x00000000,
  90319. /* lg(4096/4095) = */ 0x00000000,
  90320. /* lg(8192/8191) = */ 0x00000000,
  90321. /* lg(16384/16383) = */ 0x00000000,
  90322. /* lg(32768/32767) = */ 0x00000000
  90323. },
  90324. {
  90325. /*
  90326. * 12 fraction bits
  90327. */
  90328. /* undefined */ 0x00000000,
  90329. /* lg(2/1) = */ 0x00001000,
  90330. /* lg(4/3) = */ 0x000006a4,
  90331. /* lg(8/7) = */ 0x00000315,
  90332. /* lg(16/15) = */ 0x0000017d,
  90333. /* lg(32/31) = */ 0x000000bc,
  90334. /* lg(64/63) = */ 0x0000005d,
  90335. /* lg(128/127) = */ 0x0000002e,
  90336. /* lg(256/255) = */ 0x00000017,
  90337. /* lg(512/511) = */ 0x0000000c,
  90338. /* lg(1024/1023) = */ 0x00000006,
  90339. /* lg(2048/2047) = */ 0x00000003,
  90340. /* lg(4096/4095) = */ 0x00000001,
  90341. /* lg(8192/8191) = */ 0x00000001,
  90342. /* lg(16384/16383) = */ 0x00000000,
  90343. /* lg(32768/32767) = */ 0x00000000
  90344. },
  90345. {
  90346. /*
  90347. * 16 fraction bits
  90348. */
  90349. /* undefined */ 0x00000000,
  90350. /* lg(2/1) = */ 0x00010000,
  90351. /* lg(4/3) = */ 0x00006a40,
  90352. /* lg(8/7) = */ 0x00003151,
  90353. /* lg(16/15) = */ 0x000017d6,
  90354. /* lg(32/31) = */ 0x00000bba,
  90355. /* lg(64/63) = */ 0x000005d1,
  90356. /* lg(128/127) = */ 0x000002e6,
  90357. /* lg(256/255) = */ 0x00000172,
  90358. /* lg(512/511) = */ 0x000000b9,
  90359. /* lg(1024/1023) = */ 0x0000005c,
  90360. /* lg(2048/2047) = */ 0x0000002e,
  90361. /* lg(4096/4095) = */ 0x00000017,
  90362. /* lg(8192/8191) = */ 0x0000000c,
  90363. /* lg(16384/16383) = */ 0x00000006,
  90364. /* lg(32768/32767) = */ 0x00000003
  90365. },
  90366. {
  90367. /*
  90368. * 20 fraction bits
  90369. */
  90370. /* undefined */ 0x00000000,
  90371. /* lg(2/1) = */ 0x00100000,
  90372. /* lg(4/3) = */ 0x0006a3fe,
  90373. /* lg(8/7) = */ 0x00031513,
  90374. /* lg(16/15) = */ 0x00017d60,
  90375. /* lg(32/31) = */ 0x0000bb9d,
  90376. /* lg(64/63) = */ 0x00005d10,
  90377. /* lg(128/127) = */ 0x00002e59,
  90378. /* lg(256/255) = */ 0x00001721,
  90379. /* lg(512/511) = */ 0x00000b8e,
  90380. /* lg(1024/1023) = */ 0x000005c6,
  90381. /* lg(2048/2047) = */ 0x000002e3,
  90382. /* lg(4096/4095) = */ 0x00000171,
  90383. /* lg(8192/8191) = */ 0x000000b9,
  90384. /* lg(16384/16383) = */ 0x0000005c,
  90385. /* lg(32768/32767) = */ 0x0000002e
  90386. },
  90387. {
  90388. /*
  90389. * 24 fraction bits
  90390. */
  90391. /* undefined */ 0x00000000,
  90392. /* lg(2/1) = */ 0x01000000,
  90393. /* lg(4/3) = */ 0x006a3fe6,
  90394. /* lg(8/7) = */ 0x00315130,
  90395. /* lg(16/15) = */ 0x0017d605,
  90396. /* lg(32/31) = */ 0x000bb9ca,
  90397. /* lg(64/63) = */ 0x0005d0fc,
  90398. /* lg(128/127) = */ 0x0002e58f,
  90399. /* lg(256/255) = */ 0x0001720e,
  90400. /* lg(512/511) = */ 0x0000b8d8,
  90401. /* lg(1024/1023) = */ 0x00005c61,
  90402. /* lg(2048/2047) = */ 0x00002e2d,
  90403. /* lg(4096/4095) = */ 0x00001716,
  90404. /* lg(8192/8191) = */ 0x00000b8b,
  90405. /* lg(16384/16383) = */ 0x000005c5,
  90406. /* lg(32768/32767) = */ 0x000002e3
  90407. },
  90408. {
  90409. /*
  90410. * 28 fraction bits
  90411. */
  90412. /* undefined */ 0x00000000,
  90413. /* lg(2/1) = */ 0x10000000,
  90414. /* lg(4/3) = */ 0x06a3fe5c,
  90415. /* lg(8/7) = */ 0x03151301,
  90416. /* lg(16/15) = */ 0x017d6049,
  90417. /* lg(32/31) = */ 0x00bb9ca6,
  90418. /* lg(64/63) = */ 0x005d0fba,
  90419. /* lg(128/127) = */ 0x002e58f7,
  90420. /* lg(256/255) = */ 0x001720da,
  90421. /* lg(512/511) = */ 0x000b8d87,
  90422. /* lg(1024/1023) = */ 0x0005c60b,
  90423. /* lg(2048/2047) = */ 0x0002e2d7,
  90424. /* lg(4096/4095) = */ 0x00017160,
  90425. /* lg(8192/8191) = */ 0x0000b8ad,
  90426. /* lg(16384/16383) = */ 0x00005c56,
  90427. /* lg(32768/32767) = */ 0x00002e2b
  90428. }
  90429. };
  90430. #if 0
  90431. static const FLAC__uint64 log2_lookup_wide[] = {
  90432. {
  90433. /*
  90434. * 32 fraction bits
  90435. */
  90436. /* undefined */ 0x00000000,
  90437. /* lg(2/1) = */ FLAC__U64L(0x100000000),
  90438. /* lg(4/3) = */ FLAC__U64L(0x6a3fe5c6),
  90439. /* lg(8/7) = */ FLAC__U64L(0x31513015),
  90440. /* lg(16/15) = */ FLAC__U64L(0x17d60497),
  90441. /* lg(32/31) = */ FLAC__U64L(0x0bb9ca65),
  90442. /* lg(64/63) = */ FLAC__U64L(0x05d0fba2),
  90443. /* lg(128/127) = */ FLAC__U64L(0x02e58f74),
  90444. /* lg(256/255) = */ FLAC__U64L(0x01720d9c),
  90445. /* lg(512/511) = */ FLAC__U64L(0x00b8d875),
  90446. /* lg(1024/1023) = */ FLAC__U64L(0x005c60aa),
  90447. /* lg(2048/2047) = */ FLAC__U64L(0x002e2d72),
  90448. /* lg(4096/4095) = */ FLAC__U64L(0x00171600),
  90449. /* lg(8192/8191) = */ FLAC__U64L(0x000b8ad2),
  90450. /* lg(16384/16383) = */ FLAC__U64L(0x0005c55d),
  90451. /* lg(32768/32767) = */ FLAC__U64L(0x0002e2ac)
  90452. },
  90453. {
  90454. /*
  90455. * 48 fraction bits
  90456. */
  90457. /* undefined */ 0x00000000,
  90458. /* lg(2/1) = */ FLAC__U64L(0x1000000000000),
  90459. /* lg(4/3) = */ FLAC__U64L(0x6a3fe5c60429),
  90460. /* lg(8/7) = */ FLAC__U64L(0x315130157f7a),
  90461. /* lg(16/15) = */ FLAC__U64L(0x17d60496cfbb),
  90462. /* lg(32/31) = */ FLAC__U64L(0xbb9ca64ecac),
  90463. /* lg(64/63) = */ FLAC__U64L(0x5d0fba187cd),
  90464. /* lg(128/127) = */ FLAC__U64L(0x2e58f7441ee),
  90465. /* lg(256/255) = */ FLAC__U64L(0x1720d9c06a8),
  90466. /* lg(512/511) = */ FLAC__U64L(0xb8d8752173),
  90467. /* lg(1024/1023) = */ FLAC__U64L(0x5c60aa252e),
  90468. /* lg(2048/2047) = */ FLAC__U64L(0x2e2d71b0d8),
  90469. /* lg(4096/4095) = */ FLAC__U64L(0x1716001719),
  90470. /* lg(8192/8191) = */ FLAC__U64L(0xb8ad1de1b),
  90471. /* lg(16384/16383) = */ FLAC__U64L(0x5c55d640d),
  90472. /* lg(32768/32767) = */ FLAC__U64L(0x2e2abcf52)
  90473. }
  90474. };
  90475. #endif
  90476. FLAC__uint32 FLAC__fixedpoint_log2(FLAC__uint32 x, unsigned fracbits, unsigned precision)
  90477. {
  90478. const FLAC__uint32 ONE = (1u << fracbits);
  90479. const FLAC__uint32 *table = log2_lookup[fracbits >> 2];
  90480. FLAC__ASSERT(fracbits < 32);
  90481. FLAC__ASSERT((fracbits & 0x3) == 0);
  90482. if(x < ONE)
  90483. return 0;
  90484. if(precision > LOG2_LOOKUP_PRECISION)
  90485. precision = LOG2_LOOKUP_PRECISION;
  90486. /* Knuth's algorithm for computing logarithms, optimized for base-2 with lookup tables */
  90487. {
  90488. FLAC__uint32 y = 0;
  90489. FLAC__uint32 z = x >> 1, k = 1;
  90490. while (x > ONE && k < precision) {
  90491. if (x - z >= ONE) {
  90492. x -= z;
  90493. z = x >> k;
  90494. y += table[k];
  90495. }
  90496. else {
  90497. z >>= 1;
  90498. k++;
  90499. }
  90500. }
  90501. return y;
  90502. }
  90503. }
  90504. #endif /* defined FLAC__INTEGER_ONLY_LIBRARY */
  90505. #endif
  90506. /********* End of inlined file: float.c *********/
  90507. /********* Start of inlined file: format.c *********/
  90508. /********* Start of inlined file: juce_FlacHeader.h *********/
  90509. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  90510. // tasks..
  90511. #define VERSION "1.2.1"
  90512. #define FLAC__NO_DLL 1
  90513. #ifdef _MSC_VER
  90514. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  90515. #endif
  90516. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  90517. #define FLAC__SYS_DARWIN 1
  90518. #endif
  90519. /********* End of inlined file: juce_FlacHeader.h *********/
  90520. #if JUCE_USE_FLAC
  90521. #if HAVE_CONFIG_H
  90522. # include <config.h>
  90523. #endif
  90524. #include <stdio.h>
  90525. #include <stdlib.h> /* for qsort() */
  90526. #include <string.h> /* for memset() */
  90527. #ifndef FLaC__INLINE
  90528. #define FLaC__INLINE
  90529. #endif
  90530. #ifdef min
  90531. #undef min
  90532. #endif
  90533. #define min(a,b) ((a)<(b)?(a):(b))
  90534. /* adjust for compilers that can't understand using LLU suffix for uint64_t literals */
  90535. #ifdef _MSC_VER
  90536. #define FLAC__U64L(x) x
  90537. #else
  90538. #define FLAC__U64L(x) x##LLU
  90539. #endif
  90540. /* VERSION should come from configure */
  90541. FLAC_API const char *FLAC__VERSION_STRING = VERSION
  90542. ;
  90543. #if defined _MSC_VER || defined __BORLANDC__ || defined __MINW32__
  90544. /* yet one more hack because of MSVC6: */
  90545. FLAC_API const char *FLAC__VENDOR_STRING = "reference libFLAC 1.2.1 20070917";
  90546. #else
  90547. FLAC_API const char *FLAC__VENDOR_STRING = "reference libFLAC " VERSION " 20070917";
  90548. #endif
  90549. FLAC_API const FLAC__byte FLAC__STREAM_SYNC_STRING[4] = { 'f','L','a','C' };
  90550. FLAC_API const unsigned FLAC__STREAM_SYNC = 0x664C6143;
  90551. FLAC_API const unsigned FLAC__STREAM_SYNC_LEN = 32; /* bits */
  90552. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN = 16; /* bits */
  90553. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN = 16; /* bits */
  90554. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN = 24; /* bits */
  90555. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN = 24; /* bits */
  90556. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN = 20; /* bits */
  90557. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN = 3; /* bits */
  90558. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN = 5; /* bits */
  90559. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_TOTAL_SAMPLES_LEN = 36; /* bits */
  90560. FLAC_API const unsigned FLAC__STREAM_METADATA_STREAMINFO_MD5SUM_LEN = 128; /* bits */
  90561. FLAC_API const unsigned FLAC__STREAM_METADATA_APPLICATION_ID_LEN = 32; /* bits */
  90562. FLAC_API const unsigned FLAC__STREAM_METADATA_SEEKPOINT_SAMPLE_NUMBER_LEN = 64; /* bits */
  90563. FLAC_API const unsigned FLAC__STREAM_METADATA_SEEKPOINT_STREAM_OFFSET_LEN = 64; /* bits */
  90564. FLAC_API const unsigned FLAC__STREAM_METADATA_SEEKPOINT_FRAME_SAMPLES_LEN = 16; /* bits */
  90565. FLAC_API const FLAC__uint64 FLAC__STREAM_METADATA_SEEKPOINT_PLACEHOLDER = FLAC__U64L(0xffffffffffffffff);
  90566. FLAC_API const unsigned FLAC__STREAM_METADATA_VORBIS_COMMENT_ENTRY_LENGTH_LEN = 32; /* bits */
  90567. FLAC_API const unsigned FLAC__STREAM_METADATA_VORBIS_COMMENT_NUM_COMMENTS_LEN = 32; /* bits */
  90568. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_INDEX_OFFSET_LEN = 64; /* bits */
  90569. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_INDEX_NUMBER_LEN = 8; /* bits */
  90570. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_INDEX_RESERVED_LEN = 3*8; /* bits */
  90571. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_OFFSET_LEN = 64; /* bits */
  90572. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_NUMBER_LEN = 8; /* bits */
  90573. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_ISRC_LEN = 12*8; /* bits */
  90574. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_TYPE_LEN = 1; /* bit */
  90575. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_PRE_EMPHASIS_LEN = 1; /* bit */
  90576. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_RESERVED_LEN = 6+13*8; /* bits */
  90577. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_TRACK_NUM_INDICES_LEN = 8; /* bits */
  90578. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_MEDIA_CATALOG_NUMBER_LEN = 128*8; /* bits */
  90579. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_LEAD_IN_LEN = 64; /* bits */
  90580. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_IS_CD_LEN = 1; /* bit */
  90581. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_RESERVED_LEN = 7+258*8; /* bits */
  90582. FLAC_API const unsigned FLAC__STREAM_METADATA_CUESHEET_NUM_TRACKS_LEN = 8; /* bits */
  90583. FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_TYPE_LEN = 32; /* bits */
  90584. FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_MIME_TYPE_LENGTH_LEN = 32; /* bits */
  90585. FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_DESCRIPTION_LENGTH_LEN = 32; /* bits */
  90586. FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_WIDTH_LEN = 32; /* bits */
  90587. FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_HEIGHT_LEN = 32; /* bits */
  90588. FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_DEPTH_LEN = 32; /* bits */
  90589. FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_COLORS_LEN = 32; /* bits */
  90590. FLAC_API const unsigned FLAC__STREAM_METADATA_PICTURE_DATA_LENGTH_LEN = 32; /* bits */
  90591. FLAC_API const unsigned FLAC__STREAM_METADATA_IS_LAST_LEN = 1; /* bits */
  90592. FLAC_API const unsigned FLAC__STREAM_METADATA_TYPE_LEN = 7; /* bits */
  90593. FLAC_API const unsigned FLAC__STREAM_METADATA_LENGTH_LEN = 24; /* bits */
  90594. FLAC_API const unsigned FLAC__FRAME_HEADER_SYNC = 0x3ffe;
  90595. FLAC_API const unsigned FLAC__FRAME_HEADER_SYNC_LEN = 14; /* bits */
  90596. FLAC_API const unsigned FLAC__FRAME_HEADER_RESERVED_LEN = 1; /* bits */
  90597. FLAC_API const unsigned FLAC__FRAME_HEADER_BLOCKING_STRATEGY_LEN = 1; /* bits */
  90598. FLAC_API const unsigned FLAC__FRAME_HEADER_BLOCK_SIZE_LEN = 4; /* bits */
  90599. FLAC_API const unsigned FLAC__FRAME_HEADER_SAMPLE_RATE_LEN = 4; /* bits */
  90600. FLAC_API const unsigned FLAC__FRAME_HEADER_CHANNEL_ASSIGNMENT_LEN = 4; /* bits */
  90601. FLAC_API const unsigned FLAC__FRAME_HEADER_BITS_PER_SAMPLE_LEN = 3; /* bits */
  90602. FLAC_API const unsigned FLAC__FRAME_HEADER_ZERO_PAD_LEN = 1; /* bits */
  90603. FLAC_API const unsigned FLAC__FRAME_HEADER_CRC_LEN = 8; /* bits */
  90604. FLAC_API const unsigned FLAC__FRAME_FOOTER_CRC_LEN = 16; /* bits */
  90605. FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_TYPE_LEN = 2; /* bits */
  90606. FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ORDER_LEN = 4; /* bits */
  90607. FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_PARAMETER_LEN = 4; /* bits */
  90608. FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN = 5; /* bits */
  90609. FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_RAW_LEN = 5; /* bits */
  90610. FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ESCAPE_PARAMETER = 15; /* == (1<<FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_PARAMETER_LEN)-1 */
  90611. FLAC_API const unsigned FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_ESCAPE_PARAMETER = 31; /* == (1<<FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN)-1 */
  90612. FLAC_API const char * const FLAC__EntropyCodingMethodTypeString[] = {
  90613. "PARTITIONED_RICE",
  90614. "PARTITIONED_RICE2"
  90615. };
  90616. FLAC_API const unsigned FLAC__SUBFRAME_LPC_QLP_COEFF_PRECISION_LEN = 4; /* bits */
  90617. FLAC_API const unsigned FLAC__SUBFRAME_LPC_QLP_SHIFT_LEN = 5; /* bits */
  90618. FLAC_API const unsigned FLAC__SUBFRAME_ZERO_PAD_LEN = 1; /* bits */
  90619. FLAC_API const unsigned FLAC__SUBFRAME_TYPE_LEN = 6; /* bits */
  90620. FLAC_API const unsigned FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN = 1; /* bits */
  90621. FLAC_API const unsigned FLAC__SUBFRAME_TYPE_CONSTANT_BYTE_ALIGNED_MASK = 0x00;
  90622. FLAC_API const unsigned FLAC__SUBFRAME_TYPE_VERBATIM_BYTE_ALIGNED_MASK = 0x02;
  90623. FLAC_API const unsigned FLAC__SUBFRAME_TYPE_FIXED_BYTE_ALIGNED_MASK = 0x10;
  90624. FLAC_API const unsigned FLAC__SUBFRAME_TYPE_LPC_BYTE_ALIGNED_MASK = 0x40;
  90625. FLAC_API const char * const FLAC__SubframeTypeString[] = {
  90626. "CONSTANT",
  90627. "VERBATIM",
  90628. "FIXED",
  90629. "LPC"
  90630. };
  90631. FLAC_API const char * const FLAC__ChannelAssignmentString[] = {
  90632. "INDEPENDENT",
  90633. "LEFT_SIDE",
  90634. "RIGHT_SIDE",
  90635. "MID_SIDE"
  90636. };
  90637. FLAC_API const char * const FLAC__FrameNumberTypeString[] = {
  90638. "FRAME_NUMBER_TYPE_FRAME_NUMBER",
  90639. "FRAME_NUMBER_TYPE_SAMPLE_NUMBER"
  90640. };
  90641. FLAC_API const char * const FLAC__MetadataTypeString[] = {
  90642. "STREAMINFO",
  90643. "PADDING",
  90644. "APPLICATION",
  90645. "SEEKTABLE",
  90646. "VORBIS_COMMENT",
  90647. "CUESHEET",
  90648. "PICTURE"
  90649. };
  90650. FLAC_API const char * const FLAC__StreamMetadata_Picture_TypeString[] = {
  90651. "Other",
  90652. "32x32 pixels 'file icon' (PNG only)",
  90653. "Other file icon",
  90654. "Cover (front)",
  90655. "Cover (back)",
  90656. "Leaflet page",
  90657. "Media (e.g. label side of CD)",
  90658. "Lead artist/lead performer/soloist",
  90659. "Artist/performer",
  90660. "Conductor",
  90661. "Band/Orchestra",
  90662. "Composer",
  90663. "Lyricist/text writer",
  90664. "Recording Location",
  90665. "During recording",
  90666. "During performance",
  90667. "Movie/video screen capture",
  90668. "A bright coloured fish",
  90669. "Illustration",
  90670. "Band/artist logotype",
  90671. "Publisher/Studio logotype"
  90672. };
  90673. FLAC_API FLAC__bool FLAC__format_sample_rate_is_valid(unsigned sample_rate)
  90674. {
  90675. if(sample_rate == 0 || sample_rate > FLAC__MAX_SAMPLE_RATE) {
  90676. return false;
  90677. }
  90678. else
  90679. return true;
  90680. }
  90681. FLAC_API FLAC__bool FLAC__format_sample_rate_is_subset(unsigned sample_rate)
  90682. {
  90683. if(
  90684. !FLAC__format_sample_rate_is_valid(sample_rate) ||
  90685. (
  90686. sample_rate >= (1u << 16) &&
  90687. !(sample_rate % 1000 == 0 || sample_rate % 10 == 0)
  90688. )
  90689. ) {
  90690. return false;
  90691. }
  90692. else
  90693. return true;
  90694. }
  90695. /* @@@@ add to unit tests; it is already indirectly tested by the metadata_object tests */
  90696. FLAC_API FLAC__bool FLAC__format_seektable_is_legal(const FLAC__StreamMetadata_SeekTable *seek_table)
  90697. {
  90698. unsigned i;
  90699. FLAC__uint64 prev_sample_number = 0;
  90700. FLAC__bool got_prev = false;
  90701. FLAC__ASSERT(0 != seek_table);
  90702. for(i = 0; i < seek_table->num_points; i++) {
  90703. if(got_prev) {
  90704. if(
  90705. seek_table->points[i].sample_number != FLAC__STREAM_METADATA_SEEKPOINT_PLACEHOLDER &&
  90706. seek_table->points[i].sample_number <= prev_sample_number
  90707. )
  90708. return false;
  90709. }
  90710. prev_sample_number = seek_table->points[i].sample_number;
  90711. got_prev = true;
  90712. }
  90713. return true;
  90714. }
  90715. /* used as the sort predicate for qsort() */
  90716. static int seekpoint_compare_(const FLAC__StreamMetadata_SeekPoint *l, const FLAC__StreamMetadata_SeekPoint *r)
  90717. {
  90718. /* we don't just 'return l->sample_number - r->sample_number' since the result (FLAC__int64) might overflow an 'int' */
  90719. if(l->sample_number == r->sample_number)
  90720. return 0;
  90721. else if(l->sample_number < r->sample_number)
  90722. return -1;
  90723. else
  90724. return 1;
  90725. }
  90726. /* @@@@ add to unit tests; it is already indirectly tested by the metadata_object tests */
  90727. FLAC_API unsigned FLAC__format_seektable_sort(FLAC__StreamMetadata_SeekTable *seek_table)
  90728. {
  90729. unsigned i, j;
  90730. FLAC__bool first;
  90731. FLAC__ASSERT(0 != seek_table);
  90732. /* sort the seekpoints */
  90733. qsort(seek_table->points, seek_table->num_points, sizeof(FLAC__StreamMetadata_SeekPoint), (int (*)(const void *, const void *))seekpoint_compare_);
  90734. /* uniquify the seekpoints */
  90735. first = true;
  90736. for(i = j = 0; i < seek_table->num_points; i++) {
  90737. if(seek_table->points[i].sample_number != FLAC__STREAM_METADATA_SEEKPOINT_PLACEHOLDER) {
  90738. if(!first) {
  90739. if(seek_table->points[i].sample_number == seek_table->points[j-1].sample_number)
  90740. continue;
  90741. }
  90742. }
  90743. first = false;
  90744. seek_table->points[j++] = seek_table->points[i];
  90745. }
  90746. for(i = j; i < seek_table->num_points; i++) {
  90747. seek_table->points[i].sample_number = FLAC__STREAM_METADATA_SEEKPOINT_PLACEHOLDER;
  90748. seek_table->points[i].stream_offset = 0;
  90749. seek_table->points[i].frame_samples = 0;
  90750. }
  90751. return j;
  90752. }
  90753. /*
  90754. * also disallows non-shortest-form encodings, c.f.
  90755. * http://www.unicode.org/versions/corrigendum1.html
  90756. * and a more clear explanation at the end of this section:
  90757. * http://www.cl.cam.ac.uk/~mgk25/unicode.html#utf-8
  90758. */
  90759. static FLaC__INLINE unsigned utf8len_(const FLAC__byte *utf8)
  90760. {
  90761. FLAC__ASSERT(0 != utf8);
  90762. if ((utf8[0] & 0x80) == 0) {
  90763. return 1;
  90764. }
  90765. else if ((utf8[0] & 0xE0) == 0xC0 && (utf8[1] & 0xC0) == 0x80) {
  90766. if ((utf8[0] & 0xFE) == 0xC0) /* overlong sequence check */
  90767. return 0;
  90768. return 2;
  90769. }
  90770. else if ((utf8[0] & 0xF0) == 0xE0 && (utf8[1] & 0xC0) == 0x80 && (utf8[2] & 0xC0) == 0x80) {
  90771. if (utf8[0] == 0xE0 && (utf8[1] & 0xE0) == 0x80) /* overlong sequence check */
  90772. return 0;
  90773. /* illegal surrogates check (U+D800...U+DFFF and U+FFFE...U+FFFF) */
  90774. if (utf8[0] == 0xED && (utf8[1] & 0xE0) == 0xA0) /* D800-DFFF */
  90775. return 0;
  90776. if (utf8[0] == 0xEF && utf8[1] == 0xBF && (utf8[2] & 0xFE) == 0xBE) /* FFFE-FFFF */
  90777. return 0;
  90778. return 3;
  90779. }
  90780. else if ((utf8[0] & 0xF8) == 0xF0 && (utf8[1] & 0xC0) == 0x80 && (utf8[2] & 0xC0) == 0x80 && (utf8[3] & 0xC0) == 0x80) {
  90781. if (utf8[0] == 0xF0 && (utf8[1] & 0xF0) == 0x80) /* overlong sequence check */
  90782. return 0;
  90783. return 4;
  90784. }
  90785. else if ((utf8[0] & 0xFC) == 0xF8 && (utf8[1] & 0xC0) == 0x80 && (utf8[2] & 0xC0) == 0x80 && (utf8[3] & 0xC0) == 0x80 && (utf8[4] & 0xC0) == 0x80) {
  90786. if (utf8[0] == 0xF8 && (utf8[1] & 0xF8) == 0x80) /* overlong sequence check */
  90787. return 0;
  90788. return 5;
  90789. }
  90790. else if ((utf8[0] & 0xFE) == 0xFC && (utf8[1] & 0xC0) == 0x80 && (utf8[2] & 0xC0) == 0x80 && (utf8[3] & 0xC0) == 0x80 && (utf8[4] & 0xC0) == 0x80 && (utf8[5] & 0xC0) == 0x80) {
  90791. if (utf8[0] == 0xFC && (utf8[1] & 0xFC) == 0x80) /* overlong sequence check */
  90792. return 0;
  90793. return 6;
  90794. }
  90795. else {
  90796. return 0;
  90797. }
  90798. }
  90799. FLAC_API FLAC__bool FLAC__format_vorbiscomment_entry_name_is_legal(const char *name)
  90800. {
  90801. char c;
  90802. for(c = *name; c; c = *(++name))
  90803. if(c < 0x20 || c == 0x3d || c > 0x7d)
  90804. return false;
  90805. return true;
  90806. }
  90807. FLAC_API FLAC__bool FLAC__format_vorbiscomment_entry_value_is_legal(const FLAC__byte *value, unsigned length)
  90808. {
  90809. if(length == (unsigned)(-1)) {
  90810. while(*value) {
  90811. unsigned n = utf8len_(value);
  90812. if(n == 0)
  90813. return false;
  90814. value += n;
  90815. }
  90816. }
  90817. else {
  90818. const FLAC__byte *end = value + length;
  90819. while(value < end) {
  90820. unsigned n = utf8len_(value);
  90821. if(n == 0)
  90822. return false;
  90823. value += n;
  90824. }
  90825. if(value != end)
  90826. return false;
  90827. }
  90828. return true;
  90829. }
  90830. FLAC_API FLAC__bool FLAC__format_vorbiscomment_entry_is_legal(const FLAC__byte *entry, unsigned length)
  90831. {
  90832. const FLAC__byte *s, *end;
  90833. for(s = entry, end = s + length; s < end && *s != '='; s++) {
  90834. if(*s < 0x20 || *s > 0x7D)
  90835. return false;
  90836. }
  90837. if(s == end)
  90838. return false;
  90839. s++; /* skip '=' */
  90840. while(s < end) {
  90841. unsigned n = utf8len_(s);
  90842. if(n == 0)
  90843. return false;
  90844. s += n;
  90845. }
  90846. if(s != end)
  90847. return false;
  90848. return true;
  90849. }
  90850. /* @@@@ add to unit tests; it is already indirectly tested by the metadata_object tests */
  90851. FLAC_API FLAC__bool FLAC__format_cuesheet_is_legal(const FLAC__StreamMetadata_CueSheet *cue_sheet, FLAC__bool check_cd_da_subset, const char **violation)
  90852. {
  90853. unsigned i, j;
  90854. if(check_cd_da_subset) {
  90855. if(cue_sheet->lead_in < 2 * 44100) {
  90856. if(violation) *violation = "CD-DA cue sheet must have a lead-in length of at least 2 seconds";
  90857. return false;
  90858. }
  90859. if(cue_sheet->lead_in % 588 != 0) {
  90860. if(violation) *violation = "CD-DA cue sheet lead-in length must be evenly divisible by 588 samples";
  90861. return false;
  90862. }
  90863. }
  90864. if(cue_sheet->num_tracks == 0) {
  90865. if(violation) *violation = "cue sheet must have at least one track (the lead-out)";
  90866. return false;
  90867. }
  90868. if(check_cd_da_subset && cue_sheet->tracks[cue_sheet->num_tracks-1].number != 170) {
  90869. if(violation) *violation = "CD-DA cue sheet must have a lead-out track number 170 (0xAA)";
  90870. return false;
  90871. }
  90872. for(i = 0; i < cue_sheet->num_tracks; i++) {
  90873. if(cue_sheet->tracks[i].number == 0) {
  90874. if(violation) *violation = "cue sheet may not have a track number 0";
  90875. return false;
  90876. }
  90877. if(check_cd_da_subset) {
  90878. if(!((cue_sheet->tracks[i].number >= 1 && cue_sheet->tracks[i].number <= 99) || cue_sheet->tracks[i].number == 170)) {
  90879. if(violation) *violation = "CD-DA cue sheet track number must be 1-99 or 170";
  90880. return false;
  90881. }
  90882. }
  90883. if(check_cd_da_subset && cue_sheet->tracks[i].offset % 588 != 0) {
  90884. if(violation) {
  90885. if(i == cue_sheet->num_tracks-1) /* the lead-out track... */
  90886. *violation = "CD-DA cue sheet lead-out offset must be evenly divisible by 588 samples";
  90887. else
  90888. *violation = "CD-DA cue sheet track offset must be evenly divisible by 588 samples";
  90889. }
  90890. return false;
  90891. }
  90892. if(i < cue_sheet->num_tracks - 1) {
  90893. if(cue_sheet->tracks[i].num_indices == 0) {
  90894. if(violation) *violation = "cue sheet track must have at least one index point";
  90895. return false;
  90896. }
  90897. if(cue_sheet->tracks[i].indices[0].number > 1) {
  90898. if(violation) *violation = "cue sheet track's first index number must be 0 or 1";
  90899. return false;
  90900. }
  90901. }
  90902. for(j = 0; j < cue_sheet->tracks[i].num_indices; j++) {
  90903. if(check_cd_da_subset && cue_sheet->tracks[i].indices[j].offset % 588 != 0) {
  90904. if(violation) *violation = "CD-DA cue sheet track index offset must be evenly divisible by 588 samples";
  90905. return false;
  90906. }
  90907. if(j > 0) {
  90908. if(cue_sheet->tracks[i].indices[j].number != cue_sheet->tracks[i].indices[j-1].number + 1) {
  90909. if(violation) *violation = "cue sheet track index numbers must increase by 1";
  90910. return false;
  90911. }
  90912. }
  90913. }
  90914. }
  90915. return true;
  90916. }
  90917. /* @@@@ add to unit tests; it is already indirectly tested by the metadata_object tests */
  90918. FLAC_API FLAC__bool FLAC__format_picture_is_legal(const FLAC__StreamMetadata_Picture *picture, const char **violation)
  90919. {
  90920. char *p;
  90921. FLAC__byte *b;
  90922. for(p = picture->mime_type; *p; p++) {
  90923. if(*p < 0x20 || *p > 0x7e) {
  90924. if(violation) *violation = "MIME type string must contain only printable ASCII characters (0x20-0x7e)";
  90925. return false;
  90926. }
  90927. }
  90928. for(b = picture->description; *b; ) {
  90929. unsigned n = utf8len_(b);
  90930. if(n == 0) {
  90931. if(violation) *violation = "description string must be valid UTF-8";
  90932. return false;
  90933. }
  90934. b += n;
  90935. }
  90936. return true;
  90937. }
  90938. /*
  90939. * These routines are private to libFLAC
  90940. */
  90941. unsigned FLAC__format_get_max_rice_partition_order(unsigned blocksize, unsigned predictor_order)
  90942. {
  90943. return
  90944. FLAC__format_get_max_rice_partition_order_from_blocksize_limited_max_and_predictor_order(
  90945. FLAC__format_get_max_rice_partition_order_from_blocksize(blocksize),
  90946. blocksize,
  90947. predictor_order
  90948. );
  90949. }
  90950. unsigned FLAC__format_get_max_rice_partition_order_from_blocksize(unsigned blocksize)
  90951. {
  90952. unsigned max_rice_partition_order = 0;
  90953. while(!(blocksize & 1)) {
  90954. max_rice_partition_order++;
  90955. blocksize >>= 1;
  90956. }
  90957. return min(FLAC__MAX_RICE_PARTITION_ORDER, max_rice_partition_order);
  90958. }
  90959. unsigned FLAC__format_get_max_rice_partition_order_from_blocksize_limited_max_and_predictor_order(unsigned limit, unsigned blocksize, unsigned predictor_order)
  90960. {
  90961. unsigned max_rice_partition_order = limit;
  90962. while(max_rice_partition_order > 0 && (blocksize >> max_rice_partition_order) <= predictor_order)
  90963. max_rice_partition_order--;
  90964. FLAC__ASSERT(
  90965. (max_rice_partition_order == 0 && blocksize >= predictor_order) ||
  90966. (max_rice_partition_order > 0 && blocksize >> max_rice_partition_order > predictor_order)
  90967. );
  90968. return max_rice_partition_order;
  90969. }
  90970. void FLAC__format_entropy_coding_method_partitioned_rice_contents_init(FLAC__EntropyCodingMethod_PartitionedRiceContents *object)
  90971. {
  90972. FLAC__ASSERT(0 != object);
  90973. object->parameters = 0;
  90974. object->raw_bits = 0;
  90975. object->capacity_by_order = 0;
  90976. }
  90977. void FLAC__format_entropy_coding_method_partitioned_rice_contents_clear(FLAC__EntropyCodingMethod_PartitionedRiceContents *object)
  90978. {
  90979. FLAC__ASSERT(0 != object);
  90980. if(0 != object->parameters)
  90981. free(object->parameters);
  90982. if(0 != object->raw_bits)
  90983. free(object->raw_bits);
  90984. FLAC__format_entropy_coding_method_partitioned_rice_contents_init(object);
  90985. }
  90986. FLAC__bool FLAC__format_entropy_coding_method_partitioned_rice_contents_ensure_size(FLAC__EntropyCodingMethod_PartitionedRiceContents *object, unsigned max_partition_order)
  90987. {
  90988. FLAC__ASSERT(0 != object);
  90989. FLAC__ASSERT(object->capacity_by_order > 0 || (0 == object->parameters && 0 == object->raw_bits));
  90990. if(object->capacity_by_order < max_partition_order) {
  90991. if(0 == (object->parameters = (unsigned*)realloc(object->parameters, sizeof(unsigned)*(1 << max_partition_order))))
  90992. return false;
  90993. if(0 == (object->raw_bits = (unsigned*)realloc(object->raw_bits, sizeof(unsigned)*(1 << max_partition_order))))
  90994. return false;
  90995. memset(object->raw_bits, 0, sizeof(unsigned)*(1 << max_partition_order));
  90996. object->capacity_by_order = max_partition_order;
  90997. }
  90998. return true;
  90999. }
  91000. #endif
  91001. /********* End of inlined file: format.c *********/
  91002. /********* Start of inlined file: lpc_flac.c *********/
  91003. /********* Start of inlined file: juce_FlacHeader.h *********/
  91004. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  91005. // tasks..
  91006. #define VERSION "1.2.1"
  91007. #define FLAC__NO_DLL 1
  91008. #ifdef _MSC_VER
  91009. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  91010. #endif
  91011. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  91012. #define FLAC__SYS_DARWIN 1
  91013. #endif
  91014. /********* End of inlined file: juce_FlacHeader.h *********/
  91015. #if JUCE_USE_FLAC
  91016. #if HAVE_CONFIG_H
  91017. # include <config.h>
  91018. #endif
  91019. #include <math.h>
  91020. /********* Start of inlined file: lpc.h *********/
  91021. #ifndef FLAC__PRIVATE__LPC_H
  91022. #define FLAC__PRIVATE__LPC_H
  91023. #ifdef HAVE_CONFIG_H
  91024. #include <config.h>
  91025. #endif
  91026. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  91027. /*
  91028. * FLAC__lpc_window_data()
  91029. * --------------------------------------------------------------------
  91030. * Applies the given window to the data.
  91031. * OPT: asm implementation
  91032. *
  91033. * IN in[0,data_len-1]
  91034. * IN window[0,data_len-1]
  91035. * OUT out[0,lag-1]
  91036. * IN data_len
  91037. */
  91038. void FLAC__lpc_window_data(const FLAC__int32 in[], const FLAC__real window[], FLAC__real out[], unsigned data_len);
  91039. /*
  91040. * FLAC__lpc_compute_autocorrelation()
  91041. * --------------------------------------------------------------------
  91042. * Compute the autocorrelation for lags between 0 and lag-1.
  91043. * Assumes data[] outside of [0,data_len-1] == 0.
  91044. * Asserts that lag > 0.
  91045. *
  91046. * IN data[0,data_len-1]
  91047. * IN data_len
  91048. * IN 0 < lag <= data_len
  91049. * OUT autoc[0,lag-1]
  91050. */
  91051. void FLAC__lpc_compute_autocorrelation(const FLAC__real data[], unsigned data_len, unsigned lag, FLAC__real autoc[]);
  91052. #ifndef FLAC__NO_ASM
  91053. # ifdef FLAC__CPU_IA32
  91054. # ifdef FLAC__HAS_NASM
  91055. void FLAC__lpc_compute_autocorrelation_asm_ia32(const FLAC__real data[], unsigned data_len, unsigned lag, FLAC__real autoc[]);
  91056. void FLAC__lpc_compute_autocorrelation_asm_ia32_sse_lag_4(const FLAC__real data[], unsigned data_len, unsigned lag, FLAC__real autoc[]);
  91057. void FLAC__lpc_compute_autocorrelation_asm_ia32_sse_lag_8(const FLAC__real data[], unsigned data_len, unsigned lag, FLAC__real autoc[]);
  91058. void FLAC__lpc_compute_autocorrelation_asm_ia32_sse_lag_12(const FLAC__real data[], unsigned data_len, unsigned lag, FLAC__real autoc[]);
  91059. void FLAC__lpc_compute_autocorrelation_asm_ia32_3dnow(const FLAC__real data[], unsigned data_len, unsigned lag, FLAC__real autoc[]);
  91060. # endif
  91061. # endif
  91062. #endif
  91063. /*
  91064. * FLAC__lpc_compute_lp_coefficients()
  91065. * --------------------------------------------------------------------
  91066. * Computes LP coefficients for orders 1..max_order.
  91067. * Do not call if autoc[0] == 0.0. This means the signal is zero
  91068. * and there is no point in calculating a predictor.
  91069. *
  91070. * IN autoc[0,max_order] autocorrelation values
  91071. * IN 0 < max_order <= FLAC__MAX_LPC_ORDER max LP order to compute
  91072. * OUT lp_coeff[0,max_order-1][0,max_order-1] LP coefficients for each order
  91073. * *** IMPORTANT:
  91074. * *** lp_coeff[0,max_order-1][max_order,FLAC__MAX_LPC_ORDER-1] are untouched
  91075. * OUT error[0,max_order-1] error for each order (more
  91076. * specifically, the variance of
  91077. * the error signal times # of
  91078. * samples in the signal)
  91079. *
  91080. * Example: if max_order is 9, the LP coefficients for order 9 will be
  91081. * in lp_coeff[8][0,8], the LP coefficients for order 8 will be
  91082. * in lp_coeff[7][0,7], etc.
  91083. */
  91084. void FLAC__lpc_compute_lp_coefficients(const FLAC__real autoc[], unsigned *max_order, FLAC__real lp_coeff[][FLAC__MAX_LPC_ORDER], FLAC__double error[]);
  91085. /*
  91086. * FLAC__lpc_quantize_coefficients()
  91087. * --------------------------------------------------------------------
  91088. * Quantizes the LP coefficients. NOTE: precision + bits_per_sample
  91089. * must be less than 32 (sizeof(FLAC__int32)*8).
  91090. *
  91091. * IN lp_coeff[0,order-1] LP coefficients
  91092. * IN order LP order
  91093. * IN FLAC__MIN_QLP_COEFF_PRECISION < precision
  91094. * desired precision (in bits, including sign
  91095. * bit) of largest coefficient
  91096. * OUT qlp_coeff[0,order-1] quantized coefficients
  91097. * OUT shift # of bits to shift right to get approximated
  91098. * LP coefficients. NOTE: could be negative.
  91099. * RETURN 0 => quantization OK
  91100. * 1 => coefficients require too much shifting for *shift to
  91101. * fit in the LPC subframe header. 'shift' is unset.
  91102. * 2 => coefficients are all zero, which is bad. 'shift' is
  91103. * unset.
  91104. */
  91105. int FLAC__lpc_quantize_coefficients(const FLAC__real lp_coeff[], unsigned order, unsigned precision, FLAC__int32 qlp_coeff[], int *shift);
  91106. /*
  91107. * FLAC__lpc_compute_residual_from_qlp_coefficients()
  91108. * --------------------------------------------------------------------
  91109. * Compute the residual signal obtained from sutracting the predicted
  91110. * signal from the original.
  91111. *
  91112. * IN data[-order,data_len-1] original signal (NOTE THE INDICES!)
  91113. * IN data_len length of original signal
  91114. * IN qlp_coeff[0,order-1] quantized LP coefficients
  91115. * IN order > 0 LP order
  91116. * IN lp_quantization quantization of LP coefficients in bits
  91117. * OUT residual[0,data_len-1] residual signal
  91118. */
  91119. void FLAC__lpc_compute_residual_from_qlp_coefficients(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[]);
  91120. void FLAC__lpc_compute_residual_from_qlp_coefficients_wide(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[]);
  91121. #ifndef FLAC__NO_ASM
  91122. # ifdef FLAC__CPU_IA32
  91123. # ifdef FLAC__HAS_NASM
  91124. void FLAC__lpc_compute_residual_from_qlp_coefficients_asm_ia32(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[]);
  91125. void FLAC__lpc_compute_residual_from_qlp_coefficients_asm_ia32_mmx(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[]);
  91126. # endif
  91127. # endif
  91128. #endif
  91129. #endif /* !defined FLAC__INTEGER_ONLY_LIBRARY */
  91130. /*
  91131. * FLAC__lpc_restore_signal()
  91132. * --------------------------------------------------------------------
  91133. * Restore the original signal by summing the residual and the
  91134. * predictor.
  91135. *
  91136. * IN residual[0,data_len-1] residual signal
  91137. * IN data_len length of original signal
  91138. * IN qlp_coeff[0,order-1] quantized LP coefficients
  91139. * IN order > 0 LP order
  91140. * IN lp_quantization quantization of LP coefficients in bits
  91141. * *** IMPORTANT: the caller must pass in the historical samples:
  91142. * IN data[-order,-1] previously-reconstructed historical samples
  91143. * OUT data[0,data_len-1] original signal
  91144. */
  91145. void FLAC__lpc_restore_signal(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  91146. void FLAC__lpc_restore_signal_wide(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  91147. #ifndef FLAC__NO_ASM
  91148. # ifdef FLAC__CPU_IA32
  91149. # ifdef FLAC__HAS_NASM
  91150. void FLAC__lpc_restore_signal_asm_ia32(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  91151. void FLAC__lpc_restore_signal_asm_ia32_mmx(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  91152. # endif /* FLAC__HAS_NASM */
  91153. # elif defined FLAC__CPU_PPC
  91154. void FLAC__lpc_restore_signal_asm_ppc_altivec_16(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  91155. void FLAC__lpc_restore_signal_asm_ppc_altivec_16_order8(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  91156. # endif/* FLAC__CPU_IA32 || FLAC__CPU_PPC */
  91157. #endif /* FLAC__NO_ASM */
  91158. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  91159. /*
  91160. * FLAC__lpc_compute_expected_bits_per_residual_sample()
  91161. * --------------------------------------------------------------------
  91162. * Compute the expected number of bits per residual signal sample
  91163. * based on the LP error (which is related to the residual variance).
  91164. *
  91165. * IN lpc_error >= 0.0 error returned from calculating LP coefficients
  91166. * IN total_samples > 0 # of samples in residual signal
  91167. * RETURN expected bits per sample
  91168. */
  91169. FLAC__double FLAC__lpc_compute_expected_bits_per_residual_sample(FLAC__double lpc_error, unsigned total_samples);
  91170. FLAC__double FLAC__lpc_compute_expected_bits_per_residual_sample_with_error_scale(FLAC__double lpc_error, FLAC__double error_scale);
  91171. /*
  91172. * FLAC__lpc_compute_best_order()
  91173. * --------------------------------------------------------------------
  91174. * Compute the best order from the array of signal errors returned
  91175. * during coefficient computation.
  91176. *
  91177. * IN lpc_error[0,max_order-1] >= 0.0 error returned from calculating LP coefficients
  91178. * IN max_order > 0 max LP order
  91179. * IN total_samples > 0 # of samples in residual signal
  91180. * IN overhead_bits_per_order # of bits overhead for each increased LP order
  91181. * (includes warmup sample size and quantized LP coefficient)
  91182. * RETURN [1,max_order] best order
  91183. */
  91184. unsigned FLAC__lpc_compute_best_order(const FLAC__double lpc_error[], unsigned max_order, unsigned total_samples, unsigned overhead_bits_per_order);
  91185. #endif /* !defined FLAC__INTEGER_ONLY_LIBRARY */
  91186. #endif
  91187. /********* End of inlined file: lpc.h *********/
  91188. #if defined DEBUG || defined FLAC__OVERFLOW_DETECT || defined FLAC__OVERFLOW_DETECT_VERBOSE
  91189. #include <stdio.h>
  91190. #endif
  91191. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  91192. #ifndef M_LN2
  91193. /* math.h in VC++ doesn't seem to have this (how Microsoft is that?) */
  91194. #define M_LN2 0.69314718055994530942
  91195. #endif
  91196. /* OPT: #undef'ing this may improve the speed on some architectures */
  91197. #define FLAC__LPC_UNROLLED_FILTER_LOOPS
  91198. void FLAC__lpc_window_data(const FLAC__int32 in[], const FLAC__real window[], FLAC__real out[], unsigned data_len)
  91199. {
  91200. unsigned i;
  91201. for(i = 0; i < data_len; i++)
  91202. out[i] = in[i] * window[i];
  91203. }
  91204. void FLAC__lpc_compute_autocorrelation(const FLAC__real data[], unsigned data_len, unsigned lag, FLAC__real autoc[])
  91205. {
  91206. /* a readable, but slower, version */
  91207. #if 0
  91208. FLAC__real d;
  91209. unsigned i;
  91210. FLAC__ASSERT(lag > 0);
  91211. FLAC__ASSERT(lag <= data_len);
  91212. /*
  91213. * Technically we should subtract the mean first like so:
  91214. * for(i = 0; i < data_len; i++)
  91215. * data[i] -= mean;
  91216. * but it appears not to make enough of a difference to matter, and
  91217. * most signals are already closely centered around zero
  91218. */
  91219. while(lag--) {
  91220. for(i = lag, d = 0.0; i < data_len; i++)
  91221. d += data[i] * data[i - lag];
  91222. autoc[lag] = d;
  91223. }
  91224. #endif
  91225. /*
  91226. * this version tends to run faster because of better data locality
  91227. * ('data_len' is usually much larger than 'lag')
  91228. */
  91229. FLAC__real d;
  91230. unsigned sample, coeff;
  91231. const unsigned limit = data_len - lag;
  91232. FLAC__ASSERT(lag > 0);
  91233. FLAC__ASSERT(lag <= data_len);
  91234. for(coeff = 0; coeff < lag; coeff++)
  91235. autoc[coeff] = 0.0;
  91236. for(sample = 0; sample <= limit; sample++) {
  91237. d = data[sample];
  91238. for(coeff = 0; coeff < lag; coeff++)
  91239. autoc[coeff] += d * data[sample+coeff];
  91240. }
  91241. for(; sample < data_len; sample++) {
  91242. d = data[sample];
  91243. for(coeff = 0; coeff < data_len - sample; coeff++)
  91244. autoc[coeff] += d * data[sample+coeff];
  91245. }
  91246. }
  91247. void FLAC__lpc_compute_lp_coefficients(const FLAC__real autoc[], unsigned *max_order, FLAC__real lp_coeff[][FLAC__MAX_LPC_ORDER], FLAC__double error[])
  91248. {
  91249. unsigned i, j;
  91250. FLAC__double r, err, ref[FLAC__MAX_LPC_ORDER], lpc[FLAC__MAX_LPC_ORDER];
  91251. FLAC__ASSERT(0 != max_order);
  91252. FLAC__ASSERT(0 < *max_order);
  91253. FLAC__ASSERT(*max_order <= FLAC__MAX_LPC_ORDER);
  91254. FLAC__ASSERT(autoc[0] != 0.0);
  91255. err = autoc[0];
  91256. for(i = 0; i < *max_order; i++) {
  91257. /* Sum up this iteration's reflection coefficient. */
  91258. r = -autoc[i+1];
  91259. for(j = 0; j < i; j++)
  91260. r -= lpc[j] * autoc[i-j];
  91261. ref[i] = (r/=err);
  91262. /* Update LPC coefficients and total error. */
  91263. lpc[i]=r;
  91264. for(j = 0; j < (i>>1); j++) {
  91265. FLAC__double tmp = lpc[j];
  91266. lpc[j] += r * lpc[i-1-j];
  91267. lpc[i-1-j] += r * tmp;
  91268. }
  91269. if(i & 1)
  91270. lpc[j] += lpc[j] * r;
  91271. err *= (1.0 - r * r);
  91272. /* save this order */
  91273. for(j = 0; j <= i; j++)
  91274. lp_coeff[i][j] = (FLAC__real)(-lpc[j]); /* negate FIR filter coeff to get predictor coeff */
  91275. error[i] = err;
  91276. /* see SF bug #1601812 http://sourceforge.net/tracker/index.php?func=detail&aid=1601812&group_id=13478&atid=113478 */
  91277. if(err == 0.0) {
  91278. *max_order = i+1;
  91279. return;
  91280. }
  91281. }
  91282. }
  91283. int FLAC__lpc_quantize_coefficients(const FLAC__real lp_coeff[], unsigned order, unsigned precision, FLAC__int32 qlp_coeff[], int *shift)
  91284. {
  91285. unsigned i;
  91286. FLAC__double cmax;
  91287. FLAC__int32 qmax, qmin;
  91288. FLAC__ASSERT(precision > 0);
  91289. FLAC__ASSERT(precision >= FLAC__MIN_QLP_COEFF_PRECISION);
  91290. /* drop one bit for the sign; from here on out we consider only |lp_coeff[i]| */
  91291. precision--;
  91292. qmax = 1 << precision;
  91293. qmin = -qmax;
  91294. qmax--;
  91295. /* calc cmax = max( |lp_coeff[i]| ) */
  91296. cmax = 0.0;
  91297. for(i = 0; i < order; i++) {
  91298. const FLAC__double d = fabs(lp_coeff[i]);
  91299. if(d > cmax)
  91300. cmax = d;
  91301. }
  91302. if(cmax <= 0.0) {
  91303. /* => coefficients are all 0, which means our constant-detect didn't work */
  91304. return 2;
  91305. }
  91306. else {
  91307. const int max_shiftlimit = (1 << (FLAC__SUBFRAME_LPC_QLP_SHIFT_LEN-1)) - 1;
  91308. const int min_shiftlimit = -max_shiftlimit - 1;
  91309. int log2cmax;
  91310. (void)frexp(cmax, &log2cmax);
  91311. log2cmax--;
  91312. *shift = (int)precision - log2cmax - 1;
  91313. if(*shift > max_shiftlimit)
  91314. *shift = max_shiftlimit;
  91315. else if(*shift < min_shiftlimit)
  91316. return 1;
  91317. }
  91318. if(*shift >= 0) {
  91319. FLAC__double error = 0.0;
  91320. FLAC__int32 q;
  91321. for(i = 0; i < order; i++) {
  91322. error += lp_coeff[i] * (1 << *shift);
  91323. #if 1 /* unfortunately lround() is C99 */
  91324. if(error >= 0.0)
  91325. q = (FLAC__int32)(error + 0.5);
  91326. else
  91327. q = (FLAC__int32)(error - 0.5);
  91328. #else
  91329. q = lround(error);
  91330. #endif
  91331. #ifdef FLAC__OVERFLOW_DETECT
  91332. if(q > qmax+1) /* we expect q==qmax+1 occasionally due to rounding */
  91333. fprintf(stderr,"FLAC__lpc_quantize_coefficients: quantizer overflow: q>qmax %d>%d shift=%d cmax=%f precision=%u lpc[%u]=%f\n",q,qmax,*shift,cmax,precision+1,i,lp_coeff[i]);
  91334. else if(q < qmin)
  91335. fprintf(stderr,"FLAC__lpc_quantize_coefficients: quantizer overflow: q<qmin %d<%d shift=%d cmax=%f precision=%u lpc[%u]=%f\n",q,qmin,*shift,cmax,precision+1,i,lp_coeff[i]);
  91336. #endif
  91337. if(q > qmax)
  91338. q = qmax;
  91339. else if(q < qmin)
  91340. q = qmin;
  91341. error -= q;
  91342. qlp_coeff[i] = q;
  91343. }
  91344. }
  91345. /* negative shift is very rare but due to design flaw, negative shift is
  91346. * a NOP in the decoder, so it must be handled specially by scaling down
  91347. * coeffs
  91348. */
  91349. else {
  91350. const int nshift = -(*shift);
  91351. FLAC__double error = 0.0;
  91352. FLAC__int32 q;
  91353. #ifdef DEBUG
  91354. fprintf(stderr,"FLAC__lpc_quantize_coefficients: negative shift=%d order=%u cmax=%f\n", *shift, order, cmax);
  91355. #endif
  91356. for(i = 0; i < order; i++) {
  91357. error += lp_coeff[i] / (1 << nshift);
  91358. #if 1 /* unfortunately lround() is C99 */
  91359. if(error >= 0.0)
  91360. q = (FLAC__int32)(error + 0.5);
  91361. else
  91362. q = (FLAC__int32)(error - 0.5);
  91363. #else
  91364. q = lround(error);
  91365. #endif
  91366. #ifdef FLAC__OVERFLOW_DETECT
  91367. if(q > qmax+1) /* we expect q==qmax+1 occasionally due to rounding */
  91368. fprintf(stderr,"FLAC__lpc_quantize_coefficients: quantizer overflow: q>qmax %d>%d shift=%d cmax=%f precision=%u lpc[%u]=%f\n",q,qmax,*shift,cmax,precision+1,i,lp_coeff[i]);
  91369. else if(q < qmin)
  91370. fprintf(stderr,"FLAC__lpc_quantize_coefficients: quantizer overflow: q<qmin %d<%d shift=%d cmax=%f precision=%u lpc[%u]=%f\n",q,qmin,*shift,cmax,precision+1,i,lp_coeff[i]);
  91371. #endif
  91372. if(q > qmax)
  91373. q = qmax;
  91374. else if(q < qmin)
  91375. q = qmin;
  91376. error -= q;
  91377. qlp_coeff[i] = q;
  91378. }
  91379. *shift = 0;
  91380. }
  91381. return 0;
  91382. }
  91383. void FLAC__lpc_compute_residual_from_qlp_coefficients(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[])
  91384. #if defined(FLAC__OVERFLOW_DETECT) || !defined(FLAC__LPC_UNROLLED_FILTER_LOOPS)
  91385. {
  91386. FLAC__int64 sumo;
  91387. unsigned i, j;
  91388. FLAC__int32 sum;
  91389. const FLAC__int32 *history;
  91390. #ifdef FLAC__OVERFLOW_DETECT_VERBOSE
  91391. fprintf(stderr,"FLAC__lpc_compute_residual_from_qlp_coefficients: data_len=%d, order=%u, lpq=%d",data_len,order,lp_quantization);
  91392. for(i=0;i<order;i++)
  91393. fprintf(stderr,", q[%u]=%d",i,qlp_coeff[i]);
  91394. fprintf(stderr,"\n");
  91395. #endif
  91396. FLAC__ASSERT(order > 0);
  91397. for(i = 0; i < data_len; i++) {
  91398. sumo = 0;
  91399. sum = 0;
  91400. history = data;
  91401. for(j = 0; j < order; j++) {
  91402. sum += qlp_coeff[j] * (*(--history));
  91403. sumo += (FLAC__int64)qlp_coeff[j] * (FLAC__int64)(*history);
  91404. #if defined _MSC_VER
  91405. if(sumo > 2147483647I64 || sumo < -2147483648I64)
  91406. fprintf(stderr,"FLAC__lpc_compute_residual_from_qlp_coefficients: OVERFLOW, i=%u, j=%u, c=%d, d=%d, sumo=%I64d\n",i,j,qlp_coeff[j],*history,sumo);
  91407. #else
  91408. if(sumo > 2147483647ll || sumo < -2147483648ll)
  91409. fprintf(stderr,"FLAC__lpc_compute_residual_from_qlp_coefficients: OVERFLOW, i=%u, j=%u, c=%d, d=%d, sumo=%lld\n",i,j,qlp_coeff[j],*history,(long long)sumo);
  91410. #endif
  91411. }
  91412. *(residual++) = *(data++) - (sum >> lp_quantization);
  91413. }
  91414. /* Here's a slower but clearer version:
  91415. for(i = 0; i < data_len; i++) {
  91416. sum = 0;
  91417. for(j = 0; j < order; j++)
  91418. sum += qlp_coeff[j] * data[i-j-1];
  91419. residual[i] = data[i] - (sum >> lp_quantization);
  91420. }
  91421. */
  91422. }
  91423. #else /* fully unrolled version for normal use */
  91424. {
  91425. int i;
  91426. FLAC__int32 sum;
  91427. FLAC__ASSERT(order > 0);
  91428. FLAC__ASSERT(order <= 32);
  91429. /*
  91430. * We do unique versions up to 12th order since that's the subset limit.
  91431. * Also they are roughly ordered to match frequency of occurrence to
  91432. * minimize branching.
  91433. */
  91434. if(order <= 12) {
  91435. if(order > 8) {
  91436. if(order > 10) {
  91437. if(order == 12) {
  91438. for(i = 0; i < (int)data_len; i++) {
  91439. sum = 0;
  91440. sum += qlp_coeff[11] * data[i-12];
  91441. sum += qlp_coeff[10] * data[i-11];
  91442. sum += qlp_coeff[9] * data[i-10];
  91443. sum += qlp_coeff[8] * data[i-9];
  91444. sum += qlp_coeff[7] * data[i-8];
  91445. sum += qlp_coeff[6] * data[i-7];
  91446. sum += qlp_coeff[5] * data[i-6];
  91447. sum += qlp_coeff[4] * data[i-5];
  91448. sum += qlp_coeff[3] * data[i-4];
  91449. sum += qlp_coeff[2] * data[i-3];
  91450. sum += qlp_coeff[1] * data[i-2];
  91451. sum += qlp_coeff[0] * data[i-1];
  91452. residual[i] = data[i] - (sum >> lp_quantization);
  91453. }
  91454. }
  91455. else { /* order == 11 */
  91456. for(i = 0; i < (int)data_len; i++) {
  91457. sum = 0;
  91458. sum += qlp_coeff[10] * data[i-11];
  91459. sum += qlp_coeff[9] * data[i-10];
  91460. sum += qlp_coeff[8] * data[i-9];
  91461. sum += qlp_coeff[7] * data[i-8];
  91462. sum += qlp_coeff[6] * data[i-7];
  91463. sum += qlp_coeff[5] * data[i-6];
  91464. sum += qlp_coeff[4] * data[i-5];
  91465. sum += qlp_coeff[3] * data[i-4];
  91466. sum += qlp_coeff[2] * data[i-3];
  91467. sum += qlp_coeff[1] * data[i-2];
  91468. sum += qlp_coeff[0] * data[i-1];
  91469. residual[i] = data[i] - (sum >> lp_quantization);
  91470. }
  91471. }
  91472. }
  91473. else {
  91474. if(order == 10) {
  91475. for(i = 0; i < (int)data_len; i++) {
  91476. sum = 0;
  91477. sum += qlp_coeff[9] * data[i-10];
  91478. sum += qlp_coeff[8] * data[i-9];
  91479. sum += qlp_coeff[7] * data[i-8];
  91480. sum += qlp_coeff[6] * data[i-7];
  91481. sum += qlp_coeff[5] * data[i-6];
  91482. sum += qlp_coeff[4] * data[i-5];
  91483. sum += qlp_coeff[3] * data[i-4];
  91484. sum += qlp_coeff[2] * data[i-3];
  91485. sum += qlp_coeff[1] * data[i-2];
  91486. sum += qlp_coeff[0] * data[i-1];
  91487. residual[i] = data[i] - (sum >> lp_quantization);
  91488. }
  91489. }
  91490. else { /* order == 9 */
  91491. for(i = 0; i < (int)data_len; i++) {
  91492. sum = 0;
  91493. sum += qlp_coeff[8] * data[i-9];
  91494. sum += qlp_coeff[7] * data[i-8];
  91495. sum += qlp_coeff[6] * data[i-7];
  91496. sum += qlp_coeff[5] * data[i-6];
  91497. sum += qlp_coeff[4] * data[i-5];
  91498. sum += qlp_coeff[3] * data[i-4];
  91499. sum += qlp_coeff[2] * data[i-3];
  91500. sum += qlp_coeff[1] * data[i-2];
  91501. sum += qlp_coeff[0] * data[i-1];
  91502. residual[i] = data[i] - (sum >> lp_quantization);
  91503. }
  91504. }
  91505. }
  91506. }
  91507. else if(order > 4) {
  91508. if(order > 6) {
  91509. if(order == 8) {
  91510. for(i = 0; i < (int)data_len; i++) {
  91511. sum = 0;
  91512. sum += qlp_coeff[7] * data[i-8];
  91513. sum += qlp_coeff[6] * data[i-7];
  91514. sum += qlp_coeff[5] * data[i-6];
  91515. sum += qlp_coeff[4] * data[i-5];
  91516. sum += qlp_coeff[3] * data[i-4];
  91517. sum += qlp_coeff[2] * data[i-3];
  91518. sum += qlp_coeff[1] * data[i-2];
  91519. sum += qlp_coeff[0] * data[i-1];
  91520. residual[i] = data[i] - (sum >> lp_quantization);
  91521. }
  91522. }
  91523. else { /* order == 7 */
  91524. for(i = 0; i < (int)data_len; i++) {
  91525. sum = 0;
  91526. sum += qlp_coeff[6] * data[i-7];
  91527. sum += qlp_coeff[5] * data[i-6];
  91528. sum += qlp_coeff[4] * data[i-5];
  91529. sum += qlp_coeff[3] * data[i-4];
  91530. sum += qlp_coeff[2] * data[i-3];
  91531. sum += qlp_coeff[1] * data[i-2];
  91532. sum += qlp_coeff[0] * data[i-1];
  91533. residual[i] = data[i] - (sum >> lp_quantization);
  91534. }
  91535. }
  91536. }
  91537. else {
  91538. if(order == 6) {
  91539. for(i = 0; i < (int)data_len; i++) {
  91540. sum = 0;
  91541. sum += qlp_coeff[5] * data[i-6];
  91542. sum += qlp_coeff[4] * data[i-5];
  91543. sum += qlp_coeff[3] * data[i-4];
  91544. sum += qlp_coeff[2] * data[i-3];
  91545. sum += qlp_coeff[1] * data[i-2];
  91546. sum += qlp_coeff[0] * data[i-1];
  91547. residual[i] = data[i] - (sum >> lp_quantization);
  91548. }
  91549. }
  91550. else { /* order == 5 */
  91551. for(i = 0; i < (int)data_len; i++) {
  91552. sum = 0;
  91553. sum += qlp_coeff[4] * data[i-5];
  91554. sum += qlp_coeff[3] * data[i-4];
  91555. sum += qlp_coeff[2] * data[i-3];
  91556. sum += qlp_coeff[1] * data[i-2];
  91557. sum += qlp_coeff[0] * data[i-1];
  91558. residual[i] = data[i] - (sum >> lp_quantization);
  91559. }
  91560. }
  91561. }
  91562. }
  91563. else {
  91564. if(order > 2) {
  91565. if(order == 4) {
  91566. for(i = 0; i < (int)data_len; i++) {
  91567. sum = 0;
  91568. sum += qlp_coeff[3] * data[i-4];
  91569. sum += qlp_coeff[2] * data[i-3];
  91570. sum += qlp_coeff[1] * data[i-2];
  91571. sum += qlp_coeff[0] * data[i-1];
  91572. residual[i] = data[i] - (sum >> lp_quantization);
  91573. }
  91574. }
  91575. else { /* order == 3 */
  91576. for(i = 0; i < (int)data_len; i++) {
  91577. sum = 0;
  91578. sum += qlp_coeff[2] * data[i-3];
  91579. sum += qlp_coeff[1] * data[i-2];
  91580. sum += qlp_coeff[0] * data[i-1];
  91581. residual[i] = data[i] - (sum >> lp_quantization);
  91582. }
  91583. }
  91584. }
  91585. else {
  91586. if(order == 2) {
  91587. for(i = 0; i < (int)data_len; i++) {
  91588. sum = 0;
  91589. sum += qlp_coeff[1] * data[i-2];
  91590. sum += qlp_coeff[0] * data[i-1];
  91591. residual[i] = data[i] - (sum >> lp_quantization);
  91592. }
  91593. }
  91594. else { /* order == 1 */
  91595. for(i = 0; i < (int)data_len; i++)
  91596. residual[i] = data[i] - ((qlp_coeff[0] * data[i-1]) >> lp_quantization);
  91597. }
  91598. }
  91599. }
  91600. }
  91601. else { /* order > 12 */
  91602. for(i = 0; i < (int)data_len; i++) {
  91603. sum = 0;
  91604. switch(order) {
  91605. case 32: sum += qlp_coeff[31] * data[i-32];
  91606. case 31: sum += qlp_coeff[30] * data[i-31];
  91607. case 30: sum += qlp_coeff[29] * data[i-30];
  91608. case 29: sum += qlp_coeff[28] * data[i-29];
  91609. case 28: sum += qlp_coeff[27] * data[i-28];
  91610. case 27: sum += qlp_coeff[26] * data[i-27];
  91611. case 26: sum += qlp_coeff[25] * data[i-26];
  91612. case 25: sum += qlp_coeff[24] * data[i-25];
  91613. case 24: sum += qlp_coeff[23] * data[i-24];
  91614. case 23: sum += qlp_coeff[22] * data[i-23];
  91615. case 22: sum += qlp_coeff[21] * data[i-22];
  91616. case 21: sum += qlp_coeff[20] * data[i-21];
  91617. case 20: sum += qlp_coeff[19] * data[i-20];
  91618. case 19: sum += qlp_coeff[18] * data[i-19];
  91619. case 18: sum += qlp_coeff[17] * data[i-18];
  91620. case 17: sum += qlp_coeff[16] * data[i-17];
  91621. case 16: sum += qlp_coeff[15] * data[i-16];
  91622. case 15: sum += qlp_coeff[14] * data[i-15];
  91623. case 14: sum += qlp_coeff[13] * data[i-14];
  91624. case 13: sum += qlp_coeff[12] * data[i-13];
  91625. sum += qlp_coeff[11] * data[i-12];
  91626. sum += qlp_coeff[10] * data[i-11];
  91627. sum += qlp_coeff[ 9] * data[i-10];
  91628. sum += qlp_coeff[ 8] * data[i- 9];
  91629. sum += qlp_coeff[ 7] * data[i- 8];
  91630. sum += qlp_coeff[ 6] * data[i- 7];
  91631. sum += qlp_coeff[ 5] * data[i- 6];
  91632. sum += qlp_coeff[ 4] * data[i- 5];
  91633. sum += qlp_coeff[ 3] * data[i- 4];
  91634. sum += qlp_coeff[ 2] * data[i- 3];
  91635. sum += qlp_coeff[ 1] * data[i- 2];
  91636. sum += qlp_coeff[ 0] * data[i- 1];
  91637. }
  91638. residual[i] = data[i] - (sum >> lp_quantization);
  91639. }
  91640. }
  91641. }
  91642. #endif
  91643. void FLAC__lpc_compute_residual_from_qlp_coefficients_wide(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[])
  91644. #if defined(FLAC__OVERFLOW_DETECT) || !defined(FLAC__LPC_UNROLLED_FILTER_LOOPS)
  91645. {
  91646. unsigned i, j;
  91647. FLAC__int64 sum;
  91648. const FLAC__int32 *history;
  91649. #ifdef FLAC__OVERFLOW_DETECT_VERBOSE
  91650. fprintf(stderr,"FLAC__lpc_compute_residual_from_qlp_coefficients_wide: data_len=%d, order=%u, lpq=%d",data_len,order,lp_quantization);
  91651. for(i=0;i<order;i++)
  91652. fprintf(stderr,", q[%u]=%d",i,qlp_coeff[i]);
  91653. fprintf(stderr,"\n");
  91654. #endif
  91655. FLAC__ASSERT(order > 0);
  91656. for(i = 0; i < data_len; i++) {
  91657. sum = 0;
  91658. history = data;
  91659. for(j = 0; j < order; j++)
  91660. sum += (FLAC__int64)qlp_coeff[j] * (FLAC__int64)(*(--history));
  91661. if(FLAC__bitmath_silog2_wide(sum >> lp_quantization) > 32) {
  91662. #if defined _MSC_VER
  91663. fprintf(stderr,"FLAC__lpc_compute_residual_from_qlp_coefficients_wide: OVERFLOW, i=%u, sum=%I64d\n", i, sum >> lp_quantization);
  91664. #else
  91665. fprintf(stderr,"FLAC__lpc_compute_residual_from_qlp_coefficients_wide: OVERFLOW, i=%u, sum=%lld\n", i, (long long)(sum >> lp_quantization));
  91666. #endif
  91667. break;
  91668. }
  91669. if(FLAC__bitmath_silog2_wide((FLAC__int64)(*data) - (sum >> lp_quantization)) > 32) {
  91670. #if defined _MSC_VER
  91671. fprintf(stderr,"FLAC__lpc_compute_residual_from_qlp_coefficients_wide: OVERFLOW, i=%u, data=%d, sum=%I64d, residual=%I64d\n", i, *data, sum >> lp_quantization, (FLAC__int64)(*data) - (sum >> lp_quantization));
  91672. #else
  91673. fprintf(stderr,"FLAC__lpc_compute_residual_from_qlp_coefficients_wide: OVERFLOW, i=%u, data=%d, sum=%lld, residual=%lld\n", i, *data, (long long)(sum >> lp_quantization), (long long)((FLAC__int64)(*data) - (sum >> lp_quantization)));
  91674. #endif
  91675. break;
  91676. }
  91677. *(residual++) = *(data++) - (FLAC__int32)(sum >> lp_quantization);
  91678. }
  91679. }
  91680. #else /* fully unrolled version for normal use */
  91681. {
  91682. int i;
  91683. FLAC__int64 sum;
  91684. FLAC__ASSERT(order > 0);
  91685. FLAC__ASSERT(order <= 32);
  91686. /*
  91687. * We do unique versions up to 12th order since that's the subset limit.
  91688. * Also they are roughly ordered to match frequency of occurrence to
  91689. * minimize branching.
  91690. */
  91691. if(order <= 12) {
  91692. if(order > 8) {
  91693. if(order > 10) {
  91694. if(order == 12) {
  91695. for(i = 0; i < (int)data_len; i++) {
  91696. sum = 0;
  91697. sum += qlp_coeff[11] * (FLAC__int64)data[i-12];
  91698. sum += qlp_coeff[10] * (FLAC__int64)data[i-11];
  91699. sum += qlp_coeff[9] * (FLAC__int64)data[i-10];
  91700. sum += qlp_coeff[8] * (FLAC__int64)data[i-9];
  91701. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  91702. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  91703. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  91704. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  91705. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91706. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91707. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91708. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91709. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91710. }
  91711. }
  91712. else { /* order == 11 */
  91713. for(i = 0; i < (int)data_len; i++) {
  91714. sum = 0;
  91715. sum += qlp_coeff[10] * (FLAC__int64)data[i-11];
  91716. sum += qlp_coeff[9] * (FLAC__int64)data[i-10];
  91717. sum += qlp_coeff[8] * (FLAC__int64)data[i-9];
  91718. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  91719. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  91720. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  91721. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  91722. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91723. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91724. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91725. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91726. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91727. }
  91728. }
  91729. }
  91730. else {
  91731. if(order == 10) {
  91732. for(i = 0; i < (int)data_len; i++) {
  91733. sum = 0;
  91734. sum += qlp_coeff[9] * (FLAC__int64)data[i-10];
  91735. sum += qlp_coeff[8] * (FLAC__int64)data[i-9];
  91736. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  91737. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  91738. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  91739. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  91740. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91741. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91742. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91743. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91744. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91745. }
  91746. }
  91747. else { /* order == 9 */
  91748. for(i = 0; i < (int)data_len; i++) {
  91749. sum = 0;
  91750. sum += qlp_coeff[8] * (FLAC__int64)data[i-9];
  91751. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  91752. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  91753. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  91754. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  91755. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91756. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91757. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91758. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91759. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91760. }
  91761. }
  91762. }
  91763. }
  91764. else if(order > 4) {
  91765. if(order > 6) {
  91766. if(order == 8) {
  91767. for(i = 0; i < (int)data_len; i++) {
  91768. sum = 0;
  91769. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  91770. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  91771. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  91772. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  91773. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91774. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91775. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91776. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91777. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91778. }
  91779. }
  91780. else { /* order == 7 */
  91781. for(i = 0; i < (int)data_len; i++) {
  91782. sum = 0;
  91783. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  91784. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  91785. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  91786. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91787. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91788. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91789. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91790. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91791. }
  91792. }
  91793. }
  91794. else {
  91795. if(order == 6) {
  91796. for(i = 0; i < (int)data_len; i++) {
  91797. sum = 0;
  91798. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  91799. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  91800. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91801. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91802. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91803. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91804. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91805. }
  91806. }
  91807. else { /* order == 5 */
  91808. for(i = 0; i < (int)data_len; i++) {
  91809. sum = 0;
  91810. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  91811. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91812. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91813. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91814. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91815. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91816. }
  91817. }
  91818. }
  91819. }
  91820. else {
  91821. if(order > 2) {
  91822. if(order == 4) {
  91823. for(i = 0; i < (int)data_len; i++) {
  91824. sum = 0;
  91825. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  91826. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91827. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91828. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91829. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91830. }
  91831. }
  91832. else { /* order == 3 */
  91833. for(i = 0; i < (int)data_len; i++) {
  91834. sum = 0;
  91835. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  91836. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91837. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91838. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91839. }
  91840. }
  91841. }
  91842. else {
  91843. if(order == 2) {
  91844. for(i = 0; i < (int)data_len; i++) {
  91845. sum = 0;
  91846. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  91847. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  91848. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91849. }
  91850. }
  91851. else { /* order == 1 */
  91852. for(i = 0; i < (int)data_len; i++)
  91853. residual[i] = data[i] - (FLAC__int32)((qlp_coeff[0] * (FLAC__int64)data[i-1]) >> lp_quantization);
  91854. }
  91855. }
  91856. }
  91857. }
  91858. else { /* order > 12 */
  91859. for(i = 0; i < (int)data_len; i++) {
  91860. sum = 0;
  91861. switch(order) {
  91862. case 32: sum += qlp_coeff[31] * (FLAC__int64)data[i-32];
  91863. case 31: sum += qlp_coeff[30] * (FLAC__int64)data[i-31];
  91864. case 30: sum += qlp_coeff[29] * (FLAC__int64)data[i-30];
  91865. case 29: sum += qlp_coeff[28] * (FLAC__int64)data[i-29];
  91866. case 28: sum += qlp_coeff[27] * (FLAC__int64)data[i-28];
  91867. case 27: sum += qlp_coeff[26] * (FLAC__int64)data[i-27];
  91868. case 26: sum += qlp_coeff[25] * (FLAC__int64)data[i-26];
  91869. case 25: sum += qlp_coeff[24] * (FLAC__int64)data[i-25];
  91870. case 24: sum += qlp_coeff[23] * (FLAC__int64)data[i-24];
  91871. case 23: sum += qlp_coeff[22] * (FLAC__int64)data[i-23];
  91872. case 22: sum += qlp_coeff[21] * (FLAC__int64)data[i-22];
  91873. case 21: sum += qlp_coeff[20] * (FLAC__int64)data[i-21];
  91874. case 20: sum += qlp_coeff[19] * (FLAC__int64)data[i-20];
  91875. case 19: sum += qlp_coeff[18] * (FLAC__int64)data[i-19];
  91876. case 18: sum += qlp_coeff[17] * (FLAC__int64)data[i-18];
  91877. case 17: sum += qlp_coeff[16] * (FLAC__int64)data[i-17];
  91878. case 16: sum += qlp_coeff[15] * (FLAC__int64)data[i-16];
  91879. case 15: sum += qlp_coeff[14] * (FLAC__int64)data[i-15];
  91880. case 14: sum += qlp_coeff[13] * (FLAC__int64)data[i-14];
  91881. case 13: sum += qlp_coeff[12] * (FLAC__int64)data[i-13];
  91882. sum += qlp_coeff[11] * (FLAC__int64)data[i-12];
  91883. sum += qlp_coeff[10] * (FLAC__int64)data[i-11];
  91884. sum += qlp_coeff[ 9] * (FLAC__int64)data[i-10];
  91885. sum += qlp_coeff[ 8] * (FLAC__int64)data[i- 9];
  91886. sum += qlp_coeff[ 7] * (FLAC__int64)data[i- 8];
  91887. sum += qlp_coeff[ 6] * (FLAC__int64)data[i- 7];
  91888. sum += qlp_coeff[ 5] * (FLAC__int64)data[i- 6];
  91889. sum += qlp_coeff[ 4] * (FLAC__int64)data[i- 5];
  91890. sum += qlp_coeff[ 3] * (FLAC__int64)data[i- 4];
  91891. sum += qlp_coeff[ 2] * (FLAC__int64)data[i- 3];
  91892. sum += qlp_coeff[ 1] * (FLAC__int64)data[i- 2];
  91893. sum += qlp_coeff[ 0] * (FLAC__int64)data[i- 1];
  91894. }
  91895. residual[i] = data[i] - (FLAC__int32)(sum >> lp_quantization);
  91896. }
  91897. }
  91898. }
  91899. #endif
  91900. #endif /* !defined FLAC__INTEGER_ONLY_LIBRARY */
  91901. void FLAC__lpc_restore_signal(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[])
  91902. #if defined(FLAC__OVERFLOW_DETECT) || !defined(FLAC__LPC_UNROLLED_FILTER_LOOPS)
  91903. {
  91904. FLAC__int64 sumo;
  91905. unsigned i, j;
  91906. FLAC__int32 sum;
  91907. const FLAC__int32 *r = residual, *history;
  91908. #ifdef FLAC__OVERFLOW_DETECT_VERBOSE
  91909. fprintf(stderr,"FLAC__lpc_restore_signal: data_len=%d, order=%u, lpq=%d",data_len,order,lp_quantization);
  91910. for(i=0;i<order;i++)
  91911. fprintf(stderr,", q[%u]=%d",i,qlp_coeff[i]);
  91912. fprintf(stderr,"\n");
  91913. #endif
  91914. FLAC__ASSERT(order > 0);
  91915. for(i = 0; i < data_len; i++) {
  91916. sumo = 0;
  91917. sum = 0;
  91918. history = data;
  91919. for(j = 0; j < order; j++) {
  91920. sum += qlp_coeff[j] * (*(--history));
  91921. sumo += (FLAC__int64)qlp_coeff[j] * (FLAC__int64)(*history);
  91922. #if defined _MSC_VER
  91923. if(sumo > 2147483647I64 || sumo < -2147483648I64)
  91924. fprintf(stderr,"FLAC__lpc_restore_signal: OVERFLOW, i=%u, j=%u, c=%d, d=%d, sumo=%I64d\n",i,j,qlp_coeff[j],*history,sumo);
  91925. #else
  91926. if(sumo > 2147483647ll || sumo < -2147483648ll)
  91927. fprintf(stderr,"FLAC__lpc_restore_signal: OVERFLOW, i=%u, j=%u, c=%d, d=%d, sumo=%lld\n",i,j,qlp_coeff[j],*history,(long long)sumo);
  91928. #endif
  91929. }
  91930. *(data++) = *(r++) + (sum >> lp_quantization);
  91931. }
  91932. /* Here's a slower but clearer version:
  91933. for(i = 0; i < data_len; i++) {
  91934. sum = 0;
  91935. for(j = 0; j < order; j++)
  91936. sum += qlp_coeff[j] * data[i-j-1];
  91937. data[i] = residual[i] + (sum >> lp_quantization);
  91938. }
  91939. */
  91940. }
  91941. #else /* fully unrolled version for normal use */
  91942. {
  91943. int i;
  91944. FLAC__int32 sum;
  91945. FLAC__ASSERT(order > 0);
  91946. FLAC__ASSERT(order <= 32);
  91947. /*
  91948. * We do unique versions up to 12th order since that's the subset limit.
  91949. * Also they are roughly ordered to match frequency of occurrence to
  91950. * minimize branching.
  91951. */
  91952. if(order <= 12) {
  91953. if(order > 8) {
  91954. if(order > 10) {
  91955. if(order == 12) {
  91956. for(i = 0; i < (int)data_len; i++) {
  91957. sum = 0;
  91958. sum += qlp_coeff[11] * data[i-12];
  91959. sum += qlp_coeff[10] * data[i-11];
  91960. sum += qlp_coeff[9] * data[i-10];
  91961. sum += qlp_coeff[8] * data[i-9];
  91962. sum += qlp_coeff[7] * data[i-8];
  91963. sum += qlp_coeff[6] * data[i-7];
  91964. sum += qlp_coeff[5] * data[i-6];
  91965. sum += qlp_coeff[4] * data[i-5];
  91966. sum += qlp_coeff[3] * data[i-4];
  91967. sum += qlp_coeff[2] * data[i-3];
  91968. sum += qlp_coeff[1] * data[i-2];
  91969. sum += qlp_coeff[0] * data[i-1];
  91970. data[i] = residual[i] + (sum >> lp_quantization);
  91971. }
  91972. }
  91973. else { /* order == 11 */
  91974. for(i = 0; i < (int)data_len; i++) {
  91975. sum = 0;
  91976. sum += qlp_coeff[10] * data[i-11];
  91977. sum += qlp_coeff[9] * data[i-10];
  91978. sum += qlp_coeff[8] * data[i-9];
  91979. sum += qlp_coeff[7] * data[i-8];
  91980. sum += qlp_coeff[6] * data[i-7];
  91981. sum += qlp_coeff[5] * data[i-6];
  91982. sum += qlp_coeff[4] * data[i-5];
  91983. sum += qlp_coeff[3] * data[i-4];
  91984. sum += qlp_coeff[2] * data[i-3];
  91985. sum += qlp_coeff[1] * data[i-2];
  91986. sum += qlp_coeff[0] * data[i-1];
  91987. data[i] = residual[i] + (sum >> lp_quantization);
  91988. }
  91989. }
  91990. }
  91991. else {
  91992. if(order == 10) {
  91993. for(i = 0; i < (int)data_len; i++) {
  91994. sum = 0;
  91995. sum += qlp_coeff[9] * data[i-10];
  91996. sum += qlp_coeff[8] * data[i-9];
  91997. sum += qlp_coeff[7] * data[i-8];
  91998. sum += qlp_coeff[6] * data[i-7];
  91999. sum += qlp_coeff[5] * data[i-6];
  92000. sum += qlp_coeff[4] * data[i-5];
  92001. sum += qlp_coeff[3] * data[i-4];
  92002. sum += qlp_coeff[2] * data[i-3];
  92003. sum += qlp_coeff[1] * data[i-2];
  92004. sum += qlp_coeff[0] * data[i-1];
  92005. data[i] = residual[i] + (sum >> lp_quantization);
  92006. }
  92007. }
  92008. else { /* order == 9 */
  92009. for(i = 0; i < (int)data_len; i++) {
  92010. sum = 0;
  92011. sum += qlp_coeff[8] * data[i-9];
  92012. sum += qlp_coeff[7] * data[i-8];
  92013. sum += qlp_coeff[6] * data[i-7];
  92014. sum += qlp_coeff[5] * data[i-6];
  92015. sum += qlp_coeff[4] * data[i-5];
  92016. sum += qlp_coeff[3] * data[i-4];
  92017. sum += qlp_coeff[2] * data[i-3];
  92018. sum += qlp_coeff[1] * data[i-2];
  92019. sum += qlp_coeff[0] * data[i-1];
  92020. data[i] = residual[i] + (sum >> lp_quantization);
  92021. }
  92022. }
  92023. }
  92024. }
  92025. else if(order > 4) {
  92026. if(order > 6) {
  92027. if(order == 8) {
  92028. for(i = 0; i < (int)data_len; i++) {
  92029. sum = 0;
  92030. sum += qlp_coeff[7] * data[i-8];
  92031. sum += qlp_coeff[6] * data[i-7];
  92032. sum += qlp_coeff[5] * data[i-6];
  92033. sum += qlp_coeff[4] * data[i-5];
  92034. sum += qlp_coeff[3] * data[i-4];
  92035. sum += qlp_coeff[2] * data[i-3];
  92036. sum += qlp_coeff[1] * data[i-2];
  92037. sum += qlp_coeff[0] * data[i-1];
  92038. data[i] = residual[i] + (sum >> lp_quantization);
  92039. }
  92040. }
  92041. else { /* order == 7 */
  92042. for(i = 0; i < (int)data_len; i++) {
  92043. sum = 0;
  92044. sum += qlp_coeff[6] * data[i-7];
  92045. sum += qlp_coeff[5] * data[i-6];
  92046. sum += qlp_coeff[4] * data[i-5];
  92047. sum += qlp_coeff[3] * data[i-4];
  92048. sum += qlp_coeff[2] * data[i-3];
  92049. sum += qlp_coeff[1] * data[i-2];
  92050. sum += qlp_coeff[0] * data[i-1];
  92051. data[i] = residual[i] + (sum >> lp_quantization);
  92052. }
  92053. }
  92054. }
  92055. else {
  92056. if(order == 6) {
  92057. for(i = 0; i < (int)data_len; i++) {
  92058. sum = 0;
  92059. sum += qlp_coeff[5] * data[i-6];
  92060. sum += qlp_coeff[4] * data[i-5];
  92061. sum += qlp_coeff[3] * data[i-4];
  92062. sum += qlp_coeff[2] * data[i-3];
  92063. sum += qlp_coeff[1] * data[i-2];
  92064. sum += qlp_coeff[0] * data[i-1];
  92065. data[i] = residual[i] + (sum >> lp_quantization);
  92066. }
  92067. }
  92068. else { /* order == 5 */
  92069. for(i = 0; i < (int)data_len; i++) {
  92070. sum = 0;
  92071. sum += qlp_coeff[4] * data[i-5];
  92072. sum += qlp_coeff[3] * data[i-4];
  92073. sum += qlp_coeff[2] * data[i-3];
  92074. sum += qlp_coeff[1] * data[i-2];
  92075. sum += qlp_coeff[0] * data[i-1];
  92076. data[i] = residual[i] + (sum >> lp_quantization);
  92077. }
  92078. }
  92079. }
  92080. }
  92081. else {
  92082. if(order > 2) {
  92083. if(order == 4) {
  92084. for(i = 0; i < (int)data_len; i++) {
  92085. sum = 0;
  92086. sum += qlp_coeff[3] * data[i-4];
  92087. sum += qlp_coeff[2] * data[i-3];
  92088. sum += qlp_coeff[1] * data[i-2];
  92089. sum += qlp_coeff[0] * data[i-1];
  92090. data[i] = residual[i] + (sum >> lp_quantization);
  92091. }
  92092. }
  92093. else { /* order == 3 */
  92094. for(i = 0; i < (int)data_len; i++) {
  92095. sum = 0;
  92096. sum += qlp_coeff[2] * data[i-3];
  92097. sum += qlp_coeff[1] * data[i-2];
  92098. sum += qlp_coeff[0] * data[i-1];
  92099. data[i] = residual[i] + (sum >> lp_quantization);
  92100. }
  92101. }
  92102. }
  92103. else {
  92104. if(order == 2) {
  92105. for(i = 0; i < (int)data_len; i++) {
  92106. sum = 0;
  92107. sum += qlp_coeff[1] * data[i-2];
  92108. sum += qlp_coeff[0] * data[i-1];
  92109. data[i] = residual[i] + (sum >> lp_quantization);
  92110. }
  92111. }
  92112. else { /* order == 1 */
  92113. for(i = 0; i < (int)data_len; i++)
  92114. data[i] = residual[i] + ((qlp_coeff[0] * data[i-1]) >> lp_quantization);
  92115. }
  92116. }
  92117. }
  92118. }
  92119. else { /* order > 12 */
  92120. for(i = 0; i < (int)data_len; i++) {
  92121. sum = 0;
  92122. switch(order) {
  92123. case 32: sum += qlp_coeff[31] * data[i-32];
  92124. case 31: sum += qlp_coeff[30] * data[i-31];
  92125. case 30: sum += qlp_coeff[29] * data[i-30];
  92126. case 29: sum += qlp_coeff[28] * data[i-29];
  92127. case 28: sum += qlp_coeff[27] * data[i-28];
  92128. case 27: sum += qlp_coeff[26] * data[i-27];
  92129. case 26: sum += qlp_coeff[25] * data[i-26];
  92130. case 25: sum += qlp_coeff[24] * data[i-25];
  92131. case 24: sum += qlp_coeff[23] * data[i-24];
  92132. case 23: sum += qlp_coeff[22] * data[i-23];
  92133. case 22: sum += qlp_coeff[21] * data[i-22];
  92134. case 21: sum += qlp_coeff[20] * data[i-21];
  92135. case 20: sum += qlp_coeff[19] * data[i-20];
  92136. case 19: sum += qlp_coeff[18] * data[i-19];
  92137. case 18: sum += qlp_coeff[17] * data[i-18];
  92138. case 17: sum += qlp_coeff[16] * data[i-17];
  92139. case 16: sum += qlp_coeff[15] * data[i-16];
  92140. case 15: sum += qlp_coeff[14] * data[i-15];
  92141. case 14: sum += qlp_coeff[13] * data[i-14];
  92142. case 13: sum += qlp_coeff[12] * data[i-13];
  92143. sum += qlp_coeff[11] * data[i-12];
  92144. sum += qlp_coeff[10] * data[i-11];
  92145. sum += qlp_coeff[ 9] * data[i-10];
  92146. sum += qlp_coeff[ 8] * data[i- 9];
  92147. sum += qlp_coeff[ 7] * data[i- 8];
  92148. sum += qlp_coeff[ 6] * data[i- 7];
  92149. sum += qlp_coeff[ 5] * data[i- 6];
  92150. sum += qlp_coeff[ 4] * data[i- 5];
  92151. sum += qlp_coeff[ 3] * data[i- 4];
  92152. sum += qlp_coeff[ 2] * data[i- 3];
  92153. sum += qlp_coeff[ 1] * data[i- 2];
  92154. sum += qlp_coeff[ 0] * data[i- 1];
  92155. }
  92156. data[i] = residual[i] + (sum >> lp_quantization);
  92157. }
  92158. }
  92159. }
  92160. #endif
  92161. void FLAC__lpc_restore_signal_wide(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[])
  92162. #if defined(FLAC__OVERFLOW_DETECT) || !defined(FLAC__LPC_UNROLLED_FILTER_LOOPS)
  92163. {
  92164. unsigned i, j;
  92165. FLAC__int64 sum;
  92166. const FLAC__int32 *r = residual, *history;
  92167. #ifdef FLAC__OVERFLOW_DETECT_VERBOSE
  92168. fprintf(stderr,"FLAC__lpc_restore_signal_wide: data_len=%d, order=%u, lpq=%d",data_len,order,lp_quantization);
  92169. for(i=0;i<order;i++)
  92170. fprintf(stderr,", q[%u]=%d",i,qlp_coeff[i]);
  92171. fprintf(stderr,"\n");
  92172. #endif
  92173. FLAC__ASSERT(order > 0);
  92174. for(i = 0; i < data_len; i++) {
  92175. sum = 0;
  92176. history = data;
  92177. for(j = 0; j < order; j++)
  92178. sum += (FLAC__int64)qlp_coeff[j] * (FLAC__int64)(*(--history));
  92179. if(FLAC__bitmath_silog2_wide(sum >> lp_quantization) > 32) {
  92180. #ifdef _MSC_VER
  92181. fprintf(stderr,"FLAC__lpc_restore_signal_wide: OVERFLOW, i=%u, sum=%I64d\n", i, sum >> lp_quantization);
  92182. #else
  92183. fprintf(stderr,"FLAC__lpc_restore_signal_wide: OVERFLOW, i=%u, sum=%lld\n", i, (long long)(sum >> lp_quantization));
  92184. #endif
  92185. break;
  92186. }
  92187. if(FLAC__bitmath_silog2_wide((FLAC__int64)(*r) + (sum >> lp_quantization)) > 32) {
  92188. #ifdef _MSC_VER
  92189. fprintf(stderr,"FLAC__lpc_restore_signal_wide: OVERFLOW, i=%u, residual=%d, sum=%I64d, data=%I64d\n", i, *r, sum >> lp_quantization, (FLAC__int64)(*r) + (sum >> lp_quantization));
  92190. #else
  92191. fprintf(stderr,"FLAC__lpc_restore_signal_wide: OVERFLOW, i=%u, residual=%d, sum=%lld, data=%lld\n", i, *r, (long long)(sum >> lp_quantization), (long long)((FLAC__int64)(*r) + (sum >> lp_quantization)));
  92192. #endif
  92193. break;
  92194. }
  92195. *(data++) = *(r++) + (FLAC__int32)(sum >> lp_quantization);
  92196. }
  92197. }
  92198. #else /* fully unrolled version for normal use */
  92199. {
  92200. int i;
  92201. FLAC__int64 sum;
  92202. FLAC__ASSERT(order > 0);
  92203. FLAC__ASSERT(order <= 32);
  92204. /*
  92205. * We do unique versions up to 12th order since that's the subset limit.
  92206. * Also they are roughly ordered to match frequency of occurrence to
  92207. * minimize branching.
  92208. */
  92209. if(order <= 12) {
  92210. if(order > 8) {
  92211. if(order > 10) {
  92212. if(order == 12) {
  92213. for(i = 0; i < (int)data_len; i++) {
  92214. sum = 0;
  92215. sum += qlp_coeff[11] * (FLAC__int64)data[i-12];
  92216. sum += qlp_coeff[10] * (FLAC__int64)data[i-11];
  92217. sum += qlp_coeff[9] * (FLAC__int64)data[i-10];
  92218. sum += qlp_coeff[8] * (FLAC__int64)data[i-9];
  92219. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  92220. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  92221. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  92222. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  92223. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92224. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92225. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92226. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92227. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92228. }
  92229. }
  92230. else { /* order == 11 */
  92231. for(i = 0; i < (int)data_len; i++) {
  92232. sum = 0;
  92233. sum += qlp_coeff[10] * (FLAC__int64)data[i-11];
  92234. sum += qlp_coeff[9] * (FLAC__int64)data[i-10];
  92235. sum += qlp_coeff[8] * (FLAC__int64)data[i-9];
  92236. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  92237. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  92238. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  92239. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  92240. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92241. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92242. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92243. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92244. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92245. }
  92246. }
  92247. }
  92248. else {
  92249. if(order == 10) {
  92250. for(i = 0; i < (int)data_len; i++) {
  92251. sum = 0;
  92252. sum += qlp_coeff[9] * (FLAC__int64)data[i-10];
  92253. sum += qlp_coeff[8] * (FLAC__int64)data[i-9];
  92254. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  92255. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  92256. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  92257. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  92258. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92259. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92260. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92261. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92262. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92263. }
  92264. }
  92265. else { /* order == 9 */
  92266. for(i = 0; i < (int)data_len; i++) {
  92267. sum = 0;
  92268. sum += qlp_coeff[8] * (FLAC__int64)data[i-9];
  92269. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  92270. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  92271. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  92272. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  92273. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92274. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92275. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92276. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92277. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92278. }
  92279. }
  92280. }
  92281. }
  92282. else if(order > 4) {
  92283. if(order > 6) {
  92284. if(order == 8) {
  92285. for(i = 0; i < (int)data_len; i++) {
  92286. sum = 0;
  92287. sum += qlp_coeff[7] * (FLAC__int64)data[i-8];
  92288. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  92289. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  92290. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  92291. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92292. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92293. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92294. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92295. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92296. }
  92297. }
  92298. else { /* order == 7 */
  92299. for(i = 0; i < (int)data_len; i++) {
  92300. sum = 0;
  92301. sum += qlp_coeff[6] * (FLAC__int64)data[i-7];
  92302. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  92303. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  92304. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92305. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92306. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92307. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92308. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92309. }
  92310. }
  92311. }
  92312. else {
  92313. if(order == 6) {
  92314. for(i = 0; i < (int)data_len; i++) {
  92315. sum = 0;
  92316. sum += qlp_coeff[5] * (FLAC__int64)data[i-6];
  92317. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  92318. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92319. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92320. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92321. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92322. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92323. }
  92324. }
  92325. else { /* order == 5 */
  92326. for(i = 0; i < (int)data_len; i++) {
  92327. sum = 0;
  92328. sum += qlp_coeff[4] * (FLAC__int64)data[i-5];
  92329. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92330. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92331. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92332. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92333. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92334. }
  92335. }
  92336. }
  92337. }
  92338. else {
  92339. if(order > 2) {
  92340. if(order == 4) {
  92341. for(i = 0; i < (int)data_len; i++) {
  92342. sum = 0;
  92343. sum += qlp_coeff[3] * (FLAC__int64)data[i-4];
  92344. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92345. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92346. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92347. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92348. }
  92349. }
  92350. else { /* order == 3 */
  92351. for(i = 0; i < (int)data_len; i++) {
  92352. sum = 0;
  92353. sum += qlp_coeff[2] * (FLAC__int64)data[i-3];
  92354. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92355. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92356. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92357. }
  92358. }
  92359. }
  92360. else {
  92361. if(order == 2) {
  92362. for(i = 0; i < (int)data_len; i++) {
  92363. sum = 0;
  92364. sum += qlp_coeff[1] * (FLAC__int64)data[i-2];
  92365. sum += qlp_coeff[0] * (FLAC__int64)data[i-1];
  92366. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92367. }
  92368. }
  92369. else { /* order == 1 */
  92370. for(i = 0; i < (int)data_len; i++)
  92371. data[i] = residual[i] + (FLAC__int32)((qlp_coeff[0] * (FLAC__int64)data[i-1]) >> lp_quantization);
  92372. }
  92373. }
  92374. }
  92375. }
  92376. else { /* order > 12 */
  92377. for(i = 0; i < (int)data_len; i++) {
  92378. sum = 0;
  92379. switch(order) {
  92380. case 32: sum += qlp_coeff[31] * (FLAC__int64)data[i-32];
  92381. case 31: sum += qlp_coeff[30] * (FLAC__int64)data[i-31];
  92382. case 30: sum += qlp_coeff[29] * (FLAC__int64)data[i-30];
  92383. case 29: sum += qlp_coeff[28] * (FLAC__int64)data[i-29];
  92384. case 28: sum += qlp_coeff[27] * (FLAC__int64)data[i-28];
  92385. case 27: sum += qlp_coeff[26] * (FLAC__int64)data[i-27];
  92386. case 26: sum += qlp_coeff[25] * (FLAC__int64)data[i-26];
  92387. case 25: sum += qlp_coeff[24] * (FLAC__int64)data[i-25];
  92388. case 24: sum += qlp_coeff[23] * (FLAC__int64)data[i-24];
  92389. case 23: sum += qlp_coeff[22] * (FLAC__int64)data[i-23];
  92390. case 22: sum += qlp_coeff[21] * (FLAC__int64)data[i-22];
  92391. case 21: sum += qlp_coeff[20] * (FLAC__int64)data[i-21];
  92392. case 20: sum += qlp_coeff[19] * (FLAC__int64)data[i-20];
  92393. case 19: sum += qlp_coeff[18] * (FLAC__int64)data[i-19];
  92394. case 18: sum += qlp_coeff[17] * (FLAC__int64)data[i-18];
  92395. case 17: sum += qlp_coeff[16] * (FLAC__int64)data[i-17];
  92396. case 16: sum += qlp_coeff[15] * (FLAC__int64)data[i-16];
  92397. case 15: sum += qlp_coeff[14] * (FLAC__int64)data[i-15];
  92398. case 14: sum += qlp_coeff[13] * (FLAC__int64)data[i-14];
  92399. case 13: sum += qlp_coeff[12] * (FLAC__int64)data[i-13];
  92400. sum += qlp_coeff[11] * (FLAC__int64)data[i-12];
  92401. sum += qlp_coeff[10] * (FLAC__int64)data[i-11];
  92402. sum += qlp_coeff[ 9] * (FLAC__int64)data[i-10];
  92403. sum += qlp_coeff[ 8] * (FLAC__int64)data[i- 9];
  92404. sum += qlp_coeff[ 7] * (FLAC__int64)data[i- 8];
  92405. sum += qlp_coeff[ 6] * (FLAC__int64)data[i- 7];
  92406. sum += qlp_coeff[ 5] * (FLAC__int64)data[i- 6];
  92407. sum += qlp_coeff[ 4] * (FLAC__int64)data[i- 5];
  92408. sum += qlp_coeff[ 3] * (FLAC__int64)data[i- 4];
  92409. sum += qlp_coeff[ 2] * (FLAC__int64)data[i- 3];
  92410. sum += qlp_coeff[ 1] * (FLAC__int64)data[i- 2];
  92411. sum += qlp_coeff[ 0] * (FLAC__int64)data[i- 1];
  92412. }
  92413. data[i] = residual[i] + (FLAC__int32)(sum >> lp_quantization);
  92414. }
  92415. }
  92416. }
  92417. #endif
  92418. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  92419. FLAC__double FLAC__lpc_compute_expected_bits_per_residual_sample(FLAC__double lpc_error, unsigned total_samples)
  92420. {
  92421. FLAC__double error_scale;
  92422. FLAC__ASSERT(total_samples > 0);
  92423. error_scale = 0.5 * M_LN2 * M_LN2 / (FLAC__double)total_samples;
  92424. return FLAC__lpc_compute_expected_bits_per_residual_sample_with_error_scale(lpc_error, error_scale);
  92425. }
  92426. FLAC__double FLAC__lpc_compute_expected_bits_per_residual_sample_with_error_scale(FLAC__double lpc_error, FLAC__double error_scale)
  92427. {
  92428. if(lpc_error > 0.0) {
  92429. FLAC__double bps = (FLAC__double)0.5 * log(error_scale * lpc_error) / M_LN2;
  92430. if(bps >= 0.0)
  92431. return bps;
  92432. else
  92433. return 0.0;
  92434. }
  92435. else if(lpc_error < 0.0) { /* error should not be negative but can happen due to inadequate floating-point resolution */
  92436. return 1e32;
  92437. }
  92438. else {
  92439. return 0.0;
  92440. }
  92441. }
  92442. unsigned FLAC__lpc_compute_best_order(const FLAC__double lpc_error[], unsigned max_order, unsigned total_samples, unsigned overhead_bits_per_order)
  92443. {
  92444. unsigned order, index, best_index; /* 'index' the index into lpc_error; index==order-1 since lpc_error[0] is for order==1, lpc_error[1] is for order==2, etc */
  92445. FLAC__double bits, best_bits, error_scale;
  92446. FLAC__ASSERT(max_order > 0);
  92447. FLAC__ASSERT(total_samples > 0);
  92448. error_scale = 0.5 * M_LN2 * M_LN2 / (FLAC__double)total_samples;
  92449. best_index = 0;
  92450. best_bits = (unsigned)(-1);
  92451. for(index = 0, order = 1; index < max_order; index++, order++) {
  92452. bits = FLAC__lpc_compute_expected_bits_per_residual_sample_with_error_scale(lpc_error[index], error_scale) * (FLAC__double)(total_samples - order) + (FLAC__double)(order * overhead_bits_per_order);
  92453. if(bits < best_bits) {
  92454. best_index = index;
  92455. best_bits = bits;
  92456. }
  92457. }
  92458. return best_index+1; /* +1 since index of lpc_error[] is order-1 */
  92459. }
  92460. #endif /* !defined FLAC__INTEGER_ONLY_LIBRARY */
  92461. #endif
  92462. /********* End of inlined file: lpc_flac.c *********/
  92463. /********* Start of inlined file: md5.c *********/
  92464. /********* Start of inlined file: juce_FlacHeader.h *********/
  92465. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  92466. // tasks..
  92467. #define VERSION "1.2.1"
  92468. #define FLAC__NO_DLL 1
  92469. #ifdef _MSC_VER
  92470. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  92471. #endif
  92472. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  92473. #define FLAC__SYS_DARWIN 1
  92474. #endif
  92475. /********* End of inlined file: juce_FlacHeader.h *********/
  92476. #if JUCE_USE_FLAC
  92477. #if HAVE_CONFIG_H
  92478. # include <config.h>
  92479. #endif
  92480. #include <stdlib.h> /* for malloc() */
  92481. #include <string.h> /* for memcpy() */
  92482. /********* Start of inlined file: md5.h *********/
  92483. #ifndef FLAC__PRIVATE__MD5_H
  92484. #define FLAC__PRIVATE__MD5_H
  92485. /*
  92486. * This is the header file for the MD5 message-digest algorithm.
  92487. * The algorithm is due to Ron Rivest. This code was
  92488. * written by Colin Plumb in 1993, no copyright is claimed.
  92489. * This code is in the public domain; do with it what you wish.
  92490. *
  92491. * Equivalent code is available from RSA Data Security, Inc.
  92492. * This code has been tested against that, and is equivalent,
  92493. * except that you don't need to include two pages of legalese
  92494. * with every copy.
  92495. *
  92496. * To compute the message digest of a chunk of bytes, declare an
  92497. * MD5Context structure, pass it to MD5Init, call MD5Update as
  92498. * needed on buffers full of bytes, and then call MD5Final, which
  92499. * will fill a supplied 16-byte array with the digest.
  92500. *
  92501. * Changed so as no longer to depend on Colin Plumb's `usual.h'
  92502. * header definitions; now uses stuff from dpkg's config.h
  92503. * - Ian Jackson <ijackson@nyx.cs.du.edu>.
  92504. * Still in the public domain.
  92505. *
  92506. * Josh Coalson: made some changes to integrate with libFLAC.
  92507. * Still in the public domain, with no warranty.
  92508. */
  92509. typedef struct {
  92510. FLAC__uint32 in[16];
  92511. FLAC__uint32 buf[4];
  92512. FLAC__uint32 bytes[2];
  92513. FLAC__byte *internal_buf;
  92514. size_t capacity;
  92515. } FLAC__MD5Context;
  92516. void FLAC__MD5Init(FLAC__MD5Context *context);
  92517. void FLAC__MD5Final(FLAC__byte digest[16], FLAC__MD5Context *context);
  92518. FLAC__bool FLAC__MD5Accumulate(FLAC__MD5Context *ctx, const FLAC__int32 * const signal[], unsigned channels, unsigned samples, unsigned bytes_per_sample);
  92519. #endif
  92520. /********* End of inlined file: md5.h *********/
  92521. #ifndef FLaC__INLINE
  92522. #define FLaC__INLINE
  92523. #endif
  92524. /*
  92525. * This code implements the MD5 message-digest algorithm.
  92526. * The algorithm is due to Ron Rivest. This code was
  92527. * written by Colin Plumb in 1993, no copyright is claimed.
  92528. * This code is in the public domain; do with it what you wish.
  92529. *
  92530. * Equivalent code is available from RSA Data Security, Inc.
  92531. * This code has been tested against that, and is equivalent,
  92532. * except that you don't need to include two pages of legalese
  92533. * with every copy.
  92534. *
  92535. * To compute the message digest of a chunk of bytes, declare an
  92536. * MD5Context structure, pass it to MD5Init, call MD5Update as
  92537. * needed on buffers full of bytes, and then call MD5Final, which
  92538. * will fill a supplied 16-byte array with the digest.
  92539. *
  92540. * Changed so as no longer to depend on Colin Plumb's `usual.h' header
  92541. * definitions; now uses stuff from dpkg's config.h.
  92542. * - Ian Jackson <ijackson@nyx.cs.du.edu>.
  92543. * Still in the public domain.
  92544. *
  92545. * Josh Coalson: made some changes to integrate with libFLAC.
  92546. * Still in the public domain.
  92547. */
  92548. /* The four core functions - F1 is optimized somewhat */
  92549. /* #define F1(x, y, z) (x & y | ~x & z) */
  92550. #define F1(x, y, z) (z ^ (x & (y ^ z)))
  92551. #define F2(x, y, z) F1(z, x, y)
  92552. #define F3(x, y, z) (x ^ y ^ z)
  92553. #define F4(x, y, z) (y ^ (x | ~z))
  92554. /* This is the central step in the MD5 algorithm. */
  92555. #define MD5STEP(f,w,x,y,z,in,s) \
  92556. (w += f(x,y,z) + in, w = (w<<s | w>>(32-s)) + x)
  92557. /*
  92558. * The core of the MD5 algorithm, this alters an existing MD5 hash to
  92559. * reflect the addition of 16 longwords of new data. MD5Update blocks
  92560. * the data and converts bytes into longwords for this routine.
  92561. */
  92562. static void FLAC__MD5Transform(FLAC__uint32 buf[4], FLAC__uint32 const in[16])
  92563. {
  92564. register FLAC__uint32 a, b, c, d;
  92565. a = buf[0];
  92566. b = buf[1];
  92567. c = buf[2];
  92568. d = buf[3];
  92569. MD5STEP(F1, a, b, c, d, in[0] + 0xd76aa478, 7);
  92570. MD5STEP(F1, d, a, b, c, in[1] + 0xe8c7b756, 12);
  92571. MD5STEP(F1, c, d, a, b, in[2] + 0x242070db, 17);
  92572. MD5STEP(F1, b, c, d, a, in[3] + 0xc1bdceee, 22);
  92573. MD5STEP(F1, a, b, c, d, in[4] + 0xf57c0faf, 7);
  92574. MD5STEP(F1, d, a, b, c, in[5] + 0x4787c62a, 12);
  92575. MD5STEP(F1, c, d, a, b, in[6] + 0xa8304613, 17);
  92576. MD5STEP(F1, b, c, d, a, in[7] + 0xfd469501, 22);
  92577. MD5STEP(F1, a, b, c, d, in[8] + 0x698098d8, 7);
  92578. MD5STEP(F1, d, a, b, c, in[9] + 0x8b44f7af, 12);
  92579. MD5STEP(F1, c, d, a, b, in[10] + 0xffff5bb1, 17);
  92580. MD5STEP(F1, b, c, d, a, in[11] + 0x895cd7be, 22);
  92581. MD5STEP(F1, a, b, c, d, in[12] + 0x6b901122, 7);
  92582. MD5STEP(F1, d, a, b, c, in[13] + 0xfd987193, 12);
  92583. MD5STEP(F1, c, d, a, b, in[14] + 0xa679438e, 17);
  92584. MD5STEP(F1, b, c, d, a, in[15] + 0x49b40821, 22);
  92585. MD5STEP(F2, a, b, c, d, in[1] + 0xf61e2562, 5);
  92586. MD5STEP(F2, d, a, b, c, in[6] + 0xc040b340, 9);
  92587. MD5STEP(F2, c, d, a, b, in[11] + 0x265e5a51, 14);
  92588. MD5STEP(F2, b, c, d, a, in[0] + 0xe9b6c7aa, 20);
  92589. MD5STEP(F2, a, b, c, d, in[5] + 0xd62f105d, 5);
  92590. MD5STEP(F2, d, a, b, c, in[10] + 0x02441453, 9);
  92591. MD5STEP(F2, c, d, a, b, in[15] + 0xd8a1e681, 14);
  92592. MD5STEP(F2, b, c, d, a, in[4] + 0xe7d3fbc8, 20);
  92593. MD5STEP(F2, a, b, c, d, in[9] + 0x21e1cde6, 5);
  92594. MD5STEP(F2, d, a, b, c, in[14] + 0xc33707d6, 9);
  92595. MD5STEP(F2, c, d, a, b, in[3] + 0xf4d50d87, 14);
  92596. MD5STEP(F2, b, c, d, a, in[8] + 0x455a14ed, 20);
  92597. MD5STEP(F2, a, b, c, d, in[13] + 0xa9e3e905, 5);
  92598. MD5STEP(F2, d, a, b, c, in[2] + 0xfcefa3f8, 9);
  92599. MD5STEP(F2, c, d, a, b, in[7] + 0x676f02d9, 14);
  92600. MD5STEP(F2, b, c, d, a, in[12] + 0x8d2a4c8a, 20);
  92601. MD5STEP(F3, a, b, c, d, in[5] + 0xfffa3942, 4);
  92602. MD5STEP(F3, d, a, b, c, in[8] + 0x8771f681, 11);
  92603. MD5STEP(F3, c, d, a, b, in[11] + 0x6d9d6122, 16);
  92604. MD5STEP(F3, b, c, d, a, in[14] + 0xfde5380c, 23);
  92605. MD5STEP(F3, a, b, c, d, in[1] + 0xa4beea44, 4);
  92606. MD5STEP(F3, d, a, b, c, in[4] + 0x4bdecfa9, 11);
  92607. MD5STEP(F3, c, d, a, b, in[7] + 0xf6bb4b60, 16);
  92608. MD5STEP(F3, b, c, d, a, in[10] + 0xbebfbc70, 23);
  92609. MD5STEP(F3, a, b, c, d, in[13] + 0x289b7ec6, 4);
  92610. MD5STEP(F3, d, a, b, c, in[0] + 0xeaa127fa, 11);
  92611. MD5STEP(F3, c, d, a, b, in[3] + 0xd4ef3085, 16);
  92612. MD5STEP(F3, b, c, d, a, in[6] + 0x04881d05, 23);
  92613. MD5STEP(F3, a, b, c, d, in[9] + 0xd9d4d039, 4);
  92614. MD5STEP(F3, d, a, b, c, in[12] + 0xe6db99e5, 11);
  92615. MD5STEP(F3, c, d, a, b, in[15] + 0x1fa27cf8, 16);
  92616. MD5STEP(F3, b, c, d, a, in[2] + 0xc4ac5665, 23);
  92617. MD5STEP(F4, a, b, c, d, in[0] + 0xf4292244, 6);
  92618. MD5STEP(F4, d, a, b, c, in[7] + 0x432aff97, 10);
  92619. MD5STEP(F4, c, d, a, b, in[14] + 0xab9423a7, 15);
  92620. MD5STEP(F4, b, c, d, a, in[5] + 0xfc93a039, 21);
  92621. MD5STEP(F4, a, b, c, d, in[12] + 0x655b59c3, 6);
  92622. MD5STEP(F4, d, a, b, c, in[3] + 0x8f0ccc92, 10);
  92623. MD5STEP(F4, c, d, a, b, in[10] + 0xffeff47d, 15);
  92624. MD5STEP(F4, b, c, d, a, in[1] + 0x85845dd1, 21);
  92625. MD5STEP(F4, a, b, c, d, in[8] + 0x6fa87e4f, 6);
  92626. MD5STEP(F4, d, a, b, c, in[15] + 0xfe2ce6e0, 10);
  92627. MD5STEP(F4, c, d, a, b, in[6] + 0xa3014314, 15);
  92628. MD5STEP(F4, b, c, d, a, in[13] + 0x4e0811a1, 21);
  92629. MD5STEP(F4, a, b, c, d, in[4] + 0xf7537e82, 6);
  92630. MD5STEP(F4, d, a, b, c, in[11] + 0xbd3af235, 10);
  92631. MD5STEP(F4, c, d, a, b, in[2] + 0x2ad7d2bb, 15);
  92632. MD5STEP(F4, b, c, d, a, in[9] + 0xeb86d391, 21);
  92633. buf[0] += a;
  92634. buf[1] += b;
  92635. buf[2] += c;
  92636. buf[3] += d;
  92637. }
  92638. #if WORDS_BIGENDIAN
  92639. //@@@@@@ OPT: use bswap/intrinsics
  92640. static void byteSwap(FLAC__uint32 *buf, unsigned words)
  92641. {
  92642. register FLAC__uint32 x;
  92643. do {
  92644. x = *buf;
  92645. x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff);
  92646. *buf++ = (x >> 16) | (x << 16);
  92647. } while (--words);
  92648. }
  92649. static void byteSwapX16(FLAC__uint32 *buf)
  92650. {
  92651. register FLAC__uint32 x;
  92652. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92653. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92654. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92655. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92656. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92657. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92658. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92659. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92660. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92661. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92662. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92663. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92664. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92665. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92666. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf++ = (x >> 16) | (x << 16);
  92667. x = *buf; x = ((x << 8) & 0xff00ff00) | ((x >> 8) & 0x00ff00ff); *buf = (x >> 16) | (x << 16);
  92668. }
  92669. #else
  92670. #define byteSwap(buf, words)
  92671. #define byteSwapX16(buf)
  92672. #endif
  92673. /*
  92674. * Update context to reflect the concatenation of another buffer full
  92675. * of bytes.
  92676. */
  92677. static void FLAC__MD5Update(FLAC__MD5Context *ctx, FLAC__byte const *buf, unsigned len)
  92678. {
  92679. FLAC__uint32 t;
  92680. /* Update byte count */
  92681. t = ctx->bytes[0];
  92682. if ((ctx->bytes[0] = t + len) < t)
  92683. ctx->bytes[1]++; /* Carry from low to high */
  92684. t = 64 - (t & 0x3f); /* Space available in ctx->in (at least 1) */
  92685. if (t > len) {
  92686. memcpy((FLAC__byte *)ctx->in + 64 - t, buf, len);
  92687. return;
  92688. }
  92689. /* First chunk is an odd size */
  92690. memcpy((FLAC__byte *)ctx->in + 64 - t, buf, t);
  92691. byteSwapX16(ctx->in);
  92692. FLAC__MD5Transform(ctx->buf, ctx->in);
  92693. buf += t;
  92694. len -= t;
  92695. /* Process data in 64-byte chunks */
  92696. while (len >= 64) {
  92697. memcpy(ctx->in, buf, 64);
  92698. byteSwapX16(ctx->in);
  92699. FLAC__MD5Transform(ctx->buf, ctx->in);
  92700. buf += 64;
  92701. len -= 64;
  92702. }
  92703. /* Handle any remaining bytes of data. */
  92704. memcpy(ctx->in, buf, len);
  92705. }
  92706. /*
  92707. * Start MD5 accumulation. Set bit count to 0 and buffer to mysterious
  92708. * initialization constants.
  92709. */
  92710. void FLAC__MD5Init(FLAC__MD5Context *ctx)
  92711. {
  92712. ctx->buf[0] = 0x67452301;
  92713. ctx->buf[1] = 0xefcdab89;
  92714. ctx->buf[2] = 0x98badcfe;
  92715. ctx->buf[3] = 0x10325476;
  92716. ctx->bytes[0] = 0;
  92717. ctx->bytes[1] = 0;
  92718. ctx->internal_buf = 0;
  92719. ctx->capacity = 0;
  92720. }
  92721. /*
  92722. * Final wrapup - pad to 64-byte boundary with the bit pattern
  92723. * 1 0* (64-bit count of bits processed, MSB-first)
  92724. */
  92725. void FLAC__MD5Final(FLAC__byte digest[16], FLAC__MD5Context *ctx)
  92726. {
  92727. int count = ctx->bytes[0] & 0x3f; /* Number of bytes in ctx->in */
  92728. FLAC__byte *p = (FLAC__byte *)ctx->in + count;
  92729. /* Set the first char of padding to 0x80. There is always room. */
  92730. *p++ = 0x80;
  92731. /* Bytes of padding needed to make 56 bytes (-8..55) */
  92732. count = 56 - 1 - count;
  92733. if (count < 0) { /* Padding forces an extra block */
  92734. memset(p, 0, count + 8);
  92735. byteSwapX16(ctx->in);
  92736. FLAC__MD5Transform(ctx->buf, ctx->in);
  92737. p = (FLAC__byte *)ctx->in;
  92738. count = 56;
  92739. }
  92740. memset(p, 0, count);
  92741. byteSwap(ctx->in, 14);
  92742. /* Append length in bits and transform */
  92743. ctx->in[14] = ctx->bytes[0] << 3;
  92744. ctx->in[15] = ctx->bytes[1] << 3 | ctx->bytes[0] >> 29;
  92745. FLAC__MD5Transform(ctx->buf, ctx->in);
  92746. byteSwap(ctx->buf, 4);
  92747. memcpy(digest, ctx->buf, 16);
  92748. memset(ctx, 0, sizeof(ctx)); /* In case it's sensitive */
  92749. if(0 != ctx->internal_buf) {
  92750. free(ctx->internal_buf);
  92751. ctx->internal_buf = 0;
  92752. ctx->capacity = 0;
  92753. }
  92754. }
  92755. /*
  92756. * Convert the incoming audio signal to a byte stream
  92757. */
  92758. static void format_input_(FLAC__byte *buf, const FLAC__int32 * const signal[], unsigned channels, unsigned samples, unsigned bytes_per_sample)
  92759. {
  92760. unsigned channel, sample;
  92761. register FLAC__int32 a_word;
  92762. register FLAC__byte *buf_ = buf;
  92763. #if WORDS_BIGENDIAN
  92764. #else
  92765. if(channels == 2 && bytes_per_sample == 2) {
  92766. FLAC__int16 *buf1_ = ((FLAC__int16*)buf_) + 1;
  92767. memcpy(buf_, signal[0], sizeof(FLAC__int32) * samples);
  92768. for(sample = 0; sample < samples; sample++, buf1_+=2)
  92769. *buf1_ = (FLAC__int16)signal[1][sample];
  92770. }
  92771. else if(channels == 1 && bytes_per_sample == 2) {
  92772. FLAC__int16 *buf1_ = (FLAC__int16*)buf_;
  92773. for(sample = 0; sample < samples; sample++)
  92774. *buf1_++ = (FLAC__int16)signal[0][sample];
  92775. }
  92776. else
  92777. #endif
  92778. if(bytes_per_sample == 2) {
  92779. if(channels == 2) {
  92780. for(sample = 0; sample < samples; sample++) {
  92781. a_word = signal[0][sample];
  92782. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92783. *buf_++ = (FLAC__byte)a_word;
  92784. a_word = signal[1][sample];
  92785. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92786. *buf_++ = (FLAC__byte)a_word;
  92787. }
  92788. }
  92789. else if(channels == 1) {
  92790. for(sample = 0; sample < samples; sample++) {
  92791. a_word = signal[0][sample];
  92792. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92793. *buf_++ = (FLAC__byte)a_word;
  92794. }
  92795. }
  92796. else {
  92797. for(sample = 0; sample < samples; sample++) {
  92798. for(channel = 0; channel < channels; channel++) {
  92799. a_word = signal[channel][sample];
  92800. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92801. *buf_++ = (FLAC__byte)a_word;
  92802. }
  92803. }
  92804. }
  92805. }
  92806. else if(bytes_per_sample == 3) {
  92807. if(channels == 2) {
  92808. for(sample = 0; sample < samples; sample++) {
  92809. a_word = signal[0][sample];
  92810. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92811. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92812. *buf_++ = (FLAC__byte)a_word;
  92813. a_word = signal[1][sample];
  92814. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92815. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92816. *buf_++ = (FLAC__byte)a_word;
  92817. }
  92818. }
  92819. else if(channels == 1) {
  92820. for(sample = 0; sample < samples; sample++) {
  92821. a_word = signal[0][sample];
  92822. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92823. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92824. *buf_++ = (FLAC__byte)a_word;
  92825. }
  92826. }
  92827. else {
  92828. for(sample = 0; sample < samples; sample++) {
  92829. for(channel = 0; channel < channels; channel++) {
  92830. a_word = signal[channel][sample];
  92831. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92832. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92833. *buf_++ = (FLAC__byte)a_word;
  92834. }
  92835. }
  92836. }
  92837. }
  92838. else if(bytes_per_sample == 1) {
  92839. if(channels == 2) {
  92840. for(sample = 0; sample < samples; sample++) {
  92841. a_word = signal[0][sample];
  92842. *buf_++ = (FLAC__byte)a_word;
  92843. a_word = signal[1][sample];
  92844. *buf_++ = (FLAC__byte)a_word;
  92845. }
  92846. }
  92847. else if(channels == 1) {
  92848. for(sample = 0; sample < samples; sample++) {
  92849. a_word = signal[0][sample];
  92850. *buf_++ = (FLAC__byte)a_word;
  92851. }
  92852. }
  92853. else {
  92854. for(sample = 0; sample < samples; sample++) {
  92855. for(channel = 0; channel < channels; channel++) {
  92856. a_word = signal[channel][sample];
  92857. *buf_++ = (FLAC__byte)a_word;
  92858. }
  92859. }
  92860. }
  92861. }
  92862. else { /* bytes_per_sample == 4, maybe optimize more later */
  92863. for(sample = 0; sample < samples; sample++) {
  92864. for(channel = 0; channel < channels; channel++) {
  92865. a_word = signal[channel][sample];
  92866. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92867. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92868. *buf_++ = (FLAC__byte)a_word; a_word >>= 8;
  92869. *buf_++ = (FLAC__byte)a_word;
  92870. }
  92871. }
  92872. }
  92873. }
  92874. /*
  92875. * Convert the incoming audio signal to a byte stream and FLAC__MD5Update it.
  92876. */
  92877. FLAC__bool FLAC__MD5Accumulate(FLAC__MD5Context *ctx, const FLAC__int32 * const signal[], unsigned channels, unsigned samples, unsigned bytes_per_sample)
  92878. {
  92879. const size_t bytes_needed = (size_t)channels * (size_t)samples * (size_t)bytes_per_sample;
  92880. /* overflow check */
  92881. if((size_t)channels > SIZE_MAX / (size_t)bytes_per_sample)
  92882. return false;
  92883. if((size_t)channels * (size_t)bytes_per_sample > SIZE_MAX / (size_t)samples)
  92884. return false;
  92885. if(ctx->capacity < bytes_needed) {
  92886. FLAC__byte *tmp = (FLAC__byte*)realloc(ctx->internal_buf, bytes_needed);
  92887. if(0 == tmp) {
  92888. free(ctx->internal_buf);
  92889. if(0 == (ctx->internal_buf = (FLAC__byte*)safe_malloc_(bytes_needed)))
  92890. return false;
  92891. }
  92892. ctx->internal_buf = tmp;
  92893. ctx->capacity = bytes_needed;
  92894. }
  92895. format_input_(ctx->internal_buf, signal, channels, samples, bytes_per_sample);
  92896. FLAC__MD5Update(ctx, ctx->internal_buf, bytes_needed);
  92897. return true;
  92898. }
  92899. #endif
  92900. /********* End of inlined file: md5.c *********/
  92901. /********* Start of inlined file: memory.c *********/
  92902. /********* Start of inlined file: juce_FlacHeader.h *********/
  92903. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  92904. // tasks..
  92905. #define VERSION "1.2.1"
  92906. #define FLAC__NO_DLL 1
  92907. #ifdef _MSC_VER
  92908. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  92909. #endif
  92910. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  92911. #define FLAC__SYS_DARWIN 1
  92912. #endif
  92913. /********* End of inlined file: juce_FlacHeader.h *********/
  92914. #if JUCE_USE_FLAC
  92915. #if HAVE_CONFIG_H
  92916. # include <config.h>
  92917. #endif
  92918. /********* Start of inlined file: memory.h *********/
  92919. #ifndef FLAC__PRIVATE__MEMORY_H
  92920. #define FLAC__PRIVATE__MEMORY_H
  92921. #ifdef HAVE_CONFIG_H
  92922. #include <config.h>
  92923. #endif
  92924. #include <stdlib.h> /* for size_t */
  92925. /* Returns the unaligned address returned by malloc.
  92926. * Use free() on this address to deallocate.
  92927. */
  92928. void *FLAC__memory_alloc_aligned(size_t bytes, void **aligned_address);
  92929. FLAC__bool FLAC__memory_alloc_aligned_int32_array(unsigned elements, FLAC__int32 **unaligned_pointer, FLAC__int32 **aligned_pointer);
  92930. FLAC__bool FLAC__memory_alloc_aligned_uint32_array(unsigned elements, FLAC__uint32 **unaligned_pointer, FLAC__uint32 **aligned_pointer);
  92931. FLAC__bool FLAC__memory_alloc_aligned_uint64_array(unsigned elements, FLAC__uint64 **unaligned_pointer, FLAC__uint64 **aligned_pointer);
  92932. FLAC__bool FLAC__memory_alloc_aligned_unsigned_array(unsigned elements, unsigned **unaligned_pointer, unsigned **aligned_pointer);
  92933. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  92934. FLAC__bool FLAC__memory_alloc_aligned_real_array(unsigned elements, FLAC__real **unaligned_pointer, FLAC__real **aligned_pointer);
  92935. #endif
  92936. #endif
  92937. /********* End of inlined file: memory.h *********/
  92938. void *FLAC__memory_alloc_aligned(size_t bytes, void **aligned_address)
  92939. {
  92940. void *x;
  92941. FLAC__ASSERT(0 != aligned_address);
  92942. #ifdef FLAC__ALIGN_MALLOC_DATA
  92943. /* align on 32-byte (256-bit) boundary */
  92944. x = safe_malloc_add_2op_(bytes, /*+*/31);
  92945. #ifdef SIZEOF_VOIDP
  92946. #if SIZEOF_VOIDP == 4
  92947. /* could do *aligned_address = x + ((unsigned) (32 - (((unsigned)x) & 31))) & 31; */
  92948. *aligned_address = (void*)(((unsigned)x + 31) & -32);
  92949. #elif SIZEOF_VOIDP == 8
  92950. *aligned_address = (void*)(((FLAC__uint64)x + 31) & (FLAC__uint64)(-((FLAC__int64)32)));
  92951. #else
  92952. # error Unsupported sizeof(void*)
  92953. #endif
  92954. #else
  92955. /* there's got to be a better way to do this right for all archs */
  92956. if(sizeof(void*) == sizeof(unsigned))
  92957. *aligned_address = (void*)(((unsigned)x + 31) & -32);
  92958. else if(sizeof(void*) == sizeof(FLAC__uint64))
  92959. *aligned_address = (void*)(((FLAC__uint64)x + 31) & (FLAC__uint64)(-((FLAC__int64)32)));
  92960. else
  92961. return 0;
  92962. #endif
  92963. #else
  92964. x = safe_malloc_(bytes);
  92965. *aligned_address = x;
  92966. #endif
  92967. return x;
  92968. }
  92969. FLAC__bool FLAC__memory_alloc_aligned_int32_array(unsigned elements, FLAC__int32 **unaligned_pointer, FLAC__int32 **aligned_pointer)
  92970. {
  92971. FLAC__int32 *pu; /* unaligned pointer */
  92972. union { /* union needed to comply with C99 pointer aliasing rules */
  92973. FLAC__int32 *pa; /* aligned pointer */
  92974. void *pv; /* aligned pointer alias */
  92975. } u;
  92976. FLAC__ASSERT(elements > 0);
  92977. FLAC__ASSERT(0 != unaligned_pointer);
  92978. FLAC__ASSERT(0 != aligned_pointer);
  92979. FLAC__ASSERT(unaligned_pointer != aligned_pointer);
  92980. if((size_t)elements > SIZE_MAX / sizeof(*pu)) /* overflow check */
  92981. return false;
  92982. pu = (FLAC__int32*)FLAC__memory_alloc_aligned(sizeof(*pu) * (size_t)elements, &u.pv);
  92983. if(0 == pu) {
  92984. return false;
  92985. }
  92986. else {
  92987. if(*unaligned_pointer != 0)
  92988. free(*unaligned_pointer);
  92989. *unaligned_pointer = pu;
  92990. *aligned_pointer = u.pa;
  92991. return true;
  92992. }
  92993. }
  92994. FLAC__bool FLAC__memory_alloc_aligned_uint32_array(unsigned elements, FLAC__uint32 **unaligned_pointer, FLAC__uint32 **aligned_pointer)
  92995. {
  92996. FLAC__uint32 *pu; /* unaligned pointer */
  92997. union { /* union needed to comply with C99 pointer aliasing rules */
  92998. FLAC__uint32 *pa; /* aligned pointer */
  92999. void *pv; /* aligned pointer alias */
  93000. } u;
  93001. FLAC__ASSERT(elements > 0);
  93002. FLAC__ASSERT(0 != unaligned_pointer);
  93003. FLAC__ASSERT(0 != aligned_pointer);
  93004. FLAC__ASSERT(unaligned_pointer != aligned_pointer);
  93005. if((size_t)elements > SIZE_MAX / sizeof(*pu)) /* overflow check */
  93006. return false;
  93007. pu = (FLAC__uint32*)FLAC__memory_alloc_aligned(sizeof(*pu) * elements, &u.pv);
  93008. if(0 == pu) {
  93009. return false;
  93010. }
  93011. else {
  93012. if(*unaligned_pointer != 0)
  93013. free(*unaligned_pointer);
  93014. *unaligned_pointer = pu;
  93015. *aligned_pointer = u.pa;
  93016. return true;
  93017. }
  93018. }
  93019. FLAC__bool FLAC__memory_alloc_aligned_uint64_array(unsigned elements, FLAC__uint64 **unaligned_pointer, FLAC__uint64 **aligned_pointer)
  93020. {
  93021. FLAC__uint64 *pu; /* unaligned pointer */
  93022. union { /* union needed to comply with C99 pointer aliasing rules */
  93023. FLAC__uint64 *pa; /* aligned pointer */
  93024. void *pv; /* aligned pointer alias */
  93025. } u;
  93026. FLAC__ASSERT(elements > 0);
  93027. FLAC__ASSERT(0 != unaligned_pointer);
  93028. FLAC__ASSERT(0 != aligned_pointer);
  93029. FLAC__ASSERT(unaligned_pointer != aligned_pointer);
  93030. if((size_t)elements > SIZE_MAX / sizeof(*pu)) /* overflow check */
  93031. return false;
  93032. pu = (FLAC__uint64*)FLAC__memory_alloc_aligned(sizeof(*pu) * elements, &u.pv);
  93033. if(0 == pu) {
  93034. return false;
  93035. }
  93036. else {
  93037. if(*unaligned_pointer != 0)
  93038. free(*unaligned_pointer);
  93039. *unaligned_pointer = pu;
  93040. *aligned_pointer = u.pa;
  93041. return true;
  93042. }
  93043. }
  93044. FLAC__bool FLAC__memory_alloc_aligned_unsigned_array(unsigned elements, unsigned **unaligned_pointer, unsigned **aligned_pointer)
  93045. {
  93046. unsigned *pu; /* unaligned pointer */
  93047. union { /* union needed to comply with C99 pointer aliasing rules */
  93048. unsigned *pa; /* aligned pointer */
  93049. void *pv; /* aligned pointer alias */
  93050. } u;
  93051. FLAC__ASSERT(elements > 0);
  93052. FLAC__ASSERT(0 != unaligned_pointer);
  93053. FLAC__ASSERT(0 != aligned_pointer);
  93054. FLAC__ASSERT(unaligned_pointer != aligned_pointer);
  93055. if((size_t)elements > SIZE_MAX / sizeof(*pu)) /* overflow check */
  93056. return false;
  93057. pu = (unsigned*)FLAC__memory_alloc_aligned(sizeof(*pu) * elements, &u.pv);
  93058. if(0 == pu) {
  93059. return false;
  93060. }
  93061. else {
  93062. if(*unaligned_pointer != 0)
  93063. free(*unaligned_pointer);
  93064. *unaligned_pointer = pu;
  93065. *aligned_pointer = u.pa;
  93066. return true;
  93067. }
  93068. }
  93069. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  93070. FLAC__bool FLAC__memory_alloc_aligned_real_array(unsigned elements, FLAC__real **unaligned_pointer, FLAC__real **aligned_pointer)
  93071. {
  93072. FLAC__real *pu; /* unaligned pointer */
  93073. union { /* union needed to comply with C99 pointer aliasing rules */
  93074. FLAC__real *pa; /* aligned pointer */
  93075. void *pv; /* aligned pointer alias */
  93076. } u;
  93077. FLAC__ASSERT(elements > 0);
  93078. FLAC__ASSERT(0 != unaligned_pointer);
  93079. FLAC__ASSERT(0 != aligned_pointer);
  93080. FLAC__ASSERT(unaligned_pointer != aligned_pointer);
  93081. if((size_t)elements > SIZE_MAX / sizeof(*pu)) /* overflow check */
  93082. return false;
  93083. pu = (FLAC__real*)FLAC__memory_alloc_aligned(sizeof(*pu) * elements, &u.pv);
  93084. if(0 == pu) {
  93085. return false;
  93086. }
  93087. else {
  93088. if(*unaligned_pointer != 0)
  93089. free(*unaligned_pointer);
  93090. *unaligned_pointer = pu;
  93091. *aligned_pointer = u.pa;
  93092. return true;
  93093. }
  93094. }
  93095. #endif
  93096. #endif
  93097. /********* End of inlined file: memory.c *********/
  93098. /********* Start of inlined file: stream_decoder.c *********/
  93099. /********* Start of inlined file: juce_FlacHeader.h *********/
  93100. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  93101. // tasks..
  93102. #define VERSION "1.2.1"
  93103. #define FLAC__NO_DLL 1
  93104. #ifdef _MSC_VER
  93105. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  93106. #endif
  93107. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  93108. #define FLAC__SYS_DARWIN 1
  93109. #endif
  93110. /********* End of inlined file: juce_FlacHeader.h *********/
  93111. #if JUCE_USE_FLAC
  93112. #if HAVE_CONFIG_H
  93113. # include <config.h>
  93114. #endif
  93115. #if defined _MSC_VER || defined __MINGW32__
  93116. #include <io.h> /* for _setmode() */
  93117. #include <fcntl.h> /* for _O_BINARY */
  93118. #endif
  93119. #if defined __CYGWIN__ || defined __EMX__
  93120. #include <io.h> /* for setmode(), O_BINARY */
  93121. #include <fcntl.h> /* for _O_BINARY */
  93122. #endif
  93123. #include <stdio.h>
  93124. #include <stdlib.h> /* for malloc() */
  93125. #include <string.h> /* for memset/memcpy() */
  93126. #include <sys/stat.h> /* for stat() */
  93127. #include <sys/types.h> /* for off_t */
  93128. #if defined _MSC_VER || defined __BORLANDC__ || defined __MINGW32__
  93129. #if _MSC_VER <= 1600 || defined __BORLANDC__ /* @@@ [2G limit] */
  93130. #define fseeko fseek
  93131. #define ftello ftell
  93132. #endif
  93133. #endif
  93134. /********* Start of inlined file: stream_decoder.h *********/
  93135. #ifndef FLAC__PROTECTED__STREAM_DECODER_H
  93136. #define FLAC__PROTECTED__STREAM_DECODER_H
  93137. #if FLAC__HAS_OGG
  93138. #include "include/private/ogg_decoder_aspect.h"
  93139. #endif
  93140. typedef struct FLAC__StreamDecoderProtected {
  93141. FLAC__StreamDecoderState state;
  93142. unsigned channels;
  93143. FLAC__ChannelAssignment channel_assignment;
  93144. unsigned bits_per_sample;
  93145. unsigned sample_rate; /* in Hz */
  93146. unsigned blocksize; /* in samples (per channel) */
  93147. FLAC__bool md5_checking; /* if true, generate MD5 signature of decoded data and compare against signature in the STREAMINFO metadata block */
  93148. #if FLAC__HAS_OGG
  93149. FLAC__OggDecoderAspect ogg_decoder_aspect;
  93150. #endif
  93151. } FLAC__StreamDecoderProtected;
  93152. /*
  93153. * return the number of input bytes consumed
  93154. */
  93155. unsigned FLAC__stream_decoder_get_input_bytes_unconsumed(const FLAC__StreamDecoder *decoder);
  93156. #endif
  93157. /********* End of inlined file: stream_decoder.h *********/
  93158. #ifdef max
  93159. #undef max
  93160. #endif
  93161. #define max(a,b) ((a)>(b)?(a):(b))
  93162. /* adjust for compilers that can't understand using LLU suffix for uint64_t literals */
  93163. #ifdef _MSC_VER
  93164. #define FLAC__U64L(x) x
  93165. #else
  93166. #define FLAC__U64L(x) x##LLU
  93167. #endif
  93168. /* technically this should be in an "export.c" but this is convenient enough */
  93169. FLAC_API int FLAC_API_SUPPORTS_OGG_FLAC =
  93170. #if FLAC__HAS_OGG
  93171. 1
  93172. #else
  93173. 0
  93174. #endif
  93175. ;
  93176. /***********************************************************************
  93177. *
  93178. * Private static data
  93179. *
  93180. ***********************************************************************/
  93181. static FLAC__byte ID3V2_TAG_[3] = { 'I', 'D', '3' };
  93182. /***********************************************************************
  93183. *
  93184. * Private class method prototypes
  93185. *
  93186. ***********************************************************************/
  93187. static void set_defaults_dec(FLAC__StreamDecoder *decoder);
  93188. static FILE *get_binary_stdin_(void);
  93189. static FLAC__bool allocate_output_(FLAC__StreamDecoder *decoder, unsigned size, unsigned channels);
  93190. static FLAC__bool has_id_filtered_(FLAC__StreamDecoder *decoder, FLAC__byte *id);
  93191. static FLAC__bool find_metadata_(FLAC__StreamDecoder *decoder);
  93192. static FLAC__bool read_metadata_(FLAC__StreamDecoder *decoder);
  93193. static FLAC__bool read_metadata_streaminfo_(FLAC__StreamDecoder *decoder, FLAC__bool is_last, unsigned length);
  93194. static FLAC__bool read_metadata_seektable_(FLAC__StreamDecoder *decoder, FLAC__bool is_last, unsigned length);
  93195. static FLAC__bool read_metadata_vorbiscomment_(FLAC__StreamDecoder *decoder, FLAC__StreamMetadata_VorbisComment *obj);
  93196. static FLAC__bool read_metadata_cuesheet_(FLAC__StreamDecoder *decoder, FLAC__StreamMetadata_CueSheet *obj);
  93197. static FLAC__bool read_metadata_picture_(FLAC__StreamDecoder *decoder, FLAC__StreamMetadata_Picture *obj);
  93198. static FLAC__bool skip_id3v2_tag_(FLAC__StreamDecoder *decoder);
  93199. static FLAC__bool frame_sync_(FLAC__StreamDecoder *decoder);
  93200. static FLAC__bool read_frame_(FLAC__StreamDecoder *decoder, FLAC__bool *got_a_frame, FLAC__bool do_full_decode);
  93201. static FLAC__bool read_frame_header_(FLAC__StreamDecoder *decoder);
  93202. static FLAC__bool read_subframe_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, FLAC__bool do_full_decode);
  93203. static FLAC__bool read_subframe_constant_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, FLAC__bool do_full_decode);
  93204. static FLAC__bool read_subframe_fixed_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, const unsigned order, FLAC__bool do_full_decode);
  93205. static FLAC__bool read_subframe_lpc_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, const unsigned order, FLAC__bool do_full_decode);
  93206. static FLAC__bool read_subframe_verbatim_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, FLAC__bool do_full_decode);
  93207. static FLAC__bool read_residual_partitioned_rice_(FLAC__StreamDecoder *decoder, unsigned predictor_order, unsigned partition_order, FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents, FLAC__int32 *residual, FLAC__bool is_extended);
  93208. static FLAC__bool read_zero_padding_(FLAC__StreamDecoder *decoder);
  93209. static FLAC__bool read_callback_(FLAC__byte buffer[], size_t *bytes, void *client_data);
  93210. #if FLAC__HAS_OGG
  93211. static FLAC__StreamDecoderReadStatus read_callback_ogg_aspect_(const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes);
  93212. static FLAC__OggDecoderAspectReadStatus read_callback_proxy_(const void *void_decoder, FLAC__byte buffer[], size_t *bytes, void *client_data);
  93213. #endif
  93214. static FLAC__StreamDecoderWriteStatus write_audio_frame_to_client_(FLAC__StreamDecoder *decoder, const FLAC__Frame *frame, const FLAC__int32 * const buffer[]);
  93215. static void send_error_to_client_(const FLAC__StreamDecoder *decoder, FLAC__StreamDecoderErrorStatus status);
  93216. static FLAC__bool seek_to_absolute_sample_(FLAC__StreamDecoder *decoder, FLAC__uint64 stream_length, FLAC__uint64 target_sample);
  93217. #if FLAC__HAS_OGG
  93218. static FLAC__bool seek_to_absolute_sample_ogg_(FLAC__StreamDecoder *decoder, FLAC__uint64 stream_length, FLAC__uint64 target_sample);
  93219. #endif
  93220. static FLAC__StreamDecoderReadStatus file_read_callback_dec (const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes, void *client_data);
  93221. static FLAC__StreamDecoderSeekStatus file_seek_callback_dec (const FLAC__StreamDecoder *decoder, FLAC__uint64 absolute_byte_offset, void *client_data);
  93222. static FLAC__StreamDecoderTellStatus file_tell_callback_dec (const FLAC__StreamDecoder *decoder, FLAC__uint64 *absolute_byte_offset, void *client_data);
  93223. static FLAC__StreamDecoderLengthStatus file_length_callback_(const FLAC__StreamDecoder *decoder, FLAC__uint64 *stream_length, void *client_data);
  93224. static FLAC__bool file_eof_callback_(const FLAC__StreamDecoder *decoder, void *client_data);
  93225. /***********************************************************************
  93226. *
  93227. * Private class data
  93228. *
  93229. ***********************************************************************/
  93230. typedef struct FLAC__StreamDecoderPrivate {
  93231. #if FLAC__HAS_OGG
  93232. FLAC__bool is_ogg;
  93233. #endif
  93234. FLAC__StreamDecoderReadCallback read_callback;
  93235. FLAC__StreamDecoderSeekCallback seek_callback;
  93236. FLAC__StreamDecoderTellCallback tell_callback;
  93237. FLAC__StreamDecoderLengthCallback length_callback;
  93238. FLAC__StreamDecoderEofCallback eof_callback;
  93239. FLAC__StreamDecoderWriteCallback write_callback;
  93240. FLAC__StreamDecoderMetadataCallback metadata_callback;
  93241. FLAC__StreamDecoderErrorCallback error_callback;
  93242. /* generic 32-bit datapath: */
  93243. void (*local_lpc_restore_signal)(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  93244. /* generic 64-bit datapath: */
  93245. void (*local_lpc_restore_signal_64bit)(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  93246. /* for use when the signal is <= 16 bits-per-sample, or <= 15 bits-per-sample on a side channel (which requires 1 extra bit): */
  93247. void (*local_lpc_restore_signal_16bit)(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  93248. /* for use when the signal is <= 16 bits-per-sample, or <= 15 bits-per-sample on a side channel (which requires 1 extra bit), AND order <= 8: */
  93249. void (*local_lpc_restore_signal_16bit_order8)(const FLAC__int32 residual[], unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 data[]);
  93250. FLAC__bool (*local_bitreader_read_rice_signed_block)(FLAC__BitReader *br, int* vals, unsigned nvals, unsigned parameter);
  93251. void *client_data;
  93252. FILE *file; /* only used if FLAC__stream_decoder_init_file()/FLAC__stream_decoder_init_file() called, else NULL */
  93253. FLAC__BitReader *input;
  93254. FLAC__int32 *output[FLAC__MAX_CHANNELS];
  93255. FLAC__int32 *residual[FLAC__MAX_CHANNELS]; /* WATCHOUT: these are the aligned pointers; the real pointers that should be free()'d are residual_unaligned[] below */
  93256. FLAC__EntropyCodingMethod_PartitionedRiceContents partitioned_rice_contents[FLAC__MAX_CHANNELS];
  93257. unsigned output_capacity, output_channels;
  93258. FLAC__uint32 fixed_block_size, next_fixed_block_size;
  93259. FLAC__uint64 samples_decoded;
  93260. FLAC__bool has_stream_info, has_seek_table;
  93261. FLAC__StreamMetadata stream_info;
  93262. FLAC__StreamMetadata seek_table;
  93263. FLAC__bool metadata_filter[128]; /* MAGIC number 128 == total number of metadata block types == 1 << 7 */
  93264. FLAC__byte *metadata_filter_ids;
  93265. size_t metadata_filter_ids_count, metadata_filter_ids_capacity; /* units for both are IDs, not bytes */
  93266. FLAC__Frame frame;
  93267. FLAC__bool cached; /* true if there is a byte in lookahead */
  93268. FLAC__CPUInfo cpuinfo;
  93269. FLAC__byte header_warmup[2]; /* contains the sync code and reserved bits */
  93270. FLAC__byte lookahead; /* temp storage when we need to look ahead one byte in the stream */
  93271. /* unaligned (original) pointers to allocated data */
  93272. FLAC__int32 *residual_unaligned[FLAC__MAX_CHANNELS];
  93273. FLAC__bool do_md5_checking; /* initially gets protected_->md5_checking but is turned off after a seek or if the metadata has a zero MD5 */
  93274. FLAC__bool internal_reset_hack; /* used only during init() so we can call reset to set up the decoder without rewinding the input */
  93275. FLAC__bool is_seeking;
  93276. FLAC__MD5Context md5context;
  93277. FLAC__byte computed_md5sum[16]; /* this is the sum we computed from the decoded data */
  93278. /* (the rest of these are only used for seeking) */
  93279. FLAC__Frame last_frame; /* holds the info of the last frame we seeked to */
  93280. FLAC__uint64 first_frame_offset; /* hint to the seek routine of where in the stream the first audio frame starts */
  93281. FLAC__uint64 target_sample;
  93282. unsigned unparseable_frame_count; /* used to tell whether we're decoding a future version of FLAC or just got a bad sync */
  93283. #if FLAC__HAS_OGG
  93284. FLAC__bool got_a_frame; /* hack needed in Ogg FLAC seek routine to check when process_single() actually writes a frame */
  93285. #endif
  93286. } FLAC__StreamDecoderPrivate;
  93287. /***********************************************************************
  93288. *
  93289. * Public static class data
  93290. *
  93291. ***********************************************************************/
  93292. FLAC_API const char * const FLAC__StreamDecoderStateString[] = {
  93293. "FLAC__STREAM_DECODER_SEARCH_FOR_METADATA",
  93294. "FLAC__STREAM_DECODER_READ_METADATA",
  93295. "FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC",
  93296. "FLAC__STREAM_DECODER_READ_FRAME",
  93297. "FLAC__STREAM_DECODER_END_OF_STREAM",
  93298. "FLAC__STREAM_DECODER_OGG_ERROR",
  93299. "FLAC__STREAM_DECODER_SEEK_ERROR",
  93300. "FLAC__STREAM_DECODER_ABORTED",
  93301. "FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR",
  93302. "FLAC__STREAM_DECODER_UNINITIALIZED"
  93303. };
  93304. FLAC_API const char * const FLAC__StreamDecoderInitStatusString[] = {
  93305. "FLAC__STREAM_DECODER_INIT_STATUS_OK",
  93306. "FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER",
  93307. "FLAC__STREAM_DECODER_INIT_STATUS_INVALID_CALLBACKS",
  93308. "FLAC__STREAM_DECODER_INIT_STATUS_MEMORY_ALLOCATION_ERROR",
  93309. "FLAC__STREAM_DECODER_INIT_STATUS_ERROR_OPENING_FILE",
  93310. "FLAC__STREAM_DECODER_INIT_STATUS_ALREADY_INITIALIZED"
  93311. };
  93312. FLAC_API const char * const FLAC__StreamDecoderReadStatusString[] = {
  93313. "FLAC__STREAM_DECODER_READ_STATUS_CONTINUE",
  93314. "FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM",
  93315. "FLAC__STREAM_DECODER_READ_STATUS_ABORT"
  93316. };
  93317. FLAC_API const char * const FLAC__StreamDecoderSeekStatusString[] = {
  93318. "FLAC__STREAM_DECODER_SEEK_STATUS_OK",
  93319. "FLAC__STREAM_DECODER_SEEK_STATUS_ERROR",
  93320. "FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED"
  93321. };
  93322. FLAC_API const char * const FLAC__StreamDecoderTellStatusString[] = {
  93323. "FLAC__STREAM_DECODER_TELL_STATUS_OK",
  93324. "FLAC__STREAM_DECODER_TELL_STATUS_ERROR",
  93325. "FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED"
  93326. };
  93327. FLAC_API const char * const FLAC__StreamDecoderLengthStatusString[] = {
  93328. "FLAC__STREAM_DECODER_LENGTH_STATUS_OK",
  93329. "FLAC__STREAM_DECODER_LENGTH_STATUS_ERROR",
  93330. "FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED"
  93331. };
  93332. FLAC_API const char * const FLAC__StreamDecoderWriteStatusString[] = {
  93333. "FLAC__STREAM_DECODER_WRITE_STATUS_CONTINUE",
  93334. "FLAC__STREAM_DECODER_WRITE_STATUS_ABORT"
  93335. };
  93336. FLAC_API const char * const FLAC__StreamDecoderErrorStatusString[] = {
  93337. "FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC",
  93338. "FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER",
  93339. "FLAC__STREAM_DECODER_ERROR_STATUS_FRAME_CRC_MISMATCH",
  93340. "FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM"
  93341. };
  93342. /***********************************************************************
  93343. *
  93344. * Class constructor/destructor
  93345. *
  93346. ***********************************************************************/
  93347. FLAC_API FLAC__StreamDecoder *FLAC__stream_decoder_new(void)
  93348. {
  93349. FLAC__StreamDecoder *decoder;
  93350. unsigned i;
  93351. FLAC__ASSERT(sizeof(int) >= 4); /* we want to die right away if this is not true */
  93352. decoder = (FLAC__StreamDecoder*)calloc(1, sizeof(FLAC__StreamDecoder));
  93353. if(decoder == 0) {
  93354. return 0;
  93355. }
  93356. decoder->protected_ = (FLAC__StreamDecoderProtected*)calloc(1, sizeof(FLAC__StreamDecoderProtected));
  93357. if(decoder->protected_ == 0) {
  93358. free(decoder);
  93359. return 0;
  93360. }
  93361. decoder->private_ = (FLAC__StreamDecoderPrivate*)calloc(1, sizeof(FLAC__StreamDecoderPrivate));
  93362. if(decoder->private_ == 0) {
  93363. free(decoder->protected_);
  93364. free(decoder);
  93365. return 0;
  93366. }
  93367. decoder->private_->input = FLAC__bitreader_new();
  93368. if(decoder->private_->input == 0) {
  93369. free(decoder->private_);
  93370. free(decoder->protected_);
  93371. free(decoder);
  93372. return 0;
  93373. }
  93374. decoder->private_->metadata_filter_ids_capacity = 16;
  93375. if(0 == (decoder->private_->metadata_filter_ids = (FLAC__byte*)malloc((FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8) * decoder->private_->metadata_filter_ids_capacity))) {
  93376. FLAC__bitreader_delete(decoder->private_->input);
  93377. free(decoder->private_);
  93378. free(decoder->protected_);
  93379. free(decoder);
  93380. return 0;
  93381. }
  93382. for(i = 0; i < FLAC__MAX_CHANNELS; i++) {
  93383. decoder->private_->output[i] = 0;
  93384. decoder->private_->residual_unaligned[i] = decoder->private_->residual[i] = 0;
  93385. }
  93386. decoder->private_->output_capacity = 0;
  93387. decoder->private_->output_channels = 0;
  93388. decoder->private_->has_seek_table = false;
  93389. for(i = 0; i < FLAC__MAX_CHANNELS; i++)
  93390. FLAC__format_entropy_coding_method_partitioned_rice_contents_init(&decoder->private_->partitioned_rice_contents[i]);
  93391. decoder->private_->file = 0;
  93392. set_defaults_dec(decoder);
  93393. decoder->protected_->state = FLAC__STREAM_DECODER_UNINITIALIZED;
  93394. return decoder;
  93395. }
  93396. FLAC_API void FLAC__stream_decoder_delete(FLAC__StreamDecoder *decoder)
  93397. {
  93398. unsigned i;
  93399. FLAC__ASSERT(0 != decoder);
  93400. FLAC__ASSERT(0 != decoder->protected_);
  93401. FLAC__ASSERT(0 != decoder->private_);
  93402. FLAC__ASSERT(0 != decoder->private_->input);
  93403. (void)FLAC__stream_decoder_finish(decoder);
  93404. if(0 != decoder->private_->metadata_filter_ids)
  93405. free(decoder->private_->metadata_filter_ids);
  93406. FLAC__bitreader_delete(decoder->private_->input);
  93407. for(i = 0; i < FLAC__MAX_CHANNELS; i++)
  93408. FLAC__format_entropy_coding_method_partitioned_rice_contents_clear(&decoder->private_->partitioned_rice_contents[i]);
  93409. free(decoder->private_);
  93410. free(decoder->protected_);
  93411. free(decoder);
  93412. }
  93413. /***********************************************************************
  93414. *
  93415. * Public class methods
  93416. *
  93417. ***********************************************************************/
  93418. static FLAC__StreamDecoderInitStatus init_stream_internal_dec(
  93419. FLAC__StreamDecoder *decoder,
  93420. FLAC__StreamDecoderReadCallback read_callback,
  93421. FLAC__StreamDecoderSeekCallback seek_callback,
  93422. FLAC__StreamDecoderTellCallback tell_callback,
  93423. FLAC__StreamDecoderLengthCallback length_callback,
  93424. FLAC__StreamDecoderEofCallback eof_callback,
  93425. FLAC__StreamDecoderWriteCallback write_callback,
  93426. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93427. FLAC__StreamDecoderErrorCallback error_callback,
  93428. void *client_data,
  93429. FLAC__bool is_ogg
  93430. )
  93431. {
  93432. FLAC__ASSERT(0 != decoder);
  93433. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93434. return FLAC__STREAM_DECODER_INIT_STATUS_ALREADY_INITIALIZED;
  93435. #if !FLAC__HAS_OGG
  93436. if(is_ogg)
  93437. return FLAC__STREAM_DECODER_INIT_STATUS_UNSUPPORTED_CONTAINER;
  93438. #endif
  93439. if(
  93440. 0 == read_callback ||
  93441. 0 == write_callback ||
  93442. 0 == error_callback ||
  93443. (seek_callback && (0 == tell_callback || 0 == length_callback || 0 == eof_callback))
  93444. )
  93445. return FLAC__STREAM_DECODER_INIT_STATUS_INVALID_CALLBACKS;
  93446. #if FLAC__HAS_OGG
  93447. decoder->private_->is_ogg = is_ogg;
  93448. if(is_ogg && !FLAC__ogg_decoder_aspect_init(&decoder->protected_->ogg_decoder_aspect))
  93449. return decoder->protected_->state = FLAC__STREAM_DECODER_OGG_ERROR;
  93450. #endif
  93451. /*
  93452. * get the CPU info and set the function pointers
  93453. */
  93454. FLAC__cpu_info(&decoder->private_->cpuinfo);
  93455. /* first default to the non-asm routines */
  93456. decoder->private_->local_lpc_restore_signal = FLAC__lpc_restore_signal;
  93457. decoder->private_->local_lpc_restore_signal_64bit = FLAC__lpc_restore_signal_wide;
  93458. decoder->private_->local_lpc_restore_signal_16bit = FLAC__lpc_restore_signal;
  93459. decoder->private_->local_lpc_restore_signal_16bit_order8 = FLAC__lpc_restore_signal;
  93460. decoder->private_->local_bitreader_read_rice_signed_block = FLAC__bitreader_read_rice_signed_block;
  93461. /* now override with asm where appropriate */
  93462. #ifndef FLAC__NO_ASM
  93463. if(decoder->private_->cpuinfo.use_asm) {
  93464. #ifdef FLAC__CPU_IA32
  93465. FLAC__ASSERT(decoder->private_->cpuinfo.type == FLAC__CPUINFO_TYPE_IA32);
  93466. #ifdef FLAC__HAS_NASM
  93467. #if 1 /*@@@@@@ OPT: not clearly faster, needs more testing */
  93468. if(decoder->private_->cpuinfo.data.ia32.bswap)
  93469. decoder->private_->local_bitreader_read_rice_signed_block = FLAC__bitreader_read_rice_signed_block_asm_ia32_bswap;
  93470. #endif
  93471. if(decoder->private_->cpuinfo.data.ia32.mmx) {
  93472. decoder->private_->local_lpc_restore_signal = FLAC__lpc_restore_signal_asm_ia32;
  93473. decoder->private_->local_lpc_restore_signal_16bit = FLAC__lpc_restore_signal_asm_ia32_mmx;
  93474. decoder->private_->local_lpc_restore_signal_16bit_order8 = FLAC__lpc_restore_signal_asm_ia32_mmx;
  93475. }
  93476. else {
  93477. decoder->private_->local_lpc_restore_signal = FLAC__lpc_restore_signal_asm_ia32;
  93478. decoder->private_->local_lpc_restore_signal_16bit = FLAC__lpc_restore_signal_asm_ia32;
  93479. decoder->private_->local_lpc_restore_signal_16bit_order8 = FLAC__lpc_restore_signal_asm_ia32;
  93480. }
  93481. #endif
  93482. #elif defined FLAC__CPU_PPC
  93483. FLAC__ASSERT(decoder->private_->cpuinfo.type == FLAC__CPUINFO_TYPE_PPC);
  93484. if(decoder->private_->cpuinfo.data.ppc.altivec) {
  93485. decoder->private_->local_lpc_restore_signal_16bit = FLAC__lpc_restore_signal_asm_ppc_altivec_16;
  93486. decoder->private_->local_lpc_restore_signal_16bit_order8 = FLAC__lpc_restore_signal_asm_ppc_altivec_16_order8;
  93487. }
  93488. #endif
  93489. }
  93490. #endif
  93491. /* from here on, errors are fatal */
  93492. if(!FLAC__bitreader_init(decoder->private_->input, decoder->private_->cpuinfo, read_callback_, decoder)) {
  93493. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  93494. return FLAC__STREAM_DECODER_INIT_STATUS_MEMORY_ALLOCATION_ERROR;
  93495. }
  93496. decoder->private_->read_callback = read_callback;
  93497. decoder->private_->seek_callback = seek_callback;
  93498. decoder->private_->tell_callback = tell_callback;
  93499. decoder->private_->length_callback = length_callback;
  93500. decoder->private_->eof_callback = eof_callback;
  93501. decoder->private_->write_callback = write_callback;
  93502. decoder->private_->metadata_callback = metadata_callback;
  93503. decoder->private_->error_callback = error_callback;
  93504. decoder->private_->client_data = client_data;
  93505. decoder->private_->fixed_block_size = decoder->private_->next_fixed_block_size = 0;
  93506. decoder->private_->samples_decoded = 0;
  93507. decoder->private_->has_stream_info = false;
  93508. decoder->private_->cached = false;
  93509. decoder->private_->do_md5_checking = decoder->protected_->md5_checking;
  93510. decoder->private_->is_seeking = false;
  93511. decoder->private_->internal_reset_hack = true; /* so the following reset does not try to rewind the input */
  93512. if(!FLAC__stream_decoder_reset(decoder)) {
  93513. /* above call sets the state for us */
  93514. return FLAC__STREAM_DECODER_INIT_STATUS_MEMORY_ALLOCATION_ERROR;
  93515. }
  93516. return FLAC__STREAM_DECODER_INIT_STATUS_OK;
  93517. }
  93518. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_stream(
  93519. FLAC__StreamDecoder *decoder,
  93520. FLAC__StreamDecoderReadCallback read_callback,
  93521. FLAC__StreamDecoderSeekCallback seek_callback,
  93522. FLAC__StreamDecoderTellCallback tell_callback,
  93523. FLAC__StreamDecoderLengthCallback length_callback,
  93524. FLAC__StreamDecoderEofCallback eof_callback,
  93525. FLAC__StreamDecoderWriteCallback write_callback,
  93526. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93527. FLAC__StreamDecoderErrorCallback error_callback,
  93528. void *client_data
  93529. )
  93530. {
  93531. return init_stream_internal_dec(
  93532. decoder,
  93533. read_callback,
  93534. seek_callback,
  93535. tell_callback,
  93536. length_callback,
  93537. eof_callback,
  93538. write_callback,
  93539. metadata_callback,
  93540. error_callback,
  93541. client_data,
  93542. /*is_ogg=*/false
  93543. );
  93544. }
  93545. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_stream(
  93546. FLAC__StreamDecoder *decoder,
  93547. FLAC__StreamDecoderReadCallback read_callback,
  93548. FLAC__StreamDecoderSeekCallback seek_callback,
  93549. FLAC__StreamDecoderTellCallback tell_callback,
  93550. FLAC__StreamDecoderLengthCallback length_callback,
  93551. FLAC__StreamDecoderEofCallback eof_callback,
  93552. FLAC__StreamDecoderWriteCallback write_callback,
  93553. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93554. FLAC__StreamDecoderErrorCallback error_callback,
  93555. void *client_data
  93556. )
  93557. {
  93558. return init_stream_internal_dec(
  93559. decoder,
  93560. read_callback,
  93561. seek_callback,
  93562. tell_callback,
  93563. length_callback,
  93564. eof_callback,
  93565. write_callback,
  93566. metadata_callback,
  93567. error_callback,
  93568. client_data,
  93569. /*is_ogg=*/true
  93570. );
  93571. }
  93572. static FLAC__StreamDecoderInitStatus init_FILE_internal_(
  93573. FLAC__StreamDecoder *decoder,
  93574. FILE *file,
  93575. FLAC__StreamDecoderWriteCallback write_callback,
  93576. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93577. FLAC__StreamDecoderErrorCallback error_callback,
  93578. void *client_data,
  93579. FLAC__bool is_ogg
  93580. )
  93581. {
  93582. FLAC__ASSERT(0 != decoder);
  93583. FLAC__ASSERT(0 != file);
  93584. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93585. return (FLAC__StreamDecoderInitStatus) (decoder->protected_->state = (FLAC__StreamDecoderState) FLAC__STREAM_DECODER_INIT_STATUS_ALREADY_INITIALIZED);
  93586. if(0 == write_callback || 0 == error_callback)
  93587. return (FLAC__StreamDecoderInitStatus) (decoder->protected_->state = (FLAC__StreamDecoderState) FLAC__STREAM_DECODER_INIT_STATUS_INVALID_CALLBACKS);
  93588. /*
  93589. * To make sure that our file does not go unclosed after an error, we
  93590. * must assign the FILE pointer before any further error can occur in
  93591. * this routine.
  93592. */
  93593. if(file == stdin)
  93594. file = get_binary_stdin_(); /* just to be safe */
  93595. decoder->private_->file = file;
  93596. return init_stream_internal_dec(
  93597. decoder,
  93598. file_read_callback_dec,
  93599. decoder->private_->file == stdin? 0: file_seek_callback_dec,
  93600. decoder->private_->file == stdin? 0: file_tell_callback_dec,
  93601. decoder->private_->file == stdin? 0: file_length_callback_,
  93602. file_eof_callback_,
  93603. write_callback,
  93604. metadata_callback,
  93605. error_callback,
  93606. client_data,
  93607. is_ogg
  93608. );
  93609. }
  93610. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_FILE(
  93611. FLAC__StreamDecoder *decoder,
  93612. FILE *file,
  93613. FLAC__StreamDecoderWriteCallback write_callback,
  93614. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93615. FLAC__StreamDecoderErrorCallback error_callback,
  93616. void *client_data
  93617. )
  93618. {
  93619. return init_FILE_internal_(decoder, file, write_callback, metadata_callback, error_callback, client_data, /*is_ogg=*/false);
  93620. }
  93621. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_FILE(
  93622. FLAC__StreamDecoder *decoder,
  93623. FILE *file,
  93624. FLAC__StreamDecoderWriteCallback write_callback,
  93625. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93626. FLAC__StreamDecoderErrorCallback error_callback,
  93627. void *client_data
  93628. )
  93629. {
  93630. return init_FILE_internal_(decoder, file, write_callback, metadata_callback, error_callback, client_data, /*is_ogg=*/true);
  93631. }
  93632. static FLAC__StreamDecoderInitStatus init_file_internal_(
  93633. FLAC__StreamDecoder *decoder,
  93634. const char *filename,
  93635. FLAC__StreamDecoderWriteCallback write_callback,
  93636. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93637. FLAC__StreamDecoderErrorCallback error_callback,
  93638. void *client_data,
  93639. FLAC__bool is_ogg
  93640. )
  93641. {
  93642. FILE *file;
  93643. FLAC__ASSERT(0 != decoder);
  93644. /*
  93645. * To make sure that our file does not go unclosed after an error, we
  93646. * have to do the same entrance checks here that are later performed
  93647. * in FLAC__stream_decoder_init_FILE() before the FILE* is assigned.
  93648. */
  93649. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93650. return (FLAC__StreamDecoderInitStatus) (decoder->protected_->state = (FLAC__StreamDecoderState) FLAC__STREAM_DECODER_INIT_STATUS_ALREADY_INITIALIZED);
  93651. if(0 == write_callback || 0 == error_callback)
  93652. return (FLAC__StreamDecoderInitStatus) (decoder->protected_->state = (FLAC__StreamDecoderState) FLAC__STREAM_DECODER_INIT_STATUS_INVALID_CALLBACKS);
  93653. file = filename? fopen(filename, "rb") : stdin;
  93654. if(0 == file)
  93655. return FLAC__STREAM_DECODER_INIT_STATUS_ERROR_OPENING_FILE;
  93656. return init_FILE_internal_(decoder, file, write_callback, metadata_callback, error_callback, client_data, is_ogg);
  93657. }
  93658. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_file(
  93659. FLAC__StreamDecoder *decoder,
  93660. const char *filename,
  93661. FLAC__StreamDecoderWriteCallback write_callback,
  93662. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93663. FLAC__StreamDecoderErrorCallback error_callback,
  93664. void *client_data
  93665. )
  93666. {
  93667. return init_file_internal_(decoder, filename, write_callback, metadata_callback, error_callback, client_data, /*is_ogg=*/false);
  93668. }
  93669. FLAC_API FLAC__StreamDecoderInitStatus FLAC__stream_decoder_init_ogg_file(
  93670. FLAC__StreamDecoder *decoder,
  93671. const char *filename,
  93672. FLAC__StreamDecoderWriteCallback write_callback,
  93673. FLAC__StreamDecoderMetadataCallback metadata_callback,
  93674. FLAC__StreamDecoderErrorCallback error_callback,
  93675. void *client_data
  93676. )
  93677. {
  93678. return init_file_internal_(decoder, filename, write_callback, metadata_callback, error_callback, client_data, /*is_ogg=*/true);
  93679. }
  93680. FLAC_API FLAC__bool FLAC__stream_decoder_finish(FLAC__StreamDecoder *decoder)
  93681. {
  93682. FLAC__bool md5_failed = false;
  93683. unsigned i;
  93684. FLAC__ASSERT(0 != decoder);
  93685. FLAC__ASSERT(0 != decoder->private_);
  93686. FLAC__ASSERT(0 != decoder->protected_);
  93687. if(decoder->protected_->state == FLAC__STREAM_DECODER_UNINITIALIZED)
  93688. return true;
  93689. /* see the comment in FLAC__seekable_stream_decoder_reset() as to why we
  93690. * always call FLAC__MD5Final()
  93691. */
  93692. FLAC__MD5Final(decoder->private_->computed_md5sum, &decoder->private_->md5context);
  93693. if(decoder->private_->has_seek_table && 0 != decoder->private_->seek_table.data.seek_table.points) {
  93694. free(decoder->private_->seek_table.data.seek_table.points);
  93695. decoder->private_->seek_table.data.seek_table.points = 0;
  93696. decoder->private_->has_seek_table = false;
  93697. }
  93698. FLAC__bitreader_free(decoder->private_->input);
  93699. for(i = 0; i < FLAC__MAX_CHANNELS; i++) {
  93700. /* WATCHOUT:
  93701. * FLAC__lpc_restore_signal_asm_ia32_mmx() requires that the
  93702. * output arrays have a buffer of up to 3 zeroes in front
  93703. * (at negative indices) for alignment purposes; we use 4
  93704. * to keep the data well-aligned.
  93705. */
  93706. if(0 != decoder->private_->output[i]) {
  93707. free(decoder->private_->output[i]-4);
  93708. decoder->private_->output[i] = 0;
  93709. }
  93710. if(0 != decoder->private_->residual_unaligned[i]) {
  93711. free(decoder->private_->residual_unaligned[i]);
  93712. decoder->private_->residual_unaligned[i] = decoder->private_->residual[i] = 0;
  93713. }
  93714. }
  93715. decoder->private_->output_capacity = 0;
  93716. decoder->private_->output_channels = 0;
  93717. #if FLAC__HAS_OGG
  93718. if(decoder->private_->is_ogg)
  93719. FLAC__ogg_decoder_aspect_finish(&decoder->protected_->ogg_decoder_aspect);
  93720. #endif
  93721. if(0 != decoder->private_->file) {
  93722. if(decoder->private_->file != stdin)
  93723. fclose(decoder->private_->file);
  93724. decoder->private_->file = 0;
  93725. }
  93726. if(decoder->private_->do_md5_checking) {
  93727. if(memcmp(decoder->private_->stream_info.data.stream_info.md5sum, decoder->private_->computed_md5sum, 16))
  93728. md5_failed = true;
  93729. }
  93730. decoder->private_->is_seeking = false;
  93731. set_defaults_dec(decoder);
  93732. decoder->protected_->state = FLAC__STREAM_DECODER_UNINITIALIZED;
  93733. return !md5_failed;
  93734. }
  93735. FLAC_API FLAC__bool FLAC__stream_decoder_set_ogg_serial_number(FLAC__StreamDecoder *decoder, long value)
  93736. {
  93737. FLAC__ASSERT(0 != decoder);
  93738. FLAC__ASSERT(0 != decoder->private_);
  93739. FLAC__ASSERT(0 != decoder->protected_);
  93740. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93741. return false;
  93742. #if FLAC__HAS_OGG
  93743. /* can't check decoder->private_->is_ogg since that's not set until init time */
  93744. FLAC__ogg_decoder_aspect_set_serial_number(&decoder->protected_->ogg_decoder_aspect, value);
  93745. return true;
  93746. #else
  93747. (void)value;
  93748. return false;
  93749. #endif
  93750. }
  93751. FLAC_API FLAC__bool FLAC__stream_decoder_set_md5_checking(FLAC__StreamDecoder *decoder, FLAC__bool value)
  93752. {
  93753. FLAC__ASSERT(0 != decoder);
  93754. FLAC__ASSERT(0 != decoder->protected_);
  93755. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93756. return false;
  93757. decoder->protected_->md5_checking = value;
  93758. return true;
  93759. }
  93760. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_respond(FLAC__StreamDecoder *decoder, FLAC__MetadataType type)
  93761. {
  93762. FLAC__ASSERT(0 != decoder);
  93763. FLAC__ASSERT(0 != decoder->private_);
  93764. FLAC__ASSERT(0 != decoder->protected_);
  93765. FLAC__ASSERT((unsigned)type <= FLAC__MAX_METADATA_TYPE_CODE);
  93766. /* double protection */
  93767. if((unsigned)type > FLAC__MAX_METADATA_TYPE_CODE)
  93768. return false;
  93769. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93770. return false;
  93771. decoder->private_->metadata_filter[type] = true;
  93772. if(type == FLAC__METADATA_TYPE_APPLICATION)
  93773. decoder->private_->metadata_filter_ids_count = 0;
  93774. return true;
  93775. }
  93776. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_respond_application(FLAC__StreamDecoder *decoder, const FLAC__byte id[4])
  93777. {
  93778. FLAC__ASSERT(0 != decoder);
  93779. FLAC__ASSERT(0 != decoder->private_);
  93780. FLAC__ASSERT(0 != decoder->protected_);
  93781. FLAC__ASSERT(0 != id);
  93782. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93783. return false;
  93784. if(decoder->private_->metadata_filter[FLAC__METADATA_TYPE_APPLICATION])
  93785. return true;
  93786. FLAC__ASSERT(0 != decoder->private_->metadata_filter_ids);
  93787. if(decoder->private_->metadata_filter_ids_count == decoder->private_->metadata_filter_ids_capacity) {
  93788. if(0 == (decoder->private_->metadata_filter_ids = (FLAC__byte*)safe_realloc_mul_2op_(decoder->private_->metadata_filter_ids, decoder->private_->metadata_filter_ids_capacity, /*times*/2))) {
  93789. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  93790. return false;
  93791. }
  93792. decoder->private_->metadata_filter_ids_capacity *= 2;
  93793. }
  93794. memcpy(decoder->private_->metadata_filter_ids + decoder->private_->metadata_filter_ids_count * (FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8), id, (FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8));
  93795. decoder->private_->metadata_filter_ids_count++;
  93796. return true;
  93797. }
  93798. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_respond_all(FLAC__StreamDecoder *decoder)
  93799. {
  93800. unsigned i;
  93801. FLAC__ASSERT(0 != decoder);
  93802. FLAC__ASSERT(0 != decoder->private_);
  93803. FLAC__ASSERT(0 != decoder->protected_);
  93804. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93805. return false;
  93806. for(i = 0; i < sizeof(decoder->private_->metadata_filter) / sizeof(decoder->private_->metadata_filter[0]); i++)
  93807. decoder->private_->metadata_filter[i] = true;
  93808. decoder->private_->metadata_filter_ids_count = 0;
  93809. return true;
  93810. }
  93811. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_ignore(FLAC__StreamDecoder *decoder, FLAC__MetadataType type)
  93812. {
  93813. FLAC__ASSERT(0 != decoder);
  93814. FLAC__ASSERT(0 != decoder->private_);
  93815. FLAC__ASSERT(0 != decoder->protected_);
  93816. FLAC__ASSERT((unsigned)type <= FLAC__MAX_METADATA_TYPE_CODE);
  93817. /* double protection */
  93818. if((unsigned)type > FLAC__MAX_METADATA_TYPE_CODE)
  93819. return false;
  93820. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93821. return false;
  93822. decoder->private_->metadata_filter[type] = false;
  93823. if(type == FLAC__METADATA_TYPE_APPLICATION)
  93824. decoder->private_->metadata_filter_ids_count = 0;
  93825. return true;
  93826. }
  93827. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_ignore_application(FLAC__StreamDecoder *decoder, const FLAC__byte id[4])
  93828. {
  93829. FLAC__ASSERT(0 != decoder);
  93830. FLAC__ASSERT(0 != decoder->private_);
  93831. FLAC__ASSERT(0 != decoder->protected_);
  93832. FLAC__ASSERT(0 != id);
  93833. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93834. return false;
  93835. if(!decoder->private_->metadata_filter[FLAC__METADATA_TYPE_APPLICATION])
  93836. return true;
  93837. FLAC__ASSERT(0 != decoder->private_->metadata_filter_ids);
  93838. if(decoder->private_->metadata_filter_ids_count == decoder->private_->metadata_filter_ids_capacity) {
  93839. if(0 == (decoder->private_->metadata_filter_ids = (FLAC__byte*)safe_realloc_mul_2op_(decoder->private_->metadata_filter_ids, decoder->private_->metadata_filter_ids_capacity, /*times*/2))) {
  93840. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  93841. return false;
  93842. }
  93843. decoder->private_->metadata_filter_ids_capacity *= 2;
  93844. }
  93845. memcpy(decoder->private_->metadata_filter_ids + decoder->private_->metadata_filter_ids_count * (FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8), id, (FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8));
  93846. decoder->private_->metadata_filter_ids_count++;
  93847. return true;
  93848. }
  93849. FLAC_API FLAC__bool FLAC__stream_decoder_set_metadata_ignore_all(FLAC__StreamDecoder *decoder)
  93850. {
  93851. FLAC__ASSERT(0 != decoder);
  93852. FLAC__ASSERT(0 != decoder->private_);
  93853. FLAC__ASSERT(0 != decoder->protected_);
  93854. if(decoder->protected_->state != FLAC__STREAM_DECODER_UNINITIALIZED)
  93855. return false;
  93856. memset(decoder->private_->metadata_filter, 0, sizeof(decoder->private_->metadata_filter));
  93857. decoder->private_->metadata_filter_ids_count = 0;
  93858. return true;
  93859. }
  93860. FLAC_API FLAC__StreamDecoderState FLAC__stream_decoder_get_state(const FLAC__StreamDecoder *decoder)
  93861. {
  93862. FLAC__ASSERT(0 != decoder);
  93863. FLAC__ASSERT(0 != decoder->protected_);
  93864. return decoder->protected_->state;
  93865. }
  93866. FLAC_API const char *FLAC__stream_decoder_get_resolved_state_string(const FLAC__StreamDecoder *decoder)
  93867. {
  93868. return FLAC__StreamDecoderStateString[decoder->protected_->state];
  93869. }
  93870. FLAC_API FLAC__bool FLAC__stream_decoder_get_md5_checking(const FLAC__StreamDecoder *decoder)
  93871. {
  93872. FLAC__ASSERT(0 != decoder);
  93873. FLAC__ASSERT(0 != decoder->protected_);
  93874. return decoder->protected_->md5_checking;
  93875. }
  93876. FLAC_API FLAC__uint64 FLAC__stream_decoder_get_total_samples(const FLAC__StreamDecoder *decoder)
  93877. {
  93878. FLAC__ASSERT(0 != decoder);
  93879. FLAC__ASSERT(0 != decoder->protected_);
  93880. return decoder->private_->has_stream_info? decoder->private_->stream_info.data.stream_info.total_samples : 0;
  93881. }
  93882. FLAC_API unsigned FLAC__stream_decoder_get_channels(const FLAC__StreamDecoder *decoder)
  93883. {
  93884. FLAC__ASSERT(0 != decoder);
  93885. FLAC__ASSERT(0 != decoder->protected_);
  93886. return decoder->protected_->channels;
  93887. }
  93888. FLAC_API FLAC__ChannelAssignment FLAC__stream_decoder_get_channel_assignment(const FLAC__StreamDecoder *decoder)
  93889. {
  93890. FLAC__ASSERT(0 != decoder);
  93891. FLAC__ASSERT(0 != decoder->protected_);
  93892. return decoder->protected_->channel_assignment;
  93893. }
  93894. FLAC_API unsigned FLAC__stream_decoder_get_bits_per_sample(const FLAC__StreamDecoder *decoder)
  93895. {
  93896. FLAC__ASSERT(0 != decoder);
  93897. FLAC__ASSERT(0 != decoder->protected_);
  93898. return decoder->protected_->bits_per_sample;
  93899. }
  93900. FLAC_API unsigned FLAC__stream_decoder_get_sample_rate(const FLAC__StreamDecoder *decoder)
  93901. {
  93902. FLAC__ASSERT(0 != decoder);
  93903. FLAC__ASSERT(0 != decoder->protected_);
  93904. return decoder->protected_->sample_rate;
  93905. }
  93906. FLAC_API unsigned FLAC__stream_decoder_get_blocksize(const FLAC__StreamDecoder *decoder)
  93907. {
  93908. FLAC__ASSERT(0 != decoder);
  93909. FLAC__ASSERT(0 != decoder->protected_);
  93910. return decoder->protected_->blocksize;
  93911. }
  93912. FLAC_API FLAC__bool FLAC__stream_decoder_get_decode_position(const FLAC__StreamDecoder *decoder, FLAC__uint64 *position)
  93913. {
  93914. FLAC__ASSERT(0 != decoder);
  93915. FLAC__ASSERT(0 != decoder->private_);
  93916. FLAC__ASSERT(0 != position);
  93917. #if FLAC__HAS_OGG
  93918. if(decoder->private_->is_ogg)
  93919. return false;
  93920. #endif
  93921. if(0 == decoder->private_->tell_callback)
  93922. return false;
  93923. if(decoder->private_->tell_callback(decoder, position, decoder->private_->client_data) != FLAC__STREAM_DECODER_TELL_STATUS_OK)
  93924. return false;
  93925. /* should never happen since all FLAC frames and metadata blocks are byte aligned, but check just in case */
  93926. if(!FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input))
  93927. return false;
  93928. FLAC__ASSERT(*position >= FLAC__stream_decoder_get_input_bytes_unconsumed(decoder));
  93929. *position -= FLAC__stream_decoder_get_input_bytes_unconsumed(decoder);
  93930. return true;
  93931. }
  93932. FLAC_API FLAC__bool FLAC__stream_decoder_flush(FLAC__StreamDecoder *decoder)
  93933. {
  93934. FLAC__ASSERT(0 != decoder);
  93935. FLAC__ASSERT(0 != decoder->private_);
  93936. FLAC__ASSERT(0 != decoder->protected_);
  93937. decoder->private_->samples_decoded = 0;
  93938. decoder->private_->do_md5_checking = false;
  93939. #if FLAC__HAS_OGG
  93940. if(decoder->private_->is_ogg)
  93941. FLAC__ogg_decoder_aspect_flush(&decoder->protected_->ogg_decoder_aspect);
  93942. #endif
  93943. if(!FLAC__bitreader_clear(decoder->private_->input)) {
  93944. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  93945. return false;
  93946. }
  93947. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  93948. return true;
  93949. }
  93950. FLAC_API FLAC__bool FLAC__stream_decoder_reset(FLAC__StreamDecoder *decoder)
  93951. {
  93952. FLAC__ASSERT(0 != decoder);
  93953. FLAC__ASSERT(0 != decoder->private_);
  93954. FLAC__ASSERT(0 != decoder->protected_);
  93955. if(!FLAC__stream_decoder_flush(decoder)) {
  93956. /* above call sets the state for us */
  93957. return false;
  93958. }
  93959. #if FLAC__HAS_OGG
  93960. /*@@@ could go in !internal_reset_hack block below */
  93961. if(decoder->private_->is_ogg)
  93962. FLAC__ogg_decoder_aspect_reset(&decoder->protected_->ogg_decoder_aspect);
  93963. #endif
  93964. /* Rewind if necessary. If FLAC__stream_decoder_init() is calling us,
  93965. * (internal_reset_hack) don't try to rewind since we are already at
  93966. * the beginning of the stream and don't want to fail if the input is
  93967. * not seekable.
  93968. */
  93969. if(!decoder->private_->internal_reset_hack) {
  93970. if(decoder->private_->file == stdin)
  93971. return false; /* can't rewind stdin, reset fails */
  93972. if(decoder->private_->seek_callback && decoder->private_->seek_callback(decoder, 0, decoder->private_->client_data) == FLAC__STREAM_DECODER_SEEK_STATUS_ERROR)
  93973. return false; /* seekable and seek fails, reset fails */
  93974. }
  93975. else
  93976. decoder->private_->internal_reset_hack = false;
  93977. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_METADATA;
  93978. decoder->private_->has_stream_info = false;
  93979. if(decoder->private_->has_seek_table && 0 != decoder->private_->seek_table.data.seek_table.points) {
  93980. free(decoder->private_->seek_table.data.seek_table.points);
  93981. decoder->private_->seek_table.data.seek_table.points = 0;
  93982. decoder->private_->has_seek_table = false;
  93983. }
  93984. decoder->private_->do_md5_checking = decoder->protected_->md5_checking;
  93985. /*
  93986. * This goes in reset() and not flush() because according to the spec, a
  93987. * fixed-blocksize stream must stay that way through the whole stream.
  93988. */
  93989. decoder->private_->fixed_block_size = decoder->private_->next_fixed_block_size = 0;
  93990. /* We initialize the FLAC__MD5Context even though we may never use it. This
  93991. * is because md5 checking may be turned on to start and then turned off if
  93992. * a seek occurs. So we init the context here and finalize it in
  93993. * FLAC__stream_decoder_finish() to make sure things are always cleaned up
  93994. * properly.
  93995. */
  93996. FLAC__MD5Init(&decoder->private_->md5context);
  93997. decoder->private_->first_frame_offset = 0;
  93998. decoder->private_->unparseable_frame_count = 0;
  93999. return true;
  94000. }
  94001. FLAC_API FLAC__bool FLAC__stream_decoder_process_single(FLAC__StreamDecoder *decoder)
  94002. {
  94003. FLAC__bool got_a_frame;
  94004. FLAC__ASSERT(0 != decoder);
  94005. FLAC__ASSERT(0 != decoder->protected_);
  94006. while(1) {
  94007. switch(decoder->protected_->state) {
  94008. case FLAC__STREAM_DECODER_SEARCH_FOR_METADATA:
  94009. if(!find_metadata_(decoder))
  94010. return false; /* above function sets the status for us */
  94011. break;
  94012. case FLAC__STREAM_DECODER_READ_METADATA:
  94013. if(!read_metadata_(decoder))
  94014. return false; /* above function sets the status for us */
  94015. else
  94016. return true;
  94017. case FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC:
  94018. if(!frame_sync_(decoder))
  94019. return true; /* above function sets the status for us */
  94020. break;
  94021. case FLAC__STREAM_DECODER_READ_FRAME:
  94022. if(!read_frame_(decoder, &got_a_frame, /*do_full_decode=*/true))
  94023. return false; /* above function sets the status for us */
  94024. if(got_a_frame)
  94025. return true; /* above function sets the status for us */
  94026. break;
  94027. case FLAC__STREAM_DECODER_END_OF_STREAM:
  94028. case FLAC__STREAM_DECODER_ABORTED:
  94029. return true;
  94030. default:
  94031. FLAC__ASSERT(0);
  94032. return false;
  94033. }
  94034. }
  94035. }
  94036. FLAC_API FLAC__bool FLAC__stream_decoder_process_until_end_of_metadata(FLAC__StreamDecoder *decoder)
  94037. {
  94038. FLAC__ASSERT(0 != decoder);
  94039. FLAC__ASSERT(0 != decoder->protected_);
  94040. while(1) {
  94041. switch(decoder->protected_->state) {
  94042. case FLAC__STREAM_DECODER_SEARCH_FOR_METADATA:
  94043. if(!find_metadata_(decoder))
  94044. return false; /* above function sets the status for us */
  94045. break;
  94046. case FLAC__STREAM_DECODER_READ_METADATA:
  94047. if(!read_metadata_(decoder))
  94048. return false; /* above function sets the status for us */
  94049. break;
  94050. case FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC:
  94051. case FLAC__STREAM_DECODER_READ_FRAME:
  94052. case FLAC__STREAM_DECODER_END_OF_STREAM:
  94053. case FLAC__STREAM_DECODER_ABORTED:
  94054. return true;
  94055. default:
  94056. FLAC__ASSERT(0);
  94057. return false;
  94058. }
  94059. }
  94060. }
  94061. FLAC_API FLAC__bool FLAC__stream_decoder_process_until_end_of_stream(FLAC__StreamDecoder *decoder)
  94062. {
  94063. FLAC__bool dummy;
  94064. FLAC__ASSERT(0 != decoder);
  94065. FLAC__ASSERT(0 != decoder->protected_);
  94066. while(1) {
  94067. switch(decoder->protected_->state) {
  94068. case FLAC__STREAM_DECODER_SEARCH_FOR_METADATA:
  94069. if(!find_metadata_(decoder))
  94070. return false; /* above function sets the status for us */
  94071. break;
  94072. case FLAC__STREAM_DECODER_READ_METADATA:
  94073. if(!read_metadata_(decoder))
  94074. return false; /* above function sets the status for us */
  94075. break;
  94076. case FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC:
  94077. if(!frame_sync_(decoder))
  94078. return true; /* above function sets the status for us */
  94079. break;
  94080. case FLAC__STREAM_DECODER_READ_FRAME:
  94081. if(!read_frame_(decoder, &dummy, /*do_full_decode=*/true))
  94082. return false; /* above function sets the status for us */
  94083. break;
  94084. case FLAC__STREAM_DECODER_END_OF_STREAM:
  94085. case FLAC__STREAM_DECODER_ABORTED:
  94086. return true;
  94087. default:
  94088. FLAC__ASSERT(0);
  94089. return false;
  94090. }
  94091. }
  94092. }
  94093. FLAC_API FLAC__bool FLAC__stream_decoder_skip_single_frame(FLAC__StreamDecoder *decoder)
  94094. {
  94095. FLAC__bool got_a_frame;
  94096. FLAC__ASSERT(0 != decoder);
  94097. FLAC__ASSERT(0 != decoder->protected_);
  94098. while(1) {
  94099. switch(decoder->protected_->state) {
  94100. case FLAC__STREAM_DECODER_SEARCH_FOR_METADATA:
  94101. case FLAC__STREAM_DECODER_READ_METADATA:
  94102. return false; /* above function sets the status for us */
  94103. case FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC:
  94104. if(!frame_sync_(decoder))
  94105. return true; /* above function sets the status for us */
  94106. break;
  94107. case FLAC__STREAM_DECODER_READ_FRAME:
  94108. if(!read_frame_(decoder, &got_a_frame, /*do_full_decode=*/false))
  94109. return false; /* above function sets the status for us */
  94110. if(got_a_frame)
  94111. return true; /* above function sets the status for us */
  94112. break;
  94113. case FLAC__STREAM_DECODER_END_OF_STREAM:
  94114. case FLAC__STREAM_DECODER_ABORTED:
  94115. return true;
  94116. default:
  94117. FLAC__ASSERT(0);
  94118. return false;
  94119. }
  94120. }
  94121. }
  94122. FLAC_API FLAC__bool FLAC__stream_decoder_seek_absolute(FLAC__StreamDecoder *decoder, FLAC__uint64 sample)
  94123. {
  94124. FLAC__uint64 length;
  94125. FLAC__ASSERT(0 != decoder);
  94126. if(
  94127. decoder->protected_->state != FLAC__STREAM_DECODER_SEARCH_FOR_METADATA &&
  94128. decoder->protected_->state != FLAC__STREAM_DECODER_READ_METADATA &&
  94129. decoder->protected_->state != FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC &&
  94130. decoder->protected_->state != FLAC__STREAM_DECODER_READ_FRAME &&
  94131. decoder->protected_->state != FLAC__STREAM_DECODER_END_OF_STREAM
  94132. )
  94133. return false;
  94134. if(0 == decoder->private_->seek_callback)
  94135. return false;
  94136. FLAC__ASSERT(decoder->private_->seek_callback);
  94137. FLAC__ASSERT(decoder->private_->tell_callback);
  94138. FLAC__ASSERT(decoder->private_->length_callback);
  94139. FLAC__ASSERT(decoder->private_->eof_callback);
  94140. if(FLAC__stream_decoder_get_total_samples(decoder) > 0 && sample >= FLAC__stream_decoder_get_total_samples(decoder))
  94141. return false;
  94142. decoder->private_->is_seeking = true;
  94143. /* turn off md5 checking if a seek is attempted */
  94144. decoder->private_->do_md5_checking = false;
  94145. /* get the file length (currently our algorithm needs to know the length so it's also an error to get FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED) */
  94146. if(decoder->private_->length_callback(decoder, &length, decoder->private_->client_data) != FLAC__STREAM_DECODER_LENGTH_STATUS_OK) {
  94147. decoder->private_->is_seeking = false;
  94148. return false;
  94149. }
  94150. /* if we haven't finished processing the metadata yet, do that so we have the STREAMINFO, SEEK_TABLE, and first_frame_offset */
  94151. if(
  94152. decoder->protected_->state == FLAC__STREAM_DECODER_SEARCH_FOR_METADATA ||
  94153. decoder->protected_->state == FLAC__STREAM_DECODER_READ_METADATA
  94154. ) {
  94155. if(!FLAC__stream_decoder_process_until_end_of_metadata(decoder)) {
  94156. /* above call sets the state for us */
  94157. decoder->private_->is_seeking = false;
  94158. return false;
  94159. }
  94160. /* check this again in case we didn't know total_samples the first time */
  94161. if(FLAC__stream_decoder_get_total_samples(decoder) > 0 && sample >= FLAC__stream_decoder_get_total_samples(decoder)) {
  94162. decoder->private_->is_seeking = false;
  94163. return false;
  94164. }
  94165. }
  94166. {
  94167. const FLAC__bool ok =
  94168. #if FLAC__HAS_OGG
  94169. decoder->private_->is_ogg?
  94170. seek_to_absolute_sample_ogg_(decoder, length, sample) :
  94171. #endif
  94172. seek_to_absolute_sample_(decoder, length, sample)
  94173. ;
  94174. decoder->private_->is_seeking = false;
  94175. return ok;
  94176. }
  94177. }
  94178. /***********************************************************************
  94179. *
  94180. * Protected class methods
  94181. *
  94182. ***********************************************************************/
  94183. unsigned FLAC__stream_decoder_get_input_bytes_unconsumed(const FLAC__StreamDecoder *decoder)
  94184. {
  94185. FLAC__ASSERT(0 != decoder);
  94186. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94187. FLAC__ASSERT(!(FLAC__bitreader_get_input_bits_unconsumed(decoder->private_->input) & 7));
  94188. return FLAC__bitreader_get_input_bits_unconsumed(decoder->private_->input) / 8;
  94189. }
  94190. /***********************************************************************
  94191. *
  94192. * Private class methods
  94193. *
  94194. ***********************************************************************/
  94195. void set_defaults_dec(FLAC__StreamDecoder *decoder)
  94196. {
  94197. #if FLAC__HAS_OGG
  94198. decoder->private_->is_ogg = false;
  94199. #endif
  94200. decoder->private_->read_callback = 0;
  94201. decoder->private_->seek_callback = 0;
  94202. decoder->private_->tell_callback = 0;
  94203. decoder->private_->length_callback = 0;
  94204. decoder->private_->eof_callback = 0;
  94205. decoder->private_->write_callback = 0;
  94206. decoder->private_->metadata_callback = 0;
  94207. decoder->private_->error_callback = 0;
  94208. decoder->private_->client_data = 0;
  94209. memset(decoder->private_->metadata_filter, 0, sizeof(decoder->private_->metadata_filter));
  94210. decoder->private_->metadata_filter[FLAC__METADATA_TYPE_STREAMINFO] = true;
  94211. decoder->private_->metadata_filter_ids_count = 0;
  94212. decoder->protected_->md5_checking = false;
  94213. #if FLAC__HAS_OGG
  94214. FLAC__ogg_decoder_aspect_set_defaults(&decoder->protected_->ogg_decoder_aspect);
  94215. #endif
  94216. }
  94217. /*
  94218. * This will forcibly set stdin to binary mode (for OSes that require it)
  94219. */
  94220. FILE *get_binary_stdin_(void)
  94221. {
  94222. /* if something breaks here it is probably due to the presence or
  94223. * absence of an underscore before the identifiers 'setmode',
  94224. * 'fileno', and/or 'O_BINARY'; check your system header files.
  94225. */
  94226. #if defined _MSC_VER || defined __MINGW32__
  94227. _setmode(_fileno(stdin), _O_BINARY);
  94228. #elif defined __CYGWIN__
  94229. /* almost certainly not needed for any modern Cygwin, but let's be safe... */
  94230. setmode(_fileno(stdin), _O_BINARY);
  94231. #elif defined __EMX__
  94232. setmode(fileno(stdin), O_BINARY);
  94233. #endif
  94234. return stdin;
  94235. }
  94236. FLAC__bool allocate_output_(FLAC__StreamDecoder *decoder, unsigned size, unsigned channels)
  94237. {
  94238. unsigned i;
  94239. FLAC__int32 *tmp;
  94240. if(size <= decoder->private_->output_capacity && channels <= decoder->private_->output_channels)
  94241. return true;
  94242. /* simply using realloc() is not practical because the number of channels may change mid-stream */
  94243. for(i = 0; i < FLAC__MAX_CHANNELS; i++) {
  94244. if(0 != decoder->private_->output[i]) {
  94245. free(decoder->private_->output[i]-4);
  94246. decoder->private_->output[i] = 0;
  94247. }
  94248. if(0 != decoder->private_->residual_unaligned[i]) {
  94249. free(decoder->private_->residual_unaligned[i]);
  94250. decoder->private_->residual_unaligned[i] = decoder->private_->residual[i] = 0;
  94251. }
  94252. }
  94253. for(i = 0; i < channels; i++) {
  94254. /* WATCHOUT:
  94255. * FLAC__lpc_restore_signal_asm_ia32_mmx() requires that the
  94256. * output arrays have a buffer of up to 3 zeroes in front
  94257. * (at negative indices) for alignment purposes; we use 4
  94258. * to keep the data well-aligned.
  94259. */
  94260. tmp = (FLAC__int32*)safe_malloc_muladd2_(sizeof(FLAC__int32), /*times (*/size, /*+*/4/*)*/);
  94261. if(tmp == 0) {
  94262. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94263. return false;
  94264. }
  94265. memset(tmp, 0, sizeof(FLAC__int32)*4);
  94266. decoder->private_->output[i] = tmp + 4;
  94267. /* WATCHOUT:
  94268. * minimum of quadword alignment for PPC vector optimizations is REQUIRED:
  94269. */
  94270. if(!FLAC__memory_alloc_aligned_int32_array(size, &decoder->private_->residual_unaligned[i], &decoder->private_->residual[i])) {
  94271. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94272. return false;
  94273. }
  94274. }
  94275. decoder->private_->output_capacity = size;
  94276. decoder->private_->output_channels = channels;
  94277. return true;
  94278. }
  94279. FLAC__bool has_id_filtered_(FLAC__StreamDecoder *decoder, FLAC__byte *id)
  94280. {
  94281. size_t i;
  94282. FLAC__ASSERT(0 != decoder);
  94283. FLAC__ASSERT(0 != decoder->private_);
  94284. for(i = 0; i < decoder->private_->metadata_filter_ids_count; i++)
  94285. if(0 == memcmp(decoder->private_->metadata_filter_ids + i * (FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8), id, (FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8)))
  94286. return true;
  94287. return false;
  94288. }
  94289. FLAC__bool find_metadata_(FLAC__StreamDecoder *decoder)
  94290. {
  94291. FLAC__uint32 x;
  94292. unsigned i, id_;
  94293. FLAC__bool first = true;
  94294. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94295. for(i = id_ = 0; i < 4; ) {
  94296. if(decoder->private_->cached) {
  94297. x = (FLAC__uint32)decoder->private_->lookahead;
  94298. decoder->private_->cached = false;
  94299. }
  94300. else {
  94301. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  94302. return false; /* read_callback_ sets the state for us */
  94303. }
  94304. if(x == FLAC__STREAM_SYNC_STRING[i]) {
  94305. first = true;
  94306. i++;
  94307. id_ = 0;
  94308. continue;
  94309. }
  94310. if(x == ID3V2_TAG_[id_]) {
  94311. id_++;
  94312. i = 0;
  94313. if(id_ == 3) {
  94314. if(!skip_id3v2_tag_(decoder))
  94315. return false; /* skip_id3v2_tag_ sets the state for us */
  94316. }
  94317. continue;
  94318. }
  94319. id_ = 0;
  94320. if(x == 0xff) { /* MAGIC NUMBER for the first 8 frame sync bits */
  94321. decoder->private_->header_warmup[0] = (FLAC__byte)x;
  94322. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  94323. return false; /* read_callback_ sets the state for us */
  94324. /* we have to check if we just read two 0xff's in a row; the second may actually be the beginning of the sync code */
  94325. /* else we have to check if the second byte is the end of a sync code */
  94326. if(x == 0xff) { /* MAGIC NUMBER for the first 8 frame sync bits */
  94327. decoder->private_->lookahead = (FLAC__byte)x;
  94328. decoder->private_->cached = true;
  94329. }
  94330. else if(x >> 2 == 0x3e) { /* MAGIC NUMBER for the last 6 sync bits */
  94331. decoder->private_->header_warmup[1] = (FLAC__byte)x;
  94332. decoder->protected_->state = FLAC__STREAM_DECODER_READ_FRAME;
  94333. return true;
  94334. }
  94335. }
  94336. i = 0;
  94337. if(first) {
  94338. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC);
  94339. first = false;
  94340. }
  94341. }
  94342. decoder->protected_->state = FLAC__STREAM_DECODER_READ_METADATA;
  94343. return true;
  94344. }
  94345. FLAC__bool read_metadata_(FLAC__StreamDecoder *decoder)
  94346. {
  94347. FLAC__bool is_last;
  94348. FLAC__uint32 i, x, type, length;
  94349. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94350. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_IS_LAST_LEN))
  94351. return false; /* read_callback_ sets the state for us */
  94352. is_last = x? true : false;
  94353. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &type, FLAC__STREAM_METADATA_TYPE_LEN))
  94354. return false; /* read_callback_ sets the state for us */
  94355. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &length, FLAC__STREAM_METADATA_LENGTH_LEN))
  94356. return false; /* read_callback_ sets the state for us */
  94357. if(type == FLAC__METADATA_TYPE_STREAMINFO) {
  94358. if(!read_metadata_streaminfo_(decoder, is_last, length))
  94359. return false;
  94360. decoder->private_->has_stream_info = true;
  94361. if(0 == memcmp(decoder->private_->stream_info.data.stream_info.md5sum, "\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0", 16))
  94362. decoder->private_->do_md5_checking = false;
  94363. if(!decoder->private_->is_seeking && decoder->private_->metadata_filter[FLAC__METADATA_TYPE_STREAMINFO] && decoder->private_->metadata_callback)
  94364. decoder->private_->metadata_callback(decoder, &decoder->private_->stream_info, decoder->private_->client_data);
  94365. }
  94366. else if(type == FLAC__METADATA_TYPE_SEEKTABLE) {
  94367. if(!read_metadata_seektable_(decoder, is_last, length))
  94368. return false;
  94369. decoder->private_->has_seek_table = true;
  94370. if(!decoder->private_->is_seeking && decoder->private_->metadata_filter[FLAC__METADATA_TYPE_SEEKTABLE] && decoder->private_->metadata_callback)
  94371. decoder->private_->metadata_callback(decoder, &decoder->private_->seek_table, decoder->private_->client_data);
  94372. }
  94373. else {
  94374. FLAC__bool skip_it = !decoder->private_->metadata_filter[type];
  94375. unsigned real_length = length;
  94376. FLAC__StreamMetadata block;
  94377. block.is_last = is_last;
  94378. block.type = (FLAC__MetadataType)type;
  94379. block.length = length;
  94380. if(type == FLAC__METADATA_TYPE_APPLICATION) {
  94381. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, block.data.application.id, FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8))
  94382. return false; /* read_callback_ sets the state for us */
  94383. if(real_length < FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8) { /* underflow check */
  94384. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;/*@@@@@@ maybe wrong error? need to resync?*/
  94385. return false;
  94386. }
  94387. real_length -= FLAC__STREAM_METADATA_APPLICATION_ID_LEN/8;
  94388. if(decoder->private_->metadata_filter_ids_count > 0 && has_id_filtered_(decoder, block.data.application.id))
  94389. skip_it = !skip_it;
  94390. }
  94391. if(skip_it) {
  94392. if(!FLAC__bitreader_skip_byte_block_aligned_no_crc(decoder->private_->input, real_length))
  94393. return false; /* read_callback_ sets the state for us */
  94394. }
  94395. else {
  94396. switch(type) {
  94397. case FLAC__METADATA_TYPE_PADDING:
  94398. /* skip the padding bytes */
  94399. if(!FLAC__bitreader_skip_byte_block_aligned_no_crc(decoder->private_->input, real_length))
  94400. return false; /* read_callback_ sets the state for us */
  94401. break;
  94402. case FLAC__METADATA_TYPE_APPLICATION:
  94403. /* remember, we read the ID already */
  94404. if(real_length > 0) {
  94405. if(0 == (block.data.application.data = (FLAC__byte*)malloc(real_length))) {
  94406. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94407. return false;
  94408. }
  94409. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, block.data.application.data, real_length))
  94410. return false; /* read_callback_ sets the state for us */
  94411. }
  94412. else
  94413. block.data.application.data = 0;
  94414. break;
  94415. case FLAC__METADATA_TYPE_VORBIS_COMMENT:
  94416. if(!read_metadata_vorbiscomment_(decoder, &block.data.vorbis_comment))
  94417. return false;
  94418. break;
  94419. case FLAC__METADATA_TYPE_CUESHEET:
  94420. if(!read_metadata_cuesheet_(decoder, &block.data.cue_sheet))
  94421. return false;
  94422. break;
  94423. case FLAC__METADATA_TYPE_PICTURE:
  94424. if(!read_metadata_picture_(decoder, &block.data.picture))
  94425. return false;
  94426. break;
  94427. case FLAC__METADATA_TYPE_STREAMINFO:
  94428. case FLAC__METADATA_TYPE_SEEKTABLE:
  94429. FLAC__ASSERT(0);
  94430. break;
  94431. default:
  94432. if(real_length > 0) {
  94433. if(0 == (block.data.unknown.data = (FLAC__byte*)malloc(real_length))) {
  94434. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94435. return false;
  94436. }
  94437. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, block.data.unknown.data, real_length))
  94438. return false; /* read_callback_ sets the state for us */
  94439. }
  94440. else
  94441. block.data.unknown.data = 0;
  94442. break;
  94443. }
  94444. if(!decoder->private_->is_seeking && decoder->private_->metadata_callback)
  94445. decoder->private_->metadata_callback(decoder, &block, decoder->private_->client_data);
  94446. /* now we have to free any malloc()ed data in the block */
  94447. switch(type) {
  94448. case FLAC__METADATA_TYPE_PADDING:
  94449. break;
  94450. case FLAC__METADATA_TYPE_APPLICATION:
  94451. if(0 != block.data.application.data)
  94452. free(block.data.application.data);
  94453. break;
  94454. case FLAC__METADATA_TYPE_VORBIS_COMMENT:
  94455. if(0 != block.data.vorbis_comment.vendor_string.entry)
  94456. free(block.data.vorbis_comment.vendor_string.entry);
  94457. if(block.data.vorbis_comment.num_comments > 0)
  94458. for(i = 0; i < block.data.vorbis_comment.num_comments; i++)
  94459. if(0 != block.data.vorbis_comment.comments[i].entry)
  94460. free(block.data.vorbis_comment.comments[i].entry);
  94461. if(0 != block.data.vorbis_comment.comments)
  94462. free(block.data.vorbis_comment.comments);
  94463. break;
  94464. case FLAC__METADATA_TYPE_CUESHEET:
  94465. if(block.data.cue_sheet.num_tracks > 0)
  94466. for(i = 0; i < block.data.cue_sheet.num_tracks; i++)
  94467. if(0 != block.data.cue_sheet.tracks[i].indices)
  94468. free(block.data.cue_sheet.tracks[i].indices);
  94469. if(0 != block.data.cue_sheet.tracks)
  94470. free(block.data.cue_sheet.tracks);
  94471. break;
  94472. case FLAC__METADATA_TYPE_PICTURE:
  94473. if(0 != block.data.picture.mime_type)
  94474. free(block.data.picture.mime_type);
  94475. if(0 != block.data.picture.description)
  94476. free(block.data.picture.description);
  94477. if(0 != block.data.picture.data)
  94478. free(block.data.picture.data);
  94479. break;
  94480. case FLAC__METADATA_TYPE_STREAMINFO:
  94481. case FLAC__METADATA_TYPE_SEEKTABLE:
  94482. FLAC__ASSERT(0);
  94483. default:
  94484. if(0 != block.data.unknown.data)
  94485. free(block.data.unknown.data);
  94486. break;
  94487. }
  94488. }
  94489. }
  94490. if(is_last) {
  94491. /* if this fails, it's OK, it's just a hint for the seek routine */
  94492. if(!FLAC__stream_decoder_get_decode_position(decoder, &decoder->private_->first_frame_offset))
  94493. decoder->private_->first_frame_offset = 0;
  94494. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  94495. }
  94496. return true;
  94497. }
  94498. FLAC__bool read_metadata_streaminfo_(FLAC__StreamDecoder *decoder, FLAC__bool is_last, unsigned length)
  94499. {
  94500. FLAC__uint32 x;
  94501. unsigned bits, used_bits = 0;
  94502. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94503. decoder->private_->stream_info.type = FLAC__METADATA_TYPE_STREAMINFO;
  94504. decoder->private_->stream_info.is_last = is_last;
  94505. decoder->private_->stream_info.length = length;
  94506. bits = FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN;
  94507. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, bits))
  94508. return false; /* read_callback_ sets the state for us */
  94509. decoder->private_->stream_info.data.stream_info.min_blocksize = x;
  94510. used_bits += bits;
  94511. bits = FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN;
  94512. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN))
  94513. return false; /* read_callback_ sets the state for us */
  94514. decoder->private_->stream_info.data.stream_info.max_blocksize = x;
  94515. used_bits += bits;
  94516. bits = FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN;
  94517. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN))
  94518. return false; /* read_callback_ sets the state for us */
  94519. decoder->private_->stream_info.data.stream_info.min_framesize = x;
  94520. used_bits += bits;
  94521. bits = FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN;
  94522. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN))
  94523. return false; /* read_callback_ sets the state for us */
  94524. decoder->private_->stream_info.data.stream_info.max_framesize = x;
  94525. used_bits += bits;
  94526. bits = FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN;
  94527. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN))
  94528. return false; /* read_callback_ sets the state for us */
  94529. decoder->private_->stream_info.data.stream_info.sample_rate = x;
  94530. used_bits += bits;
  94531. bits = FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN;
  94532. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN))
  94533. return false; /* read_callback_ sets the state for us */
  94534. decoder->private_->stream_info.data.stream_info.channels = x+1;
  94535. used_bits += bits;
  94536. bits = FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN;
  94537. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN))
  94538. return false; /* read_callback_ sets the state for us */
  94539. decoder->private_->stream_info.data.stream_info.bits_per_sample = x+1;
  94540. used_bits += bits;
  94541. bits = FLAC__STREAM_METADATA_STREAMINFO_TOTAL_SAMPLES_LEN;
  94542. if(!FLAC__bitreader_read_raw_uint64(decoder->private_->input, &decoder->private_->stream_info.data.stream_info.total_samples, FLAC__STREAM_METADATA_STREAMINFO_TOTAL_SAMPLES_LEN))
  94543. return false; /* read_callback_ sets the state for us */
  94544. used_bits += bits;
  94545. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, decoder->private_->stream_info.data.stream_info.md5sum, 16))
  94546. return false; /* read_callback_ sets the state for us */
  94547. used_bits += 16*8;
  94548. /* skip the rest of the block */
  94549. FLAC__ASSERT(used_bits % 8 == 0);
  94550. length -= (used_bits / 8);
  94551. if(!FLAC__bitreader_skip_byte_block_aligned_no_crc(decoder->private_->input, length))
  94552. return false; /* read_callback_ sets the state for us */
  94553. return true;
  94554. }
  94555. FLAC__bool read_metadata_seektable_(FLAC__StreamDecoder *decoder, FLAC__bool is_last, unsigned length)
  94556. {
  94557. FLAC__uint32 i, x;
  94558. FLAC__uint64 xx;
  94559. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94560. decoder->private_->seek_table.type = FLAC__METADATA_TYPE_SEEKTABLE;
  94561. decoder->private_->seek_table.is_last = is_last;
  94562. decoder->private_->seek_table.length = length;
  94563. decoder->private_->seek_table.data.seek_table.num_points = length / FLAC__STREAM_METADATA_SEEKPOINT_LENGTH;
  94564. /* use realloc since we may pass through here several times (e.g. after seeking) */
  94565. if(0 == (decoder->private_->seek_table.data.seek_table.points = (FLAC__StreamMetadata_SeekPoint*)safe_realloc_mul_2op_(decoder->private_->seek_table.data.seek_table.points, decoder->private_->seek_table.data.seek_table.num_points, /*times*/sizeof(FLAC__StreamMetadata_SeekPoint)))) {
  94566. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94567. return false;
  94568. }
  94569. for(i = 0; i < decoder->private_->seek_table.data.seek_table.num_points; i++) {
  94570. if(!FLAC__bitreader_read_raw_uint64(decoder->private_->input, &xx, FLAC__STREAM_METADATA_SEEKPOINT_SAMPLE_NUMBER_LEN))
  94571. return false; /* read_callback_ sets the state for us */
  94572. decoder->private_->seek_table.data.seek_table.points[i].sample_number = xx;
  94573. if(!FLAC__bitreader_read_raw_uint64(decoder->private_->input, &xx, FLAC__STREAM_METADATA_SEEKPOINT_STREAM_OFFSET_LEN))
  94574. return false; /* read_callback_ sets the state for us */
  94575. decoder->private_->seek_table.data.seek_table.points[i].stream_offset = xx;
  94576. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_SEEKPOINT_FRAME_SAMPLES_LEN))
  94577. return false; /* read_callback_ sets the state for us */
  94578. decoder->private_->seek_table.data.seek_table.points[i].frame_samples = x;
  94579. }
  94580. length -= (decoder->private_->seek_table.data.seek_table.num_points * FLAC__STREAM_METADATA_SEEKPOINT_LENGTH);
  94581. /* if there is a partial point left, skip over it */
  94582. if(length > 0) {
  94583. /*@@@ do a send_error_to_client_() here? there's an argument for either way */
  94584. if(!FLAC__bitreader_skip_byte_block_aligned_no_crc(decoder->private_->input, length))
  94585. return false; /* read_callback_ sets the state for us */
  94586. }
  94587. return true;
  94588. }
  94589. FLAC__bool read_metadata_vorbiscomment_(FLAC__StreamDecoder *decoder, FLAC__StreamMetadata_VorbisComment *obj)
  94590. {
  94591. FLAC__uint32 i;
  94592. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94593. /* read vendor string */
  94594. FLAC__ASSERT(FLAC__STREAM_METADATA_VORBIS_COMMENT_ENTRY_LENGTH_LEN == 32);
  94595. if(!FLAC__bitreader_read_uint32_little_endian(decoder->private_->input, &obj->vendor_string.length))
  94596. return false; /* read_callback_ sets the state for us */
  94597. if(obj->vendor_string.length > 0) {
  94598. if(0 == (obj->vendor_string.entry = (FLAC__byte*)safe_malloc_add_2op_(obj->vendor_string.length, /*+*/1))) {
  94599. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94600. return false;
  94601. }
  94602. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, obj->vendor_string.entry, obj->vendor_string.length))
  94603. return false; /* read_callback_ sets the state for us */
  94604. obj->vendor_string.entry[obj->vendor_string.length] = '\0';
  94605. }
  94606. else
  94607. obj->vendor_string.entry = 0;
  94608. /* read num comments */
  94609. FLAC__ASSERT(FLAC__STREAM_METADATA_VORBIS_COMMENT_NUM_COMMENTS_LEN == 32);
  94610. if(!FLAC__bitreader_read_uint32_little_endian(decoder->private_->input, &obj->num_comments))
  94611. return false; /* read_callback_ sets the state for us */
  94612. /* read comments */
  94613. if(obj->num_comments > 0) {
  94614. if(0 == (obj->comments = (FLAC__StreamMetadata_VorbisComment_Entry*)safe_malloc_mul_2op_(obj->num_comments, /*times*/sizeof(FLAC__StreamMetadata_VorbisComment_Entry)))) {
  94615. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94616. return false;
  94617. }
  94618. for(i = 0; i < obj->num_comments; i++) {
  94619. FLAC__ASSERT(FLAC__STREAM_METADATA_VORBIS_COMMENT_ENTRY_LENGTH_LEN == 32);
  94620. if(!FLAC__bitreader_read_uint32_little_endian(decoder->private_->input, &obj->comments[i].length))
  94621. return false; /* read_callback_ sets the state for us */
  94622. if(obj->comments[i].length > 0) {
  94623. if(0 == (obj->comments[i].entry = (FLAC__byte*)safe_malloc_add_2op_(obj->comments[i].length, /*+*/1))) {
  94624. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94625. return false;
  94626. }
  94627. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, obj->comments[i].entry, obj->comments[i].length))
  94628. return false; /* read_callback_ sets the state for us */
  94629. obj->comments[i].entry[obj->comments[i].length] = '\0';
  94630. }
  94631. else
  94632. obj->comments[i].entry = 0;
  94633. }
  94634. }
  94635. else {
  94636. obj->comments = 0;
  94637. }
  94638. return true;
  94639. }
  94640. FLAC__bool read_metadata_cuesheet_(FLAC__StreamDecoder *decoder, FLAC__StreamMetadata_CueSheet *obj)
  94641. {
  94642. FLAC__uint32 i, j, x;
  94643. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94644. memset(obj, 0, sizeof(FLAC__StreamMetadata_CueSheet));
  94645. FLAC__ASSERT(FLAC__STREAM_METADATA_CUESHEET_MEDIA_CATALOG_NUMBER_LEN % 8 == 0);
  94646. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, (FLAC__byte*)obj->media_catalog_number, FLAC__STREAM_METADATA_CUESHEET_MEDIA_CATALOG_NUMBER_LEN/8))
  94647. return false; /* read_callback_ sets the state for us */
  94648. if(!FLAC__bitreader_read_raw_uint64(decoder->private_->input, &obj->lead_in, FLAC__STREAM_METADATA_CUESHEET_LEAD_IN_LEN))
  94649. return false; /* read_callback_ sets the state for us */
  94650. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_CUESHEET_IS_CD_LEN))
  94651. return false; /* read_callback_ sets the state for us */
  94652. obj->is_cd = x? true : false;
  94653. if(!FLAC__bitreader_skip_bits_no_crc(decoder->private_->input, FLAC__STREAM_METADATA_CUESHEET_RESERVED_LEN))
  94654. return false; /* read_callback_ sets the state for us */
  94655. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_CUESHEET_NUM_TRACKS_LEN))
  94656. return false; /* read_callback_ sets the state for us */
  94657. obj->num_tracks = x;
  94658. if(obj->num_tracks > 0) {
  94659. if(0 == (obj->tracks = (FLAC__StreamMetadata_CueSheet_Track*)safe_calloc_(obj->num_tracks, sizeof(FLAC__StreamMetadata_CueSheet_Track)))) {
  94660. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94661. return false;
  94662. }
  94663. for(i = 0; i < obj->num_tracks; i++) {
  94664. FLAC__StreamMetadata_CueSheet_Track *track = &obj->tracks[i];
  94665. if(!FLAC__bitreader_read_raw_uint64(decoder->private_->input, &track->offset, FLAC__STREAM_METADATA_CUESHEET_TRACK_OFFSET_LEN))
  94666. return false; /* read_callback_ sets the state for us */
  94667. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_CUESHEET_TRACK_NUMBER_LEN))
  94668. return false; /* read_callback_ sets the state for us */
  94669. track->number = (FLAC__byte)x;
  94670. FLAC__ASSERT(FLAC__STREAM_METADATA_CUESHEET_TRACK_ISRC_LEN % 8 == 0);
  94671. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, (FLAC__byte*)track->isrc, FLAC__STREAM_METADATA_CUESHEET_TRACK_ISRC_LEN/8))
  94672. return false; /* read_callback_ sets the state for us */
  94673. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_CUESHEET_TRACK_TYPE_LEN))
  94674. return false; /* read_callback_ sets the state for us */
  94675. track->type = x;
  94676. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_CUESHEET_TRACK_PRE_EMPHASIS_LEN))
  94677. return false; /* read_callback_ sets the state for us */
  94678. track->pre_emphasis = x;
  94679. if(!FLAC__bitreader_skip_bits_no_crc(decoder->private_->input, FLAC__STREAM_METADATA_CUESHEET_TRACK_RESERVED_LEN))
  94680. return false; /* read_callback_ sets the state for us */
  94681. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_CUESHEET_TRACK_NUM_INDICES_LEN))
  94682. return false; /* read_callback_ sets the state for us */
  94683. track->num_indices = (FLAC__byte)x;
  94684. if(track->num_indices > 0) {
  94685. if(0 == (track->indices = (FLAC__StreamMetadata_CueSheet_Index*)safe_calloc_(track->num_indices, sizeof(FLAC__StreamMetadata_CueSheet_Index)))) {
  94686. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94687. return false;
  94688. }
  94689. for(j = 0; j < track->num_indices; j++) {
  94690. FLAC__StreamMetadata_CueSheet_Index *index = &track->indices[j];
  94691. if(!FLAC__bitreader_read_raw_uint64(decoder->private_->input, &index->offset, FLAC__STREAM_METADATA_CUESHEET_INDEX_OFFSET_LEN))
  94692. return false; /* read_callback_ sets the state for us */
  94693. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_CUESHEET_INDEX_NUMBER_LEN))
  94694. return false; /* read_callback_ sets the state for us */
  94695. index->number = (FLAC__byte)x;
  94696. if(!FLAC__bitreader_skip_bits_no_crc(decoder->private_->input, FLAC__STREAM_METADATA_CUESHEET_INDEX_RESERVED_LEN))
  94697. return false; /* read_callback_ sets the state for us */
  94698. }
  94699. }
  94700. }
  94701. }
  94702. return true;
  94703. }
  94704. FLAC__bool read_metadata_picture_(FLAC__StreamDecoder *decoder, FLAC__StreamMetadata_Picture *obj)
  94705. {
  94706. FLAC__uint32 x;
  94707. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94708. /* read type */
  94709. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_PICTURE_TYPE_LEN))
  94710. return false; /* read_callback_ sets the state for us */
  94711. obj->type = (FLAC__StreamMetadata_Picture_Type) x;
  94712. /* read MIME type */
  94713. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_PICTURE_MIME_TYPE_LENGTH_LEN))
  94714. return false; /* read_callback_ sets the state for us */
  94715. if(0 == (obj->mime_type = (char*)safe_malloc_add_2op_(x, /*+*/1))) {
  94716. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94717. return false;
  94718. }
  94719. if(x > 0) {
  94720. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, (FLAC__byte*)obj->mime_type, x))
  94721. return false; /* read_callback_ sets the state for us */
  94722. }
  94723. obj->mime_type[x] = '\0';
  94724. /* read description */
  94725. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__STREAM_METADATA_PICTURE_DESCRIPTION_LENGTH_LEN))
  94726. return false; /* read_callback_ sets the state for us */
  94727. if(0 == (obj->description = (FLAC__byte*)safe_malloc_add_2op_(x, /*+*/1))) {
  94728. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94729. return false;
  94730. }
  94731. if(x > 0) {
  94732. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, obj->description, x))
  94733. return false; /* read_callback_ sets the state for us */
  94734. }
  94735. obj->description[x] = '\0';
  94736. /* read width */
  94737. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &obj->width, FLAC__STREAM_METADATA_PICTURE_WIDTH_LEN))
  94738. return false; /* read_callback_ sets the state for us */
  94739. /* read height */
  94740. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &obj->height, FLAC__STREAM_METADATA_PICTURE_HEIGHT_LEN))
  94741. return false; /* read_callback_ sets the state for us */
  94742. /* read depth */
  94743. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &obj->depth, FLAC__STREAM_METADATA_PICTURE_DEPTH_LEN))
  94744. return false; /* read_callback_ sets the state for us */
  94745. /* read colors */
  94746. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &obj->colors, FLAC__STREAM_METADATA_PICTURE_COLORS_LEN))
  94747. return false; /* read_callback_ sets the state for us */
  94748. /* read data */
  94749. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &(obj->data_length), FLAC__STREAM_METADATA_PICTURE_DATA_LENGTH_LEN))
  94750. return false; /* read_callback_ sets the state for us */
  94751. if(0 == (obj->data = (FLAC__byte*)safe_malloc_(obj->data_length))) {
  94752. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  94753. return false;
  94754. }
  94755. if(obj->data_length > 0) {
  94756. if(!FLAC__bitreader_read_byte_block_aligned_no_crc(decoder->private_->input, obj->data, obj->data_length))
  94757. return false; /* read_callback_ sets the state for us */
  94758. }
  94759. return true;
  94760. }
  94761. FLAC__bool skip_id3v2_tag_(FLAC__StreamDecoder *decoder)
  94762. {
  94763. FLAC__uint32 x;
  94764. unsigned i, skip;
  94765. /* skip the version and flags bytes */
  94766. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 24))
  94767. return false; /* read_callback_ sets the state for us */
  94768. /* get the size (in bytes) to skip */
  94769. skip = 0;
  94770. for(i = 0; i < 4; i++) {
  94771. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  94772. return false; /* read_callback_ sets the state for us */
  94773. skip <<= 7;
  94774. skip |= (x & 0x7f);
  94775. }
  94776. /* skip the rest of the tag */
  94777. if(!FLAC__bitreader_skip_byte_block_aligned_no_crc(decoder->private_->input, skip))
  94778. return false; /* read_callback_ sets the state for us */
  94779. return true;
  94780. }
  94781. FLAC__bool frame_sync_(FLAC__StreamDecoder *decoder)
  94782. {
  94783. FLAC__uint32 x;
  94784. FLAC__bool first = true;
  94785. /* If we know the total number of samples in the stream, stop if we've read that many. */
  94786. /* This will stop us, for example, from wasting time trying to sync on an ID3V1 tag. */
  94787. if(FLAC__stream_decoder_get_total_samples(decoder) > 0) {
  94788. if(decoder->private_->samples_decoded >= FLAC__stream_decoder_get_total_samples(decoder)) {
  94789. decoder->protected_->state = FLAC__STREAM_DECODER_END_OF_STREAM;
  94790. return true;
  94791. }
  94792. }
  94793. /* make sure we're byte aligned */
  94794. if(!FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input)) {
  94795. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__bitreader_bits_left_for_byte_alignment(decoder->private_->input)))
  94796. return false; /* read_callback_ sets the state for us */
  94797. }
  94798. while(1) {
  94799. if(decoder->private_->cached) {
  94800. x = (FLAC__uint32)decoder->private_->lookahead;
  94801. decoder->private_->cached = false;
  94802. }
  94803. else {
  94804. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  94805. return false; /* read_callback_ sets the state for us */
  94806. }
  94807. if(x == 0xff) { /* MAGIC NUMBER for the first 8 frame sync bits */
  94808. decoder->private_->header_warmup[0] = (FLAC__byte)x;
  94809. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  94810. return false; /* read_callback_ sets the state for us */
  94811. /* we have to check if we just read two 0xff's in a row; the second may actually be the beginning of the sync code */
  94812. /* else we have to check if the second byte is the end of a sync code */
  94813. if(x == 0xff) { /* MAGIC NUMBER for the first 8 frame sync bits */
  94814. decoder->private_->lookahead = (FLAC__byte)x;
  94815. decoder->private_->cached = true;
  94816. }
  94817. else if(x >> 2 == 0x3e) { /* MAGIC NUMBER for the last 6 sync bits */
  94818. decoder->private_->header_warmup[1] = (FLAC__byte)x;
  94819. decoder->protected_->state = FLAC__STREAM_DECODER_READ_FRAME;
  94820. return true;
  94821. }
  94822. }
  94823. if(first) {
  94824. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC);
  94825. first = false;
  94826. }
  94827. }
  94828. return true;
  94829. }
  94830. FLAC__bool read_frame_(FLAC__StreamDecoder *decoder, FLAC__bool *got_a_frame, FLAC__bool do_full_decode)
  94831. {
  94832. unsigned channel;
  94833. unsigned i;
  94834. FLAC__int32 mid, side;
  94835. unsigned frame_crc; /* the one we calculate from the input stream */
  94836. FLAC__uint32 x;
  94837. *got_a_frame = false;
  94838. /* init the CRC */
  94839. frame_crc = 0;
  94840. frame_crc = FLAC__CRC16_UPDATE(decoder->private_->header_warmup[0], frame_crc);
  94841. frame_crc = FLAC__CRC16_UPDATE(decoder->private_->header_warmup[1], frame_crc);
  94842. FLAC__bitreader_reset_read_crc16(decoder->private_->input, (FLAC__uint16)frame_crc);
  94843. if(!read_frame_header_(decoder))
  94844. return false;
  94845. if(decoder->protected_->state == FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC) /* means we didn't sync on a valid header */
  94846. return true;
  94847. if(!allocate_output_(decoder, decoder->private_->frame.header.blocksize, decoder->private_->frame.header.channels))
  94848. return false;
  94849. for(channel = 0; channel < decoder->private_->frame.header.channels; channel++) {
  94850. /*
  94851. * first figure the correct bits-per-sample of the subframe
  94852. */
  94853. unsigned bps = decoder->private_->frame.header.bits_per_sample;
  94854. switch(decoder->private_->frame.header.channel_assignment) {
  94855. case FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT:
  94856. /* no adjustment needed */
  94857. break;
  94858. case FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE:
  94859. FLAC__ASSERT(decoder->private_->frame.header.channels == 2);
  94860. if(channel == 1)
  94861. bps++;
  94862. break;
  94863. case FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE:
  94864. FLAC__ASSERT(decoder->private_->frame.header.channels == 2);
  94865. if(channel == 0)
  94866. bps++;
  94867. break;
  94868. case FLAC__CHANNEL_ASSIGNMENT_MID_SIDE:
  94869. FLAC__ASSERT(decoder->private_->frame.header.channels == 2);
  94870. if(channel == 1)
  94871. bps++;
  94872. break;
  94873. default:
  94874. FLAC__ASSERT(0);
  94875. }
  94876. /*
  94877. * now read it
  94878. */
  94879. if(!read_subframe_(decoder, channel, bps, do_full_decode))
  94880. return false;
  94881. if(decoder->protected_->state == FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC) /* means bad sync or got corruption */
  94882. return true;
  94883. }
  94884. if(!read_zero_padding_(decoder))
  94885. return false;
  94886. if(decoder->protected_->state == FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC) /* means bad sync or got corruption (i.e. "zero bits" were not all zeroes) */
  94887. return true;
  94888. /*
  94889. * Read the frame CRC-16 from the footer and check
  94890. */
  94891. frame_crc = FLAC__bitreader_get_read_crc16(decoder->private_->input);
  94892. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, FLAC__FRAME_FOOTER_CRC_LEN))
  94893. return false; /* read_callback_ sets the state for us */
  94894. if(frame_crc == x) {
  94895. if(do_full_decode) {
  94896. /* Undo any special channel coding */
  94897. switch(decoder->private_->frame.header.channel_assignment) {
  94898. case FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT:
  94899. /* do nothing */
  94900. break;
  94901. case FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE:
  94902. FLAC__ASSERT(decoder->private_->frame.header.channels == 2);
  94903. for(i = 0; i < decoder->private_->frame.header.blocksize; i++)
  94904. decoder->private_->output[1][i] = decoder->private_->output[0][i] - decoder->private_->output[1][i];
  94905. break;
  94906. case FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE:
  94907. FLAC__ASSERT(decoder->private_->frame.header.channels == 2);
  94908. for(i = 0; i < decoder->private_->frame.header.blocksize; i++)
  94909. decoder->private_->output[0][i] += decoder->private_->output[1][i];
  94910. break;
  94911. case FLAC__CHANNEL_ASSIGNMENT_MID_SIDE:
  94912. FLAC__ASSERT(decoder->private_->frame.header.channels == 2);
  94913. for(i = 0; i < decoder->private_->frame.header.blocksize; i++) {
  94914. #if 1
  94915. mid = decoder->private_->output[0][i];
  94916. side = decoder->private_->output[1][i];
  94917. mid <<= 1;
  94918. mid |= (side & 1); /* i.e. if 'side' is odd... */
  94919. decoder->private_->output[0][i] = (mid + side) >> 1;
  94920. decoder->private_->output[1][i] = (mid - side) >> 1;
  94921. #else
  94922. /* OPT: without 'side' temp variable */
  94923. mid = (decoder->private_->output[0][i] << 1) | (decoder->private_->output[1][i] & 1); /* i.e. if 'side' is odd... */
  94924. decoder->private_->output[0][i] = (mid + decoder->private_->output[1][i]) >> 1;
  94925. decoder->private_->output[1][i] = (mid - decoder->private_->output[1][i]) >> 1;
  94926. #endif
  94927. }
  94928. break;
  94929. default:
  94930. FLAC__ASSERT(0);
  94931. break;
  94932. }
  94933. }
  94934. }
  94935. else {
  94936. /* Bad frame, emit error and zero the output signal */
  94937. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_FRAME_CRC_MISMATCH);
  94938. if(do_full_decode) {
  94939. for(channel = 0; channel < decoder->private_->frame.header.channels; channel++) {
  94940. memset(decoder->private_->output[channel], 0, sizeof(FLAC__int32) * decoder->private_->frame.header.blocksize);
  94941. }
  94942. }
  94943. }
  94944. *got_a_frame = true;
  94945. /* we wait to update fixed_block_size until here, when we're sure we've got a proper frame and hence a correct blocksize */
  94946. if(decoder->private_->next_fixed_block_size)
  94947. decoder->private_->fixed_block_size = decoder->private_->next_fixed_block_size;
  94948. /* put the latest values into the public section of the decoder instance */
  94949. decoder->protected_->channels = decoder->private_->frame.header.channels;
  94950. decoder->protected_->channel_assignment = decoder->private_->frame.header.channel_assignment;
  94951. decoder->protected_->bits_per_sample = decoder->private_->frame.header.bits_per_sample;
  94952. decoder->protected_->sample_rate = decoder->private_->frame.header.sample_rate;
  94953. decoder->protected_->blocksize = decoder->private_->frame.header.blocksize;
  94954. FLAC__ASSERT(decoder->private_->frame.header.number_type == FLAC__FRAME_NUMBER_TYPE_SAMPLE_NUMBER);
  94955. decoder->private_->samples_decoded = decoder->private_->frame.header.number.sample_number + decoder->private_->frame.header.blocksize;
  94956. /* write it */
  94957. if(do_full_decode) {
  94958. if(write_audio_frame_to_client_(decoder, &decoder->private_->frame, (const FLAC__int32 * const *)decoder->private_->output) != FLAC__STREAM_DECODER_WRITE_STATUS_CONTINUE)
  94959. return false;
  94960. }
  94961. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  94962. return true;
  94963. }
  94964. FLAC__bool read_frame_header_(FLAC__StreamDecoder *decoder)
  94965. {
  94966. FLAC__uint32 x;
  94967. FLAC__uint64 xx;
  94968. unsigned i, blocksize_hint = 0, sample_rate_hint = 0;
  94969. FLAC__byte crc8, raw_header[16]; /* MAGIC NUMBER based on the maximum frame header size, including CRC */
  94970. unsigned raw_header_len;
  94971. FLAC__bool is_unparseable = false;
  94972. FLAC__ASSERT(FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input));
  94973. /* init the raw header with the saved bits from synchronization */
  94974. raw_header[0] = decoder->private_->header_warmup[0];
  94975. raw_header[1] = decoder->private_->header_warmup[1];
  94976. raw_header_len = 2;
  94977. /* check to make sure that reserved bit is 0 */
  94978. if(raw_header[1] & 0x02) /* MAGIC NUMBER */
  94979. is_unparseable = true;
  94980. /*
  94981. * Note that along the way as we read the header, we look for a sync
  94982. * code inside. If we find one it would indicate that our original
  94983. * sync was bad since there cannot be a sync code in a valid header.
  94984. *
  94985. * Three kinds of things can go wrong when reading the frame header:
  94986. * 1) We may have sync'ed incorrectly and not landed on a frame header.
  94987. * If we don't find a sync code, it can end up looking like we read
  94988. * a valid but unparseable header, until getting to the frame header
  94989. * CRC. Even then we could get a false positive on the CRC.
  94990. * 2) We may have sync'ed correctly but on an unparseable frame (from a
  94991. * future encoder).
  94992. * 3) We may be on a damaged frame which appears valid but unparseable.
  94993. *
  94994. * For all these reasons, we try and read a complete frame header as
  94995. * long as it seems valid, even if unparseable, up until the frame
  94996. * header CRC.
  94997. */
  94998. /*
  94999. * read in the raw header as bytes so we can CRC it, and parse it on the way
  95000. */
  95001. for(i = 0; i < 2; i++) {
  95002. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  95003. return false; /* read_callback_ sets the state for us */
  95004. if(x == 0xff) { /* MAGIC NUMBER for the first 8 frame sync bits */
  95005. /* if we get here it means our original sync was erroneous since the sync code cannot appear in the header */
  95006. decoder->private_->lookahead = (FLAC__byte)x;
  95007. decoder->private_->cached = true;
  95008. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER);
  95009. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95010. return true;
  95011. }
  95012. raw_header[raw_header_len++] = (FLAC__byte)x;
  95013. }
  95014. switch(x = raw_header[2] >> 4) {
  95015. case 0:
  95016. is_unparseable = true;
  95017. break;
  95018. case 1:
  95019. decoder->private_->frame.header.blocksize = 192;
  95020. break;
  95021. case 2:
  95022. case 3:
  95023. case 4:
  95024. case 5:
  95025. decoder->private_->frame.header.blocksize = 576 << (x-2);
  95026. break;
  95027. case 6:
  95028. case 7:
  95029. blocksize_hint = x;
  95030. break;
  95031. case 8:
  95032. case 9:
  95033. case 10:
  95034. case 11:
  95035. case 12:
  95036. case 13:
  95037. case 14:
  95038. case 15:
  95039. decoder->private_->frame.header.blocksize = 256 << (x-8);
  95040. break;
  95041. default:
  95042. FLAC__ASSERT(0);
  95043. break;
  95044. }
  95045. switch(x = raw_header[2] & 0x0f) {
  95046. case 0:
  95047. if(decoder->private_->has_stream_info)
  95048. decoder->private_->frame.header.sample_rate = decoder->private_->stream_info.data.stream_info.sample_rate;
  95049. else
  95050. is_unparseable = true;
  95051. break;
  95052. case 1:
  95053. decoder->private_->frame.header.sample_rate = 88200;
  95054. break;
  95055. case 2:
  95056. decoder->private_->frame.header.sample_rate = 176400;
  95057. break;
  95058. case 3:
  95059. decoder->private_->frame.header.sample_rate = 192000;
  95060. break;
  95061. case 4:
  95062. decoder->private_->frame.header.sample_rate = 8000;
  95063. break;
  95064. case 5:
  95065. decoder->private_->frame.header.sample_rate = 16000;
  95066. break;
  95067. case 6:
  95068. decoder->private_->frame.header.sample_rate = 22050;
  95069. break;
  95070. case 7:
  95071. decoder->private_->frame.header.sample_rate = 24000;
  95072. break;
  95073. case 8:
  95074. decoder->private_->frame.header.sample_rate = 32000;
  95075. break;
  95076. case 9:
  95077. decoder->private_->frame.header.sample_rate = 44100;
  95078. break;
  95079. case 10:
  95080. decoder->private_->frame.header.sample_rate = 48000;
  95081. break;
  95082. case 11:
  95083. decoder->private_->frame.header.sample_rate = 96000;
  95084. break;
  95085. case 12:
  95086. case 13:
  95087. case 14:
  95088. sample_rate_hint = x;
  95089. break;
  95090. case 15:
  95091. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER);
  95092. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95093. return true;
  95094. default:
  95095. FLAC__ASSERT(0);
  95096. }
  95097. x = (unsigned)(raw_header[3] >> 4);
  95098. if(x & 8) {
  95099. decoder->private_->frame.header.channels = 2;
  95100. switch(x & 7) {
  95101. case 0:
  95102. decoder->private_->frame.header.channel_assignment = FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE;
  95103. break;
  95104. case 1:
  95105. decoder->private_->frame.header.channel_assignment = FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE;
  95106. break;
  95107. case 2:
  95108. decoder->private_->frame.header.channel_assignment = FLAC__CHANNEL_ASSIGNMENT_MID_SIDE;
  95109. break;
  95110. default:
  95111. is_unparseable = true;
  95112. break;
  95113. }
  95114. }
  95115. else {
  95116. decoder->private_->frame.header.channels = (unsigned)x + 1;
  95117. decoder->private_->frame.header.channel_assignment = FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT;
  95118. }
  95119. switch(x = (unsigned)(raw_header[3] & 0x0e) >> 1) {
  95120. case 0:
  95121. if(decoder->private_->has_stream_info)
  95122. decoder->private_->frame.header.bits_per_sample = decoder->private_->stream_info.data.stream_info.bits_per_sample;
  95123. else
  95124. is_unparseable = true;
  95125. break;
  95126. case 1:
  95127. decoder->private_->frame.header.bits_per_sample = 8;
  95128. break;
  95129. case 2:
  95130. decoder->private_->frame.header.bits_per_sample = 12;
  95131. break;
  95132. case 4:
  95133. decoder->private_->frame.header.bits_per_sample = 16;
  95134. break;
  95135. case 5:
  95136. decoder->private_->frame.header.bits_per_sample = 20;
  95137. break;
  95138. case 6:
  95139. decoder->private_->frame.header.bits_per_sample = 24;
  95140. break;
  95141. case 3:
  95142. case 7:
  95143. is_unparseable = true;
  95144. break;
  95145. default:
  95146. FLAC__ASSERT(0);
  95147. break;
  95148. }
  95149. /* check to make sure that reserved bit is 0 */
  95150. if(raw_header[3] & 0x01) /* MAGIC NUMBER */
  95151. is_unparseable = true;
  95152. /* read the frame's starting sample number (or frame number as the case may be) */
  95153. if(
  95154. raw_header[1] & 0x01 ||
  95155. /*@@@ this clause is a concession to the old way of doing variable blocksize; the only known implementation is flake and can probably be removed without inconveniencing anyone */
  95156. (decoder->private_->has_stream_info && decoder->private_->stream_info.data.stream_info.min_blocksize != decoder->private_->stream_info.data.stream_info.max_blocksize)
  95157. ) { /* variable blocksize */
  95158. if(!FLAC__bitreader_read_utf8_uint64(decoder->private_->input, &xx, raw_header, &raw_header_len))
  95159. return false; /* read_callback_ sets the state for us */
  95160. if(xx == FLAC__U64L(0xffffffffffffffff)) { /* i.e. non-UTF8 code... */
  95161. decoder->private_->lookahead = raw_header[raw_header_len-1]; /* back up as much as we can */
  95162. decoder->private_->cached = true;
  95163. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER);
  95164. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95165. return true;
  95166. }
  95167. decoder->private_->frame.header.number_type = FLAC__FRAME_NUMBER_TYPE_SAMPLE_NUMBER;
  95168. decoder->private_->frame.header.number.sample_number = xx;
  95169. }
  95170. else { /* fixed blocksize */
  95171. if(!FLAC__bitreader_read_utf8_uint32(decoder->private_->input, &x, raw_header, &raw_header_len))
  95172. return false; /* read_callback_ sets the state for us */
  95173. if(x == 0xffffffff) { /* i.e. non-UTF8 code... */
  95174. decoder->private_->lookahead = raw_header[raw_header_len-1]; /* back up as much as we can */
  95175. decoder->private_->cached = true;
  95176. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER);
  95177. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95178. return true;
  95179. }
  95180. decoder->private_->frame.header.number_type = FLAC__FRAME_NUMBER_TYPE_FRAME_NUMBER;
  95181. decoder->private_->frame.header.number.frame_number = x;
  95182. }
  95183. if(blocksize_hint) {
  95184. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  95185. return false; /* read_callback_ sets the state for us */
  95186. raw_header[raw_header_len++] = (FLAC__byte)x;
  95187. if(blocksize_hint == 7) {
  95188. FLAC__uint32 _x;
  95189. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &_x, 8))
  95190. return false; /* read_callback_ sets the state for us */
  95191. raw_header[raw_header_len++] = (FLAC__byte)_x;
  95192. x = (x << 8) | _x;
  95193. }
  95194. decoder->private_->frame.header.blocksize = x+1;
  95195. }
  95196. if(sample_rate_hint) {
  95197. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  95198. return false; /* read_callback_ sets the state for us */
  95199. raw_header[raw_header_len++] = (FLAC__byte)x;
  95200. if(sample_rate_hint != 12) {
  95201. FLAC__uint32 _x;
  95202. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &_x, 8))
  95203. return false; /* read_callback_ sets the state for us */
  95204. raw_header[raw_header_len++] = (FLAC__byte)_x;
  95205. x = (x << 8) | _x;
  95206. }
  95207. if(sample_rate_hint == 12)
  95208. decoder->private_->frame.header.sample_rate = x*1000;
  95209. else if(sample_rate_hint == 13)
  95210. decoder->private_->frame.header.sample_rate = x;
  95211. else
  95212. decoder->private_->frame.header.sample_rate = x*10;
  95213. }
  95214. /* read the CRC-8 byte */
  95215. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8))
  95216. return false; /* read_callback_ sets the state for us */
  95217. crc8 = (FLAC__byte)x;
  95218. if(FLAC__crc8(raw_header, raw_header_len) != crc8) {
  95219. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_BAD_HEADER);
  95220. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95221. return true;
  95222. }
  95223. /* calculate the sample number from the frame number if needed */
  95224. decoder->private_->next_fixed_block_size = 0;
  95225. if(decoder->private_->frame.header.number_type == FLAC__FRAME_NUMBER_TYPE_FRAME_NUMBER) {
  95226. x = decoder->private_->frame.header.number.frame_number;
  95227. decoder->private_->frame.header.number_type = FLAC__FRAME_NUMBER_TYPE_SAMPLE_NUMBER;
  95228. if(decoder->private_->fixed_block_size)
  95229. decoder->private_->frame.header.number.sample_number = (FLAC__uint64)decoder->private_->fixed_block_size * (FLAC__uint64)x;
  95230. else if(decoder->private_->has_stream_info) {
  95231. if(decoder->private_->stream_info.data.stream_info.min_blocksize == decoder->private_->stream_info.data.stream_info.max_blocksize) {
  95232. decoder->private_->frame.header.number.sample_number = (FLAC__uint64)decoder->private_->stream_info.data.stream_info.min_blocksize * (FLAC__uint64)x;
  95233. decoder->private_->next_fixed_block_size = decoder->private_->stream_info.data.stream_info.max_blocksize;
  95234. }
  95235. else
  95236. is_unparseable = true;
  95237. }
  95238. else if(x == 0) {
  95239. decoder->private_->frame.header.number.sample_number = 0;
  95240. decoder->private_->next_fixed_block_size = decoder->private_->frame.header.blocksize;
  95241. }
  95242. else {
  95243. /* can only get here if the stream has invalid frame numbering and no STREAMINFO, so assume it's not the last (possibly short) frame */
  95244. decoder->private_->frame.header.number.sample_number = (FLAC__uint64)decoder->private_->frame.header.blocksize * (FLAC__uint64)x;
  95245. }
  95246. }
  95247. if(is_unparseable) {
  95248. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM);
  95249. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95250. return true;
  95251. }
  95252. return true;
  95253. }
  95254. FLAC__bool read_subframe_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, FLAC__bool do_full_decode)
  95255. {
  95256. FLAC__uint32 x;
  95257. FLAC__bool wasted_bits;
  95258. unsigned i;
  95259. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &x, 8)) /* MAGIC NUMBER */
  95260. return false; /* read_callback_ sets the state for us */
  95261. wasted_bits = (x & 1);
  95262. x &= 0xfe;
  95263. if(wasted_bits) {
  95264. unsigned u;
  95265. if(!FLAC__bitreader_read_unary_unsigned(decoder->private_->input, &u))
  95266. return false; /* read_callback_ sets the state for us */
  95267. decoder->private_->frame.subframes[channel].wasted_bits = u+1;
  95268. bps -= decoder->private_->frame.subframes[channel].wasted_bits;
  95269. }
  95270. else
  95271. decoder->private_->frame.subframes[channel].wasted_bits = 0;
  95272. /*
  95273. * Lots of magic numbers here
  95274. */
  95275. if(x & 0x80) {
  95276. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC);
  95277. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95278. return true;
  95279. }
  95280. else if(x == 0) {
  95281. if(!read_subframe_constant_(decoder, channel, bps, do_full_decode))
  95282. return false;
  95283. }
  95284. else if(x == 2) {
  95285. if(!read_subframe_verbatim_(decoder, channel, bps, do_full_decode))
  95286. return false;
  95287. }
  95288. else if(x < 16) {
  95289. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM);
  95290. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95291. return true;
  95292. }
  95293. else if(x <= 24) {
  95294. if(!read_subframe_fixed_(decoder, channel, bps, (x>>1)&7, do_full_decode))
  95295. return false;
  95296. if(decoder->protected_->state == FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC) /* means bad sync or got corruption */
  95297. return true;
  95298. }
  95299. else if(x < 64) {
  95300. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM);
  95301. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95302. return true;
  95303. }
  95304. else {
  95305. if(!read_subframe_lpc_(decoder, channel, bps, ((x>>1)&31)+1, do_full_decode))
  95306. return false;
  95307. if(decoder->protected_->state == FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC) /* means bad sync or got corruption */
  95308. return true;
  95309. }
  95310. if(wasted_bits && do_full_decode) {
  95311. x = decoder->private_->frame.subframes[channel].wasted_bits;
  95312. for(i = 0; i < decoder->private_->frame.header.blocksize; i++)
  95313. decoder->private_->output[channel][i] <<= x;
  95314. }
  95315. return true;
  95316. }
  95317. FLAC__bool read_subframe_constant_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, FLAC__bool do_full_decode)
  95318. {
  95319. FLAC__Subframe_Constant *subframe = &decoder->private_->frame.subframes[channel].data.constant;
  95320. FLAC__int32 x;
  95321. unsigned i;
  95322. FLAC__int32 *output = decoder->private_->output[channel];
  95323. decoder->private_->frame.subframes[channel].type = FLAC__SUBFRAME_TYPE_CONSTANT;
  95324. if(!FLAC__bitreader_read_raw_int32(decoder->private_->input, &x, bps))
  95325. return false; /* read_callback_ sets the state for us */
  95326. subframe->value = x;
  95327. /* decode the subframe */
  95328. if(do_full_decode) {
  95329. for(i = 0; i < decoder->private_->frame.header.blocksize; i++)
  95330. output[i] = x;
  95331. }
  95332. return true;
  95333. }
  95334. FLAC__bool read_subframe_fixed_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, const unsigned order, FLAC__bool do_full_decode)
  95335. {
  95336. FLAC__Subframe_Fixed *subframe = &decoder->private_->frame.subframes[channel].data.fixed;
  95337. FLAC__int32 i32;
  95338. FLAC__uint32 u32;
  95339. unsigned u;
  95340. decoder->private_->frame.subframes[channel].type = FLAC__SUBFRAME_TYPE_FIXED;
  95341. subframe->residual = decoder->private_->residual[channel];
  95342. subframe->order = order;
  95343. /* read warm-up samples */
  95344. for(u = 0; u < order; u++) {
  95345. if(!FLAC__bitreader_read_raw_int32(decoder->private_->input, &i32, bps))
  95346. return false; /* read_callback_ sets the state for us */
  95347. subframe->warmup[u] = i32;
  95348. }
  95349. /* read entropy coding method info */
  95350. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &u32, FLAC__ENTROPY_CODING_METHOD_TYPE_LEN))
  95351. return false; /* read_callback_ sets the state for us */
  95352. subframe->entropy_coding_method.type = (FLAC__EntropyCodingMethodType)u32;
  95353. switch(subframe->entropy_coding_method.type) {
  95354. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE:
  95355. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2:
  95356. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &u32, FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ORDER_LEN))
  95357. return false; /* read_callback_ sets the state for us */
  95358. subframe->entropy_coding_method.data.partitioned_rice.order = u32;
  95359. subframe->entropy_coding_method.data.partitioned_rice.contents = &decoder->private_->partitioned_rice_contents[channel];
  95360. break;
  95361. default:
  95362. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM);
  95363. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95364. return true;
  95365. }
  95366. /* read residual */
  95367. switch(subframe->entropy_coding_method.type) {
  95368. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE:
  95369. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2:
  95370. if(!read_residual_partitioned_rice_(decoder, order, subframe->entropy_coding_method.data.partitioned_rice.order, &decoder->private_->partitioned_rice_contents[channel], decoder->private_->residual[channel], /*is_extended=*/subframe->entropy_coding_method.type == FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2))
  95371. return false;
  95372. break;
  95373. default:
  95374. FLAC__ASSERT(0);
  95375. }
  95376. /* decode the subframe */
  95377. if(do_full_decode) {
  95378. memcpy(decoder->private_->output[channel], subframe->warmup, sizeof(FLAC__int32) * order);
  95379. FLAC__fixed_restore_signal(decoder->private_->residual[channel], decoder->private_->frame.header.blocksize-order, order, decoder->private_->output[channel]+order);
  95380. }
  95381. return true;
  95382. }
  95383. FLAC__bool read_subframe_lpc_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, const unsigned order, FLAC__bool do_full_decode)
  95384. {
  95385. FLAC__Subframe_LPC *subframe = &decoder->private_->frame.subframes[channel].data.lpc;
  95386. FLAC__int32 i32;
  95387. FLAC__uint32 u32;
  95388. unsigned u;
  95389. decoder->private_->frame.subframes[channel].type = FLAC__SUBFRAME_TYPE_LPC;
  95390. subframe->residual = decoder->private_->residual[channel];
  95391. subframe->order = order;
  95392. /* read warm-up samples */
  95393. for(u = 0; u < order; u++) {
  95394. if(!FLAC__bitreader_read_raw_int32(decoder->private_->input, &i32, bps))
  95395. return false; /* read_callback_ sets the state for us */
  95396. subframe->warmup[u] = i32;
  95397. }
  95398. /* read qlp coeff precision */
  95399. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &u32, FLAC__SUBFRAME_LPC_QLP_COEFF_PRECISION_LEN))
  95400. return false; /* read_callback_ sets the state for us */
  95401. if(u32 == (1u << FLAC__SUBFRAME_LPC_QLP_COEFF_PRECISION_LEN) - 1) {
  95402. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC);
  95403. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95404. return true;
  95405. }
  95406. subframe->qlp_coeff_precision = u32+1;
  95407. /* read qlp shift */
  95408. if(!FLAC__bitreader_read_raw_int32(decoder->private_->input, &i32, FLAC__SUBFRAME_LPC_QLP_SHIFT_LEN))
  95409. return false; /* read_callback_ sets the state for us */
  95410. subframe->quantization_level = i32;
  95411. /* read quantized lp coefficiencts */
  95412. for(u = 0; u < order; u++) {
  95413. if(!FLAC__bitreader_read_raw_int32(decoder->private_->input, &i32, subframe->qlp_coeff_precision))
  95414. return false; /* read_callback_ sets the state for us */
  95415. subframe->qlp_coeff[u] = i32;
  95416. }
  95417. /* read entropy coding method info */
  95418. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &u32, FLAC__ENTROPY_CODING_METHOD_TYPE_LEN))
  95419. return false; /* read_callback_ sets the state for us */
  95420. subframe->entropy_coding_method.type = (FLAC__EntropyCodingMethodType)u32;
  95421. switch(subframe->entropy_coding_method.type) {
  95422. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE:
  95423. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2:
  95424. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &u32, FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ORDER_LEN))
  95425. return false; /* read_callback_ sets the state for us */
  95426. subframe->entropy_coding_method.data.partitioned_rice.order = u32;
  95427. subframe->entropy_coding_method.data.partitioned_rice.contents = &decoder->private_->partitioned_rice_contents[channel];
  95428. break;
  95429. default:
  95430. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM);
  95431. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95432. return true;
  95433. }
  95434. /* read residual */
  95435. switch(subframe->entropy_coding_method.type) {
  95436. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE:
  95437. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2:
  95438. if(!read_residual_partitioned_rice_(decoder, order, subframe->entropy_coding_method.data.partitioned_rice.order, &decoder->private_->partitioned_rice_contents[channel], decoder->private_->residual[channel], /*is_extended=*/subframe->entropy_coding_method.type == FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2))
  95439. return false;
  95440. break;
  95441. default:
  95442. FLAC__ASSERT(0);
  95443. }
  95444. /* decode the subframe */
  95445. if(do_full_decode) {
  95446. memcpy(decoder->private_->output[channel], subframe->warmup, sizeof(FLAC__int32) * order);
  95447. /*@@@@@@ technically not pessimistic enough, should be more like
  95448. if( (FLAC__uint64)order * ((((FLAC__uint64)1)<<bps)-1) * ((1<<subframe->qlp_coeff_precision)-1) < (((FLAC__uint64)-1) << 32) )
  95449. */
  95450. if(bps + subframe->qlp_coeff_precision + FLAC__bitmath_ilog2(order) <= 32)
  95451. if(bps <= 16 && subframe->qlp_coeff_precision <= 16) {
  95452. if(order <= 8)
  95453. decoder->private_->local_lpc_restore_signal_16bit_order8(decoder->private_->residual[channel], decoder->private_->frame.header.blocksize-order, subframe->qlp_coeff, order, subframe->quantization_level, decoder->private_->output[channel]+order);
  95454. else
  95455. decoder->private_->local_lpc_restore_signal_16bit(decoder->private_->residual[channel], decoder->private_->frame.header.blocksize-order, subframe->qlp_coeff, order, subframe->quantization_level, decoder->private_->output[channel]+order);
  95456. }
  95457. else
  95458. decoder->private_->local_lpc_restore_signal(decoder->private_->residual[channel], decoder->private_->frame.header.blocksize-order, subframe->qlp_coeff, order, subframe->quantization_level, decoder->private_->output[channel]+order);
  95459. else
  95460. decoder->private_->local_lpc_restore_signal_64bit(decoder->private_->residual[channel], decoder->private_->frame.header.blocksize-order, subframe->qlp_coeff, order, subframe->quantization_level, decoder->private_->output[channel]+order);
  95461. }
  95462. return true;
  95463. }
  95464. FLAC__bool read_subframe_verbatim_(FLAC__StreamDecoder *decoder, unsigned channel, unsigned bps, FLAC__bool do_full_decode)
  95465. {
  95466. FLAC__Subframe_Verbatim *subframe = &decoder->private_->frame.subframes[channel].data.verbatim;
  95467. FLAC__int32 x, *residual = decoder->private_->residual[channel];
  95468. unsigned i;
  95469. decoder->private_->frame.subframes[channel].type = FLAC__SUBFRAME_TYPE_VERBATIM;
  95470. subframe->data = residual;
  95471. for(i = 0; i < decoder->private_->frame.header.blocksize; i++) {
  95472. if(!FLAC__bitreader_read_raw_int32(decoder->private_->input, &x, bps))
  95473. return false; /* read_callback_ sets the state for us */
  95474. residual[i] = x;
  95475. }
  95476. /* decode the subframe */
  95477. if(do_full_decode)
  95478. memcpy(decoder->private_->output[channel], subframe->data, sizeof(FLAC__int32) * decoder->private_->frame.header.blocksize);
  95479. return true;
  95480. }
  95481. FLAC__bool read_residual_partitioned_rice_(FLAC__StreamDecoder *decoder, unsigned predictor_order, unsigned partition_order, FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents, FLAC__int32 *residual, FLAC__bool is_extended)
  95482. {
  95483. FLAC__uint32 rice_parameter;
  95484. int i;
  95485. unsigned partition, sample, u;
  95486. const unsigned partitions = 1u << partition_order;
  95487. const unsigned partition_samples = partition_order > 0? decoder->private_->frame.header.blocksize >> partition_order : decoder->private_->frame.header.blocksize - predictor_order;
  95488. const unsigned plen = is_extended? FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN : FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_PARAMETER_LEN;
  95489. const unsigned pesc = is_extended? FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_ESCAPE_PARAMETER : FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ESCAPE_PARAMETER;
  95490. /* sanity checks */
  95491. if(partition_order == 0) {
  95492. if(decoder->private_->frame.header.blocksize < predictor_order) {
  95493. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC);
  95494. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95495. return true;
  95496. }
  95497. }
  95498. else {
  95499. if(partition_samples < predictor_order) {
  95500. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC);
  95501. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95502. return true;
  95503. }
  95504. }
  95505. if(!FLAC__format_entropy_coding_method_partitioned_rice_contents_ensure_size(partitioned_rice_contents, max(6, partition_order))) {
  95506. decoder->protected_->state = FLAC__STREAM_DECODER_MEMORY_ALLOCATION_ERROR;
  95507. return false;
  95508. }
  95509. sample = 0;
  95510. for(partition = 0; partition < partitions; partition++) {
  95511. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &rice_parameter, plen))
  95512. return false; /* read_callback_ sets the state for us */
  95513. partitioned_rice_contents->parameters[partition] = rice_parameter;
  95514. if(rice_parameter < pesc) {
  95515. partitioned_rice_contents->raw_bits[partition] = 0;
  95516. u = (partition_order == 0 || partition > 0)? partition_samples : partition_samples - predictor_order;
  95517. if(!decoder->private_->local_bitreader_read_rice_signed_block(decoder->private_->input, (int*) residual + sample, u, rice_parameter))
  95518. return false; /* read_callback_ sets the state for us */
  95519. sample += u;
  95520. }
  95521. else {
  95522. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &rice_parameter, FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_RAW_LEN))
  95523. return false; /* read_callback_ sets the state for us */
  95524. partitioned_rice_contents->raw_bits[partition] = rice_parameter;
  95525. for(u = (partition_order == 0 || partition > 0)? 0 : predictor_order; u < partition_samples; u++, sample++) {
  95526. if(!FLAC__bitreader_read_raw_int32(decoder->private_->input, (FLAC__int32*) &i, rice_parameter))
  95527. return false; /* read_callback_ sets the state for us */
  95528. residual[sample] = i;
  95529. }
  95530. }
  95531. }
  95532. return true;
  95533. }
  95534. FLAC__bool read_zero_padding_(FLAC__StreamDecoder *decoder)
  95535. {
  95536. if(!FLAC__bitreader_is_consumed_byte_aligned(decoder->private_->input)) {
  95537. FLAC__uint32 zero = 0;
  95538. if(!FLAC__bitreader_read_raw_uint32(decoder->private_->input, &zero, FLAC__bitreader_bits_left_for_byte_alignment(decoder->private_->input)))
  95539. return false; /* read_callback_ sets the state for us */
  95540. if(zero != 0) {
  95541. send_error_to_client_(decoder, FLAC__STREAM_DECODER_ERROR_STATUS_LOST_SYNC);
  95542. decoder->protected_->state = FLAC__STREAM_DECODER_SEARCH_FOR_FRAME_SYNC;
  95543. }
  95544. }
  95545. return true;
  95546. }
  95547. FLAC__bool read_callback_(FLAC__byte buffer[], size_t *bytes, void *client_data)
  95548. {
  95549. FLAC__StreamDecoder *decoder = (FLAC__StreamDecoder *)client_data;
  95550. if(
  95551. #if FLAC__HAS_OGG
  95552. /* see [1] HACK NOTE below for why we don't call the eof_callback when decoding Ogg FLAC */
  95553. !decoder->private_->is_ogg &&
  95554. #endif
  95555. decoder->private_->eof_callback && decoder->private_->eof_callback(decoder, decoder->private_->client_data)
  95556. ) {
  95557. *bytes = 0;
  95558. decoder->protected_->state = FLAC__STREAM_DECODER_END_OF_STREAM;
  95559. return false;
  95560. }
  95561. else if(*bytes > 0) {
  95562. /* While seeking, it is possible for our seek to land in the
  95563. * middle of audio data that looks exactly like a frame header
  95564. * from a future version of an encoder. When that happens, our
  95565. * error callback will get an
  95566. * FLAC__STREAM_DECODER_UNPARSEABLE_STREAM and increment its
  95567. * unparseable_frame_count. But there is a remote possibility
  95568. * that it is properly synced at such a "future-codec frame",
  95569. * so to make sure, we wait to see many "unparseable" errors in
  95570. * a row before bailing out.
  95571. */
  95572. if(decoder->private_->is_seeking && decoder->private_->unparseable_frame_count > 20) {
  95573. decoder->protected_->state = FLAC__STREAM_DECODER_ABORTED;
  95574. return false;
  95575. }
  95576. else {
  95577. const FLAC__StreamDecoderReadStatus status =
  95578. #if FLAC__HAS_OGG
  95579. decoder->private_->is_ogg?
  95580. read_callback_ogg_aspect_(decoder, buffer, bytes) :
  95581. #endif
  95582. decoder->private_->read_callback(decoder, buffer, bytes, decoder->private_->client_data)
  95583. ;
  95584. if(status == FLAC__STREAM_DECODER_READ_STATUS_ABORT) {
  95585. decoder->protected_->state = FLAC__STREAM_DECODER_ABORTED;
  95586. return false;
  95587. }
  95588. else if(*bytes == 0) {
  95589. if(
  95590. status == FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM ||
  95591. (
  95592. #if FLAC__HAS_OGG
  95593. /* see [1] HACK NOTE below for why we don't call the eof_callback when decoding Ogg FLAC */
  95594. !decoder->private_->is_ogg &&
  95595. #endif
  95596. decoder->private_->eof_callback && decoder->private_->eof_callback(decoder, decoder->private_->client_data)
  95597. )
  95598. ) {
  95599. decoder->protected_->state = FLAC__STREAM_DECODER_END_OF_STREAM;
  95600. return false;
  95601. }
  95602. else
  95603. return true;
  95604. }
  95605. else
  95606. return true;
  95607. }
  95608. }
  95609. else {
  95610. /* abort to avoid a deadlock */
  95611. decoder->protected_->state = FLAC__STREAM_DECODER_ABORTED;
  95612. return false;
  95613. }
  95614. /* [1] @@@ HACK NOTE: The end-of-stream checking has to be hacked around
  95615. * for Ogg FLAC. This is because the ogg decoder aspect can lose sync
  95616. * and at the same time hit the end of the stream (for example, seeking
  95617. * to a point that is after the beginning of the last Ogg page). There
  95618. * is no way to report an Ogg sync loss through the callbacks (see note
  95619. * in read_callback_ogg_aspect_()) so it returns CONTINUE with *bytes==0.
  95620. * So to keep the decoder from stopping at this point we gate the call
  95621. * to the eof_callback and let the Ogg decoder aspect set the
  95622. * end-of-stream state when it is needed.
  95623. */
  95624. }
  95625. #if FLAC__HAS_OGG
  95626. FLAC__StreamDecoderReadStatus read_callback_ogg_aspect_(const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes)
  95627. {
  95628. switch(FLAC__ogg_decoder_aspect_read_callback_wrapper(&decoder->protected_->ogg_decoder_aspect, buffer, bytes, read_callback_proxy_, decoder, decoder->private_->client_data)) {
  95629. case FLAC__OGG_DECODER_ASPECT_READ_STATUS_OK:
  95630. return FLAC__STREAM_DECODER_READ_STATUS_CONTINUE;
  95631. /* we don't really have a way to handle lost sync via read
  95632. * callback so we'll let it pass and let the underlying
  95633. * FLAC decoder catch the error
  95634. */
  95635. case FLAC__OGG_DECODER_ASPECT_READ_STATUS_LOST_SYNC:
  95636. return FLAC__STREAM_DECODER_READ_STATUS_CONTINUE;
  95637. case FLAC__OGG_DECODER_ASPECT_READ_STATUS_END_OF_STREAM:
  95638. return FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM;
  95639. case FLAC__OGG_DECODER_ASPECT_READ_STATUS_NOT_FLAC:
  95640. case FLAC__OGG_DECODER_ASPECT_READ_STATUS_UNSUPPORTED_MAPPING_VERSION:
  95641. case FLAC__OGG_DECODER_ASPECT_READ_STATUS_ABORT:
  95642. case FLAC__OGG_DECODER_ASPECT_READ_STATUS_ERROR:
  95643. case FLAC__OGG_DECODER_ASPECT_READ_STATUS_MEMORY_ALLOCATION_ERROR:
  95644. return FLAC__STREAM_DECODER_READ_STATUS_ABORT;
  95645. default:
  95646. FLAC__ASSERT(0);
  95647. /* double protection */
  95648. return FLAC__STREAM_DECODER_READ_STATUS_ABORT;
  95649. }
  95650. }
  95651. FLAC__OggDecoderAspectReadStatus read_callback_proxy_(const void *void_decoder, FLAC__byte buffer[], size_t *bytes, void *client_data)
  95652. {
  95653. FLAC__StreamDecoder *decoder = (FLAC__StreamDecoder*)void_decoder;
  95654. switch(decoder->private_->read_callback(decoder, buffer, bytes, client_data)) {
  95655. case FLAC__STREAM_DECODER_READ_STATUS_CONTINUE:
  95656. return FLAC__OGG_DECODER_ASPECT_READ_STATUS_OK;
  95657. case FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM:
  95658. return FLAC__OGG_DECODER_ASPECT_READ_STATUS_END_OF_STREAM;
  95659. case FLAC__STREAM_DECODER_READ_STATUS_ABORT:
  95660. return FLAC__OGG_DECODER_ASPECT_READ_STATUS_ABORT;
  95661. default:
  95662. /* double protection: */
  95663. FLAC__ASSERT(0);
  95664. return FLAC__OGG_DECODER_ASPECT_READ_STATUS_ABORT;
  95665. }
  95666. }
  95667. #endif
  95668. FLAC__StreamDecoderWriteStatus write_audio_frame_to_client_(FLAC__StreamDecoder *decoder, const FLAC__Frame *frame, const FLAC__int32 * const buffer[])
  95669. {
  95670. if(decoder->private_->is_seeking) {
  95671. FLAC__uint64 this_frame_sample = frame->header.number.sample_number;
  95672. FLAC__uint64 next_frame_sample = this_frame_sample + (FLAC__uint64)frame->header.blocksize;
  95673. FLAC__uint64 target_sample = decoder->private_->target_sample;
  95674. FLAC__ASSERT(frame->header.number_type == FLAC__FRAME_NUMBER_TYPE_SAMPLE_NUMBER);
  95675. #if FLAC__HAS_OGG
  95676. decoder->private_->got_a_frame = true;
  95677. #endif
  95678. decoder->private_->last_frame = *frame; /* save the frame */
  95679. if(this_frame_sample <= target_sample && target_sample < next_frame_sample) { /* we hit our target frame */
  95680. unsigned delta = (unsigned)(target_sample - this_frame_sample);
  95681. /* kick out of seek mode */
  95682. decoder->private_->is_seeking = false;
  95683. /* shift out the samples before target_sample */
  95684. if(delta > 0) {
  95685. unsigned channel;
  95686. const FLAC__int32 *newbuffer[FLAC__MAX_CHANNELS];
  95687. for(channel = 0; channel < frame->header.channels; channel++)
  95688. newbuffer[channel] = buffer[channel] + delta;
  95689. decoder->private_->last_frame.header.blocksize -= delta;
  95690. decoder->private_->last_frame.header.number.sample_number += (FLAC__uint64)delta;
  95691. /* write the relevant samples */
  95692. return decoder->private_->write_callback(decoder, &decoder->private_->last_frame, newbuffer, decoder->private_->client_data);
  95693. }
  95694. else {
  95695. /* write the relevant samples */
  95696. return decoder->private_->write_callback(decoder, frame, buffer, decoder->private_->client_data);
  95697. }
  95698. }
  95699. else {
  95700. return FLAC__STREAM_DECODER_WRITE_STATUS_CONTINUE;
  95701. }
  95702. }
  95703. else {
  95704. /*
  95705. * If we never got STREAMINFO, turn off MD5 checking to save
  95706. * cycles since we don't have a sum to compare to anyway
  95707. */
  95708. if(!decoder->private_->has_stream_info)
  95709. decoder->private_->do_md5_checking = false;
  95710. if(decoder->private_->do_md5_checking) {
  95711. if(!FLAC__MD5Accumulate(&decoder->private_->md5context, buffer, frame->header.channels, frame->header.blocksize, (frame->header.bits_per_sample+7) / 8))
  95712. return FLAC__STREAM_DECODER_WRITE_STATUS_ABORT;
  95713. }
  95714. return decoder->private_->write_callback(decoder, frame, buffer, decoder->private_->client_data);
  95715. }
  95716. }
  95717. void send_error_to_client_(const FLAC__StreamDecoder *decoder, FLAC__StreamDecoderErrorStatus status)
  95718. {
  95719. if(!decoder->private_->is_seeking)
  95720. decoder->private_->error_callback(decoder, status, decoder->private_->client_data);
  95721. else if(status == FLAC__STREAM_DECODER_ERROR_STATUS_UNPARSEABLE_STREAM)
  95722. decoder->private_->unparseable_frame_count++;
  95723. }
  95724. FLAC__bool seek_to_absolute_sample_(FLAC__StreamDecoder *decoder, FLAC__uint64 stream_length, FLAC__uint64 target_sample)
  95725. {
  95726. FLAC__uint64 first_frame_offset = decoder->private_->first_frame_offset, lower_bound, upper_bound, lower_bound_sample, upper_bound_sample, this_frame_sample;
  95727. FLAC__int64 pos = -1;
  95728. int i;
  95729. unsigned approx_bytes_per_frame;
  95730. FLAC__bool first_seek = true;
  95731. const FLAC__uint64 total_samples = FLAC__stream_decoder_get_total_samples(decoder);
  95732. const unsigned min_blocksize = decoder->private_->stream_info.data.stream_info.min_blocksize;
  95733. const unsigned max_blocksize = decoder->private_->stream_info.data.stream_info.max_blocksize;
  95734. const unsigned max_framesize = decoder->private_->stream_info.data.stream_info.max_framesize;
  95735. const unsigned min_framesize = decoder->private_->stream_info.data.stream_info.min_framesize;
  95736. /* take these from the current frame in case they've changed mid-stream */
  95737. unsigned channels = FLAC__stream_decoder_get_channels(decoder);
  95738. unsigned bps = FLAC__stream_decoder_get_bits_per_sample(decoder);
  95739. const FLAC__StreamMetadata_SeekTable *seek_table = decoder->private_->has_seek_table? &decoder->private_->seek_table.data.seek_table : 0;
  95740. /* use values from stream info if we didn't decode a frame */
  95741. if(channels == 0)
  95742. channels = decoder->private_->stream_info.data.stream_info.channels;
  95743. if(bps == 0)
  95744. bps = decoder->private_->stream_info.data.stream_info.bits_per_sample;
  95745. /* we are just guessing here */
  95746. if(max_framesize > 0)
  95747. approx_bytes_per_frame = (max_framesize + min_framesize) / 2 + 1;
  95748. /*
  95749. * Check if it's a known fixed-blocksize stream. Note that though
  95750. * the spec doesn't allow zeroes in the STREAMINFO block, we may
  95751. * never get a STREAMINFO block when decoding so the value of
  95752. * min_blocksize might be zero.
  95753. */
  95754. else if(min_blocksize == max_blocksize && min_blocksize > 0) {
  95755. /* note there are no () around 'bps/8' to keep precision up since it's an integer calulation */
  95756. approx_bytes_per_frame = min_blocksize * channels * bps/8 + 64;
  95757. }
  95758. else
  95759. approx_bytes_per_frame = 4096 * channels * bps/8 + 64;
  95760. /*
  95761. * First, we set an upper and lower bound on where in the
  95762. * stream we will search. For now we assume the worst case
  95763. * scenario, which is our best guess at the beginning of
  95764. * the first frame and end of the stream.
  95765. */
  95766. lower_bound = first_frame_offset;
  95767. lower_bound_sample = 0;
  95768. upper_bound = stream_length;
  95769. upper_bound_sample = total_samples > 0 ? total_samples : target_sample /*estimate it*/;
  95770. /*
  95771. * Now we refine the bounds if we have a seektable with
  95772. * suitable points. Note that according to the spec they
  95773. * must be ordered by ascending sample number.
  95774. *
  95775. * Note: to protect against invalid seek tables we will ignore points
  95776. * that have frame_samples==0 or sample_number>=total_samples
  95777. */
  95778. if(seek_table) {
  95779. FLAC__uint64 new_lower_bound = lower_bound;
  95780. FLAC__uint64 new_upper_bound = upper_bound;
  95781. FLAC__uint64 new_lower_bound_sample = lower_bound_sample;
  95782. FLAC__uint64 new_upper_bound_sample = upper_bound_sample;
  95783. /* find the closest seek point <= target_sample, if it exists */
  95784. for(i = (int)seek_table->num_points - 1; i >= 0; i--) {
  95785. if(
  95786. seek_table->points[i].sample_number != FLAC__STREAM_METADATA_SEEKPOINT_PLACEHOLDER &&
  95787. seek_table->points[i].frame_samples > 0 && /* defense against bad seekpoints */
  95788. (total_samples <= 0 || seek_table->points[i].sample_number < total_samples) && /* defense against bad seekpoints */
  95789. seek_table->points[i].sample_number <= target_sample
  95790. )
  95791. break;
  95792. }
  95793. if(i >= 0) { /* i.e. we found a suitable seek point... */
  95794. new_lower_bound = first_frame_offset + seek_table->points[i].stream_offset;
  95795. new_lower_bound_sample = seek_table->points[i].sample_number;
  95796. }
  95797. /* find the closest seek point > target_sample, if it exists */
  95798. for(i = 0; i < (int)seek_table->num_points; i++) {
  95799. if(
  95800. seek_table->points[i].sample_number != FLAC__STREAM_METADATA_SEEKPOINT_PLACEHOLDER &&
  95801. seek_table->points[i].frame_samples > 0 && /* defense against bad seekpoints */
  95802. (total_samples <= 0 || seek_table->points[i].sample_number < total_samples) && /* defense against bad seekpoints */
  95803. seek_table->points[i].sample_number > target_sample
  95804. )
  95805. break;
  95806. }
  95807. if(i < (int)seek_table->num_points) { /* i.e. we found a suitable seek point... */
  95808. new_upper_bound = first_frame_offset + seek_table->points[i].stream_offset;
  95809. new_upper_bound_sample = seek_table->points[i].sample_number;
  95810. }
  95811. /* final protection against unsorted seek tables; keep original values if bogus */
  95812. if(new_upper_bound >= new_lower_bound) {
  95813. lower_bound = new_lower_bound;
  95814. upper_bound = new_upper_bound;
  95815. lower_bound_sample = new_lower_bound_sample;
  95816. upper_bound_sample = new_upper_bound_sample;
  95817. }
  95818. }
  95819. FLAC__ASSERT(upper_bound_sample >= lower_bound_sample);
  95820. /* there are 2 insidious ways that the following equality occurs, which
  95821. * we need to fix:
  95822. * 1) total_samples is 0 (unknown) and target_sample is 0
  95823. * 2) total_samples is 0 (unknown) and target_sample happens to be
  95824. * exactly equal to the last seek point in the seek table; this
  95825. * means there is no seek point above it, and upper_bound_samples
  95826. * remains equal to the estimate (of target_samples) we made above
  95827. * in either case it does not hurt to move upper_bound_sample up by 1
  95828. */
  95829. if(upper_bound_sample == lower_bound_sample)
  95830. upper_bound_sample++;
  95831. decoder->private_->target_sample = target_sample;
  95832. while(1) {
  95833. /* check if the bounds are still ok */
  95834. if (lower_bound_sample >= upper_bound_sample || lower_bound > upper_bound) {
  95835. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95836. return false;
  95837. }
  95838. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  95839. #if defined _MSC_VER || defined __MINGW32__
  95840. /* with VC++ you have to spoon feed it the casting */
  95841. pos = (FLAC__int64)lower_bound + (FLAC__int64)((FLAC__double)(FLAC__int64)(target_sample - lower_bound_sample) / (FLAC__double)(FLAC__int64)(upper_bound_sample - lower_bound_sample) * (FLAC__double)(FLAC__int64)(upper_bound - lower_bound)) - approx_bytes_per_frame;
  95842. #else
  95843. pos = (FLAC__int64)lower_bound + (FLAC__int64)((FLAC__double)(target_sample - lower_bound_sample) / (FLAC__double)(upper_bound_sample - lower_bound_sample) * (FLAC__double)(upper_bound - lower_bound)) - approx_bytes_per_frame;
  95844. #endif
  95845. #else
  95846. /* a little less accurate: */
  95847. if(upper_bound - lower_bound < 0xffffffff)
  95848. pos = (FLAC__int64)lower_bound + (FLAC__int64)(((target_sample - lower_bound_sample) * (upper_bound - lower_bound)) / (upper_bound_sample - lower_bound_sample)) - approx_bytes_per_frame;
  95849. else /* @@@ WATCHOUT, ~2TB limit */
  95850. pos = (FLAC__int64)lower_bound + (FLAC__int64)((((target_sample - lower_bound_sample)>>8) * ((upper_bound - lower_bound)>>8)) / ((upper_bound_sample - lower_bound_sample)>>16)) - approx_bytes_per_frame;
  95851. #endif
  95852. if(pos >= (FLAC__int64)upper_bound)
  95853. pos = (FLAC__int64)upper_bound - 1;
  95854. if(pos < (FLAC__int64)lower_bound)
  95855. pos = (FLAC__int64)lower_bound;
  95856. if(decoder->private_->seek_callback(decoder, (FLAC__uint64)pos, decoder->private_->client_data) != FLAC__STREAM_DECODER_SEEK_STATUS_OK) {
  95857. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95858. return false;
  95859. }
  95860. if(!FLAC__stream_decoder_flush(decoder)) {
  95861. /* above call sets the state for us */
  95862. return false;
  95863. }
  95864. /* Now we need to get a frame. First we need to reset our
  95865. * unparseable_frame_count; if we get too many unparseable
  95866. * frames in a row, the read callback will return
  95867. * FLAC__STREAM_DECODER_READ_STATUS_ABORT, causing
  95868. * FLAC__stream_decoder_process_single() to return false.
  95869. */
  95870. decoder->private_->unparseable_frame_count = 0;
  95871. if(!FLAC__stream_decoder_process_single(decoder)) {
  95872. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95873. return false;
  95874. }
  95875. /* our write callback will change the state when it gets to the target frame */
  95876. /* actually, we could have got_a_frame if our decoder is at FLAC__STREAM_DECODER_END_OF_STREAM so we need to check for that also */
  95877. #if 0
  95878. /*@@@@@@ used to be the following; not clear if the check for end of stream is needed anymore */
  95879. if(decoder->protected_->state != FLAC__SEEKABLE_STREAM_DECODER_SEEKING && decoder->protected_->state != FLAC__STREAM_DECODER_END_OF_STREAM)
  95880. break;
  95881. #endif
  95882. if(!decoder->private_->is_seeking)
  95883. break;
  95884. FLAC__ASSERT(decoder->private_->last_frame.header.number_type == FLAC__FRAME_NUMBER_TYPE_SAMPLE_NUMBER);
  95885. this_frame_sample = decoder->private_->last_frame.header.number.sample_number;
  95886. if (0 == decoder->private_->samples_decoded || (this_frame_sample + decoder->private_->last_frame.header.blocksize >= upper_bound_sample && !first_seek)) {
  95887. if (pos == (FLAC__int64)lower_bound) {
  95888. /* can't move back any more than the first frame, something is fatally wrong */
  95889. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95890. return false;
  95891. }
  95892. /* our last move backwards wasn't big enough, try again */
  95893. approx_bytes_per_frame = approx_bytes_per_frame? approx_bytes_per_frame * 2 : 16;
  95894. continue;
  95895. }
  95896. /* allow one seek over upper bound, so we can get a correct upper_bound_sample for streams with unknown total_samples */
  95897. first_seek = false;
  95898. /* make sure we are not seeking in corrupted stream */
  95899. if (this_frame_sample < lower_bound_sample) {
  95900. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95901. return false;
  95902. }
  95903. /* we need to narrow the search */
  95904. if(target_sample < this_frame_sample) {
  95905. upper_bound_sample = this_frame_sample + decoder->private_->last_frame.header.blocksize;
  95906. /*@@@@@@ what will decode position be if at end of stream? */
  95907. if(!FLAC__stream_decoder_get_decode_position(decoder, &upper_bound)) {
  95908. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95909. return false;
  95910. }
  95911. approx_bytes_per_frame = (unsigned)(2 * (upper_bound - pos) / 3 + 16);
  95912. }
  95913. else { /* target_sample >= this_frame_sample + this frame's blocksize */
  95914. lower_bound_sample = this_frame_sample + decoder->private_->last_frame.header.blocksize;
  95915. if(!FLAC__stream_decoder_get_decode_position(decoder, &lower_bound)) {
  95916. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95917. return false;
  95918. }
  95919. approx_bytes_per_frame = (unsigned)(2 * (lower_bound - pos) / 3 + 16);
  95920. }
  95921. }
  95922. return true;
  95923. }
  95924. #if FLAC__HAS_OGG
  95925. FLAC__bool seek_to_absolute_sample_ogg_(FLAC__StreamDecoder *decoder, FLAC__uint64 stream_length, FLAC__uint64 target_sample)
  95926. {
  95927. FLAC__uint64 left_pos = 0, right_pos = stream_length;
  95928. FLAC__uint64 left_sample = 0, right_sample = FLAC__stream_decoder_get_total_samples(decoder);
  95929. FLAC__uint64 this_frame_sample = (FLAC__uint64)0 - 1;
  95930. FLAC__uint64 pos = 0; /* only initialized to avoid compiler warning */
  95931. FLAC__bool did_a_seek;
  95932. unsigned iteration = 0;
  95933. /* In the first iterations, we will calculate the target byte position
  95934. * by the distance from the target sample to left_sample and
  95935. * right_sample (let's call it "proportional search"). After that, we
  95936. * will switch to binary search.
  95937. */
  95938. unsigned BINARY_SEARCH_AFTER_ITERATION = 2;
  95939. /* We will switch to a linear search once our current sample is less
  95940. * than this number of samples ahead of the target sample
  95941. */
  95942. static const FLAC__uint64 LINEAR_SEARCH_WITHIN_SAMPLES = FLAC__MAX_BLOCK_SIZE * 2;
  95943. /* If the total number of samples is unknown, use a large value, and
  95944. * force binary search immediately.
  95945. */
  95946. if(right_sample == 0) {
  95947. right_sample = (FLAC__uint64)(-1);
  95948. BINARY_SEARCH_AFTER_ITERATION = 0;
  95949. }
  95950. decoder->private_->target_sample = target_sample;
  95951. for( ; ; iteration++) {
  95952. if (iteration == 0 || this_frame_sample > target_sample || target_sample - this_frame_sample > LINEAR_SEARCH_WITHIN_SAMPLES) {
  95953. if (iteration >= BINARY_SEARCH_AFTER_ITERATION) {
  95954. pos = (right_pos + left_pos) / 2;
  95955. }
  95956. else {
  95957. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  95958. #if defined _MSC_VER || defined __MINGW32__
  95959. /* with MSVC you have to spoon feed it the casting */
  95960. pos = (FLAC__uint64)((FLAC__double)(FLAC__int64)(target_sample - left_sample) / (FLAC__double)(FLAC__int64)(right_sample - left_sample) * (FLAC__double)(FLAC__int64)(right_pos - left_pos));
  95961. #else
  95962. pos = (FLAC__uint64)((FLAC__double)(target_sample - left_sample) / (FLAC__double)(right_sample - left_sample) * (FLAC__double)(right_pos - left_pos));
  95963. #endif
  95964. #else
  95965. /* a little less accurate: */
  95966. if ((target_sample-left_sample <= 0xffffffff) && (right_pos-left_pos <= 0xffffffff))
  95967. pos = (FLAC__int64)(((target_sample-left_sample) * (right_pos-left_pos)) / (right_sample-left_sample));
  95968. else /* @@@ WATCHOUT, ~2TB limit */
  95969. pos = (FLAC__int64)((((target_sample-left_sample)>>8) * ((right_pos-left_pos)>>8)) / ((right_sample-left_sample)>>16));
  95970. #endif
  95971. /* @@@ TODO: might want to limit pos to some distance
  95972. * before EOF, to make sure we land before the last frame,
  95973. * thereby getting a this_frame_sample and so having a better
  95974. * estimate.
  95975. */
  95976. }
  95977. /* physical seek */
  95978. if(decoder->private_->seek_callback((FLAC__StreamDecoder*)decoder, (FLAC__uint64)pos, decoder->private_->client_data) != FLAC__STREAM_DECODER_SEEK_STATUS_OK) {
  95979. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95980. return false;
  95981. }
  95982. if(!FLAC__stream_decoder_flush(decoder)) {
  95983. /* above call sets the state for us */
  95984. return false;
  95985. }
  95986. did_a_seek = true;
  95987. }
  95988. else
  95989. did_a_seek = false;
  95990. decoder->private_->got_a_frame = false;
  95991. if(!FLAC__stream_decoder_process_single(decoder)) {
  95992. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  95993. return false;
  95994. }
  95995. if(!decoder->private_->got_a_frame) {
  95996. if(did_a_seek) {
  95997. /* this can happen if we seek to a point after the last frame; we drop
  95998. * to binary search right away in this case to avoid any wasted
  95999. * iterations of proportional search.
  96000. */
  96001. right_pos = pos;
  96002. BINARY_SEARCH_AFTER_ITERATION = 0;
  96003. }
  96004. else {
  96005. /* this can probably only happen if total_samples is unknown and the
  96006. * target_sample is past the end of the stream
  96007. */
  96008. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  96009. return false;
  96010. }
  96011. }
  96012. /* our write callback will change the state when it gets to the target frame */
  96013. else if(!decoder->private_->is_seeking) {
  96014. break;
  96015. }
  96016. else {
  96017. this_frame_sample = decoder->private_->last_frame.header.number.sample_number;
  96018. FLAC__ASSERT(decoder->private_->last_frame.header.number_type == FLAC__FRAME_NUMBER_TYPE_SAMPLE_NUMBER);
  96019. if (did_a_seek) {
  96020. if (this_frame_sample <= target_sample) {
  96021. /* The 'equal' case should not happen, since
  96022. * FLAC__stream_decoder_process_single()
  96023. * should recognize that it has hit the
  96024. * target sample and we would exit through
  96025. * the 'break' above.
  96026. */
  96027. FLAC__ASSERT(this_frame_sample != target_sample);
  96028. left_sample = this_frame_sample;
  96029. /* sanity check to avoid infinite loop */
  96030. if (left_pos == pos) {
  96031. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  96032. return false;
  96033. }
  96034. left_pos = pos;
  96035. }
  96036. else if(this_frame_sample > target_sample) {
  96037. right_sample = this_frame_sample;
  96038. /* sanity check to avoid infinite loop */
  96039. if (right_pos == pos) {
  96040. decoder->protected_->state = FLAC__STREAM_DECODER_SEEK_ERROR;
  96041. return false;
  96042. }
  96043. right_pos = pos;
  96044. }
  96045. }
  96046. }
  96047. }
  96048. return true;
  96049. }
  96050. #endif
  96051. FLAC__StreamDecoderReadStatus file_read_callback_dec(const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes, void *client_data)
  96052. {
  96053. (void)client_data;
  96054. if(*bytes > 0) {
  96055. *bytes = fread(buffer, sizeof(FLAC__byte), *bytes, decoder->private_->file);
  96056. if(ferror(decoder->private_->file))
  96057. return FLAC__STREAM_DECODER_READ_STATUS_ABORT;
  96058. else if(*bytes == 0)
  96059. return FLAC__STREAM_DECODER_READ_STATUS_END_OF_STREAM;
  96060. else
  96061. return FLAC__STREAM_DECODER_READ_STATUS_CONTINUE;
  96062. }
  96063. else
  96064. return FLAC__STREAM_DECODER_READ_STATUS_ABORT; /* abort to avoid a deadlock */
  96065. }
  96066. FLAC__StreamDecoderSeekStatus file_seek_callback_dec(const FLAC__StreamDecoder *decoder, FLAC__uint64 absolute_byte_offset, void *client_data)
  96067. {
  96068. (void)client_data;
  96069. if(decoder->private_->file == stdin)
  96070. return FLAC__STREAM_DECODER_SEEK_STATUS_UNSUPPORTED;
  96071. else if(fseeko(decoder->private_->file, (off_t)absolute_byte_offset, SEEK_SET) < 0)
  96072. return FLAC__STREAM_DECODER_SEEK_STATUS_ERROR;
  96073. else
  96074. return FLAC__STREAM_DECODER_SEEK_STATUS_OK;
  96075. }
  96076. FLAC__StreamDecoderTellStatus file_tell_callback_dec(const FLAC__StreamDecoder *decoder, FLAC__uint64 *absolute_byte_offset, void *client_data)
  96077. {
  96078. off_t pos;
  96079. (void)client_data;
  96080. if(decoder->private_->file == stdin)
  96081. return FLAC__STREAM_DECODER_TELL_STATUS_UNSUPPORTED;
  96082. else if((pos = ftello(decoder->private_->file)) < 0)
  96083. return FLAC__STREAM_DECODER_TELL_STATUS_ERROR;
  96084. else {
  96085. *absolute_byte_offset = (FLAC__uint64)pos;
  96086. return FLAC__STREAM_DECODER_TELL_STATUS_OK;
  96087. }
  96088. }
  96089. FLAC__StreamDecoderLengthStatus file_length_callback_(const FLAC__StreamDecoder *decoder, FLAC__uint64 *stream_length, void *client_data)
  96090. {
  96091. struct stat filestats;
  96092. (void)client_data;
  96093. if(decoder->private_->file == stdin)
  96094. return FLAC__STREAM_DECODER_LENGTH_STATUS_UNSUPPORTED;
  96095. else if(fstat(fileno(decoder->private_->file), &filestats) != 0)
  96096. return FLAC__STREAM_DECODER_LENGTH_STATUS_ERROR;
  96097. else {
  96098. *stream_length = (FLAC__uint64)filestats.st_size;
  96099. return FLAC__STREAM_DECODER_LENGTH_STATUS_OK;
  96100. }
  96101. }
  96102. FLAC__bool file_eof_callback_(const FLAC__StreamDecoder *decoder, void *client_data)
  96103. {
  96104. (void)client_data;
  96105. return feof(decoder->private_->file)? true : false;
  96106. }
  96107. #endif
  96108. /********* End of inlined file: stream_decoder.c *********/
  96109. /********* Start of inlined file: stream_encoder.c *********/
  96110. /********* Start of inlined file: juce_FlacHeader.h *********/
  96111. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  96112. // tasks..
  96113. #define VERSION "1.2.1"
  96114. #define FLAC__NO_DLL 1
  96115. #ifdef _MSC_VER
  96116. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  96117. #endif
  96118. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  96119. #define FLAC__SYS_DARWIN 1
  96120. #endif
  96121. /********* End of inlined file: juce_FlacHeader.h *********/
  96122. #if JUCE_USE_FLAC
  96123. #if HAVE_CONFIG_H
  96124. # include <config.h>
  96125. #endif
  96126. #if defined _MSC_VER || defined __MINGW32__
  96127. #include <io.h> /* for _setmode() */
  96128. #include <fcntl.h> /* for _O_BINARY */
  96129. #endif
  96130. #if defined __CYGWIN__ || defined __EMX__
  96131. #include <io.h> /* for setmode(), O_BINARY */
  96132. #include <fcntl.h> /* for _O_BINARY */
  96133. #endif
  96134. #include <limits.h>
  96135. #include <stdio.h>
  96136. #include <stdlib.h> /* for malloc() */
  96137. #include <string.h> /* for memcpy() */
  96138. #include <sys/types.h> /* for off_t */
  96139. #if defined _MSC_VER || defined __BORLANDC__ || defined __MINGW32__
  96140. #if _MSC_VER <= 1600 || defined __BORLANDC__ /* @@@ [2G limit] */
  96141. #define fseeko fseek
  96142. #define ftello ftell
  96143. #endif
  96144. #endif
  96145. /********* Start of inlined file: stream_encoder.h *********/
  96146. #ifndef FLAC__PROTECTED__STREAM_ENCODER_H
  96147. #define FLAC__PROTECTED__STREAM_ENCODER_H
  96148. #if FLAC__HAS_OGG
  96149. #include "private/ogg_encoder_aspect.h"
  96150. #endif
  96151. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96152. #define FLAC__MAX_APODIZATION_FUNCTIONS 32
  96153. typedef enum {
  96154. FLAC__APODIZATION_BARTLETT,
  96155. FLAC__APODIZATION_BARTLETT_HANN,
  96156. FLAC__APODIZATION_BLACKMAN,
  96157. FLAC__APODIZATION_BLACKMAN_HARRIS_4TERM_92DB_SIDELOBE,
  96158. FLAC__APODIZATION_CONNES,
  96159. FLAC__APODIZATION_FLATTOP,
  96160. FLAC__APODIZATION_GAUSS,
  96161. FLAC__APODIZATION_HAMMING,
  96162. FLAC__APODIZATION_HANN,
  96163. FLAC__APODIZATION_KAISER_BESSEL,
  96164. FLAC__APODIZATION_NUTTALL,
  96165. FLAC__APODIZATION_RECTANGLE,
  96166. FLAC__APODIZATION_TRIANGLE,
  96167. FLAC__APODIZATION_TUKEY,
  96168. FLAC__APODIZATION_WELCH
  96169. } FLAC__ApodizationFunction;
  96170. typedef struct {
  96171. FLAC__ApodizationFunction type;
  96172. union {
  96173. struct {
  96174. FLAC__real stddev;
  96175. } gauss;
  96176. struct {
  96177. FLAC__real p;
  96178. } tukey;
  96179. } parameters;
  96180. } FLAC__ApodizationSpecification;
  96181. #endif // #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96182. typedef struct FLAC__StreamEncoderProtected {
  96183. FLAC__StreamEncoderState state;
  96184. FLAC__bool verify;
  96185. FLAC__bool streamable_subset;
  96186. FLAC__bool do_md5;
  96187. FLAC__bool do_mid_side_stereo;
  96188. FLAC__bool loose_mid_side_stereo;
  96189. unsigned channels;
  96190. unsigned bits_per_sample;
  96191. unsigned sample_rate;
  96192. unsigned blocksize;
  96193. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96194. unsigned num_apodizations;
  96195. FLAC__ApodizationSpecification apodizations[FLAC__MAX_APODIZATION_FUNCTIONS];
  96196. #endif
  96197. unsigned max_lpc_order;
  96198. unsigned qlp_coeff_precision;
  96199. FLAC__bool do_qlp_coeff_prec_search;
  96200. FLAC__bool do_exhaustive_model_search;
  96201. FLAC__bool do_escape_coding;
  96202. unsigned min_residual_partition_order;
  96203. unsigned max_residual_partition_order;
  96204. unsigned rice_parameter_search_dist;
  96205. FLAC__uint64 total_samples_estimate;
  96206. FLAC__StreamMetadata **metadata;
  96207. unsigned num_metadata_blocks;
  96208. FLAC__uint64 streaminfo_offset, seektable_offset, audio_offset;
  96209. #if FLAC__HAS_OGG
  96210. FLAC__OggEncoderAspect ogg_encoder_aspect;
  96211. #endif
  96212. } FLAC__StreamEncoderProtected;
  96213. #endif
  96214. /********* End of inlined file: stream_encoder.h *********/
  96215. #if FLAC__HAS_OGG
  96216. #include "include/private/ogg_helper.h"
  96217. #include "include/private/ogg_mapping.h"
  96218. #endif
  96219. /********* Start of inlined file: stream_encoder_framing.h *********/
  96220. #ifndef FLAC__PRIVATE__STREAM_ENCODER_FRAMING_H
  96221. #define FLAC__PRIVATE__STREAM_ENCODER_FRAMING_H
  96222. FLAC__bool FLAC__add_metadata_block(const FLAC__StreamMetadata *metadata, FLAC__BitWriter *bw);
  96223. FLAC__bool FLAC__frame_add_header(const FLAC__FrameHeader *header, FLAC__BitWriter *bw);
  96224. FLAC__bool FLAC__subframe_add_constant(const FLAC__Subframe_Constant *subframe, unsigned subframe_bps, unsigned wasted_bits, FLAC__BitWriter *bw);
  96225. FLAC__bool FLAC__subframe_add_fixed(const FLAC__Subframe_Fixed *subframe, unsigned residual_samples, unsigned subframe_bps, unsigned wasted_bits, FLAC__BitWriter *bw);
  96226. FLAC__bool FLAC__subframe_add_lpc(const FLAC__Subframe_LPC *subframe, unsigned residual_samples, unsigned subframe_bps, unsigned wasted_bits, FLAC__BitWriter *bw);
  96227. FLAC__bool FLAC__subframe_add_verbatim(const FLAC__Subframe_Verbatim *subframe, unsigned samples, unsigned subframe_bps, unsigned wasted_bits, FLAC__BitWriter *bw);
  96228. #endif
  96229. /********* End of inlined file: stream_encoder_framing.h *********/
  96230. /********* Start of inlined file: window.h *********/
  96231. #ifndef FLAC__PRIVATE__WINDOW_H
  96232. #define FLAC__PRIVATE__WINDOW_H
  96233. #ifdef HAVE_CONFIG_H
  96234. #include <config.h>
  96235. #endif
  96236. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96237. /*
  96238. * FLAC__window_*()
  96239. * --------------------------------------------------------------------
  96240. * Calculates window coefficients according to different apodization
  96241. * functions.
  96242. *
  96243. * OUT window[0,L-1]
  96244. * IN L (number of points in window)
  96245. */
  96246. void FLAC__window_bartlett(FLAC__real *window, const FLAC__int32 L);
  96247. void FLAC__window_bartlett_hann(FLAC__real *window, const FLAC__int32 L);
  96248. void FLAC__window_blackman(FLAC__real *window, const FLAC__int32 L);
  96249. void FLAC__window_blackman_harris_4term_92db_sidelobe(FLAC__real *window, const FLAC__int32 L);
  96250. void FLAC__window_connes(FLAC__real *window, const FLAC__int32 L);
  96251. void FLAC__window_flattop(FLAC__real *window, const FLAC__int32 L);
  96252. void FLAC__window_gauss(FLAC__real *window, const FLAC__int32 L, const FLAC__real stddev); /* 0.0 < stddev <= 0.5 */
  96253. void FLAC__window_hamming(FLAC__real *window, const FLAC__int32 L);
  96254. void FLAC__window_hann(FLAC__real *window, const FLAC__int32 L);
  96255. void FLAC__window_kaiser_bessel(FLAC__real *window, const FLAC__int32 L);
  96256. void FLAC__window_nuttall(FLAC__real *window, const FLAC__int32 L);
  96257. void FLAC__window_rectangle(FLAC__real *window, const FLAC__int32 L);
  96258. void FLAC__window_triangle(FLAC__real *window, const FLAC__int32 L);
  96259. void FLAC__window_tukey(FLAC__real *window, const FLAC__int32 L, const FLAC__real p);
  96260. void FLAC__window_welch(FLAC__real *window, const FLAC__int32 L);
  96261. #endif /* !defined FLAC__INTEGER_ONLY_LIBRARY */
  96262. #endif
  96263. /********* End of inlined file: window.h *********/
  96264. #ifndef FLaC__INLINE
  96265. #define FLaC__INLINE
  96266. #endif
  96267. #ifdef min
  96268. #undef min
  96269. #endif
  96270. #define min(x,y) ((x)<(y)?(x):(y))
  96271. #ifdef max
  96272. #undef max
  96273. #endif
  96274. #define max(x,y) ((x)>(y)?(x):(y))
  96275. /* Exact Rice codeword length calculation is off by default. The simple
  96276. * (and fast) estimation (of how many bits a residual value will be
  96277. * encoded with) in this encoder is very good, almost always yielding
  96278. * compression within 0.1% of exact calculation.
  96279. */
  96280. #undef EXACT_RICE_BITS_CALCULATION
  96281. /* Rice parameter searching is off by default. The simple (and fast)
  96282. * parameter estimation in this encoder is very good, almost always
  96283. * yielding compression within 0.1% of the optimal parameters.
  96284. */
  96285. #undef ENABLE_RICE_PARAMETER_SEARCH
  96286. typedef struct {
  96287. FLAC__int32 *data[FLAC__MAX_CHANNELS];
  96288. unsigned size; /* of each data[] in samples */
  96289. unsigned tail;
  96290. } verify_input_fifo;
  96291. typedef struct {
  96292. const FLAC__byte *data;
  96293. unsigned capacity;
  96294. unsigned bytes;
  96295. } verify_output;
  96296. typedef enum {
  96297. ENCODER_IN_MAGIC = 0,
  96298. ENCODER_IN_METADATA = 1,
  96299. ENCODER_IN_AUDIO = 2
  96300. } EncoderStateHint;
  96301. static struct CompressionLevels {
  96302. FLAC__bool do_mid_side_stereo;
  96303. FLAC__bool loose_mid_side_stereo;
  96304. unsigned max_lpc_order;
  96305. unsigned qlp_coeff_precision;
  96306. FLAC__bool do_qlp_coeff_prec_search;
  96307. FLAC__bool do_escape_coding;
  96308. FLAC__bool do_exhaustive_model_search;
  96309. unsigned min_residual_partition_order;
  96310. unsigned max_residual_partition_order;
  96311. unsigned rice_parameter_search_dist;
  96312. } compression_levels_[] = {
  96313. { false, false, 0, 0, false, false, false, 0, 3, 0 },
  96314. { true , true , 0, 0, false, false, false, 0, 3, 0 },
  96315. { true , false, 0, 0, false, false, false, 0, 3, 0 },
  96316. { false, false, 6, 0, false, false, false, 0, 4, 0 },
  96317. { true , true , 8, 0, false, false, false, 0, 4, 0 },
  96318. { true , false, 8, 0, false, false, false, 0, 5, 0 },
  96319. { true , false, 8, 0, false, false, false, 0, 6, 0 },
  96320. { true , false, 8, 0, false, false, true , 0, 6, 0 },
  96321. { true , false, 12, 0, false, false, true , 0, 6, 0 }
  96322. };
  96323. /***********************************************************************
  96324. *
  96325. * Private class method prototypes
  96326. *
  96327. ***********************************************************************/
  96328. static void set_defaults_enc(FLAC__StreamEncoder *encoder);
  96329. static void free_(FLAC__StreamEncoder *encoder);
  96330. static FLAC__bool resize_buffers_(FLAC__StreamEncoder *encoder, unsigned new_blocksize);
  96331. static FLAC__bool write_bitbuffer_(FLAC__StreamEncoder *encoder, unsigned samples, FLAC__bool is_last_block);
  96332. static FLAC__StreamEncoderWriteStatus write_frame_(FLAC__StreamEncoder *encoder, const FLAC__byte buffer[], size_t bytes, unsigned samples, FLAC__bool is_last_block);
  96333. static void update_metadata_(const FLAC__StreamEncoder *encoder);
  96334. #if FLAC__HAS_OGG
  96335. static void update_ogg_metadata_(FLAC__StreamEncoder *encoder);
  96336. #endif
  96337. static FLAC__bool process_frame_(FLAC__StreamEncoder *encoder, FLAC__bool is_fractional_block, FLAC__bool is_last_block);
  96338. static FLAC__bool process_subframes_(FLAC__StreamEncoder *encoder, FLAC__bool is_fractional_block);
  96339. static FLAC__bool process_subframe_(
  96340. FLAC__StreamEncoder *encoder,
  96341. unsigned min_partition_order,
  96342. unsigned max_partition_order,
  96343. const FLAC__FrameHeader *frame_header,
  96344. unsigned subframe_bps,
  96345. const FLAC__int32 integer_signal[],
  96346. FLAC__Subframe *subframe[2],
  96347. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents[2],
  96348. FLAC__int32 *residual[2],
  96349. unsigned *best_subframe,
  96350. unsigned *best_bits
  96351. );
  96352. static FLAC__bool add_subframe_(
  96353. FLAC__StreamEncoder *encoder,
  96354. unsigned blocksize,
  96355. unsigned subframe_bps,
  96356. const FLAC__Subframe *subframe,
  96357. FLAC__BitWriter *frame
  96358. );
  96359. static unsigned evaluate_constant_subframe_(
  96360. FLAC__StreamEncoder *encoder,
  96361. const FLAC__int32 signal,
  96362. unsigned blocksize,
  96363. unsigned subframe_bps,
  96364. FLAC__Subframe *subframe
  96365. );
  96366. static unsigned evaluate_fixed_subframe_(
  96367. FLAC__StreamEncoder *encoder,
  96368. const FLAC__int32 signal[],
  96369. FLAC__int32 residual[],
  96370. FLAC__uint64 abs_residual_partition_sums[],
  96371. unsigned raw_bits_per_partition[],
  96372. unsigned blocksize,
  96373. unsigned subframe_bps,
  96374. unsigned order,
  96375. unsigned rice_parameter,
  96376. unsigned rice_parameter_limit,
  96377. unsigned min_partition_order,
  96378. unsigned max_partition_order,
  96379. FLAC__bool do_escape_coding,
  96380. unsigned rice_parameter_search_dist,
  96381. FLAC__Subframe *subframe,
  96382. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents
  96383. );
  96384. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96385. static unsigned evaluate_lpc_subframe_(
  96386. FLAC__StreamEncoder *encoder,
  96387. const FLAC__int32 signal[],
  96388. FLAC__int32 residual[],
  96389. FLAC__uint64 abs_residual_partition_sums[],
  96390. unsigned raw_bits_per_partition[],
  96391. const FLAC__real lp_coeff[],
  96392. unsigned blocksize,
  96393. unsigned subframe_bps,
  96394. unsigned order,
  96395. unsigned qlp_coeff_precision,
  96396. unsigned rice_parameter,
  96397. unsigned rice_parameter_limit,
  96398. unsigned min_partition_order,
  96399. unsigned max_partition_order,
  96400. FLAC__bool do_escape_coding,
  96401. unsigned rice_parameter_search_dist,
  96402. FLAC__Subframe *subframe,
  96403. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents
  96404. );
  96405. #endif
  96406. static unsigned evaluate_verbatim_subframe_(
  96407. FLAC__StreamEncoder *encoder,
  96408. const FLAC__int32 signal[],
  96409. unsigned blocksize,
  96410. unsigned subframe_bps,
  96411. FLAC__Subframe *subframe
  96412. );
  96413. static unsigned find_best_partition_order_(
  96414. struct FLAC__StreamEncoderPrivate *private_,
  96415. const FLAC__int32 residual[],
  96416. FLAC__uint64 abs_residual_partition_sums[],
  96417. unsigned raw_bits_per_partition[],
  96418. unsigned residual_samples,
  96419. unsigned predictor_order,
  96420. unsigned rice_parameter,
  96421. unsigned rice_parameter_limit,
  96422. unsigned min_partition_order,
  96423. unsigned max_partition_order,
  96424. unsigned bps,
  96425. FLAC__bool do_escape_coding,
  96426. unsigned rice_parameter_search_dist,
  96427. FLAC__EntropyCodingMethod *best_ecm
  96428. );
  96429. static void precompute_partition_info_sums_(
  96430. const FLAC__int32 residual[],
  96431. FLAC__uint64 abs_residual_partition_sums[],
  96432. unsigned residual_samples,
  96433. unsigned predictor_order,
  96434. unsigned min_partition_order,
  96435. unsigned max_partition_order,
  96436. unsigned bps
  96437. );
  96438. static void precompute_partition_info_escapes_(
  96439. const FLAC__int32 residual[],
  96440. unsigned raw_bits_per_partition[],
  96441. unsigned residual_samples,
  96442. unsigned predictor_order,
  96443. unsigned min_partition_order,
  96444. unsigned max_partition_order
  96445. );
  96446. static FLAC__bool set_partitioned_rice_(
  96447. #ifdef EXACT_RICE_BITS_CALCULATION
  96448. const FLAC__int32 residual[],
  96449. #endif
  96450. const FLAC__uint64 abs_residual_partition_sums[],
  96451. const unsigned raw_bits_per_partition[],
  96452. const unsigned residual_samples,
  96453. const unsigned predictor_order,
  96454. const unsigned suggested_rice_parameter,
  96455. const unsigned rice_parameter_limit,
  96456. const unsigned rice_parameter_search_dist,
  96457. const unsigned partition_order,
  96458. const FLAC__bool search_for_escapes,
  96459. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents,
  96460. unsigned *bits
  96461. );
  96462. static unsigned get_wasted_bits_(FLAC__int32 signal[], unsigned samples);
  96463. /* verify-related routines: */
  96464. static void append_to_verify_fifo_(
  96465. verify_input_fifo *fifo,
  96466. const FLAC__int32 * const input[],
  96467. unsigned input_offset,
  96468. unsigned channels,
  96469. unsigned wide_samples
  96470. );
  96471. static void append_to_verify_fifo_interleaved_(
  96472. verify_input_fifo *fifo,
  96473. const FLAC__int32 input[],
  96474. unsigned input_offset,
  96475. unsigned channels,
  96476. unsigned wide_samples
  96477. );
  96478. static FLAC__StreamDecoderReadStatus verify_read_callback_(const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes, void *client_data);
  96479. static FLAC__StreamDecoderWriteStatus verify_write_callback_(const FLAC__StreamDecoder *decoder, const FLAC__Frame *frame, const FLAC__int32 * const buffer[], void *client_data);
  96480. static void verify_metadata_callback_(const FLAC__StreamDecoder *decoder, const FLAC__StreamMetadata *metadata, void *client_data);
  96481. static void verify_error_callback_(const FLAC__StreamDecoder *decoder, FLAC__StreamDecoderErrorStatus status, void *client_data);
  96482. static FLAC__StreamEncoderReadStatus file_read_callback_enc(const FLAC__StreamEncoder *encoder, FLAC__byte buffer[], size_t *bytes, void *client_data);
  96483. static FLAC__StreamEncoderSeekStatus file_seek_callback_enc(const FLAC__StreamEncoder *encoder, FLAC__uint64 absolute_byte_offset, void *client_data);
  96484. static FLAC__StreamEncoderTellStatus file_tell_callback_enc(const FLAC__StreamEncoder *encoder, FLAC__uint64 *absolute_byte_offset, void *client_data);
  96485. static FLAC__StreamEncoderWriteStatus file_write_callback_(const FLAC__StreamEncoder *encoder, const FLAC__byte buffer[], size_t bytes, unsigned samples, unsigned current_frame, void *client_data);
  96486. static FILE *get_binary_stdout_(void);
  96487. /***********************************************************************
  96488. *
  96489. * Private class data
  96490. *
  96491. ***********************************************************************/
  96492. typedef struct FLAC__StreamEncoderPrivate {
  96493. unsigned input_capacity; /* current size (in samples) of the signal and residual buffers */
  96494. FLAC__int32 *integer_signal[FLAC__MAX_CHANNELS]; /* the integer version of the input signal */
  96495. FLAC__int32 *integer_signal_mid_side[2]; /* the integer version of the mid-side input signal (stereo only) */
  96496. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96497. FLAC__real *real_signal[FLAC__MAX_CHANNELS]; /* (@@@ currently unused) the floating-point version of the input signal */
  96498. FLAC__real *real_signal_mid_side[2]; /* (@@@ currently unused) the floating-point version of the mid-side input signal (stereo only) */
  96499. FLAC__real *window[FLAC__MAX_APODIZATION_FUNCTIONS]; /* the pre-computed floating-point window for each apodization function */
  96500. FLAC__real *windowed_signal; /* the integer_signal[] * current window[] */
  96501. #endif
  96502. unsigned subframe_bps[FLAC__MAX_CHANNELS]; /* the effective bits per sample of the input signal (stream bps - wasted bits) */
  96503. unsigned subframe_bps_mid_side[2]; /* the effective bits per sample of the mid-side input signal (stream bps - wasted bits + 0/1) */
  96504. FLAC__int32 *residual_workspace[FLAC__MAX_CHANNELS][2]; /* each channel has a candidate and best workspace where the subframe residual signals will be stored */
  96505. FLAC__int32 *residual_workspace_mid_side[2][2];
  96506. FLAC__Subframe subframe_workspace[FLAC__MAX_CHANNELS][2];
  96507. FLAC__Subframe subframe_workspace_mid_side[2][2];
  96508. FLAC__Subframe *subframe_workspace_ptr[FLAC__MAX_CHANNELS][2];
  96509. FLAC__Subframe *subframe_workspace_ptr_mid_side[2][2];
  96510. FLAC__EntropyCodingMethod_PartitionedRiceContents partitioned_rice_contents_workspace[FLAC__MAX_CHANNELS][2];
  96511. FLAC__EntropyCodingMethod_PartitionedRiceContents partitioned_rice_contents_workspace_mid_side[FLAC__MAX_CHANNELS][2];
  96512. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents_workspace_ptr[FLAC__MAX_CHANNELS][2];
  96513. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents_workspace_ptr_mid_side[FLAC__MAX_CHANNELS][2];
  96514. unsigned best_subframe[FLAC__MAX_CHANNELS]; /* index (0 or 1) into 2nd dimension of the above workspaces */
  96515. unsigned best_subframe_mid_side[2];
  96516. unsigned best_subframe_bits[FLAC__MAX_CHANNELS]; /* size in bits of the best subframe for each channel */
  96517. unsigned best_subframe_bits_mid_side[2];
  96518. FLAC__uint64 *abs_residual_partition_sums; /* workspace where the sum of abs(candidate residual) for each partition is stored */
  96519. unsigned *raw_bits_per_partition; /* workspace where the sum of silog2(candidate residual) for each partition is stored */
  96520. FLAC__BitWriter *frame; /* the current frame being worked on */
  96521. unsigned loose_mid_side_stereo_frames; /* rounded number of frames the encoder will use before trying both independent and mid/side frames again */
  96522. unsigned loose_mid_side_stereo_frame_count; /* number of frames using the current channel assignment */
  96523. FLAC__ChannelAssignment last_channel_assignment;
  96524. FLAC__StreamMetadata streaminfo; /* scratchpad for STREAMINFO as it is built */
  96525. FLAC__StreamMetadata_SeekTable *seek_table; /* pointer into encoder->protected_->metadata_ where the seek table is */
  96526. unsigned current_sample_number;
  96527. unsigned current_frame_number;
  96528. FLAC__MD5Context md5context;
  96529. FLAC__CPUInfo cpuinfo;
  96530. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96531. unsigned (*local_fixed_compute_best_predictor)(const FLAC__int32 data[], unsigned data_len, FLAC__float residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1]);
  96532. #else
  96533. unsigned (*local_fixed_compute_best_predictor)(const FLAC__int32 data[], unsigned data_len, FLAC__fixedpoint residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1]);
  96534. #endif
  96535. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96536. void (*local_lpc_compute_autocorrelation)(const FLAC__real data[], unsigned data_len, unsigned lag, FLAC__real autoc[]);
  96537. void (*local_lpc_compute_residual_from_qlp_coefficients)(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[]);
  96538. void (*local_lpc_compute_residual_from_qlp_coefficients_64bit)(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[]);
  96539. void (*local_lpc_compute_residual_from_qlp_coefficients_16bit)(const FLAC__int32 *data, unsigned data_len, const FLAC__int32 qlp_coeff[], unsigned order, int lp_quantization, FLAC__int32 residual[]);
  96540. #endif
  96541. FLAC__bool use_wide_by_block; /* use slow 64-bit versions of some functions because of the block size */
  96542. FLAC__bool use_wide_by_partition; /* use slow 64-bit versions of some functions because of the min partition order and blocksize */
  96543. FLAC__bool use_wide_by_order; /* use slow 64-bit versions of some functions because of the lpc order */
  96544. FLAC__bool disable_constant_subframes;
  96545. FLAC__bool disable_fixed_subframes;
  96546. FLAC__bool disable_verbatim_subframes;
  96547. #if FLAC__HAS_OGG
  96548. FLAC__bool is_ogg;
  96549. #endif
  96550. FLAC__StreamEncoderReadCallback read_callback; /* currently only needed for Ogg FLAC */
  96551. FLAC__StreamEncoderSeekCallback seek_callback;
  96552. FLAC__StreamEncoderTellCallback tell_callback;
  96553. FLAC__StreamEncoderWriteCallback write_callback;
  96554. FLAC__StreamEncoderMetadataCallback metadata_callback;
  96555. FLAC__StreamEncoderProgressCallback progress_callback;
  96556. void *client_data;
  96557. unsigned first_seekpoint_to_check;
  96558. FILE *file; /* only used when encoding to a file */
  96559. FLAC__uint64 bytes_written;
  96560. FLAC__uint64 samples_written;
  96561. unsigned frames_written;
  96562. unsigned total_frames_estimate;
  96563. /* unaligned (original) pointers to allocated data */
  96564. FLAC__int32 *integer_signal_unaligned[FLAC__MAX_CHANNELS];
  96565. FLAC__int32 *integer_signal_mid_side_unaligned[2];
  96566. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96567. FLAC__real *real_signal_unaligned[FLAC__MAX_CHANNELS]; /* (@@@ currently unused) */
  96568. FLAC__real *real_signal_mid_side_unaligned[2]; /* (@@@ currently unused) */
  96569. FLAC__real *window_unaligned[FLAC__MAX_APODIZATION_FUNCTIONS];
  96570. FLAC__real *windowed_signal_unaligned;
  96571. #endif
  96572. FLAC__int32 *residual_workspace_unaligned[FLAC__MAX_CHANNELS][2];
  96573. FLAC__int32 *residual_workspace_mid_side_unaligned[2][2];
  96574. FLAC__uint64 *abs_residual_partition_sums_unaligned;
  96575. unsigned *raw_bits_per_partition_unaligned;
  96576. /*
  96577. * These fields have been moved here from private function local
  96578. * declarations merely to save stack space during encoding.
  96579. */
  96580. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96581. FLAC__real lp_coeff[FLAC__MAX_LPC_ORDER][FLAC__MAX_LPC_ORDER]; /* from process_subframe_() */
  96582. #endif
  96583. FLAC__EntropyCodingMethod_PartitionedRiceContents partitioned_rice_contents_extra[2]; /* from find_best_partition_order_() */
  96584. /*
  96585. * The data for the verify section
  96586. */
  96587. struct {
  96588. FLAC__StreamDecoder *decoder;
  96589. EncoderStateHint state_hint;
  96590. FLAC__bool needs_magic_hack;
  96591. verify_input_fifo input_fifo;
  96592. verify_output output;
  96593. struct {
  96594. FLAC__uint64 absolute_sample;
  96595. unsigned frame_number;
  96596. unsigned channel;
  96597. unsigned sample;
  96598. FLAC__int32 expected;
  96599. FLAC__int32 got;
  96600. } error_stats;
  96601. } verify;
  96602. FLAC__bool is_being_deleted; /* if true, call to ..._finish() from ..._delete() will not call the callbacks */
  96603. } FLAC__StreamEncoderPrivate;
  96604. /***********************************************************************
  96605. *
  96606. * Public static class data
  96607. *
  96608. ***********************************************************************/
  96609. FLAC_API const char * const FLAC__StreamEncoderStateString[] = {
  96610. "FLAC__STREAM_ENCODER_OK",
  96611. "FLAC__STREAM_ENCODER_UNINITIALIZED",
  96612. "FLAC__STREAM_ENCODER_OGG_ERROR",
  96613. "FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR",
  96614. "FLAC__STREAM_ENCODER_VERIFY_MISMATCH_IN_AUDIO_DATA",
  96615. "FLAC__STREAM_ENCODER_CLIENT_ERROR",
  96616. "FLAC__STREAM_ENCODER_IO_ERROR",
  96617. "FLAC__STREAM_ENCODER_FRAMING_ERROR",
  96618. "FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR"
  96619. };
  96620. FLAC_API const char * const FLAC__StreamEncoderInitStatusString[] = {
  96621. "FLAC__STREAM_ENCODER_INIT_STATUS_OK",
  96622. "FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR",
  96623. "FLAC__STREAM_ENCODER_INIT_STATUS_UNSUPPORTED_CONTAINER",
  96624. "FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_CALLBACKS",
  96625. "FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_NUMBER_OF_CHANNELS",
  96626. "FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_BITS_PER_SAMPLE",
  96627. "FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_SAMPLE_RATE",
  96628. "FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_BLOCK_SIZE",
  96629. "FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_MAX_LPC_ORDER",
  96630. "FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_QLP_COEFF_PRECISION",
  96631. "FLAC__STREAM_ENCODER_INIT_STATUS_BLOCK_SIZE_TOO_SMALL_FOR_LPC_ORDER",
  96632. "FLAC__STREAM_ENCODER_INIT_STATUS_NOT_STREAMABLE",
  96633. "FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA",
  96634. "FLAC__STREAM_ENCODER_INIT_STATUS_ALREADY_INITIALIZED"
  96635. };
  96636. FLAC_API const char * const FLAC__treamEncoderReadStatusString[] = {
  96637. "FLAC__STREAM_ENCODER_READ_STATUS_CONTINUE",
  96638. "FLAC__STREAM_ENCODER_READ_STATUS_END_OF_STREAM",
  96639. "FLAC__STREAM_ENCODER_READ_STATUS_ABORT",
  96640. "FLAC__STREAM_ENCODER_READ_STATUS_UNSUPPORTED"
  96641. };
  96642. FLAC_API const char * const FLAC__StreamEncoderWriteStatusString[] = {
  96643. "FLAC__STREAM_ENCODER_WRITE_STATUS_OK",
  96644. "FLAC__STREAM_ENCODER_WRITE_STATUS_FATAL_ERROR"
  96645. };
  96646. FLAC_API const char * const FLAC__StreamEncoderSeekStatusString[] = {
  96647. "FLAC__STREAM_ENCODER_SEEK_STATUS_OK",
  96648. "FLAC__STREAM_ENCODER_SEEK_STATUS_ERROR",
  96649. "FLAC__STREAM_ENCODER_SEEK_STATUS_UNSUPPORTED"
  96650. };
  96651. FLAC_API const char * const FLAC__StreamEncoderTellStatusString[] = {
  96652. "FLAC__STREAM_ENCODER_TELL_STATUS_OK",
  96653. "FLAC__STREAM_ENCODER_TELL_STATUS_ERROR",
  96654. "FLAC__STREAM_ENCODER_TELL_STATUS_UNSUPPORTED"
  96655. };
  96656. /* Number of samples that will be overread to watch for end of stream. By
  96657. * 'overread', we mean that the FLAC__stream_encoder_process*() calls will
  96658. * always try to read blocksize+1 samples before encoding a block, so that
  96659. * even if the stream has a total sample count that is an integral multiple
  96660. * of the blocksize, we will still notice when we are encoding the last
  96661. * block. This is needed, for example, to correctly set the end-of-stream
  96662. * marker in Ogg FLAC.
  96663. *
  96664. * WATCHOUT: some parts of the code assert that OVERREAD_ == 1 and there's
  96665. * not really any reason to change it.
  96666. */
  96667. static const unsigned OVERREAD_ = 1;
  96668. /***********************************************************************
  96669. *
  96670. * Class constructor/destructor
  96671. *
  96672. */
  96673. FLAC_API FLAC__StreamEncoder *FLAC__stream_encoder_new(void)
  96674. {
  96675. FLAC__StreamEncoder *encoder;
  96676. unsigned i;
  96677. FLAC__ASSERT(sizeof(int) >= 4); /* we want to die right away if this is not true */
  96678. encoder = (FLAC__StreamEncoder*)calloc(1, sizeof(FLAC__StreamEncoder));
  96679. if(encoder == 0) {
  96680. return 0;
  96681. }
  96682. encoder->protected_ = (FLAC__StreamEncoderProtected*)calloc(1, sizeof(FLAC__StreamEncoderProtected));
  96683. if(encoder->protected_ == 0) {
  96684. free(encoder);
  96685. return 0;
  96686. }
  96687. encoder->private_ = (FLAC__StreamEncoderPrivate*)calloc(1, sizeof(FLAC__StreamEncoderPrivate));
  96688. if(encoder->private_ == 0) {
  96689. free(encoder->protected_);
  96690. free(encoder);
  96691. return 0;
  96692. }
  96693. encoder->private_->frame = FLAC__bitwriter_new();
  96694. if(encoder->private_->frame == 0) {
  96695. free(encoder->private_);
  96696. free(encoder->protected_);
  96697. free(encoder);
  96698. return 0;
  96699. }
  96700. encoder->private_->file = 0;
  96701. set_defaults_enc(encoder);
  96702. encoder->private_->is_being_deleted = false;
  96703. for(i = 0; i < FLAC__MAX_CHANNELS; i++) {
  96704. encoder->private_->subframe_workspace_ptr[i][0] = &encoder->private_->subframe_workspace[i][0];
  96705. encoder->private_->subframe_workspace_ptr[i][1] = &encoder->private_->subframe_workspace[i][1];
  96706. }
  96707. for(i = 0; i < 2; i++) {
  96708. encoder->private_->subframe_workspace_ptr_mid_side[i][0] = &encoder->private_->subframe_workspace_mid_side[i][0];
  96709. encoder->private_->subframe_workspace_ptr_mid_side[i][1] = &encoder->private_->subframe_workspace_mid_side[i][1];
  96710. }
  96711. for(i = 0; i < FLAC__MAX_CHANNELS; i++) {
  96712. encoder->private_->partitioned_rice_contents_workspace_ptr[i][0] = &encoder->private_->partitioned_rice_contents_workspace[i][0];
  96713. encoder->private_->partitioned_rice_contents_workspace_ptr[i][1] = &encoder->private_->partitioned_rice_contents_workspace[i][1];
  96714. }
  96715. for(i = 0; i < 2; i++) {
  96716. encoder->private_->partitioned_rice_contents_workspace_ptr_mid_side[i][0] = &encoder->private_->partitioned_rice_contents_workspace_mid_side[i][0];
  96717. encoder->private_->partitioned_rice_contents_workspace_ptr_mid_side[i][1] = &encoder->private_->partitioned_rice_contents_workspace_mid_side[i][1];
  96718. }
  96719. for(i = 0; i < FLAC__MAX_CHANNELS; i++) {
  96720. FLAC__format_entropy_coding_method_partitioned_rice_contents_init(&encoder->private_->partitioned_rice_contents_workspace[i][0]);
  96721. FLAC__format_entropy_coding_method_partitioned_rice_contents_init(&encoder->private_->partitioned_rice_contents_workspace[i][1]);
  96722. }
  96723. for(i = 0; i < 2; i++) {
  96724. FLAC__format_entropy_coding_method_partitioned_rice_contents_init(&encoder->private_->partitioned_rice_contents_workspace_mid_side[i][0]);
  96725. FLAC__format_entropy_coding_method_partitioned_rice_contents_init(&encoder->private_->partitioned_rice_contents_workspace_mid_side[i][1]);
  96726. }
  96727. for(i = 0; i < 2; i++)
  96728. FLAC__format_entropy_coding_method_partitioned_rice_contents_init(&encoder->private_->partitioned_rice_contents_extra[i]);
  96729. encoder->protected_->state = FLAC__STREAM_ENCODER_UNINITIALIZED;
  96730. return encoder;
  96731. }
  96732. FLAC_API void FLAC__stream_encoder_delete(FLAC__StreamEncoder *encoder)
  96733. {
  96734. unsigned i;
  96735. FLAC__ASSERT(0 != encoder);
  96736. FLAC__ASSERT(0 != encoder->protected_);
  96737. FLAC__ASSERT(0 != encoder->private_);
  96738. FLAC__ASSERT(0 != encoder->private_->frame);
  96739. encoder->private_->is_being_deleted = true;
  96740. (void)FLAC__stream_encoder_finish(encoder);
  96741. if(0 != encoder->private_->verify.decoder)
  96742. FLAC__stream_decoder_delete(encoder->private_->verify.decoder);
  96743. for(i = 0; i < FLAC__MAX_CHANNELS; i++) {
  96744. FLAC__format_entropy_coding_method_partitioned_rice_contents_clear(&encoder->private_->partitioned_rice_contents_workspace[i][0]);
  96745. FLAC__format_entropy_coding_method_partitioned_rice_contents_clear(&encoder->private_->partitioned_rice_contents_workspace[i][1]);
  96746. }
  96747. for(i = 0; i < 2; i++) {
  96748. FLAC__format_entropy_coding_method_partitioned_rice_contents_clear(&encoder->private_->partitioned_rice_contents_workspace_mid_side[i][0]);
  96749. FLAC__format_entropy_coding_method_partitioned_rice_contents_clear(&encoder->private_->partitioned_rice_contents_workspace_mid_side[i][1]);
  96750. }
  96751. for(i = 0; i < 2; i++)
  96752. FLAC__format_entropy_coding_method_partitioned_rice_contents_clear(&encoder->private_->partitioned_rice_contents_extra[i]);
  96753. FLAC__bitwriter_delete(encoder->private_->frame);
  96754. free(encoder->private_);
  96755. free(encoder->protected_);
  96756. free(encoder);
  96757. }
  96758. /***********************************************************************
  96759. *
  96760. * Public class methods
  96761. *
  96762. ***********************************************************************/
  96763. static FLAC__StreamEncoderInitStatus init_stream_internal_enc(
  96764. FLAC__StreamEncoder *encoder,
  96765. FLAC__StreamEncoderReadCallback read_callback,
  96766. FLAC__StreamEncoderWriteCallback write_callback,
  96767. FLAC__StreamEncoderSeekCallback seek_callback,
  96768. FLAC__StreamEncoderTellCallback tell_callback,
  96769. FLAC__StreamEncoderMetadataCallback metadata_callback,
  96770. void *client_data,
  96771. FLAC__bool is_ogg
  96772. )
  96773. {
  96774. unsigned i;
  96775. FLAC__bool metadata_has_seektable, metadata_has_vorbis_comment, metadata_picture_has_type1, metadata_picture_has_type2;
  96776. FLAC__ASSERT(0 != encoder);
  96777. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  96778. return FLAC__STREAM_ENCODER_INIT_STATUS_ALREADY_INITIALIZED;
  96779. #if !FLAC__HAS_OGG
  96780. if(is_ogg)
  96781. return FLAC__STREAM_ENCODER_INIT_STATUS_UNSUPPORTED_CONTAINER;
  96782. #endif
  96783. if(0 == write_callback || (seek_callback && 0 == tell_callback))
  96784. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_CALLBACKS;
  96785. if(encoder->protected_->channels == 0 || encoder->protected_->channels > FLAC__MAX_CHANNELS)
  96786. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_NUMBER_OF_CHANNELS;
  96787. if(encoder->protected_->channels != 2) {
  96788. encoder->protected_->do_mid_side_stereo = false;
  96789. encoder->protected_->loose_mid_side_stereo = false;
  96790. }
  96791. else if(!encoder->protected_->do_mid_side_stereo)
  96792. encoder->protected_->loose_mid_side_stereo = false;
  96793. if(encoder->protected_->bits_per_sample >= 32)
  96794. encoder->protected_->do_mid_side_stereo = false; /* since we currenty do 32-bit math, the side channel would have 33 bps and overflow */
  96795. if(encoder->protected_->bits_per_sample < FLAC__MIN_BITS_PER_SAMPLE || encoder->protected_->bits_per_sample > FLAC__REFERENCE_CODEC_MAX_BITS_PER_SAMPLE)
  96796. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_BITS_PER_SAMPLE;
  96797. if(!FLAC__format_sample_rate_is_valid(encoder->protected_->sample_rate))
  96798. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_SAMPLE_RATE;
  96799. if(encoder->protected_->blocksize == 0) {
  96800. if(encoder->protected_->max_lpc_order == 0)
  96801. encoder->protected_->blocksize = 1152;
  96802. else
  96803. encoder->protected_->blocksize = 4096;
  96804. }
  96805. if(encoder->protected_->blocksize < FLAC__MIN_BLOCK_SIZE || encoder->protected_->blocksize > FLAC__MAX_BLOCK_SIZE)
  96806. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_BLOCK_SIZE;
  96807. if(encoder->protected_->max_lpc_order > FLAC__MAX_LPC_ORDER)
  96808. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_MAX_LPC_ORDER;
  96809. if(encoder->protected_->blocksize < encoder->protected_->max_lpc_order)
  96810. return FLAC__STREAM_ENCODER_INIT_STATUS_BLOCK_SIZE_TOO_SMALL_FOR_LPC_ORDER;
  96811. if(encoder->protected_->qlp_coeff_precision == 0) {
  96812. if(encoder->protected_->bits_per_sample < 16) {
  96813. /* @@@ need some data about how to set this here w.r.t. blocksize and sample rate */
  96814. /* @@@ until then we'll make a guess */
  96815. encoder->protected_->qlp_coeff_precision = max(FLAC__MIN_QLP_COEFF_PRECISION, 2 + encoder->protected_->bits_per_sample / 2);
  96816. }
  96817. else if(encoder->protected_->bits_per_sample == 16) {
  96818. if(encoder->protected_->blocksize <= 192)
  96819. encoder->protected_->qlp_coeff_precision = 7;
  96820. else if(encoder->protected_->blocksize <= 384)
  96821. encoder->protected_->qlp_coeff_precision = 8;
  96822. else if(encoder->protected_->blocksize <= 576)
  96823. encoder->protected_->qlp_coeff_precision = 9;
  96824. else if(encoder->protected_->blocksize <= 1152)
  96825. encoder->protected_->qlp_coeff_precision = 10;
  96826. else if(encoder->protected_->blocksize <= 2304)
  96827. encoder->protected_->qlp_coeff_precision = 11;
  96828. else if(encoder->protected_->blocksize <= 4608)
  96829. encoder->protected_->qlp_coeff_precision = 12;
  96830. else
  96831. encoder->protected_->qlp_coeff_precision = 13;
  96832. }
  96833. else {
  96834. if(encoder->protected_->blocksize <= 384)
  96835. encoder->protected_->qlp_coeff_precision = FLAC__MAX_QLP_COEFF_PRECISION-2;
  96836. else if(encoder->protected_->blocksize <= 1152)
  96837. encoder->protected_->qlp_coeff_precision = FLAC__MAX_QLP_COEFF_PRECISION-1;
  96838. else
  96839. encoder->protected_->qlp_coeff_precision = FLAC__MAX_QLP_COEFF_PRECISION;
  96840. }
  96841. FLAC__ASSERT(encoder->protected_->qlp_coeff_precision <= FLAC__MAX_QLP_COEFF_PRECISION);
  96842. }
  96843. else if(encoder->protected_->qlp_coeff_precision < FLAC__MIN_QLP_COEFF_PRECISION || encoder->protected_->qlp_coeff_precision > FLAC__MAX_QLP_COEFF_PRECISION)
  96844. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_QLP_COEFF_PRECISION;
  96845. if(encoder->protected_->streamable_subset) {
  96846. if(
  96847. encoder->protected_->blocksize != 192 &&
  96848. encoder->protected_->blocksize != 576 &&
  96849. encoder->protected_->blocksize != 1152 &&
  96850. encoder->protected_->blocksize != 2304 &&
  96851. encoder->protected_->blocksize != 4608 &&
  96852. encoder->protected_->blocksize != 256 &&
  96853. encoder->protected_->blocksize != 512 &&
  96854. encoder->protected_->blocksize != 1024 &&
  96855. encoder->protected_->blocksize != 2048 &&
  96856. encoder->protected_->blocksize != 4096 &&
  96857. encoder->protected_->blocksize != 8192 &&
  96858. encoder->protected_->blocksize != 16384
  96859. )
  96860. return FLAC__STREAM_ENCODER_INIT_STATUS_NOT_STREAMABLE;
  96861. if(!FLAC__format_sample_rate_is_subset(encoder->protected_->sample_rate))
  96862. return FLAC__STREAM_ENCODER_INIT_STATUS_NOT_STREAMABLE;
  96863. if(
  96864. encoder->protected_->bits_per_sample != 8 &&
  96865. encoder->protected_->bits_per_sample != 12 &&
  96866. encoder->protected_->bits_per_sample != 16 &&
  96867. encoder->protected_->bits_per_sample != 20 &&
  96868. encoder->protected_->bits_per_sample != 24
  96869. )
  96870. return FLAC__STREAM_ENCODER_INIT_STATUS_NOT_STREAMABLE;
  96871. if(encoder->protected_->max_residual_partition_order > FLAC__SUBSET_MAX_RICE_PARTITION_ORDER)
  96872. return FLAC__STREAM_ENCODER_INIT_STATUS_NOT_STREAMABLE;
  96873. if(
  96874. encoder->protected_->sample_rate <= 48000 &&
  96875. (
  96876. encoder->protected_->blocksize > FLAC__SUBSET_MAX_BLOCK_SIZE_48000HZ ||
  96877. encoder->protected_->max_lpc_order > FLAC__SUBSET_MAX_LPC_ORDER_48000HZ
  96878. )
  96879. ) {
  96880. return FLAC__STREAM_ENCODER_INIT_STATUS_NOT_STREAMABLE;
  96881. }
  96882. }
  96883. if(encoder->protected_->max_residual_partition_order >= (1u << FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ORDER_LEN))
  96884. encoder->protected_->max_residual_partition_order = (1u << FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ORDER_LEN) - 1;
  96885. if(encoder->protected_->min_residual_partition_order >= encoder->protected_->max_residual_partition_order)
  96886. encoder->protected_->min_residual_partition_order = encoder->protected_->max_residual_partition_order;
  96887. #if FLAC__HAS_OGG
  96888. /* reorder metadata if necessary to ensure that any VORBIS_COMMENT is the first, according to the mapping spec */
  96889. if(is_ogg && 0 != encoder->protected_->metadata && encoder->protected_->num_metadata_blocks > 1) {
  96890. unsigned i;
  96891. for(i = 1; i < encoder->protected_->num_metadata_blocks; i++) {
  96892. if(0 != encoder->protected_->metadata[i] && encoder->protected_->metadata[i]->type == FLAC__METADATA_TYPE_VORBIS_COMMENT) {
  96893. FLAC__StreamMetadata *vc = encoder->protected_->metadata[i];
  96894. for( ; i > 0; i--)
  96895. encoder->protected_->metadata[i] = encoder->protected_->metadata[i-1];
  96896. encoder->protected_->metadata[0] = vc;
  96897. break;
  96898. }
  96899. }
  96900. }
  96901. #endif
  96902. /* keep track of any SEEKTABLE block */
  96903. if(0 != encoder->protected_->metadata && encoder->protected_->num_metadata_blocks > 0) {
  96904. unsigned i;
  96905. for(i = 0; i < encoder->protected_->num_metadata_blocks; i++) {
  96906. if(0 != encoder->protected_->metadata[i] && encoder->protected_->metadata[i]->type == FLAC__METADATA_TYPE_SEEKTABLE) {
  96907. encoder->private_->seek_table = &encoder->protected_->metadata[i]->data.seek_table;
  96908. break; /* take only the first one */
  96909. }
  96910. }
  96911. }
  96912. /* validate metadata */
  96913. if(0 == encoder->protected_->metadata && encoder->protected_->num_metadata_blocks > 0)
  96914. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96915. metadata_has_seektable = false;
  96916. metadata_has_vorbis_comment = false;
  96917. metadata_picture_has_type1 = false;
  96918. metadata_picture_has_type2 = false;
  96919. for(i = 0; i < encoder->protected_->num_metadata_blocks; i++) {
  96920. const FLAC__StreamMetadata *m = encoder->protected_->metadata[i];
  96921. if(m->type == FLAC__METADATA_TYPE_STREAMINFO)
  96922. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96923. else if(m->type == FLAC__METADATA_TYPE_SEEKTABLE) {
  96924. if(metadata_has_seektable) /* only one is allowed */
  96925. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96926. metadata_has_seektable = true;
  96927. if(!FLAC__format_seektable_is_legal(&m->data.seek_table))
  96928. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96929. }
  96930. else if(m->type == FLAC__METADATA_TYPE_VORBIS_COMMENT) {
  96931. if(metadata_has_vorbis_comment) /* only one is allowed */
  96932. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96933. metadata_has_vorbis_comment = true;
  96934. }
  96935. else if(m->type == FLAC__METADATA_TYPE_CUESHEET) {
  96936. if(!FLAC__format_cuesheet_is_legal(&m->data.cue_sheet, m->data.cue_sheet.is_cd, /*violation=*/0))
  96937. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96938. }
  96939. else if(m->type == FLAC__METADATA_TYPE_PICTURE) {
  96940. if(!FLAC__format_picture_is_legal(&m->data.picture, /*violation=*/0))
  96941. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96942. if(m->data.picture.type == FLAC__STREAM_METADATA_PICTURE_TYPE_FILE_ICON_STANDARD) {
  96943. if(metadata_picture_has_type1) /* there should only be 1 per stream */
  96944. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96945. metadata_picture_has_type1 = true;
  96946. /* standard icon must be 32x32 pixel PNG */
  96947. if(
  96948. m->data.picture.type == FLAC__STREAM_METADATA_PICTURE_TYPE_FILE_ICON_STANDARD &&
  96949. (
  96950. (strcmp(m->data.picture.mime_type, "image/png") && strcmp(m->data.picture.mime_type, "-->")) ||
  96951. m->data.picture.width != 32 ||
  96952. m->data.picture.height != 32
  96953. )
  96954. )
  96955. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96956. }
  96957. else if(m->data.picture.type == FLAC__STREAM_METADATA_PICTURE_TYPE_FILE_ICON) {
  96958. if(metadata_picture_has_type2) /* there should only be 1 per stream */
  96959. return FLAC__STREAM_ENCODER_INIT_STATUS_INVALID_METADATA;
  96960. metadata_picture_has_type2 = true;
  96961. }
  96962. }
  96963. }
  96964. encoder->private_->input_capacity = 0;
  96965. for(i = 0; i < encoder->protected_->channels; i++) {
  96966. encoder->private_->integer_signal_unaligned[i] = encoder->private_->integer_signal[i] = 0;
  96967. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96968. encoder->private_->real_signal_unaligned[i] = encoder->private_->real_signal[i] = 0;
  96969. #endif
  96970. }
  96971. for(i = 0; i < 2; i++) {
  96972. encoder->private_->integer_signal_mid_side_unaligned[i] = encoder->private_->integer_signal_mid_side[i] = 0;
  96973. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96974. encoder->private_->real_signal_mid_side_unaligned[i] = encoder->private_->real_signal_mid_side[i] = 0;
  96975. #endif
  96976. }
  96977. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96978. for(i = 0; i < encoder->protected_->num_apodizations; i++)
  96979. encoder->private_->window_unaligned[i] = encoder->private_->window[i] = 0;
  96980. encoder->private_->windowed_signal_unaligned = encoder->private_->windowed_signal = 0;
  96981. #endif
  96982. for(i = 0; i < encoder->protected_->channels; i++) {
  96983. encoder->private_->residual_workspace_unaligned[i][0] = encoder->private_->residual_workspace[i][0] = 0;
  96984. encoder->private_->residual_workspace_unaligned[i][1] = encoder->private_->residual_workspace[i][1] = 0;
  96985. encoder->private_->best_subframe[i] = 0;
  96986. }
  96987. for(i = 0; i < 2; i++) {
  96988. encoder->private_->residual_workspace_mid_side_unaligned[i][0] = encoder->private_->residual_workspace_mid_side[i][0] = 0;
  96989. encoder->private_->residual_workspace_mid_side_unaligned[i][1] = encoder->private_->residual_workspace_mid_side[i][1] = 0;
  96990. encoder->private_->best_subframe_mid_side[i] = 0;
  96991. }
  96992. encoder->private_->abs_residual_partition_sums_unaligned = encoder->private_->abs_residual_partition_sums = 0;
  96993. encoder->private_->raw_bits_per_partition_unaligned = encoder->private_->raw_bits_per_partition = 0;
  96994. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  96995. encoder->private_->loose_mid_side_stereo_frames = (unsigned)((FLAC__double)encoder->protected_->sample_rate * 0.4 / (FLAC__double)encoder->protected_->blocksize + 0.5);
  96996. #else
  96997. /* 26214 is the approximate fixed-point equivalent to 0.4 (0.4 * 2^16) */
  96998. /* sample rate can be up to 655350 Hz, and thus use 20 bits, so we do the multiply&divide by hand */
  96999. FLAC__ASSERT(FLAC__MAX_SAMPLE_RATE <= 655350);
  97000. FLAC__ASSERT(FLAC__MAX_BLOCK_SIZE <= 65535);
  97001. FLAC__ASSERT(encoder->protected_->sample_rate <= 655350);
  97002. FLAC__ASSERT(encoder->protected_->blocksize <= 65535);
  97003. encoder->private_->loose_mid_side_stereo_frames = (unsigned)FLAC__fixedpoint_trunc((((FLAC__uint64)(encoder->protected_->sample_rate) * (FLAC__uint64)(26214)) << 16) / (encoder->protected_->blocksize<<16) + FLAC__FP_ONE_HALF);
  97004. #endif
  97005. if(encoder->private_->loose_mid_side_stereo_frames == 0)
  97006. encoder->private_->loose_mid_side_stereo_frames = 1;
  97007. encoder->private_->loose_mid_side_stereo_frame_count = 0;
  97008. encoder->private_->current_sample_number = 0;
  97009. encoder->private_->current_frame_number = 0;
  97010. encoder->private_->use_wide_by_block = (encoder->protected_->bits_per_sample + FLAC__bitmath_ilog2(encoder->protected_->blocksize)+1 > 30);
  97011. encoder->private_->use_wide_by_order = (encoder->protected_->bits_per_sample + FLAC__bitmath_ilog2(max(encoder->protected_->max_lpc_order, FLAC__MAX_FIXED_ORDER))+1 > 30); /*@@@ need to use this? */
  97012. encoder->private_->use_wide_by_partition = (false); /*@@@ need to set this */
  97013. /*
  97014. * get the CPU info and set the function pointers
  97015. */
  97016. FLAC__cpu_info(&encoder->private_->cpuinfo);
  97017. /* first default to the non-asm routines */
  97018. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  97019. encoder->private_->local_lpc_compute_autocorrelation = FLAC__lpc_compute_autocorrelation;
  97020. #endif
  97021. encoder->private_->local_fixed_compute_best_predictor = FLAC__fixed_compute_best_predictor;
  97022. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  97023. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients = FLAC__lpc_compute_residual_from_qlp_coefficients;
  97024. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients_64bit = FLAC__lpc_compute_residual_from_qlp_coefficients_wide;
  97025. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients_16bit = FLAC__lpc_compute_residual_from_qlp_coefficients;
  97026. #endif
  97027. /* now override with asm where appropriate */
  97028. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  97029. # ifndef FLAC__NO_ASM
  97030. if(encoder->private_->cpuinfo.use_asm) {
  97031. # ifdef FLAC__CPU_IA32
  97032. FLAC__ASSERT(encoder->private_->cpuinfo.type == FLAC__CPUINFO_TYPE_IA32);
  97033. # ifdef FLAC__HAS_NASM
  97034. if(encoder->private_->cpuinfo.data.ia32.sse) {
  97035. if(encoder->protected_->max_lpc_order < 4)
  97036. encoder->private_->local_lpc_compute_autocorrelation = FLAC__lpc_compute_autocorrelation_asm_ia32_sse_lag_4;
  97037. else if(encoder->protected_->max_lpc_order < 8)
  97038. encoder->private_->local_lpc_compute_autocorrelation = FLAC__lpc_compute_autocorrelation_asm_ia32_sse_lag_8;
  97039. else if(encoder->protected_->max_lpc_order < 12)
  97040. encoder->private_->local_lpc_compute_autocorrelation = FLAC__lpc_compute_autocorrelation_asm_ia32_sse_lag_12;
  97041. else
  97042. encoder->private_->local_lpc_compute_autocorrelation = FLAC__lpc_compute_autocorrelation_asm_ia32;
  97043. }
  97044. else if(encoder->private_->cpuinfo.data.ia32._3dnow)
  97045. encoder->private_->local_lpc_compute_autocorrelation = FLAC__lpc_compute_autocorrelation_asm_ia32_3dnow;
  97046. else
  97047. encoder->private_->local_lpc_compute_autocorrelation = FLAC__lpc_compute_autocorrelation_asm_ia32;
  97048. if(encoder->private_->cpuinfo.data.ia32.mmx) {
  97049. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients = FLAC__lpc_compute_residual_from_qlp_coefficients_asm_ia32;
  97050. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients_16bit = FLAC__lpc_compute_residual_from_qlp_coefficients_asm_ia32_mmx;
  97051. }
  97052. else {
  97053. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients = FLAC__lpc_compute_residual_from_qlp_coefficients_asm_ia32;
  97054. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients_16bit = FLAC__lpc_compute_residual_from_qlp_coefficients_asm_ia32;
  97055. }
  97056. if(encoder->private_->cpuinfo.data.ia32.mmx && encoder->private_->cpuinfo.data.ia32.cmov)
  97057. encoder->private_->local_fixed_compute_best_predictor = FLAC__fixed_compute_best_predictor_asm_ia32_mmx_cmov;
  97058. # endif /* FLAC__HAS_NASM */
  97059. # endif /* FLAC__CPU_IA32 */
  97060. }
  97061. # endif /* !FLAC__NO_ASM */
  97062. #endif /* !FLAC__INTEGER_ONLY_LIBRARY */
  97063. /* finally override based on wide-ness if necessary */
  97064. if(encoder->private_->use_wide_by_block) {
  97065. encoder->private_->local_fixed_compute_best_predictor = FLAC__fixed_compute_best_predictor_wide;
  97066. }
  97067. /* set state to OK; from here on, errors are fatal and we'll override the state then */
  97068. encoder->protected_->state = FLAC__STREAM_ENCODER_OK;
  97069. #if FLAC__HAS_OGG
  97070. encoder->private_->is_ogg = is_ogg;
  97071. if(is_ogg && !FLAC__ogg_encoder_aspect_init(&encoder->protected_->ogg_encoder_aspect)) {
  97072. encoder->protected_->state = FLAC__STREAM_ENCODER_OGG_ERROR;
  97073. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97074. }
  97075. #endif
  97076. encoder->private_->read_callback = read_callback;
  97077. encoder->private_->write_callback = write_callback;
  97078. encoder->private_->seek_callback = seek_callback;
  97079. encoder->private_->tell_callback = tell_callback;
  97080. encoder->private_->metadata_callback = metadata_callback;
  97081. encoder->private_->client_data = client_data;
  97082. if(!resize_buffers_(encoder, encoder->protected_->blocksize)) {
  97083. /* the above function sets the state for us in case of an error */
  97084. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97085. }
  97086. if(!FLAC__bitwriter_init(encoder->private_->frame)) {
  97087. encoder->protected_->state = FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR;
  97088. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97089. }
  97090. /*
  97091. * Set up the verify stuff if necessary
  97092. */
  97093. if(encoder->protected_->verify) {
  97094. /*
  97095. * First, set up the fifo which will hold the
  97096. * original signal to compare against
  97097. */
  97098. encoder->private_->verify.input_fifo.size = encoder->protected_->blocksize+OVERREAD_;
  97099. for(i = 0; i < encoder->protected_->channels; i++) {
  97100. if(0 == (encoder->private_->verify.input_fifo.data[i] = (FLAC__int32*)safe_malloc_mul_2op_(sizeof(FLAC__int32), /*times*/encoder->private_->verify.input_fifo.size))) {
  97101. encoder->protected_->state = FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR;
  97102. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97103. }
  97104. }
  97105. encoder->private_->verify.input_fifo.tail = 0;
  97106. /*
  97107. * Now set up a stream decoder for verification
  97108. */
  97109. encoder->private_->verify.decoder = FLAC__stream_decoder_new();
  97110. if(0 == encoder->private_->verify.decoder) {
  97111. encoder->protected_->state = FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR;
  97112. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97113. }
  97114. if(FLAC__stream_decoder_init_stream(encoder->private_->verify.decoder, verify_read_callback_, /*seek_callback=*/0, /*tell_callback=*/0, /*length_callback=*/0, /*eof_callback=*/0, verify_write_callback_, verify_metadata_callback_, verify_error_callback_, /*client_data=*/encoder) != FLAC__STREAM_DECODER_INIT_STATUS_OK) {
  97115. encoder->protected_->state = FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR;
  97116. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97117. }
  97118. }
  97119. encoder->private_->verify.error_stats.absolute_sample = 0;
  97120. encoder->private_->verify.error_stats.frame_number = 0;
  97121. encoder->private_->verify.error_stats.channel = 0;
  97122. encoder->private_->verify.error_stats.sample = 0;
  97123. encoder->private_->verify.error_stats.expected = 0;
  97124. encoder->private_->verify.error_stats.got = 0;
  97125. /*
  97126. * These must be done before we write any metadata, because that
  97127. * calls the write_callback, which uses these values.
  97128. */
  97129. encoder->private_->first_seekpoint_to_check = 0;
  97130. encoder->private_->samples_written = 0;
  97131. encoder->protected_->streaminfo_offset = 0;
  97132. encoder->protected_->seektable_offset = 0;
  97133. encoder->protected_->audio_offset = 0;
  97134. /*
  97135. * write the stream header
  97136. */
  97137. if(encoder->protected_->verify)
  97138. encoder->private_->verify.state_hint = ENCODER_IN_MAGIC;
  97139. if(!FLAC__bitwriter_write_raw_uint32(encoder->private_->frame, FLAC__STREAM_SYNC, FLAC__STREAM_SYNC_LEN)) {
  97140. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  97141. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97142. }
  97143. if(!write_bitbuffer_(encoder, 0, /*is_last_block=*/false)) {
  97144. /* the above function sets the state for us in case of an error */
  97145. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97146. }
  97147. /*
  97148. * write the STREAMINFO metadata block
  97149. */
  97150. if(encoder->protected_->verify)
  97151. encoder->private_->verify.state_hint = ENCODER_IN_METADATA;
  97152. encoder->private_->streaminfo.type = FLAC__METADATA_TYPE_STREAMINFO;
  97153. encoder->private_->streaminfo.is_last = false; /* we will have at a minimum a VORBIS_COMMENT afterwards */
  97154. encoder->private_->streaminfo.length = FLAC__STREAM_METADATA_STREAMINFO_LENGTH;
  97155. encoder->private_->streaminfo.data.stream_info.min_blocksize = encoder->protected_->blocksize; /* this encoder uses the same blocksize for the whole stream */
  97156. encoder->private_->streaminfo.data.stream_info.max_blocksize = encoder->protected_->blocksize;
  97157. encoder->private_->streaminfo.data.stream_info.min_framesize = 0; /* we don't know this yet; have to fill it in later */
  97158. encoder->private_->streaminfo.data.stream_info.max_framesize = 0; /* we don't know this yet; have to fill it in later */
  97159. encoder->private_->streaminfo.data.stream_info.sample_rate = encoder->protected_->sample_rate;
  97160. encoder->private_->streaminfo.data.stream_info.channels = encoder->protected_->channels;
  97161. encoder->private_->streaminfo.data.stream_info.bits_per_sample = encoder->protected_->bits_per_sample;
  97162. encoder->private_->streaminfo.data.stream_info.total_samples = encoder->protected_->total_samples_estimate; /* we will replace this later with the real total */
  97163. memset(encoder->private_->streaminfo.data.stream_info.md5sum, 0, 16); /* we don't know this yet; have to fill it in later */
  97164. if(encoder->protected_->do_md5)
  97165. FLAC__MD5Init(&encoder->private_->md5context);
  97166. if(!FLAC__add_metadata_block(&encoder->private_->streaminfo, encoder->private_->frame)) {
  97167. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  97168. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97169. }
  97170. if(!write_bitbuffer_(encoder, 0, /*is_last_block=*/false)) {
  97171. /* the above function sets the state for us in case of an error */
  97172. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97173. }
  97174. /*
  97175. * Now that the STREAMINFO block is written, we can init this to an
  97176. * absurdly-high value...
  97177. */
  97178. encoder->private_->streaminfo.data.stream_info.min_framesize = (1u << FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN) - 1;
  97179. /* ... and clear this to 0 */
  97180. encoder->private_->streaminfo.data.stream_info.total_samples = 0;
  97181. /*
  97182. * Check to see if the supplied metadata contains a VORBIS_COMMENT;
  97183. * if not, we will write an empty one (FLAC__add_metadata_block()
  97184. * automatically supplies the vendor string).
  97185. *
  97186. * WATCHOUT: the Ogg FLAC mapping requires us to write this block after
  97187. * the STREAMINFO. (In the case that metadata_has_vorbis_comment is
  97188. * true it will have already insured that the metadata list is properly
  97189. * ordered.)
  97190. */
  97191. if(!metadata_has_vorbis_comment) {
  97192. FLAC__StreamMetadata vorbis_comment;
  97193. vorbis_comment.type = FLAC__METADATA_TYPE_VORBIS_COMMENT;
  97194. vorbis_comment.is_last = (encoder->protected_->num_metadata_blocks == 0);
  97195. vorbis_comment.length = 4 + 4; /* MAGIC NUMBER */
  97196. vorbis_comment.data.vorbis_comment.vendor_string.length = 0;
  97197. vorbis_comment.data.vorbis_comment.vendor_string.entry = 0;
  97198. vorbis_comment.data.vorbis_comment.num_comments = 0;
  97199. vorbis_comment.data.vorbis_comment.comments = 0;
  97200. if(!FLAC__add_metadata_block(&vorbis_comment, encoder->private_->frame)) {
  97201. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  97202. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97203. }
  97204. if(!write_bitbuffer_(encoder, 0, /*is_last_block=*/false)) {
  97205. /* the above function sets the state for us in case of an error */
  97206. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97207. }
  97208. }
  97209. /*
  97210. * write the user's metadata blocks
  97211. */
  97212. for(i = 0; i < encoder->protected_->num_metadata_blocks; i++) {
  97213. encoder->protected_->metadata[i]->is_last = (i == encoder->protected_->num_metadata_blocks - 1);
  97214. if(!FLAC__add_metadata_block(encoder->protected_->metadata[i], encoder->private_->frame)) {
  97215. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  97216. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97217. }
  97218. if(!write_bitbuffer_(encoder, 0, /*is_last_block=*/false)) {
  97219. /* the above function sets the state for us in case of an error */
  97220. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97221. }
  97222. }
  97223. /* now that all the metadata is written, we save the stream offset */
  97224. if(encoder->private_->tell_callback && encoder->private_->tell_callback(encoder, &encoder->protected_->audio_offset, encoder->private_->client_data) == FLAC__STREAM_ENCODER_TELL_STATUS_ERROR) { /* FLAC__STREAM_ENCODER_TELL_STATUS_UNSUPPORTED just means we didn't get the offset; no error */
  97225. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  97226. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97227. }
  97228. if(encoder->protected_->verify)
  97229. encoder->private_->verify.state_hint = ENCODER_IN_AUDIO;
  97230. return FLAC__STREAM_ENCODER_INIT_STATUS_OK;
  97231. }
  97232. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_stream(
  97233. FLAC__StreamEncoder *encoder,
  97234. FLAC__StreamEncoderWriteCallback write_callback,
  97235. FLAC__StreamEncoderSeekCallback seek_callback,
  97236. FLAC__StreamEncoderTellCallback tell_callback,
  97237. FLAC__StreamEncoderMetadataCallback metadata_callback,
  97238. void *client_data
  97239. )
  97240. {
  97241. return init_stream_internal_enc(
  97242. encoder,
  97243. /*read_callback=*/0,
  97244. write_callback,
  97245. seek_callback,
  97246. tell_callback,
  97247. metadata_callback,
  97248. client_data,
  97249. /*is_ogg=*/false
  97250. );
  97251. }
  97252. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_ogg_stream(
  97253. FLAC__StreamEncoder *encoder,
  97254. FLAC__StreamEncoderReadCallback read_callback,
  97255. FLAC__StreamEncoderWriteCallback write_callback,
  97256. FLAC__StreamEncoderSeekCallback seek_callback,
  97257. FLAC__StreamEncoderTellCallback tell_callback,
  97258. FLAC__StreamEncoderMetadataCallback metadata_callback,
  97259. void *client_data
  97260. )
  97261. {
  97262. return init_stream_internal_enc(
  97263. encoder,
  97264. read_callback,
  97265. write_callback,
  97266. seek_callback,
  97267. tell_callback,
  97268. metadata_callback,
  97269. client_data,
  97270. /*is_ogg=*/true
  97271. );
  97272. }
  97273. static FLAC__StreamEncoderInitStatus init_FILE_internal_enc(
  97274. FLAC__StreamEncoder *encoder,
  97275. FILE *file,
  97276. FLAC__StreamEncoderProgressCallback progress_callback,
  97277. void *client_data,
  97278. FLAC__bool is_ogg
  97279. )
  97280. {
  97281. FLAC__StreamEncoderInitStatus init_status;
  97282. FLAC__ASSERT(0 != encoder);
  97283. FLAC__ASSERT(0 != file);
  97284. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97285. return FLAC__STREAM_ENCODER_INIT_STATUS_ALREADY_INITIALIZED;
  97286. /* double protection */
  97287. if(file == 0) {
  97288. encoder->protected_->state = FLAC__STREAM_ENCODER_IO_ERROR;
  97289. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97290. }
  97291. /*
  97292. * To make sure that our file does not go unclosed after an error, we
  97293. * must assign the FILE pointer before any further error can occur in
  97294. * this routine.
  97295. */
  97296. if(file == stdout)
  97297. file = get_binary_stdout_(); /* just to be safe */
  97298. encoder->private_->file = file;
  97299. encoder->private_->progress_callback = progress_callback;
  97300. encoder->private_->bytes_written = 0;
  97301. encoder->private_->samples_written = 0;
  97302. encoder->private_->frames_written = 0;
  97303. init_status = init_stream_internal_enc(
  97304. encoder,
  97305. encoder->private_->file == stdout? 0 : is_ogg? file_read_callback_enc : 0,
  97306. file_write_callback_,
  97307. encoder->private_->file == stdout? 0 : file_seek_callback_enc,
  97308. encoder->private_->file == stdout? 0 : file_tell_callback_enc,
  97309. /*metadata_callback=*/0,
  97310. client_data,
  97311. is_ogg
  97312. );
  97313. if(init_status != FLAC__STREAM_ENCODER_INIT_STATUS_OK) {
  97314. /* the above function sets the state for us in case of an error */
  97315. return init_status;
  97316. }
  97317. {
  97318. unsigned blocksize = FLAC__stream_encoder_get_blocksize(encoder);
  97319. FLAC__ASSERT(blocksize != 0);
  97320. encoder->private_->total_frames_estimate = (unsigned)((FLAC__stream_encoder_get_total_samples_estimate(encoder) + blocksize - 1) / blocksize);
  97321. }
  97322. return init_status;
  97323. }
  97324. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_FILE(
  97325. FLAC__StreamEncoder *encoder,
  97326. FILE *file,
  97327. FLAC__StreamEncoderProgressCallback progress_callback,
  97328. void *client_data
  97329. )
  97330. {
  97331. return init_FILE_internal_enc(encoder, file, progress_callback, client_data, /*is_ogg=*/false);
  97332. }
  97333. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_ogg_FILE(
  97334. FLAC__StreamEncoder *encoder,
  97335. FILE *file,
  97336. FLAC__StreamEncoderProgressCallback progress_callback,
  97337. void *client_data
  97338. )
  97339. {
  97340. return init_FILE_internal_enc(encoder, file, progress_callback, client_data, /*is_ogg=*/true);
  97341. }
  97342. static FLAC__StreamEncoderInitStatus init_file_internal_enc(
  97343. FLAC__StreamEncoder *encoder,
  97344. const char *filename,
  97345. FLAC__StreamEncoderProgressCallback progress_callback,
  97346. void *client_data,
  97347. FLAC__bool is_ogg
  97348. )
  97349. {
  97350. FILE *file;
  97351. FLAC__ASSERT(0 != encoder);
  97352. /*
  97353. * To make sure that our file does not go unclosed after an error, we
  97354. * have to do the same entrance checks here that are later performed
  97355. * in FLAC__stream_encoder_init_FILE() before the FILE* is assigned.
  97356. */
  97357. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97358. return FLAC__STREAM_ENCODER_INIT_STATUS_ALREADY_INITIALIZED;
  97359. file = filename? fopen(filename, "w+b") : stdout;
  97360. if(file == 0) {
  97361. encoder->protected_->state = FLAC__STREAM_ENCODER_IO_ERROR;
  97362. return FLAC__STREAM_ENCODER_INIT_STATUS_ENCODER_ERROR;
  97363. }
  97364. return init_FILE_internal_enc(encoder, file, progress_callback, client_data, is_ogg);
  97365. }
  97366. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_file(
  97367. FLAC__StreamEncoder *encoder,
  97368. const char *filename,
  97369. FLAC__StreamEncoderProgressCallback progress_callback,
  97370. void *client_data
  97371. )
  97372. {
  97373. return init_file_internal_enc(encoder, filename, progress_callback, client_data, /*is_ogg=*/false);
  97374. }
  97375. FLAC_API FLAC__StreamEncoderInitStatus FLAC__stream_encoder_init_ogg_file(
  97376. FLAC__StreamEncoder *encoder,
  97377. const char *filename,
  97378. FLAC__StreamEncoderProgressCallback progress_callback,
  97379. void *client_data
  97380. )
  97381. {
  97382. return init_file_internal_enc(encoder, filename, progress_callback, client_data, /*is_ogg=*/true);
  97383. }
  97384. FLAC_API FLAC__bool FLAC__stream_encoder_finish(FLAC__StreamEncoder *encoder)
  97385. {
  97386. FLAC__bool error = false;
  97387. FLAC__ASSERT(0 != encoder);
  97388. FLAC__ASSERT(0 != encoder->private_);
  97389. FLAC__ASSERT(0 != encoder->protected_);
  97390. if(encoder->protected_->state == FLAC__STREAM_ENCODER_UNINITIALIZED)
  97391. return true;
  97392. if(encoder->protected_->state == FLAC__STREAM_ENCODER_OK && !encoder->private_->is_being_deleted) {
  97393. if(encoder->private_->current_sample_number != 0) {
  97394. const FLAC__bool is_fractional_block = encoder->protected_->blocksize != encoder->private_->current_sample_number;
  97395. encoder->protected_->blocksize = encoder->private_->current_sample_number;
  97396. if(!process_frame_(encoder, is_fractional_block, /*is_last_block=*/true))
  97397. error = true;
  97398. }
  97399. }
  97400. if(encoder->protected_->do_md5)
  97401. FLAC__MD5Final(encoder->private_->streaminfo.data.stream_info.md5sum, &encoder->private_->md5context);
  97402. if(!encoder->private_->is_being_deleted) {
  97403. if(encoder->protected_->state == FLAC__STREAM_ENCODER_OK) {
  97404. if(encoder->private_->seek_callback) {
  97405. #if FLAC__HAS_OGG
  97406. if(encoder->private_->is_ogg)
  97407. update_ogg_metadata_(encoder);
  97408. else
  97409. #endif
  97410. update_metadata_(encoder);
  97411. /* check if an error occurred while updating metadata */
  97412. if(encoder->protected_->state != FLAC__STREAM_ENCODER_OK)
  97413. error = true;
  97414. }
  97415. if(encoder->private_->metadata_callback)
  97416. encoder->private_->metadata_callback(encoder, &encoder->private_->streaminfo, encoder->private_->client_data);
  97417. }
  97418. if(encoder->protected_->verify && 0 != encoder->private_->verify.decoder && !FLAC__stream_decoder_finish(encoder->private_->verify.decoder)) {
  97419. if(!error)
  97420. encoder->protected_->state = FLAC__STREAM_ENCODER_VERIFY_MISMATCH_IN_AUDIO_DATA;
  97421. error = true;
  97422. }
  97423. }
  97424. if(0 != encoder->private_->file) {
  97425. if(encoder->private_->file != stdout)
  97426. fclose(encoder->private_->file);
  97427. encoder->private_->file = 0;
  97428. }
  97429. #if FLAC__HAS_OGG
  97430. if(encoder->private_->is_ogg)
  97431. FLAC__ogg_encoder_aspect_finish(&encoder->protected_->ogg_encoder_aspect);
  97432. #endif
  97433. free_(encoder);
  97434. set_defaults_enc(encoder);
  97435. if(!error)
  97436. encoder->protected_->state = FLAC__STREAM_ENCODER_UNINITIALIZED;
  97437. return !error;
  97438. }
  97439. FLAC_API FLAC__bool FLAC__stream_encoder_set_ogg_serial_number(FLAC__StreamEncoder *encoder, long value)
  97440. {
  97441. FLAC__ASSERT(0 != encoder);
  97442. FLAC__ASSERT(0 != encoder->private_);
  97443. FLAC__ASSERT(0 != encoder->protected_);
  97444. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97445. return false;
  97446. #if FLAC__HAS_OGG
  97447. /* can't check encoder->private_->is_ogg since that's not set until init time */
  97448. FLAC__ogg_encoder_aspect_set_serial_number(&encoder->protected_->ogg_encoder_aspect, value);
  97449. return true;
  97450. #else
  97451. (void)value;
  97452. return false;
  97453. #endif
  97454. }
  97455. FLAC_API FLAC__bool FLAC__stream_encoder_set_verify(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97456. {
  97457. FLAC__ASSERT(0 != encoder);
  97458. FLAC__ASSERT(0 != encoder->private_);
  97459. FLAC__ASSERT(0 != encoder->protected_);
  97460. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97461. return false;
  97462. #ifndef FLAC__MANDATORY_VERIFY_WHILE_ENCODING
  97463. encoder->protected_->verify = value;
  97464. #endif
  97465. return true;
  97466. }
  97467. FLAC_API FLAC__bool FLAC__stream_encoder_set_streamable_subset(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97468. {
  97469. FLAC__ASSERT(0 != encoder);
  97470. FLAC__ASSERT(0 != encoder->private_);
  97471. FLAC__ASSERT(0 != encoder->protected_);
  97472. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97473. return false;
  97474. encoder->protected_->streamable_subset = value;
  97475. return true;
  97476. }
  97477. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_md5(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97478. {
  97479. FLAC__ASSERT(0 != encoder);
  97480. FLAC__ASSERT(0 != encoder->private_);
  97481. FLAC__ASSERT(0 != encoder->protected_);
  97482. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97483. return false;
  97484. encoder->protected_->do_md5 = value;
  97485. return true;
  97486. }
  97487. FLAC_API FLAC__bool FLAC__stream_encoder_set_channels(FLAC__StreamEncoder *encoder, unsigned value)
  97488. {
  97489. FLAC__ASSERT(0 != encoder);
  97490. FLAC__ASSERT(0 != encoder->private_);
  97491. FLAC__ASSERT(0 != encoder->protected_);
  97492. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97493. return false;
  97494. encoder->protected_->channels = value;
  97495. return true;
  97496. }
  97497. FLAC_API FLAC__bool FLAC__stream_encoder_set_bits_per_sample(FLAC__StreamEncoder *encoder, unsigned value)
  97498. {
  97499. FLAC__ASSERT(0 != encoder);
  97500. FLAC__ASSERT(0 != encoder->private_);
  97501. FLAC__ASSERT(0 != encoder->protected_);
  97502. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97503. return false;
  97504. encoder->protected_->bits_per_sample = value;
  97505. return true;
  97506. }
  97507. FLAC_API FLAC__bool FLAC__stream_encoder_set_sample_rate(FLAC__StreamEncoder *encoder, unsigned value)
  97508. {
  97509. FLAC__ASSERT(0 != encoder);
  97510. FLAC__ASSERT(0 != encoder->private_);
  97511. FLAC__ASSERT(0 != encoder->protected_);
  97512. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97513. return false;
  97514. encoder->protected_->sample_rate = value;
  97515. return true;
  97516. }
  97517. FLAC_API FLAC__bool FLAC__stream_encoder_set_compression_level(FLAC__StreamEncoder *encoder, unsigned value)
  97518. {
  97519. FLAC__bool ok = true;
  97520. FLAC__ASSERT(0 != encoder);
  97521. FLAC__ASSERT(0 != encoder->private_);
  97522. FLAC__ASSERT(0 != encoder->protected_);
  97523. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97524. return false;
  97525. if(value >= sizeof(compression_levels_)/sizeof(compression_levels_[0]))
  97526. value = sizeof(compression_levels_)/sizeof(compression_levels_[0]) - 1;
  97527. ok &= FLAC__stream_encoder_set_do_mid_side_stereo (encoder, compression_levels_[value].do_mid_side_stereo);
  97528. ok &= FLAC__stream_encoder_set_loose_mid_side_stereo (encoder, compression_levels_[value].loose_mid_side_stereo);
  97529. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  97530. #if 0
  97531. /* was: */
  97532. ok &= FLAC__stream_encoder_set_apodization (encoder, compression_levels_[value].apodization);
  97533. /* but it's too hard to specify the string in a locale-specific way */
  97534. #else
  97535. encoder->protected_->num_apodizations = 1;
  97536. encoder->protected_->apodizations[0].type = FLAC__APODIZATION_TUKEY;
  97537. encoder->protected_->apodizations[0].parameters.tukey.p = 0.5;
  97538. #endif
  97539. #endif
  97540. ok &= FLAC__stream_encoder_set_max_lpc_order (encoder, compression_levels_[value].max_lpc_order);
  97541. ok &= FLAC__stream_encoder_set_qlp_coeff_precision (encoder, compression_levels_[value].qlp_coeff_precision);
  97542. ok &= FLAC__stream_encoder_set_do_qlp_coeff_prec_search (encoder, compression_levels_[value].do_qlp_coeff_prec_search);
  97543. ok &= FLAC__stream_encoder_set_do_escape_coding (encoder, compression_levels_[value].do_escape_coding);
  97544. ok &= FLAC__stream_encoder_set_do_exhaustive_model_search (encoder, compression_levels_[value].do_exhaustive_model_search);
  97545. ok &= FLAC__stream_encoder_set_min_residual_partition_order(encoder, compression_levels_[value].min_residual_partition_order);
  97546. ok &= FLAC__stream_encoder_set_max_residual_partition_order(encoder, compression_levels_[value].max_residual_partition_order);
  97547. ok &= FLAC__stream_encoder_set_rice_parameter_search_dist (encoder, compression_levels_[value].rice_parameter_search_dist);
  97548. return ok;
  97549. }
  97550. FLAC_API FLAC__bool FLAC__stream_encoder_set_blocksize(FLAC__StreamEncoder *encoder, unsigned value)
  97551. {
  97552. FLAC__ASSERT(0 != encoder);
  97553. FLAC__ASSERT(0 != encoder->private_);
  97554. FLAC__ASSERT(0 != encoder->protected_);
  97555. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97556. return false;
  97557. encoder->protected_->blocksize = value;
  97558. return true;
  97559. }
  97560. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_mid_side_stereo(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97561. {
  97562. FLAC__ASSERT(0 != encoder);
  97563. FLAC__ASSERT(0 != encoder->private_);
  97564. FLAC__ASSERT(0 != encoder->protected_);
  97565. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97566. return false;
  97567. encoder->protected_->do_mid_side_stereo = value;
  97568. return true;
  97569. }
  97570. FLAC_API FLAC__bool FLAC__stream_encoder_set_loose_mid_side_stereo(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97571. {
  97572. FLAC__ASSERT(0 != encoder);
  97573. FLAC__ASSERT(0 != encoder->private_);
  97574. FLAC__ASSERT(0 != encoder->protected_);
  97575. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97576. return false;
  97577. encoder->protected_->loose_mid_side_stereo = value;
  97578. return true;
  97579. }
  97580. /*@@@@add to tests*/
  97581. FLAC_API FLAC__bool FLAC__stream_encoder_set_apodization(FLAC__StreamEncoder *encoder, const char *specification)
  97582. {
  97583. FLAC__ASSERT(0 != encoder);
  97584. FLAC__ASSERT(0 != encoder->private_);
  97585. FLAC__ASSERT(0 != encoder->protected_);
  97586. FLAC__ASSERT(0 != specification);
  97587. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97588. return false;
  97589. #ifdef FLAC__INTEGER_ONLY_LIBRARY
  97590. (void)specification; /* silently ignore since we haven't integerized; will always use a rectangular window */
  97591. #else
  97592. encoder->protected_->num_apodizations = 0;
  97593. while(1) {
  97594. const char *s = strchr(specification, ';');
  97595. const size_t n = s? (size_t)(s - specification) : strlen(specification);
  97596. if (n==8 && 0 == strncmp("bartlett" , specification, n))
  97597. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_BARTLETT;
  97598. else if(n==13 && 0 == strncmp("bartlett_hann", specification, n))
  97599. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_BARTLETT_HANN;
  97600. else if(n==8 && 0 == strncmp("blackman" , specification, n))
  97601. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_BLACKMAN;
  97602. else if(n==26 && 0 == strncmp("blackman_harris_4term_92db", specification, n))
  97603. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_BLACKMAN_HARRIS_4TERM_92DB_SIDELOBE;
  97604. else if(n==6 && 0 == strncmp("connes" , specification, n))
  97605. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_CONNES;
  97606. else if(n==7 && 0 == strncmp("flattop" , specification, n))
  97607. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_FLATTOP;
  97608. else if(n>7 && 0 == strncmp("gauss(" , specification, 6)) {
  97609. FLAC__real stddev = (FLAC__real)strtod(specification+6, 0);
  97610. if (stddev > 0.0 && stddev <= 0.5) {
  97611. encoder->protected_->apodizations[encoder->protected_->num_apodizations].parameters.gauss.stddev = stddev;
  97612. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_GAUSS;
  97613. }
  97614. }
  97615. else if(n==7 && 0 == strncmp("hamming" , specification, n))
  97616. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_HAMMING;
  97617. else if(n==4 && 0 == strncmp("hann" , specification, n))
  97618. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_HANN;
  97619. else if(n==13 && 0 == strncmp("kaiser_bessel", specification, n))
  97620. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_KAISER_BESSEL;
  97621. else if(n==7 && 0 == strncmp("nuttall" , specification, n))
  97622. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_NUTTALL;
  97623. else if(n==9 && 0 == strncmp("rectangle" , specification, n))
  97624. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_RECTANGLE;
  97625. else if(n==8 && 0 == strncmp("triangle" , specification, n))
  97626. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_TRIANGLE;
  97627. else if(n>7 && 0 == strncmp("tukey(" , specification, 6)) {
  97628. FLAC__real p = (FLAC__real)strtod(specification+6, 0);
  97629. if (p >= 0.0 && p <= 1.0) {
  97630. encoder->protected_->apodizations[encoder->protected_->num_apodizations].parameters.tukey.p = p;
  97631. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_TUKEY;
  97632. }
  97633. }
  97634. else if(n==5 && 0 == strncmp("welch" , specification, n))
  97635. encoder->protected_->apodizations[encoder->protected_->num_apodizations++].type = FLAC__APODIZATION_WELCH;
  97636. if (encoder->protected_->num_apodizations == 32)
  97637. break;
  97638. if (s)
  97639. specification = s+1;
  97640. else
  97641. break;
  97642. }
  97643. if(encoder->protected_->num_apodizations == 0) {
  97644. encoder->protected_->num_apodizations = 1;
  97645. encoder->protected_->apodizations[0].type = FLAC__APODIZATION_TUKEY;
  97646. encoder->protected_->apodizations[0].parameters.tukey.p = 0.5;
  97647. }
  97648. #endif
  97649. return true;
  97650. }
  97651. FLAC_API FLAC__bool FLAC__stream_encoder_set_max_lpc_order(FLAC__StreamEncoder *encoder, unsigned value)
  97652. {
  97653. FLAC__ASSERT(0 != encoder);
  97654. FLAC__ASSERT(0 != encoder->private_);
  97655. FLAC__ASSERT(0 != encoder->protected_);
  97656. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97657. return false;
  97658. encoder->protected_->max_lpc_order = value;
  97659. return true;
  97660. }
  97661. FLAC_API FLAC__bool FLAC__stream_encoder_set_qlp_coeff_precision(FLAC__StreamEncoder *encoder, unsigned value)
  97662. {
  97663. FLAC__ASSERT(0 != encoder);
  97664. FLAC__ASSERT(0 != encoder->private_);
  97665. FLAC__ASSERT(0 != encoder->protected_);
  97666. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97667. return false;
  97668. encoder->protected_->qlp_coeff_precision = value;
  97669. return true;
  97670. }
  97671. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_qlp_coeff_prec_search(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97672. {
  97673. FLAC__ASSERT(0 != encoder);
  97674. FLAC__ASSERT(0 != encoder->private_);
  97675. FLAC__ASSERT(0 != encoder->protected_);
  97676. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97677. return false;
  97678. encoder->protected_->do_qlp_coeff_prec_search = value;
  97679. return true;
  97680. }
  97681. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_escape_coding(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97682. {
  97683. FLAC__ASSERT(0 != encoder);
  97684. FLAC__ASSERT(0 != encoder->private_);
  97685. FLAC__ASSERT(0 != encoder->protected_);
  97686. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97687. return false;
  97688. #if 0
  97689. /*@@@ deprecated: */
  97690. encoder->protected_->do_escape_coding = value;
  97691. #else
  97692. (void)value;
  97693. #endif
  97694. return true;
  97695. }
  97696. FLAC_API FLAC__bool FLAC__stream_encoder_set_do_exhaustive_model_search(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97697. {
  97698. FLAC__ASSERT(0 != encoder);
  97699. FLAC__ASSERT(0 != encoder->private_);
  97700. FLAC__ASSERT(0 != encoder->protected_);
  97701. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97702. return false;
  97703. encoder->protected_->do_exhaustive_model_search = value;
  97704. return true;
  97705. }
  97706. FLAC_API FLAC__bool FLAC__stream_encoder_set_min_residual_partition_order(FLAC__StreamEncoder *encoder, unsigned value)
  97707. {
  97708. FLAC__ASSERT(0 != encoder);
  97709. FLAC__ASSERT(0 != encoder->private_);
  97710. FLAC__ASSERT(0 != encoder->protected_);
  97711. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97712. return false;
  97713. encoder->protected_->min_residual_partition_order = value;
  97714. return true;
  97715. }
  97716. FLAC_API FLAC__bool FLAC__stream_encoder_set_max_residual_partition_order(FLAC__StreamEncoder *encoder, unsigned value)
  97717. {
  97718. FLAC__ASSERT(0 != encoder);
  97719. FLAC__ASSERT(0 != encoder->private_);
  97720. FLAC__ASSERT(0 != encoder->protected_);
  97721. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97722. return false;
  97723. encoder->protected_->max_residual_partition_order = value;
  97724. return true;
  97725. }
  97726. FLAC_API FLAC__bool FLAC__stream_encoder_set_rice_parameter_search_dist(FLAC__StreamEncoder *encoder, unsigned value)
  97727. {
  97728. FLAC__ASSERT(0 != encoder);
  97729. FLAC__ASSERT(0 != encoder->private_);
  97730. FLAC__ASSERT(0 != encoder->protected_);
  97731. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97732. return false;
  97733. #if 0
  97734. /*@@@ deprecated: */
  97735. encoder->protected_->rice_parameter_search_dist = value;
  97736. #else
  97737. (void)value;
  97738. #endif
  97739. return true;
  97740. }
  97741. FLAC_API FLAC__bool FLAC__stream_encoder_set_total_samples_estimate(FLAC__StreamEncoder *encoder, FLAC__uint64 value)
  97742. {
  97743. FLAC__ASSERT(0 != encoder);
  97744. FLAC__ASSERT(0 != encoder->private_);
  97745. FLAC__ASSERT(0 != encoder->protected_);
  97746. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97747. return false;
  97748. encoder->protected_->total_samples_estimate = value;
  97749. return true;
  97750. }
  97751. FLAC_API FLAC__bool FLAC__stream_encoder_set_metadata(FLAC__StreamEncoder *encoder, FLAC__StreamMetadata **metadata, unsigned num_blocks)
  97752. {
  97753. FLAC__ASSERT(0 != encoder);
  97754. FLAC__ASSERT(0 != encoder->private_);
  97755. FLAC__ASSERT(0 != encoder->protected_);
  97756. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97757. return false;
  97758. if(0 == metadata)
  97759. num_blocks = 0;
  97760. if(0 == num_blocks)
  97761. metadata = 0;
  97762. /* realloc() does not do exactly what we want so... */
  97763. if(encoder->protected_->metadata) {
  97764. free(encoder->protected_->metadata);
  97765. encoder->protected_->metadata = 0;
  97766. encoder->protected_->num_metadata_blocks = 0;
  97767. }
  97768. if(num_blocks) {
  97769. FLAC__StreamMetadata **m;
  97770. if(0 == (m = (FLAC__StreamMetadata**)safe_malloc_mul_2op_(sizeof(m[0]), /*times*/num_blocks)))
  97771. return false;
  97772. memcpy(m, metadata, sizeof(m[0]) * num_blocks);
  97773. encoder->protected_->metadata = m;
  97774. encoder->protected_->num_metadata_blocks = num_blocks;
  97775. }
  97776. #if FLAC__HAS_OGG
  97777. if(!FLAC__ogg_encoder_aspect_set_num_metadata(&encoder->protected_->ogg_encoder_aspect, num_blocks))
  97778. return false;
  97779. #endif
  97780. return true;
  97781. }
  97782. /*
  97783. * These three functions are not static, but not publically exposed in
  97784. * include/FLAC/ either. They are used by the test suite.
  97785. */
  97786. FLAC_API FLAC__bool FLAC__stream_encoder_disable_constant_subframes(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97787. {
  97788. FLAC__ASSERT(0 != encoder);
  97789. FLAC__ASSERT(0 != encoder->private_);
  97790. FLAC__ASSERT(0 != encoder->protected_);
  97791. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97792. return false;
  97793. encoder->private_->disable_constant_subframes = value;
  97794. return true;
  97795. }
  97796. FLAC_API FLAC__bool FLAC__stream_encoder_disable_fixed_subframes(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97797. {
  97798. FLAC__ASSERT(0 != encoder);
  97799. FLAC__ASSERT(0 != encoder->private_);
  97800. FLAC__ASSERT(0 != encoder->protected_);
  97801. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97802. return false;
  97803. encoder->private_->disable_fixed_subframes = value;
  97804. return true;
  97805. }
  97806. FLAC_API FLAC__bool FLAC__stream_encoder_disable_verbatim_subframes(FLAC__StreamEncoder *encoder, FLAC__bool value)
  97807. {
  97808. FLAC__ASSERT(0 != encoder);
  97809. FLAC__ASSERT(0 != encoder->private_);
  97810. FLAC__ASSERT(0 != encoder->protected_);
  97811. if(encoder->protected_->state != FLAC__STREAM_ENCODER_UNINITIALIZED)
  97812. return false;
  97813. encoder->private_->disable_verbatim_subframes = value;
  97814. return true;
  97815. }
  97816. FLAC_API FLAC__StreamEncoderState FLAC__stream_encoder_get_state(const FLAC__StreamEncoder *encoder)
  97817. {
  97818. FLAC__ASSERT(0 != encoder);
  97819. FLAC__ASSERT(0 != encoder->private_);
  97820. FLAC__ASSERT(0 != encoder->protected_);
  97821. return encoder->protected_->state;
  97822. }
  97823. FLAC_API FLAC__StreamDecoderState FLAC__stream_encoder_get_verify_decoder_state(const FLAC__StreamEncoder *encoder)
  97824. {
  97825. FLAC__ASSERT(0 != encoder);
  97826. FLAC__ASSERT(0 != encoder->private_);
  97827. FLAC__ASSERT(0 != encoder->protected_);
  97828. if(encoder->protected_->verify)
  97829. return FLAC__stream_decoder_get_state(encoder->private_->verify.decoder);
  97830. else
  97831. return FLAC__STREAM_DECODER_UNINITIALIZED;
  97832. }
  97833. FLAC_API const char *FLAC__stream_encoder_get_resolved_state_string(const FLAC__StreamEncoder *encoder)
  97834. {
  97835. FLAC__ASSERT(0 != encoder);
  97836. FLAC__ASSERT(0 != encoder->private_);
  97837. FLAC__ASSERT(0 != encoder->protected_);
  97838. if(encoder->protected_->state != FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR)
  97839. return FLAC__StreamEncoderStateString[encoder->protected_->state];
  97840. else
  97841. return FLAC__stream_decoder_get_resolved_state_string(encoder->private_->verify.decoder);
  97842. }
  97843. FLAC_API void FLAC__stream_encoder_get_verify_decoder_error_stats(const FLAC__StreamEncoder *encoder, FLAC__uint64 *absolute_sample, unsigned *frame_number, unsigned *channel, unsigned *sample, FLAC__int32 *expected, FLAC__int32 *got)
  97844. {
  97845. FLAC__ASSERT(0 != encoder);
  97846. FLAC__ASSERT(0 != encoder->private_);
  97847. FLAC__ASSERT(0 != encoder->protected_);
  97848. if(0 != absolute_sample)
  97849. *absolute_sample = encoder->private_->verify.error_stats.absolute_sample;
  97850. if(0 != frame_number)
  97851. *frame_number = encoder->private_->verify.error_stats.frame_number;
  97852. if(0 != channel)
  97853. *channel = encoder->private_->verify.error_stats.channel;
  97854. if(0 != sample)
  97855. *sample = encoder->private_->verify.error_stats.sample;
  97856. if(0 != expected)
  97857. *expected = encoder->private_->verify.error_stats.expected;
  97858. if(0 != got)
  97859. *got = encoder->private_->verify.error_stats.got;
  97860. }
  97861. FLAC_API FLAC__bool FLAC__stream_encoder_get_verify(const FLAC__StreamEncoder *encoder)
  97862. {
  97863. FLAC__ASSERT(0 != encoder);
  97864. FLAC__ASSERT(0 != encoder->private_);
  97865. FLAC__ASSERT(0 != encoder->protected_);
  97866. return encoder->protected_->verify;
  97867. }
  97868. FLAC_API FLAC__bool FLAC__stream_encoder_get_streamable_subset(const FLAC__StreamEncoder *encoder)
  97869. {
  97870. FLAC__ASSERT(0 != encoder);
  97871. FLAC__ASSERT(0 != encoder->private_);
  97872. FLAC__ASSERT(0 != encoder->protected_);
  97873. return encoder->protected_->streamable_subset;
  97874. }
  97875. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_md5(const FLAC__StreamEncoder *encoder)
  97876. {
  97877. FLAC__ASSERT(0 != encoder);
  97878. FLAC__ASSERT(0 != encoder->private_);
  97879. FLAC__ASSERT(0 != encoder->protected_);
  97880. return encoder->protected_->do_md5;
  97881. }
  97882. FLAC_API unsigned FLAC__stream_encoder_get_channels(const FLAC__StreamEncoder *encoder)
  97883. {
  97884. FLAC__ASSERT(0 != encoder);
  97885. FLAC__ASSERT(0 != encoder->private_);
  97886. FLAC__ASSERT(0 != encoder->protected_);
  97887. return encoder->protected_->channels;
  97888. }
  97889. FLAC_API unsigned FLAC__stream_encoder_get_bits_per_sample(const FLAC__StreamEncoder *encoder)
  97890. {
  97891. FLAC__ASSERT(0 != encoder);
  97892. FLAC__ASSERT(0 != encoder->private_);
  97893. FLAC__ASSERT(0 != encoder->protected_);
  97894. return encoder->protected_->bits_per_sample;
  97895. }
  97896. FLAC_API unsigned FLAC__stream_encoder_get_sample_rate(const FLAC__StreamEncoder *encoder)
  97897. {
  97898. FLAC__ASSERT(0 != encoder);
  97899. FLAC__ASSERT(0 != encoder->private_);
  97900. FLAC__ASSERT(0 != encoder->protected_);
  97901. return encoder->protected_->sample_rate;
  97902. }
  97903. FLAC_API unsigned FLAC__stream_encoder_get_blocksize(const FLAC__StreamEncoder *encoder)
  97904. {
  97905. FLAC__ASSERT(0 != encoder);
  97906. FLAC__ASSERT(0 != encoder->private_);
  97907. FLAC__ASSERT(0 != encoder->protected_);
  97908. return encoder->protected_->blocksize;
  97909. }
  97910. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_mid_side_stereo(const FLAC__StreamEncoder *encoder)
  97911. {
  97912. FLAC__ASSERT(0 != encoder);
  97913. FLAC__ASSERT(0 != encoder->private_);
  97914. FLAC__ASSERT(0 != encoder->protected_);
  97915. return encoder->protected_->do_mid_side_stereo;
  97916. }
  97917. FLAC_API FLAC__bool FLAC__stream_encoder_get_loose_mid_side_stereo(const FLAC__StreamEncoder *encoder)
  97918. {
  97919. FLAC__ASSERT(0 != encoder);
  97920. FLAC__ASSERT(0 != encoder->private_);
  97921. FLAC__ASSERT(0 != encoder->protected_);
  97922. return encoder->protected_->loose_mid_side_stereo;
  97923. }
  97924. FLAC_API unsigned FLAC__stream_encoder_get_max_lpc_order(const FLAC__StreamEncoder *encoder)
  97925. {
  97926. FLAC__ASSERT(0 != encoder);
  97927. FLAC__ASSERT(0 != encoder->private_);
  97928. FLAC__ASSERT(0 != encoder->protected_);
  97929. return encoder->protected_->max_lpc_order;
  97930. }
  97931. FLAC_API unsigned FLAC__stream_encoder_get_qlp_coeff_precision(const FLAC__StreamEncoder *encoder)
  97932. {
  97933. FLAC__ASSERT(0 != encoder);
  97934. FLAC__ASSERT(0 != encoder->private_);
  97935. FLAC__ASSERT(0 != encoder->protected_);
  97936. return encoder->protected_->qlp_coeff_precision;
  97937. }
  97938. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_qlp_coeff_prec_search(const FLAC__StreamEncoder *encoder)
  97939. {
  97940. FLAC__ASSERT(0 != encoder);
  97941. FLAC__ASSERT(0 != encoder->private_);
  97942. FLAC__ASSERT(0 != encoder->protected_);
  97943. return encoder->protected_->do_qlp_coeff_prec_search;
  97944. }
  97945. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_escape_coding(const FLAC__StreamEncoder *encoder)
  97946. {
  97947. FLAC__ASSERT(0 != encoder);
  97948. FLAC__ASSERT(0 != encoder->private_);
  97949. FLAC__ASSERT(0 != encoder->protected_);
  97950. return encoder->protected_->do_escape_coding;
  97951. }
  97952. FLAC_API FLAC__bool FLAC__stream_encoder_get_do_exhaustive_model_search(const FLAC__StreamEncoder *encoder)
  97953. {
  97954. FLAC__ASSERT(0 != encoder);
  97955. FLAC__ASSERT(0 != encoder->private_);
  97956. FLAC__ASSERT(0 != encoder->protected_);
  97957. return encoder->protected_->do_exhaustive_model_search;
  97958. }
  97959. FLAC_API unsigned FLAC__stream_encoder_get_min_residual_partition_order(const FLAC__StreamEncoder *encoder)
  97960. {
  97961. FLAC__ASSERT(0 != encoder);
  97962. FLAC__ASSERT(0 != encoder->private_);
  97963. FLAC__ASSERT(0 != encoder->protected_);
  97964. return encoder->protected_->min_residual_partition_order;
  97965. }
  97966. FLAC_API unsigned FLAC__stream_encoder_get_max_residual_partition_order(const FLAC__StreamEncoder *encoder)
  97967. {
  97968. FLAC__ASSERT(0 != encoder);
  97969. FLAC__ASSERT(0 != encoder->private_);
  97970. FLAC__ASSERT(0 != encoder->protected_);
  97971. return encoder->protected_->max_residual_partition_order;
  97972. }
  97973. FLAC_API unsigned FLAC__stream_encoder_get_rice_parameter_search_dist(const FLAC__StreamEncoder *encoder)
  97974. {
  97975. FLAC__ASSERT(0 != encoder);
  97976. FLAC__ASSERT(0 != encoder->private_);
  97977. FLAC__ASSERT(0 != encoder->protected_);
  97978. return encoder->protected_->rice_parameter_search_dist;
  97979. }
  97980. FLAC_API FLAC__uint64 FLAC__stream_encoder_get_total_samples_estimate(const FLAC__StreamEncoder *encoder)
  97981. {
  97982. FLAC__ASSERT(0 != encoder);
  97983. FLAC__ASSERT(0 != encoder->private_);
  97984. FLAC__ASSERT(0 != encoder->protected_);
  97985. return encoder->protected_->total_samples_estimate;
  97986. }
  97987. FLAC_API FLAC__bool FLAC__stream_encoder_process(FLAC__StreamEncoder *encoder, const FLAC__int32 * const buffer[], unsigned samples)
  97988. {
  97989. unsigned i, j = 0, channel;
  97990. const unsigned channels = encoder->protected_->channels, blocksize = encoder->protected_->blocksize;
  97991. FLAC__ASSERT(0 != encoder);
  97992. FLAC__ASSERT(0 != encoder->private_);
  97993. FLAC__ASSERT(0 != encoder->protected_);
  97994. FLAC__ASSERT(encoder->protected_->state == FLAC__STREAM_ENCODER_OK);
  97995. do {
  97996. const unsigned n = min(blocksize+OVERREAD_-encoder->private_->current_sample_number, samples-j);
  97997. if(encoder->protected_->verify)
  97998. append_to_verify_fifo_(&encoder->private_->verify.input_fifo, buffer, j, channels, n);
  97999. for(channel = 0; channel < channels; channel++)
  98000. memcpy(&encoder->private_->integer_signal[channel][encoder->private_->current_sample_number], &buffer[channel][j], sizeof(buffer[channel][0]) * n);
  98001. if(encoder->protected_->do_mid_side_stereo) {
  98002. FLAC__ASSERT(channels == 2);
  98003. /* "i <= blocksize" to overread 1 sample; see comment in OVERREAD_ decl */
  98004. for(i = encoder->private_->current_sample_number; i <= blocksize && j < samples; i++, j++) {
  98005. encoder->private_->integer_signal_mid_side[1][i] = buffer[0][j] - buffer[1][j];
  98006. encoder->private_->integer_signal_mid_side[0][i] = (buffer[0][j] + buffer[1][j]) >> 1; /* NOTE: not the same as 'mid = (buffer[0][j] + buffer[1][j]) / 2' ! */
  98007. }
  98008. }
  98009. else
  98010. j += n;
  98011. encoder->private_->current_sample_number += n;
  98012. /* we only process if we have a full block + 1 extra sample; final block is always handled by FLAC__stream_encoder_finish() */
  98013. if(encoder->private_->current_sample_number > blocksize) {
  98014. FLAC__ASSERT(encoder->private_->current_sample_number == blocksize+OVERREAD_);
  98015. FLAC__ASSERT(OVERREAD_ == 1); /* assert we only overread 1 sample which simplifies the rest of the code below */
  98016. if(!process_frame_(encoder, /*is_fractional_block=*/false, /*is_last_block=*/false))
  98017. return false;
  98018. /* move unprocessed overread samples to beginnings of arrays */
  98019. for(channel = 0; channel < channels; channel++)
  98020. encoder->private_->integer_signal[channel][0] = encoder->private_->integer_signal[channel][blocksize];
  98021. if(encoder->protected_->do_mid_side_stereo) {
  98022. encoder->private_->integer_signal_mid_side[0][0] = encoder->private_->integer_signal_mid_side[0][blocksize];
  98023. encoder->private_->integer_signal_mid_side[1][0] = encoder->private_->integer_signal_mid_side[1][blocksize];
  98024. }
  98025. encoder->private_->current_sample_number = 1;
  98026. }
  98027. } while(j < samples);
  98028. return true;
  98029. }
  98030. FLAC_API FLAC__bool FLAC__stream_encoder_process_interleaved(FLAC__StreamEncoder *encoder, const FLAC__int32 buffer[], unsigned samples)
  98031. {
  98032. unsigned i, j, k, channel;
  98033. FLAC__int32 x, mid, side;
  98034. const unsigned channels = encoder->protected_->channels, blocksize = encoder->protected_->blocksize;
  98035. FLAC__ASSERT(0 != encoder);
  98036. FLAC__ASSERT(0 != encoder->private_);
  98037. FLAC__ASSERT(0 != encoder->protected_);
  98038. FLAC__ASSERT(encoder->protected_->state == FLAC__STREAM_ENCODER_OK);
  98039. j = k = 0;
  98040. /*
  98041. * we have several flavors of the same basic loop, optimized for
  98042. * different conditions:
  98043. */
  98044. if(encoder->protected_->do_mid_side_stereo && channels == 2) {
  98045. /*
  98046. * stereo coding: unroll channel loop
  98047. */
  98048. do {
  98049. if(encoder->protected_->verify)
  98050. append_to_verify_fifo_interleaved_(&encoder->private_->verify.input_fifo, buffer, j, channels, min(blocksize+OVERREAD_-encoder->private_->current_sample_number, samples-j));
  98051. /* "i <= blocksize" to overread 1 sample; see comment in OVERREAD_ decl */
  98052. for(i = encoder->private_->current_sample_number; i <= blocksize && j < samples; i++, j++) {
  98053. encoder->private_->integer_signal[0][i] = mid = side = buffer[k++];
  98054. x = buffer[k++];
  98055. encoder->private_->integer_signal[1][i] = x;
  98056. mid += x;
  98057. side -= x;
  98058. mid >>= 1; /* NOTE: not the same as 'mid = (left + right) / 2' ! */
  98059. encoder->private_->integer_signal_mid_side[1][i] = side;
  98060. encoder->private_->integer_signal_mid_side[0][i] = mid;
  98061. }
  98062. encoder->private_->current_sample_number = i;
  98063. /* we only process if we have a full block + 1 extra sample; final block is always handled by FLAC__stream_encoder_finish() */
  98064. if(i > blocksize) {
  98065. if(!process_frame_(encoder, /*is_fractional_block=*/false, /*is_last_block=*/false))
  98066. return false;
  98067. /* move unprocessed overread samples to beginnings of arrays */
  98068. FLAC__ASSERT(i == blocksize+OVERREAD_);
  98069. FLAC__ASSERT(OVERREAD_ == 1); /* assert we only overread 1 sample which simplifies the rest of the code below */
  98070. encoder->private_->integer_signal[0][0] = encoder->private_->integer_signal[0][blocksize];
  98071. encoder->private_->integer_signal[1][0] = encoder->private_->integer_signal[1][blocksize];
  98072. encoder->private_->integer_signal_mid_side[0][0] = encoder->private_->integer_signal_mid_side[0][blocksize];
  98073. encoder->private_->integer_signal_mid_side[1][0] = encoder->private_->integer_signal_mid_side[1][blocksize];
  98074. encoder->private_->current_sample_number = 1;
  98075. }
  98076. } while(j < samples);
  98077. }
  98078. else {
  98079. /*
  98080. * independent channel coding: buffer each channel in inner loop
  98081. */
  98082. do {
  98083. if(encoder->protected_->verify)
  98084. append_to_verify_fifo_interleaved_(&encoder->private_->verify.input_fifo, buffer, j, channels, min(blocksize+OVERREAD_-encoder->private_->current_sample_number, samples-j));
  98085. /* "i <= blocksize" to overread 1 sample; see comment in OVERREAD_ decl */
  98086. for(i = encoder->private_->current_sample_number; i <= blocksize && j < samples; i++, j++) {
  98087. for(channel = 0; channel < channels; channel++)
  98088. encoder->private_->integer_signal[channel][i] = buffer[k++];
  98089. }
  98090. encoder->private_->current_sample_number = i;
  98091. /* we only process if we have a full block + 1 extra sample; final block is always handled by FLAC__stream_encoder_finish() */
  98092. if(i > blocksize) {
  98093. if(!process_frame_(encoder, /*is_fractional_block=*/false, /*is_last_block=*/false))
  98094. return false;
  98095. /* move unprocessed overread samples to beginnings of arrays */
  98096. FLAC__ASSERT(i == blocksize+OVERREAD_);
  98097. FLAC__ASSERT(OVERREAD_ == 1); /* assert we only overread 1 sample which simplifies the rest of the code below */
  98098. for(channel = 0; channel < channels; channel++)
  98099. encoder->private_->integer_signal[channel][0] = encoder->private_->integer_signal[channel][blocksize];
  98100. encoder->private_->current_sample_number = 1;
  98101. }
  98102. } while(j < samples);
  98103. }
  98104. return true;
  98105. }
  98106. /***********************************************************************
  98107. *
  98108. * Private class methods
  98109. *
  98110. ***********************************************************************/
  98111. void set_defaults_enc(FLAC__StreamEncoder *encoder)
  98112. {
  98113. FLAC__ASSERT(0 != encoder);
  98114. #ifdef FLAC__MANDATORY_VERIFY_WHILE_ENCODING
  98115. encoder->protected_->verify = true;
  98116. #else
  98117. encoder->protected_->verify = false;
  98118. #endif
  98119. encoder->protected_->streamable_subset = true;
  98120. encoder->protected_->do_md5 = true;
  98121. encoder->protected_->do_mid_side_stereo = false;
  98122. encoder->protected_->loose_mid_side_stereo = false;
  98123. encoder->protected_->channels = 2;
  98124. encoder->protected_->bits_per_sample = 16;
  98125. encoder->protected_->sample_rate = 44100;
  98126. encoder->protected_->blocksize = 0;
  98127. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  98128. encoder->protected_->num_apodizations = 1;
  98129. encoder->protected_->apodizations[0].type = FLAC__APODIZATION_TUKEY;
  98130. encoder->protected_->apodizations[0].parameters.tukey.p = 0.5;
  98131. #endif
  98132. encoder->protected_->max_lpc_order = 0;
  98133. encoder->protected_->qlp_coeff_precision = 0;
  98134. encoder->protected_->do_qlp_coeff_prec_search = false;
  98135. encoder->protected_->do_exhaustive_model_search = false;
  98136. encoder->protected_->do_escape_coding = false;
  98137. encoder->protected_->min_residual_partition_order = 0;
  98138. encoder->protected_->max_residual_partition_order = 0;
  98139. encoder->protected_->rice_parameter_search_dist = 0;
  98140. encoder->protected_->total_samples_estimate = 0;
  98141. encoder->protected_->metadata = 0;
  98142. encoder->protected_->num_metadata_blocks = 0;
  98143. encoder->private_->seek_table = 0;
  98144. encoder->private_->disable_constant_subframes = false;
  98145. encoder->private_->disable_fixed_subframes = false;
  98146. encoder->private_->disable_verbatim_subframes = false;
  98147. #if FLAC__HAS_OGG
  98148. encoder->private_->is_ogg = false;
  98149. #endif
  98150. encoder->private_->read_callback = 0;
  98151. encoder->private_->write_callback = 0;
  98152. encoder->private_->seek_callback = 0;
  98153. encoder->private_->tell_callback = 0;
  98154. encoder->private_->metadata_callback = 0;
  98155. encoder->private_->progress_callback = 0;
  98156. encoder->private_->client_data = 0;
  98157. #if FLAC__HAS_OGG
  98158. FLAC__ogg_encoder_aspect_set_defaults(&encoder->protected_->ogg_encoder_aspect);
  98159. #endif
  98160. }
  98161. void free_(FLAC__StreamEncoder *encoder)
  98162. {
  98163. unsigned i, channel;
  98164. FLAC__ASSERT(0 != encoder);
  98165. if(encoder->protected_->metadata) {
  98166. free(encoder->protected_->metadata);
  98167. encoder->protected_->metadata = 0;
  98168. encoder->protected_->num_metadata_blocks = 0;
  98169. }
  98170. for(i = 0; i < encoder->protected_->channels; i++) {
  98171. if(0 != encoder->private_->integer_signal_unaligned[i]) {
  98172. free(encoder->private_->integer_signal_unaligned[i]);
  98173. encoder->private_->integer_signal_unaligned[i] = 0;
  98174. }
  98175. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  98176. if(0 != encoder->private_->real_signal_unaligned[i]) {
  98177. free(encoder->private_->real_signal_unaligned[i]);
  98178. encoder->private_->real_signal_unaligned[i] = 0;
  98179. }
  98180. #endif
  98181. }
  98182. for(i = 0; i < 2; i++) {
  98183. if(0 != encoder->private_->integer_signal_mid_side_unaligned[i]) {
  98184. free(encoder->private_->integer_signal_mid_side_unaligned[i]);
  98185. encoder->private_->integer_signal_mid_side_unaligned[i] = 0;
  98186. }
  98187. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  98188. if(0 != encoder->private_->real_signal_mid_side_unaligned[i]) {
  98189. free(encoder->private_->real_signal_mid_side_unaligned[i]);
  98190. encoder->private_->real_signal_mid_side_unaligned[i] = 0;
  98191. }
  98192. #endif
  98193. }
  98194. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  98195. for(i = 0; i < encoder->protected_->num_apodizations; i++) {
  98196. if(0 != encoder->private_->window_unaligned[i]) {
  98197. free(encoder->private_->window_unaligned[i]);
  98198. encoder->private_->window_unaligned[i] = 0;
  98199. }
  98200. }
  98201. if(0 != encoder->private_->windowed_signal_unaligned) {
  98202. free(encoder->private_->windowed_signal_unaligned);
  98203. encoder->private_->windowed_signal_unaligned = 0;
  98204. }
  98205. #endif
  98206. for(channel = 0; channel < encoder->protected_->channels; channel++) {
  98207. for(i = 0; i < 2; i++) {
  98208. if(0 != encoder->private_->residual_workspace_unaligned[channel][i]) {
  98209. free(encoder->private_->residual_workspace_unaligned[channel][i]);
  98210. encoder->private_->residual_workspace_unaligned[channel][i] = 0;
  98211. }
  98212. }
  98213. }
  98214. for(channel = 0; channel < 2; channel++) {
  98215. for(i = 0; i < 2; i++) {
  98216. if(0 != encoder->private_->residual_workspace_mid_side_unaligned[channel][i]) {
  98217. free(encoder->private_->residual_workspace_mid_side_unaligned[channel][i]);
  98218. encoder->private_->residual_workspace_mid_side_unaligned[channel][i] = 0;
  98219. }
  98220. }
  98221. }
  98222. if(0 != encoder->private_->abs_residual_partition_sums_unaligned) {
  98223. free(encoder->private_->abs_residual_partition_sums_unaligned);
  98224. encoder->private_->abs_residual_partition_sums_unaligned = 0;
  98225. }
  98226. if(0 != encoder->private_->raw_bits_per_partition_unaligned) {
  98227. free(encoder->private_->raw_bits_per_partition_unaligned);
  98228. encoder->private_->raw_bits_per_partition_unaligned = 0;
  98229. }
  98230. if(encoder->protected_->verify) {
  98231. for(i = 0; i < encoder->protected_->channels; i++) {
  98232. if(0 != encoder->private_->verify.input_fifo.data[i]) {
  98233. free(encoder->private_->verify.input_fifo.data[i]);
  98234. encoder->private_->verify.input_fifo.data[i] = 0;
  98235. }
  98236. }
  98237. }
  98238. FLAC__bitwriter_free(encoder->private_->frame);
  98239. }
  98240. FLAC__bool resize_buffers_(FLAC__StreamEncoder *encoder, unsigned new_blocksize)
  98241. {
  98242. FLAC__bool ok;
  98243. unsigned i, channel;
  98244. FLAC__ASSERT(new_blocksize > 0);
  98245. FLAC__ASSERT(encoder->protected_->state == FLAC__STREAM_ENCODER_OK);
  98246. FLAC__ASSERT(encoder->private_->current_sample_number == 0);
  98247. /* To avoid excessive malloc'ing, we only grow the buffer; no shrinking. */
  98248. if(new_blocksize <= encoder->private_->input_capacity)
  98249. return true;
  98250. ok = true;
  98251. /* WATCHOUT: FLAC__lpc_compute_residual_from_qlp_coefficients_asm_ia32_mmx()
  98252. * requires that the input arrays (in our case the integer signals)
  98253. * have a buffer of up to 3 zeroes in front (at negative indices) for
  98254. * alignment purposes; we use 4 in front to keep the data well-aligned.
  98255. */
  98256. for(i = 0; ok && i < encoder->protected_->channels; i++) {
  98257. ok = ok && FLAC__memory_alloc_aligned_int32_array(new_blocksize+4+OVERREAD_, &encoder->private_->integer_signal_unaligned[i], &encoder->private_->integer_signal[i]);
  98258. memset(encoder->private_->integer_signal[i], 0, sizeof(FLAC__int32)*4);
  98259. encoder->private_->integer_signal[i] += 4;
  98260. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  98261. #if 0 /* @@@ currently unused */
  98262. if(encoder->protected_->max_lpc_order > 0)
  98263. ok = ok && FLAC__memory_alloc_aligned_real_array(new_blocksize+OVERREAD_, &encoder->private_->real_signal_unaligned[i], &encoder->private_->real_signal[i]);
  98264. #endif
  98265. #endif
  98266. }
  98267. for(i = 0; ok && i < 2; i++) {
  98268. ok = ok && FLAC__memory_alloc_aligned_int32_array(new_blocksize+4+OVERREAD_, &encoder->private_->integer_signal_mid_side_unaligned[i], &encoder->private_->integer_signal_mid_side[i]);
  98269. memset(encoder->private_->integer_signal_mid_side[i], 0, sizeof(FLAC__int32)*4);
  98270. encoder->private_->integer_signal_mid_side[i] += 4;
  98271. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  98272. #if 0 /* @@@ currently unused */
  98273. if(encoder->protected_->max_lpc_order > 0)
  98274. ok = ok && FLAC__memory_alloc_aligned_real_array(new_blocksize+OVERREAD_, &encoder->private_->real_signal_mid_side_unaligned[i], &encoder->private_->real_signal_mid_side[i]);
  98275. #endif
  98276. #endif
  98277. }
  98278. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  98279. if(ok && encoder->protected_->max_lpc_order > 0) {
  98280. for(i = 0; ok && i < encoder->protected_->num_apodizations; i++)
  98281. ok = ok && FLAC__memory_alloc_aligned_real_array(new_blocksize, &encoder->private_->window_unaligned[i], &encoder->private_->window[i]);
  98282. ok = ok && FLAC__memory_alloc_aligned_real_array(new_blocksize, &encoder->private_->windowed_signal_unaligned, &encoder->private_->windowed_signal);
  98283. }
  98284. #endif
  98285. for(channel = 0; ok && channel < encoder->protected_->channels; channel++) {
  98286. for(i = 0; ok && i < 2; i++) {
  98287. ok = ok && FLAC__memory_alloc_aligned_int32_array(new_blocksize, &encoder->private_->residual_workspace_unaligned[channel][i], &encoder->private_->residual_workspace[channel][i]);
  98288. }
  98289. }
  98290. for(channel = 0; ok && channel < 2; channel++) {
  98291. for(i = 0; ok && i < 2; i++) {
  98292. ok = ok && FLAC__memory_alloc_aligned_int32_array(new_blocksize, &encoder->private_->residual_workspace_mid_side_unaligned[channel][i], &encoder->private_->residual_workspace_mid_side[channel][i]);
  98293. }
  98294. }
  98295. /* the *2 is an approximation to the series 1 + 1/2 + 1/4 + ... that sums tree occupies in a flat array */
  98296. /*@@@ new_blocksize*2 is too pessimistic, but to fix, we need smarter logic because a smaller new_blocksize can actually increase the # of partitions; would require moving this out into a separate function, then checking its capacity against the need of the current blocksize&min/max_partition_order (and maybe predictor order) */
  98297. ok = ok && FLAC__memory_alloc_aligned_uint64_array(new_blocksize * 2, &encoder->private_->abs_residual_partition_sums_unaligned, &encoder->private_->abs_residual_partition_sums);
  98298. if(encoder->protected_->do_escape_coding)
  98299. ok = ok && FLAC__memory_alloc_aligned_unsigned_array(new_blocksize * 2, &encoder->private_->raw_bits_per_partition_unaligned, &encoder->private_->raw_bits_per_partition);
  98300. /* now adjust the windows if the blocksize has changed */
  98301. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  98302. if(ok && new_blocksize != encoder->private_->input_capacity && encoder->protected_->max_lpc_order > 0) {
  98303. for(i = 0; ok && i < encoder->protected_->num_apodizations; i++) {
  98304. switch(encoder->protected_->apodizations[i].type) {
  98305. case FLAC__APODIZATION_BARTLETT:
  98306. FLAC__window_bartlett(encoder->private_->window[i], new_blocksize);
  98307. break;
  98308. case FLAC__APODIZATION_BARTLETT_HANN:
  98309. FLAC__window_bartlett_hann(encoder->private_->window[i], new_blocksize);
  98310. break;
  98311. case FLAC__APODIZATION_BLACKMAN:
  98312. FLAC__window_blackman(encoder->private_->window[i], new_blocksize);
  98313. break;
  98314. case FLAC__APODIZATION_BLACKMAN_HARRIS_4TERM_92DB_SIDELOBE:
  98315. FLAC__window_blackman_harris_4term_92db_sidelobe(encoder->private_->window[i], new_blocksize);
  98316. break;
  98317. case FLAC__APODIZATION_CONNES:
  98318. FLAC__window_connes(encoder->private_->window[i], new_blocksize);
  98319. break;
  98320. case FLAC__APODIZATION_FLATTOP:
  98321. FLAC__window_flattop(encoder->private_->window[i], new_blocksize);
  98322. break;
  98323. case FLAC__APODIZATION_GAUSS:
  98324. FLAC__window_gauss(encoder->private_->window[i], new_blocksize, encoder->protected_->apodizations[i].parameters.gauss.stddev);
  98325. break;
  98326. case FLAC__APODIZATION_HAMMING:
  98327. FLAC__window_hamming(encoder->private_->window[i], new_blocksize);
  98328. break;
  98329. case FLAC__APODIZATION_HANN:
  98330. FLAC__window_hann(encoder->private_->window[i], new_blocksize);
  98331. break;
  98332. case FLAC__APODIZATION_KAISER_BESSEL:
  98333. FLAC__window_kaiser_bessel(encoder->private_->window[i], new_blocksize);
  98334. break;
  98335. case FLAC__APODIZATION_NUTTALL:
  98336. FLAC__window_nuttall(encoder->private_->window[i], new_blocksize);
  98337. break;
  98338. case FLAC__APODIZATION_RECTANGLE:
  98339. FLAC__window_rectangle(encoder->private_->window[i], new_blocksize);
  98340. break;
  98341. case FLAC__APODIZATION_TRIANGLE:
  98342. FLAC__window_triangle(encoder->private_->window[i], new_blocksize);
  98343. break;
  98344. case FLAC__APODIZATION_TUKEY:
  98345. FLAC__window_tukey(encoder->private_->window[i], new_blocksize, encoder->protected_->apodizations[i].parameters.tukey.p);
  98346. break;
  98347. case FLAC__APODIZATION_WELCH:
  98348. FLAC__window_welch(encoder->private_->window[i], new_blocksize);
  98349. break;
  98350. default:
  98351. FLAC__ASSERT(0);
  98352. /* double protection */
  98353. FLAC__window_hann(encoder->private_->window[i], new_blocksize);
  98354. break;
  98355. }
  98356. }
  98357. }
  98358. #endif
  98359. if(ok)
  98360. encoder->private_->input_capacity = new_blocksize;
  98361. else
  98362. encoder->protected_->state = FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR;
  98363. return ok;
  98364. }
  98365. FLAC__bool write_bitbuffer_(FLAC__StreamEncoder *encoder, unsigned samples, FLAC__bool is_last_block)
  98366. {
  98367. const FLAC__byte *buffer;
  98368. size_t bytes;
  98369. FLAC__ASSERT(FLAC__bitwriter_is_byte_aligned(encoder->private_->frame));
  98370. if(!FLAC__bitwriter_get_buffer(encoder->private_->frame, &buffer, &bytes)) {
  98371. encoder->protected_->state = FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR;
  98372. return false;
  98373. }
  98374. if(encoder->protected_->verify) {
  98375. encoder->private_->verify.output.data = buffer;
  98376. encoder->private_->verify.output.bytes = bytes;
  98377. if(encoder->private_->verify.state_hint == ENCODER_IN_MAGIC) {
  98378. encoder->private_->verify.needs_magic_hack = true;
  98379. }
  98380. else {
  98381. if(!FLAC__stream_decoder_process_single(encoder->private_->verify.decoder)) {
  98382. FLAC__bitwriter_release_buffer(encoder->private_->frame);
  98383. FLAC__bitwriter_clear(encoder->private_->frame);
  98384. if(encoder->protected_->state != FLAC__STREAM_ENCODER_VERIFY_MISMATCH_IN_AUDIO_DATA)
  98385. encoder->protected_->state = FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR;
  98386. return false;
  98387. }
  98388. }
  98389. }
  98390. if(write_frame_(encoder, buffer, bytes, samples, is_last_block) != FLAC__STREAM_ENCODER_WRITE_STATUS_OK) {
  98391. FLAC__bitwriter_release_buffer(encoder->private_->frame);
  98392. FLAC__bitwriter_clear(encoder->private_->frame);
  98393. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98394. return false;
  98395. }
  98396. FLAC__bitwriter_release_buffer(encoder->private_->frame);
  98397. FLAC__bitwriter_clear(encoder->private_->frame);
  98398. if(samples > 0) {
  98399. encoder->private_->streaminfo.data.stream_info.min_framesize = min(bytes, encoder->private_->streaminfo.data.stream_info.min_framesize);
  98400. encoder->private_->streaminfo.data.stream_info.max_framesize = max(bytes, encoder->private_->streaminfo.data.stream_info.max_framesize);
  98401. }
  98402. return true;
  98403. }
  98404. FLAC__StreamEncoderWriteStatus write_frame_(FLAC__StreamEncoder *encoder, const FLAC__byte buffer[], size_t bytes, unsigned samples, FLAC__bool is_last_block)
  98405. {
  98406. FLAC__StreamEncoderWriteStatus status;
  98407. FLAC__uint64 output_position = 0;
  98408. /* FLAC__STREAM_ENCODER_TELL_STATUS_UNSUPPORTED just means we didn't get the offset; no error */
  98409. if(encoder->private_->tell_callback && encoder->private_->tell_callback(encoder, &output_position, encoder->private_->client_data) == FLAC__STREAM_ENCODER_TELL_STATUS_ERROR) {
  98410. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98411. return FLAC__STREAM_ENCODER_WRITE_STATUS_FATAL_ERROR;
  98412. }
  98413. /*
  98414. * Watch for the STREAMINFO block and first SEEKTABLE block to go by and store their offsets.
  98415. */
  98416. if(samples == 0) {
  98417. FLAC__MetadataType type = (FLAC__MetadataType) (buffer[0] & 0x7f);
  98418. if(type == FLAC__METADATA_TYPE_STREAMINFO)
  98419. encoder->protected_->streaminfo_offset = output_position;
  98420. else if(type == FLAC__METADATA_TYPE_SEEKTABLE && encoder->protected_->seektable_offset == 0)
  98421. encoder->protected_->seektable_offset = output_position;
  98422. }
  98423. /*
  98424. * Mark the current seek point if hit (if audio_offset == 0 that
  98425. * means we're still writing metadata and haven't hit the first
  98426. * frame yet)
  98427. */
  98428. if(0 != encoder->private_->seek_table && encoder->protected_->audio_offset > 0 && encoder->private_->seek_table->num_points > 0) {
  98429. const unsigned blocksize = FLAC__stream_encoder_get_blocksize(encoder);
  98430. const FLAC__uint64 frame_first_sample = encoder->private_->samples_written;
  98431. const FLAC__uint64 frame_last_sample = frame_first_sample + (FLAC__uint64)blocksize - 1;
  98432. FLAC__uint64 test_sample;
  98433. unsigned i;
  98434. for(i = encoder->private_->first_seekpoint_to_check; i < encoder->private_->seek_table->num_points; i++) {
  98435. test_sample = encoder->private_->seek_table->points[i].sample_number;
  98436. if(test_sample > frame_last_sample) {
  98437. break;
  98438. }
  98439. else if(test_sample >= frame_first_sample) {
  98440. encoder->private_->seek_table->points[i].sample_number = frame_first_sample;
  98441. encoder->private_->seek_table->points[i].stream_offset = output_position - encoder->protected_->audio_offset;
  98442. encoder->private_->seek_table->points[i].frame_samples = blocksize;
  98443. encoder->private_->first_seekpoint_to_check++;
  98444. /* DO NOT: "break;" and here's why:
  98445. * The seektable template may contain more than one target
  98446. * sample for any given frame; we will keep looping, generating
  98447. * duplicate seekpoints for them, and we'll clean it up later,
  98448. * just before writing the seektable back to the metadata.
  98449. */
  98450. }
  98451. else {
  98452. encoder->private_->first_seekpoint_to_check++;
  98453. }
  98454. }
  98455. }
  98456. #if FLAC__HAS_OGG
  98457. if(encoder->private_->is_ogg) {
  98458. status = FLAC__ogg_encoder_aspect_write_callback_wrapper(
  98459. &encoder->protected_->ogg_encoder_aspect,
  98460. buffer,
  98461. bytes,
  98462. samples,
  98463. encoder->private_->current_frame_number,
  98464. is_last_block,
  98465. (FLAC__OggEncoderAspectWriteCallbackProxy)encoder->private_->write_callback,
  98466. encoder,
  98467. encoder->private_->client_data
  98468. );
  98469. }
  98470. else
  98471. #endif
  98472. status = encoder->private_->write_callback(encoder, buffer, bytes, samples, encoder->private_->current_frame_number, encoder->private_->client_data);
  98473. if(status == FLAC__STREAM_ENCODER_WRITE_STATUS_OK) {
  98474. encoder->private_->bytes_written += bytes;
  98475. encoder->private_->samples_written += samples;
  98476. /* we keep a high watermark on the number of frames written because
  98477. * when the encoder goes back to write metadata, 'current_frame'
  98478. * will drop back to 0.
  98479. */
  98480. encoder->private_->frames_written = max(encoder->private_->frames_written, encoder->private_->current_frame_number+1);
  98481. }
  98482. else
  98483. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98484. return status;
  98485. }
  98486. /* Gets called when the encoding process has finished so that we can update the STREAMINFO and SEEKTABLE blocks. */
  98487. void update_metadata_(const FLAC__StreamEncoder *encoder)
  98488. {
  98489. FLAC__byte b[max(6, FLAC__STREAM_METADATA_SEEKPOINT_LENGTH)];
  98490. const FLAC__StreamMetadata *metadata = &encoder->private_->streaminfo;
  98491. const FLAC__uint64 samples = metadata->data.stream_info.total_samples;
  98492. const unsigned min_framesize = metadata->data.stream_info.min_framesize;
  98493. const unsigned max_framesize = metadata->data.stream_info.max_framesize;
  98494. const unsigned bps = metadata->data.stream_info.bits_per_sample;
  98495. FLAC__StreamEncoderSeekStatus seek_status;
  98496. FLAC__ASSERT(metadata->type == FLAC__METADATA_TYPE_STREAMINFO);
  98497. /* All this is based on intimate knowledge of the stream header
  98498. * layout, but a change to the header format that would break this
  98499. * would also break all streams encoded in the previous format.
  98500. */
  98501. /*
  98502. * Write MD5 signature
  98503. */
  98504. {
  98505. const unsigned md5_offset =
  98506. FLAC__STREAM_METADATA_HEADER_LENGTH +
  98507. (
  98508. FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN +
  98509. FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN +
  98510. FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN +
  98511. FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN +
  98512. FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN +
  98513. FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN +
  98514. FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN +
  98515. FLAC__STREAM_METADATA_STREAMINFO_TOTAL_SAMPLES_LEN
  98516. ) / 8;
  98517. if((seek_status = encoder->private_->seek_callback(encoder, encoder->protected_->streaminfo_offset + md5_offset, encoder->private_->client_data)) != FLAC__STREAM_ENCODER_SEEK_STATUS_OK) {
  98518. if(seek_status == FLAC__STREAM_ENCODER_SEEK_STATUS_ERROR)
  98519. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98520. return;
  98521. }
  98522. if(encoder->private_->write_callback(encoder, metadata->data.stream_info.md5sum, 16, 0, 0, encoder->private_->client_data) != FLAC__STREAM_ENCODER_WRITE_STATUS_OK) {
  98523. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98524. return;
  98525. }
  98526. }
  98527. /*
  98528. * Write total samples
  98529. */
  98530. {
  98531. const unsigned total_samples_byte_offset =
  98532. FLAC__STREAM_METADATA_HEADER_LENGTH +
  98533. (
  98534. FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN +
  98535. FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN +
  98536. FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN +
  98537. FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN +
  98538. FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN +
  98539. FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN +
  98540. FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN
  98541. - 4
  98542. ) / 8;
  98543. b[0] = ((FLAC__byte)(bps-1) << 4) | (FLAC__byte)((samples >> 32) & 0x0F);
  98544. b[1] = (FLAC__byte)((samples >> 24) & 0xFF);
  98545. b[2] = (FLAC__byte)((samples >> 16) & 0xFF);
  98546. b[3] = (FLAC__byte)((samples >> 8) & 0xFF);
  98547. b[4] = (FLAC__byte)(samples & 0xFF);
  98548. if((seek_status = encoder->private_->seek_callback(encoder, encoder->protected_->streaminfo_offset + total_samples_byte_offset, encoder->private_->client_data)) != FLAC__STREAM_ENCODER_SEEK_STATUS_OK) {
  98549. if(seek_status == FLAC__STREAM_ENCODER_SEEK_STATUS_ERROR)
  98550. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98551. return;
  98552. }
  98553. if(encoder->private_->write_callback(encoder, b, 5, 0, 0, encoder->private_->client_data) != FLAC__STREAM_ENCODER_WRITE_STATUS_OK) {
  98554. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98555. return;
  98556. }
  98557. }
  98558. /*
  98559. * Write min/max framesize
  98560. */
  98561. {
  98562. const unsigned min_framesize_offset =
  98563. FLAC__STREAM_METADATA_HEADER_LENGTH +
  98564. (
  98565. FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN +
  98566. FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN
  98567. ) / 8;
  98568. b[0] = (FLAC__byte)((min_framesize >> 16) & 0xFF);
  98569. b[1] = (FLAC__byte)((min_framesize >> 8) & 0xFF);
  98570. b[2] = (FLAC__byte)(min_framesize & 0xFF);
  98571. b[3] = (FLAC__byte)((max_framesize >> 16) & 0xFF);
  98572. b[4] = (FLAC__byte)((max_framesize >> 8) & 0xFF);
  98573. b[5] = (FLAC__byte)(max_framesize & 0xFF);
  98574. if((seek_status = encoder->private_->seek_callback(encoder, encoder->protected_->streaminfo_offset + min_framesize_offset, encoder->private_->client_data)) != FLAC__STREAM_ENCODER_SEEK_STATUS_OK) {
  98575. if(seek_status == FLAC__STREAM_ENCODER_SEEK_STATUS_ERROR)
  98576. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98577. return;
  98578. }
  98579. if(encoder->private_->write_callback(encoder, b, 6, 0, 0, encoder->private_->client_data) != FLAC__STREAM_ENCODER_WRITE_STATUS_OK) {
  98580. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98581. return;
  98582. }
  98583. }
  98584. /*
  98585. * Write seektable
  98586. */
  98587. if(0 != encoder->private_->seek_table && encoder->private_->seek_table->num_points > 0 && encoder->protected_->seektable_offset > 0) {
  98588. unsigned i;
  98589. FLAC__format_seektable_sort(encoder->private_->seek_table);
  98590. FLAC__ASSERT(FLAC__format_seektable_is_legal(encoder->private_->seek_table));
  98591. if((seek_status = encoder->private_->seek_callback(encoder, encoder->protected_->seektable_offset + FLAC__STREAM_METADATA_HEADER_LENGTH, encoder->private_->client_data)) != FLAC__STREAM_ENCODER_SEEK_STATUS_OK) {
  98592. if(seek_status == FLAC__STREAM_ENCODER_SEEK_STATUS_ERROR)
  98593. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98594. return;
  98595. }
  98596. for(i = 0; i < encoder->private_->seek_table->num_points; i++) {
  98597. FLAC__uint64 xx;
  98598. unsigned x;
  98599. xx = encoder->private_->seek_table->points[i].sample_number;
  98600. b[7] = (FLAC__byte)xx; xx >>= 8;
  98601. b[6] = (FLAC__byte)xx; xx >>= 8;
  98602. b[5] = (FLAC__byte)xx; xx >>= 8;
  98603. b[4] = (FLAC__byte)xx; xx >>= 8;
  98604. b[3] = (FLAC__byte)xx; xx >>= 8;
  98605. b[2] = (FLAC__byte)xx; xx >>= 8;
  98606. b[1] = (FLAC__byte)xx; xx >>= 8;
  98607. b[0] = (FLAC__byte)xx; xx >>= 8;
  98608. xx = encoder->private_->seek_table->points[i].stream_offset;
  98609. b[15] = (FLAC__byte)xx; xx >>= 8;
  98610. b[14] = (FLAC__byte)xx; xx >>= 8;
  98611. b[13] = (FLAC__byte)xx; xx >>= 8;
  98612. b[12] = (FLAC__byte)xx; xx >>= 8;
  98613. b[11] = (FLAC__byte)xx; xx >>= 8;
  98614. b[10] = (FLAC__byte)xx; xx >>= 8;
  98615. b[9] = (FLAC__byte)xx; xx >>= 8;
  98616. b[8] = (FLAC__byte)xx; xx >>= 8;
  98617. x = encoder->private_->seek_table->points[i].frame_samples;
  98618. b[17] = (FLAC__byte)x; x >>= 8;
  98619. b[16] = (FLAC__byte)x; x >>= 8;
  98620. if(encoder->private_->write_callback(encoder, b, 18, 0, 0, encoder->private_->client_data) != FLAC__STREAM_ENCODER_WRITE_STATUS_OK) {
  98621. encoder->protected_->state = FLAC__STREAM_ENCODER_CLIENT_ERROR;
  98622. return;
  98623. }
  98624. }
  98625. }
  98626. }
  98627. #if FLAC__HAS_OGG
  98628. /* Gets called when the encoding process has finished so that we can update the STREAMINFO and SEEKTABLE blocks. */
  98629. void update_ogg_metadata_(FLAC__StreamEncoder *encoder)
  98630. {
  98631. /* the # of bytes in the 1st packet that precede the STREAMINFO */
  98632. static const unsigned FIRST_OGG_PACKET_STREAMINFO_PREFIX_LENGTH =
  98633. FLAC__OGG_MAPPING_PACKET_TYPE_LENGTH +
  98634. FLAC__OGG_MAPPING_MAGIC_LENGTH +
  98635. FLAC__OGG_MAPPING_VERSION_MAJOR_LENGTH +
  98636. FLAC__OGG_MAPPING_VERSION_MINOR_LENGTH +
  98637. FLAC__OGG_MAPPING_NUM_HEADERS_LENGTH +
  98638. FLAC__STREAM_SYNC_LENGTH
  98639. ;
  98640. FLAC__byte b[max(6, FLAC__STREAM_METADATA_SEEKPOINT_LENGTH)];
  98641. const FLAC__StreamMetadata *metadata = &encoder->private_->streaminfo;
  98642. const FLAC__uint64 samples = metadata->data.stream_info.total_samples;
  98643. const unsigned min_framesize = metadata->data.stream_info.min_framesize;
  98644. const unsigned max_framesize = metadata->data.stream_info.max_framesize;
  98645. ogg_page page;
  98646. FLAC__ASSERT(metadata->type == FLAC__METADATA_TYPE_STREAMINFO);
  98647. FLAC__ASSERT(0 != encoder->private_->seek_callback);
  98648. /* Pre-check that client supports seeking, since we don't want the
  98649. * ogg_helper code to ever have to deal with this condition.
  98650. */
  98651. if(encoder->private_->seek_callback(encoder, 0, encoder->private_->client_data) == FLAC__STREAM_ENCODER_SEEK_STATUS_UNSUPPORTED)
  98652. return;
  98653. /* All this is based on intimate knowledge of the stream header
  98654. * layout, but a change to the header format that would break this
  98655. * would also break all streams encoded in the previous format.
  98656. */
  98657. /**
  98658. ** Write STREAMINFO stats
  98659. **/
  98660. simple_ogg_page__init(&page);
  98661. if(!simple_ogg_page__get_at(encoder, encoder->protected_->streaminfo_offset, &page, encoder->private_->seek_callback, encoder->private_->read_callback, encoder->private_->client_data)) {
  98662. simple_ogg_page__clear(&page);
  98663. return; /* state already set */
  98664. }
  98665. /*
  98666. * Write MD5 signature
  98667. */
  98668. {
  98669. const unsigned md5_offset =
  98670. FIRST_OGG_PACKET_STREAMINFO_PREFIX_LENGTH +
  98671. FLAC__STREAM_METADATA_HEADER_LENGTH +
  98672. (
  98673. FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN +
  98674. FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN +
  98675. FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN +
  98676. FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN +
  98677. FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN +
  98678. FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN +
  98679. FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN +
  98680. FLAC__STREAM_METADATA_STREAMINFO_TOTAL_SAMPLES_LEN
  98681. ) / 8;
  98682. if(md5_offset + 16 > (unsigned)page.body_len) {
  98683. encoder->protected_->state = FLAC__STREAM_ENCODER_OGG_ERROR;
  98684. simple_ogg_page__clear(&page);
  98685. return;
  98686. }
  98687. memcpy(page.body + md5_offset, metadata->data.stream_info.md5sum, 16);
  98688. }
  98689. /*
  98690. * Write total samples
  98691. */
  98692. {
  98693. const unsigned total_samples_byte_offset =
  98694. FIRST_OGG_PACKET_STREAMINFO_PREFIX_LENGTH +
  98695. FLAC__STREAM_METADATA_HEADER_LENGTH +
  98696. (
  98697. FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN +
  98698. FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN +
  98699. FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN +
  98700. FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN +
  98701. FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN +
  98702. FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN +
  98703. FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN
  98704. - 4
  98705. ) / 8;
  98706. if(total_samples_byte_offset + 5 > (unsigned)page.body_len) {
  98707. encoder->protected_->state = FLAC__STREAM_ENCODER_OGG_ERROR;
  98708. simple_ogg_page__clear(&page);
  98709. return;
  98710. }
  98711. b[0] = (FLAC__byte)page.body[total_samples_byte_offset] & 0xF0;
  98712. b[0] |= (FLAC__byte)((samples >> 32) & 0x0F);
  98713. b[1] = (FLAC__byte)((samples >> 24) & 0xFF);
  98714. b[2] = (FLAC__byte)((samples >> 16) & 0xFF);
  98715. b[3] = (FLAC__byte)((samples >> 8) & 0xFF);
  98716. b[4] = (FLAC__byte)(samples & 0xFF);
  98717. memcpy(page.body + total_samples_byte_offset, b, 5);
  98718. }
  98719. /*
  98720. * Write min/max framesize
  98721. */
  98722. {
  98723. const unsigned min_framesize_offset =
  98724. FIRST_OGG_PACKET_STREAMINFO_PREFIX_LENGTH +
  98725. FLAC__STREAM_METADATA_HEADER_LENGTH +
  98726. (
  98727. FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN +
  98728. FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN
  98729. ) / 8;
  98730. if(min_framesize_offset + 6 > (unsigned)page.body_len) {
  98731. encoder->protected_->state = FLAC__STREAM_ENCODER_OGG_ERROR;
  98732. simple_ogg_page__clear(&page);
  98733. return;
  98734. }
  98735. b[0] = (FLAC__byte)((min_framesize >> 16) & 0xFF);
  98736. b[1] = (FLAC__byte)((min_framesize >> 8) & 0xFF);
  98737. b[2] = (FLAC__byte)(min_framesize & 0xFF);
  98738. b[3] = (FLAC__byte)((max_framesize >> 16) & 0xFF);
  98739. b[4] = (FLAC__byte)((max_framesize >> 8) & 0xFF);
  98740. b[5] = (FLAC__byte)(max_framesize & 0xFF);
  98741. memcpy(page.body + min_framesize_offset, b, 6);
  98742. }
  98743. if(!simple_ogg_page__set_at(encoder, encoder->protected_->streaminfo_offset, &page, encoder->private_->seek_callback, encoder->private_->write_callback, encoder->private_->client_data)) {
  98744. simple_ogg_page__clear(&page);
  98745. return; /* state already set */
  98746. }
  98747. simple_ogg_page__clear(&page);
  98748. /*
  98749. * Write seektable
  98750. */
  98751. if(0 != encoder->private_->seek_table && encoder->private_->seek_table->num_points > 0 && encoder->protected_->seektable_offset > 0) {
  98752. unsigned i;
  98753. FLAC__byte *p;
  98754. FLAC__format_seektable_sort(encoder->private_->seek_table);
  98755. FLAC__ASSERT(FLAC__format_seektable_is_legal(encoder->private_->seek_table));
  98756. simple_ogg_page__init(&page);
  98757. if(!simple_ogg_page__get_at(encoder, encoder->protected_->seektable_offset, &page, encoder->private_->seek_callback, encoder->private_->read_callback, encoder->private_->client_data)) {
  98758. simple_ogg_page__clear(&page);
  98759. return; /* state already set */
  98760. }
  98761. if((FLAC__STREAM_METADATA_HEADER_LENGTH + 18*encoder->private_->seek_table->num_points) != (unsigned)page.body_len) {
  98762. encoder->protected_->state = FLAC__STREAM_ENCODER_OGG_ERROR;
  98763. simple_ogg_page__clear(&page);
  98764. return;
  98765. }
  98766. for(i = 0, p = page.body + FLAC__STREAM_METADATA_HEADER_LENGTH; i < encoder->private_->seek_table->num_points; i++, p += 18) {
  98767. FLAC__uint64 xx;
  98768. unsigned x;
  98769. xx = encoder->private_->seek_table->points[i].sample_number;
  98770. b[7] = (FLAC__byte)xx; xx >>= 8;
  98771. b[6] = (FLAC__byte)xx; xx >>= 8;
  98772. b[5] = (FLAC__byte)xx; xx >>= 8;
  98773. b[4] = (FLAC__byte)xx; xx >>= 8;
  98774. b[3] = (FLAC__byte)xx; xx >>= 8;
  98775. b[2] = (FLAC__byte)xx; xx >>= 8;
  98776. b[1] = (FLAC__byte)xx; xx >>= 8;
  98777. b[0] = (FLAC__byte)xx; xx >>= 8;
  98778. xx = encoder->private_->seek_table->points[i].stream_offset;
  98779. b[15] = (FLAC__byte)xx; xx >>= 8;
  98780. b[14] = (FLAC__byte)xx; xx >>= 8;
  98781. b[13] = (FLAC__byte)xx; xx >>= 8;
  98782. b[12] = (FLAC__byte)xx; xx >>= 8;
  98783. b[11] = (FLAC__byte)xx; xx >>= 8;
  98784. b[10] = (FLAC__byte)xx; xx >>= 8;
  98785. b[9] = (FLAC__byte)xx; xx >>= 8;
  98786. b[8] = (FLAC__byte)xx; xx >>= 8;
  98787. x = encoder->private_->seek_table->points[i].frame_samples;
  98788. b[17] = (FLAC__byte)x; x >>= 8;
  98789. b[16] = (FLAC__byte)x; x >>= 8;
  98790. memcpy(p, b, 18);
  98791. }
  98792. if(!simple_ogg_page__set_at(encoder, encoder->protected_->seektable_offset, &page, encoder->private_->seek_callback, encoder->private_->write_callback, encoder->private_->client_data)) {
  98793. simple_ogg_page__clear(&page);
  98794. return; /* state already set */
  98795. }
  98796. simple_ogg_page__clear(&page);
  98797. }
  98798. }
  98799. #endif
  98800. FLAC__bool process_frame_(FLAC__StreamEncoder *encoder, FLAC__bool is_fractional_block, FLAC__bool is_last_block)
  98801. {
  98802. FLAC__uint16 crc;
  98803. FLAC__ASSERT(encoder->protected_->state == FLAC__STREAM_ENCODER_OK);
  98804. /*
  98805. * Accumulate raw signal to the MD5 signature
  98806. */
  98807. if(encoder->protected_->do_md5 && !FLAC__MD5Accumulate(&encoder->private_->md5context, (const FLAC__int32 * const *)encoder->private_->integer_signal, encoder->protected_->channels, encoder->protected_->blocksize, (encoder->protected_->bits_per_sample+7) / 8)) {
  98808. encoder->protected_->state = FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR;
  98809. return false;
  98810. }
  98811. /*
  98812. * Process the frame header and subframes into the frame bitbuffer
  98813. */
  98814. if(!process_subframes_(encoder, is_fractional_block)) {
  98815. /* the above function sets the state for us in case of an error */
  98816. return false;
  98817. }
  98818. /*
  98819. * Zero-pad the frame to a byte_boundary
  98820. */
  98821. if(!FLAC__bitwriter_zero_pad_to_byte_boundary(encoder->private_->frame)) {
  98822. encoder->protected_->state = FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR;
  98823. return false;
  98824. }
  98825. /*
  98826. * CRC-16 the whole thing
  98827. */
  98828. FLAC__ASSERT(FLAC__bitwriter_is_byte_aligned(encoder->private_->frame));
  98829. if(
  98830. !FLAC__bitwriter_get_write_crc16(encoder->private_->frame, &crc) ||
  98831. !FLAC__bitwriter_write_raw_uint32(encoder->private_->frame, crc, FLAC__FRAME_FOOTER_CRC_LEN)
  98832. ) {
  98833. encoder->protected_->state = FLAC__STREAM_ENCODER_MEMORY_ALLOCATION_ERROR;
  98834. return false;
  98835. }
  98836. /*
  98837. * Write it
  98838. */
  98839. if(!write_bitbuffer_(encoder, encoder->protected_->blocksize, is_last_block)) {
  98840. /* the above function sets the state for us in case of an error */
  98841. return false;
  98842. }
  98843. /*
  98844. * Get ready for the next frame
  98845. */
  98846. encoder->private_->current_sample_number = 0;
  98847. encoder->private_->current_frame_number++;
  98848. encoder->private_->streaminfo.data.stream_info.total_samples += (FLAC__uint64)encoder->protected_->blocksize;
  98849. return true;
  98850. }
  98851. FLAC__bool process_subframes_(FLAC__StreamEncoder *encoder, FLAC__bool is_fractional_block)
  98852. {
  98853. FLAC__FrameHeader frame_header;
  98854. unsigned channel, min_partition_order = encoder->protected_->min_residual_partition_order, max_partition_order;
  98855. FLAC__bool do_independent, do_mid_side;
  98856. /*
  98857. * Calculate the min,max Rice partition orders
  98858. */
  98859. if(is_fractional_block) {
  98860. max_partition_order = 0;
  98861. }
  98862. else {
  98863. max_partition_order = FLAC__format_get_max_rice_partition_order_from_blocksize(encoder->protected_->blocksize);
  98864. max_partition_order = min(max_partition_order, encoder->protected_->max_residual_partition_order);
  98865. }
  98866. min_partition_order = min(min_partition_order, max_partition_order);
  98867. /*
  98868. * Setup the frame
  98869. */
  98870. frame_header.blocksize = encoder->protected_->blocksize;
  98871. frame_header.sample_rate = encoder->protected_->sample_rate;
  98872. frame_header.channels = encoder->protected_->channels;
  98873. frame_header.channel_assignment = FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT; /* the default unless the encoder determines otherwise */
  98874. frame_header.bits_per_sample = encoder->protected_->bits_per_sample;
  98875. frame_header.number_type = FLAC__FRAME_NUMBER_TYPE_FRAME_NUMBER;
  98876. frame_header.number.frame_number = encoder->private_->current_frame_number;
  98877. /*
  98878. * Figure out what channel assignments to try
  98879. */
  98880. if(encoder->protected_->do_mid_side_stereo) {
  98881. if(encoder->protected_->loose_mid_side_stereo) {
  98882. if(encoder->private_->loose_mid_side_stereo_frame_count == 0) {
  98883. do_independent = true;
  98884. do_mid_side = true;
  98885. }
  98886. else {
  98887. do_independent = (encoder->private_->last_channel_assignment == FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT);
  98888. do_mid_side = !do_independent;
  98889. }
  98890. }
  98891. else {
  98892. do_independent = true;
  98893. do_mid_side = true;
  98894. }
  98895. }
  98896. else {
  98897. do_independent = true;
  98898. do_mid_side = false;
  98899. }
  98900. FLAC__ASSERT(do_independent || do_mid_side);
  98901. /*
  98902. * Check for wasted bits; set effective bps for each subframe
  98903. */
  98904. if(do_independent) {
  98905. for(channel = 0; channel < encoder->protected_->channels; channel++) {
  98906. const unsigned w = get_wasted_bits_(encoder->private_->integer_signal[channel], encoder->protected_->blocksize);
  98907. encoder->private_->subframe_workspace[channel][0].wasted_bits = encoder->private_->subframe_workspace[channel][1].wasted_bits = w;
  98908. encoder->private_->subframe_bps[channel] = encoder->protected_->bits_per_sample - w;
  98909. }
  98910. }
  98911. if(do_mid_side) {
  98912. FLAC__ASSERT(encoder->protected_->channels == 2);
  98913. for(channel = 0; channel < 2; channel++) {
  98914. const unsigned w = get_wasted_bits_(encoder->private_->integer_signal_mid_side[channel], encoder->protected_->blocksize);
  98915. encoder->private_->subframe_workspace_mid_side[channel][0].wasted_bits = encoder->private_->subframe_workspace_mid_side[channel][1].wasted_bits = w;
  98916. encoder->private_->subframe_bps_mid_side[channel] = encoder->protected_->bits_per_sample - w + (channel==0? 0:1);
  98917. }
  98918. }
  98919. /*
  98920. * First do a normal encoding pass of each independent channel
  98921. */
  98922. if(do_independent) {
  98923. for(channel = 0; channel < encoder->protected_->channels; channel++) {
  98924. if(!
  98925. process_subframe_(
  98926. encoder,
  98927. min_partition_order,
  98928. max_partition_order,
  98929. &frame_header,
  98930. encoder->private_->subframe_bps[channel],
  98931. encoder->private_->integer_signal[channel],
  98932. encoder->private_->subframe_workspace_ptr[channel],
  98933. encoder->private_->partitioned_rice_contents_workspace_ptr[channel],
  98934. encoder->private_->residual_workspace[channel],
  98935. encoder->private_->best_subframe+channel,
  98936. encoder->private_->best_subframe_bits+channel
  98937. )
  98938. )
  98939. return false;
  98940. }
  98941. }
  98942. /*
  98943. * Now do mid and side channels if requested
  98944. */
  98945. if(do_mid_side) {
  98946. FLAC__ASSERT(encoder->protected_->channels == 2);
  98947. for(channel = 0; channel < 2; channel++) {
  98948. if(!
  98949. process_subframe_(
  98950. encoder,
  98951. min_partition_order,
  98952. max_partition_order,
  98953. &frame_header,
  98954. encoder->private_->subframe_bps_mid_side[channel],
  98955. encoder->private_->integer_signal_mid_side[channel],
  98956. encoder->private_->subframe_workspace_ptr_mid_side[channel],
  98957. encoder->private_->partitioned_rice_contents_workspace_ptr_mid_side[channel],
  98958. encoder->private_->residual_workspace_mid_side[channel],
  98959. encoder->private_->best_subframe_mid_side+channel,
  98960. encoder->private_->best_subframe_bits_mid_side+channel
  98961. )
  98962. )
  98963. return false;
  98964. }
  98965. }
  98966. /*
  98967. * Compose the frame bitbuffer
  98968. */
  98969. if(do_mid_side) {
  98970. unsigned left_bps = 0, right_bps = 0; /* initialized only to prevent superfluous compiler warning */
  98971. FLAC__Subframe *left_subframe = 0, *right_subframe = 0; /* initialized only to prevent superfluous compiler warning */
  98972. FLAC__ChannelAssignment channel_assignment;
  98973. FLAC__ASSERT(encoder->protected_->channels == 2);
  98974. if(encoder->protected_->loose_mid_side_stereo && encoder->private_->loose_mid_side_stereo_frame_count > 0) {
  98975. channel_assignment = (encoder->private_->last_channel_assignment == FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT? FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT : FLAC__CHANNEL_ASSIGNMENT_MID_SIDE);
  98976. }
  98977. else {
  98978. unsigned bits[4]; /* WATCHOUT - indexed by FLAC__ChannelAssignment */
  98979. unsigned min_bits;
  98980. int ca;
  98981. FLAC__ASSERT(FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT == 0);
  98982. FLAC__ASSERT(FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE == 1);
  98983. FLAC__ASSERT(FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE == 2);
  98984. FLAC__ASSERT(FLAC__CHANNEL_ASSIGNMENT_MID_SIDE == 3);
  98985. FLAC__ASSERT(do_independent && do_mid_side);
  98986. /* We have to figure out which channel assignent results in the smallest frame */
  98987. bits[FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT] = encoder->private_->best_subframe_bits [0] + encoder->private_->best_subframe_bits [1];
  98988. bits[FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE ] = encoder->private_->best_subframe_bits [0] + encoder->private_->best_subframe_bits_mid_side[1];
  98989. bits[FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE ] = encoder->private_->best_subframe_bits [1] + encoder->private_->best_subframe_bits_mid_side[1];
  98990. bits[FLAC__CHANNEL_ASSIGNMENT_MID_SIDE ] = encoder->private_->best_subframe_bits_mid_side[0] + encoder->private_->best_subframe_bits_mid_side[1];
  98991. channel_assignment = FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT;
  98992. min_bits = bits[channel_assignment];
  98993. for(ca = 1; ca <= 3; ca++) {
  98994. if(bits[ca] < min_bits) {
  98995. min_bits = bits[ca];
  98996. channel_assignment = (FLAC__ChannelAssignment)ca;
  98997. }
  98998. }
  98999. }
  99000. frame_header.channel_assignment = channel_assignment;
  99001. if(!FLAC__frame_add_header(&frame_header, encoder->private_->frame)) {
  99002. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  99003. return false;
  99004. }
  99005. switch(channel_assignment) {
  99006. case FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT:
  99007. left_subframe = &encoder->private_->subframe_workspace [0][encoder->private_->best_subframe [0]];
  99008. right_subframe = &encoder->private_->subframe_workspace [1][encoder->private_->best_subframe [1]];
  99009. break;
  99010. case FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE:
  99011. left_subframe = &encoder->private_->subframe_workspace [0][encoder->private_->best_subframe [0]];
  99012. right_subframe = &encoder->private_->subframe_workspace_mid_side[1][encoder->private_->best_subframe_mid_side[1]];
  99013. break;
  99014. case FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE:
  99015. left_subframe = &encoder->private_->subframe_workspace_mid_side[1][encoder->private_->best_subframe_mid_side[1]];
  99016. right_subframe = &encoder->private_->subframe_workspace [1][encoder->private_->best_subframe [1]];
  99017. break;
  99018. case FLAC__CHANNEL_ASSIGNMENT_MID_SIDE:
  99019. left_subframe = &encoder->private_->subframe_workspace_mid_side[0][encoder->private_->best_subframe_mid_side[0]];
  99020. right_subframe = &encoder->private_->subframe_workspace_mid_side[1][encoder->private_->best_subframe_mid_side[1]];
  99021. break;
  99022. default:
  99023. FLAC__ASSERT(0);
  99024. }
  99025. switch(channel_assignment) {
  99026. case FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT:
  99027. left_bps = encoder->private_->subframe_bps [0];
  99028. right_bps = encoder->private_->subframe_bps [1];
  99029. break;
  99030. case FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE:
  99031. left_bps = encoder->private_->subframe_bps [0];
  99032. right_bps = encoder->private_->subframe_bps_mid_side[1];
  99033. break;
  99034. case FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE:
  99035. left_bps = encoder->private_->subframe_bps_mid_side[1];
  99036. right_bps = encoder->private_->subframe_bps [1];
  99037. break;
  99038. case FLAC__CHANNEL_ASSIGNMENT_MID_SIDE:
  99039. left_bps = encoder->private_->subframe_bps_mid_side[0];
  99040. right_bps = encoder->private_->subframe_bps_mid_side[1];
  99041. break;
  99042. default:
  99043. FLAC__ASSERT(0);
  99044. }
  99045. /* note that encoder_add_subframe_ sets the state for us in case of an error */
  99046. if(!add_subframe_(encoder, frame_header.blocksize, left_bps , left_subframe , encoder->private_->frame))
  99047. return false;
  99048. if(!add_subframe_(encoder, frame_header.blocksize, right_bps, right_subframe, encoder->private_->frame))
  99049. return false;
  99050. }
  99051. else {
  99052. if(!FLAC__frame_add_header(&frame_header, encoder->private_->frame)) {
  99053. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  99054. return false;
  99055. }
  99056. for(channel = 0; channel < encoder->protected_->channels; channel++) {
  99057. if(!add_subframe_(encoder, frame_header.blocksize, encoder->private_->subframe_bps[channel], &encoder->private_->subframe_workspace[channel][encoder->private_->best_subframe[channel]], encoder->private_->frame)) {
  99058. /* the above function sets the state for us in case of an error */
  99059. return false;
  99060. }
  99061. }
  99062. }
  99063. if(encoder->protected_->loose_mid_side_stereo) {
  99064. encoder->private_->loose_mid_side_stereo_frame_count++;
  99065. if(encoder->private_->loose_mid_side_stereo_frame_count >= encoder->private_->loose_mid_side_stereo_frames)
  99066. encoder->private_->loose_mid_side_stereo_frame_count = 0;
  99067. }
  99068. encoder->private_->last_channel_assignment = frame_header.channel_assignment;
  99069. return true;
  99070. }
  99071. FLAC__bool process_subframe_(
  99072. FLAC__StreamEncoder *encoder,
  99073. unsigned min_partition_order,
  99074. unsigned max_partition_order,
  99075. const FLAC__FrameHeader *frame_header,
  99076. unsigned subframe_bps,
  99077. const FLAC__int32 integer_signal[],
  99078. FLAC__Subframe *subframe[2],
  99079. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents[2],
  99080. FLAC__int32 *residual[2],
  99081. unsigned *best_subframe,
  99082. unsigned *best_bits
  99083. )
  99084. {
  99085. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  99086. FLAC__float fixed_residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1];
  99087. #else
  99088. FLAC__fixedpoint fixed_residual_bits_per_sample[FLAC__MAX_FIXED_ORDER+1];
  99089. #endif
  99090. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  99091. FLAC__double lpc_residual_bits_per_sample;
  99092. FLAC__real autoc[FLAC__MAX_LPC_ORDER+1]; /* WATCHOUT: the size is important even though encoder->protected_->max_lpc_order might be less; some asm routines need all the space */
  99093. FLAC__double lpc_error[FLAC__MAX_LPC_ORDER];
  99094. unsigned min_lpc_order, max_lpc_order, lpc_order;
  99095. unsigned min_qlp_coeff_precision, max_qlp_coeff_precision, qlp_coeff_precision;
  99096. #endif
  99097. unsigned min_fixed_order, max_fixed_order, guess_fixed_order, fixed_order;
  99098. unsigned rice_parameter;
  99099. unsigned _candidate_bits, _best_bits;
  99100. unsigned _best_subframe;
  99101. /* only use RICE2 partitions if stream bps > 16 */
  99102. const unsigned rice_parameter_limit = FLAC__stream_encoder_get_bits_per_sample(encoder) > 16? FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_ESCAPE_PARAMETER : FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ESCAPE_PARAMETER;
  99103. FLAC__ASSERT(frame_header->blocksize > 0);
  99104. /* verbatim subframe is the baseline against which we measure other compressed subframes */
  99105. _best_subframe = 0;
  99106. if(encoder->private_->disable_verbatim_subframes && frame_header->blocksize >= FLAC__MAX_FIXED_ORDER)
  99107. _best_bits = UINT_MAX;
  99108. else
  99109. _best_bits = evaluate_verbatim_subframe_(encoder, integer_signal, frame_header->blocksize, subframe_bps, subframe[_best_subframe]);
  99110. if(frame_header->blocksize >= FLAC__MAX_FIXED_ORDER) {
  99111. unsigned signal_is_constant = false;
  99112. guess_fixed_order = encoder->private_->local_fixed_compute_best_predictor(integer_signal+FLAC__MAX_FIXED_ORDER, frame_header->blocksize-FLAC__MAX_FIXED_ORDER, fixed_residual_bits_per_sample);
  99113. /* check for constant subframe */
  99114. if(
  99115. !encoder->private_->disable_constant_subframes &&
  99116. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  99117. fixed_residual_bits_per_sample[1] == 0.0
  99118. #else
  99119. fixed_residual_bits_per_sample[1] == FLAC__FP_ZERO
  99120. #endif
  99121. ) {
  99122. /* the above means it's possible all samples are the same value; now double-check it: */
  99123. unsigned i;
  99124. signal_is_constant = true;
  99125. for(i = 1; i < frame_header->blocksize; i++) {
  99126. if(integer_signal[0] != integer_signal[i]) {
  99127. signal_is_constant = false;
  99128. break;
  99129. }
  99130. }
  99131. }
  99132. if(signal_is_constant) {
  99133. _candidate_bits = evaluate_constant_subframe_(encoder, integer_signal[0], frame_header->blocksize, subframe_bps, subframe[!_best_subframe]);
  99134. if(_candidate_bits < _best_bits) {
  99135. _best_subframe = !_best_subframe;
  99136. _best_bits = _candidate_bits;
  99137. }
  99138. }
  99139. else {
  99140. if(!encoder->private_->disable_fixed_subframes || (encoder->protected_->max_lpc_order == 0 && _best_bits == UINT_MAX)) {
  99141. /* encode fixed */
  99142. if(encoder->protected_->do_exhaustive_model_search) {
  99143. min_fixed_order = 0;
  99144. max_fixed_order = FLAC__MAX_FIXED_ORDER;
  99145. }
  99146. else {
  99147. min_fixed_order = max_fixed_order = guess_fixed_order;
  99148. }
  99149. if(max_fixed_order >= frame_header->blocksize)
  99150. max_fixed_order = frame_header->blocksize - 1;
  99151. for(fixed_order = min_fixed_order; fixed_order <= max_fixed_order; fixed_order++) {
  99152. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  99153. if(fixed_residual_bits_per_sample[fixed_order] >= (FLAC__float)subframe_bps)
  99154. continue; /* don't even try */
  99155. rice_parameter = (fixed_residual_bits_per_sample[fixed_order] > 0.0)? (unsigned)(fixed_residual_bits_per_sample[fixed_order]+0.5) : 0; /* 0.5 is for rounding */
  99156. #else
  99157. if(FLAC__fixedpoint_trunc(fixed_residual_bits_per_sample[fixed_order]) >= (int)subframe_bps)
  99158. continue; /* don't even try */
  99159. rice_parameter = (fixed_residual_bits_per_sample[fixed_order] > FLAC__FP_ZERO)? (unsigned)FLAC__fixedpoint_trunc(fixed_residual_bits_per_sample[fixed_order]+FLAC__FP_ONE_HALF) : 0; /* 0.5 is for rounding */
  99160. #endif
  99161. rice_parameter++; /* to account for the signed->unsigned conversion during rice coding */
  99162. if(rice_parameter >= rice_parameter_limit) {
  99163. #ifdef DEBUG_VERBOSE
  99164. fprintf(stderr, "clipping rice_parameter (%u -> %u) @0\n", rice_parameter, rice_parameter_limit - 1);
  99165. #endif
  99166. rice_parameter = rice_parameter_limit - 1;
  99167. }
  99168. _candidate_bits =
  99169. evaluate_fixed_subframe_(
  99170. encoder,
  99171. integer_signal,
  99172. residual[!_best_subframe],
  99173. encoder->private_->abs_residual_partition_sums,
  99174. encoder->private_->raw_bits_per_partition,
  99175. frame_header->blocksize,
  99176. subframe_bps,
  99177. fixed_order,
  99178. rice_parameter,
  99179. rice_parameter_limit,
  99180. min_partition_order,
  99181. max_partition_order,
  99182. encoder->protected_->do_escape_coding,
  99183. encoder->protected_->rice_parameter_search_dist,
  99184. subframe[!_best_subframe],
  99185. partitioned_rice_contents[!_best_subframe]
  99186. );
  99187. if(_candidate_bits < _best_bits) {
  99188. _best_subframe = !_best_subframe;
  99189. _best_bits = _candidate_bits;
  99190. }
  99191. }
  99192. }
  99193. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  99194. /* encode lpc */
  99195. if(encoder->protected_->max_lpc_order > 0) {
  99196. if(encoder->protected_->max_lpc_order >= frame_header->blocksize)
  99197. max_lpc_order = frame_header->blocksize-1;
  99198. else
  99199. max_lpc_order = encoder->protected_->max_lpc_order;
  99200. if(max_lpc_order > 0) {
  99201. unsigned a;
  99202. for (a = 0; a < encoder->protected_->num_apodizations; a++) {
  99203. FLAC__lpc_window_data(integer_signal, encoder->private_->window[a], encoder->private_->windowed_signal, frame_header->blocksize);
  99204. encoder->private_->local_lpc_compute_autocorrelation(encoder->private_->windowed_signal, frame_header->blocksize, max_lpc_order+1, autoc);
  99205. /* if autoc[0] == 0.0, the signal is constant and we usually won't get here, but it can happen */
  99206. if(autoc[0] != 0.0) {
  99207. FLAC__lpc_compute_lp_coefficients(autoc, &max_lpc_order, encoder->private_->lp_coeff, lpc_error);
  99208. if(encoder->protected_->do_exhaustive_model_search) {
  99209. min_lpc_order = 1;
  99210. }
  99211. else {
  99212. const unsigned guess_lpc_order =
  99213. FLAC__lpc_compute_best_order(
  99214. lpc_error,
  99215. max_lpc_order,
  99216. frame_header->blocksize,
  99217. subframe_bps + (
  99218. encoder->protected_->do_qlp_coeff_prec_search?
  99219. FLAC__MIN_QLP_COEFF_PRECISION : /* have to guess; use the min possible size to avoid accidentally favoring lower orders */
  99220. encoder->protected_->qlp_coeff_precision
  99221. )
  99222. );
  99223. min_lpc_order = max_lpc_order = guess_lpc_order;
  99224. }
  99225. if(max_lpc_order >= frame_header->blocksize)
  99226. max_lpc_order = frame_header->blocksize - 1;
  99227. for(lpc_order = min_lpc_order; lpc_order <= max_lpc_order; lpc_order++) {
  99228. lpc_residual_bits_per_sample = FLAC__lpc_compute_expected_bits_per_residual_sample(lpc_error[lpc_order-1], frame_header->blocksize-lpc_order);
  99229. if(lpc_residual_bits_per_sample >= (FLAC__double)subframe_bps)
  99230. continue; /* don't even try */
  99231. rice_parameter = (lpc_residual_bits_per_sample > 0.0)? (unsigned)(lpc_residual_bits_per_sample+0.5) : 0; /* 0.5 is for rounding */
  99232. rice_parameter++; /* to account for the signed->unsigned conversion during rice coding */
  99233. if(rice_parameter >= rice_parameter_limit) {
  99234. #ifdef DEBUG_VERBOSE
  99235. fprintf(stderr, "clipping rice_parameter (%u -> %u) @1\n", rice_parameter, rice_parameter_limit - 1);
  99236. #endif
  99237. rice_parameter = rice_parameter_limit - 1;
  99238. }
  99239. if(encoder->protected_->do_qlp_coeff_prec_search) {
  99240. min_qlp_coeff_precision = FLAC__MIN_QLP_COEFF_PRECISION;
  99241. /* try to ensure a 32-bit datapath throughout for 16bps(+1bps for side channel) or less */
  99242. if(subframe_bps <= 17) {
  99243. max_qlp_coeff_precision = min(32 - subframe_bps - lpc_order, FLAC__MAX_QLP_COEFF_PRECISION);
  99244. max_qlp_coeff_precision = max(max_qlp_coeff_precision, min_qlp_coeff_precision);
  99245. }
  99246. else
  99247. max_qlp_coeff_precision = FLAC__MAX_QLP_COEFF_PRECISION;
  99248. }
  99249. else {
  99250. min_qlp_coeff_precision = max_qlp_coeff_precision = encoder->protected_->qlp_coeff_precision;
  99251. }
  99252. for(qlp_coeff_precision = min_qlp_coeff_precision; qlp_coeff_precision <= max_qlp_coeff_precision; qlp_coeff_precision++) {
  99253. _candidate_bits =
  99254. evaluate_lpc_subframe_(
  99255. encoder,
  99256. integer_signal,
  99257. residual[!_best_subframe],
  99258. encoder->private_->abs_residual_partition_sums,
  99259. encoder->private_->raw_bits_per_partition,
  99260. encoder->private_->lp_coeff[lpc_order-1],
  99261. frame_header->blocksize,
  99262. subframe_bps,
  99263. lpc_order,
  99264. qlp_coeff_precision,
  99265. rice_parameter,
  99266. rice_parameter_limit,
  99267. min_partition_order,
  99268. max_partition_order,
  99269. encoder->protected_->do_escape_coding,
  99270. encoder->protected_->rice_parameter_search_dist,
  99271. subframe[!_best_subframe],
  99272. partitioned_rice_contents[!_best_subframe]
  99273. );
  99274. if(_candidate_bits > 0) { /* if == 0, there was a problem quantizing the lpcoeffs */
  99275. if(_candidate_bits < _best_bits) {
  99276. _best_subframe = !_best_subframe;
  99277. _best_bits = _candidate_bits;
  99278. }
  99279. }
  99280. }
  99281. }
  99282. }
  99283. }
  99284. }
  99285. }
  99286. #endif /* !defined FLAC__INTEGER_ONLY_LIBRARY */
  99287. }
  99288. }
  99289. /* under rare circumstances this can happen when all but lpc subframe types are disabled: */
  99290. if(_best_bits == UINT_MAX) {
  99291. FLAC__ASSERT(_best_subframe == 0);
  99292. _best_bits = evaluate_verbatim_subframe_(encoder, integer_signal, frame_header->blocksize, subframe_bps, subframe[_best_subframe]);
  99293. }
  99294. *best_subframe = _best_subframe;
  99295. *best_bits = _best_bits;
  99296. return true;
  99297. }
  99298. FLAC__bool add_subframe_(
  99299. FLAC__StreamEncoder *encoder,
  99300. unsigned blocksize,
  99301. unsigned subframe_bps,
  99302. const FLAC__Subframe *subframe,
  99303. FLAC__BitWriter *frame
  99304. )
  99305. {
  99306. switch(subframe->type) {
  99307. case FLAC__SUBFRAME_TYPE_CONSTANT:
  99308. if(!FLAC__subframe_add_constant(&(subframe->data.constant), subframe_bps, subframe->wasted_bits, frame)) {
  99309. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  99310. return false;
  99311. }
  99312. break;
  99313. case FLAC__SUBFRAME_TYPE_FIXED:
  99314. if(!FLAC__subframe_add_fixed(&(subframe->data.fixed), blocksize - subframe->data.fixed.order, subframe_bps, subframe->wasted_bits, frame)) {
  99315. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  99316. return false;
  99317. }
  99318. break;
  99319. case FLAC__SUBFRAME_TYPE_LPC:
  99320. if(!FLAC__subframe_add_lpc(&(subframe->data.lpc), blocksize - subframe->data.lpc.order, subframe_bps, subframe->wasted_bits, frame)) {
  99321. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  99322. return false;
  99323. }
  99324. break;
  99325. case FLAC__SUBFRAME_TYPE_VERBATIM:
  99326. if(!FLAC__subframe_add_verbatim(&(subframe->data.verbatim), blocksize, subframe_bps, subframe->wasted_bits, frame)) {
  99327. encoder->protected_->state = FLAC__STREAM_ENCODER_FRAMING_ERROR;
  99328. return false;
  99329. }
  99330. break;
  99331. default:
  99332. FLAC__ASSERT(0);
  99333. }
  99334. return true;
  99335. }
  99336. #define SPOTCHECK_ESTIMATE 0
  99337. #if SPOTCHECK_ESTIMATE
  99338. static void spotcheck_subframe_estimate_(
  99339. FLAC__StreamEncoder *encoder,
  99340. unsigned blocksize,
  99341. unsigned subframe_bps,
  99342. const FLAC__Subframe *subframe,
  99343. unsigned estimate
  99344. )
  99345. {
  99346. FLAC__bool ret;
  99347. FLAC__BitWriter *frame = FLAC__bitwriter_new();
  99348. if(frame == 0) {
  99349. fprintf(stderr, "EST: can't allocate frame\n");
  99350. return;
  99351. }
  99352. if(!FLAC__bitwriter_init(frame)) {
  99353. fprintf(stderr, "EST: can't init frame\n");
  99354. return;
  99355. }
  99356. ret = add_subframe_(encoder, blocksize, subframe_bps, subframe, frame);
  99357. FLAC__ASSERT(ret);
  99358. {
  99359. const unsigned actual = FLAC__bitwriter_get_input_bits_unconsumed(frame);
  99360. if(estimate != actual)
  99361. fprintf(stderr, "EST: bad, frame#%u sub#%%d type=%8s est=%u, actual=%u, delta=%d\n", encoder->private_->current_frame_number, FLAC__SubframeTypeString[subframe->type], estimate, actual, (int)actual-(int)estimate);
  99362. }
  99363. FLAC__bitwriter_delete(frame);
  99364. }
  99365. #endif
  99366. unsigned evaluate_constant_subframe_(
  99367. FLAC__StreamEncoder *encoder,
  99368. const FLAC__int32 signal,
  99369. unsigned blocksize,
  99370. unsigned subframe_bps,
  99371. FLAC__Subframe *subframe
  99372. )
  99373. {
  99374. unsigned estimate;
  99375. subframe->type = FLAC__SUBFRAME_TYPE_CONSTANT;
  99376. subframe->data.constant.value = signal;
  99377. estimate = FLAC__SUBFRAME_ZERO_PAD_LEN + FLAC__SUBFRAME_TYPE_LEN + FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN + subframe->wasted_bits + subframe_bps;
  99378. #if SPOTCHECK_ESTIMATE
  99379. spotcheck_subframe_estimate_(encoder, blocksize, subframe_bps, subframe, estimate);
  99380. #else
  99381. (void)encoder, (void)blocksize;
  99382. #endif
  99383. return estimate;
  99384. }
  99385. unsigned evaluate_fixed_subframe_(
  99386. FLAC__StreamEncoder *encoder,
  99387. const FLAC__int32 signal[],
  99388. FLAC__int32 residual[],
  99389. FLAC__uint64 abs_residual_partition_sums[],
  99390. unsigned raw_bits_per_partition[],
  99391. unsigned blocksize,
  99392. unsigned subframe_bps,
  99393. unsigned order,
  99394. unsigned rice_parameter,
  99395. unsigned rice_parameter_limit,
  99396. unsigned min_partition_order,
  99397. unsigned max_partition_order,
  99398. FLAC__bool do_escape_coding,
  99399. unsigned rice_parameter_search_dist,
  99400. FLAC__Subframe *subframe,
  99401. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents
  99402. )
  99403. {
  99404. unsigned i, residual_bits, estimate;
  99405. const unsigned residual_samples = blocksize - order;
  99406. FLAC__fixed_compute_residual(signal+order, residual_samples, order, residual);
  99407. subframe->type = FLAC__SUBFRAME_TYPE_FIXED;
  99408. subframe->data.fixed.entropy_coding_method.type = FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE;
  99409. subframe->data.fixed.entropy_coding_method.data.partitioned_rice.contents = partitioned_rice_contents;
  99410. subframe->data.fixed.residual = residual;
  99411. residual_bits =
  99412. find_best_partition_order_(
  99413. encoder->private_,
  99414. residual,
  99415. abs_residual_partition_sums,
  99416. raw_bits_per_partition,
  99417. residual_samples,
  99418. order,
  99419. rice_parameter,
  99420. rice_parameter_limit,
  99421. min_partition_order,
  99422. max_partition_order,
  99423. subframe_bps,
  99424. do_escape_coding,
  99425. rice_parameter_search_dist,
  99426. &subframe->data.fixed.entropy_coding_method
  99427. );
  99428. subframe->data.fixed.order = order;
  99429. for(i = 0; i < order; i++)
  99430. subframe->data.fixed.warmup[i] = signal[i];
  99431. estimate = FLAC__SUBFRAME_ZERO_PAD_LEN + FLAC__SUBFRAME_TYPE_LEN + FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN + subframe->wasted_bits + (order * subframe_bps) + residual_bits;
  99432. #if SPOTCHECK_ESTIMATE
  99433. spotcheck_subframe_estimate_(encoder, blocksize, subframe_bps, subframe, estimate);
  99434. #endif
  99435. return estimate;
  99436. }
  99437. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  99438. unsigned evaluate_lpc_subframe_(
  99439. FLAC__StreamEncoder *encoder,
  99440. const FLAC__int32 signal[],
  99441. FLAC__int32 residual[],
  99442. FLAC__uint64 abs_residual_partition_sums[],
  99443. unsigned raw_bits_per_partition[],
  99444. const FLAC__real lp_coeff[],
  99445. unsigned blocksize,
  99446. unsigned subframe_bps,
  99447. unsigned order,
  99448. unsigned qlp_coeff_precision,
  99449. unsigned rice_parameter,
  99450. unsigned rice_parameter_limit,
  99451. unsigned min_partition_order,
  99452. unsigned max_partition_order,
  99453. FLAC__bool do_escape_coding,
  99454. unsigned rice_parameter_search_dist,
  99455. FLAC__Subframe *subframe,
  99456. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents
  99457. )
  99458. {
  99459. FLAC__int32 qlp_coeff[FLAC__MAX_LPC_ORDER];
  99460. unsigned i, residual_bits, estimate;
  99461. int quantization, ret;
  99462. const unsigned residual_samples = blocksize - order;
  99463. /* try to keep qlp coeff precision such that only 32-bit math is required for decode of <=16bps streams */
  99464. if(subframe_bps <= 16) {
  99465. FLAC__ASSERT(order > 0);
  99466. FLAC__ASSERT(order <= FLAC__MAX_LPC_ORDER);
  99467. qlp_coeff_precision = min(qlp_coeff_precision, 32 - subframe_bps - FLAC__bitmath_ilog2(order));
  99468. }
  99469. ret = FLAC__lpc_quantize_coefficients(lp_coeff, order, qlp_coeff_precision, qlp_coeff, &quantization);
  99470. if(ret != 0)
  99471. return 0; /* this is a hack to indicate to the caller that we can't do lp at this order on this subframe */
  99472. if(subframe_bps + qlp_coeff_precision + FLAC__bitmath_ilog2(order) <= 32)
  99473. if(subframe_bps <= 16 && qlp_coeff_precision <= 16)
  99474. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients_16bit(signal+order, residual_samples, qlp_coeff, order, quantization, residual);
  99475. else
  99476. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients(signal+order, residual_samples, qlp_coeff, order, quantization, residual);
  99477. else
  99478. encoder->private_->local_lpc_compute_residual_from_qlp_coefficients_64bit(signal+order, residual_samples, qlp_coeff, order, quantization, residual);
  99479. subframe->type = FLAC__SUBFRAME_TYPE_LPC;
  99480. subframe->data.lpc.entropy_coding_method.type = FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE;
  99481. subframe->data.lpc.entropy_coding_method.data.partitioned_rice.contents = partitioned_rice_contents;
  99482. subframe->data.lpc.residual = residual;
  99483. residual_bits =
  99484. find_best_partition_order_(
  99485. encoder->private_,
  99486. residual,
  99487. abs_residual_partition_sums,
  99488. raw_bits_per_partition,
  99489. residual_samples,
  99490. order,
  99491. rice_parameter,
  99492. rice_parameter_limit,
  99493. min_partition_order,
  99494. max_partition_order,
  99495. subframe_bps,
  99496. do_escape_coding,
  99497. rice_parameter_search_dist,
  99498. &subframe->data.lpc.entropy_coding_method
  99499. );
  99500. subframe->data.lpc.order = order;
  99501. subframe->data.lpc.qlp_coeff_precision = qlp_coeff_precision;
  99502. subframe->data.lpc.quantization_level = quantization;
  99503. memcpy(subframe->data.lpc.qlp_coeff, qlp_coeff, sizeof(FLAC__int32)*FLAC__MAX_LPC_ORDER);
  99504. for(i = 0; i < order; i++)
  99505. subframe->data.lpc.warmup[i] = signal[i];
  99506. estimate = FLAC__SUBFRAME_ZERO_PAD_LEN + FLAC__SUBFRAME_TYPE_LEN + FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN + subframe->wasted_bits + FLAC__SUBFRAME_LPC_QLP_COEFF_PRECISION_LEN + FLAC__SUBFRAME_LPC_QLP_SHIFT_LEN + (order * (qlp_coeff_precision + subframe_bps)) + residual_bits;
  99507. #if SPOTCHECK_ESTIMATE
  99508. spotcheck_subframe_estimate_(encoder, blocksize, subframe_bps, subframe, estimate);
  99509. #endif
  99510. return estimate;
  99511. }
  99512. #endif
  99513. unsigned evaluate_verbatim_subframe_(
  99514. FLAC__StreamEncoder *encoder,
  99515. const FLAC__int32 signal[],
  99516. unsigned blocksize,
  99517. unsigned subframe_bps,
  99518. FLAC__Subframe *subframe
  99519. )
  99520. {
  99521. unsigned estimate;
  99522. subframe->type = FLAC__SUBFRAME_TYPE_VERBATIM;
  99523. subframe->data.verbatim.data = signal;
  99524. estimate = FLAC__SUBFRAME_ZERO_PAD_LEN + FLAC__SUBFRAME_TYPE_LEN + FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN + subframe->wasted_bits + (blocksize * subframe_bps);
  99525. #if SPOTCHECK_ESTIMATE
  99526. spotcheck_subframe_estimate_(encoder, blocksize, subframe_bps, subframe, estimate);
  99527. #else
  99528. (void)encoder;
  99529. #endif
  99530. return estimate;
  99531. }
  99532. unsigned find_best_partition_order_(
  99533. FLAC__StreamEncoderPrivate *private_,
  99534. const FLAC__int32 residual[],
  99535. FLAC__uint64 abs_residual_partition_sums[],
  99536. unsigned raw_bits_per_partition[],
  99537. unsigned residual_samples,
  99538. unsigned predictor_order,
  99539. unsigned rice_parameter,
  99540. unsigned rice_parameter_limit,
  99541. unsigned min_partition_order,
  99542. unsigned max_partition_order,
  99543. unsigned bps,
  99544. FLAC__bool do_escape_coding,
  99545. unsigned rice_parameter_search_dist,
  99546. FLAC__EntropyCodingMethod *best_ecm
  99547. )
  99548. {
  99549. unsigned residual_bits, best_residual_bits = 0;
  99550. unsigned best_parameters_index = 0;
  99551. unsigned best_partition_order = 0;
  99552. const unsigned blocksize = residual_samples + predictor_order;
  99553. max_partition_order = FLAC__format_get_max_rice_partition_order_from_blocksize_limited_max_and_predictor_order(max_partition_order, blocksize, predictor_order);
  99554. min_partition_order = min(min_partition_order, max_partition_order);
  99555. precompute_partition_info_sums_(residual, abs_residual_partition_sums, residual_samples, predictor_order, min_partition_order, max_partition_order, bps);
  99556. if(do_escape_coding)
  99557. precompute_partition_info_escapes_(residual, raw_bits_per_partition, residual_samples, predictor_order, min_partition_order, max_partition_order);
  99558. {
  99559. int partition_order;
  99560. unsigned sum;
  99561. for(partition_order = (int)max_partition_order, sum = 0; partition_order >= (int)min_partition_order; partition_order--) {
  99562. if(!
  99563. set_partitioned_rice_(
  99564. #ifdef EXACT_RICE_BITS_CALCULATION
  99565. residual,
  99566. #endif
  99567. abs_residual_partition_sums+sum,
  99568. raw_bits_per_partition+sum,
  99569. residual_samples,
  99570. predictor_order,
  99571. rice_parameter,
  99572. rice_parameter_limit,
  99573. rice_parameter_search_dist,
  99574. (unsigned)partition_order,
  99575. do_escape_coding,
  99576. &private_->partitioned_rice_contents_extra[!best_parameters_index],
  99577. &residual_bits
  99578. )
  99579. )
  99580. {
  99581. FLAC__ASSERT(best_residual_bits != 0);
  99582. break;
  99583. }
  99584. sum += 1u << partition_order;
  99585. if(best_residual_bits == 0 || residual_bits < best_residual_bits) {
  99586. best_residual_bits = residual_bits;
  99587. best_parameters_index = !best_parameters_index;
  99588. best_partition_order = partition_order;
  99589. }
  99590. }
  99591. }
  99592. best_ecm->data.partitioned_rice.order = best_partition_order;
  99593. {
  99594. /*
  99595. * We are allowed to de-const the pointer based on our special
  99596. * knowledge; it is const to the outside world.
  99597. */
  99598. FLAC__EntropyCodingMethod_PartitionedRiceContents* prc = (FLAC__EntropyCodingMethod_PartitionedRiceContents*)best_ecm->data.partitioned_rice.contents;
  99599. unsigned partition;
  99600. /* save best parameters and raw_bits */
  99601. FLAC__format_entropy_coding_method_partitioned_rice_contents_ensure_size(prc, max(6, best_partition_order));
  99602. memcpy(prc->parameters, private_->partitioned_rice_contents_extra[best_parameters_index].parameters, sizeof(unsigned)*(1<<(best_partition_order)));
  99603. if(do_escape_coding)
  99604. memcpy(prc->raw_bits, private_->partitioned_rice_contents_extra[best_parameters_index].raw_bits, sizeof(unsigned)*(1<<(best_partition_order)));
  99605. /*
  99606. * Now need to check if the type should be changed to
  99607. * FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2 based on the
  99608. * size of the rice parameters.
  99609. */
  99610. for(partition = 0; partition < (1u<<best_partition_order); partition++) {
  99611. if(prc->parameters[partition] >= FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ESCAPE_PARAMETER) {
  99612. best_ecm->type = FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2;
  99613. break;
  99614. }
  99615. }
  99616. }
  99617. return best_residual_bits;
  99618. }
  99619. #if defined(FLAC__CPU_IA32) && !defined FLAC__NO_ASM && defined FLAC__HAS_NASM
  99620. extern void precompute_partition_info_sums_32bit_asm_ia32_(
  99621. const FLAC__int32 residual[],
  99622. FLAC__uint64 abs_residual_partition_sums[],
  99623. unsigned blocksize,
  99624. unsigned predictor_order,
  99625. unsigned min_partition_order,
  99626. unsigned max_partition_order
  99627. );
  99628. #endif
  99629. void precompute_partition_info_sums_(
  99630. const FLAC__int32 residual[],
  99631. FLAC__uint64 abs_residual_partition_sums[],
  99632. unsigned residual_samples,
  99633. unsigned predictor_order,
  99634. unsigned min_partition_order,
  99635. unsigned max_partition_order,
  99636. unsigned bps
  99637. )
  99638. {
  99639. const unsigned default_partition_samples = (residual_samples + predictor_order) >> max_partition_order;
  99640. unsigned partitions = 1u << max_partition_order;
  99641. FLAC__ASSERT(default_partition_samples > predictor_order);
  99642. #if defined(FLAC__CPU_IA32) && !defined FLAC__NO_ASM && defined FLAC__HAS_NASM
  99643. /* slightly pessimistic but still catches all common cases */
  99644. /* WATCHOUT: "+ bps" is an assumption that the average residual magnitude will not be more than "bps" bits */
  99645. if(FLAC__bitmath_ilog2(default_partition_samples) + bps < 32) {
  99646. precompute_partition_info_sums_32bit_asm_ia32_(residual, abs_residual_partition_sums, residual_samples + predictor_order, predictor_order, min_partition_order, max_partition_order);
  99647. return;
  99648. }
  99649. #endif
  99650. /* first do max_partition_order */
  99651. {
  99652. unsigned partition, residual_sample, end = (unsigned)(-(int)predictor_order);
  99653. /* slightly pessimistic but still catches all common cases */
  99654. /* WATCHOUT: "+ bps" is an assumption that the average residual magnitude will not be more than "bps" bits */
  99655. if(FLAC__bitmath_ilog2(default_partition_samples) + bps < 32) {
  99656. FLAC__uint32 abs_residual_partition_sum;
  99657. for(partition = residual_sample = 0; partition < partitions; partition++) {
  99658. end += default_partition_samples;
  99659. abs_residual_partition_sum = 0;
  99660. for( ; residual_sample < end; residual_sample++)
  99661. abs_residual_partition_sum += abs(residual[residual_sample]); /* abs(INT_MIN) is undefined, but if the residual is INT_MIN we have bigger problems */
  99662. abs_residual_partition_sums[partition] = abs_residual_partition_sum;
  99663. }
  99664. }
  99665. else { /* have to pessimistically use 64 bits for accumulator */
  99666. FLAC__uint64 abs_residual_partition_sum;
  99667. for(partition = residual_sample = 0; partition < partitions; partition++) {
  99668. end += default_partition_samples;
  99669. abs_residual_partition_sum = 0;
  99670. for( ; residual_sample < end; residual_sample++)
  99671. abs_residual_partition_sum += abs(residual[residual_sample]); /* abs(INT_MIN) is undefined, but if the residual is INT_MIN we have bigger problems */
  99672. abs_residual_partition_sums[partition] = abs_residual_partition_sum;
  99673. }
  99674. }
  99675. }
  99676. /* now merge partitions for lower orders */
  99677. {
  99678. unsigned from_partition = 0, to_partition = partitions;
  99679. int partition_order;
  99680. for(partition_order = (int)max_partition_order - 1; partition_order >= (int)min_partition_order; partition_order--) {
  99681. unsigned i;
  99682. partitions >>= 1;
  99683. for(i = 0; i < partitions; i++) {
  99684. abs_residual_partition_sums[to_partition++] =
  99685. abs_residual_partition_sums[from_partition ] +
  99686. abs_residual_partition_sums[from_partition+1];
  99687. from_partition += 2;
  99688. }
  99689. }
  99690. }
  99691. }
  99692. void precompute_partition_info_escapes_(
  99693. const FLAC__int32 residual[],
  99694. unsigned raw_bits_per_partition[],
  99695. unsigned residual_samples,
  99696. unsigned predictor_order,
  99697. unsigned min_partition_order,
  99698. unsigned max_partition_order
  99699. )
  99700. {
  99701. int partition_order;
  99702. unsigned from_partition, to_partition = 0;
  99703. const unsigned blocksize = residual_samples + predictor_order;
  99704. /* first do max_partition_order */
  99705. for(partition_order = (int)max_partition_order; partition_order >= 0; partition_order--) {
  99706. FLAC__int32 r;
  99707. FLAC__uint32 rmax;
  99708. unsigned partition, partition_sample, partition_samples, residual_sample;
  99709. const unsigned partitions = 1u << partition_order;
  99710. const unsigned default_partition_samples = blocksize >> partition_order;
  99711. FLAC__ASSERT(default_partition_samples > predictor_order);
  99712. for(partition = residual_sample = 0; partition < partitions; partition++) {
  99713. partition_samples = default_partition_samples;
  99714. if(partition == 0)
  99715. partition_samples -= predictor_order;
  99716. rmax = 0;
  99717. for(partition_sample = 0; partition_sample < partition_samples; partition_sample++) {
  99718. r = residual[residual_sample++];
  99719. /* OPT: maybe faster: rmax |= r ^ (r>>31) */
  99720. if(r < 0)
  99721. rmax |= ~r;
  99722. else
  99723. rmax |= r;
  99724. }
  99725. /* now we know all residual values are in the range [-rmax-1,rmax] */
  99726. raw_bits_per_partition[partition] = rmax? FLAC__bitmath_ilog2(rmax) + 2 : 1;
  99727. }
  99728. to_partition = partitions;
  99729. break; /*@@@ yuck, should remove the 'for' loop instead */
  99730. }
  99731. /* now merge partitions for lower orders */
  99732. for(from_partition = 0, --partition_order; partition_order >= (int)min_partition_order; partition_order--) {
  99733. unsigned m;
  99734. unsigned i;
  99735. const unsigned partitions = 1u << partition_order;
  99736. for(i = 0; i < partitions; i++) {
  99737. m = raw_bits_per_partition[from_partition];
  99738. from_partition++;
  99739. raw_bits_per_partition[to_partition] = max(m, raw_bits_per_partition[from_partition]);
  99740. from_partition++;
  99741. to_partition++;
  99742. }
  99743. }
  99744. }
  99745. #ifdef EXACT_RICE_BITS_CALCULATION
  99746. static FLaC__INLINE unsigned count_rice_bits_in_partition_(
  99747. const unsigned rice_parameter,
  99748. const unsigned partition_samples,
  99749. const FLAC__int32 *residual
  99750. )
  99751. {
  99752. unsigned i, partition_bits =
  99753. FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_PARAMETER_LEN + /* actually could end up being FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN but err on side of 16bps */
  99754. (1+rice_parameter) * partition_samples /* 1 for unary stop bit + rice_parameter for the binary portion */
  99755. ;
  99756. for(i = 0; i < partition_samples; i++)
  99757. partition_bits += ( (FLAC__uint32)((residual[i]<<1)^(residual[i]>>31)) >> rice_parameter );
  99758. return partition_bits;
  99759. }
  99760. #else
  99761. static FLaC__INLINE unsigned count_rice_bits_in_partition_(
  99762. const unsigned rice_parameter,
  99763. const unsigned partition_samples,
  99764. const FLAC__uint64 abs_residual_partition_sum
  99765. )
  99766. {
  99767. return
  99768. FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_PARAMETER_LEN + /* actually could end up being FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN but err on side of 16bps */
  99769. (1+rice_parameter) * partition_samples + /* 1 for unary stop bit + rice_parameter for the binary portion */
  99770. (
  99771. rice_parameter?
  99772. (unsigned)(abs_residual_partition_sum >> (rice_parameter-1)) /* rice_parameter-1 because the real coder sign-folds instead of using a sign bit */
  99773. : (unsigned)(abs_residual_partition_sum << 1) /* can't shift by negative number, so reverse */
  99774. )
  99775. - (partition_samples >> 1)
  99776. /* -(partition_samples>>1) to subtract out extra contributions to the abs_residual_partition_sum.
  99777. * The actual number of bits used is closer to the sum(for all i in the partition) of abs(residual[i])>>(rice_parameter-1)
  99778. * By using the abs_residual_partition sum, we also add in bits in the LSBs that would normally be shifted out.
  99779. * So the subtraction term tries to guess how many extra bits were contributed.
  99780. * If the LSBs are randomly distributed, this should average to 0.5 extra bits per sample.
  99781. */
  99782. ;
  99783. }
  99784. #endif
  99785. FLAC__bool set_partitioned_rice_(
  99786. #ifdef EXACT_RICE_BITS_CALCULATION
  99787. const FLAC__int32 residual[],
  99788. #endif
  99789. const FLAC__uint64 abs_residual_partition_sums[],
  99790. const unsigned raw_bits_per_partition[],
  99791. const unsigned residual_samples,
  99792. const unsigned predictor_order,
  99793. const unsigned suggested_rice_parameter,
  99794. const unsigned rice_parameter_limit,
  99795. const unsigned rice_parameter_search_dist,
  99796. const unsigned partition_order,
  99797. const FLAC__bool search_for_escapes,
  99798. FLAC__EntropyCodingMethod_PartitionedRiceContents *partitioned_rice_contents,
  99799. unsigned *bits
  99800. )
  99801. {
  99802. unsigned rice_parameter, partition_bits;
  99803. unsigned best_partition_bits, best_rice_parameter = 0;
  99804. unsigned bits_ = FLAC__ENTROPY_CODING_METHOD_TYPE_LEN + FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ORDER_LEN;
  99805. unsigned *parameters, *raw_bits;
  99806. #ifdef ENABLE_RICE_PARAMETER_SEARCH
  99807. unsigned min_rice_parameter, max_rice_parameter;
  99808. #else
  99809. (void)rice_parameter_search_dist;
  99810. #endif
  99811. FLAC__ASSERT(suggested_rice_parameter < FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_ESCAPE_PARAMETER);
  99812. FLAC__ASSERT(rice_parameter_limit <= FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_ESCAPE_PARAMETER);
  99813. FLAC__format_entropy_coding_method_partitioned_rice_contents_ensure_size(partitioned_rice_contents, max(6, partition_order));
  99814. parameters = partitioned_rice_contents->parameters;
  99815. raw_bits = partitioned_rice_contents->raw_bits;
  99816. if(partition_order == 0) {
  99817. best_partition_bits = (unsigned)(-1);
  99818. #ifdef ENABLE_RICE_PARAMETER_SEARCH
  99819. if(rice_parameter_search_dist) {
  99820. if(suggested_rice_parameter < rice_parameter_search_dist)
  99821. min_rice_parameter = 0;
  99822. else
  99823. min_rice_parameter = suggested_rice_parameter - rice_parameter_search_dist;
  99824. max_rice_parameter = suggested_rice_parameter + rice_parameter_search_dist;
  99825. if(max_rice_parameter >= rice_parameter_limit) {
  99826. #ifdef DEBUG_VERBOSE
  99827. fprintf(stderr, "clipping rice_parameter (%u -> %u) @5\n", max_rice_parameter, rice_parameter_limit - 1);
  99828. #endif
  99829. max_rice_parameter = rice_parameter_limit - 1;
  99830. }
  99831. }
  99832. else
  99833. min_rice_parameter = max_rice_parameter = suggested_rice_parameter;
  99834. for(rice_parameter = min_rice_parameter; rice_parameter <= max_rice_parameter; rice_parameter++) {
  99835. #else
  99836. rice_parameter = suggested_rice_parameter;
  99837. #endif
  99838. #ifdef EXACT_RICE_BITS_CALCULATION
  99839. partition_bits = count_rice_bits_in_partition_(rice_parameter, residual_samples, residual);
  99840. #else
  99841. partition_bits = count_rice_bits_in_partition_(rice_parameter, residual_samples, abs_residual_partition_sums[0]);
  99842. #endif
  99843. if(partition_bits < best_partition_bits) {
  99844. best_rice_parameter = rice_parameter;
  99845. best_partition_bits = partition_bits;
  99846. }
  99847. #ifdef ENABLE_RICE_PARAMETER_SEARCH
  99848. }
  99849. #endif
  99850. if(search_for_escapes) {
  99851. partition_bits = FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN + FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_RAW_LEN + raw_bits_per_partition[0] * residual_samples;
  99852. if(partition_bits <= best_partition_bits) {
  99853. raw_bits[0] = raw_bits_per_partition[0];
  99854. best_rice_parameter = 0; /* will be converted to appropriate escape parameter later */
  99855. best_partition_bits = partition_bits;
  99856. }
  99857. else
  99858. raw_bits[0] = 0;
  99859. }
  99860. parameters[0] = best_rice_parameter;
  99861. bits_ += best_partition_bits;
  99862. }
  99863. else {
  99864. unsigned partition, residual_sample;
  99865. unsigned partition_samples;
  99866. FLAC__uint64 mean, k;
  99867. const unsigned partitions = 1u << partition_order;
  99868. for(partition = residual_sample = 0; partition < partitions; partition++) {
  99869. partition_samples = (residual_samples+predictor_order) >> partition_order;
  99870. if(partition == 0) {
  99871. if(partition_samples <= predictor_order)
  99872. return false;
  99873. else
  99874. partition_samples -= predictor_order;
  99875. }
  99876. mean = abs_residual_partition_sums[partition];
  99877. /* we are basically calculating the size in bits of the
  99878. * average residual magnitude in the partition:
  99879. * rice_parameter = floor(log2(mean/partition_samples))
  99880. * 'mean' is not a good name for the variable, it is
  99881. * actually the sum of magnitudes of all residual values
  99882. * in the partition, so the actual mean is
  99883. * mean/partition_samples
  99884. */
  99885. for(rice_parameter = 0, k = partition_samples; k < mean; rice_parameter++, k <<= 1)
  99886. ;
  99887. if(rice_parameter >= rice_parameter_limit) {
  99888. #ifdef DEBUG_VERBOSE
  99889. fprintf(stderr, "clipping rice_parameter (%u -> %u) @6\n", rice_parameter, rice_parameter_limit - 1);
  99890. #endif
  99891. rice_parameter = rice_parameter_limit - 1;
  99892. }
  99893. best_partition_bits = (unsigned)(-1);
  99894. #ifdef ENABLE_RICE_PARAMETER_SEARCH
  99895. if(rice_parameter_search_dist) {
  99896. if(rice_parameter < rice_parameter_search_dist)
  99897. min_rice_parameter = 0;
  99898. else
  99899. min_rice_parameter = rice_parameter - rice_parameter_search_dist;
  99900. max_rice_parameter = rice_parameter + rice_parameter_search_dist;
  99901. if(max_rice_parameter >= rice_parameter_limit) {
  99902. #ifdef DEBUG_VERBOSE
  99903. fprintf(stderr, "clipping rice_parameter (%u -> %u) @7\n", max_rice_parameter, rice_parameter_limit - 1);
  99904. #endif
  99905. max_rice_parameter = rice_parameter_limit - 1;
  99906. }
  99907. }
  99908. else
  99909. min_rice_parameter = max_rice_parameter = rice_parameter;
  99910. for(rice_parameter = min_rice_parameter; rice_parameter <= max_rice_parameter; rice_parameter++) {
  99911. #endif
  99912. #ifdef EXACT_RICE_BITS_CALCULATION
  99913. partition_bits = count_rice_bits_in_partition_(rice_parameter, partition_samples, residual+residual_sample);
  99914. #else
  99915. partition_bits = count_rice_bits_in_partition_(rice_parameter, partition_samples, abs_residual_partition_sums[partition]);
  99916. #endif
  99917. if(partition_bits < best_partition_bits) {
  99918. best_rice_parameter = rice_parameter;
  99919. best_partition_bits = partition_bits;
  99920. }
  99921. #ifdef ENABLE_RICE_PARAMETER_SEARCH
  99922. }
  99923. #endif
  99924. if(search_for_escapes) {
  99925. partition_bits = FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN + FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_RAW_LEN + raw_bits_per_partition[partition] * partition_samples;
  99926. if(partition_bits <= best_partition_bits) {
  99927. raw_bits[partition] = raw_bits_per_partition[partition];
  99928. best_rice_parameter = 0; /* will be converted to appropriate escape parameter later */
  99929. best_partition_bits = partition_bits;
  99930. }
  99931. else
  99932. raw_bits[partition] = 0;
  99933. }
  99934. parameters[partition] = best_rice_parameter;
  99935. bits_ += best_partition_bits;
  99936. residual_sample += partition_samples;
  99937. }
  99938. }
  99939. *bits = bits_;
  99940. return true;
  99941. }
  99942. unsigned get_wasted_bits_(FLAC__int32 signal[], unsigned samples)
  99943. {
  99944. unsigned i, shift;
  99945. FLAC__int32 x = 0;
  99946. for(i = 0; i < samples && !(x&1); i++)
  99947. x |= signal[i];
  99948. if(x == 0) {
  99949. shift = 0;
  99950. }
  99951. else {
  99952. for(shift = 0; !(x&1); shift++)
  99953. x >>= 1;
  99954. }
  99955. if(shift > 0) {
  99956. for(i = 0; i < samples; i++)
  99957. signal[i] >>= shift;
  99958. }
  99959. return shift;
  99960. }
  99961. void append_to_verify_fifo_(verify_input_fifo *fifo, const FLAC__int32 * const input[], unsigned input_offset, unsigned channels, unsigned wide_samples)
  99962. {
  99963. unsigned channel;
  99964. for(channel = 0; channel < channels; channel++)
  99965. memcpy(&fifo->data[channel][fifo->tail], &input[channel][input_offset], sizeof(FLAC__int32) * wide_samples);
  99966. fifo->tail += wide_samples;
  99967. FLAC__ASSERT(fifo->tail <= fifo->size);
  99968. }
  99969. void append_to_verify_fifo_interleaved_(verify_input_fifo *fifo, const FLAC__int32 input[], unsigned input_offset, unsigned channels, unsigned wide_samples)
  99970. {
  99971. unsigned channel;
  99972. unsigned sample, wide_sample;
  99973. unsigned tail = fifo->tail;
  99974. sample = input_offset * channels;
  99975. for(wide_sample = 0; wide_sample < wide_samples; wide_sample++) {
  99976. for(channel = 0; channel < channels; channel++)
  99977. fifo->data[channel][tail] = input[sample++];
  99978. tail++;
  99979. }
  99980. fifo->tail = tail;
  99981. FLAC__ASSERT(fifo->tail <= fifo->size);
  99982. }
  99983. FLAC__StreamDecoderReadStatus verify_read_callback_(const FLAC__StreamDecoder *decoder, FLAC__byte buffer[], size_t *bytes, void *client_data)
  99984. {
  99985. FLAC__StreamEncoder *encoder = (FLAC__StreamEncoder*)client_data;
  99986. const size_t encoded_bytes = encoder->private_->verify.output.bytes;
  99987. (void)decoder;
  99988. if(encoder->private_->verify.needs_magic_hack) {
  99989. FLAC__ASSERT(*bytes >= FLAC__STREAM_SYNC_LENGTH);
  99990. *bytes = FLAC__STREAM_SYNC_LENGTH;
  99991. memcpy(buffer, FLAC__STREAM_SYNC_STRING, *bytes);
  99992. encoder->private_->verify.needs_magic_hack = false;
  99993. }
  99994. else {
  99995. if(encoded_bytes == 0) {
  99996. /*
  99997. * If we get here, a FIFO underflow has occurred,
  99998. * which means there is a bug somewhere.
  99999. */
  100000. FLAC__ASSERT(0);
  100001. return FLAC__STREAM_DECODER_READ_STATUS_ABORT;
  100002. }
  100003. else if(encoded_bytes < *bytes)
  100004. *bytes = encoded_bytes;
  100005. memcpy(buffer, encoder->private_->verify.output.data, *bytes);
  100006. encoder->private_->verify.output.data += *bytes;
  100007. encoder->private_->verify.output.bytes -= *bytes;
  100008. }
  100009. return FLAC__STREAM_DECODER_READ_STATUS_CONTINUE;
  100010. }
  100011. FLAC__StreamDecoderWriteStatus verify_write_callback_(const FLAC__StreamDecoder *decoder, const FLAC__Frame *frame, const FLAC__int32 * const buffer[], void *client_data)
  100012. {
  100013. FLAC__StreamEncoder *encoder = (FLAC__StreamEncoder *)client_data;
  100014. unsigned channel;
  100015. const unsigned channels = frame->header.channels;
  100016. const unsigned blocksize = frame->header.blocksize;
  100017. const unsigned bytes_per_block = sizeof(FLAC__int32) * blocksize;
  100018. (void)decoder;
  100019. for(channel = 0; channel < channels; channel++) {
  100020. if(0 != memcmp(buffer[channel], encoder->private_->verify.input_fifo.data[channel], bytes_per_block)) {
  100021. unsigned i, sample = 0;
  100022. FLAC__int32 expect = 0, got = 0;
  100023. for(i = 0; i < blocksize; i++) {
  100024. if(buffer[channel][i] != encoder->private_->verify.input_fifo.data[channel][i]) {
  100025. sample = i;
  100026. expect = (FLAC__int32)encoder->private_->verify.input_fifo.data[channel][i];
  100027. got = (FLAC__int32)buffer[channel][i];
  100028. break;
  100029. }
  100030. }
  100031. FLAC__ASSERT(i < blocksize);
  100032. FLAC__ASSERT(frame->header.number_type == FLAC__FRAME_NUMBER_TYPE_SAMPLE_NUMBER);
  100033. encoder->private_->verify.error_stats.absolute_sample = frame->header.number.sample_number + sample;
  100034. encoder->private_->verify.error_stats.frame_number = (unsigned)(frame->header.number.sample_number / blocksize);
  100035. encoder->private_->verify.error_stats.channel = channel;
  100036. encoder->private_->verify.error_stats.sample = sample;
  100037. encoder->private_->verify.error_stats.expected = expect;
  100038. encoder->private_->verify.error_stats.got = got;
  100039. encoder->protected_->state = FLAC__STREAM_ENCODER_VERIFY_MISMATCH_IN_AUDIO_DATA;
  100040. return FLAC__STREAM_DECODER_WRITE_STATUS_ABORT;
  100041. }
  100042. }
  100043. /* dequeue the frame from the fifo */
  100044. encoder->private_->verify.input_fifo.tail -= blocksize;
  100045. FLAC__ASSERT(encoder->private_->verify.input_fifo.tail <= OVERREAD_);
  100046. for(channel = 0; channel < channels; channel++)
  100047. memmove(&encoder->private_->verify.input_fifo.data[channel][0], &encoder->private_->verify.input_fifo.data[channel][blocksize], encoder->private_->verify.input_fifo.tail * sizeof(encoder->private_->verify.input_fifo.data[0][0]));
  100048. return FLAC__STREAM_DECODER_WRITE_STATUS_CONTINUE;
  100049. }
  100050. void verify_metadata_callback_(const FLAC__StreamDecoder *decoder, const FLAC__StreamMetadata *metadata, void *client_data)
  100051. {
  100052. (void)decoder, (void)metadata, (void)client_data;
  100053. }
  100054. void verify_error_callback_(const FLAC__StreamDecoder *decoder, FLAC__StreamDecoderErrorStatus status, void *client_data)
  100055. {
  100056. FLAC__StreamEncoder *encoder = (FLAC__StreamEncoder*)client_data;
  100057. (void)decoder, (void)status;
  100058. encoder->protected_->state = FLAC__STREAM_ENCODER_VERIFY_DECODER_ERROR;
  100059. }
  100060. FLAC__StreamEncoderReadStatus file_read_callback_enc(const FLAC__StreamEncoder *encoder, FLAC__byte buffer[], size_t *bytes, void *client_data)
  100061. {
  100062. (void)client_data;
  100063. *bytes = fread(buffer, 1, *bytes, encoder->private_->file);
  100064. if (*bytes == 0) {
  100065. if (feof(encoder->private_->file))
  100066. return FLAC__STREAM_ENCODER_READ_STATUS_END_OF_STREAM;
  100067. else if (ferror(encoder->private_->file))
  100068. return FLAC__STREAM_ENCODER_READ_STATUS_ABORT;
  100069. }
  100070. return FLAC__STREAM_ENCODER_READ_STATUS_CONTINUE;
  100071. }
  100072. FLAC__StreamEncoderSeekStatus file_seek_callback_enc(const FLAC__StreamEncoder *encoder, FLAC__uint64 absolute_byte_offset, void *client_data)
  100073. {
  100074. (void)client_data;
  100075. if(fseeko(encoder->private_->file, (off_t)absolute_byte_offset, SEEK_SET) < 0)
  100076. return FLAC__STREAM_ENCODER_SEEK_STATUS_ERROR;
  100077. else
  100078. return FLAC__STREAM_ENCODER_SEEK_STATUS_OK;
  100079. }
  100080. FLAC__StreamEncoderTellStatus file_tell_callback_enc(const FLAC__StreamEncoder *encoder, FLAC__uint64 *absolute_byte_offset, void *client_data)
  100081. {
  100082. off_t offset;
  100083. (void)client_data;
  100084. offset = ftello(encoder->private_->file);
  100085. if(offset < 0) {
  100086. return FLAC__STREAM_ENCODER_TELL_STATUS_ERROR;
  100087. }
  100088. else {
  100089. *absolute_byte_offset = (FLAC__uint64)offset;
  100090. return FLAC__STREAM_ENCODER_TELL_STATUS_OK;
  100091. }
  100092. }
  100093. #ifdef FLAC__VALGRIND_TESTING
  100094. static size_t local__fwrite(const void *ptr, size_t size, size_t nmemb, FILE *stream)
  100095. {
  100096. size_t ret = fwrite(ptr, size, nmemb, stream);
  100097. if(!ferror(stream))
  100098. fflush(stream);
  100099. return ret;
  100100. }
  100101. #else
  100102. #define local__fwrite fwrite
  100103. #endif
  100104. FLAC__StreamEncoderWriteStatus file_write_callback_(const FLAC__StreamEncoder *encoder, const FLAC__byte buffer[], size_t bytes, unsigned samples, unsigned current_frame, void *client_data)
  100105. {
  100106. (void)client_data, (void)current_frame;
  100107. if(local__fwrite(buffer, sizeof(FLAC__byte), bytes, encoder->private_->file) == bytes) {
  100108. FLAC__bool call_it = 0 != encoder->private_->progress_callback && (
  100109. #if FLAC__HAS_OGG
  100110. /* We would like to be able to use 'samples > 0' in the
  100111. * clause here but currently because of the nature of our
  100112. * Ogg writing implementation, 'samples' is always 0 (see
  100113. * ogg_encoder_aspect.c). The downside is extra progress
  100114. * callbacks.
  100115. */
  100116. encoder->private_->is_ogg? true :
  100117. #endif
  100118. samples > 0
  100119. );
  100120. if(call_it) {
  100121. /* NOTE: We have to add +bytes, +samples, and +1 to the stats
  100122. * because at this point in the callback chain, the stats
  100123. * have not been updated. Only after we return and control
  100124. * gets back to write_frame_() are the stats updated
  100125. */
  100126. encoder->private_->progress_callback(encoder, encoder->private_->bytes_written+bytes, encoder->private_->samples_written+samples, encoder->private_->frames_written+(samples?1:0), encoder->private_->total_frames_estimate, encoder->private_->client_data);
  100127. }
  100128. return FLAC__STREAM_ENCODER_WRITE_STATUS_OK;
  100129. }
  100130. else
  100131. return FLAC__STREAM_ENCODER_WRITE_STATUS_FATAL_ERROR;
  100132. }
  100133. /*
  100134. * This will forcibly set stdout to binary mode (for OSes that require it)
  100135. */
  100136. FILE *get_binary_stdout_(void)
  100137. {
  100138. /* if something breaks here it is probably due to the presence or
  100139. * absence of an underscore before the identifiers 'setmode',
  100140. * 'fileno', and/or 'O_BINARY'; check your system header files.
  100141. */
  100142. #if defined _MSC_VER || defined __MINGW32__
  100143. _setmode(_fileno(stdout), _O_BINARY);
  100144. #elif defined __CYGWIN__
  100145. /* almost certainly not needed for any modern Cygwin, but let's be safe... */
  100146. setmode(_fileno(stdout), _O_BINARY);
  100147. #elif defined __EMX__
  100148. setmode(fileno(stdout), O_BINARY);
  100149. #endif
  100150. return stdout;
  100151. }
  100152. #endif
  100153. /********* End of inlined file: stream_encoder.c *********/
  100154. /********* Start of inlined file: stream_encoder_framing.c *********/
  100155. /********* Start of inlined file: juce_FlacHeader.h *********/
  100156. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  100157. // tasks..
  100158. #define VERSION "1.2.1"
  100159. #define FLAC__NO_DLL 1
  100160. #ifdef _MSC_VER
  100161. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  100162. #endif
  100163. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  100164. #define FLAC__SYS_DARWIN 1
  100165. #endif
  100166. /********* End of inlined file: juce_FlacHeader.h *********/
  100167. #if JUCE_USE_FLAC
  100168. #if HAVE_CONFIG_H
  100169. # include <config.h>
  100170. #endif
  100171. #include <stdio.h>
  100172. #include <string.h> /* for strlen() */
  100173. #ifdef max
  100174. #undef max
  100175. #endif
  100176. #define max(x,y) ((x)>(y)?(x):(y))
  100177. static FLAC__bool add_entropy_coding_method_(FLAC__BitWriter *bw, const FLAC__EntropyCodingMethod *method);
  100178. static FLAC__bool add_residual_partitioned_rice_(FLAC__BitWriter *bw, const FLAC__int32 residual[], const unsigned residual_samples, const unsigned predictor_order, const unsigned rice_parameters[], const unsigned raw_bits[], const unsigned partition_order, const FLAC__bool is_extended);
  100179. FLAC__bool FLAC__add_metadata_block(const FLAC__StreamMetadata *metadata, FLAC__BitWriter *bw)
  100180. {
  100181. unsigned i, j;
  100182. const unsigned vendor_string_length = (unsigned)strlen(FLAC__VENDOR_STRING);
  100183. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->is_last, FLAC__STREAM_METADATA_IS_LAST_LEN))
  100184. return false;
  100185. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->type, FLAC__STREAM_METADATA_TYPE_LEN))
  100186. return false;
  100187. /*
  100188. * First, for VORBIS_COMMENTs, adjust the length to reflect our vendor string
  100189. */
  100190. i = metadata->length;
  100191. if(metadata->type == FLAC__METADATA_TYPE_VORBIS_COMMENT) {
  100192. FLAC__ASSERT(metadata->data.vorbis_comment.vendor_string.length == 0 || 0 != metadata->data.vorbis_comment.vendor_string.entry);
  100193. i -= metadata->data.vorbis_comment.vendor_string.length;
  100194. i += vendor_string_length;
  100195. }
  100196. FLAC__ASSERT(i < (1u << FLAC__STREAM_METADATA_LENGTH_LEN));
  100197. if(!FLAC__bitwriter_write_raw_uint32(bw, i, FLAC__STREAM_METADATA_LENGTH_LEN))
  100198. return false;
  100199. switch(metadata->type) {
  100200. case FLAC__METADATA_TYPE_STREAMINFO:
  100201. FLAC__ASSERT(metadata->data.stream_info.min_blocksize < (1u << FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN));
  100202. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.stream_info.min_blocksize, FLAC__STREAM_METADATA_STREAMINFO_MIN_BLOCK_SIZE_LEN))
  100203. return false;
  100204. FLAC__ASSERT(metadata->data.stream_info.max_blocksize < (1u << FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN));
  100205. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.stream_info.max_blocksize, FLAC__STREAM_METADATA_STREAMINFO_MAX_BLOCK_SIZE_LEN))
  100206. return false;
  100207. FLAC__ASSERT(metadata->data.stream_info.min_framesize < (1u << FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN));
  100208. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.stream_info.min_framesize, FLAC__STREAM_METADATA_STREAMINFO_MIN_FRAME_SIZE_LEN))
  100209. return false;
  100210. FLAC__ASSERT(metadata->data.stream_info.max_framesize < (1u << FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN));
  100211. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.stream_info.max_framesize, FLAC__STREAM_METADATA_STREAMINFO_MAX_FRAME_SIZE_LEN))
  100212. return false;
  100213. FLAC__ASSERT(FLAC__format_sample_rate_is_valid(metadata->data.stream_info.sample_rate));
  100214. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.stream_info.sample_rate, FLAC__STREAM_METADATA_STREAMINFO_SAMPLE_RATE_LEN))
  100215. return false;
  100216. FLAC__ASSERT(metadata->data.stream_info.channels > 0);
  100217. FLAC__ASSERT(metadata->data.stream_info.channels <= (1u << FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN));
  100218. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.stream_info.channels-1, FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN))
  100219. return false;
  100220. FLAC__ASSERT(metadata->data.stream_info.bits_per_sample > 0);
  100221. FLAC__ASSERT(metadata->data.stream_info.bits_per_sample <= (1u << FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN));
  100222. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.stream_info.bits_per_sample-1, FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN))
  100223. return false;
  100224. if(!FLAC__bitwriter_write_raw_uint64(bw, metadata->data.stream_info.total_samples, FLAC__STREAM_METADATA_STREAMINFO_TOTAL_SAMPLES_LEN))
  100225. return false;
  100226. if(!FLAC__bitwriter_write_byte_block(bw, metadata->data.stream_info.md5sum, 16))
  100227. return false;
  100228. break;
  100229. case FLAC__METADATA_TYPE_PADDING:
  100230. if(!FLAC__bitwriter_write_zeroes(bw, metadata->length * 8))
  100231. return false;
  100232. break;
  100233. case FLAC__METADATA_TYPE_APPLICATION:
  100234. if(!FLAC__bitwriter_write_byte_block(bw, metadata->data.application.id, FLAC__STREAM_METADATA_APPLICATION_ID_LEN / 8))
  100235. return false;
  100236. if(!FLAC__bitwriter_write_byte_block(bw, metadata->data.application.data, metadata->length - (FLAC__STREAM_METADATA_APPLICATION_ID_LEN / 8)))
  100237. return false;
  100238. break;
  100239. case FLAC__METADATA_TYPE_SEEKTABLE:
  100240. for(i = 0; i < metadata->data.seek_table.num_points; i++) {
  100241. if(!FLAC__bitwriter_write_raw_uint64(bw, metadata->data.seek_table.points[i].sample_number, FLAC__STREAM_METADATA_SEEKPOINT_SAMPLE_NUMBER_LEN))
  100242. return false;
  100243. if(!FLAC__bitwriter_write_raw_uint64(bw, metadata->data.seek_table.points[i].stream_offset, FLAC__STREAM_METADATA_SEEKPOINT_STREAM_OFFSET_LEN))
  100244. return false;
  100245. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.seek_table.points[i].frame_samples, FLAC__STREAM_METADATA_SEEKPOINT_FRAME_SAMPLES_LEN))
  100246. return false;
  100247. }
  100248. break;
  100249. case FLAC__METADATA_TYPE_VORBIS_COMMENT:
  100250. if(!FLAC__bitwriter_write_raw_uint32_little_endian(bw, vendor_string_length))
  100251. return false;
  100252. if(!FLAC__bitwriter_write_byte_block(bw, (const FLAC__byte*)FLAC__VENDOR_STRING, vendor_string_length))
  100253. return false;
  100254. if(!FLAC__bitwriter_write_raw_uint32_little_endian(bw, metadata->data.vorbis_comment.num_comments))
  100255. return false;
  100256. for(i = 0; i < metadata->data.vorbis_comment.num_comments; i++) {
  100257. if(!FLAC__bitwriter_write_raw_uint32_little_endian(bw, metadata->data.vorbis_comment.comments[i].length))
  100258. return false;
  100259. if(!FLAC__bitwriter_write_byte_block(bw, metadata->data.vorbis_comment.comments[i].entry, metadata->data.vorbis_comment.comments[i].length))
  100260. return false;
  100261. }
  100262. break;
  100263. case FLAC__METADATA_TYPE_CUESHEET:
  100264. FLAC__ASSERT(FLAC__STREAM_METADATA_CUESHEET_MEDIA_CATALOG_NUMBER_LEN % 8 == 0);
  100265. if(!FLAC__bitwriter_write_byte_block(bw, (const FLAC__byte*)metadata->data.cue_sheet.media_catalog_number, FLAC__STREAM_METADATA_CUESHEET_MEDIA_CATALOG_NUMBER_LEN/8))
  100266. return false;
  100267. if(!FLAC__bitwriter_write_raw_uint64(bw, metadata->data.cue_sheet.lead_in, FLAC__STREAM_METADATA_CUESHEET_LEAD_IN_LEN))
  100268. return false;
  100269. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.cue_sheet.is_cd? 1 : 0, FLAC__STREAM_METADATA_CUESHEET_IS_CD_LEN))
  100270. return false;
  100271. if(!FLAC__bitwriter_write_zeroes(bw, FLAC__STREAM_METADATA_CUESHEET_RESERVED_LEN))
  100272. return false;
  100273. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.cue_sheet.num_tracks, FLAC__STREAM_METADATA_CUESHEET_NUM_TRACKS_LEN))
  100274. return false;
  100275. for(i = 0; i < metadata->data.cue_sheet.num_tracks; i++) {
  100276. const FLAC__StreamMetadata_CueSheet_Track *track = metadata->data.cue_sheet.tracks + i;
  100277. if(!FLAC__bitwriter_write_raw_uint64(bw, track->offset, FLAC__STREAM_METADATA_CUESHEET_TRACK_OFFSET_LEN))
  100278. return false;
  100279. if(!FLAC__bitwriter_write_raw_uint32(bw, track->number, FLAC__STREAM_METADATA_CUESHEET_TRACK_NUMBER_LEN))
  100280. return false;
  100281. FLAC__ASSERT(FLAC__STREAM_METADATA_CUESHEET_TRACK_ISRC_LEN % 8 == 0);
  100282. if(!FLAC__bitwriter_write_byte_block(bw, (const FLAC__byte*)track->isrc, FLAC__STREAM_METADATA_CUESHEET_TRACK_ISRC_LEN/8))
  100283. return false;
  100284. if(!FLAC__bitwriter_write_raw_uint32(bw, track->type, FLAC__STREAM_METADATA_CUESHEET_TRACK_TYPE_LEN))
  100285. return false;
  100286. if(!FLAC__bitwriter_write_raw_uint32(bw, track->pre_emphasis, FLAC__STREAM_METADATA_CUESHEET_TRACK_PRE_EMPHASIS_LEN))
  100287. return false;
  100288. if(!FLAC__bitwriter_write_zeroes(bw, FLAC__STREAM_METADATA_CUESHEET_TRACK_RESERVED_LEN))
  100289. return false;
  100290. if(!FLAC__bitwriter_write_raw_uint32(bw, track->num_indices, FLAC__STREAM_METADATA_CUESHEET_TRACK_NUM_INDICES_LEN))
  100291. return false;
  100292. for(j = 0; j < track->num_indices; j++) {
  100293. const FLAC__StreamMetadata_CueSheet_Index *index = track->indices + j;
  100294. if(!FLAC__bitwriter_write_raw_uint64(bw, index->offset, FLAC__STREAM_METADATA_CUESHEET_INDEX_OFFSET_LEN))
  100295. return false;
  100296. if(!FLAC__bitwriter_write_raw_uint32(bw, index->number, FLAC__STREAM_METADATA_CUESHEET_INDEX_NUMBER_LEN))
  100297. return false;
  100298. if(!FLAC__bitwriter_write_zeroes(bw, FLAC__STREAM_METADATA_CUESHEET_INDEX_RESERVED_LEN))
  100299. return false;
  100300. }
  100301. }
  100302. break;
  100303. case FLAC__METADATA_TYPE_PICTURE:
  100304. {
  100305. size_t len;
  100306. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.picture.type, FLAC__STREAM_METADATA_PICTURE_TYPE_LEN))
  100307. return false;
  100308. len = strlen(metadata->data.picture.mime_type);
  100309. if(!FLAC__bitwriter_write_raw_uint32(bw, len, FLAC__STREAM_METADATA_PICTURE_MIME_TYPE_LENGTH_LEN))
  100310. return false;
  100311. if(!FLAC__bitwriter_write_byte_block(bw, (const FLAC__byte*)metadata->data.picture.mime_type, len))
  100312. return false;
  100313. len = strlen((const char *)metadata->data.picture.description);
  100314. if(!FLAC__bitwriter_write_raw_uint32(bw, len, FLAC__STREAM_METADATA_PICTURE_DESCRIPTION_LENGTH_LEN))
  100315. return false;
  100316. if(!FLAC__bitwriter_write_byte_block(bw, metadata->data.picture.description, len))
  100317. return false;
  100318. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.picture.width, FLAC__STREAM_METADATA_PICTURE_WIDTH_LEN))
  100319. return false;
  100320. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.picture.height, FLAC__STREAM_METADATA_PICTURE_HEIGHT_LEN))
  100321. return false;
  100322. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.picture.depth, FLAC__STREAM_METADATA_PICTURE_DEPTH_LEN))
  100323. return false;
  100324. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.picture.colors, FLAC__STREAM_METADATA_PICTURE_COLORS_LEN))
  100325. return false;
  100326. if(!FLAC__bitwriter_write_raw_uint32(bw, metadata->data.picture.data_length, FLAC__STREAM_METADATA_PICTURE_DATA_LENGTH_LEN))
  100327. return false;
  100328. if(!FLAC__bitwriter_write_byte_block(bw, metadata->data.picture.data, metadata->data.picture.data_length))
  100329. return false;
  100330. }
  100331. break;
  100332. default:
  100333. if(!FLAC__bitwriter_write_byte_block(bw, metadata->data.unknown.data, metadata->length))
  100334. return false;
  100335. break;
  100336. }
  100337. FLAC__ASSERT(FLAC__bitwriter_is_byte_aligned(bw));
  100338. return true;
  100339. }
  100340. FLAC__bool FLAC__frame_add_header(const FLAC__FrameHeader *header, FLAC__BitWriter *bw)
  100341. {
  100342. unsigned u, blocksize_hint, sample_rate_hint;
  100343. FLAC__byte crc;
  100344. FLAC__ASSERT(FLAC__bitwriter_is_byte_aligned(bw));
  100345. if(!FLAC__bitwriter_write_raw_uint32(bw, FLAC__FRAME_HEADER_SYNC, FLAC__FRAME_HEADER_SYNC_LEN))
  100346. return false;
  100347. if(!FLAC__bitwriter_write_raw_uint32(bw, 0, FLAC__FRAME_HEADER_RESERVED_LEN))
  100348. return false;
  100349. if(!FLAC__bitwriter_write_raw_uint32(bw, (header->number_type == FLAC__FRAME_NUMBER_TYPE_FRAME_NUMBER)? 0 : 1, FLAC__FRAME_HEADER_BLOCKING_STRATEGY_LEN))
  100350. return false;
  100351. FLAC__ASSERT(header->blocksize > 0 && header->blocksize <= FLAC__MAX_BLOCK_SIZE);
  100352. /* when this assertion holds true, any legal blocksize can be expressed in the frame header */
  100353. FLAC__ASSERT(FLAC__MAX_BLOCK_SIZE <= 65535u);
  100354. blocksize_hint = 0;
  100355. switch(header->blocksize) {
  100356. case 192: u = 1; break;
  100357. case 576: u = 2; break;
  100358. case 1152: u = 3; break;
  100359. case 2304: u = 4; break;
  100360. case 4608: u = 5; break;
  100361. case 256: u = 8; break;
  100362. case 512: u = 9; break;
  100363. case 1024: u = 10; break;
  100364. case 2048: u = 11; break;
  100365. case 4096: u = 12; break;
  100366. case 8192: u = 13; break;
  100367. case 16384: u = 14; break;
  100368. case 32768: u = 15; break;
  100369. default:
  100370. if(header->blocksize <= 0x100)
  100371. blocksize_hint = u = 6;
  100372. else
  100373. blocksize_hint = u = 7;
  100374. break;
  100375. }
  100376. if(!FLAC__bitwriter_write_raw_uint32(bw, u, FLAC__FRAME_HEADER_BLOCK_SIZE_LEN))
  100377. return false;
  100378. FLAC__ASSERT(FLAC__format_sample_rate_is_valid(header->sample_rate));
  100379. sample_rate_hint = 0;
  100380. switch(header->sample_rate) {
  100381. case 88200: u = 1; break;
  100382. case 176400: u = 2; break;
  100383. case 192000: u = 3; break;
  100384. case 8000: u = 4; break;
  100385. case 16000: u = 5; break;
  100386. case 22050: u = 6; break;
  100387. case 24000: u = 7; break;
  100388. case 32000: u = 8; break;
  100389. case 44100: u = 9; break;
  100390. case 48000: u = 10; break;
  100391. case 96000: u = 11; break;
  100392. default:
  100393. if(header->sample_rate <= 255000 && header->sample_rate % 1000 == 0)
  100394. sample_rate_hint = u = 12;
  100395. else if(header->sample_rate % 10 == 0)
  100396. sample_rate_hint = u = 14;
  100397. else if(header->sample_rate <= 0xffff)
  100398. sample_rate_hint = u = 13;
  100399. else
  100400. u = 0;
  100401. break;
  100402. }
  100403. if(!FLAC__bitwriter_write_raw_uint32(bw, u, FLAC__FRAME_HEADER_SAMPLE_RATE_LEN))
  100404. return false;
  100405. FLAC__ASSERT(header->channels > 0 && header->channels <= (1u << FLAC__STREAM_METADATA_STREAMINFO_CHANNELS_LEN) && header->channels <= FLAC__MAX_CHANNELS);
  100406. switch(header->channel_assignment) {
  100407. case FLAC__CHANNEL_ASSIGNMENT_INDEPENDENT:
  100408. u = header->channels - 1;
  100409. break;
  100410. case FLAC__CHANNEL_ASSIGNMENT_LEFT_SIDE:
  100411. FLAC__ASSERT(header->channels == 2);
  100412. u = 8;
  100413. break;
  100414. case FLAC__CHANNEL_ASSIGNMENT_RIGHT_SIDE:
  100415. FLAC__ASSERT(header->channels == 2);
  100416. u = 9;
  100417. break;
  100418. case FLAC__CHANNEL_ASSIGNMENT_MID_SIDE:
  100419. FLAC__ASSERT(header->channels == 2);
  100420. u = 10;
  100421. break;
  100422. default:
  100423. FLAC__ASSERT(0);
  100424. }
  100425. if(!FLAC__bitwriter_write_raw_uint32(bw, u, FLAC__FRAME_HEADER_CHANNEL_ASSIGNMENT_LEN))
  100426. return false;
  100427. FLAC__ASSERT(header->bits_per_sample > 0 && header->bits_per_sample <= (1u << FLAC__STREAM_METADATA_STREAMINFO_BITS_PER_SAMPLE_LEN));
  100428. switch(header->bits_per_sample) {
  100429. case 8 : u = 1; break;
  100430. case 12: u = 2; break;
  100431. case 16: u = 4; break;
  100432. case 20: u = 5; break;
  100433. case 24: u = 6; break;
  100434. default: u = 0; break;
  100435. }
  100436. if(!FLAC__bitwriter_write_raw_uint32(bw, u, FLAC__FRAME_HEADER_BITS_PER_SAMPLE_LEN))
  100437. return false;
  100438. if(!FLAC__bitwriter_write_raw_uint32(bw, 0, FLAC__FRAME_HEADER_ZERO_PAD_LEN))
  100439. return false;
  100440. if(header->number_type == FLAC__FRAME_NUMBER_TYPE_FRAME_NUMBER) {
  100441. if(!FLAC__bitwriter_write_utf8_uint32(bw, header->number.frame_number))
  100442. return false;
  100443. }
  100444. else {
  100445. if(!FLAC__bitwriter_write_utf8_uint64(bw, header->number.sample_number))
  100446. return false;
  100447. }
  100448. if(blocksize_hint)
  100449. if(!FLAC__bitwriter_write_raw_uint32(bw, header->blocksize-1, (blocksize_hint==6)? 8:16))
  100450. return false;
  100451. switch(sample_rate_hint) {
  100452. case 12:
  100453. if(!FLAC__bitwriter_write_raw_uint32(bw, header->sample_rate / 1000, 8))
  100454. return false;
  100455. break;
  100456. case 13:
  100457. if(!FLAC__bitwriter_write_raw_uint32(bw, header->sample_rate, 16))
  100458. return false;
  100459. break;
  100460. case 14:
  100461. if(!FLAC__bitwriter_write_raw_uint32(bw, header->sample_rate / 10, 16))
  100462. return false;
  100463. break;
  100464. }
  100465. /* write the CRC */
  100466. if(!FLAC__bitwriter_get_write_crc8(bw, &crc))
  100467. return false;
  100468. if(!FLAC__bitwriter_write_raw_uint32(bw, crc, FLAC__FRAME_HEADER_CRC_LEN))
  100469. return false;
  100470. return true;
  100471. }
  100472. FLAC__bool FLAC__subframe_add_constant(const FLAC__Subframe_Constant *subframe, unsigned subframe_bps, unsigned wasted_bits, FLAC__BitWriter *bw)
  100473. {
  100474. FLAC__bool ok;
  100475. ok =
  100476. FLAC__bitwriter_write_raw_uint32(bw, FLAC__SUBFRAME_TYPE_CONSTANT_BYTE_ALIGNED_MASK | (wasted_bits? 1:0), FLAC__SUBFRAME_ZERO_PAD_LEN + FLAC__SUBFRAME_TYPE_LEN + FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN) &&
  100477. (wasted_bits? FLAC__bitwriter_write_unary_unsigned(bw, wasted_bits-1) : true) &&
  100478. FLAC__bitwriter_write_raw_int32(bw, subframe->value, subframe_bps)
  100479. ;
  100480. return ok;
  100481. }
  100482. FLAC__bool FLAC__subframe_add_fixed(const FLAC__Subframe_Fixed *subframe, unsigned residual_samples, unsigned subframe_bps, unsigned wasted_bits, FLAC__BitWriter *bw)
  100483. {
  100484. unsigned i;
  100485. if(!FLAC__bitwriter_write_raw_uint32(bw, FLAC__SUBFRAME_TYPE_FIXED_BYTE_ALIGNED_MASK | (subframe->order<<1) | (wasted_bits? 1:0), FLAC__SUBFRAME_ZERO_PAD_LEN + FLAC__SUBFRAME_TYPE_LEN + FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN))
  100486. return false;
  100487. if(wasted_bits)
  100488. if(!FLAC__bitwriter_write_unary_unsigned(bw, wasted_bits-1))
  100489. return false;
  100490. for(i = 0; i < subframe->order; i++)
  100491. if(!FLAC__bitwriter_write_raw_int32(bw, subframe->warmup[i], subframe_bps))
  100492. return false;
  100493. if(!add_entropy_coding_method_(bw, &subframe->entropy_coding_method))
  100494. return false;
  100495. switch(subframe->entropy_coding_method.type) {
  100496. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE:
  100497. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2:
  100498. if(!add_residual_partitioned_rice_(
  100499. bw,
  100500. subframe->residual,
  100501. residual_samples,
  100502. subframe->order,
  100503. subframe->entropy_coding_method.data.partitioned_rice.contents->parameters,
  100504. subframe->entropy_coding_method.data.partitioned_rice.contents->raw_bits,
  100505. subframe->entropy_coding_method.data.partitioned_rice.order,
  100506. /*is_extended=*/subframe->entropy_coding_method.type == FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2
  100507. ))
  100508. return false;
  100509. break;
  100510. default:
  100511. FLAC__ASSERT(0);
  100512. }
  100513. return true;
  100514. }
  100515. FLAC__bool FLAC__subframe_add_lpc(const FLAC__Subframe_LPC *subframe, unsigned residual_samples, unsigned subframe_bps, unsigned wasted_bits, FLAC__BitWriter *bw)
  100516. {
  100517. unsigned i;
  100518. if(!FLAC__bitwriter_write_raw_uint32(bw, FLAC__SUBFRAME_TYPE_LPC_BYTE_ALIGNED_MASK | ((subframe->order-1)<<1) | (wasted_bits? 1:0), FLAC__SUBFRAME_ZERO_PAD_LEN + FLAC__SUBFRAME_TYPE_LEN + FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN))
  100519. return false;
  100520. if(wasted_bits)
  100521. if(!FLAC__bitwriter_write_unary_unsigned(bw, wasted_bits-1))
  100522. return false;
  100523. for(i = 0; i < subframe->order; i++)
  100524. if(!FLAC__bitwriter_write_raw_int32(bw, subframe->warmup[i], subframe_bps))
  100525. return false;
  100526. if(!FLAC__bitwriter_write_raw_uint32(bw, subframe->qlp_coeff_precision-1, FLAC__SUBFRAME_LPC_QLP_COEFF_PRECISION_LEN))
  100527. return false;
  100528. if(!FLAC__bitwriter_write_raw_int32(bw, subframe->quantization_level, FLAC__SUBFRAME_LPC_QLP_SHIFT_LEN))
  100529. return false;
  100530. for(i = 0; i < subframe->order; i++)
  100531. if(!FLAC__bitwriter_write_raw_int32(bw, subframe->qlp_coeff[i], subframe->qlp_coeff_precision))
  100532. return false;
  100533. if(!add_entropy_coding_method_(bw, &subframe->entropy_coding_method))
  100534. return false;
  100535. switch(subframe->entropy_coding_method.type) {
  100536. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE:
  100537. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2:
  100538. if(!add_residual_partitioned_rice_(
  100539. bw,
  100540. subframe->residual,
  100541. residual_samples,
  100542. subframe->order,
  100543. subframe->entropy_coding_method.data.partitioned_rice.contents->parameters,
  100544. subframe->entropy_coding_method.data.partitioned_rice.contents->raw_bits,
  100545. subframe->entropy_coding_method.data.partitioned_rice.order,
  100546. /*is_extended=*/subframe->entropy_coding_method.type == FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2
  100547. ))
  100548. return false;
  100549. break;
  100550. default:
  100551. FLAC__ASSERT(0);
  100552. }
  100553. return true;
  100554. }
  100555. FLAC__bool FLAC__subframe_add_verbatim(const FLAC__Subframe_Verbatim *subframe, unsigned samples, unsigned subframe_bps, unsigned wasted_bits, FLAC__BitWriter *bw)
  100556. {
  100557. unsigned i;
  100558. const FLAC__int32 *signal = subframe->data;
  100559. if(!FLAC__bitwriter_write_raw_uint32(bw, FLAC__SUBFRAME_TYPE_VERBATIM_BYTE_ALIGNED_MASK | (wasted_bits? 1:0), FLAC__SUBFRAME_ZERO_PAD_LEN + FLAC__SUBFRAME_TYPE_LEN + FLAC__SUBFRAME_WASTED_BITS_FLAG_LEN))
  100560. return false;
  100561. if(wasted_bits)
  100562. if(!FLAC__bitwriter_write_unary_unsigned(bw, wasted_bits-1))
  100563. return false;
  100564. for(i = 0; i < samples; i++)
  100565. if(!FLAC__bitwriter_write_raw_int32(bw, signal[i], subframe_bps))
  100566. return false;
  100567. return true;
  100568. }
  100569. FLAC__bool add_entropy_coding_method_(FLAC__BitWriter *bw, const FLAC__EntropyCodingMethod *method)
  100570. {
  100571. if(!FLAC__bitwriter_write_raw_uint32(bw, method->type, FLAC__ENTROPY_CODING_METHOD_TYPE_LEN))
  100572. return false;
  100573. switch(method->type) {
  100574. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE:
  100575. case FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2:
  100576. if(!FLAC__bitwriter_write_raw_uint32(bw, method->data.partitioned_rice.order, FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ORDER_LEN))
  100577. return false;
  100578. break;
  100579. default:
  100580. FLAC__ASSERT(0);
  100581. }
  100582. return true;
  100583. }
  100584. FLAC__bool add_residual_partitioned_rice_(FLAC__BitWriter *bw, const FLAC__int32 residual[], const unsigned residual_samples, const unsigned predictor_order, const unsigned rice_parameters[], const unsigned raw_bits[], const unsigned partition_order, const FLAC__bool is_extended)
  100585. {
  100586. const unsigned plen = is_extended? FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_PARAMETER_LEN : FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_PARAMETER_LEN;
  100587. const unsigned pesc = is_extended? FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE2_ESCAPE_PARAMETER : FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_ESCAPE_PARAMETER;
  100588. if(partition_order == 0) {
  100589. unsigned i;
  100590. if(raw_bits[0] == 0) {
  100591. if(!FLAC__bitwriter_write_raw_uint32(bw, rice_parameters[0], plen))
  100592. return false;
  100593. if(!FLAC__bitwriter_write_rice_signed_block(bw, residual, residual_samples, rice_parameters[0]))
  100594. return false;
  100595. }
  100596. else {
  100597. FLAC__ASSERT(rice_parameters[0] == 0);
  100598. if(!FLAC__bitwriter_write_raw_uint32(bw, pesc, plen))
  100599. return false;
  100600. if(!FLAC__bitwriter_write_raw_uint32(bw, raw_bits[0], FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_RAW_LEN))
  100601. return false;
  100602. for(i = 0; i < residual_samples; i++) {
  100603. if(!FLAC__bitwriter_write_raw_int32(bw, residual[i], raw_bits[0]))
  100604. return false;
  100605. }
  100606. }
  100607. return true;
  100608. }
  100609. else {
  100610. unsigned i, j, k = 0, k_last = 0;
  100611. unsigned partition_samples;
  100612. const unsigned default_partition_samples = (residual_samples+predictor_order) >> partition_order;
  100613. for(i = 0; i < (1u<<partition_order); i++) {
  100614. partition_samples = default_partition_samples;
  100615. if(i == 0)
  100616. partition_samples -= predictor_order;
  100617. k += partition_samples;
  100618. if(raw_bits[i] == 0) {
  100619. if(!FLAC__bitwriter_write_raw_uint32(bw, rice_parameters[i], plen))
  100620. return false;
  100621. if(!FLAC__bitwriter_write_rice_signed_block(bw, residual+k_last, k-k_last, rice_parameters[i]))
  100622. return false;
  100623. }
  100624. else {
  100625. if(!FLAC__bitwriter_write_raw_uint32(bw, pesc, plen))
  100626. return false;
  100627. if(!FLAC__bitwriter_write_raw_uint32(bw, raw_bits[i], FLAC__ENTROPY_CODING_METHOD_PARTITIONED_RICE_RAW_LEN))
  100628. return false;
  100629. for(j = k_last; j < k; j++) {
  100630. if(!FLAC__bitwriter_write_raw_int32(bw, residual[j], raw_bits[i]))
  100631. return false;
  100632. }
  100633. }
  100634. k_last = k;
  100635. }
  100636. return true;
  100637. }
  100638. }
  100639. #endif
  100640. /********* End of inlined file: stream_encoder_framing.c *********/
  100641. /********* Start of inlined file: window_flac.c *********/
  100642. /********* Start of inlined file: juce_FlacHeader.h *********/
  100643. // This file is included at the start of each FLAC .c file, just to do a few housekeeping
  100644. // tasks..
  100645. #define VERSION "1.2.1"
  100646. #define FLAC__NO_DLL 1
  100647. #ifdef _MSC_VER
  100648. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4312)
  100649. #endif
  100650. #if ! (defined (_WIN32) || defined (_WIN64) || defined (LINUX))
  100651. #define FLAC__SYS_DARWIN 1
  100652. #endif
  100653. /********* End of inlined file: juce_FlacHeader.h *********/
  100654. #if JUCE_USE_FLAC
  100655. #if HAVE_CONFIG_H
  100656. # include <config.h>
  100657. #endif
  100658. #include <math.h>
  100659. #ifndef FLAC__INTEGER_ONLY_LIBRARY
  100660. #ifndef M_PI
  100661. /* math.h in VC++ doesn't seem to have this (how Microsoft is that?) */
  100662. #define M_PI 3.14159265358979323846
  100663. #endif
  100664. void FLAC__window_bartlett(FLAC__real *window, const FLAC__int32 L)
  100665. {
  100666. const FLAC__int32 N = L - 1;
  100667. FLAC__int32 n;
  100668. if (L & 1) {
  100669. for (n = 0; n <= N/2; n++)
  100670. window[n] = 2.0f * n / (float)N;
  100671. for (; n <= N; n++)
  100672. window[n] = 2.0f - 2.0f * n / (float)N;
  100673. }
  100674. else {
  100675. for (n = 0; n <= L/2-1; n++)
  100676. window[n] = 2.0f * n / (float)N;
  100677. for (; n <= N; n++)
  100678. window[n] = 2.0f - 2.0f * (N-n) / (float)N;
  100679. }
  100680. }
  100681. void FLAC__window_bartlett_hann(FLAC__real *window, const FLAC__int32 L)
  100682. {
  100683. const FLAC__int32 N = L - 1;
  100684. FLAC__int32 n;
  100685. for (n = 0; n < L; n++)
  100686. window[n] = (FLAC__real)(0.62f - 0.48f * fabs((float)n/(float)N+0.5f) + 0.38f * cos(2.0f * M_PI * ((float)n/(float)N+0.5f)));
  100687. }
  100688. void FLAC__window_blackman(FLAC__real *window, const FLAC__int32 L)
  100689. {
  100690. const FLAC__int32 N = L - 1;
  100691. FLAC__int32 n;
  100692. for (n = 0; n < L; n++)
  100693. window[n] = (FLAC__real)(0.42f - 0.5f * cos(2.0f * M_PI * n / N) + 0.08f * cos(4.0f * M_PI * n / N));
  100694. }
  100695. /* 4-term -92dB side-lobe */
  100696. void FLAC__window_blackman_harris_4term_92db_sidelobe(FLAC__real *window, const FLAC__int32 L)
  100697. {
  100698. const FLAC__int32 N = L - 1;
  100699. FLAC__int32 n;
  100700. for (n = 0; n <= N; n++)
  100701. window[n] = (FLAC__real)(0.35875f - 0.48829f * cos(2.0f * M_PI * n / N) + 0.14128f * cos(4.0f * M_PI * n / N) - 0.01168f * cos(6.0f * M_PI * n / N));
  100702. }
  100703. void FLAC__window_connes(FLAC__real *window, const FLAC__int32 L)
  100704. {
  100705. const FLAC__int32 N = L - 1;
  100706. const double N2 = (double)N / 2.;
  100707. FLAC__int32 n;
  100708. for (n = 0; n <= N; n++) {
  100709. double k = ((double)n - N2) / N2;
  100710. k = 1.0f - k * k;
  100711. window[n] = (FLAC__real)(k * k);
  100712. }
  100713. }
  100714. void FLAC__window_flattop(FLAC__real *window, const FLAC__int32 L)
  100715. {
  100716. const FLAC__int32 N = L - 1;
  100717. FLAC__int32 n;
  100718. for (n = 0; n < L; n++)
  100719. window[n] = (FLAC__real)(1.0f - 1.93f * cos(2.0f * M_PI * n / N) + 1.29f * cos(4.0f * M_PI * n / N) - 0.388f * cos(6.0f * M_PI * n / N) + 0.0322f * cos(8.0f * M_PI * n / N));
  100720. }
  100721. void FLAC__window_gauss(FLAC__real *window, const FLAC__int32 L, const FLAC__real stddev)
  100722. {
  100723. const FLAC__int32 N = L - 1;
  100724. const double N2 = (double)N / 2.;
  100725. FLAC__int32 n;
  100726. for (n = 0; n <= N; n++) {
  100727. const double k = ((double)n - N2) / (stddev * N2);
  100728. window[n] = (FLAC__real)exp(-0.5f * k * k);
  100729. }
  100730. }
  100731. void FLAC__window_hamming(FLAC__real *window, const FLAC__int32 L)
  100732. {
  100733. const FLAC__int32 N = L - 1;
  100734. FLAC__int32 n;
  100735. for (n = 0; n < L; n++)
  100736. window[n] = (FLAC__real)(0.54f - 0.46f * cos(2.0f * M_PI * n / N));
  100737. }
  100738. void FLAC__window_hann(FLAC__real *window, const FLAC__int32 L)
  100739. {
  100740. const FLAC__int32 N = L - 1;
  100741. FLAC__int32 n;
  100742. for (n = 0; n < L; n++)
  100743. window[n] = (FLAC__real)(0.5f - 0.5f * cos(2.0f * M_PI * n / N));
  100744. }
  100745. void FLAC__window_kaiser_bessel(FLAC__real *window, const FLAC__int32 L)
  100746. {
  100747. const FLAC__int32 N = L - 1;
  100748. FLAC__int32 n;
  100749. for (n = 0; n < L; n++)
  100750. window[n] = (FLAC__real)(0.402f - 0.498f * cos(2.0f * M_PI * n / N) + 0.098f * cos(4.0f * M_PI * n / N) - 0.001f * cos(6.0f * M_PI * n / N));
  100751. }
  100752. void FLAC__window_nuttall(FLAC__real *window, const FLAC__int32 L)
  100753. {
  100754. const FLAC__int32 N = L - 1;
  100755. FLAC__int32 n;
  100756. for (n = 0; n < L; n++)
  100757. window[n] = (FLAC__real)(0.3635819f - 0.4891775f*cos(2.0f*M_PI*n/N) + 0.1365995f*cos(4.0f*M_PI*n/N) - 0.0106411f*cos(6.0f*M_PI*n/N));
  100758. }
  100759. void FLAC__window_rectangle(FLAC__real *window, const FLAC__int32 L)
  100760. {
  100761. FLAC__int32 n;
  100762. for (n = 0; n < L; n++)
  100763. window[n] = 1.0f;
  100764. }
  100765. void FLAC__window_triangle(FLAC__real *window, const FLAC__int32 L)
  100766. {
  100767. FLAC__int32 n;
  100768. if (L & 1) {
  100769. for (n = 1; n <= L+1/2; n++)
  100770. window[n-1] = 2.0f * n / ((float)L + 1.0f);
  100771. for (; n <= L; n++)
  100772. window[n-1] = - (float)(2 * (L - n + 1)) / ((float)L + 1.0f);
  100773. }
  100774. else {
  100775. for (n = 1; n <= L/2; n++)
  100776. window[n-1] = 2.0f * n / (float)L;
  100777. for (; n <= L; n++)
  100778. window[n-1] = ((float)(2 * (L - n)) + 1.0f) / (float)L;
  100779. }
  100780. }
  100781. void FLAC__window_tukey(FLAC__real *window, const FLAC__int32 L, const FLAC__real p)
  100782. {
  100783. if (p <= 0.0)
  100784. FLAC__window_rectangle(window, L);
  100785. else if (p >= 1.0)
  100786. FLAC__window_hann(window, L);
  100787. else {
  100788. const FLAC__int32 Np = (FLAC__int32)(p / 2.0f * L) - 1;
  100789. FLAC__int32 n;
  100790. /* start with rectangle... */
  100791. FLAC__window_rectangle(window, L);
  100792. /* ...replace ends with hann */
  100793. if (Np > 0) {
  100794. for (n = 0; n <= Np; n++) {
  100795. window[n] = (FLAC__real)(0.5f - 0.5f * cos(M_PI * n / Np));
  100796. window[L-Np-1+n] = (FLAC__real)(0.5f - 0.5f * cos(M_PI * (n+Np) / Np));
  100797. }
  100798. }
  100799. }
  100800. }
  100801. void FLAC__window_welch(FLAC__real *window, const FLAC__int32 L)
  100802. {
  100803. const FLAC__int32 N = L - 1;
  100804. const double N2 = (double)N / 2.;
  100805. FLAC__int32 n;
  100806. for (n = 0; n <= N; n++) {
  100807. const double k = ((double)n - N2) / N2;
  100808. window[n] = (FLAC__real)(1.0f - k * k);
  100809. }
  100810. }
  100811. #endif /* !defined FLAC__INTEGER_ONLY_LIBRARY */
  100812. #endif
  100813. /********* End of inlined file: window_flac.c *********/
  100814. }
  100815. #ifdef _MSC_VER
  100816. #pragma warning (pop)
  100817. #endif
  100818. BEGIN_JUCE_NAMESPACE
  100819. using namespace FlacNamespace;
  100820. #define flacFormatName TRANS("FLAC file")
  100821. static const tchar* const flacExtensions[] = { T(".flac"), 0 };
  100822. class FlacReader : public AudioFormatReader
  100823. {
  100824. FLAC__StreamDecoder* decoder;
  100825. AudioSampleBuffer reservoir;
  100826. int reservoirStart, samplesInReservoir;
  100827. bool ok, scanningForLength;
  100828. public:
  100829. FlacReader (InputStream* const in)
  100830. : AudioFormatReader (in, flacFormatName),
  100831. reservoir (2, 0),
  100832. reservoirStart (0),
  100833. samplesInReservoir (0),
  100834. scanningForLength (false)
  100835. {
  100836. using namespace FlacNamespace;
  100837. lengthInSamples = 0;
  100838. decoder = FLAC__stream_decoder_new();
  100839. ok = FLAC__stream_decoder_init_stream (decoder,
  100840. readCallback_, seekCallback_, tellCallback_, lengthCallback_,
  100841. eofCallback_, writeCallback_, metadataCallback_, errorCallback_,
  100842. (void*) this) == FLAC__STREAM_DECODER_INIT_STATUS_OK;
  100843. if (ok)
  100844. {
  100845. FLAC__stream_decoder_process_until_end_of_metadata (decoder);
  100846. if (lengthInSamples == 0 && sampleRate > 0)
  100847. {
  100848. // the length hasn't been stored in the metadata, so we'll need to
  100849. // work it out the length the hard way, by scanning the whole file..
  100850. scanningForLength = true;
  100851. FLAC__stream_decoder_process_until_end_of_stream (decoder);
  100852. scanningForLength = false;
  100853. const int64 tempLength = lengthInSamples;
  100854. FLAC__stream_decoder_reset (decoder);
  100855. FLAC__stream_decoder_process_until_end_of_metadata (decoder);
  100856. lengthInSamples = tempLength;
  100857. }
  100858. }
  100859. }
  100860. ~FlacReader()
  100861. {
  100862. FLAC__stream_decoder_delete (decoder);
  100863. }
  100864. void useMetadata (const FLAC__StreamMetadata_StreamInfo& info)
  100865. {
  100866. sampleRate = info.sample_rate;
  100867. bitsPerSample = info.bits_per_sample;
  100868. lengthInSamples = (unsigned int) info.total_samples;
  100869. numChannels = info.channels;
  100870. reservoir.setSize (numChannels, 2 * info.max_blocksize, false, false, true);
  100871. }
  100872. // returns the number of samples read
  100873. bool read (int** destSamples,
  100874. int64 startSampleInFile,
  100875. int numSamples)
  100876. {
  100877. using namespace FlacNamespace;
  100878. if (! ok)
  100879. return false;
  100880. int offset = 0;
  100881. if (startSampleInFile < 0)
  100882. {
  100883. const int num = (int) jmin ((int64) numSamples, -startSampleInFile);
  100884. int n = 0;
  100885. while (destSamples[n] != 0)
  100886. {
  100887. zeromem (destSamples[n], sizeof (int) * num);
  100888. ++n;
  100889. }
  100890. offset += num;
  100891. startSampleInFile += num;
  100892. numSamples -= num;
  100893. }
  100894. while (numSamples > 0)
  100895. {
  100896. if (startSampleInFile >= reservoirStart
  100897. && startSampleInFile < reservoirStart + samplesInReservoir)
  100898. {
  100899. const int num = (int) jmin ((int64) numSamples,
  100900. reservoirStart + samplesInReservoir - startSampleInFile);
  100901. jassert (num > 0);
  100902. int n = 0;
  100903. while (destSamples[n] != 0)
  100904. {
  100905. memcpy (destSamples[n] + offset,
  100906. reservoir.getSampleData (n, (int) (startSampleInFile - reservoirStart)),
  100907. sizeof (int) * num);
  100908. ++n;
  100909. }
  100910. offset += num;
  100911. startSampleInFile += num;
  100912. numSamples -= num;
  100913. }
  100914. else
  100915. {
  100916. if (startSampleInFile < reservoirStart
  100917. || startSampleInFile > reservoirStart + jmax (samplesInReservoir, 511))
  100918. {
  100919. if (startSampleInFile >= (int) lengthInSamples)
  100920. {
  100921. samplesInReservoir = 0;
  100922. break;
  100923. }
  100924. // had some problems with flac crashing if the read pos is aligned more
  100925. // accurately than this. Probably fixed in newer versions of the library, though.
  100926. reservoirStart = (int) (startSampleInFile & ~511);
  100927. FLAC__stream_decoder_seek_absolute (decoder, (FLAC__uint64) reservoirStart);
  100928. }
  100929. else
  100930. {
  100931. reservoirStart += samplesInReservoir;
  100932. }
  100933. samplesInReservoir = 0;
  100934. FLAC__stream_decoder_process_single (decoder);
  100935. if (samplesInReservoir == 0)
  100936. break;
  100937. }
  100938. }
  100939. if (numSamples > 0)
  100940. {
  100941. int n = 0;
  100942. while (destSamples[n] != 0)
  100943. {
  100944. zeromem (destSamples[n] + offset, sizeof (int) * numSamples);
  100945. ++n;
  100946. }
  100947. }
  100948. return true;
  100949. }
  100950. void useSamples (const FLAC__int32* const buffer[], int numSamples)
  100951. {
  100952. if (scanningForLength)
  100953. {
  100954. lengthInSamples += numSamples;
  100955. }
  100956. else
  100957. {
  100958. if (numSamples > reservoir.getNumSamples())
  100959. reservoir.setSize (numChannels, numSamples, false, false, true);
  100960. const int bitsToShift = 32 - bitsPerSample;
  100961. for (int i = 0; i < (int) numChannels; ++i)
  100962. {
  100963. const FLAC__int32* src = buffer[i];
  100964. int n = i;
  100965. while (src == 0 && n > 0)
  100966. src = buffer [--n];
  100967. if (src != 0)
  100968. {
  100969. int* dest = (int*) reservoir.getSampleData(i);
  100970. for (int j = 0; j < numSamples; ++j)
  100971. dest[j] = src[j] << bitsToShift;
  100972. }
  100973. }
  100974. samplesInReservoir = numSamples;
  100975. }
  100976. }
  100977. static FLAC__StreamDecoderReadStatus readCallback_ (const FLAC__StreamDecoder*, FLAC__byte buffer[], size_t* bytes, void* client_data)
  100978. {
  100979. *bytes = (unsigned int) ((const FlacReader*) client_data)->input->read (buffer, (int) *bytes);
  100980. return FLAC__STREAM_DECODER_READ_STATUS_CONTINUE;
  100981. }
  100982. static FLAC__StreamDecoderSeekStatus seekCallback_ (const FLAC__StreamDecoder*, FLAC__uint64 absolute_byte_offset, void* client_data)
  100983. {
  100984. ((const FlacReader*) client_data)->input->setPosition ((int) absolute_byte_offset);
  100985. return FLAC__STREAM_DECODER_SEEK_STATUS_OK;
  100986. }
  100987. static FLAC__StreamDecoderTellStatus tellCallback_ (const FLAC__StreamDecoder*, FLAC__uint64* absolute_byte_offset, void* client_data)
  100988. {
  100989. *absolute_byte_offset = ((const FlacReader*) client_data)->input->getPosition();
  100990. return FLAC__STREAM_DECODER_TELL_STATUS_OK;
  100991. }
  100992. static FLAC__StreamDecoderLengthStatus lengthCallback_ (const FLAC__StreamDecoder*, FLAC__uint64* stream_length, void* client_data)
  100993. {
  100994. *stream_length = ((const FlacReader*) client_data)->input->getTotalLength();
  100995. return FLAC__STREAM_DECODER_LENGTH_STATUS_OK;
  100996. }
  100997. static FLAC__bool eofCallback_ (const FLAC__StreamDecoder*, void* client_data)
  100998. {
  100999. return ((const FlacReader*) client_data)->input->isExhausted();
  101000. }
  101001. static FLAC__StreamDecoderWriteStatus writeCallback_ (const FLAC__StreamDecoder*,
  101002. const FLAC__Frame* frame,
  101003. const FLAC__int32* const buffer[],
  101004. void* client_data)
  101005. {
  101006. ((FlacReader*) client_data)->useSamples (buffer, frame->header.blocksize);
  101007. return FLAC__STREAM_DECODER_WRITE_STATUS_CONTINUE;
  101008. }
  101009. static void metadataCallback_ (const FLAC__StreamDecoder*,
  101010. const FLAC__StreamMetadata* metadata,
  101011. void* client_data)
  101012. {
  101013. ((FlacReader*) client_data)->useMetadata (metadata->data.stream_info);
  101014. }
  101015. static void errorCallback_ (const FLAC__StreamDecoder*, FLAC__StreamDecoderErrorStatus, void*)
  101016. {
  101017. }
  101018. juce_UseDebuggingNewOperator
  101019. };
  101020. class FlacWriter : public AudioFormatWriter
  101021. {
  101022. FLAC__StreamEncoder* encoder;
  101023. MemoryBlock temp;
  101024. public:
  101025. bool ok;
  101026. FlacWriter (OutputStream* const out,
  101027. const double sampleRate,
  101028. const int numChannels,
  101029. const int bitsPerSample_)
  101030. : AudioFormatWriter (out, flacFormatName,
  101031. sampleRate,
  101032. numChannels,
  101033. bitsPerSample_)
  101034. {
  101035. using namespace FlacNamespace;
  101036. encoder = FLAC__stream_encoder_new();
  101037. FLAC__stream_encoder_set_do_mid_side_stereo (encoder, numChannels == 2);
  101038. FLAC__stream_encoder_set_loose_mid_side_stereo (encoder, numChannels == 2);
  101039. FLAC__stream_encoder_set_channels (encoder, numChannels);
  101040. FLAC__stream_encoder_set_bits_per_sample (encoder, jmin (24, bitsPerSample));
  101041. FLAC__stream_encoder_set_sample_rate (encoder, (unsigned int) sampleRate);
  101042. FLAC__stream_encoder_set_blocksize (encoder, 2048);
  101043. FLAC__stream_encoder_set_do_escape_coding (encoder, true);
  101044. ok = FLAC__stream_encoder_init_stream (encoder,
  101045. encodeWriteCallback, encodeSeekCallback,
  101046. encodeTellCallback, encodeMetadataCallback,
  101047. (void*) this) == FLAC__STREAM_ENCODER_INIT_STATUS_OK;
  101048. }
  101049. ~FlacWriter()
  101050. {
  101051. if (ok)
  101052. {
  101053. FLAC__stream_encoder_finish (encoder);
  101054. output->flush();
  101055. }
  101056. else
  101057. {
  101058. output = 0; // to stop the base class deleting this, as it needs to be returned
  101059. // to the caller of createWriter()
  101060. }
  101061. FLAC__stream_encoder_delete (encoder);
  101062. }
  101063. bool write (const int** samplesToWrite, int numSamples)
  101064. {
  101065. if (! ok)
  101066. return false;
  101067. int* buf[3];
  101068. const int bitsToShift = 32 - bitsPerSample;
  101069. if (bitsToShift > 0)
  101070. {
  101071. const int numChannels = (samplesToWrite[1] == 0) ? 1 : 2;
  101072. temp.setSize (sizeof (int) * numSamples * numChannels);
  101073. buf[0] = (int*) temp.getData();
  101074. buf[1] = buf[0] + numSamples;
  101075. buf[2] = 0;
  101076. for (int i = numChannels; --i >= 0;)
  101077. {
  101078. if (samplesToWrite[i] != 0)
  101079. {
  101080. for (int j = 0; j < numSamples; ++j)
  101081. buf [i][j] = (samplesToWrite [i][j] >> bitsToShift);
  101082. }
  101083. }
  101084. samplesToWrite = (const int**) buf;
  101085. }
  101086. return FLAC__stream_encoder_process (encoder,
  101087. (const FLAC__int32**) samplesToWrite,
  101088. numSamples) != 0;
  101089. }
  101090. bool writeData (const void* const data, const int size) const
  101091. {
  101092. return output->write (data, size);
  101093. }
  101094. static void packUint32 (FLAC__uint32 val, FLAC__byte* b, const int bytes)
  101095. {
  101096. b += bytes;
  101097. for (int i = 0; i < bytes; ++i)
  101098. {
  101099. *(--b) = (FLAC__byte) (val & 0xff);
  101100. val >>= 8;
  101101. }
  101102. }
  101103. void writeMetaData (const FLAC__StreamMetadata* metadata)
  101104. {
  101105. using namespace FlacNamespace;
  101106. const FLAC__StreamMetadata_StreamInfo& info = metadata->data.stream_info;
  101107. unsigned char buffer [FLAC__STREAM_METADATA_STREAMINFO_LENGTH];
  101108. const unsigned int channelsMinus1 = info.channels - 1;
  101109. const unsigned int bitsMinus1 = info.bits_per_sample - 1;
  101110. packUint32 (info.min_blocksize, buffer, 2);
  101111. packUint32 (info.max_blocksize, buffer + 2, 2);
  101112. packUint32 (info.min_framesize, buffer + 4, 3);
  101113. packUint32 (info.max_framesize, buffer + 7, 3);
  101114. buffer[10] = (uint8) ((info.sample_rate >> 12) & 0xff);
  101115. buffer[11] = (uint8) ((info.sample_rate >> 4) & 0xff);
  101116. buffer[12] = (uint8) (((info.sample_rate & 0x0f) << 4) | (channelsMinus1 << 1) | (bitsMinus1 >> 4));
  101117. buffer[13] = (FLAC__byte) (((bitsMinus1 & 0x0f) << 4) | (unsigned int) ((info.total_samples >> 32) & 0x0f));
  101118. packUint32 ((FLAC__uint32) info.total_samples, buffer + 14, 4);
  101119. memcpy (buffer + 18, info.md5sum, 16);
  101120. const bool ok = output->setPosition (4);
  101121. (void) ok;
  101122. // if this fails, you've given it an output stream that can't seek! It needs
  101123. // to be able to seek back to write the header
  101124. jassert (ok);
  101125. output->writeIntBigEndian (FLAC__STREAM_METADATA_STREAMINFO_LENGTH);
  101126. output->write (buffer, FLAC__STREAM_METADATA_STREAMINFO_LENGTH);
  101127. }
  101128. static FLAC__StreamEncoderWriteStatus encodeWriteCallback (const FLAC__StreamEncoder*,
  101129. const FLAC__byte buffer[],
  101130. size_t bytes,
  101131. unsigned int /*samples*/,
  101132. unsigned int /*current_frame*/,
  101133. void* client_data)
  101134. {
  101135. using namespace FlacNamespace;
  101136. return ((FlacWriter*) client_data)->writeData (buffer, (int) bytes)
  101137. ? FLAC__STREAM_ENCODER_WRITE_STATUS_OK
  101138. : FLAC__STREAM_ENCODER_WRITE_STATUS_FATAL_ERROR;
  101139. }
  101140. static FLAC__StreamEncoderSeekStatus encodeSeekCallback (const FLAC__StreamEncoder*, FLAC__uint64, void*)
  101141. {
  101142. return FLAC__STREAM_ENCODER_SEEK_STATUS_UNSUPPORTED;
  101143. }
  101144. static FLAC__StreamEncoderTellStatus encodeTellCallback (const FLAC__StreamEncoder*, FLAC__uint64*, void*)
  101145. {
  101146. return FLAC__STREAM_ENCODER_TELL_STATUS_UNSUPPORTED;
  101147. }
  101148. static void encodeMetadataCallback (const FLAC__StreamEncoder*,
  101149. const FLAC__StreamMetadata* metadata,
  101150. void* client_data)
  101151. {
  101152. ((FlacWriter*) client_data)->writeMetaData (metadata);
  101153. }
  101154. juce_UseDebuggingNewOperator
  101155. };
  101156. FlacAudioFormat::FlacAudioFormat()
  101157. : AudioFormat (flacFormatName, (const tchar**) flacExtensions)
  101158. {
  101159. }
  101160. FlacAudioFormat::~FlacAudioFormat()
  101161. {
  101162. }
  101163. const Array <int> FlacAudioFormat::getPossibleSampleRates()
  101164. {
  101165. const int rates[] = { 22050, 32000, 44100, 48000, 88200, 96000, 0 };
  101166. return Array <int> (rates);
  101167. }
  101168. const Array <int> FlacAudioFormat::getPossibleBitDepths()
  101169. {
  101170. const int depths[] = { 16, 24, 0 };
  101171. return Array <int> (depths);
  101172. }
  101173. bool FlacAudioFormat::canDoStereo()
  101174. {
  101175. return true;
  101176. }
  101177. bool FlacAudioFormat::canDoMono()
  101178. {
  101179. return true;
  101180. }
  101181. bool FlacAudioFormat::isCompressed()
  101182. {
  101183. return true;
  101184. }
  101185. AudioFormatReader* FlacAudioFormat::createReaderFor (InputStream* in,
  101186. const bool deleteStreamIfOpeningFails)
  101187. {
  101188. FlacReader* r = new FlacReader (in);
  101189. if (r->sampleRate == 0)
  101190. {
  101191. if (! deleteStreamIfOpeningFails)
  101192. r->input = 0;
  101193. deleteAndZero (r);
  101194. }
  101195. return r;
  101196. }
  101197. AudioFormatWriter* FlacAudioFormat::createWriterFor (OutputStream* out,
  101198. double sampleRate,
  101199. unsigned int numberOfChannels,
  101200. int bitsPerSample,
  101201. const StringPairArray& /*metadataValues*/,
  101202. int /*qualityOptionIndex*/)
  101203. {
  101204. if (getPossibleBitDepths().contains (bitsPerSample))
  101205. {
  101206. FlacWriter* w = new FlacWriter (out,
  101207. sampleRate,
  101208. numberOfChannels,
  101209. bitsPerSample);
  101210. if (! w->ok)
  101211. deleteAndZero (w);
  101212. return w;
  101213. }
  101214. return 0;
  101215. }
  101216. END_JUCE_NAMESPACE
  101217. #endif
  101218. /********* End of inlined file: juce_FlacAudioFormat.cpp *********/
  101219. /********* Start of inlined file: juce_OggVorbisAudioFormat.cpp *********/
  101220. #if JUCE_USE_OGGVORBIS
  101221. #if JUCE_MAC
  101222. #define __MACOSX__ 1
  101223. #endif
  101224. namespace OggVorbisNamespace
  101225. {
  101226. /********* Start of inlined file: vorbisenc.h *********/
  101227. #ifndef _OV_ENC_H_
  101228. #define _OV_ENC_H_
  101229. #ifdef __cplusplus
  101230. extern "C"
  101231. {
  101232. #endif /* __cplusplus */
  101233. /********* Start of inlined file: codec.h *********/
  101234. #ifndef _vorbis_codec_h_
  101235. #define _vorbis_codec_h_
  101236. #ifdef __cplusplus
  101237. extern "C"
  101238. {
  101239. #endif /* __cplusplus */
  101240. /********* Start of inlined file: ogg.h *********/
  101241. #ifndef _OGG_H
  101242. #define _OGG_H
  101243. #ifdef __cplusplus
  101244. extern "C" {
  101245. #endif
  101246. /********* Start of inlined file: os_types.h *********/
  101247. #ifndef _OS_TYPES_H
  101248. #define _OS_TYPES_H
  101249. /* make it easy on the folks that want to compile the libs with a
  101250. different malloc than stdlib */
  101251. #define _ogg_malloc malloc
  101252. #define _ogg_calloc calloc
  101253. #define _ogg_realloc realloc
  101254. #define _ogg_free free
  101255. #if defined(_WIN32)
  101256. # if defined(__CYGWIN__)
  101257. # include <_G_config.h>
  101258. typedef _G_int64_t ogg_int64_t;
  101259. typedef _G_int32_t ogg_int32_t;
  101260. typedef _G_uint32_t ogg_uint32_t;
  101261. typedef _G_int16_t ogg_int16_t;
  101262. typedef _G_uint16_t ogg_uint16_t;
  101263. # elif defined(__MINGW32__)
  101264. typedef short ogg_int16_t;
  101265. typedef unsigned short ogg_uint16_t;
  101266. typedef int ogg_int32_t;
  101267. typedef unsigned int ogg_uint32_t;
  101268. typedef long long ogg_int64_t;
  101269. typedef unsigned long long ogg_uint64_t;
  101270. # elif defined(__MWERKS__)
  101271. typedef long long ogg_int64_t;
  101272. typedef int ogg_int32_t;
  101273. typedef unsigned int ogg_uint32_t;
  101274. typedef short ogg_int16_t;
  101275. typedef unsigned short ogg_uint16_t;
  101276. # else
  101277. /* MSVC/Borland */
  101278. typedef __int64 ogg_int64_t;
  101279. typedef __int32 ogg_int32_t;
  101280. typedef unsigned __int32 ogg_uint32_t;
  101281. typedef __int16 ogg_int16_t;
  101282. typedef unsigned __int16 ogg_uint16_t;
  101283. # endif
  101284. #elif defined(__MACOS__)
  101285. # include <sys/types.h>
  101286. typedef SInt16 ogg_int16_t;
  101287. typedef UInt16 ogg_uint16_t;
  101288. typedef SInt32 ogg_int32_t;
  101289. typedef UInt32 ogg_uint32_t;
  101290. typedef SInt64 ogg_int64_t;
  101291. #elif defined(__MACOSX__) /* MacOS X Framework build */
  101292. # include <sys/types.h>
  101293. typedef int16_t ogg_int16_t;
  101294. typedef u_int16_t ogg_uint16_t;
  101295. typedef int32_t ogg_int32_t;
  101296. typedef u_int32_t ogg_uint32_t;
  101297. typedef int64_t ogg_int64_t;
  101298. #elif defined(__BEOS__)
  101299. /* Be */
  101300. # include <inttypes.h>
  101301. typedef int16_t ogg_int16_t;
  101302. typedef u_int16_t ogg_uint16_t;
  101303. typedef int32_t ogg_int32_t;
  101304. typedef u_int32_t ogg_uint32_t;
  101305. typedef int64_t ogg_int64_t;
  101306. #elif defined (__EMX__)
  101307. /* OS/2 GCC */
  101308. typedef short ogg_int16_t;
  101309. typedef unsigned short ogg_uint16_t;
  101310. typedef int ogg_int32_t;
  101311. typedef unsigned int ogg_uint32_t;
  101312. typedef long long ogg_int64_t;
  101313. #elif defined (DJGPP)
  101314. /* DJGPP */
  101315. typedef short ogg_int16_t;
  101316. typedef int ogg_int32_t;
  101317. typedef unsigned int ogg_uint32_t;
  101318. typedef long long ogg_int64_t;
  101319. #elif defined(R5900)
  101320. /* PS2 EE */
  101321. typedef long ogg_int64_t;
  101322. typedef int ogg_int32_t;
  101323. typedef unsigned ogg_uint32_t;
  101324. typedef short ogg_int16_t;
  101325. #elif defined(__SYMBIAN32__)
  101326. /* Symbian GCC */
  101327. typedef signed short ogg_int16_t;
  101328. typedef unsigned short ogg_uint16_t;
  101329. typedef signed int ogg_int32_t;
  101330. typedef unsigned int ogg_uint32_t;
  101331. typedef long long int ogg_int64_t;
  101332. #else
  101333. # include <sys/types.h>
  101334. /********* Start of inlined file: config_types.h *********/
  101335. #ifndef __CONFIG_TYPES_H__
  101336. #define __CONFIG_TYPES_H__
  101337. typedef int16_t ogg_int16_t;
  101338. typedef unsigned short ogg_uint16_t;
  101339. typedef int32_t ogg_int32_t;
  101340. typedef unsigned int ogg_uint32_t;
  101341. typedef int64_t ogg_int64_t;
  101342. #endif
  101343. /********* End of inlined file: config_types.h *********/
  101344. #endif
  101345. #endif /* _OS_TYPES_H */
  101346. /********* End of inlined file: os_types.h *********/
  101347. typedef struct {
  101348. long endbyte;
  101349. int endbit;
  101350. unsigned char *buffer;
  101351. unsigned char *ptr;
  101352. long storage;
  101353. } oggpack_buffer;
  101354. /* ogg_page is used to encapsulate the data in one Ogg bitstream page *****/
  101355. typedef struct {
  101356. unsigned char *header;
  101357. long header_len;
  101358. unsigned char *body;
  101359. long body_len;
  101360. } ogg_page;
  101361. ogg_uint32_t bitreverse(ogg_uint32_t x){
  101362. x= ((x>>16)&0x0000ffffUL) | ((x<<16)&0xffff0000UL);
  101363. x= ((x>> 8)&0x00ff00ffUL) | ((x<< 8)&0xff00ff00UL);
  101364. x= ((x>> 4)&0x0f0f0f0fUL) | ((x<< 4)&0xf0f0f0f0UL);
  101365. x= ((x>> 2)&0x33333333UL) | ((x<< 2)&0xccccccccUL);
  101366. return((x>> 1)&0x55555555UL) | ((x<< 1)&0xaaaaaaaaUL);
  101367. }
  101368. /* ogg_stream_state contains the current encode/decode state of a logical
  101369. Ogg bitstream **********************************************************/
  101370. typedef struct {
  101371. unsigned char *body_data; /* bytes from packet bodies */
  101372. long body_storage; /* storage elements allocated */
  101373. long body_fill; /* elements stored; fill mark */
  101374. long body_returned; /* elements of fill returned */
  101375. int *lacing_vals; /* The values that will go to the segment table */
  101376. ogg_int64_t *granule_vals; /* granulepos values for headers. Not compact
  101377. this way, but it is simple coupled to the
  101378. lacing fifo */
  101379. long lacing_storage;
  101380. long lacing_fill;
  101381. long lacing_packet;
  101382. long lacing_returned;
  101383. unsigned char header[282]; /* working space for header encode */
  101384. int header_fill;
  101385. int e_o_s; /* set when we have buffered the last packet in the
  101386. logical bitstream */
  101387. int b_o_s; /* set after we've written the initial page
  101388. of a logical bitstream */
  101389. long serialno;
  101390. long pageno;
  101391. ogg_int64_t packetno; /* sequence number for decode; the framing
  101392. knows where there's a hole in the data,
  101393. but we need coupling so that the codec
  101394. (which is in a seperate abstraction
  101395. layer) also knows about the gap */
  101396. ogg_int64_t granulepos;
  101397. } ogg_stream_state;
  101398. /* ogg_packet is used to encapsulate the data and metadata belonging
  101399. to a single raw Ogg/Vorbis packet *************************************/
  101400. typedef struct {
  101401. unsigned char *packet;
  101402. long bytes;
  101403. long b_o_s;
  101404. long e_o_s;
  101405. ogg_int64_t granulepos;
  101406. ogg_int64_t packetno; /* sequence number for decode; the framing
  101407. knows where there's a hole in the data,
  101408. but we need coupling so that the codec
  101409. (which is in a seperate abstraction
  101410. layer) also knows about the gap */
  101411. } ogg_packet;
  101412. typedef struct {
  101413. unsigned char *data;
  101414. int storage;
  101415. int fill;
  101416. int returned;
  101417. int unsynced;
  101418. int headerbytes;
  101419. int bodybytes;
  101420. } ogg_sync_state;
  101421. /* Ogg BITSTREAM PRIMITIVES: bitstream ************************/
  101422. extern void oggpack_writeinit(oggpack_buffer *b);
  101423. extern void oggpack_writetrunc(oggpack_buffer *b,long bits);
  101424. extern void oggpack_writealign(oggpack_buffer *b);
  101425. extern void oggpack_writecopy(oggpack_buffer *b,void *source,long bits);
  101426. extern void oggpack_reset(oggpack_buffer *b);
  101427. extern void oggpack_writeclear(oggpack_buffer *b);
  101428. extern void oggpack_readinit(oggpack_buffer *b,unsigned char *buf,int bytes);
  101429. extern void oggpack_write(oggpack_buffer *b,unsigned long value,int bits);
  101430. extern long oggpack_look(oggpack_buffer *b,int bits);
  101431. extern long oggpack_look1(oggpack_buffer *b);
  101432. extern void oggpack_adv(oggpack_buffer *b,int bits);
  101433. extern void oggpack_adv1(oggpack_buffer *b);
  101434. extern long oggpack_read(oggpack_buffer *b,int bits);
  101435. extern long oggpack_read1(oggpack_buffer *b);
  101436. extern long oggpack_bytes(oggpack_buffer *b);
  101437. extern long oggpack_bits(oggpack_buffer *b);
  101438. extern unsigned char *oggpack_get_buffer(oggpack_buffer *b);
  101439. extern void oggpackB_writeinit(oggpack_buffer *b);
  101440. extern void oggpackB_writetrunc(oggpack_buffer *b,long bits);
  101441. extern void oggpackB_writealign(oggpack_buffer *b);
  101442. extern void oggpackB_writecopy(oggpack_buffer *b,void *source,long bits);
  101443. extern void oggpackB_reset(oggpack_buffer *b);
  101444. extern void oggpackB_writeclear(oggpack_buffer *b);
  101445. extern void oggpackB_readinit(oggpack_buffer *b,unsigned char *buf,int bytes);
  101446. extern void oggpackB_write(oggpack_buffer *b,unsigned long value,int bits);
  101447. extern long oggpackB_look(oggpack_buffer *b,int bits);
  101448. extern long oggpackB_look1(oggpack_buffer *b);
  101449. extern void oggpackB_adv(oggpack_buffer *b,int bits);
  101450. extern void oggpackB_adv1(oggpack_buffer *b);
  101451. extern long oggpackB_read(oggpack_buffer *b,int bits);
  101452. extern long oggpackB_read1(oggpack_buffer *b);
  101453. extern long oggpackB_bytes(oggpack_buffer *b);
  101454. extern long oggpackB_bits(oggpack_buffer *b);
  101455. extern unsigned char *oggpackB_get_buffer(oggpack_buffer *b);
  101456. /* Ogg BITSTREAM PRIMITIVES: encoding **************************/
  101457. extern int ogg_stream_packetin(ogg_stream_state *os, ogg_packet *op);
  101458. extern int ogg_stream_pageout(ogg_stream_state *os, ogg_page *og);
  101459. extern int ogg_stream_flush(ogg_stream_state *os, ogg_page *og);
  101460. /* Ogg BITSTREAM PRIMITIVES: decoding **************************/
  101461. extern int ogg_sync_init(ogg_sync_state *oy);
  101462. extern int ogg_sync_clear(ogg_sync_state *oy);
  101463. extern int ogg_sync_reset(ogg_sync_state *oy);
  101464. extern int ogg_sync_destroy(ogg_sync_state *oy);
  101465. extern char *ogg_sync_buffer(ogg_sync_state *oy, long size);
  101466. extern int ogg_sync_wrote(ogg_sync_state *oy, long bytes);
  101467. extern long ogg_sync_pageseek(ogg_sync_state *oy,ogg_page *og);
  101468. extern int ogg_sync_pageout(ogg_sync_state *oy, ogg_page *og);
  101469. extern int ogg_stream_pagein(ogg_stream_state *os, ogg_page *og);
  101470. extern int ogg_stream_packetout(ogg_stream_state *os,ogg_packet *op);
  101471. extern int ogg_stream_packetpeek(ogg_stream_state *os,ogg_packet *op);
  101472. /* Ogg BITSTREAM PRIMITIVES: general ***************************/
  101473. extern int ogg_stream_init(ogg_stream_state *os,int serialno);
  101474. extern int ogg_stream_clear(ogg_stream_state *os);
  101475. extern int ogg_stream_reset(ogg_stream_state *os);
  101476. extern int ogg_stream_reset_serialno(ogg_stream_state *os,int serialno);
  101477. extern int ogg_stream_destroy(ogg_stream_state *os);
  101478. extern int ogg_stream_eos(ogg_stream_state *os);
  101479. extern void ogg_page_checksum_set(ogg_page *og);
  101480. extern int ogg_page_version(ogg_page *og);
  101481. extern int ogg_page_continued(ogg_page *og);
  101482. extern int ogg_page_bos(ogg_page *og);
  101483. extern int ogg_page_eos(ogg_page *og);
  101484. extern ogg_int64_t ogg_page_granulepos(ogg_page *og);
  101485. extern int ogg_page_serialno(ogg_page *og);
  101486. extern long ogg_page_pageno(ogg_page *og);
  101487. extern int ogg_page_packets(ogg_page *og);
  101488. extern void ogg_packet_clear(ogg_packet *op);
  101489. #ifdef __cplusplus
  101490. }
  101491. #endif
  101492. #endif /* _OGG_H */
  101493. /********* End of inlined file: ogg.h *********/
  101494. typedef struct vorbis_info{
  101495. int version;
  101496. int channels;
  101497. long rate;
  101498. /* The below bitrate declarations are *hints*.
  101499. Combinations of the three values carry the following implications:
  101500. all three set to the same value:
  101501. implies a fixed rate bitstream
  101502. only nominal set:
  101503. implies a VBR stream that averages the nominal bitrate. No hard
  101504. upper/lower limit
  101505. upper and or lower set:
  101506. implies a VBR bitstream that obeys the bitrate limits. nominal
  101507. may also be set to give a nominal rate.
  101508. none set:
  101509. the coder does not care to speculate.
  101510. */
  101511. long bitrate_upper;
  101512. long bitrate_nominal;
  101513. long bitrate_lower;
  101514. long bitrate_window;
  101515. void *codec_setup;
  101516. } vorbis_info;
  101517. /* vorbis_dsp_state buffers the current vorbis audio
  101518. analysis/synthesis state. The DSP state belongs to a specific
  101519. logical bitstream ****************************************************/
  101520. typedef struct vorbis_dsp_state{
  101521. int analysisp;
  101522. vorbis_info *vi;
  101523. float **pcm;
  101524. float **pcmret;
  101525. int pcm_storage;
  101526. int pcm_current;
  101527. int pcm_returned;
  101528. int preextrapolate;
  101529. int eofflag;
  101530. long lW;
  101531. long W;
  101532. long nW;
  101533. long centerW;
  101534. ogg_int64_t granulepos;
  101535. ogg_int64_t sequence;
  101536. ogg_int64_t glue_bits;
  101537. ogg_int64_t time_bits;
  101538. ogg_int64_t floor_bits;
  101539. ogg_int64_t res_bits;
  101540. void *backend_state;
  101541. } vorbis_dsp_state;
  101542. typedef struct vorbis_block{
  101543. /* necessary stream state for linking to the framing abstraction */
  101544. float **pcm; /* this is a pointer into local storage */
  101545. oggpack_buffer opb;
  101546. long lW;
  101547. long W;
  101548. long nW;
  101549. int pcmend;
  101550. int mode;
  101551. int eofflag;
  101552. ogg_int64_t granulepos;
  101553. ogg_int64_t sequence;
  101554. vorbis_dsp_state *vd; /* For read-only access of configuration */
  101555. /* local storage to avoid remallocing; it's up to the mapping to
  101556. structure it */
  101557. void *localstore;
  101558. long localtop;
  101559. long localalloc;
  101560. long totaluse;
  101561. struct alloc_chain *reap;
  101562. /* bitmetrics for the frame */
  101563. long glue_bits;
  101564. long time_bits;
  101565. long floor_bits;
  101566. long res_bits;
  101567. void *internal;
  101568. } vorbis_block;
  101569. /* vorbis_block is a single block of data to be processed as part of
  101570. the analysis/synthesis stream; it belongs to a specific logical
  101571. bitstream, but is independant from other vorbis_blocks belonging to
  101572. that logical bitstream. *************************************************/
  101573. struct alloc_chain{
  101574. void *ptr;
  101575. struct alloc_chain *next;
  101576. };
  101577. /* vorbis_info contains all the setup information specific to the
  101578. specific compression/decompression mode in progress (eg,
  101579. psychoacoustic settings, channel setup, options, codebook
  101580. etc). vorbis_info and substructures are in backends.h.
  101581. *********************************************************************/
  101582. /* the comments are not part of vorbis_info so that vorbis_info can be
  101583. static storage */
  101584. typedef struct vorbis_comment{
  101585. /* unlimited user comment fields. libvorbis writes 'libvorbis'
  101586. whatever vendor is set to in encode */
  101587. char **user_comments;
  101588. int *comment_lengths;
  101589. int comments;
  101590. char *vendor;
  101591. } vorbis_comment;
  101592. /* libvorbis encodes in two abstraction layers; first we perform DSP
  101593. and produce a packet (see docs/analysis.txt). The packet is then
  101594. coded into a framed OggSquish bitstream by the second layer (see
  101595. docs/framing.txt). Decode is the reverse process; we sync/frame
  101596. the bitstream and extract individual packets, then decode the
  101597. packet back into PCM audio.
  101598. The extra framing/packetizing is used in streaming formats, such as
  101599. files. Over the net (such as with UDP), the framing and
  101600. packetization aren't necessary as they're provided by the transport
  101601. and the streaming layer is not used */
  101602. /* Vorbis PRIMITIVES: general ***************************************/
  101603. extern void vorbis_info_init(vorbis_info *vi);
  101604. extern void vorbis_info_clear(vorbis_info *vi);
  101605. extern int vorbis_info_blocksize(vorbis_info *vi,int zo);
  101606. extern void vorbis_comment_init(vorbis_comment *vc);
  101607. extern void vorbis_comment_add(vorbis_comment *vc, char *comment);
  101608. extern void vorbis_comment_add_tag(vorbis_comment *vc,
  101609. char *tag, char *contents);
  101610. extern char *vorbis_comment_query(vorbis_comment *vc, char *tag, int count);
  101611. extern int vorbis_comment_query_count(vorbis_comment *vc, char *tag);
  101612. extern void vorbis_comment_clear(vorbis_comment *vc);
  101613. extern int vorbis_block_init(vorbis_dsp_state *v, vorbis_block *vb);
  101614. extern int vorbis_block_clear(vorbis_block *vb);
  101615. extern void vorbis_dsp_clear(vorbis_dsp_state *v);
  101616. extern double vorbis_granule_time(vorbis_dsp_state *v,
  101617. ogg_int64_t granulepos);
  101618. /* Vorbis PRIMITIVES: analysis/DSP layer ****************************/
  101619. extern int vorbis_analysis_init(vorbis_dsp_state *v,vorbis_info *vi);
  101620. extern int vorbis_commentheader_out(vorbis_comment *vc, ogg_packet *op);
  101621. extern int vorbis_analysis_headerout(vorbis_dsp_state *v,
  101622. vorbis_comment *vc,
  101623. ogg_packet *op,
  101624. ogg_packet *op_comm,
  101625. ogg_packet *op_code);
  101626. extern float **vorbis_analysis_buffer(vorbis_dsp_state *v,int vals);
  101627. extern int vorbis_analysis_wrote(vorbis_dsp_state *v,int vals);
  101628. extern int vorbis_analysis_blockout(vorbis_dsp_state *v,vorbis_block *vb);
  101629. extern int vorbis_analysis(vorbis_block *vb,ogg_packet *op);
  101630. extern int vorbis_bitrate_addblock(vorbis_block *vb);
  101631. extern int vorbis_bitrate_flushpacket(vorbis_dsp_state *vd,
  101632. ogg_packet *op);
  101633. /* Vorbis PRIMITIVES: synthesis layer *******************************/
  101634. extern int vorbis_synthesis_headerin(vorbis_info *vi,vorbis_comment *vc,
  101635. ogg_packet *op);
  101636. extern int vorbis_synthesis_init(vorbis_dsp_state *v,vorbis_info *vi);
  101637. extern int vorbis_synthesis_restart(vorbis_dsp_state *v);
  101638. extern int vorbis_synthesis(vorbis_block *vb,ogg_packet *op);
  101639. extern int vorbis_synthesis_trackonly(vorbis_block *vb,ogg_packet *op);
  101640. extern int vorbis_synthesis_blockin(vorbis_dsp_state *v,vorbis_block *vb);
  101641. extern int vorbis_synthesis_pcmout(vorbis_dsp_state *v,float ***pcm);
  101642. extern int vorbis_synthesis_lapout(vorbis_dsp_state *v,float ***pcm);
  101643. extern int vorbis_synthesis_read(vorbis_dsp_state *v,int samples);
  101644. extern long vorbis_packet_blocksize(vorbis_info *vi,ogg_packet *op);
  101645. extern int vorbis_synthesis_halfrate(vorbis_info *v,int flag);
  101646. extern int vorbis_synthesis_halfrate_p(vorbis_info *v);
  101647. /* Vorbis ERRORS and return codes ***********************************/
  101648. #define OV_FALSE -1
  101649. #define OV_EOF -2
  101650. #define OV_HOLE -3
  101651. #define OV_EREAD -128
  101652. #define OV_EFAULT -129
  101653. #define OV_EIMPL -130
  101654. #define OV_EINVAL -131
  101655. #define OV_ENOTVORBIS -132
  101656. #define OV_EBADHEADER -133
  101657. #define OV_EVERSION -134
  101658. #define OV_ENOTAUDIO -135
  101659. #define OV_EBADPACKET -136
  101660. #define OV_EBADLINK -137
  101661. #define OV_ENOSEEK -138
  101662. #ifdef __cplusplus
  101663. }
  101664. #endif /* __cplusplus */
  101665. #endif
  101666. /********* End of inlined file: codec.h *********/
  101667. extern int vorbis_encode_init(vorbis_info *vi,
  101668. long channels,
  101669. long rate,
  101670. long max_bitrate,
  101671. long nominal_bitrate,
  101672. long min_bitrate);
  101673. extern int vorbis_encode_setup_managed(vorbis_info *vi,
  101674. long channels,
  101675. long rate,
  101676. long max_bitrate,
  101677. long nominal_bitrate,
  101678. long min_bitrate);
  101679. extern int vorbis_encode_setup_vbr(vorbis_info *vi,
  101680. long channels,
  101681. long rate,
  101682. float quality /* quality level from 0. (lo) to 1. (hi) */
  101683. );
  101684. extern int vorbis_encode_init_vbr(vorbis_info *vi,
  101685. long channels,
  101686. long rate,
  101687. float base_quality /* quality level from 0. (lo) to 1. (hi) */
  101688. );
  101689. extern int vorbis_encode_setup_init(vorbis_info *vi);
  101690. extern int vorbis_encode_ctl(vorbis_info *vi,int number,void *arg);
  101691. /* deprecated rate management supported only for compatability */
  101692. #define OV_ECTL_RATEMANAGE_GET 0x10
  101693. #define OV_ECTL_RATEMANAGE_SET 0x11
  101694. #define OV_ECTL_RATEMANAGE_AVG 0x12
  101695. #define OV_ECTL_RATEMANAGE_HARD 0x13
  101696. struct ovectl_ratemanage_arg {
  101697. int management_active;
  101698. long bitrate_hard_min;
  101699. long bitrate_hard_max;
  101700. double bitrate_hard_window;
  101701. long bitrate_av_lo;
  101702. long bitrate_av_hi;
  101703. double bitrate_av_window;
  101704. double bitrate_av_window_center;
  101705. };
  101706. /* new rate setup */
  101707. #define OV_ECTL_RATEMANAGE2_GET 0x14
  101708. #define OV_ECTL_RATEMANAGE2_SET 0x15
  101709. struct ovectl_ratemanage2_arg {
  101710. int management_active;
  101711. long bitrate_limit_min_kbps;
  101712. long bitrate_limit_max_kbps;
  101713. long bitrate_limit_reservoir_bits;
  101714. double bitrate_limit_reservoir_bias;
  101715. long bitrate_average_kbps;
  101716. double bitrate_average_damping;
  101717. };
  101718. #define OV_ECTL_LOWPASS_GET 0x20
  101719. #define OV_ECTL_LOWPASS_SET 0x21
  101720. #define OV_ECTL_IBLOCK_GET 0x30
  101721. #define OV_ECTL_IBLOCK_SET 0x31
  101722. #ifdef __cplusplus
  101723. }
  101724. #endif /* __cplusplus */
  101725. #endif
  101726. /********* End of inlined file: vorbisenc.h *********/
  101727. /********* Start of inlined file: vorbisfile.h *********/
  101728. #ifndef _OV_FILE_H_
  101729. #define _OV_FILE_H_
  101730. #ifdef __cplusplus
  101731. extern "C"
  101732. {
  101733. #endif /* __cplusplus */
  101734. #include <stdio.h>
  101735. /* The function prototypes for the callbacks are basically the same as for
  101736. * the stdio functions fread, fseek, fclose, ftell.
  101737. * The one difference is that the FILE * arguments have been replaced with
  101738. * a void * - this is to be used as a pointer to whatever internal data these
  101739. * functions might need. In the stdio case, it's just a FILE * cast to a void *
  101740. *
  101741. * If you use other functions, check the docs for these functions and return
  101742. * the right values. For seek_func(), you *MUST* return -1 if the stream is
  101743. * unseekable
  101744. */
  101745. typedef struct {
  101746. size_t (*read_func) (void *ptr, size_t size, size_t nmemb, void *datasource);
  101747. int (*seek_func) (void *datasource, ogg_int64_t offset, int whence);
  101748. int (*close_func) (void *datasource);
  101749. long (*tell_func) (void *datasource);
  101750. } ov_callbacks;
  101751. #define NOTOPEN 0
  101752. #define PARTOPEN 1
  101753. #define OPENED 2
  101754. #define STREAMSET 3
  101755. #define INITSET 4
  101756. typedef struct OggVorbis_File {
  101757. void *datasource; /* Pointer to a FILE *, etc. */
  101758. int seekable;
  101759. ogg_int64_t offset;
  101760. ogg_int64_t end;
  101761. ogg_sync_state oy;
  101762. /* If the FILE handle isn't seekable (eg, a pipe), only the current
  101763. stream appears */
  101764. int links;
  101765. ogg_int64_t *offsets;
  101766. ogg_int64_t *dataoffsets;
  101767. long *serialnos;
  101768. ogg_int64_t *pcmlengths; /* overloaded to maintain binary
  101769. compatability; x2 size, stores both
  101770. beginning and end values */
  101771. vorbis_info *vi;
  101772. vorbis_comment *vc;
  101773. /* Decoding working state local storage */
  101774. ogg_int64_t pcm_offset;
  101775. int ready_state;
  101776. long current_serialno;
  101777. int current_link;
  101778. double bittrack;
  101779. double samptrack;
  101780. ogg_stream_state os; /* take physical pages, weld into a logical
  101781. stream of packets */
  101782. vorbis_dsp_state vd; /* central working state for the packet->PCM decoder */
  101783. vorbis_block vb; /* local working space for packet->PCM decode */
  101784. ov_callbacks callbacks;
  101785. } OggVorbis_File;
  101786. extern int ov_clear(OggVorbis_File *vf);
  101787. extern int ov_open(FILE *f,OggVorbis_File *vf,char *initial,long ibytes);
  101788. extern int ov_open_callbacks(void *datasource, OggVorbis_File *vf,
  101789. char *initial, long ibytes, ov_callbacks callbacks);
  101790. extern int ov_test(FILE *f,OggVorbis_File *vf,char *initial,long ibytes);
  101791. extern int ov_test_callbacks(void *datasource, OggVorbis_File *vf,
  101792. char *initial, long ibytes, ov_callbacks callbacks);
  101793. extern int ov_test_open(OggVorbis_File *vf);
  101794. extern long ov_bitrate(OggVorbis_File *vf,int i);
  101795. extern long ov_bitrate_instant(OggVorbis_File *vf);
  101796. extern long ov_streams(OggVorbis_File *vf);
  101797. extern long ov_seekable(OggVorbis_File *vf);
  101798. extern long ov_serialnumber(OggVorbis_File *vf,int i);
  101799. extern ogg_int64_t ov_raw_total(OggVorbis_File *vf,int i);
  101800. extern ogg_int64_t ov_pcm_total(OggVorbis_File *vf,int i);
  101801. extern double ov_time_total(OggVorbis_File *vf,int i);
  101802. extern int ov_raw_seek(OggVorbis_File *vf,ogg_int64_t pos);
  101803. extern int ov_pcm_seek(OggVorbis_File *vf,ogg_int64_t pos);
  101804. extern int ov_pcm_seek_page(OggVorbis_File *vf,ogg_int64_t pos);
  101805. extern int ov_time_seek(OggVorbis_File *vf,double pos);
  101806. extern int ov_time_seek_page(OggVorbis_File *vf,double pos);
  101807. extern int ov_raw_seek_lap(OggVorbis_File *vf,ogg_int64_t pos);
  101808. extern int ov_pcm_seek_lap(OggVorbis_File *vf,ogg_int64_t pos);
  101809. extern int ov_pcm_seek_page_lap(OggVorbis_File *vf,ogg_int64_t pos);
  101810. extern int ov_time_seek_lap(OggVorbis_File *vf,double pos);
  101811. extern int ov_time_seek_page_lap(OggVorbis_File *vf,double pos);
  101812. extern ogg_int64_t ov_raw_tell(OggVorbis_File *vf);
  101813. extern ogg_int64_t ov_pcm_tell(OggVorbis_File *vf);
  101814. extern double ov_time_tell(OggVorbis_File *vf);
  101815. extern vorbis_info *ov_info(OggVorbis_File *vf,int link);
  101816. extern vorbis_comment *ov_comment(OggVorbis_File *vf,int link);
  101817. extern long ov_read_float(OggVorbis_File *vf,float ***pcm_channels,int samples,
  101818. int *bitstream);
  101819. extern long ov_read(OggVorbis_File *vf,char *buffer,int length,
  101820. int bigendianp,int word,int sgned,int *bitstream);
  101821. extern int ov_crosslap(OggVorbis_File *vf1,OggVorbis_File *vf2);
  101822. extern int ov_halfrate(OggVorbis_File *vf,int flag);
  101823. extern int ov_halfrate_p(OggVorbis_File *vf);
  101824. #ifdef __cplusplus
  101825. }
  101826. #endif /* __cplusplus */
  101827. #endif
  101828. /********* End of inlined file: vorbisfile.h *********/
  101829. /********* Start of inlined file: bitwise.c *********/
  101830. /* We're 'LSb' endian; if we write a word but read individual bits,
  101831. then we'll read the lsb first */
  101832. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  101833. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  101834. // tasks..
  101835. #ifdef _MSC_VER
  101836. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  101837. #endif
  101838. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  101839. #if JUCE_USE_OGGVORBIS
  101840. #include <string.h>
  101841. #include <stdlib.h>
  101842. #define BUFFER_INCREMENT 256
  101843. static const unsigned long mask[]=
  101844. {0x00000000,0x00000001,0x00000003,0x00000007,0x0000000f,
  101845. 0x0000001f,0x0000003f,0x0000007f,0x000000ff,0x000001ff,
  101846. 0x000003ff,0x000007ff,0x00000fff,0x00001fff,0x00003fff,
  101847. 0x00007fff,0x0000ffff,0x0001ffff,0x0003ffff,0x0007ffff,
  101848. 0x000fffff,0x001fffff,0x003fffff,0x007fffff,0x00ffffff,
  101849. 0x01ffffff,0x03ffffff,0x07ffffff,0x0fffffff,0x1fffffff,
  101850. 0x3fffffff,0x7fffffff,0xffffffff };
  101851. static const unsigned int mask8B[]=
  101852. {0x00,0x80,0xc0,0xe0,0xf0,0xf8,0xfc,0xfe,0xff};
  101853. void oggpack_writeinit(oggpack_buffer *b){
  101854. memset(b,0,sizeof(*b));
  101855. b->ptr=b->buffer=(unsigned char*) _ogg_malloc(BUFFER_INCREMENT);
  101856. b->buffer[0]='\0';
  101857. b->storage=BUFFER_INCREMENT;
  101858. }
  101859. void oggpackB_writeinit(oggpack_buffer *b){
  101860. oggpack_writeinit(b);
  101861. }
  101862. void oggpack_writetrunc(oggpack_buffer *b,long bits){
  101863. long bytes=bits>>3;
  101864. bits-=bytes*8;
  101865. b->ptr=b->buffer+bytes;
  101866. b->endbit=bits;
  101867. b->endbyte=bytes;
  101868. *b->ptr&=mask[bits];
  101869. }
  101870. void oggpackB_writetrunc(oggpack_buffer *b,long bits){
  101871. long bytes=bits>>3;
  101872. bits-=bytes*8;
  101873. b->ptr=b->buffer+bytes;
  101874. b->endbit=bits;
  101875. b->endbyte=bytes;
  101876. *b->ptr&=mask8B[bits];
  101877. }
  101878. /* Takes only up to 32 bits. */
  101879. void oggpack_write(oggpack_buffer *b,unsigned long value,int bits){
  101880. if(b->endbyte+4>=b->storage){
  101881. b->buffer=(unsigned char*) _ogg_realloc(b->buffer,b->storage+BUFFER_INCREMENT);
  101882. b->storage+=BUFFER_INCREMENT;
  101883. b->ptr=b->buffer+b->endbyte;
  101884. }
  101885. value&=mask[bits];
  101886. bits+=b->endbit;
  101887. b->ptr[0]|=value<<b->endbit;
  101888. if(bits>=8){
  101889. b->ptr[1]=(unsigned char)(value>>(8-b->endbit));
  101890. if(bits>=16){
  101891. b->ptr[2]=(unsigned char)(value>>(16-b->endbit));
  101892. if(bits>=24){
  101893. b->ptr[3]=(unsigned char)(value>>(24-b->endbit));
  101894. if(bits>=32){
  101895. if(b->endbit)
  101896. b->ptr[4]=(unsigned char)(value>>(32-b->endbit));
  101897. else
  101898. b->ptr[4]=0;
  101899. }
  101900. }
  101901. }
  101902. }
  101903. b->endbyte+=bits/8;
  101904. b->ptr+=bits/8;
  101905. b->endbit=bits&7;
  101906. }
  101907. /* Takes only up to 32 bits. */
  101908. void oggpackB_write(oggpack_buffer *b,unsigned long value,int bits){
  101909. if(b->endbyte+4>=b->storage){
  101910. b->buffer=(unsigned char*) _ogg_realloc(b->buffer,b->storage+BUFFER_INCREMENT);
  101911. b->storage+=BUFFER_INCREMENT;
  101912. b->ptr=b->buffer+b->endbyte;
  101913. }
  101914. value=(value&mask[bits])<<(32-bits);
  101915. bits+=b->endbit;
  101916. b->ptr[0]|=value>>(24+b->endbit);
  101917. if(bits>=8){
  101918. b->ptr[1]=(unsigned char)(value>>(16+b->endbit));
  101919. if(bits>=16){
  101920. b->ptr[2]=(unsigned char)(value>>(8+b->endbit));
  101921. if(bits>=24){
  101922. b->ptr[3]=(unsigned char)(value>>(b->endbit));
  101923. if(bits>=32){
  101924. if(b->endbit)
  101925. b->ptr[4]=(unsigned char)(value<<(8-b->endbit));
  101926. else
  101927. b->ptr[4]=0;
  101928. }
  101929. }
  101930. }
  101931. }
  101932. b->endbyte+=bits/8;
  101933. b->ptr+=bits/8;
  101934. b->endbit=bits&7;
  101935. }
  101936. void oggpack_writealign(oggpack_buffer *b){
  101937. int bits=8-b->endbit;
  101938. if(bits<8)
  101939. oggpack_write(b,0,bits);
  101940. }
  101941. void oggpackB_writealign(oggpack_buffer *b){
  101942. int bits=8-b->endbit;
  101943. if(bits<8)
  101944. oggpackB_write(b,0,bits);
  101945. }
  101946. static void oggpack_writecopy_helper(oggpack_buffer *b,
  101947. void *source,
  101948. long bits,
  101949. void (*w)(oggpack_buffer *,
  101950. unsigned long,
  101951. int),
  101952. int msb){
  101953. unsigned char *ptr=(unsigned char *)source;
  101954. long bytes=bits/8;
  101955. bits-=bytes*8;
  101956. if(b->endbit){
  101957. int i;
  101958. /* unaligned copy. Do it the hard way. */
  101959. for(i=0;i<bytes;i++)
  101960. w(b,(unsigned long)(ptr[i]),8);
  101961. }else{
  101962. /* aligned block copy */
  101963. if(b->endbyte+bytes+1>=b->storage){
  101964. b->storage=b->endbyte+bytes+BUFFER_INCREMENT;
  101965. b->buffer=(unsigned char*) _ogg_realloc(b->buffer,b->storage);
  101966. b->ptr=b->buffer+b->endbyte;
  101967. }
  101968. memmove(b->ptr,source,bytes);
  101969. b->ptr+=bytes;
  101970. b->endbyte+=bytes;
  101971. *b->ptr=0;
  101972. }
  101973. if(bits){
  101974. if(msb)
  101975. w(b,(unsigned long)(ptr[bytes]>>(8-bits)),bits);
  101976. else
  101977. w(b,(unsigned long)(ptr[bytes]),bits);
  101978. }
  101979. }
  101980. void oggpack_writecopy(oggpack_buffer *b,void *source,long bits){
  101981. oggpack_writecopy_helper(b,source,bits,oggpack_write,0);
  101982. }
  101983. void oggpackB_writecopy(oggpack_buffer *b,void *source,long bits){
  101984. oggpack_writecopy_helper(b,source,bits,oggpackB_write,1);
  101985. }
  101986. void oggpack_reset(oggpack_buffer *b){
  101987. b->ptr=b->buffer;
  101988. b->buffer[0]=0;
  101989. b->endbit=b->endbyte=0;
  101990. }
  101991. void oggpackB_reset(oggpack_buffer *b){
  101992. oggpack_reset(b);
  101993. }
  101994. void oggpack_writeclear(oggpack_buffer *b){
  101995. _ogg_free(b->buffer);
  101996. memset(b,0,sizeof(*b));
  101997. }
  101998. void oggpackB_writeclear(oggpack_buffer *b){
  101999. oggpack_writeclear(b);
  102000. }
  102001. void oggpack_readinit(oggpack_buffer *b,unsigned char *buf,int bytes){
  102002. memset(b,0,sizeof(*b));
  102003. b->buffer=b->ptr=buf;
  102004. b->storage=bytes;
  102005. }
  102006. void oggpackB_readinit(oggpack_buffer *b,unsigned char *buf,int bytes){
  102007. oggpack_readinit(b,buf,bytes);
  102008. }
  102009. /* Read in bits without advancing the bitptr; bits <= 32 */
  102010. long oggpack_look(oggpack_buffer *b,int bits){
  102011. unsigned long ret;
  102012. unsigned long m=mask[bits];
  102013. bits+=b->endbit;
  102014. if(b->endbyte+4>=b->storage){
  102015. /* not the main path */
  102016. if(b->endbyte*8+bits>b->storage*8)return(-1);
  102017. }
  102018. ret=b->ptr[0]>>b->endbit;
  102019. if(bits>8){
  102020. ret|=b->ptr[1]<<(8-b->endbit);
  102021. if(bits>16){
  102022. ret|=b->ptr[2]<<(16-b->endbit);
  102023. if(bits>24){
  102024. ret|=b->ptr[3]<<(24-b->endbit);
  102025. if(bits>32 && b->endbit)
  102026. ret|=b->ptr[4]<<(32-b->endbit);
  102027. }
  102028. }
  102029. }
  102030. return(m&ret);
  102031. }
  102032. /* Read in bits without advancing the bitptr; bits <= 32 */
  102033. long oggpackB_look(oggpack_buffer *b,int bits){
  102034. unsigned long ret;
  102035. int m=32-bits;
  102036. bits+=b->endbit;
  102037. if(b->endbyte+4>=b->storage){
  102038. /* not the main path */
  102039. if(b->endbyte*8+bits>b->storage*8)return(-1);
  102040. }
  102041. ret=b->ptr[0]<<(24+b->endbit);
  102042. if(bits>8){
  102043. ret|=b->ptr[1]<<(16+b->endbit);
  102044. if(bits>16){
  102045. ret|=b->ptr[2]<<(8+b->endbit);
  102046. if(bits>24){
  102047. ret|=b->ptr[3]<<(b->endbit);
  102048. if(bits>32 && b->endbit)
  102049. ret|=b->ptr[4]>>(8-b->endbit);
  102050. }
  102051. }
  102052. }
  102053. return ((ret&0xffffffff)>>(m>>1))>>((m+1)>>1);
  102054. }
  102055. long oggpack_look1(oggpack_buffer *b){
  102056. if(b->endbyte>=b->storage)return(-1);
  102057. return((b->ptr[0]>>b->endbit)&1);
  102058. }
  102059. long oggpackB_look1(oggpack_buffer *b){
  102060. if(b->endbyte>=b->storage)return(-1);
  102061. return((b->ptr[0]>>(7-b->endbit))&1);
  102062. }
  102063. void oggpack_adv(oggpack_buffer *b,int bits){
  102064. bits+=b->endbit;
  102065. b->ptr+=bits/8;
  102066. b->endbyte+=bits/8;
  102067. b->endbit=bits&7;
  102068. }
  102069. void oggpackB_adv(oggpack_buffer *b,int bits){
  102070. oggpack_adv(b,bits);
  102071. }
  102072. void oggpack_adv1(oggpack_buffer *b){
  102073. if(++(b->endbit)>7){
  102074. b->endbit=0;
  102075. b->ptr++;
  102076. b->endbyte++;
  102077. }
  102078. }
  102079. void oggpackB_adv1(oggpack_buffer *b){
  102080. oggpack_adv1(b);
  102081. }
  102082. /* bits <= 32 */
  102083. long oggpack_read(oggpack_buffer *b,int bits){
  102084. long ret;
  102085. unsigned long m=mask[bits];
  102086. bits+=b->endbit;
  102087. if(b->endbyte+4>=b->storage){
  102088. /* not the main path */
  102089. ret=-1L;
  102090. if(b->endbyte*8+bits>b->storage*8)goto overflow;
  102091. }
  102092. ret=b->ptr[0]>>b->endbit;
  102093. if(bits>8){
  102094. ret|=b->ptr[1]<<(8-b->endbit);
  102095. if(bits>16){
  102096. ret|=b->ptr[2]<<(16-b->endbit);
  102097. if(bits>24){
  102098. ret|=b->ptr[3]<<(24-b->endbit);
  102099. if(bits>32 && b->endbit){
  102100. ret|=b->ptr[4]<<(32-b->endbit);
  102101. }
  102102. }
  102103. }
  102104. }
  102105. ret&=m;
  102106. overflow:
  102107. b->ptr+=bits/8;
  102108. b->endbyte+=bits/8;
  102109. b->endbit=bits&7;
  102110. return(ret);
  102111. }
  102112. /* bits <= 32 */
  102113. long oggpackB_read(oggpack_buffer *b,int bits){
  102114. long ret;
  102115. long m=32-bits;
  102116. bits+=b->endbit;
  102117. if(b->endbyte+4>=b->storage){
  102118. /* not the main path */
  102119. ret=-1L;
  102120. if(b->endbyte*8+bits>b->storage*8)goto overflow;
  102121. }
  102122. ret=b->ptr[0]<<(24+b->endbit);
  102123. if(bits>8){
  102124. ret|=b->ptr[1]<<(16+b->endbit);
  102125. if(bits>16){
  102126. ret|=b->ptr[2]<<(8+b->endbit);
  102127. if(bits>24){
  102128. ret|=b->ptr[3]<<(b->endbit);
  102129. if(bits>32 && b->endbit)
  102130. ret|=b->ptr[4]>>(8-b->endbit);
  102131. }
  102132. }
  102133. }
  102134. ret=((ret&0xffffffffUL)>>(m>>1))>>((m+1)>>1);
  102135. overflow:
  102136. b->ptr+=bits/8;
  102137. b->endbyte+=bits/8;
  102138. b->endbit=bits&7;
  102139. return(ret);
  102140. }
  102141. long oggpack_read1(oggpack_buffer *b){
  102142. long ret;
  102143. if(b->endbyte>=b->storage){
  102144. /* not the main path */
  102145. ret=-1L;
  102146. goto overflow;
  102147. }
  102148. ret=(b->ptr[0]>>b->endbit)&1;
  102149. overflow:
  102150. b->endbit++;
  102151. if(b->endbit>7){
  102152. b->endbit=0;
  102153. b->ptr++;
  102154. b->endbyte++;
  102155. }
  102156. return(ret);
  102157. }
  102158. long oggpackB_read1(oggpack_buffer *b){
  102159. long ret;
  102160. if(b->endbyte>=b->storage){
  102161. /* not the main path */
  102162. ret=-1L;
  102163. goto overflow;
  102164. }
  102165. ret=(b->ptr[0]>>(7-b->endbit))&1;
  102166. overflow:
  102167. b->endbit++;
  102168. if(b->endbit>7){
  102169. b->endbit=0;
  102170. b->ptr++;
  102171. b->endbyte++;
  102172. }
  102173. return(ret);
  102174. }
  102175. long oggpack_bytes(oggpack_buffer *b){
  102176. return(b->endbyte+(b->endbit+7)/8);
  102177. }
  102178. long oggpack_bits(oggpack_buffer *b){
  102179. return(b->endbyte*8+b->endbit);
  102180. }
  102181. long oggpackB_bytes(oggpack_buffer *b){
  102182. return oggpack_bytes(b);
  102183. }
  102184. long oggpackB_bits(oggpack_buffer *b){
  102185. return oggpack_bits(b);
  102186. }
  102187. unsigned char *oggpack_get_buffer(oggpack_buffer *b){
  102188. return(b->buffer);
  102189. }
  102190. unsigned char *oggpackB_get_buffer(oggpack_buffer *b){
  102191. return oggpack_get_buffer(b);
  102192. }
  102193. /* Self test of the bitwise routines; everything else is based on
  102194. them, so they damned well better be solid. */
  102195. #ifdef _V_SELFTEST
  102196. #include <stdio.h>
  102197. static int ilog(unsigned int v){
  102198. int ret=0;
  102199. while(v){
  102200. ret++;
  102201. v>>=1;
  102202. }
  102203. return(ret);
  102204. }
  102205. oggpack_buffer o;
  102206. oggpack_buffer r;
  102207. void report(char *in){
  102208. fprintf(stderr,"%s",in);
  102209. exit(1);
  102210. }
  102211. void cliptest(unsigned long *b,int vals,int bits,int *comp,int compsize){
  102212. long bytes,i;
  102213. unsigned char *buffer;
  102214. oggpack_reset(&o);
  102215. for(i=0;i<vals;i++)
  102216. oggpack_write(&o,b[i],bits?bits:ilog(b[i]));
  102217. buffer=oggpack_get_buffer(&o);
  102218. bytes=oggpack_bytes(&o);
  102219. if(bytes!=compsize)report("wrong number of bytes!\n");
  102220. for(i=0;i<bytes;i++)if(buffer[i]!=comp[i]){
  102221. for(i=0;i<bytes;i++)fprintf(stderr,"%x %x\n",(int)buffer[i],(int)comp[i]);
  102222. report("wrote incorrect value!\n");
  102223. }
  102224. oggpack_readinit(&r,buffer,bytes);
  102225. for(i=0;i<vals;i++){
  102226. int tbit=bits?bits:ilog(b[i]);
  102227. if(oggpack_look(&r,tbit)==-1)
  102228. report("out of data!\n");
  102229. if(oggpack_look(&r,tbit)!=(b[i]&mask[tbit]))
  102230. report("looked at incorrect value!\n");
  102231. if(tbit==1)
  102232. if(oggpack_look1(&r)!=(b[i]&mask[tbit]))
  102233. report("looked at single bit incorrect value!\n");
  102234. if(tbit==1){
  102235. if(oggpack_read1(&r)!=(b[i]&mask[tbit]))
  102236. report("read incorrect single bit value!\n");
  102237. }else{
  102238. if(oggpack_read(&r,tbit)!=(b[i]&mask[tbit]))
  102239. report("read incorrect value!\n");
  102240. }
  102241. }
  102242. if(oggpack_bytes(&r)!=bytes)report("leftover bytes after read!\n");
  102243. }
  102244. void cliptestB(unsigned long *b,int vals,int bits,int *comp,int compsize){
  102245. long bytes,i;
  102246. unsigned char *buffer;
  102247. oggpackB_reset(&o);
  102248. for(i=0;i<vals;i++)
  102249. oggpackB_write(&o,b[i],bits?bits:ilog(b[i]));
  102250. buffer=oggpackB_get_buffer(&o);
  102251. bytes=oggpackB_bytes(&o);
  102252. if(bytes!=compsize)report("wrong number of bytes!\n");
  102253. for(i=0;i<bytes;i++)if(buffer[i]!=comp[i]){
  102254. for(i=0;i<bytes;i++)fprintf(stderr,"%x %x\n",(int)buffer[i],(int)comp[i]);
  102255. report("wrote incorrect value!\n");
  102256. }
  102257. oggpackB_readinit(&r,buffer,bytes);
  102258. for(i=0;i<vals;i++){
  102259. int tbit=bits?bits:ilog(b[i]);
  102260. if(oggpackB_look(&r,tbit)==-1)
  102261. report("out of data!\n");
  102262. if(oggpackB_look(&r,tbit)!=(b[i]&mask[tbit]))
  102263. report("looked at incorrect value!\n");
  102264. if(tbit==1)
  102265. if(oggpackB_look1(&r)!=(b[i]&mask[tbit]))
  102266. report("looked at single bit incorrect value!\n");
  102267. if(tbit==1){
  102268. if(oggpackB_read1(&r)!=(b[i]&mask[tbit]))
  102269. report("read incorrect single bit value!\n");
  102270. }else{
  102271. if(oggpackB_read(&r,tbit)!=(b[i]&mask[tbit]))
  102272. report("read incorrect value!\n");
  102273. }
  102274. }
  102275. if(oggpackB_bytes(&r)!=bytes)report("leftover bytes after read!\n");
  102276. }
  102277. int main(void){
  102278. unsigned char *buffer;
  102279. long bytes,i;
  102280. static unsigned long testbuffer1[]=
  102281. {18,12,103948,4325,543,76,432,52,3,65,4,56,32,42,34,21,1,23,32,546,456,7,
  102282. 567,56,8,8,55,3,52,342,341,4,265,7,67,86,2199,21,7,1,5,1,4};
  102283. int test1size=43;
  102284. static unsigned long testbuffer2[]=
  102285. {216531625L,1237861823,56732452,131,3212421,12325343,34547562,12313212,
  102286. 1233432,534,5,346435231,14436467,7869299,76326614,167548585,
  102287. 85525151,0,12321,1,349528352};
  102288. int test2size=21;
  102289. static unsigned long testbuffer3[]=
  102290. {1,0,14,0,1,0,12,0,1,0,0,0,1,1,0,1,0,1,0,1,0,1,0,1,0,1,0,0,1,1,1,1,1,0,0,1,
  102291. 0,1,30,1,1,1,0,0,1,0,0,0,12,0,11,0,1,0,0,1};
  102292. int test3size=56;
  102293. static unsigned long large[]=
  102294. {2136531625L,2137861823,56732452,131,3212421,12325343,34547562,12313212,
  102295. 1233432,534,5,2146435231,14436467,7869299,76326614,167548585,
  102296. 85525151,0,12321,1,2146528352};
  102297. int onesize=33;
  102298. static int one[33]={146,25,44,151,195,15,153,176,233,131,196,65,85,172,47,40,
  102299. 34,242,223,136,35,222,211,86,171,50,225,135,214,75,172,
  102300. 223,4};
  102301. static int oneB[33]={150,101,131,33,203,15,204,216,105,193,156,65,84,85,222,
  102302. 8,139,145,227,126,34,55,244,171,85,100,39,195,173,18,
  102303. 245,251,128};
  102304. int twosize=6;
  102305. static int two[6]={61,255,255,251,231,29};
  102306. static int twoB[6]={247,63,255,253,249,120};
  102307. int threesize=54;
  102308. static int three[54]={169,2,232,252,91,132,156,36,89,13,123,176,144,32,254,
  102309. 142,224,85,59,121,144,79,124,23,67,90,90,216,79,23,83,
  102310. 58,135,196,61,55,129,183,54,101,100,170,37,127,126,10,
  102311. 100,52,4,14,18,86,77,1};
  102312. static int threeB[54]={206,128,42,153,57,8,183,251,13,89,36,30,32,144,183,
  102313. 130,59,240,121,59,85,223,19,228,180,134,33,107,74,98,
  102314. 233,253,196,135,63,2,110,114,50,155,90,127,37,170,104,
  102315. 200,20,254,4,58,106,176,144,0};
  102316. int foursize=38;
  102317. static int four[38]={18,6,163,252,97,194,104,131,32,1,7,82,137,42,129,11,72,
  102318. 132,60,220,112,8,196,109,64,179,86,9,137,195,208,122,169,
  102319. 28,2,133,0,1};
  102320. static int fourB[38]={36,48,102,83,243,24,52,7,4,35,132,10,145,21,2,93,2,41,
  102321. 1,219,184,16,33,184,54,149,170,132,18,30,29,98,229,67,
  102322. 129,10,4,32};
  102323. int fivesize=45;
  102324. static int five[45]={169,2,126,139,144,172,30,4,80,72,240,59,130,218,73,62,
  102325. 241,24,210,44,4,20,0,248,116,49,135,100,110,130,181,169,
  102326. 84,75,159,2,1,0,132,192,8,0,0,18,22};
  102327. static int fiveB[45]={1,84,145,111,245,100,128,8,56,36,40,71,126,78,213,226,
  102328. 124,105,12,0,133,128,0,162,233,242,67,152,77,205,77,
  102329. 172,150,169,129,79,128,0,6,4,32,0,27,9,0};
  102330. int sixsize=7;
  102331. static int six[7]={17,177,170,242,169,19,148};
  102332. static int sixB[7]={136,141,85,79,149,200,41};
  102333. /* Test read/write together */
  102334. /* Later we test against pregenerated bitstreams */
  102335. oggpack_writeinit(&o);
  102336. fprintf(stderr,"\nSmall preclipped packing (LSb): ");
  102337. cliptest(testbuffer1,test1size,0,one,onesize);
  102338. fprintf(stderr,"ok.");
  102339. fprintf(stderr,"\nNull bit call (LSb): ");
  102340. cliptest(testbuffer3,test3size,0,two,twosize);
  102341. fprintf(stderr,"ok.");
  102342. fprintf(stderr,"\nLarge preclipped packing (LSb): ");
  102343. cliptest(testbuffer2,test2size,0,three,threesize);
  102344. fprintf(stderr,"ok.");
  102345. fprintf(stderr,"\n32 bit preclipped packing (LSb): ");
  102346. oggpack_reset(&o);
  102347. for(i=0;i<test2size;i++)
  102348. oggpack_write(&o,large[i],32);
  102349. buffer=oggpack_get_buffer(&o);
  102350. bytes=oggpack_bytes(&o);
  102351. oggpack_readinit(&r,buffer,bytes);
  102352. for(i=0;i<test2size;i++){
  102353. if(oggpack_look(&r,32)==-1)report("out of data. failed!");
  102354. if(oggpack_look(&r,32)!=large[i]){
  102355. fprintf(stderr,"%ld != %ld (%lx!=%lx):",oggpack_look(&r,32),large[i],
  102356. oggpack_look(&r,32),large[i]);
  102357. report("read incorrect value!\n");
  102358. }
  102359. oggpack_adv(&r,32);
  102360. }
  102361. if(oggpack_bytes(&r)!=bytes)report("leftover bytes after read!\n");
  102362. fprintf(stderr,"ok.");
  102363. fprintf(stderr,"\nSmall unclipped packing (LSb): ");
  102364. cliptest(testbuffer1,test1size,7,four,foursize);
  102365. fprintf(stderr,"ok.");
  102366. fprintf(stderr,"\nLarge unclipped packing (LSb): ");
  102367. cliptest(testbuffer2,test2size,17,five,fivesize);
  102368. fprintf(stderr,"ok.");
  102369. fprintf(stderr,"\nSingle bit unclipped packing (LSb): ");
  102370. cliptest(testbuffer3,test3size,1,six,sixsize);
  102371. fprintf(stderr,"ok.");
  102372. fprintf(stderr,"\nTesting read past end (LSb): ");
  102373. oggpack_readinit(&r,"\0\0\0\0\0\0\0\0",8);
  102374. for(i=0;i<64;i++){
  102375. if(oggpack_read(&r,1)!=0){
  102376. fprintf(stderr,"failed; got -1 prematurely.\n");
  102377. exit(1);
  102378. }
  102379. }
  102380. if(oggpack_look(&r,1)!=-1 ||
  102381. oggpack_read(&r,1)!=-1){
  102382. fprintf(stderr,"failed; read past end without -1.\n");
  102383. exit(1);
  102384. }
  102385. oggpack_readinit(&r,"\0\0\0\0\0\0\0\0",8);
  102386. if(oggpack_read(&r,30)!=0 || oggpack_read(&r,16)!=0){
  102387. fprintf(stderr,"failed 2; got -1 prematurely.\n");
  102388. exit(1);
  102389. }
  102390. if(oggpack_look(&r,18)!=0 ||
  102391. oggpack_look(&r,18)!=0){
  102392. fprintf(stderr,"failed 3; got -1 prematurely.\n");
  102393. exit(1);
  102394. }
  102395. if(oggpack_look(&r,19)!=-1 ||
  102396. oggpack_look(&r,19)!=-1){
  102397. fprintf(stderr,"failed; read past end without -1.\n");
  102398. exit(1);
  102399. }
  102400. if(oggpack_look(&r,32)!=-1 ||
  102401. oggpack_look(&r,32)!=-1){
  102402. fprintf(stderr,"failed; read past end without -1.\n");
  102403. exit(1);
  102404. }
  102405. oggpack_writeclear(&o);
  102406. fprintf(stderr,"ok.\n");
  102407. /********** lazy, cut-n-paste retest with MSb packing ***********/
  102408. /* Test read/write together */
  102409. /* Later we test against pregenerated bitstreams */
  102410. oggpackB_writeinit(&o);
  102411. fprintf(stderr,"\nSmall preclipped packing (MSb): ");
  102412. cliptestB(testbuffer1,test1size,0,oneB,onesize);
  102413. fprintf(stderr,"ok.");
  102414. fprintf(stderr,"\nNull bit call (MSb): ");
  102415. cliptestB(testbuffer3,test3size,0,twoB,twosize);
  102416. fprintf(stderr,"ok.");
  102417. fprintf(stderr,"\nLarge preclipped packing (MSb): ");
  102418. cliptestB(testbuffer2,test2size,0,threeB,threesize);
  102419. fprintf(stderr,"ok.");
  102420. fprintf(stderr,"\n32 bit preclipped packing (MSb): ");
  102421. oggpackB_reset(&o);
  102422. for(i=0;i<test2size;i++)
  102423. oggpackB_write(&o,large[i],32);
  102424. buffer=oggpackB_get_buffer(&o);
  102425. bytes=oggpackB_bytes(&o);
  102426. oggpackB_readinit(&r,buffer,bytes);
  102427. for(i=0;i<test2size;i++){
  102428. if(oggpackB_look(&r,32)==-1)report("out of data. failed!");
  102429. if(oggpackB_look(&r,32)!=large[i]){
  102430. fprintf(stderr,"%ld != %ld (%lx!=%lx):",oggpackB_look(&r,32),large[i],
  102431. oggpackB_look(&r,32),large[i]);
  102432. report("read incorrect value!\n");
  102433. }
  102434. oggpackB_adv(&r,32);
  102435. }
  102436. if(oggpackB_bytes(&r)!=bytes)report("leftover bytes after read!\n");
  102437. fprintf(stderr,"ok.");
  102438. fprintf(stderr,"\nSmall unclipped packing (MSb): ");
  102439. cliptestB(testbuffer1,test1size,7,fourB,foursize);
  102440. fprintf(stderr,"ok.");
  102441. fprintf(stderr,"\nLarge unclipped packing (MSb): ");
  102442. cliptestB(testbuffer2,test2size,17,fiveB,fivesize);
  102443. fprintf(stderr,"ok.");
  102444. fprintf(stderr,"\nSingle bit unclipped packing (MSb): ");
  102445. cliptestB(testbuffer3,test3size,1,sixB,sixsize);
  102446. fprintf(stderr,"ok.");
  102447. fprintf(stderr,"\nTesting read past end (MSb): ");
  102448. oggpackB_readinit(&r,"\0\0\0\0\0\0\0\0",8);
  102449. for(i=0;i<64;i++){
  102450. if(oggpackB_read(&r,1)!=0){
  102451. fprintf(stderr,"failed; got -1 prematurely.\n");
  102452. exit(1);
  102453. }
  102454. }
  102455. if(oggpackB_look(&r,1)!=-1 ||
  102456. oggpackB_read(&r,1)!=-1){
  102457. fprintf(stderr,"failed; read past end without -1.\n");
  102458. exit(1);
  102459. }
  102460. oggpackB_readinit(&r,"\0\0\0\0\0\0\0\0",8);
  102461. if(oggpackB_read(&r,30)!=0 || oggpackB_read(&r,16)!=0){
  102462. fprintf(stderr,"failed 2; got -1 prematurely.\n");
  102463. exit(1);
  102464. }
  102465. if(oggpackB_look(&r,18)!=0 ||
  102466. oggpackB_look(&r,18)!=0){
  102467. fprintf(stderr,"failed 3; got -1 prematurely.\n");
  102468. exit(1);
  102469. }
  102470. if(oggpackB_look(&r,19)!=-1 ||
  102471. oggpackB_look(&r,19)!=-1){
  102472. fprintf(stderr,"failed; read past end without -1.\n");
  102473. exit(1);
  102474. }
  102475. if(oggpackB_look(&r,32)!=-1 ||
  102476. oggpackB_look(&r,32)!=-1){
  102477. fprintf(stderr,"failed; read past end without -1.\n");
  102478. exit(1);
  102479. }
  102480. oggpackB_writeclear(&o);
  102481. fprintf(stderr,"ok.\n\n");
  102482. return(0);
  102483. }
  102484. #endif /* _V_SELFTEST */
  102485. #undef BUFFER_INCREMENT
  102486. #endif
  102487. /********* End of inlined file: bitwise.c *********/
  102488. /********* Start of inlined file: framing.c *********/
  102489. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  102490. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  102491. // tasks..
  102492. #ifdef _MSC_VER
  102493. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  102494. #endif
  102495. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  102496. #if JUCE_USE_OGGVORBIS
  102497. #include <stdlib.h>
  102498. #include <string.h>
  102499. /* A complete description of Ogg framing exists in docs/framing.html */
  102500. int ogg_page_version(ogg_page *og){
  102501. return((int)(og->header[4]));
  102502. }
  102503. int ogg_page_continued(ogg_page *og){
  102504. return((int)(og->header[5]&0x01));
  102505. }
  102506. int ogg_page_bos(ogg_page *og){
  102507. return((int)(og->header[5]&0x02));
  102508. }
  102509. int ogg_page_eos(ogg_page *og){
  102510. return((int)(og->header[5]&0x04));
  102511. }
  102512. ogg_int64_t ogg_page_granulepos(ogg_page *og){
  102513. unsigned char *page=og->header;
  102514. ogg_int64_t granulepos=page[13]&(0xff);
  102515. granulepos= (granulepos<<8)|(page[12]&0xff);
  102516. granulepos= (granulepos<<8)|(page[11]&0xff);
  102517. granulepos= (granulepos<<8)|(page[10]&0xff);
  102518. granulepos= (granulepos<<8)|(page[9]&0xff);
  102519. granulepos= (granulepos<<8)|(page[8]&0xff);
  102520. granulepos= (granulepos<<8)|(page[7]&0xff);
  102521. granulepos= (granulepos<<8)|(page[6]&0xff);
  102522. return(granulepos);
  102523. }
  102524. int ogg_page_serialno(ogg_page *og){
  102525. return(og->header[14] |
  102526. (og->header[15]<<8) |
  102527. (og->header[16]<<16) |
  102528. (og->header[17]<<24));
  102529. }
  102530. long ogg_page_pageno(ogg_page *og){
  102531. return(og->header[18] |
  102532. (og->header[19]<<8) |
  102533. (og->header[20]<<16) |
  102534. (og->header[21]<<24));
  102535. }
  102536. /* returns the number of packets that are completed on this page (if
  102537. the leading packet is begun on a previous page, but ends on this
  102538. page, it's counted */
  102539. /* NOTE:
  102540. If a page consists of a packet begun on a previous page, and a new
  102541. packet begun (but not completed) on this page, the return will be:
  102542. ogg_page_packets(page) ==1,
  102543. ogg_page_continued(page) !=0
  102544. If a page happens to be a single packet that was begun on a
  102545. previous page, and spans to the next page (in the case of a three or
  102546. more page packet), the return will be:
  102547. ogg_page_packets(page) ==0,
  102548. ogg_page_continued(page) !=0
  102549. */
  102550. int ogg_page_packets(ogg_page *og){
  102551. int i,n=og->header[26],count=0;
  102552. for(i=0;i<n;i++)
  102553. if(og->header[27+i]<255)count++;
  102554. return(count);
  102555. }
  102556. #if 0
  102557. /* helper to initialize lookup for direct-table CRC (illustrative; we
  102558. use the static init below) */
  102559. static ogg_uint32_t _ogg_crc_entry(unsigned long index){
  102560. int i;
  102561. unsigned long r;
  102562. r = index << 24;
  102563. for (i=0; i<8; i++)
  102564. if (r & 0x80000000UL)
  102565. r = (r << 1) ^ 0x04c11db7; /* The same as the ethernet generator
  102566. polynomial, although we use an
  102567. unreflected alg and an init/final
  102568. of 0, not 0xffffffff */
  102569. else
  102570. r<<=1;
  102571. return (r & 0xffffffffUL);
  102572. }
  102573. #endif
  102574. static const ogg_uint32_t crc_lookup[256]={
  102575. 0x00000000,0x04c11db7,0x09823b6e,0x0d4326d9,
  102576. 0x130476dc,0x17c56b6b,0x1a864db2,0x1e475005,
  102577. 0x2608edb8,0x22c9f00f,0x2f8ad6d6,0x2b4bcb61,
  102578. 0x350c9b64,0x31cd86d3,0x3c8ea00a,0x384fbdbd,
  102579. 0x4c11db70,0x48d0c6c7,0x4593e01e,0x4152fda9,
  102580. 0x5f15adac,0x5bd4b01b,0x569796c2,0x52568b75,
  102581. 0x6a1936c8,0x6ed82b7f,0x639b0da6,0x675a1011,
  102582. 0x791d4014,0x7ddc5da3,0x709f7b7a,0x745e66cd,
  102583. 0x9823b6e0,0x9ce2ab57,0x91a18d8e,0x95609039,
  102584. 0x8b27c03c,0x8fe6dd8b,0x82a5fb52,0x8664e6e5,
  102585. 0xbe2b5b58,0xbaea46ef,0xb7a96036,0xb3687d81,
  102586. 0xad2f2d84,0xa9ee3033,0xa4ad16ea,0xa06c0b5d,
  102587. 0xd4326d90,0xd0f37027,0xddb056fe,0xd9714b49,
  102588. 0xc7361b4c,0xc3f706fb,0xceb42022,0xca753d95,
  102589. 0xf23a8028,0xf6fb9d9f,0xfbb8bb46,0xff79a6f1,
  102590. 0xe13ef6f4,0xe5ffeb43,0xe8bccd9a,0xec7dd02d,
  102591. 0x34867077,0x30476dc0,0x3d044b19,0x39c556ae,
  102592. 0x278206ab,0x23431b1c,0x2e003dc5,0x2ac12072,
  102593. 0x128e9dcf,0x164f8078,0x1b0ca6a1,0x1fcdbb16,
  102594. 0x018aeb13,0x054bf6a4,0x0808d07d,0x0cc9cdca,
  102595. 0x7897ab07,0x7c56b6b0,0x71159069,0x75d48dde,
  102596. 0x6b93dddb,0x6f52c06c,0x6211e6b5,0x66d0fb02,
  102597. 0x5e9f46bf,0x5a5e5b08,0x571d7dd1,0x53dc6066,
  102598. 0x4d9b3063,0x495a2dd4,0x44190b0d,0x40d816ba,
  102599. 0xaca5c697,0xa864db20,0xa527fdf9,0xa1e6e04e,
  102600. 0xbfa1b04b,0xbb60adfc,0xb6238b25,0xb2e29692,
  102601. 0x8aad2b2f,0x8e6c3698,0x832f1041,0x87ee0df6,
  102602. 0x99a95df3,0x9d684044,0x902b669d,0x94ea7b2a,
  102603. 0xe0b41de7,0xe4750050,0xe9362689,0xedf73b3e,
  102604. 0xf3b06b3b,0xf771768c,0xfa325055,0xfef34de2,
  102605. 0xc6bcf05f,0xc27dede8,0xcf3ecb31,0xcbffd686,
  102606. 0xd5b88683,0xd1799b34,0xdc3abded,0xd8fba05a,
  102607. 0x690ce0ee,0x6dcdfd59,0x608edb80,0x644fc637,
  102608. 0x7a089632,0x7ec98b85,0x738aad5c,0x774bb0eb,
  102609. 0x4f040d56,0x4bc510e1,0x46863638,0x42472b8f,
  102610. 0x5c007b8a,0x58c1663d,0x558240e4,0x51435d53,
  102611. 0x251d3b9e,0x21dc2629,0x2c9f00f0,0x285e1d47,
  102612. 0x36194d42,0x32d850f5,0x3f9b762c,0x3b5a6b9b,
  102613. 0x0315d626,0x07d4cb91,0x0a97ed48,0x0e56f0ff,
  102614. 0x1011a0fa,0x14d0bd4d,0x19939b94,0x1d528623,
  102615. 0xf12f560e,0xf5ee4bb9,0xf8ad6d60,0xfc6c70d7,
  102616. 0xe22b20d2,0xe6ea3d65,0xeba91bbc,0xef68060b,
  102617. 0xd727bbb6,0xd3e6a601,0xdea580d8,0xda649d6f,
  102618. 0xc423cd6a,0xc0e2d0dd,0xcda1f604,0xc960ebb3,
  102619. 0xbd3e8d7e,0xb9ff90c9,0xb4bcb610,0xb07daba7,
  102620. 0xae3afba2,0xaafbe615,0xa7b8c0cc,0xa379dd7b,
  102621. 0x9b3660c6,0x9ff77d71,0x92b45ba8,0x9675461f,
  102622. 0x8832161a,0x8cf30bad,0x81b02d74,0x857130c3,
  102623. 0x5d8a9099,0x594b8d2e,0x5408abf7,0x50c9b640,
  102624. 0x4e8ee645,0x4a4ffbf2,0x470cdd2b,0x43cdc09c,
  102625. 0x7b827d21,0x7f436096,0x7200464f,0x76c15bf8,
  102626. 0x68860bfd,0x6c47164a,0x61043093,0x65c52d24,
  102627. 0x119b4be9,0x155a565e,0x18197087,0x1cd86d30,
  102628. 0x029f3d35,0x065e2082,0x0b1d065b,0x0fdc1bec,
  102629. 0x3793a651,0x3352bbe6,0x3e119d3f,0x3ad08088,
  102630. 0x2497d08d,0x2056cd3a,0x2d15ebe3,0x29d4f654,
  102631. 0xc5a92679,0xc1683bce,0xcc2b1d17,0xc8ea00a0,
  102632. 0xd6ad50a5,0xd26c4d12,0xdf2f6bcb,0xdbee767c,
  102633. 0xe3a1cbc1,0xe760d676,0xea23f0af,0xeee2ed18,
  102634. 0xf0a5bd1d,0xf464a0aa,0xf9278673,0xfde69bc4,
  102635. 0x89b8fd09,0x8d79e0be,0x803ac667,0x84fbdbd0,
  102636. 0x9abc8bd5,0x9e7d9662,0x933eb0bb,0x97ffad0c,
  102637. 0xafb010b1,0xab710d06,0xa6322bdf,0xa2f33668,
  102638. 0xbcb4666d,0xb8757bda,0xb5365d03,0xb1f740b4};
  102639. /* init the encode/decode logical stream state */
  102640. int ogg_stream_init(ogg_stream_state *os,int serialno){
  102641. if(os){
  102642. memset(os,0,sizeof(*os));
  102643. os->body_storage=16*1024;
  102644. os->body_data=(unsigned char*) _ogg_malloc(os->body_storage*sizeof(*os->body_data));
  102645. os->lacing_storage=1024;
  102646. os->lacing_vals=(int*) _ogg_malloc(os->lacing_storage*sizeof(*os->lacing_vals));
  102647. os->granule_vals=(ogg_int64_t*) _ogg_malloc(os->lacing_storage*sizeof(*os->granule_vals));
  102648. os->serialno=serialno;
  102649. return(0);
  102650. }
  102651. return(-1);
  102652. }
  102653. /* _clear does not free os, only the non-flat storage within */
  102654. int ogg_stream_clear(ogg_stream_state *os){
  102655. if(os){
  102656. if(os->body_data)_ogg_free(os->body_data);
  102657. if(os->lacing_vals)_ogg_free(os->lacing_vals);
  102658. if(os->granule_vals)_ogg_free(os->granule_vals);
  102659. memset(os,0,sizeof(*os));
  102660. }
  102661. return(0);
  102662. }
  102663. int ogg_stream_destroy(ogg_stream_state *os){
  102664. if(os){
  102665. ogg_stream_clear(os);
  102666. _ogg_free(os);
  102667. }
  102668. return(0);
  102669. }
  102670. /* Helpers for ogg_stream_encode; this keeps the structure and
  102671. what's happening fairly clear */
  102672. static void _os_body_expand(ogg_stream_state *os,int needed){
  102673. if(os->body_storage<=os->body_fill+needed){
  102674. os->body_storage+=(needed+1024);
  102675. os->body_data=(unsigned char*) _ogg_realloc(os->body_data,os->body_storage*sizeof(*os->body_data));
  102676. }
  102677. }
  102678. static void _os_lacing_expand(ogg_stream_state *os,int needed){
  102679. if(os->lacing_storage<=os->lacing_fill+needed){
  102680. os->lacing_storage+=(needed+32);
  102681. os->lacing_vals=(int*)_ogg_realloc(os->lacing_vals,os->lacing_storage*sizeof(*os->lacing_vals));
  102682. os->granule_vals=(ogg_int64_t*)_ogg_realloc(os->granule_vals,os->lacing_storage*sizeof(*os->granule_vals));
  102683. }
  102684. }
  102685. /* checksum the page */
  102686. /* Direct table CRC; note that this will be faster in the future if we
  102687. perform the checksum silmultaneously with other copies */
  102688. void ogg_page_checksum_set(ogg_page *og){
  102689. if(og){
  102690. ogg_uint32_t crc_reg=0;
  102691. int i;
  102692. /* safety; needed for API behavior, but not framing code */
  102693. og->header[22]=0;
  102694. og->header[23]=0;
  102695. og->header[24]=0;
  102696. og->header[25]=0;
  102697. for(i=0;i<og->header_len;i++)
  102698. crc_reg=(crc_reg<<8)^crc_lookup[((crc_reg >> 24)&0xff)^og->header[i]];
  102699. for(i=0;i<og->body_len;i++)
  102700. crc_reg=(crc_reg<<8)^crc_lookup[((crc_reg >> 24)&0xff)^og->body[i]];
  102701. og->header[22]=(unsigned char)(crc_reg&0xff);
  102702. og->header[23]=(unsigned char)((crc_reg>>8)&0xff);
  102703. og->header[24]=(unsigned char)((crc_reg>>16)&0xff);
  102704. og->header[25]=(unsigned char)((crc_reg>>24)&0xff);
  102705. }
  102706. }
  102707. /* submit data to the internal buffer of the framing engine */
  102708. int ogg_stream_packetin(ogg_stream_state *os,ogg_packet *op){
  102709. int lacing_vals=op->bytes/255+1,i;
  102710. if(os->body_returned){
  102711. /* advance packet data according to the body_returned pointer. We
  102712. had to keep it around to return a pointer into the buffer last
  102713. call */
  102714. os->body_fill-=os->body_returned;
  102715. if(os->body_fill)
  102716. memmove(os->body_data,os->body_data+os->body_returned,
  102717. os->body_fill);
  102718. os->body_returned=0;
  102719. }
  102720. /* make sure we have the buffer storage */
  102721. _os_body_expand(os,op->bytes);
  102722. _os_lacing_expand(os,lacing_vals);
  102723. /* Copy in the submitted packet. Yes, the copy is a waste; this is
  102724. the liability of overly clean abstraction for the time being. It
  102725. will actually be fairly easy to eliminate the extra copy in the
  102726. future */
  102727. memcpy(os->body_data+os->body_fill,op->packet,op->bytes);
  102728. os->body_fill+=op->bytes;
  102729. /* Store lacing vals for this packet */
  102730. for(i=0;i<lacing_vals-1;i++){
  102731. os->lacing_vals[os->lacing_fill+i]=255;
  102732. os->granule_vals[os->lacing_fill+i]=os->granulepos;
  102733. }
  102734. os->lacing_vals[os->lacing_fill+i]=(op->bytes)%255;
  102735. os->granulepos=os->granule_vals[os->lacing_fill+i]=op->granulepos;
  102736. /* flag the first segment as the beginning of the packet */
  102737. os->lacing_vals[os->lacing_fill]|= 0x100;
  102738. os->lacing_fill+=lacing_vals;
  102739. /* for the sake of completeness */
  102740. os->packetno++;
  102741. if(op->e_o_s)os->e_o_s=1;
  102742. return(0);
  102743. }
  102744. /* This will flush remaining packets into a page (returning nonzero),
  102745. even if there is not enough data to trigger a flush normally
  102746. (undersized page). If there are no packets or partial packets to
  102747. flush, ogg_stream_flush returns 0. Note that ogg_stream_flush will
  102748. try to flush a normal sized page like ogg_stream_pageout; a call to
  102749. ogg_stream_flush does not guarantee that all packets have flushed.
  102750. Only a return value of 0 from ogg_stream_flush indicates all packet
  102751. data is flushed into pages.
  102752. since ogg_stream_flush will flush the last page in a stream even if
  102753. it's undersized, you almost certainly want to use ogg_stream_pageout
  102754. (and *not* ogg_stream_flush) unless you specifically need to flush
  102755. an page regardless of size in the middle of a stream. */
  102756. int ogg_stream_flush(ogg_stream_state *os,ogg_page *og){
  102757. int i;
  102758. int vals=0;
  102759. int maxvals=(os->lacing_fill>255?255:os->lacing_fill);
  102760. int bytes=0;
  102761. long acc=0;
  102762. ogg_int64_t granule_pos=-1;
  102763. if(maxvals==0)return(0);
  102764. /* construct a page */
  102765. /* decide how many segments to include */
  102766. /* If this is the initial header case, the first page must only include
  102767. the initial header packet */
  102768. if(os->b_o_s==0){ /* 'initial header page' case */
  102769. granule_pos=0;
  102770. for(vals=0;vals<maxvals;vals++){
  102771. if((os->lacing_vals[vals]&0x0ff)<255){
  102772. vals++;
  102773. break;
  102774. }
  102775. }
  102776. }else{
  102777. for(vals=0;vals<maxvals;vals++){
  102778. if(acc>4096)break;
  102779. acc+=os->lacing_vals[vals]&0x0ff;
  102780. if((os->lacing_vals[vals]&0xff)<255)
  102781. granule_pos=os->granule_vals[vals];
  102782. }
  102783. }
  102784. /* construct the header in temp storage */
  102785. memcpy(os->header,"OggS",4);
  102786. /* stream structure version */
  102787. os->header[4]=0x00;
  102788. /* continued packet flag? */
  102789. os->header[5]=0x00;
  102790. if((os->lacing_vals[0]&0x100)==0)os->header[5]|=0x01;
  102791. /* first page flag? */
  102792. if(os->b_o_s==0)os->header[5]|=0x02;
  102793. /* last page flag? */
  102794. if(os->e_o_s && os->lacing_fill==vals)os->header[5]|=0x04;
  102795. os->b_o_s=1;
  102796. /* 64 bits of PCM position */
  102797. for(i=6;i<14;i++){
  102798. os->header[i]=(unsigned char)(granule_pos&0xff);
  102799. granule_pos>>=8;
  102800. }
  102801. /* 32 bits of stream serial number */
  102802. {
  102803. long serialno=os->serialno;
  102804. for(i=14;i<18;i++){
  102805. os->header[i]=(unsigned char)(serialno&0xff);
  102806. serialno>>=8;
  102807. }
  102808. }
  102809. /* 32 bits of page counter (we have both counter and page header
  102810. because this val can roll over) */
  102811. if(os->pageno==-1)os->pageno=0; /* because someone called
  102812. stream_reset; this would be a
  102813. strange thing to do in an
  102814. encode stream, but it has
  102815. plausible uses */
  102816. {
  102817. long pageno=os->pageno++;
  102818. for(i=18;i<22;i++){
  102819. os->header[i]=(unsigned char)(pageno&0xff);
  102820. pageno>>=8;
  102821. }
  102822. }
  102823. /* zero for computation; filled in later */
  102824. os->header[22]=0;
  102825. os->header[23]=0;
  102826. os->header[24]=0;
  102827. os->header[25]=0;
  102828. /* segment table */
  102829. os->header[26]=(unsigned char)(vals&0xff);
  102830. for(i=0;i<vals;i++)
  102831. bytes+=os->header[i+27]=(unsigned char)(os->lacing_vals[i]&0xff);
  102832. /* set pointers in the ogg_page struct */
  102833. og->header=os->header;
  102834. og->header_len=os->header_fill=vals+27;
  102835. og->body=os->body_data+os->body_returned;
  102836. og->body_len=bytes;
  102837. /* advance the lacing data and set the body_returned pointer */
  102838. os->lacing_fill-=vals;
  102839. memmove(os->lacing_vals,os->lacing_vals+vals,os->lacing_fill*sizeof(*os->lacing_vals));
  102840. memmove(os->granule_vals,os->granule_vals+vals,os->lacing_fill*sizeof(*os->granule_vals));
  102841. os->body_returned+=bytes;
  102842. /* calculate the checksum */
  102843. ogg_page_checksum_set(og);
  102844. /* done */
  102845. return(1);
  102846. }
  102847. /* This constructs pages from buffered packet segments. The pointers
  102848. returned are to static buffers; do not free. The returned buffers are
  102849. good only until the next call (using the same ogg_stream_state) */
  102850. int ogg_stream_pageout(ogg_stream_state *os, ogg_page *og){
  102851. if((os->e_o_s&&os->lacing_fill) || /* 'were done, now flush' case */
  102852. os->body_fill-os->body_returned > 4096 ||/* 'page nominal size' case */
  102853. os->lacing_fill>=255 || /* 'segment table full' case */
  102854. (os->lacing_fill&&!os->b_o_s)){ /* 'initial header page' case */
  102855. return(ogg_stream_flush(os,og));
  102856. }
  102857. /* not enough data to construct a page and not end of stream */
  102858. return(0);
  102859. }
  102860. int ogg_stream_eos(ogg_stream_state *os){
  102861. return os->e_o_s;
  102862. }
  102863. /* DECODING PRIMITIVES: packet streaming layer **********************/
  102864. /* This has two layers to place more of the multi-serialno and paging
  102865. control in the application's hands. First, we expose a data buffer
  102866. using ogg_sync_buffer(). The app either copies into the
  102867. buffer, or passes it directly to read(), etc. We then call
  102868. ogg_sync_wrote() to tell how many bytes we just added.
  102869. Pages are returned (pointers into the buffer in ogg_sync_state)
  102870. by ogg_sync_pageout(). The page is then submitted to
  102871. ogg_stream_pagein() along with the appropriate
  102872. ogg_stream_state* (ie, matching serialno). We then get raw
  102873. packets out calling ogg_stream_packetout() with a
  102874. ogg_stream_state. */
  102875. /* initialize the struct to a known state */
  102876. int ogg_sync_init(ogg_sync_state *oy){
  102877. if(oy){
  102878. memset(oy,0,sizeof(*oy));
  102879. }
  102880. return(0);
  102881. }
  102882. /* clear non-flat storage within */
  102883. int ogg_sync_clear(ogg_sync_state *oy){
  102884. if(oy){
  102885. if(oy->data)_ogg_free(oy->data);
  102886. ogg_sync_init(oy);
  102887. }
  102888. return(0);
  102889. }
  102890. int ogg_sync_destroy(ogg_sync_state *oy){
  102891. if(oy){
  102892. ogg_sync_clear(oy);
  102893. _ogg_free(oy);
  102894. }
  102895. return(0);
  102896. }
  102897. char *ogg_sync_buffer(ogg_sync_state *oy, long size){
  102898. /* first, clear out any space that has been previously returned */
  102899. if(oy->returned){
  102900. oy->fill-=oy->returned;
  102901. if(oy->fill>0)
  102902. memmove(oy->data,oy->data+oy->returned,oy->fill);
  102903. oy->returned=0;
  102904. }
  102905. if(size>oy->storage-oy->fill){
  102906. /* We need to extend the internal buffer */
  102907. long newsize=size+oy->fill+4096; /* an extra page to be nice */
  102908. if(oy->data)
  102909. oy->data=(unsigned char*) _ogg_realloc(oy->data,newsize);
  102910. else
  102911. oy->data=(unsigned char*) _ogg_malloc(newsize);
  102912. oy->storage=newsize;
  102913. }
  102914. /* expose a segment at least as large as requested at the fill mark */
  102915. return((char *)oy->data+oy->fill);
  102916. }
  102917. int ogg_sync_wrote(ogg_sync_state *oy, long bytes){
  102918. if(oy->fill+bytes>oy->storage)return(-1);
  102919. oy->fill+=bytes;
  102920. return(0);
  102921. }
  102922. /* sync the stream. This is meant to be useful for finding page
  102923. boundaries.
  102924. return values for this:
  102925. -n) skipped n bytes
  102926. 0) page not ready; more data (no bytes skipped)
  102927. n) page synced at current location; page length n bytes
  102928. */
  102929. long ogg_sync_pageseek(ogg_sync_state *oy,ogg_page *og){
  102930. unsigned char *page=oy->data+oy->returned;
  102931. unsigned char *next;
  102932. long bytes=oy->fill-oy->returned;
  102933. if(oy->headerbytes==0){
  102934. int headerbytes,i;
  102935. if(bytes<27)return(0); /* not enough for a header */
  102936. /* verify capture pattern */
  102937. if(memcmp(page,"OggS",4))goto sync_fail;
  102938. headerbytes=page[26]+27;
  102939. if(bytes<headerbytes)return(0); /* not enough for header + seg table */
  102940. /* count up body length in the segment table */
  102941. for(i=0;i<page[26];i++)
  102942. oy->bodybytes+=page[27+i];
  102943. oy->headerbytes=headerbytes;
  102944. }
  102945. if(oy->bodybytes+oy->headerbytes>bytes)return(0);
  102946. /* The whole test page is buffered. Verify the checksum */
  102947. {
  102948. /* Grab the checksum bytes, set the header field to zero */
  102949. char chksum[4];
  102950. ogg_page log;
  102951. memcpy(chksum,page+22,4);
  102952. memset(page+22,0,4);
  102953. /* set up a temp page struct and recompute the checksum */
  102954. log.header=page;
  102955. log.header_len=oy->headerbytes;
  102956. log.body=page+oy->headerbytes;
  102957. log.body_len=oy->bodybytes;
  102958. ogg_page_checksum_set(&log);
  102959. /* Compare */
  102960. if(memcmp(chksum,page+22,4)){
  102961. /* D'oh. Mismatch! Corrupt page (or miscapture and not a page
  102962. at all) */
  102963. /* replace the computed checksum with the one actually read in */
  102964. memcpy(page+22,chksum,4);
  102965. /* Bad checksum. Lose sync */
  102966. goto sync_fail;
  102967. }
  102968. }
  102969. /* yes, have a whole page all ready to go */
  102970. {
  102971. unsigned char *page=oy->data+oy->returned;
  102972. long bytes;
  102973. if(og){
  102974. og->header=page;
  102975. og->header_len=oy->headerbytes;
  102976. og->body=page+oy->headerbytes;
  102977. og->body_len=oy->bodybytes;
  102978. }
  102979. oy->unsynced=0;
  102980. oy->returned+=(bytes=oy->headerbytes+oy->bodybytes);
  102981. oy->headerbytes=0;
  102982. oy->bodybytes=0;
  102983. return(bytes);
  102984. }
  102985. sync_fail:
  102986. oy->headerbytes=0;
  102987. oy->bodybytes=0;
  102988. /* search for possible capture */
  102989. next=(unsigned char*)memchr(page+1,'O',bytes-1);
  102990. if(!next)
  102991. next=oy->data+oy->fill;
  102992. oy->returned=next-oy->data;
  102993. return(-(next-page));
  102994. }
  102995. /* sync the stream and get a page. Keep trying until we find a page.
  102996. Supress 'sync errors' after reporting the first.
  102997. return values:
  102998. -1) recapture (hole in data)
  102999. 0) need more data
  103000. 1) page returned
  103001. Returns pointers into buffered data; invalidated by next call to
  103002. _stream, _clear, _init, or _buffer */
  103003. int ogg_sync_pageout(ogg_sync_state *oy, ogg_page *og){
  103004. /* all we need to do is verify a page at the head of the stream
  103005. buffer. If it doesn't verify, we look for the next potential
  103006. frame */
  103007. for(;;){
  103008. long ret=ogg_sync_pageseek(oy,og);
  103009. if(ret>0){
  103010. /* have a page */
  103011. return(1);
  103012. }
  103013. if(ret==0){
  103014. /* need more data */
  103015. return(0);
  103016. }
  103017. /* head did not start a synced page... skipped some bytes */
  103018. if(!oy->unsynced){
  103019. oy->unsynced=1;
  103020. return(-1);
  103021. }
  103022. /* loop. keep looking */
  103023. }
  103024. }
  103025. /* add the incoming page to the stream state; we decompose the page
  103026. into packet segments here as well. */
  103027. int ogg_stream_pagein(ogg_stream_state *os, ogg_page *og){
  103028. unsigned char *header=og->header;
  103029. unsigned char *body=og->body;
  103030. long bodysize=og->body_len;
  103031. int segptr=0;
  103032. int version=ogg_page_version(og);
  103033. int continued=ogg_page_continued(og);
  103034. int bos=ogg_page_bos(og);
  103035. int eos=ogg_page_eos(og);
  103036. ogg_int64_t granulepos=ogg_page_granulepos(og);
  103037. int serialno=ogg_page_serialno(og);
  103038. long pageno=ogg_page_pageno(og);
  103039. int segments=header[26];
  103040. /* clean up 'returned data' */
  103041. {
  103042. long lr=os->lacing_returned;
  103043. long br=os->body_returned;
  103044. /* body data */
  103045. if(br){
  103046. os->body_fill-=br;
  103047. if(os->body_fill)
  103048. memmove(os->body_data,os->body_data+br,os->body_fill);
  103049. os->body_returned=0;
  103050. }
  103051. if(lr){
  103052. /* segment table */
  103053. if(os->lacing_fill-lr){
  103054. memmove(os->lacing_vals,os->lacing_vals+lr,
  103055. (os->lacing_fill-lr)*sizeof(*os->lacing_vals));
  103056. memmove(os->granule_vals,os->granule_vals+lr,
  103057. (os->lacing_fill-lr)*sizeof(*os->granule_vals));
  103058. }
  103059. os->lacing_fill-=lr;
  103060. os->lacing_packet-=lr;
  103061. os->lacing_returned=0;
  103062. }
  103063. }
  103064. /* check the serial number */
  103065. if(serialno!=os->serialno)return(-1);
  103066. if(version>0)return(-1);
  103067. _os_lacing_expand(os,segments+1);
  103068. /* are we in sequence? */
  103069. if(pageno!=os->pageno){
  103070. int i;
  103071. /* unroll previous partial packet (if any) */
  103072. for(i=os->lacing_packet;i<os->lacing_fill;i++)
  103073. os->body_fill-=os->lacing_vals[i]&0xff;
  103074. os->lacing_fill=os->lacing_packet;
  103075. /* make a note of dropped data in segment table */
  103076. if(os->pageno!=-1){
  103077. os->lacing_vals[os->lacing_fill++]=0x400;
  103078. os->lacing_packet++;
  103079. }
  103080. }
  103081. /* are we a 'continued packet' page? If so, we may need to skip
  103082. some segments */
  103083. if(continued){
  103084. if(os->lacing_fill<1 ||
  103085. os->lacing_vals[os->lacing_fill-1]==0x400){
  103086. bos=0;
  103087. for(;segptr<segments;segptr++){
  103088. int val=header[27+segptr];
  103089. body+=val;
  103090. bodysize-=val;
  103091. if(val<255){
  103092. segptr++;
  103093. break;
  103094. }
  103095. }
  103096. }
  103097. }
  103098. if(bodysize){
  103099. _os_body_expand(os,bodysize);
  103100. memcpy(os->body_data+os->body_fill,body,bodysize);
  103101. os->body_fill+=bodysize;
  103102. }
  103103. {
  103104. int saved=-1;
  103105. while(segptr<segments){
  103106. int val=header[27+segptr];
  103107. os->lacing_vals[os->lacing_fill]=val;
  103108. os->granule_vals[os->lacing_fill]=-1;
  103109. if(bos){
  103110. os->lacing_vals[os->lacing_fill]|=0x100;
  103111. bos=0;
  103112. }
  103113. if(val<255)saved=os->lacing_fill;
  103114. os->lacing_fill++;
  103115. segptr++;
  103116. if(val<255)os->lacing_packet=os->lacing_fill;
  103117. }
  103118. /* set the granulepos on the last granuleval of the last full packet */
  103119. if(saved!=-1){
  103120. os->granule_vals[saved]=granulepos;
  103121. }
  103122. }
  103123. if(eos){
  103124. os->e_o_s=1;
  103125. if(os->lacing_fill>0)
  103126. os->lacing_vals[os->lacing_fill-1]|=0x200;
  103127. }
  103128. os->pageno=pageno+1;
  103129. return(0);
  103130. }
  103131. /* clear things to an initial state. Good to call, eg, before seeking */
  103132. int ogg_sync_reset(ogg_sync_state *oy){
  103133. oy->fill=0;
  103134. oy->returned=0;
  103135. oy->unsynced=0;
  103136. oy->headerbytes=0;
  103137. oy->bodybytes=0;
  103138. return(0);
  103139. }
  103140. int ogg_stream_reset(ogg_stream_state *os){
  103141. os->body_fill=0;
  103142. os->body_returned=0;
  103143. os->lacing_fill=0;
  103144. os->lacing_packet=0;
  103145. os->lacing_returned=0;
  103146. os->header_fill=0;
  103147. os->e_o_s=0;
  103148. os->b_o_s=0;
  103149. os->pageno=-1;
  103150. os->packetno=0;
  103151. os->granulepos=0;
  103152. return(0);
  103153. }
  103154. int ogg_stream_reset_serialno(ogg_stream_state *os,int serialno){
  103155. ogg_stream_reset(os);
  103156. os->serialno=serialno;
  103157. return(0);
  103158. }
  103159. static int _packetout(ogg_stream_state *os,ogg_packet *op,int adv){
  103160. /* The last part of decode. We have the stream broken into packet
  103161. segments. Now we need to group them into packets (or return the
  103162. out of sync markers) */
  103163. int ptr=os->lacing_returned;
  103164. if(os->lacing_packet<=ptr)return(0);
  103165. if(os->lacing_vals[ptr]&0x400){
  103166. /* we need to tell the codec there's a gap; it might need to
  103167. handle previous packet dependencies. */
  103168. os->lacing_returned++;
  103169. os->packetno++;
  103170. return(-1);
  103171. }
  103172. if(!op && !adv)return(1); /* just using peek as an inexpensive way
  103173. to ask if there's a whole packet
  103174. waiting */
  103175. /* Gather the whole packet. We'll have no holes or a partial packet */
  103176. {
  103177. int size=os->lacing_vals[ptr]&0xff;
  103178. int bytes=size;
  103179. int eos=os->lacing_vals[ptr]&0x200; /* last packet of the stream? */
  103180. int bos=os->lacing_vals[ptr]&0x100; /* first packet of the stream? */
  103181. while(size==255){
  103182. int val=os->lacing_vals[++ptr];
  103183. size=val&0xff;
  103184. if(val&0x200)eos=0x200;
  103185. bytes+=size;
  103186. }
  103187. if(op){
  103188. op->e_o_s=eos;
  103189. op->b_o_s=bos;
  103190. op->packet=os->body_data+os->body_returned;
  103191. op->packetno=os->packetno;
  103192. op->granulepos=os->granule_vals[ptr];
  103193. op->bytes=bytes;
  103194. }
  103195. if(adv){
  103196. os->body_returned+=bytes;
  103197. os->lacing_returned=ptr+1;
  103198. os->packetno++;
  103199. }
  103200. }
  103201. return(1);
  103202. }
  103203. int ogg_stream_packetout(ogg_stream_state *os,ogg_packet *op){
  103204. return _packetout(os,op,1);
  103205. }
  103206. int ogg_stream_packetpeek(ogg_stream_state *os,ogg_packet *op){
  103207. return _packetout(os,op,0);
  103208. }
  103209. void ogg_packet_clear(ogg_packet *op) {
  103210. _ogg_free(op->packet);
  103211. memset(op, 0, sizeof(*op));
  103212. }
  103213. #ifdef _V_SELFTEST
  103214. #include <stdio.h>
  103215. ogg_stream_state os_en, os_de;
  103216. ogg_sync_state oy;
  103217. void checkpacket(ogg_packet *op,int len, int no, int pos){
  103218. long j;
  103219. static int sequence=0;
  103220. static int lastno=0;
  103221. if(op->bytes!=len){
  103222. fprintf(stderr,"incorrect packet length!\n");
  103223. exit(1);
  103224. }
  103225. if(op->granulepos!=pos){
  103226. fprintf(stderr,"incorrect packet position!\n");
  103227. exit(1);
  103228. }
  103229. /* packet number just follows sequence/gap; adjust the input number
  103230. for that */
  103231. if(no==0){
  103232. sequence=0;
  103233. }else{
  103234. sequence++;
  103235. if(no>lastno+1)
  103236. sequence++;
  103237. }
  103238. lastno=no;
  103239. if(op->packetno!=sequence){
  103240. fprintf(stderr,"incorrect packet sequence %ld != %d\n",
  103241. (long)(op->packetno),sequence);
  103242. exit(1);
  103243. }
  103244. /* Test data */
  103245. for(j=0;j<op->bytes;j++)
  103246. if(op->packet[j]!=((j+no)&0xff)){
  103247. fprintf(stderr,"body data mismatch (1) at pos %ld: %x!=%lx!\n\n",
  103248. j,op->packet[j],(j+no)&0xff);
  103249. exit(1);
  103250. }
  103251. }
  103252. void check_page(unsigned char *data,const int *header,ogg_page *og){
  103253. long j;
  103254. /* Test data */
  103255. for(j=0;j<og->body_len;j++)
  103256. if(og->body[j]!=data[j]){
  103257. fprintf(stderr,"body data mismatch (2) at pos %ld: %x!=%x!\n\n",
  103258. j,data[j],og->body[j]);
  103259. exit(1);
  103260. }
  103261. /* Test header */
  103262. for(j=0;j<og->header_len;j++){
  103263. if(og->header[j]!=header[j]){
  103264. fprintf(stderr,"header content mismatch at pos %ld:\n",j);
  103265. for(j=0;j<header[26]+27;j++)
  103266. fprintf(stderr," (%ld)%02x:%02x",j,header[j],og->header[j]);
  103267. fprintf(stderr,"\n");
  103268. exit(1);
  103269. }
  103270. }
  103271. if(og->header_len!=header[26]+27){
  103272. fprintf(stderr,"header length incorrect! (%ld!=%d)\n",
  103273. og->header_len,header[26]+27);
  103274. exit(1);
  103275. }
  103276. }
  103277. void print_header(ogg_page *og){
  103278. int j;
  103279. fprintf(stderr,"\nHEADER:\n");
  103280. fprintf(stderr," capture: %c %c %c %c version: %d flags: %x\n",
  103281. og->header[0],og->header[1],og->header[2],og->header[3],
  103282. (int)og->header[4],(int)og->header[5]);
  103283. fprintf(stderr," granulepos: %d serialno: %d pageno: %ld\n",
  103284. (og->header[9]<<24)|(og->header[8]<<16)|
  103285. (og->header[7]<<8)|og->header[6],
  103286. (og->header[17]<<24)|(og->header[16]<<16)|
  103287. (og->header[15]<<8)|og->header[14],
  103288. ((long)(og->header[21])<<24)|(og->header[20]<<16)|
  103289. (og->header[19]<<8)|og->header[18]);
  103290. fprintf(stderr," checksum: %02x:%02x:%02x:%02x\n segments: %d (",
  103291. (int)og->header[22],(int)og->header[23],
  103292. (int)og->header[24],(int)og->header[25],
  103293. (int)og->header[26]);
  103294. for(j=27;j<og->header_len;j++)
  103295. fprintf(stderr,"%d ",(int)og->header[j]);
  103296. fprintf(stderr,")\n\n");
  103297. }
  103298. void copy_page(ogg_page *og){
  103299. unsigned char *temp=_ogg_malloc(og->header_len);
  103300. memcpy(temp,og->header,og->header_len);
  103301. og->header=temp;
  103302. temp=_ogg_malloc(og->body_len);
  103303. memcpy(temp,og->body,og->body_len);
  103304. og->body=temp;
  103305. }
  103306. void free_page(ogg_page *og){
  103307. _ogg_free (og->header);
  103308. _ogg_free (og->body);
  103309. }
  103310. void error(void){
  103311. fprintf(stderr,"error!\n");
  103312. exit(1);
  103313. }
  103314. /* 17 only */
  103315. const int head1_0[] = {0x4f,0x67,0x67,0x53,0,0x06,
  103316. 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
  103317. 0x01,0x02,0x03,0x04,0,0,0,0,
  103318. 0x15,0xed,0xec,0x91,
  103319. 1,
  103320. 17};
  103321. /* 17, 254, 255, 256, 500, 510, 600 byte, pad */
  103322. const int head1_1[] = {0x4f,0x67,0x67,0x53,0,0x02,
  103323. 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
  103324. 0x01,0x02,0x03,0x04,0,0,0,0,
  103325. 0x59,0x10,0x6c,0x2c,
  103326. 1,
  103327. 17};
  103328. const int head2_1[] = {0x4f,0x67,0x67,0x53,0,0x04,
  103329. 0x07,0x18,0x00,0x00,0x00,0x00,0x00,0x00,
  103330. 0x01,0x02,0x03,0x04,1,0,0,0,
  103331. 0x89,0x33,0x85,0xce,
  103332. 13,
  103333. 254,255,0,255,1,255,245,255,255,0,
  103334. 255,255,90};
  103335. /* nil packets; beginning,middle,end */
  103336. const int head1_2[] = {0x4f,0x67,0x67,0x53,0,0x02,
  103337. 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
  103338. 0x01,0x02,0x03,0x04,0,0,0,0,
  103339. 0xff,0x7b,0x23,0x17,
  103340. 1,
  103341. 0};
  103342. const int head2_2[] = {0x4f,0x67,0x67,0x53,0,0x04,
  103343. 0x07,0x28,0x00,0x00,0x00,0x00,0x00,0x00,
  103344. 0x01,0x02,0x03,0x04,1,0,0,0,
  103345. 0x5c,0x3f,0x66,0xcb,
  103346. 17,
  103347. 17,254,255,0,0,255,1,0,255,245,255,255,0,
  103348. 255,255,90,0};
  103349. /* large initial packet */
  103350. const int head1_3[] = {0x4f,0x67,0x67,0x53,0,0x02,
  103351. 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
  103352. 0x01,0x02,0x03,0x04,0,0,0,0,
  103353. 0x01,0x27,0x31,0xaa,
  103354. 18,
  103355. 255,255,255,255,255,255,255,255,
  103356. 255,255,255,255,255,255,255,255,255,10};
  103357. const int head2_3[] = {0x4f,0x67,0x67,0x53,0,0x04,
  103358. 0x07,0x08,0x00,0x00,0x00,0x00,0x00,0x00,
  103359. 0x01,0x02,0x03,0x04,1,0,0,0,
  103360. 0x7f,0x4e,0x8a,0xd2,
  103361. 4,
  103362. 255,4,255,0};
  103363. /* continuing packet test */
  103364. const int head1_4[] = {0x4f,0x67,0x67,0x53,0,0x02,
  103365. 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
  103366. 0x01,0x02,0x03,0x04,0,0,0,0,
  103367. 0xff,0x7b,0x23,0x17,
  103368. 1,
  103369. 0};
  103370. const int head2_4[] = {0x4f,0x67,0x67,0x53,0,0x00,
  103371. 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,
  103372. 0x01,0x02,0x03,0x04,1,0,0,0,
  103373. 0x54,0x05,0x51,0xc8,
  103374. 17,
  103375. 255,255,255,255,255,255,255,255,
  103376. 255,255,255,255,255,255,255,255,255};
  103377. const int head3_4[] = {0x4f,0x67,0x67,0x53,0,0x05,
  103378. 0x07,0x0c,0x00,0x00,0x00,0x00,0x00,0x00,
  103379. 0x01,0x02,0x03,0x04,2,0,0,0,
  103380. 0xc8,0xc3,0xcb,0xed,
  103381. 5,
  103382. 10,255,4,255,0};
  103383. /* page with the 255 segment limit */
  103384. const int head1_5[] = {0x4f,0x67,0x67,0x53,0,0x02,
  103385. 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
  103386. 0x01,0x02,0x03,0x04,0,0,0,0,
  103387. 0xff,0x7b,0x23,0x17,
  103388. 1,
  103389. 0};
  103390. const int head2_5[] = {0x4f,0x67,0x67,0x53,0,0x00,
  103391. 0x07,0xfc,0x03,0x00,0x00,0x00,0x00,0x00,
  103392. 0x01,0x02,0x03,0x04,1,0,0,0,
  103393. 0xed,0x2a,0x2e,0xa7,
  103394. 255,
  103395. 10,10,10,10,10,10,10,10,
  103396. 10,10,10,10,10,10,10,10,
  103397. 10,10,10,10,10,10,10,10,
  103398. 10,10,10,10,10,10,10,10,
  103399. 10,10,10,10,10,10,10,10,
  103400. 10,10,10,10,10,10,10,10,
  103401. 10,10,10,10,10,10,10,10,
  103402. 10,10,10,10,10,10,10,10,
  103403. 10,10,10,10,10,10,10,10,
  103404. 10,10,10,10,10,10,10,10,
  103405. 10,10,10,10,10,10,10,10,
  103406. 10,10,10,10,10,10,10,10,
  103407. 10,10,10,10,10,10,10,10,
  103408. 10,10,10,10,10,10,10,10,
  103409. 10,10,10,10,10,10,10,10,
  103410. 10,10,10,10,10,10,10,10,
  103411. 10,10,10,10,10,10,10,10,
  103412. 10,10,10,10,10,10,10,10,
  103413. 10,10,10,10,10,10,10,10,
  103414. 10,10,10,10,10,10,10,10,
  103415. 10,10,10,10,10,10,10,10,
  103416. 10,10,10,10,10,10,10,10,
  103417. 10,10,10,10,10,10,10,10,
  103418. 10,10,10,10,10,10,10,10,
  103419. 10,10,10,10,10,10,10,10,
  103420. 10,10,10,10,10,10,10,10,
  103421. 10,10,10,10,10,10,10,10,
  103422. 10,10,10,10,10,10,10,10,
  103423. 10,10,10,10,10,10,10,10,
  103424. 10,10,10,10,10,10,10,10,
  103425. 10,10,10,10,10,10,10,10,
  103426. 10,10,10,10,10,10,10};
  103427. const int head3_5[] = {0x4f,0x67,0x67,0x53,0,0x04,
  103428. 0x07,0x00,0x04,0x00,0x00,0x00,0x00,0x00,
  103429. 0x01,0x02,0x03,0x04,2,0,0,0,
  103430. 0x6c,0x3b,0x82,0x3d,
  103431. 1,
  103432. 50};
  103433. /* packet that overspans over an entire page */
  103434. const int head1_6[] = {0x4f,0x67,0x67,0x53,0,0x02,
  103435. 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
  103436. 0x01,0x02,0x03,0x04,0,0,0,0,
  103437. 0xff,0x7b,0x23,0x17,
  103438. 1,
  103439. 0};
  103440. const int head2_6[] = {0x4f,0x67,0x67,0x53,0,0x00,
  103441. 0x07,0x04,0x00,0x00,0x00,0x00,0x00,0x00,
  103442. 0x01,0x02,0x03,0x04,1,0,0,0,
  103443. 0x3c,0xd9,0x4d,0x3f,
  103444. 17,
  103445. 100,255,255,255,255,255,255,255,255,
  103446. 255,255,255,255,255,255,255,255};
  103447. const int head3_6[] = {0x4f,0x67,0x67,0x53,0,0x01,
  103448. 0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,0xFF,
  103449. 0x01,0x02,0x03,0x04,2,0,0,0,
  103450. 0x01,0xd2,0xe5,0xe5,
  103451. 17,
  103452. 255,255,255,255,255,255,255,255,
  103453. 255,255,255,255,255,255,255,255,255};
  103454. const int head4_6[] = {0x4f,0x67,0x67,0x53,0,0x05,
  103455. 0x07,0x10,0x00,0x00,0x00,0x00,0x00,0x00,
  103456. 0x01,0x02,0x03,0x04,3,0,0,0,
  103457. 0xef,0xdd,0x88,0xde,
  103458. 7,
  103459. 255,255,75,255,4,255,0};
  103460. /* packet that overspans over an entire page */
  103461. const int head1_7[] = {0x4f,0x67,0x67,0x53,0,0x02,
  103462. 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00,
  103463. 0x01,0x02,0x03,0x04,0,0,0,0,
  103464. 0xff,0x7b,0x23,0x17,
  103465. 1,
  103466. 0};
  103467. const int head2_7[] = {0x4f,0x67,0x67,0x53,0,0x00,
  103468. 0x07,0x04,0x00,0x00,0x00,0x00,0x00,0x00,
  103469. 0x01,0x02,0x03,0x04,1,0,0,0,
  103470. 0x3c,0xd9,0x4d,0x3f,
  103471. 17,
  103472. 100,255,255,255,255,255,255,255,255,
  103473. 255,255,255,255,255,255,255,255};
  103474. const int head3_7[] = {0x4f,0x67,0x67,0x53,0,0x05,
  103475. 0x07,0x08,0x00,0x00,0x00,0x00,0x00,0x00,
  103476. 0x01,0x02,0x03,0x04,2,0,0,0,
  103477. 0xd4,0xe0,0x60,0xe5,
  103478. 1,0};
  103479. void test_pack(const int *pl, const int **headers, int byteskip,
  103480. int pageskip, int packetskip){
  103481. unsigned char *data=_ogg_malloc(1024*1024); /* for scripted test cases only */
  103482. long inptr=0;
  103483. long outptr=0;
  103484. long deptr=0;
  103485. long depacket=0;
  103486. long granule_pos=7,pageno=0;
  103487. int i,j,packets,pageout=pageskip;
  103488. int eosflag=0;
  103489. int bosflag=0;
  103490. int byteskipcount=0;
  103491. ogg_stream_reset(&os_en);
  103492. ogg_stream_reset(&os_de);
  103493. ogg_sync_reset(&oy);
  103494. for(packets=0;packets<packetskip;packets++)
  103495. depacket+=pl[packets];
  103496. for(packets=0;;packets++)if(pl[packets]==-1)break;
  103497. for(i=0;i<packets;i++){
  103498. /* construct a test packet */
  103499. ogg_packet op;
  103500. int len=pl[i];
  103501. op.packet=data+inptr;
  103502. op.bytes=len;
  103503. op.e_o_s=(pl[i+1]<0?1:0);
  103504. op.granulepos=granule_pos;
  103505. granule_pos+=1024;
  103506. for(j=0;j<len;j++)data[inptr++]=i+j;
  103507. /* submit the test packet */
  103508. ogg_stream_packetin(&os_en,&op);
  103509. /* retrieve any finished pages */
  103510. {
  103511. ogg_page og;
  103512. while(ogg_stream_pageout(&os_en,&og)){
  103513. /* We have a page. Check it carefully */
  103514. fprintf(stderr,"%ld, ",pageno);
  103515. if(headers[pageno]==NULL){
  103516. fprintf(stderr,"coded too many pages!\n");
  103517. exit(1);
  103518. }
  103519. check_page(data+outptr,headers[pageno],&og);
  103520. outptr+=og.body_len;
  103521. pageno++;
  103522. if(pageskip){
  103523. bosflag=1;
  103524. pageskip--;
  103525. deptr+=og.body_len;
  103526. }
  103527. /* have a complete page; submit it to sync/decode */
  103528. {
  103529. ogg_page og_de;
  103530. ogg_packet op_de,op_de2;
  103531. char *buf=ogg_sync_buffer(&oy,og.header_len+og.body_len);
  103532. char *next=buf;
  103533. byteskipcount+=og.header_len;
  103534. if(byteskipcount>byteskip){
  103535. memcpy(next,og.header,byteskipcount-byteskip);
  103536. next+=byteskipcount-byteskip;
  103537. byteskipcount=byteskip;
  103538. }
  103539. byteskipcount+=og.body_len;
  103540. if(byteskipcount>byteskip){
  103541. memcpy(next,og.body,byteskipcount-byteskip);
  103542. next+=byteskipcount-byteskip;
  103543. byteskipcount=byteskip;
  103544. }
  103545. ogg_sync_wrote(&oy,next-buf);
  103546. while(1){
  103547. int ret=ogg_sync_pageout(&oy,&og_de);
  103548. if(ret==0)break;
  103549. if(ret<0)continue;
  103550. /* got a page. Happy happy. Verify that it's good. */
  103551. fprintf(stderr,"(%ld), ",pageout);
  103552. check_page(data+deptr,headers[pageout],&og_de);
  103553. deptr+=og_de.body_len;
  103554. pageout++;
  103555. /* submit it to deconstitution */
  103556. ogg_stream_pagein(&os_de,&og_de);
  103557. /* packets out? */
  103558. while(ogg_stream_packetpeek(&os_de,&op_de2)>0){
  103559. ogg_stream_packetpeek(&os_de,NULL);
  103560. ogg_stream_packetout(&os_de,&op_de); /* just catching them all */
  103561. /* verify peek and out match */
  103562. if(memcmp(&op_de,&op_de2,sizeof(op_de))){
  103563. fprintf(stderr,"packetout != packetpeek! pos=%ld\n",
  103564. depacket);
  103565. exit(1);
  103566. }
  103567. /* verify the packet! */
  103568. /* check data */
  103569. if(memcmp(data+depacket,op_de.packet,op_de.bytes)){
  103570. fprintf(stderr,"packet data mismatch in decode! pos=%ld\n",
  103571. depacket);
  103572. exit(1);
  103573. }
  103574. /* check bos flag */
  103575. if(bosflag==0 && op_de.b_o_s==0){
  103576. fprintf(stderr,"b_o_s flag not set on packet!\n");
  103577. exit(1);
  103578. }
  103579. if(bosflag && op_de.b_o_s){
  103580. fprintf(stderr,"b_o_s flag incorrectly set on packet!\n");
  103581. exit(1);
  103582. }
  103583. bosflag=1;
  103584. depacket+=op_de.bytes;
  103585. /* check eos flag */
  103586. if(eosflag){
  103587. fprintf(stderr,"Multiple decoded packets with eos flag!\n");
  103588. exit(1);
  103589. }
  103590. if(op_de.e_o_s)eosflag=1;
  103591. /* check granulepos flag */
  103592. if(op_de.granulepos!=-1){
  103593. fprintf(stderr," granule:%ld ",(long)op_de.granulepos);
  103594. }
  103595. }
  103596. }
  103597. }
  103598. }
  103599. }
  103600. }
  103601. _ogg_free(data);
  103602. if(headers[pageno]!=NULL){
  103603. fprintf(stderr,"did not write last page!\n");
  103604. exit(1);
  103605. }
  103606. if(headers[pageout]!=NULL){
  103607. fprintf(stderr,"did not decode last page!\n");
  103608. exit(1);
  103609. }
  103610. if(inptr!=outptr){
  103611. fprintf(stderr,"encoded page data incomplete!\n");
  103612. exit(1);
  103613. }
  103614. if(inptr!=deptr){
  103615. fprintf(stderr,"decoded page data incomplete!\n");
  103616. exit(1);
  103617. }
  103618. if(inptr!=depacket){
  103619. fprintf(stderr,"decoded packet data incomplete!\n");
  103620. exit(1);
  103621. }
  103622. if(!eosflag){
  103623. fprintf(stderr,"Never got a packet with EOS set!\n");
  103624. exit(1);
  103625. }
  103626. fprintf(stderr,"ok.\n");
  103627. }
  103628. int main(void){
  103629. ogg_stream_init(&os_en,0x04030201);
  103630. ogg_stream_init(&os_de,0x04030201);
  103631. ogg_sync_init(&oy);
  103632. /* Exercise each code path in the framing code. Also verify that
  103633. the checksums are working. */
  103634. {
  103635. /* 17 only */
  103636. const int packets[]={17, -1};
  103637. const int *headret[]={head1_0,NULL};
  103638. fprintf(stderr,"testing single page encoding... ");
  103639. test_pack(packets,headret,0,0,0);
  103640. }
  103641. {
  103642. /* 17, 254, 255, 256, 500, 510, 600 byte, pad */
  103643. const int packets[]={17, 254, 255, 256, 500, 510, 600, -1};
  103644. const int *headret[]={head1_1,head2_1,NULL};
  103645. fprintf(stderr,"testing basic page encoding... ");
  103646. test_pack(packets,headret,0,0,0);
  103647. }
  103648. {
  103649. /* nil packets; beginning,middle,end */
  103650. const int packets[]={0,17, 254, 255, 0, 256, 0, 500, 510, 600, 0, -1};
  103651. const int *headret[]={head1_2,head2_2,NULL};
  103652. fprintf(stderr,"testing basic nil packets... ");
  103653. test_pack(packets,headret,0,0,0);
  103654. }
  103655. {
  103656. /* large initial packet */
  103657. const int packets[]={4345,259,255,-1};
  103658. const int *headret[]={head1_3,head2_3,NULL};
  103659. fprintf(stderr,"testing initial-packet lacing > 4k... ");
  103660. test_pack(packets,headret,0,0,0);
  103661. }
  103662. {
  103663. /* continuing packet test */
  103664. const int packets[]={0,4345,259,255,-1};
  103665. const int *headret[]={head1_4,head2_4,head3_4,NULL};
  103666. fprintf(stderr,"testing single packet page span... ");
  103667. test_pack(packets,headret,0,0,0);
  103668. }
  103669. /* page with the 255 segment limit */
  103670. {
  103671. const int packets[]={0,10,10,10,10,10,10,10,10,
  103672. 10,10,10,10,10,10,10,10,
  103673. 10,10,10,10,10,10,10,10,
  103674. 10,10,10,10,10,10,10,10,
  103675. 10,10,10,10,10,10,10,10,
  103676. 10,10,10,10,10,10,10,10,
  103677. 10,10,10,10,10,10,10,10,
  103678. 10,10,10,10,10,10,10,10,
  103679. 10,10,10,10,10,10,10,10,
  103680. 10,10,10,10,10,10,10,10,
  103681. 10,10,10,10,10,10,10,10,
  103682. 10,10,10,10,10,10,10,10,
  103683. 10,10,10,10,10,10,10,10,
  103684. 10,10,10,10,10,10,10,10,
  103685. 10,10,10,10,10,10,10,10,
  103686. 10,10,10,10,10,10,10,10,
  103687. 10,10,10,10,10,10,10,10,
  103688. 10,10,10,10,10,10,10,10,
  103689. 10,10,10,10,10,10,10,10,
  103690. 10,10,10,10,10,10,10,10,
  103691. 10,10,10,10,10,10,10,10,
  103692. 10,10,10,10,10,10,10,10,
  103693. 10,10,10,10,10,10,10,10,
  103694. 10,10,10,10,10,10,10,10,
  103695. 10,10,10,10,10,10,10,10,
  103696. 10,10,10,10,10,10,10,10,
  103697. 10,10,10,10,10,10,10,10,
  103698. 10,10,10,10,10,10,10,10,
  103699. 10,10,10,10,10,10,10,10,
  103700. 10,10,10,10,10,10,10,10,
  103701. 10,10,10,10,10,10,10,10,
  103702. 10,10,10,10,10,10,10,50,-1};
  103703. const int *headret[]={head1_5,head2_5,head3_5,NULL};
  103704. fprintf(stderr,"testing max packet segments... ");
  103705. test_pack(packets,headret,0,0,0);
  103706. }
  103707. {
  103708. /* packet that overspans over an entire page */
  103709. const int packets[]={0,100,9000,259,255,-1};
  103710. const int *headret[]={head1_6,head2_6,head3_6,head4_6,NULL};
  103711. fprintf(stderr,"testing very large packets... ");
  103712. test_pack(packets,headret,0,0,0);
  103713. }
  103714. {
  103715. /* test for the libogg 1.1.1 resync in large continuation bug
  103716. found by Josh Coalson) */
  103717. const int packets[]={0,100,9000,259,255,-1};
  103718. const int *headret[]={head1_6,head2_6,head3_6,head4_6,NULL};
  103719. fprintf(stderr,"testing continuation resync in very large packets... ");
  103720. test_pack(packets,headret,100,2,3);
  103721. }
  103722. {
  103723. /* term only page. why not? */
  103724. const int packets[]={0,100,4080,-1};
  103725. const int *headret[]={head1_7,head2_7,head3_7,NULL};
  103726. fprintf(stderr,"testing zero data page (1 nil packet)... ");
  103727. test_pack(packets,headret,0,0,0);
  103728. }
  103729. {
  103730. /* build a bunch of pages for testing */
  103731. unsigned char *data=_ogg_malloc(1024*1024);
  103732. int pl[]={0,100,4079,2956,2057,76,34,912,0,234,1000,1000,1000,300,-1};
  103733. int inptr=0,i,j;
  103734. ogg_page og[5];
  103735. ogg_stream_reset(&os_en);
  103736. for(i=0;pl[i]!=-1;i++){
  103737. ogg_packet op;
  103738. int len=pl[i];
  103739. op.packet=data+inptr;
  103740. op.bytes=len;
  103741. op.e_o_s=(pl[i+1]<0?1:0);
  103742. op.granulepos=(i+1)*1000;
  103743. for(j=0;j<len;j++)data[inptr++]=i+j;
  103744. ogg_stream_packetin(&os_en,&op);
  103745. }
  103746. _ogg_free(data);
  103747. /* retrieve finished pages */
  103748. for(i=0;i<5;i++){
  103749. if(ogg_stream_pageout(&os_en,&og[i])==0){
  103750. fprintf(stderr,"Too few pages output building sync tests!\n");
  103751. exit(1);
  103752. }
  103753. copy_page(&og[i]);
  103754. }
  103755. /* Test lost pages on pagein/packetout: no rollback */
  103756. {
  103757. ogg_page temp;
  103758. ogg_packet test;
  103759. fprintf(stderr,"Testing loss of pages... ");
  103760. ogg_sync_reset(&oy);
  103761. ogg_stream_reset(&os_de);
  103762. for(i=0;i<5;i++){
  103763. memcpy(ogg_sync_buffer(&oy,og[i].header_len),og[i].header,
  103764. og[i].header_len);
  103765. ogg_sync_wrote(&oy,og[i].header_len);
  103766. memcpy(ogg_sync_buffer(&oy,og[i].body_len),og[i].body,og[i].body_len);
  103767. ogg_sync_wrote(&oy,og[i].body_len);
  103768. }
  103769. ogg_sync_pageout(&oy,&temp);
  103770. ogg_stream_pagein(&os_de,&temp);
  103771. ogg_sync_pageout(&oy,&temp);
  103772. ogg_stream_pagein(&os_de,&temp);
  103773. ogg_sync_pageout(&oy,&temp);
  103774. /* skip */
  103775. ogg_sync_pageout(&oy,&temp);
  103776. ogg_stream_pagein(&os_de,&temp);
  103777. /* do we get the expected results/packets? */
  103778. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103779. checkpacket(&test,0,0,0);
  103780. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103781. checkpacket(&test,100,1,-1);
  103782. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103783. checkpacket(&test,4079,2,3000);
  103784. if(ogg_stream_packetout(&os_de,&test)!=-1){
  103785. fprintf(stderr,"Error: loss of page did not return error\n");
  103786. exit(1);
  103787. }
  103788. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103789. checkpacket(&test,76,5,-1);
  103790. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103791. checkpacket(&test,34,6,-1);
  103792. fprintf(stderr,"ok.\n");
  103793. }
  103794. /* Test lost pages on pagein/packetout: rollback with continuation */
  103795. {
  103796. ogg_page temp;
  103797. ogg_packet test;
  103798. fprintf(stderr,"Testing loss of pages (rollback required)... ");
  103799. ogg_sync_reset(&oy);
  103800. ogg_stream_reset(&os_de);
  103801. for(i=0;i<5;i++){
  103802. memcpy(ogg_sync_buffer(&oy,og[i].header_len),og[i].header,
  103803. og[i].header_len);
  103804. ogg_sync_wrote(&oy,og[i].header_len);
  103805. memcpy(ogg_sync_buffer(&oy,og[i].body_len),og[i].body,og[i].body_len);
  103806. ogg_sync_wrote(&oy,og[i].body_len);
  103807. }
  103808. ogg_sync_pageout(&oy,&temp);
  103809. ogg_stream_pagein(&os_de,&temp);
  103810. ogg_sync_pageout(&oy,&temp);
  103811. ogg_stream_pagein(&os_de,&temp);
  103812. ogg_sync_pageout(&oy,&temp);
  103813. ogg_stream_pagein(&os_de,&temp);
  103814. ogg_sync_pageout(&oy,&temp);
  103815. /* skip */
  103816. ogg_sync_pageout(&oy,&temp);
  103817. ogg_stream_pagein(&os_de,&temp);
  103818. /* do we get the expected results/packets? */
  103819. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103820. checkpacket(&test,0,0,0);
  103821. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103822. checkpacket(&test,100,1,-1);
  103823. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103824. checkpacket(&test,4079,2,3000);
  103825. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103826. checkpacket(&test,2956,3,4000);
  103827. if(ogg_stream_packetout(&os_de,&test)!=-1){
  103828. fprintf(stderr,"Error: loss of page did not return error\n");
  103829. exit(1);
  103830. }
  103831. if(ogg_stream_packetout(&os_de,&test)!=1)error();
  103832. checkpacket(&test,300,13,14000);
  103833. fprintf(stderr,"ok.\n");
  103834. }
  103835. /* the rest only test sync */
  103836. {
  103837. ogg_page og_de;
  103838. /* Test fractional page inputs: incomplete capture */
  103839. fprintf(stderr,"Testing sync on partial inputs... ");
  103840. ogg_sync_reset(&oy);
  103841. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header,
  103842. 3);
  103843. ogg_sync_wrote(&oy,3);
  103844. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103845. /* Test fractional page inputs: incomplete fixed header */
  103846. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header+3,
  103847. 20);
  103848. ogg_sync_wrote(&oy,20);
  103849. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103850. /* Test fractional page inputs: incomplete header */
  103851. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header+23,
  103852. 5);
  103853. ogg_sync_wrote(&oy,5);
  103854. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103855. /* Test fractional page inputs: incomplete body */
  103856. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header+28,
  103857. og[1].header_len-28);
  103858. ogg_sync_wrote(&oy,og[1].header_len-28);
  103859. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103860. memcpy(ogg_sync_buffer(&oy,og[1].body_len),og[1].body,1000);
  103861. ogg_sync_wrote(&oy,1000);
  103862. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103863. memcpy(ogg_sync_buffer(&oy,og[1].body_len),og[1].body+1000,
  103864. og[1].body_len-1000);
  103865. ogg_sync_wrote(&oy,og[1].body_len-1000);
  103866. if(ogg_sync_pageout(&oy,&og_de)<=0)error();
  103867. fprintf(stderr,"ok.\n");
  103868. }
  103869. /* Test fractional page inputs: page + incomplete capture */
  103870. {
  103871. ogg_page og_de;
  103872. fprintf(stderr,"Testing sync on 1+partial inputs... ");
  103873. ogg_sync_reset(&oy);
  103874. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header,
  103875. og[1].header_len);
  103876. ogg_sync_wrote(&oy,og[1].header_len);
  103877. memcpy(ogg_sync_buffer(&oy,og[1].body_len),og[1].body,
  103878. og[1].body_len);
  103879. ogg_sync_wrote(&oy,og[1].body_len);
  103880. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header,
  103881. 20);
  103882. ogg_sync_wrote(&oy,20);
  103883. if(ogg_sync_pageout(&oy,&og_de)<=0)error();
  103884. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103885. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header+20,
  103886. og[1].header_len-20);
  103887. ogg_sync_wrote(&oy,og[1].header_len-20);
  103888. memcpy(ogg_sync_buffer(&oy,og[1].body_len),og[1].body,
  103889. og[1].body_len);
  103890. ogg_sync_wrote(&oy,og[1].body_len);
  103891. if(ogg_sync_pageout(&oy,&og_de)<=0)error();
  103892. fprintf(stderr,"ok.\n");
  103893. }
  103894. /* Test recapture: garbage + page */
  103895. {
  103896. ogg_page og_de;
  103897. fprintf(stderr,"Testing search for capture... ");
  103898. ogg_sync_reset(&oy);
  103899. /* 'garbage' */
  103900. memcpy(ogg_sync_buffer(&oy,og[1].body_len),og[1].body,
  103901. og[1].body_len);
  103902. ogg_sync_wrote(&oy,og[1].body_len);
  103903. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header,
  103904. og[1].header_len);
  103905. ogg_sync_wrote(&oy,og[1].header_len);
  103906. memcpy(ogg_sync_buffer(&oy,og[1].body_len),og[1].body,
  103907. og[1].body_len);
  103908. ogg_sync_wrote(&oy,og[1].body_len);
  103909. memcpy(ogg_sync_buffer(&oy,og[2].header_len),og[2].header,
  103910. 20);
  103911. ogg_sync_wrote(&oy,20);
  103912. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103913. if(ogg_sync_pageout(&oy,&og_de)<=0)error();
  103914. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103915. memcpy(ogg_sync_buffer(&oy,og[2].header_len),og[2].header+20,
  103916. og[2].header_len-20);
  103917. ogg_sync_wrote(&oy,og[2].header_len-20);
  103918. memcpy(ogg_sync_buffer(&oy,og[2].body_len),og[2].body,
  103919. og[2].body_len);
  103920. ogg_sync_wrote(&oy,og[2].body_len);
  103921. if(ogg_sync_pageout(&oy,&og_de)<=0)error();
  103922. fprintf(stderr,"ok.\n");
  103923. }
  103924. /* Test recapture: page + garbage + page */
  103925. {
  103926. ogg_page og_de;
  103927. fprintf(stderr,"Testing recapture... ");
  103928. ogg_sync_reset(&oy);
  103929. memcpy(ogg_sync_buffer(&oy,og[1].header_len),og[1].header,
  103930. og[1].header_len);
  103931. ogg_sync_wrote(&oy,og[1].header_len);
  103932. memcpy(ogg_sync_buffer(&oy,og[1].body_len),og[1].body,
  103933. og[1].body_len);
  103934. ogg_sync_wrote(&oy,og[1].body_len);
  103935. memcpy(ogg_sync_buffer(&oy,og[2].header_len),og[2].header,
  103936. og[2].header_len);
  103937. ogg_sync_wrote(&oy,og[2].header_len);
  103938. memcpy(ogg_sync_buffer(&oy,og[2].header_len),og[2].header,
  103939. og[2].header_len);
  103940. ogg_sync_wrote(&oy,og[2].header_len);
  103941. if(ogg_sync_pageout(&oy,&og_de)<=0)error();
  103942. memcpy(ogg_sync_buffer(&oy,og[2].body_len),og[2].body,
  103943. og[2].body_len-5);
  103944. ogg_sync_wrote(&oy,og[2].body_len-5);
  103945. memcpy(ogg_sync_buffer(&oy,og[3].header_len),og[3].header,
  103946. og[3].header_len);
  103947. ogg_sync_wrote(&oy,og[3].header_len);
  103948. memcpy(ogg_sync_buffer(&oy,og[3].body_len),og[3].body,
  103949. og[3].body_len);
  103950. ogg_sync_wrote(&oy,og[3].body_len);
  103951. if(ogg_sync_pageout(&oy,&og_de)>0)error();
  103952. if(ogg_sync_pageout(&oy,&og_de)<=0)error();
  103953. fprintf(stderr,"ok.\n");
  103954. }
  103955. /* Free page data that was previously copied */
  103956. {
  103957. for(i=0;i<5;i++){
  103958. free_page(&og[i]);
  103959. }
  103960. }
  103961. }
  103962. return(0);
  103963. }
  103964. #endif
  103965. #endif
  103966. /********* End of inlined file: framing.c *********/
  103967. /********* Start of inlined file: analysis.c *********/
  103968. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  103969. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  103970. // tasks..
  103971. #ifdef _MSC_VER
  103972. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  103973. #endif
  103974. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  103975. #if JUCE_USE_OGGVORBIS
  103976. #include <stdio.h>
  103977. #include <string.h>
  103978. #include <math.h>
  103979. /********* Start of inlined file: codec_internal.h *********/
  103980. #ifndef _V_CODECI_H_
  103981. #define _V_CODECI_H_
  103982. /********* Start of inlined file: envelope.h *********/
  103983. #ifndef _V_ENVELOPE_
  103984. #define _V_ENVELOPE_
  103985. /********* Start of inlined file: mdct.h *********/
  103986. #ifndef _OGG_mdct_H_
  103987. #define _OGG_mdct_H_
  103988. /*#define MDCT_INTEGERIZED <- be warned there could be some hurt left here*/
  103989. #ifdef MDCT_INTEGERIZED
  103990. #define DATA_TYPE int
  103991. #define REG_TYPE register int
  103992. #define TRIGBITS 14
  103993. #define cPI3_8 6270
  103994. #define cPI2_8 11585
  103995. #define cPI1_8 15137
  103996. #define FLOAT_CONV(x) ((int)((x)*(1<<TRIGBITS)+.5))
  103997. #define MULT_NORM(x) ((x)>>TRIGBITS)
  103998. #define HALVE(x) ((x)>>1)
  103999. #else
  104000. #define DATA_TYPE float
  104001. #define REG_TYPE float
  104002. #define cPI3_8 .38268343236508977175F
  104003. #define cPI2_8 .70710678118654752441F
  104004. #define cPI1_8 .92387953251128675613F
  104005. #define FLOAT_CONV(x) (x)
  104006. #define MULT_NORM(x) (x)
  104007. #define HALVE(x) ((x)*.5f)
  104008. #endif
  104009. typedef struct {
  104010. int n;
  104011. int log2n;
  104012. DATA_TYPE *trig;
  104013. int *bitrev;
  104014. DATA_TYPE scale;
  104015. } mdct_lookup;
  104016. extern void mdct_init(mdct_lookup *lookup,int n);
  104017. extern void mdct_clear(mdct_lookup *l);
  104018. extern void mdct_forward(mdct_lookup *init, DATA_TYPE *in, DATA_TYPE *out);
  104019. extern void mdct_backward(mdct_lookup *init, DATA_TYPE *in, DATA_TYPE *out);
  104020. #endif
  104021. /********* End of inlined file: mdct.h *********/
  104022. #define VE_PRE 16
  104023. #define VE_WIN 4
  104024. #define VE_POST 2
  104025. #define VE_AMP (VE_PRE+VE_POST-1)
  104026. #define VE_BANDS 7
  104027. #define VE_NEARDC 15
  104028. #define VE_MINSTRETCH 2 /* a bit less than short block */
  104029. #define VE_MAXSTRETCH 12 /* one-third full block */
  104030. typedef struct {
  104031. float ampbuf[VE_AMP];
  104032. int ampptr;
  104033. float nearDC[VE_NEARDC];
  104034. float nearDC_acc;
  104035. float nearDC_partialacc;
  104036. int nearptr;
  104037. } envelope_filter_state;
  104038. typedef struct {
  104039. int begin;
  104040. int end;
  104041. float *window;
  104042. float total;
  104043. } envelope_band;
  104044. typedef struct {
  104045. int ch;
  104046. int winlength;
  104047. int searchstep;
  104048. float minenergy;
  104049. mdct_lookup mdct;
  104050. float *mdct_win;
  104051. envelope_band band[VE_BANDS];
  104052. envelope_filter_state *filter;
  104053. int stretch;
  104054. int *mark;
  104055. long storage;
  104056. long current;
  104057. long curmark;
  104058. long cursor;
  104059. } envelope_lookup;
  104060. extern void _ve_envelope_init(envelope_lookup *e,vorbis_info *vi);
  104061. extern void _ve_envelope_clear(envelope_lookup *e);
  104062. extern long _ve_envelope_search(vorbis_dsp_state *v);
  104063. extern void _ve_envelope_shift(envelope_lookup *e,long shift);
  104064. extern int _ve_envelope_mark(vorbis_dsp_state *v);
  104065. #endif
  104066. /********* End of inlined file: envelope.h *********/
  104067. /********* Start of inlined file: codebook.h *********/
  104068. #ifndef _V_CODEBOOK_H_
  104069. #define _V_CODEBOOK_H_
  104070. /* This structure encapsulates huffman and VQ style encoding books; it
  104071. doesn't do anything specific to either.
  104072. valuelist/quantlist are nonNULL (and q_* significant) only if
  104073. there's entry->value mapping to be done.
  104074. If encode-side mapping must be done (and thus the entry needs to be
  104075. hunted), the auxiliary encode pointer will point to a decision
  104076. tree. This is true of both VQ and huffman, but is mostly useful
  104077. with VQ.
  104078. */
  104079. typedef struct static_codebook{
  104080. long dim; /* codebook dimensions (elements per vector) */
  104081. long entries; /* codebook entries */
  104082. long *lengthlist; /* codeword lengths in bits */
  104083. /* mapping ***************************************************************/
  104084. int maptype; /* 0=none
  104085. 1=implicitly populated values from map column
  104086. 2=listed arbitrary values */
  104087. /* The below does a linear, single monotonic sequence mapping. */
  104088. long q_min; /* packed 32 bit float; quant value 0 maps to minval */
  104089. long q_delta; /* packed 32 bit float; val 1 - val 0 == delta */
  104090. int q_quant; /* bits: 0 < quant <= 16 */
  104091. int q_sequencep; /* bitflag */
  104092. long *quantlist; /* map == 1: (int)(entries^(1/dim)) element column map
  104093. map == 2: list of dim*entries quantized entry vals
  104094. */
  104095. /* encode helpers ********************************************************/
  104096. struct encode_aux_nearestmatch *nearest_tree;
  104097. struct encode_aux_threshmatch *thresh_tree;
  104098. struct encode_aux_pigeonhole *pigeon_tree;
  104099. int allocedp;
  104100. } static_codebook;
  104101. /* this structures an arbitrary trained book to quickly find the
  104102. nearest cell match */
  104103. typedef struct encode_aux_nearestmatch{
  104104. /* pre-calculated partitioning tree */
  104105. long *ptr0;
  104106. long *ptr1;
  104107. long *p; /* decision points (each is an entry) */
  104108. long *q; /* decision points (each is an entry) */
  104109. long aux; /* number of tree entries */
  104110. long alloc;
  104111. } encode_aux_nearestmatch;
  104112. /* assumes a maptype of 1; encode side only, so that's OK */
  104113. typedef struct encode_aux_threshmatch{
  104114. float *quantthresh;
  104115. long *quantmap;
  104116. int quantvals;
  104117. int threshvals;
  104118. } encode_aux_threshmatch;
  104119. typedef struct encode_aux_pigeonhole{
  104120. float min;
  104121. float del;
  104122. int mapentries;
  104123. int quantvals;
  104124. long *pigeonmap;
  104125. long fittotal;
  104126. long *fitlist;
  104127. long *fitmap;
  104128. long *fitlength;
  104129. } encode_aux_pigeonhole;
  104130. typedef struct codebook{
  104131. long dim; /* codebook dimensions (elements per vector) */
  104132. long entries; /* codebook entries */
  104133. long used_entries; /* populated codebook entries */
  104134. const static_codebook *c;
  104135. /* for encode, the below are entry-ordered, fully populated */
  104136. /* for decode, the below are ordered by bitreversed codeword and only
  104137. used entries are populated */
  104138. float *valuelist; /* list of dim*entries actual entry values */
  104139. ogg_uint32_t *codelist; /* list of bitstream codewords for each entry */
  104140. int *dec_index; /* only used if sparseness collapsed */
  104141. char *dec_codelengths;
  104142. ogg_uint32_t *dec_firsttable;
  104143. int dec_firsttablen;
  104144. int dec_maxlength;
  104145. } codebook;
  104146. extern void vorbis_staticbook_clear(static_codebook *b);
  104147. extern void vorbis_staticbook_destroy(static_codebook *b);
  104148. extern int vorbis_book_init_encode(codebook *dest,const static_codebook *source);
  104149. extern int vorbis_book_init_decode(codebook *dest,const static_codebook *source);
  104150. extern void vorbis_book_clear(codebook *b);
  104151. extern float *_book_unquantize(const static_codebook *b,int n,int *map);
  104152. extern float *_book_logdist(const static_codebook *b,float *vals);
  104153. extern float _float32_unpack(long val);
  104154. extern long _float32_pack(float val);
  104155. extern int _best(codebook *book, float *a, int step);
  104156. extern int _ilog(unsigned int v);
  104157. extern long _book_maptype1_quantvals(const static_codebook *b);
  104158. extern int vorbis_book_besterror(codebook *book,float *a,int step,int addmul);
  104159. extern long vorbis_book_codeword(codebook *book,int entry);
  104160. extern long vorbis_book_codelen(codebook *book,int entry);
  104161. extern int vorbis_staticbook_pack(const static_codebook *c,oggpack_buffer *b);
  104162. extern int vorbis_staticbook_unpack(oggpack_buffer *b,static_codebook *c);
  104163. extern int vorbis_book_encode(codebook *book, int a, oggpack_buffer *b);
  104164. extern int vorbis_book_errorv(codebook *book, float *a);
  104165. extern int vorbis_book_encodev(codebook *book, int best,float *a,
  104166. oggpack_buffer *b);
  104167. extern long vorbis_book_decode(codebook *book, oggpack_buffer *b);
  104168. extern long vorbis_book_decodevs_add(codebook *book, float *a,
  104169. oggpack_buffer *b,int n);
  104170. extern long vorbis_book_decodev_set(codebook *book, float *a,
  104171. oggpack_buffer *b,int n);
  104172. extern long vorbis_book_decodev_add(codebook *book, float *a,
  104173. oggpack_buffer *b,int n);
  104174. extern long vorbis_book_decodevv_add(codebook *book, float **a,
  104175. long off,int ch,
  104176. oggpack_buffer *b,int n);
  104177. #endif
  104178. /********* End of inlined file: codebook.h *********/
  104179. #define BLOCKTYPE_IMPULSE 0
  104180. #define BLOCKTYPE_PADDING 1
  104181. #define BLOCKTYPE_TRANSITION 0
  104182. #define BLOCKTYPE_LONG 1
  104183. #define PACKETBLOBS 15
  104184. typedef struct vorbis_block_internal{
  104185. float **pcmdelay; /* this is a pointer into local storage */
  104186. float ampmax;
  104187. int blocktype;
  104188. oggpack_buffer *packetblob[PACKETBLOBS]; /* initialized, must be freed;
  104189. blob [PACKETBLOBS/2] points to
  104190. the oggpack_buffer in the
  104191. main vorbis_block */
  104192. } vorbis_block_internal;
  104193. typedef void vorbis_look_floor;
  104194. typedef void vorbis_look_residue;
  104195. typedef void vorbis_look_transform;
  104196. /* mode ************************************************************/
  104197. typedef struct {
  104198. int blockflag;
  104199. int windowtype;
  104200. int transformtype;
  104201. int mapping;
  104202. } vorbis_info_mode;
  104203. typedef void vorbis_info_floor;
  104204. typedef void vorbis_info_residue;
  104205. typedef void vorbis_info_mapping;
  104206. /********* Start of inlined file: psy.h *********/
  104207. #ifndef _V_PSY_H_
  104208. #define _V_PSY_H_
  104209. /********* Start of inlined file: smallft.h *********/
  104210. #ifndef _V_SMFT_H_
  104211. #define _V_SMFT_H_
  104212. typedef struct {
  104213. int n;
  104214. float *trigcache;
  104215. int *splitcache;
  104216. } drft_lookup;
  104217. extern void drft_forward(drft_lookup *l,float *data);
  104218. extern void drft_backward(drft_lookup *l,float *data);
  104219. extern void drft_init(drft_lookup *l,int n);
  104220. extern void drft_clear(drft_lookup *l);
  104221. #endif
  104222. /********* End of inlined file: smallft.h *********/
  104223. /********* Start of inlined file: backends.h *********/
  104224. /* this is exposed up here because we need it for static modes.
  104225. Lookups for each backend aren't exposed because there's no reason
  104226. to do so */
  104227. #ifndef _vorbis_backend_h_
  104228. #define _vorbis_backend_h_
  104229. /* this would all be simpler/shorter with templates, but.... */
  104230. /* Floor backend generic *****************************************/
  104231. typedef struct{
  104232. void (*pack) (vorbis_info_floor *,oggpack_buffer *);
  104233. vorbis_info_floor *(*unpack)(vorbis_info *,oggpack_buffer *);
  104234. vorbis_look_floor *(*look) (vorbis_dsp_state *,vorbis_info_floor *);
  104235. void (*free_info) (vorbis_info_floor *);
  104236. void (*free_look) (vorbis_look_floor *);
  104237. void *(*inverse1) (struct vorbis_block *,vorbis_look_floor *);
  104238. int (*inverse2) (struct vorbis_block *,vorbis_look_floor *,
  104239. void *buffer,float *);
  104240. } vorbis_func_floor;
  104241. typedef struct{
  104242. int order;
  104243. long rate;
  104244. long barkmap;
  104245. int ampbits;
  104246. int ampdB;
  104247. int numbooks; /* <= 16 */
  104248. int books[16];
  104249. float lessthan; /* encode-only config setting hacks for libvorbis */
  104250. float greaterthan; /* encode-only config setting hacks for libvorbis */
  104251. } vorbis_info_floor0;
  104252. #define VIF_POSIT 63
  104253. #define VIF_CLASS 16
  104254. #define VIF_PARTS 31
  104255. typedef struct{
  104256. int partitions; /* 0 to 31 */
  104257. int partitionclass[VIF_PARTS]; /* 0 to 15 */
  104258. int class_dim[VIF_CLASS]; /* 1 to 8 */
  104259. int class_subs[VIF_CLASS]; /* 0,1,2,3 (bits: 1<<n poss) */
  104260. int class_book[VIF_CLASS]; /* subs ^ dim entries */
  104261. int class_subbook[VIF_CLASS][8]; /* [VIF_CLASS][subs] */
  104262. int mult; /* 1 2 3 or 4 */
  104263. int postlist[VIF_POSIT+2]; /* first two implicit */
  104264. /* encode side analysis parameters */
  104265. float maxover;
  104266. float maxunder;
  104267. float maxerr;
  104268. float twofitweight;
  104269. float twofitatten;
  104270. int n;
  104271. } vorbis_info_floor1;
  104272. /* Residue backend generic *****************************************/
  104273. typedef struct{
  104274. void (*pack) (vorbis_info_residue *,oggpack_buffer *);
  104275. vorbis_info_residue *(*unpack)(vorbis_info *,oggpack_buffer *);
  104276. vorbis_look_residue *(*look) (vorbis_dsp_state *,
  104277. vorbis_info_residue *);
  104278. void (*free_info) (vorbis_info_residue *);
  104279. void (*free_look) (vorbis_look_residue *);
  104280. long **(*classx) (struct vorbis_block *,vorbis_look_residue *,
  104281. float **,int *,int);
  104282. int (*forward) (oggpack_buffer *,struct vorbis_block *,
  104283. vorbis_look_residue *,
  104284. float **,float **,int *,int,long **);
  104285. int (*inverse) (struct vorbis_block *,vorbis_look_residue *,
  104286. float **,int *,int);
  104287. } vorbis_func_residue;
  104288. typedef struct vorbis_info_residue0{
  104289. /* block-partitioned VQ coded straight residue */
  104290. long begin;
  104291. long end;
  104292. /* first stage (lossless partitioning) */
  104293. int grouping; /* group n vectors per partition */
  104294. int partitions; /* possible codebooks for a partition */
  104295. int groupbook; /* huffbook for partitioning */
  104296. int secondstages[64]; /* expanded out to pointers in lookup */
  104297. int booklist[256]; /* list of second stage books */
  104298. float classmetric1[64];
  104299. float classmetric2[64];
  104300. } vorbis_info_residue0;
  104301. /* Mapping backend generic *****************************************/
  104302. typedef struct{
  104303. void (*pack) (vorbis_info *,vorbis_info_mapping *,
  104304. oggpack_buffer *);
  104305. vorbis_info_mapping *(*unpack)(vorbis_info *,oggpack_buffer *);
  104306. void (*free_info) (vorbis_info_mapping *);
  104307. int (*forward) (struct vorbis_block *vb);
  104308. int (*inverse) (struct vorbis_block *vb,vorbis_info_mapping *);
  104309. } vorbis_func_mapping;
  104310. typedef struct vorbis_info_mapping0{
  104311. int submaps; /* <= 16 */
  104312. int chmuxlist[256]; /* up to 256 channels in a Vorbis stream */
  104313. int floorsubmap[16]; /* [mux] submap to floors */
  104314. int residuesubmap[16]; /* [mux] submap to residue */
  104315. int coupling_steps;
  104316. int coupling_mag[256];
  104317. int coupling_ang[256];
  104318. } vorbis_info_mapping0;
  104319. #endif
  104320. /********* End of inlined file: backends.h *********/
  104321. #ifndef EHMER_MAX
  104322. #define EHMER_MAX 56
  104323. #endif
  104324. /* psychoacoustic setup ********************************************/
  104325. #define P_BANDS 17 /* 62Hz to 16kHz */
  104326. #define P_LEVELS 8 /* 30dB to 100dB */
  104327. #define P_LEVEL_0 30. /* 30 dB */
  104328. #define P_NOISECURVES 3
  104329. #define NOISE_COMPAND_LEVELS 40
  104330. typedef struct vorbis_info_psy{
  104331. int blockflag;
  104332. float ath_adjatt;
  104333. float ath_maxatt;
  104334. float tone_masteratt[P_NOISECURVES];
  104335. float tone_centerboost;
  104336. float tone_decay;
  104337. float tone_abs_limit;
  104338. float toneatt[P_BANDS];
  104339. int noisemaskp;
  104340. float noisemaxsupp;
  104341. float noisewindowlo;
  104342. float noisewindowhi;
  104343. int noisewindowlomin;
  104344. int noisewindowhimin;
  104345. int noisewindowfixed;
  104346. float noiseoff[P_NOISECURVES][P_BANDS];
  104347. float noisecompand[NOISE_COMPAND_LEVELS];
  104348. float max_curve_dB;
  104349. int normal_channel_p;
  104350. int normal_point_p;
  104351. int normal_start;
  104352. int normal_partition;
  104353. double normal_thresh;
  104354. } vorbis_info_psy;
  104355. typedef struct{
  104356. int eighth_octave_lines;
  104357. /* for block long/short tuning; encode only */
  104358. float preecho_thresh[VE_BANDS];
  104359. float postecho_thresh[VE_BANDS];
  104360. float stretch_penalty;
  104361. float preecho_minenergy;
  104362. float ampmax_att_per_sec;
  104363. /* channel coupling config */
  104364. int coupling_pkHz[PACKETBLOBS];
  104365. int coupling_pointlimit[2][PACKETBLOBS];
  104366. int coupling_prepointamp[PACKETBLOBS];
  104367. int coupling_postpointamp[PACKETBLOBS];
  104368. int sliding_lowpass[2][PACKETBLOBS];
  104369. } vorbis_info_psy_global;
  104370. typedef struct {
  104371. float ampmax;
  104372. int channels;
  104373. vorbis_info_psy_global *gi;
  104374. int coupling_pointlimit[2][P_NOISECURVES];
  104375. } vorbis_look_psy_global;
  104376. typedef struct {
  104377. int n;
  104378. struct vorbis_info_psy *vi;
  104379. float ***tonecurves;
  104380. float **noiseoffset;
  104381. float *ath;
  104382. long *octave; /* in n.ocshift format */
  104383. long *bark;
  104384. long firstoc;
  104385. long shiftoc;
  104386. int eighth_octave_lines; /* power of two, please */
  104387. int total_octave_lines;
  104388. long rate; /* cache it */
  104389. float m_val; /* Masking compensation value */
  104390. } vorbis_look_psy;
  104391. extern void _vp_psy_init(vorbis_look_psy *p,vorbis_info_psy *vi,
  104392. vorbis_info_psy_global *gi,int n,long rate);
  104393. extern void _vp_psy_clear(vorbis_look_psy *p);
  104394. extern void *_vi_psy_dup(void *source);
  104395. extern void _vi_psy_free(vorbis_info_psy *i);
  104396. extern vorbis_info_psy *_vi_psy_copy(vorbis_info_psy *i);
  104397. extern void _vp_remove_floor(vorbis_look_psy *p,
  104398. float *mdct,
  104399. int *icodedflr,
  104400. float *residue,
  104401. int sliding_lowpass);
  104402. extern void _vp_noisemask(vorbis_look_psy *p,
  104403. float *logmdct,
  104404. float *logmask);
  104405. extern void _vp_tonemask(vorbis_look_psy *p,
  104406. float *logfft,
  104407. float *logmask,
  104408. float global_specmax,
  104409. float local_specmax);
  104410. extern void _vp_offset_and_mix(vorbis_look_psy *p,
  104411. float *noise,
  104412. float *tone,
  104413. int offset_select,
  104414. float *logmask,
  104415. float *mdct,
  104416. float *logmdct);
  104417. extern float _vp_ampmax_decay(float amp,vorbis_dsp_state *vd);
  104418. extern float **_vp_quantize_couple_memo(vorbis_block *vb,
  104419. vorbis_info_psy_global *g,
  104420. vorbis_look_psy *p,
  104421. vorbis_info_mapping0 *vi,
  104422. float **mdct);
  104423. extern void _vp_couple(int blobno,
  104424. vorbis_info_psy_global *g,
  104425. vorbis_look_psy *p,
  104426. vorbis_info_mapping0 *vi,
  104427. float **res,
  104428. float **mag_memo,
  104429. int **mag_sort,
  104430. int **ifloor,
  104431. int *nonzero,
  104432. int sliding_lowpass);
  104433. extern void _vp_noise_normalize(vorbis_look_psy *p,
  104434. float *in,float *out,int *sortedindex);
  104435. extern void _vp_noise_normalize_sort(vorbis_look_psy *p,
  104436. float *magnitudes,int *sortedindex);
  104437. extern int **_vp_quantize_couple_sort(vorbis_block *vb,
  104438. vorbis_look_psy *p,
  104439. vorbis_info_mapping0 *vi,
  104440. float **mags);
  104441. extern void hf_reduction(vorbis_info_psy_global *g,
  104442. vorbis_look_psy *p,
  104443. vorbis_info_mapping0 *vi,
  104444. float **mdct);
  104445. #endif
  104446. /********* End of inlined file: psy.h *********/
  104447. /********* Start of inlined file: bitrate.h *********/
  104448. #ifndef _V_BITRATE_H_
  104449. #define _V_BITRATE_H_
  104450. /********* Start of inlined file: os.h *********/
  104451. #ifndef _OS_H
  104452. #define _OS_H
  104453. /********************************************************************
  104454. * *
  104455. * THIS FILE IS PART OF THE OggVorbis SOFTWARE CODEC SOURCE CODE. *
  104456. * USE, DISTRIBUTION AND REPRODUCTION OF THIS LIBRARY SOURCE IS *
  104457. * GOVERNED BY A BSD-STYLE SOURCE LICENSE INCLUDED WITH THIS SOURCE *
  104458. * IN 'COPYING'. PLEASE READ THESE TERMS BEFORE DISTRIBUTING. *
  104459. * *
  104460. * THE OggVorbis SOURCE CODE IS (C) COPYRIGHT 1994-2002 *
  104461. * by the XIPHOPHORUS Company http://www.xiph.org/ *
  104462. * *
  104463. ********************************************************************
  104464. function: #ifdef jail to whip a few platforms into the UNIX ideal.
  104465. last mod: $Id: os.h,v 1.1 2007/06/07 17:49:18 jules_rms Exp $
  104466. ********************************************************************/
  104467. #ifdef HAVE_CONFIG_H
  104468. #include "config.h"
  104469. #endif
  104470. #include <math.h>
  104471. /********* Start of inlined file: misc.h *********/
  104472. #ifndef _V_RANDOM_H_
  104473. #define _V_RANDOM_H_
  104474. extern int analysis_noisy;
  104475. extern void *_vorbis_block_alloc(vorbis_block *vb,long bytes);
  104476. extern void _vorbis_block_ripcord(vorbis_block *vb);
  104477. extern void _analysis_output(char *base,int i,float *v,int n,int bark,int dB,
  104478. ogg_int64_t off);
  104479. #ifdef DEBUG_MALLOC
  104480. #define _VDBG_GRAPHFILE "malloc.m"
  104481. extern void *_VDBG_malloc(void *ptr,long bytes,char *file,long line);
  104482. extern void _VDBG_free(void *ptr,char *file,long line);
  104483. #ifndef MISC_C
  104484. #undef _ogg_malloc
  104485. #undef _ogg_calloc
  104486. #undef _ogg_realloc
  104487. #undef _ogg_free
  104488. #define _ogg_malloc(x) _VDBG_malloc(NULL,(x),__FILE__,__LINE__)
  104489. #define _ogg_calloc(x,y) _VDBG_malloc(NULL,(x)*(y),__FILE__,__LINE__)
  104490. #define _ogg_realloc(x,y) _VDBG_malloc((x),(y),__FILE__,__LINE__)
  104491. #define _ogg_free(x) _VDBG_free((x),__FILE__,__LINE__)
  104492. #endif
  104493. #endif
  104494. #endif
  104495. /********* End of inlined file: misc.h *********/
  104496. #ifndef _V_IFDEFJAIL_H_
  104497. # define _V_IFDEFJAIL_H_
  104498. # ifdef __GNUC__
  104499. # define STIN static __inline__
  104500. # elif _WIN32
  104501. # define STIN static __inline
  104502. # else
  104503. # define STIN static
  104504. # endif
  104505. #ifdef DJGPP
  104506. # define rint(x) (floor((x)+0.5f))
  104507. #endif
  104508. #ifndef M_PI
  104509. # define M_PI (3.1415926536f)
  104510. #endif
  104511. #if defined(_WIN32) && !defined(__SYMBIAN32__)
  104512. # include <malloc.h>
  104513. # define rint(x) (floor((x)+0.5f))
  104514. # define NO_FLOAT_MATH_LIB
  104515. # define FAST_HYPOT(a, b) sqrt((a)*(a) + (b)*(b))
  104516. #endif
  104517. #if defined(__SYMBIAN32__) && defined(__WINS__)
  104518. void *_alloca(size_t size);
  104519. # define alloca _alloca
  104520. #endif
  104521. #ifndef FAST_HYPOT
  104522. # define FAST_HYPOT hypot
  104523. #endif
  104524. #endif
  104525. #ifdef HAVE_ALLOCA_H
  104526. # include <alloca.h>
  104527. #endif
  104528. #ifdef USE_MEMORY_H
  104529. # include <memory.h>
  104530. #endif
  104531. #ifndef min
  104532. # define min(x,y) ((x)>(y)?(y):(x))
  104533. #endif
  104534. #ifndef max
  104535. # define max(x,y) ((x)<(y)?(y):(x))
  104536. #endif
  104537. #if defined(__i386__) && defined(__GNUC__) && !defined(__BEOS__)
  104538. # define VORBIS_FPU_CONTROL
  104539. /* both GCC and MSVC are kinda stupid about rounding/casting to int.
  104540. Because of encapsulation constraints (GCC can't see inside the asm
  104541. block and so we end up doing stupid things like a store/load that
  104542. is collectively a noop), we do it this way */
  104543. /* we must set up the fpu before this works!! */
  104544. typedef ogg_int16_t vorbis_fpu_control;
  104545. static inline void vorbis_fpu_setround(vorbis_fpu_control *fpu){
  104546. ogg_int16_t ret;
  104547. ogg_int16_t temp;
  104548. __asm__ __volatile__("fnstcw %0\n\t"
  104549. "movw %0,%%dx\n\t"
  104550. "orw $62463,%%dx\n\t"
  104551. "movw %%dx,%1\n\t"
  104552. "fldcw %1\n\t":"=m"(ret):"m"(temp): "dx");
  104553. *fpu=ret;
  104554. }
  104555. static inline void vorbis_fpu_restore(vorbis_fpu_control fpu){
  104556. __asm__ __volatile__("fldcw %0":: "m"(fpu));
  104557. }
  104558. /* assumes the FPU is in round mode! */
  104559. static inline int vorbis_ftoi(double f){ /* yes, double! Otherwise,
  104560. we get extra fst/fld to
  104561. truncate precision */
  104562. int i;
  104563. __asm__("fistl %0": "=m"(i) : "t"(f));
  104564. return(i);
  104565. }
  104566. #endif
  104567. #if defined(_WIN32) && defined(_X86_) && !defined(__GNUC__) && !defined(__BORLANDC__)
  104568. # define VORBIS_FPU_CONTROL
  104569. typedef ogg_int16_t vorbis_fpu_control;
  104570. static __inline int vorbis_ftoi(double f){
  104571. int i;
  104572. __asm{
  104573. fld f
  104574. fistp i
  104575. }
  104576. return i;
  104577. }
  104578. static __inline void vorbis_fpu_setround(vorbis_fpu_control *fpu){
  104579. }
  104580. static __inline void vorbis_fpu_restore(vorbis_fpu_control fpu){
  104581. }
  104582. #endif
  104583. #ifndef VORBIS_FPU_CONTROL
  104584. typedef int vorbis_fpu_control;
  104585. static int vorbis_ftoi(double f){
  104586. return (int)(f+.5);
  104587. }
  104588. /* We don't have special code for this compiler/arch, so do it the slow way */
  104589. # define vorbis_fpu_setround(vorbis_fpu_control) {}
  104590. # define vorbis_fpu_restore(vorbis_fpu_control) {}
  104591. #endif
  104592. #endif /* _OS_H */
  104593. /********* End of inlined file: os.h *********/
  104594. /* encode side bitrate tracking */
  104595. typedef struct bitrate_manager_state {
  104596. int managed;
  104597. long avg_reservoir;
  104598. long minmax_reservoir;
  104599. long avg_bitsper;
  104600. long min_bitsper;
  104601. long max_bitsper;
  104602. long short_per_long;
  104603. double avgfloat;
  104604. vorbis_block *vb;
  104605. int choice;
  104606. } bitrate_manager_state;
  104607. typedef struct bitrate_manager_info{
  104608. long avg_rate;
  104609. long min_rate;
  104610. long max_rate;
  104611. long reservoir_bits;
  104612. double reservoir_bias;
  104613. double slew_damp;
  104614. } bitrate_manager_info;
  104615. extern void vorbis_bitrate_init(vorbis_info *vi,bitrate_manager_state *bs);
  104616. extern void vorbis_bitrate_clear(bitrate_manager_state *bs);
  104617. extern int vorbis_bitrate_managed(vorbis_block *vb);
  104618. extern int vorbis_bitrate_addblock(vorbis_block *vb);
  104619. extern int vorbis_bitrate_flushpacket(vorbis_dsp_state *vd, ogg_packet *op);
  104620. #endif
  104621. /********* End of inlined file: bitrate.h *********/
  104622. static int ilog(unsigned int v){
  104623. int ret=0;
  104624. while(v){
  104625. ret++;
  104626. v>>=1;
  104627. }
  104628. return(ret);
  104629. }
  104630. static int ilog2(unsigned int v){
  104631. int ret=0;
  104632. if(v)--v;
  104633. while(v){
  104634. ret++;
  104635. v>>=1;
  104636. }
  104637. return(ret);
  104638. }
  104639. typedef struct private_state {
  104640. /* local lookup storage */
  104641. envelope_lookup *ve; /* envelope lookup */
  104642. int window[2];
  104643. vorbis_look_transform **transform[2]; /* block, type */
  104644. drft_lookup fft_look[2];
  104645. int modebits;
  104646. vorbis_look_floor **flr;
  104647. vorbis_look_residue **residue;
  104648. vorbis_look_psy *psy;
  104649. vorbis_look_psy_global *psy_g_look;
  104650. /* local storage, only used on the encoding side. This way the
  104651. application does not need to worry about freeing some packets'
  104652. memory and not others'; packet storage is always tracked.
  104653. Cleared next call to a _dsp_ function */
  104654. unsigned char *header;
  104655. unsigned char *header1;
  104656. unsigned char *header2;
  104657. bitrate_manager_state bms;
  104658. ogg_int64_t sample_count;
  104659. } private_state;
  104660. /* codec_setup_info contains all the setup information specific to the
  104661. specific compression/decompression mode in progress (eg,
  104662. psychoacoustic settings, channel setup, options, codebook
  104663. etc).
  104664. *********************************************************************/
  104665. /********* Start of inlined file: highlevel.h *********/
  104666. typedef struct highlevel_byblocktype {
  104667. double tone_mask_setting;
  104668. double tone_peaklimit_setting;
  104669. double noise_bias_setting;
  104670. double noise_compand_setting;
  104671. } highlevel_byblocktype;
  104672. typedef struct highlevel_encode_setup {
  104673. void *setup;
  104674. int set_in_stone;
  104675. double base_setting;
  104676. double long_setting;
  104677. double short_setting;
  104678. double impulse_noisetune;
  104679. int managed;
  104680. long bitrate_min;
  104681. long bitrate_av;
  104682. double bitrate_av_damp;
  104683. long bitrate_max;
  104684. long bitrate_reservoir;
  104685. double bitrate_reservoir_bias;
  104686. int impulse_block_p;
  104687. int noise_normalize_p;
  104688. double stereo_point_setting;
  104689. double lowpass_kHz;
  104690. double ath_floating_dB;
  104691. double ath_absolute_dB;
  104692. double amplitude_track_dBpersec;
  104693. double trigger_setting;
  104694. highlevel_byblocktype block[4]; /* padding, impulse, transition, long */
  104695. } highlevel_encode_setup;
  104696. /********* End of inlined file: highlevel.h *********/
  104697. typedef struct codec_setup_info {
  104698. /* Vorbis supports only short and long blocks, but allows the
  104699. encoder to choose the sizes */
  104700. long blocksizes[2];
  104701. /* modes are the primary means of supporting on-the-fly different
  104702. blocksizes, different channel mappings (LR or M/A),
  104703. different residue backends, etc. Each mode consists of a
  104704. blocksize flag and a mapping (along with the mapping setup */
  104705. int modes;
  104706. int maps;
  104707. int floors;
  104708. int residues;
  104709. int books;
  104710. int psys; /* encode only */
  104711. vorbis_info_mode *mode_param[64];
  104712. int map_type[64];
  104713. vorbis_info_mapping *map_param[64];
  104714. int floor_type[64];
  104715. vorbis_info_floor *floor_param[64];
  104716. int residue_type[64];
  104717. vorbis_info_residue *residue_param[64];
  104718. static_codebook *book_param[256];
  104719. codebook *fullbooks;
  104720. vorbis_info_psy *psy_param[4]; /* encode only */
  104721. vorbis_info_psy_global psy_g_param;
  104722. bitrate_manager_info bi;
  104723. highlevel_encode_setup hi; /* used only by vorbisenc.c. It's a
  104724. highly redundant structure, but
  104725. improves clarity of program flow. */
  104726. int halfrate_flag; /* painless downsample for decode */
  104727. } codec_setup_info;
  104728. extern vorbis_look_psy_global *_vp_global_look(vorbis_info *vi);
  104729. extern void _vp_global_free(vorbis_look_psy_global *look);
  104730. #endif
  104731. /********* End of inlined file: codec_internal.h *********/
  104732. /********* Start of inlined file: registry.h *********/
  104733. #ifndef _V_REG_H_
  104734. #define _V_REG_H_
  104735. #define VI_TRANSFORMB 1
  104736. #define VI_WINDOWB 1
  104737. #define VI_TIMEB 1
  104738. #define VI_FLOORB 2
  104739. #define VI_RESB 3
  104740. #define VI_MAPB 1
  104741. extern vorbis_func_floor *_floor_P[];
  104742. extern vorbis_func_residue *_residue_P[];
  104743. extern vorbis_func_mapping *_mapping_P[];
  104744. #endif
  104745. /********* End of inlined file: registry.h *********/
  104746. /********* Start of inlined file: scales.h *********/
  104747. #ifndef _V_SCALES_H_
  104748. #define _V_SCALES_H_
  104749. #include <math.h>
  104750. /* 20log10(x) */
  104751. #define VORBIS_IEEE_FLOAT32 1
  104752. #ifdef VORBIS_IEEE_FLOAT32
  104753. static float unitnorm(float x){
  104754. union {
  104755. ogg_uint32_t i;
  104756. float f;
  104757. } ix;
  104758. ix.f = x;
  104759. ix.i = (ix.i & 0x80000000U) | (0x3f800000U);
  104760. return ix.f;
  104761. }
  104762. /* Segher was off (too high) by ~ .3 decibel. Center the conversion correctly. */
  104763. static float todB(const float *x){
  104764. union {
  104765. ogg_uint32_t i;
  104766. float f;
  104767. } ix;
  104768. ix.f = *x;
  104769. ix.i = ix.i&0x7fffffff;
  104770. return (float)(ix.i * 7.17711438e-7f -764.6161886f);
  104771. }
  104772. #define todB_nn(x) todB(x)
  104773. #else
  104774. static float unitnorm(float x){
  104775. if(x<0)return(-1.f);
  104776. return(1.f);
  104777. }
  104778. #define todB(x) (*(x)==0?-400.f:log(*(x)**(x))*4.34294480f)
  104779. #define todB_nn(x) (*(x)==0.f?-400.f:log(*(x))*8.6858896f)
  104780. #endif
  104781. #define fromdB(x) (exp((x)*.11512925f))
  104782. /* The bark scale equations are approximations, since the original
  104783. table was somewhat hand rolled. The below are chosen to have the
  104784. best possible fit to the rolled tables, thus their somewhat odd
  104785. appearance (these are more accurate and over a longer range than
  104786. the oft-quoted bark equations found in the texts I have). The
  104787. approximations are valid from 0 - 30kHz (nyquist) or so.
  104788. all f in Hz, z in Bark */
  104789. #define toBARK(n) (13.1f*atan(.00074f*(n))+2.24f*atan((n)*(n)*1.85e-8f)+1e-4f*(n))
  104790. #define fromBARK(z) (102.f*(z)-2.f*pow(z,2.f)+.4f*pow(z,3.f)+pow(1.46f,z)-1.f)
  104791. #define toMEL(n) (log(1.f+(n)*.001f)*1442.695f)
  104792. #define fromMEL(m) (1000.f*exp((m)/1442.695f)-1000.f)
  104793. /* Frequency to octave. We arbitrarily declare 63.5 Hz to be octave
  104794. 0.0 */
  104795. #define toOC(n) (log(n)*1.442695f-5.965784f)
  104796. #define fromOC(o) (exp(((o)+5.965784f)*.693147f))
  104797. #endif
  104798. /********* End of inlined file: scales.h *********/
  104799. int analysis_noisy=1;
  104800. /* decides between modes, dispatches to the appropriate mapping. */
  104801. int vorbis_analysis(vorbis_block *vb, ogg_packet *op){
  104802. int ret,i;
  104803. vorbis_block_internal *vbi=(vorbis_block_internal *)vb->internal;
  104804. vb->glue_bits=0;
  104805. vb->time_bits=0;
  104806. vb->floor_bits=0;
  104807. vb->res_bits=0;
  104808. /* first things first. Make sure encode is ready */
  104809. for(i=0;i<PACKETBLOBS;i++)
  104810. oggpack_reset(vbi->packetblob[i]);
  104811. /* we only have one mapping type (0), and we let the mapping code
  104812. itself figure out what soft mode to use. This allows easier
  104813. bitrate management */
  104814. if((ret=_mapping_P[0]->forward(vb)))
  104815. return(ret);
  104816. if(op){
  104817. if(vorbis_bitrate_managed(vb))
  104818. /* The app is using a bitmanaged mode... but not using the
  104819. bitrate management interface. */
  104820. return(OV_EINVAL);
  104821. op->packet=oggpack_get_buffer(&vb->opb);
  104822. op->bytes=oggpack_bytes(&vb->opb);
  104823. op->b_o_s=0;
  104824. op->e_o_s=vb->eofflag;
  104825. op->granulepos=vb->granulepos;
  104826. op->packetno=vb->sequence; /* for sake of completeness */
  104827. }
  104828. return(0);
  104829. }
  104830. /* there was no great place to put this.... */
  104831. void _analysis_output_always(char *base,int i,float *v,int n,int bark,int dB,ogg_int64_t off){
  104832. int j;
  104833. FILE *of;
  104834. char buffer[80];
  104835. /* if(i==5870){*/
  104836. sprintf(buffer,"%s_%d.m",base,i);
  104837. of=fopen(buffer,"w");
  104838. if(!of)perror("failed to open data dump file");
  104839. for(j=0;j<n;j++){
  104840. if(bark){
  104841. float b=toBARK((4000.f*j/n)+.25);
  104842. fprintf(of,"%f ",b);
  104843. }else
  104844. if(off!=0)
  104845. fprintf(of,"%f ",(double)(j+off)/8000.);
  104846. else
  104847. fprintf(of,"%f ",(double)j);
  104848. if(dB){
  104849. float val;
  104850. if(v[j]==0.)
  104851. val=-140.;
  104852. else
  104853. val=todB(v+j);
  104854. fprintf(of,"%f\n",val);
  104855. }else{
  104856. fprintf(of,"%f\n",v[j]);
  104857. }
  104858. }
  104859. fclose(of);
  104860. /* } */
  104861. }
  104862. void _analysis_output(char *base,int i,float *v,int n,int bark,int dB,
  104863. ogg_int64_t off){
  104864. if(analysis_noisy)_analysis_output_always(base,i,v,n,bark,dB,off);
  104865. }
  104866. #endif
  104867. /********* End of inlined file: analysis.c *********/
  104868. /********* Start of inlined file: bitrate.c *********/
  104869. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  104870. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  104871. // tasks..
  104872. #ifdef _MSC_VER
  104873. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  104874. #endif
  104875. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  104876. #if JUCE_USE_OGGVORBIS
  104877. #include <stdlib.h>
  104878. #include <string.h>
  104879. #include <math.h>
  104880. /* compute bitrate tracking setup */
  104881. void vorbis_bitrate_init(vorbis_info *vi,bitrate_manager_state *bm){
  104882. codec_setup_info *ci=(codec_setup_info *)vi->codec_setup;
  104883. bitrate_manager_info *bi=&ci->bi;
  104884. memset(bm,0,sizeof(*bm));
  104885. if(bi && (bi->reservoir_bits>0)){
  104886. long ratesamples=vi->rate;
  104887. int halfsamples=ci->blocksizes[0]>>1;
  104888. bm->short_per_long=ci->blocksizes[1]/ci->blocksizes[0];
  104889. bm->managed=1;
  104890. bm->avg_bitsper= rint(1.*bi->avg_rate*halfsamples/ratesamples);
  104891. bm->min_bitsper= rint(1.*bi->min_rate*halfsamples/ratesamples);
  104892. bm->max_bitsper= rint(1.*bi->max_rate*halfsamples/ratesamples);
  104893. bm->avgfloat=PACKETBLOBS/2;
  104894. /* not a necessary fix, but one that leads to a more balanced
  104895. typical initialization */
  104896. {
  104897. long desired_fill=bi->reservoir_bits*bi->reservoir_bias;
  104898. bm->minmax_reservoir=desired_fill;
  104899. bm->avg_reservoir=desired_fill;
  104900. }
  104901. }
  104902. }
  104903. void vorbis_bitrate_clear(bitrate_manager_state *bm){
  104904. memset(bm,0,sizeof(*bm));
  104905. return;
  104906. }
  104907. int vorbis_bitrate_managed(vorbis_block *vb){
  104908. vorbis_dsp_state *vd=vb->vd;
  104909. private_state *b=(private_state*)vd->backend_state;
  104910. bitrate_manager_state *bm=&b->bms;
  104911. if(bm && bm->managed)return(1);
  104912. return(0);
  104913. }
  104914. /* finish taking in the block we just processed */
  104915. int vorbis_bitrate_addblock(vorbis_block *vb){
  104916. vorbis_block_internal *vbi=(vorbis_block_internal*)vb->internal;
  104917. vorbis_dsp_state *vd=vb->vd;
  104918. private_state *b=(private_state*)vd->backend_state;
  104919. bitrate_manager_state *bm=&b->bms;
  104920. vorbis_info *vi=vd->vi;
  104921. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  104922. bitrate_manager_info *bi=&ci->bi;
  104923. int choice=rint(bm->avgfloat);
  104924. long this_bits=oggpack_bytes(vbi->packetblob[choice])*8;
  104925. long min_target_bits=(vb->W?bm->min_bitsper*bm->short_per_long:bm->min_bitsper);
  104926. long max_target_bits=(vb->W?bm->max_bitsper*bm->short_per_long:bm->max_bitsper);
  104927. int samples=ci->blocksizes[vb->W]>>1;
  104928. long desired_fill=bi->reservoir_bits*bi->reservoir_bias;
  104929. if(!bm->managed){
  104930. /* not a bitrate managed stream, but for API simplicity, we'll
  104931. buffer the packet to keep the code path clean */
  104932. if(bm->vb)return(-1); /* one has been submitted without
  104933. being claimed */
  104934. bm->vb=vb;
  104935. return(0);
  104936. }
  104937. bm->vb=vb;
  104938. /* look ahead for avg floater */
  104939. if(bm->avg_bitsper>0){
  104940. double slew=0.;
  104941. long avg_target_bits=(vb->W?bm->avg_bitsper*bm->short_per_long:bm->avg_bitsper);
  104942. double slewlimit= 15./bi->slew_damp;
  104943. /* choosing a new floater:
  104944. if we're over target, we slew down
  104945. if we're under target, we slew up
  104946. choose slew as follows: look through packetblobs of this frame
  104947. and set slew as the first in the appropriate direction that
  104948. gives us the slew we want. This may mean no slew if delta is
  104949. already favorable.
  104950. Then limit slew to slew max */
  104951. if(bm->avg_reservoir+(this_bits-avg_target_bits)>desired_fill){
  104952. while(choice>0 && this_bits>avg_target_bits &&
  104953. bm->avg_reservoir+(this_bits-avg_target_bits)>desired_fill){
  104954. choice--;
  104955. this_bits=oggpack_bytes(vbi->packetblob[choice])*8;
  104956. }
  104957. }else if(bm->avg_reservoir+(this_bits-avg_target_bits)<desired_fill){
  104958. while(choice+1<PACKETBLOBS && this_bits<avg_target_bits &&
  104959. bm->avg_reservoir+(this_bits-avg_target_bits)<desired_fill){
  104960. choice++;
  104961. this_bits=oggpack_bytes(vbi->packetblob[choice])*8;
  104962. }
  104963. }
  104964. slew=rint(choice-bm->avgfloat)/samples*vi->rate;
  104965. if(slew<-slewlimit)slew=-slewlimit;
  104966. if(slew>slewlimit)slew=slewlimit;
  104967. choice=rint(bm->avgfloat+= slew/vi->rate*samples);
  104968. this_bits=oggpack_bytes(vbi->packetblob[choice])*8;
  104969. }
  104970. /* enforce min(if used) on the current floater (if used) */
  104971. if(bm->min_bitsper>0){
  104972. /* do we need to force the bitrate up? */
  104973. if(this_bits<min_target_bits){
  104974. while(bm->minmax_reservoir-(min_target_bits-this_bits)<0){
  104975. choice++;
  104976. if(choice>=PACKETBLOBS)break;
  104977. this_bits=oggpack_bytes(vbi->packetblob[choice])*8;
  104978. }
  104979. }
  104980. }
  104981. /* enforce max (if used) on the current floater (if used) */
  104982. if(bm->max_bitsper>0){
  104983. /* do we need to force the bitrate down? */
  104984. if(this_bits>max_target_bits){
  104985. while(bm->minmax_reservoir+(this_bits-max_target_bits)>bi->reservoir_bits){
  104986. choice--;
  104987. if(choice<0)break;
  104988. this_bits=oggpack_bytes(vbi->packetblob[choice])*8;
  104989. }
  104990. }
  104991. }
  104992. /* Choice of packetblobs now made based on floater, and min/max
  104993. requirements. Now boundary check extreme choices */
  104994. if(choice<0){
  104995. /* choosing a smaller packetblob is insufficient to trim bitrate.
  104996. frame will need to be truncated */
  104997. long maxsize=(max_target_bits+(bi->reservoir_bits-bm->minmax_reservoir))/8;
  104998. bm->choice=choice=0;
  104999. if(oggpack_bytes(vbi->packetblob[choice])>maxsize){
  105000. oggpack_writetrunc(vbi->packetblob[choice],maxsize*8);
  105001. this_bits=oggpack_bytes(vbi->packetblob[choice])*8;
  105002. }
  105003. }else{
  105004. long minsize=(min_target_bits-bm->minmax_reservoir+7)/8;
  105005. if(choice>=PACKETBLOBS)
  105006. choice=PACKETBLOBS-1;
  105007. bm->choice=choice;
  105008. /* prop up bitrate according to demand. pad this frame out with zeroes */
  105009. minsize-=oggpack_bytes(vbi->packetblob[choice]);
  105010. while(minsize-->0)oggpack_write(vbi->packetblob[choice],0,8);
  105011. this_bits=oggpack_bytes(vbi->packetblob[choice])*8;
  105012. }
  105013. /* now we have the final packet and the final packet size. Update statistics */
  105014. /* min and max reservoir */
  105015. if(bm->min_bitsper>0 || bm->max_bitsper>0){
  105016. if(max_target_bits>0 && this_bits>max_target_bits){
  105017. bm->minmax_reservoir+=(this_bits-max_target_bits);
  105018. }else if(min_target_bits>0 && this_bits<min_target_bits){
  105019. bm->minmax_reservoir+=(this_bits-min_target_bits);
  105020. }else{
  105021. /* inbetween; we want to take reservoir toward but not past desired_fill */
  105022. if(bm->minmax_reservoir>desired_fill){
  105023. if(max_target_bits>0){ /* logical bulletproofing against initialization state */
  105024. bm->minmax_reservoir+=(this_bits-max_target_bits);
  105025. if(bm->minmax_reservoir<desired_fill)bm->minmax_reservoir=desired_fill;
  105026. }else{
  105027. bm->minmax_reservoir=desired_fill;
  105028. }
  105029. }else{
  105030. if(min_target_bits>0){ /* logical bulletproofing against initialization state */
  105031. bm->minmax_reservoir+=(this_bits-min_target_bits);
  105032. if(bm->minmax_reservoir>desired_fill)bm->minmax_reservoir=desired_fill;
  105033. }else{
  105034. bm->minmax_reservoir=desired_fill;
  105035. }
  105036. }
  105037. }
  105038. }
  105039. /* avg reservoir */
  105040. if(bm->avg_bitsper>0){
  105041. long avg_target_bits=(vb->W?bm->avg_bitsper*bm->short_per_long:bm->avg_bitsper);
  105042. bm->avg_reservoir+=this_bits-avg_target_bits;
  105043. }
  105044. return(0);
  105045. }
  105046. int vorbis_bitrate_flushpacket(vorbis_dsp_state *vd,ogg_packet *op){
  105047. private_state *b=(private_state*)vd->backend_state;
  105048. bitrate_manager_state *bm=&b->bms;
  105049. vorbis_block *vb=bm->vb;
  105050. int choice=PACKETBLOBS/2;
  105051. if(!vb)return 0;
  105052. if(op){
  105053. vorbis_block_internal *vbi=(vorbis_block_internal*)vb->internal;
  105054. if(vorbis_bitrate_managed(vb))
  105055. choice=bm->choice;
  105056. op->packet=oggpack_get_buffer(vbi->packetblob[choice]);
  105057. op->bytes=oggpack_bytes(vbi->packetblob[choice]);
  105058. op->b_o_s=0;
  105059. op->e_o_s=vb->eofflag;
  105060. op->granulepos=vb->granulepos;
  105061. op->packetno=vb->sequence; /* for sake of completeness */
  105062. }
  105063. bm->vb=0;
  105064. return(1);
  105065. }
  105066. #endif
  105067. /********* End of inlined file: bitrate.c *********/
  105068. /********* Start of inlined file: block.c *********/
  105069. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  105070. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  105071. // tasks..
  105072. #ifdef _MSC_VER
  105073. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  105074. #endif
  105075. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  105076. #if JUCE_USE_OGGVORBIS
  105077. #include <stdio.h>
  105078. #include <stdlib.h>
  105079. #include <string.h>
  105080. /********* Start of inlined file: window.h *********/
  105081. #ifndef _V_WINDOW_
  105082. #define _V_WINDOW_
  105083. extern float *_vorbis_window_get(int n);
  105084. extern void _vorbis_apply_window(float *d,int *winno,long *blocksizes,
  105085. int lW,int W,int nW);
  105086. #endif
  105087. /********* End of inlined file: window.h *********/
  105088. /********* Start of inlined file: lpc.h *********/
  105089. #ifndef _V_LPC_H_
  105090. #define _V_LPC_H_
  105091. /* simple linear scale LPC code */
  105092. extern float vorbis_lpc_from_data(float *data,float *lpc,int n,int m);
  105093. extern void vorbis_lpc_predict(float *coeff,float *prime,int m,
  105094. float *data,long n);
  105095. #endif
  105096. /********* End of inlined file: lpc.h *********/
  105097. /* pcm accumulator examples (not exhaustive):
  105098. <-------------- lW ---------------->
  105099. <--------------- W ---------------->
  105100. : .....|..... _______________ |
  105101. : .''' | '''_--- | |\ |
  105102. :.....''' |_____--- '''......| | \_______|
  105103. :.................|__________________|_______|__|______|
  105104. |<------ Sl ------>| > Sr < |endW
  105105. |beginSl |endSl | |endSr
  105106. |beginW |endlW |beginSr
  105107. |< lW >|
  105108. <--------------- W ---------------->
  105109. | | .. ______________ |
  105110. | | ' `/ | ---_ |
  105111. |___.'___/`. | ---_____|
  105112. |_______|__|_______|_________________|
  105113. | >|Sl|< |<------ Sr ----->|endW
  105114. | | |endSl |beginSr |endSr
  105115. |beginW | |endlW
  105116. mult[0] |beginSl mult[n]
  105117. <-------------- lW ----------------->
  105118. |<--W-->|
  105119. : .............. ___ | |
  105120. : .''' |`/ \ | |
  105121. :.....''' |/`....\|...|
  105122. :.........................|___|___|___|
  105123. |Sl |Sr |endW
  105124. | | |endSr
  105125. | |beginSr
  105126. | |endSl
  105127. |beginSl
  105128. |beginW
  105129. */
  105130. /* block abstraction setup *********************************************/
  105131. #ifndef WORD_ALIGN
  105132. #define WORD_ALIGN 8
  105133. #endif
  105134. int vorbis_block_init(vorbis_dsp_state *v, vorbis_block *vb){
  105135. int i;
  105136. memset(vb,0,sizeof(*vb));
  105137. vb->vd=v;
  105138. vb->localalloc=0;
  105139. vb->localstore=NULL;
  105140. if(v->analysisp){
  105141. vorbis_block_internal *vbi=(vorbis_block_internal*)
  105142. (vb->internal=(vorbis_block_internal*)_ogg_calloc(1,sizeof(vorbis_block_internal)));
  105143. vbi->ampmax=-9999;
  105144. for(i=0;i<PACKETBLOBS;i++){
  105145. if(i==PACKETBLOBS/2){
  105146. vbi->packetblob[i]=&vb->opb;
  105147. }else{
  105148. vbi->packetblob[i]=
  105149. (oggpack_buffer*) _ogg_calloc(1,sizeof(oggpack_buffer));
  105150. }
  105151. oggpack_writeinit(vbi->packetblob[i]);
  105152. }
  105153. }
  105154. return(0);
  105155. }
  105156. void *_vorbis_block_alloc(vorbis_block *vb,long bytes){
  105157. bytes=(bytes+(WORD_ALIGN-1)) & ~(WORD_ALIGN-1);
  105158. if(bytes+vb->localtop>vb->localalloc){
  105159. /* can't just _ogg_realloc... there are outstanding pointers */
  105160. if(vb->localstore){
  105161. struct alloc_chain *link=(struct alloc_chain*)_ogg_malloc(sizeof(*link));
  105162. vb->totaluse+=vb->localtop;
  105163. link->next=vb->reap;
  105164. link->ptr=vb->localstore;
  105165. vb->reap=link;
  105166. }
  105167. /* highly conservative */
  105168. vb->localalloc=bytes;
  105169. vb->localstore=_ogg_malloc(vb->localalloc);
  105170. vb->localtop=0;
  105171. }
  105172. {
  105173. void *ret=(void *)(((char *)vb->localstore)+vb->localtop);
  105174. vb->localtop+=bytes;
  105175. return ret;
  105176. }
  105177. }
  105178. /* reap the chain, pull the ripcord */
  105179. void _vorbis_block_ripcord(vorbis_block *vb){
  105180. /* reap the chain */
  105181. struct alloc_chain *reap=vb->reap;
  105182. while(reap){
  105183. struct alloc_chain *next=reap->next;
  105184. _ogg_free(reap->ptr);
  105185. memset(reap,0,sizeof(*reap));
  105186. _ogg_free(reap);
  105187. reap=next;
  105188. }
  105189. /* consolidate storage */
  105190. if(vb->totaluse){
  105191. vb->localstore=_ogg_realloc(vb->localstore,vb->totaluse+vb->localalloc);
  105192. vb->localalloc+=vb->totaluse;
  105193. vb->totaluse=0;
  105194. }
  105195. /* pull the ripcord */
  105196. vb->localtop=0;
  105197. vb->reap=NULL;
  105198. }
  105199. int vorbis_block_clear(vorbis_block *vb){
  105200. int i;
  105201. vorbis_block_internal *vbi=(vorbis_block_internal*)vb->internal;
  105202. _vorbis_block_ripcord(vb);
  105203. if(vb->localstore)_ogg_free(vb->localstore);
  105204. if(vbi){
  105205. for(i=0;i<PACKETBLOBS;i++){
  105206. oggpack_writeclear(vbi->packetblob[i]);
  105207. if(i!=PACKETBLOBS/2)_ogg_free(vbi->packetblob[i]);
  105208. }
  105209. _ogg_free(vbi);
  105210. }
  105211. memset(vb,0,sizeof(*vb));
  105212. return(0);
  105213. }
  105214. /* Analysis side code, but directly related to blocking. Thus it's
  105215. here and not in analysis.c (which is for analysis transforms only).
  105216. The init is here because some of it is shared */
  105217. static int _vds_shared_init(vorbis_dsp_state *v,vorbis_info *vi,int encp){
  105218. int i;
  105219. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  105220. private_state *b=NULL;
  105221. int hs;
  105222. if(ci==NULL) return 1;
  105223. hs=ci->halfrate_flag;
  105224. memset(v,0,sizeof(*v));
  105225. b=(private_state*) (v->backend_state=(private_state*)_ogg_calloc(1,sizeof(*b)));
  105226. v->vi=vi;
  105227. b->modebits=ilog2(ci->modes);
  105228. b->transform[0]=(vorbis_look_transform**)_ogg_calloc(VI_TRANSFORMB,sizeof(*b->transform[0]));
  105229. b->transform[1]=(vorbis_look_transform**)_ogg_calloc(VI_TRANSFORMB,sizeof(*b->transform[1]));
  105230. /* MDCT is tranform 0 */
  105231. b->transform[0][0]=_ogg_calloc(1,sizeof(mdct_lookup));
  105232. b->transform[1][0]=_ogg_calloc(1,sizeof(mdct_lookup));
  105233. mdct_init((mdct_lookup*)b->transform[0][0],ci->blocksizes[0]>>hs);
  105234. mdct_init((mdct_lookup*)b->transform[1][0],ci->blocksizes[1]>>hs);
  105235. /* Vorbis I uses only window type 0 */
  105236. b->window[0]=ilog2(ci->blocksizes[0])-6;
  105237. b->window[1]=ilog2(ci->blocksizes[1])-6;
  105238. if(encp){ /* encode/decode differ here */
  105239. /* analysis always needs an fft */
  105240. drft_init(&b->fft_look[0],ci->blocksizes[0]);
  105241. drft_init(&b->fft_look[1],ci->blocksizes[1]);
  105242. /* finish the codebooks */
  105243. if(!ci->fullbooks){
  105244. ci->fullbooks=(codebook*) _ogg_calloc(ci->books,sizeof(*ci->fullbooks));
  105245. for(i=0;i<ci->books;i++)
  105246. vorbis_book_init_encode(ci->fullbooks+i,ci->book_param[i]);
  105247. }
  105248. b->psy=(vorbis_look_psy*)_ogg_calloc(ci->psys,sizeof(*b->psy));
  105249. for(i=0;i<ci->psys;i++){
  105250. _vp_psy_init(b->psy+i,
  105251. ci->psy_param[i],
  105252. &ci->psy_g_param,
  105253. ci->blocksizes[ci->psy_param[i]->blockflag]/2,
  105254. vi->rate);
  105255. }
  105256. v->analysisp=1;
  105257. }else{
  105258. /* finish the codebooks */
  105259. if(!ci->fullbooks){
  105260. ci->fullbooks=(codebook*) _ogg_calloc(ci->books,sizeof(*ci->fullbooks));
  105261. for(i=0;i<ci->books;i++){
  105262. vorbis_book_init_decode(ci->fullbooks+i,ci->book_param[i]);
  105263. /* decode codebooks are now standalone after init */
  105264. vorbis_staticbook_destroy(ci->book_param[i]);
  105265. ci->book_param[i]=NULL;
  105266. }
  105267. }
  105268. }
  105269. /* initialize the storage vectors. blocksize[1] is small for encode,
  105270. but the correct size for decode */
  105271. v->pcm_storage=ci->blocksizes[1];
  105272. v->pcm=(float**)_ogg_malloc(vi->channels*sizeof(*v->pcm));
  105273. v->pcmret=(float**)_ogg_malloc(vi->channels*sizeof(*v->pcmret));
  105274. {
  105275. int i;
  105276. for(i=0;i<vi->channels;i++)
  105277. v->pcm[i]=(float*)_ogg_calloc(v->pcm_storage,sizeof(*v->pcm[i]));
  105278. }
  105279. /* all 1 (large block) or 0 (small block) */
  105280. /* explicitly set for the sake of clarity */
  105281. v->lW=0; /* previous window size */
  105282. v->W=0; /* current window size */
  105283. /* all vector indexes */
  105284. v->centerW=ci->blocksizes[1]/2;
  105285. v->pcm_current=v->centerW;
  105286. /* initialize all the backend lookups */
  105287. b->flr=(vorbis_look_floor**)_ogg_calloc(ci->floors,sizeof(*b->flr));
  105288. b->residue=(vorbis_look_residue**)_ogg_calloc(ci->residues,sizeof(*b->residue));
  105289. for(i=0;i<ci->floors;i++)
  105290. b->flr[i]=_floor_P[ci->floor_type[i]]->
  105291. look(v,ci->floor_param[i]);
  105292. for(i=0;i<ci->residues;i++)
  105293. b->residue[i]=_residue_P[ci->residue_type[i]]->
  105294. look(v,ci->residue_param[i]);
  105295. return 0;
  105296. }
  105297. /* arbitrary settings and spec-mandated numbers get filled in here */
  105298. int vorbis_analysis_init(vorbis_dsp_state *v,vorbis_info *vi){
  105299. private_state *b=NULL;
  105300. if(_vds_shared_init(v,vi,1))return 1;
  105301. b=(private_state*)v->backend_state;
  105302. b->psy_g_look=_vp_global_look(vi);
  105303. /* Initialize the envelope state storage */
  105304. b->ve=(envelope_lookup*)_ogg_calloc(1,sizeof(*b->ve));
  105305. _ve_envelope_init(b->ve,vi);
  105306. vorbis_bitrate_init(vi,&b->bms);
  105307. /* compressed audio packets start after the headers
  105308. with sequence number 3 */
  105309. v->sequence=3;
  105310. return(0);
  105311. }
  105312. void vorbis_dsp_clear(vorbis_dsp_state *v){
  105313. int i;
  105314. if(v){
  105315. vorbis_info *vi=v->vi;
  105316. codec_setup_info *ci=(codec_setup_info*)(vi?vi->codec_setup:NULL);
  105317. private_state *b=(private_state*)v->backend_state;
  105318. if(b){
  105319. if(b->ve){
  105320. _ve_envelope_clear(b->ve);
  105321. _ogg_free(b->ve);
  105322. }
  105323. if(b->transform[0]){
  105324. mdct_clear((mdct_lookup*) b->transform[0][0]);
  105325. _ogg_free(b->transform[0][0]);
  105326. _ogg_free(b->transform[0]);
  105327. }
  105328. if(b->transform[1]){
  105329. mdct_clear((mdct_lookup*) b->transform[1][0]);
  105330. _ogg_free(b->transform[1][0]);
  105331. _ogg_free(b->transform[1]);
  105332. }
  105333. if(b->flr){
  105334. for(i=0;i<ci->floors;i++)
  105335. _floor_P[ci->floor_type[i]]->
  105336. free_look(b->flr[i]);
  105337. _ogg_free(b->flr);
  105338. }
  105339. if(b->residue){
  105340. for(i=0;i<ci->residues;i++)
  105341. _residue_P[ci->residue_type[i]]->
  105342. free_look(b->residue[i]);
  105343. _ogg_free(b->residue);
  105344. }
  105345. if(b->psy){
  105346. for(i=0;i<ci->psys;i++)
  105347. _vp_psy_clear(b->psy+i);
  105348. _ogg_free(b->psy);
  105349. }
  105350. if(b->psy_g_look)_vp_global_free(b->psy_g_look);
  105351. vorbis_bitrate_clear(&b->bms);
  105352. drft_clear(&b->fft_look[0]);
  105353. drft_clear(&b->fft_look[1]);
  105354. }
  105355. if(v->pcm){
  105356. for(i=0;i<vi->channels;i++)
  105357. if(v->pcm[i])_ogg_free(v->pcm[i]);
  105358. _ogg_free(v->pcm);
  105359. if(v->pcmret)_ogg_free(v->pcmret);
  105360. }
  105361. if(b){
  105362. /* free header, header1, header2 */
  105363. if(b->header)_ogg_free(b->header);
  105364. if(b->header1)_ogg_free(b->header1);
  105365. if(b->header2)_ogg_free(b->header2);
  105366. _ogg_free(b);
  105367. }
  105368. memset(v,0,sizeof(*v));
  105369. }
  105370. }
  105371. float **vorbis_analysis_buffer(vorbis_dsp_state *v, int vals){
  105372. int i;
  105373. vorbis_info *vi=v->vi;
  105374. private_state *b=(private_state*)v->backend_state;
  105375. /* free header, header1, header2 */
  105376. if(b->header)_ogg_free(b->header);b->header=NULL;
  105377. if(b->header1)_ogg_free(b->header1);b->header1=NULL;
  105378. if(b->header2)_ogg_free(b->header2);b->header2=NULL;
  105379. /* Do we have enough storage space for the requested buffer? If not,
  105380. expand the PCM (and envelope) storage */
  105381. if(v->pcm_current+vals>=v->pcm_storage){
  105382. v->pcm_storage=v->pcm_current+vals*2;
  105383. for(i=0;i<vi->channels;i++){
  105384. v->pcm[i]=(float*)_ogg_realloc(v->pcm[i],v->pcm_storage*sizeof(*v->pcm[i]));
  105385. }
  105386. }
  105387. for(i=0;i<vi->channels;i++)
  105388. v->pcmret[i]=v->pcm[i]+v->pcm_current;
  105389. return(v->pcmret);
  105390. }
  105391. static void _preextrapolate_helper(vorbis_dsp_state *v){
  105392. int i;
  105393. int order=32;
  105394. float *lpc=(float*)alloca(order*sizeof(*lpc));
  105395. float *work=(float*)alloca(v->pcm_current*sizeof(*work));
  105396. long j;
  105397. v->preextrapolate=1;
  105398. if(v->pcm_current-v->centerW>order*2){ /* safety */
  105399. for(i=0;i<v->vi->channels;i++){
  105400. /* need to run the extrapolation in reverse! */
  105401. for(j=0;j<v->pcm_current;j++)
  105402. work[j]=v->pcm[i][v->pcm_current-j-1];
  105403. /* prime as above */
  105404. vorbis_lpc_from_data(work,lpc,v->pcm_current-v->centerW,order);
  105405. /* run the predictor filter */
  105406. vorbis_lpc_predict(lpc,work+v->pcm_current-v->centerW-order,
  105407. order,
  105408. work+v->pcm_current-v->centerW,
  105409. v->centerW);
  105410. for(j=0;j<v->pcm_current;j++)
  105411. v->pcm[i][v->pcm_current-j-1]=work[j];
  105412. }
  105413. }
  105414. }
  105415. /* call with val<=0 to set eof */
  105416. int vorbis_analysis_wrote(vorbis_dsp_state *v, int vals){
  105417. vorbis_info *vi=v->vi;
  105418. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  105419. if(vals<=0){
  105420. int order=32;
  105421. int i;
  105422. float *lpc=(float*) alloca(order*sizeof(*lpc));
  105423. /* if it wasn't done earlier (very short sample) */
  105424. if(!v->preextrapolate)
  105425. _preextrapolate_helper(v);
  105426. /* We're encoding the end of the stream. Just make sure we have
  105427. [at least] a few full blocks of zeroes at the end. */
  105428. /* actually, we don't want zeroes; that could drop a large
  105429. amplitude off a cliff, creating spread spectrum noise that will
  105430. suck to encode. Extrapolate for the sake of cleanliness. */
  105431. vorbis_analysis_buffer(v,ci->blocksizes[1]*3);
  105432. v->eofflag=v->pcm_current;
  105433. v->pcm_current+=ci->blocksizes[1]*3;
  105434. for(i=0;i<vi->channels;i++){
  105435. if(v->eofflag>order*2){
  105436. /* extrapolate with LPC to fill in */
  105437. long n;
  105438. /* make a predictor filter */
  105439. n=v->eofflag;
  105440. if(n>ci->blocksizes[1])n=ci->blocksizes[1];
  105441. vorbis_lpc_from_data(v->pcm[i]+v->eofflag-n,lpc,n,order);
  105442. /* run the predictor filter */
  105443. vorbis_lpc_predict(lpc,v->pcm[i]+v->eofflag-order,order,
  105444. v->pcm[i]+v->eofflag,v->pcm_current-v->eofflag);
  105445. }else{
  105446. /* not enough data to extrapolate (unlikely to happen due to
  105447. guarding the overlap, but bulletproof in case that
  105448. assumtion goes away). zeroes will do. */
  105449. memset(v->pcm[i]+v->eofflag,0,
  105450. (v->pcm_current-v->eofflag)*sizeof(*v->pcm[i]));
  105451. }
  105452. }
  105453. }else{
  105454. if(v->pcm_current+vals>v->pcm_storage)
  105455. return(OV_EINVAL);
  105456. v->pcm_current+=vals;
  105457. /* we may want to reverse extrapolate the beginning of a stream
  105458. too... in case we're beginning on a cliff! */
  105459. /* clumsy, but simple. It only runs once, so simple is good. */
  105460. if(!v->preextrapolate && v->pcm_current-v->centerW>ci->blocksizes[1])
  105461. _preextrapolate_helper(v);
  105462. }
  105463. return(0);
  105464. }
  105465. /* do the deltas, envelope shaping, pre-echo and determine the size of
  105466. the next block on which to continue analysis */
  105467. int vorbis_analysis_blockout(vorbis_dsp_state *v,vorbis_block *vb){
  105468. int i;
  105469. vorbis_info *vi=v->vi;
  105470. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  105471. private_state *b=(private_state*)v->backend_state;
  105472. vorbis_look_psy_global *g=b->psy_g_look;
  105473. long beginW=v->centerW-ci->blocksizes[v->W]/2,centerNext;
  105474. vorbis_block_internal *vbi=(vorbis_block_internal *)vb->internal;
  105475. /* check to see if we're started... */
  105476. if(!v->preextrapolate)return(0);
  105477. /* check to see if we're done... */
  105478. if(v->eofflag==-1)return(0);
  105479. /* By our invariant, we have lW, W and centerW set. Search for
  105480. the next boundary so we can determine nW (the next window size)
  105481. which lets us compute the shape of the current block's window */
  105482. /* we do an envelope search even on a single blocksize; we may still
  105483. be throwing more bits at impulses, and envelope search handles
  105484. marking impulses too. */
  105485. {
  105486. long bp=_ve_envelope_search(v);
  105487. if(bp==-1){
  105488. if(v->eofflag==0)return(0); /* not enough data currently to search for a
  105489. full long block */
  105490. v->nW=0;
  105491. }else{
  105492. if(ci->blocksizes[0]==ci->blocksizes[1])
  105493. v->nW=0;
  105494. else
  105495. v->nW=bp;
  105496. }
  105497. }
  105498. centerNext=v->centerW+ci->blocksizes[v->W]/4+ci->blocksizes[v->nW]/4;
  105499. {
  105500. /* center of next block + next block maximum right side. */
  105501. long blockbound=centerNext+ci->blocksizes[v->nW]/2;
  105502. if(v->pcm_current<blockbound)return(0); /* not enough data yet;
  105503. although this check is
  105504. less strict that the
  105505. _ve_envelope_search,
  105506. the search is not run
  105507. if we only use one
  105508. block size */
  105509. }
  105510. /* fill in the block. Note that for a short window, lW and nW are *short*
  105511. regardless of actual settings in the stream */
  105512. _vorbis_block_ripcord(vb);
  105513. vb->lW=v->lW;
  105514. vb->W=v->W;
  105515. vb->nW=v->nW;
  105516. if(v->W){
  105517. if(!v->lW || !v->nW){
  105518. vbi->blocktype=BLOCKTYPE_TRANSITION;
  105519. /*fprintf(stderr,"-");*/
  105520. }else{
  105521. vbi->blocktype=BLOCKTYPE_LONG;
  105522. /*fprintf(stderr,"_");*/
  105523. }
  105524. }else{
  105525. if(_ve_envelope_mark(v)){
  105526. vbi->blocktype=BLOCKTYPE_IMPULSE;
  105527. /*fprintf(stderr,"|");*/
  105528. }else{
  105529. vbi->blocktype=BLOCKTYPE_PADDING;
  105530. /*fprintf(stderr,".");*/
  105531. }
  105532. }
  105533. vb->vd=v;
  105534. vb->sequence=v->sequence++;
  105535. vb->granulepos=v->granulepos;
  105536. vb->pcmend=ci->blocksizes[v->W];
  105537. /* copy the vectors; this uses the local storage in vb */
  105538. /* this tracks 'strongest peak' for later psychoacoustics */
  105539. /* moved to the global psy state; clean this mess up */
  105540. if(vbi->ampmax>g->ampmax)g->ampmax=vbi->ampmax;
  105541. g->ampmax=_vp_ampmax_decay(g->ampmax,v);
  105542. vbi->ampmax=g->ampmax;
  105543. vb->pcm=(float**)_vorbis_block_alloc(vb,sizeof(*vb->pcm)*vi->channels);
  105544. vbi->pcmdelay=(float**)_vorbis_block_alloc(vb,sizeof(*vbi->pcmdelay)*vi->channels);
  105545. for(i=0;i<vi->channels;i++){
  105546. vbi->pcmdelay[i]=
  105547. (float*) _vorbis_block_alloc(vb,(vb->pcmend+beginW)*sizeof(*vbi->pcmdelay[i]));
  105548. memcpy(vbi->pcmdelay[i],v->pcm[i],(vb->pcmend+beginW)*sizeof(*vbi->pcmdelay[i]));
  105549. vb->pcm[i]=vbi->pcmdelay[i]+beginW;
  105550. /* before we added the delay
  105551. vb->pcm[i]=_vorbis_block_alloc(vb,vb->pcmend*sizeof(*vb->pcm[i]));
  105552. memcpy(vb->pcm[i],v->pcm[i]+beginW,ci->blocksizes[v->W]*sizeof(*vb->pcm[i]));
  105553. */
  105554. }
  105555. /* handle eof detection: eof==0 means that we've not yet received EOF
  105556. eof>0 marks the last 'real' sample in pcm[]
  105557. eof<0 'no more to do'; doesn't get here */
  105558. if(v->eofflag){
  105559. if(v->centerW>=v->eofflag){
  105560. v->eofflag=-1;
  105561. vb->eofflag=1;
  105562. return(1);
  105563. }
  105564. }
  105565. /* advance storage vectors and clean up */
  105566. {
  105567. int new_centerNext=ci->blocksizes[1]/2;
  105568. int movementW=centerNext-new_centerNext;
  105569. if(movementW>0){
  105570. _ve_envelope_shift(b->ve,movementW);
  105571. v->pcm_current-=movementW;
  105572. for(i=0;i<vi->channels;i++)
  105573. memmove(v->pcm[i],v->pcm[i]+movementW,
  105574. v->pcm_current*sizeof(*v->pcm[i]));
  105575. v->lW=v->W;
  105576. v->W=v->nW;
  105577. v->centerW=new_centerNext;
  105578. if(v->eofflag){
  105579. v->eofflag-=movementW;
  105580. if(v->eofflag<=0)v->eofflag=-1;
  105581. /* do not add padding to end of stream! */
  105582. if(v->centerW>=v->eofflag){
  105583. v->granulepos+=movementW-(v->centerW-v->eofflag);
  105584. }else{
  105585. v->granulepos+=movementW;
  105586. }
  105587. }else{
  105588. v->granulepos+=movementW;
  105589. }
  105590. }
  105591. }
  105592. /* done */
  105593. return(1);
  105594. }
  105595. int vorbis_synthesis_restart(vorbis_dsp_state *v){
  105596. vorbis_info *vi=v->vi;
  105597. codec_setup_info *ci;
  105598. int hs;
  105599. if(!v->backend_state)return -1;
  105600. if(!vi)return -1;
  105601. ci=(codec_setup_info*) vi->codec_setup;
  105602. if(!ci)return -1;
  105603. hs=ci->halfrate_flag;
  105604. v->centerW=ci->blocksizes[1]>>(hs+1);
  105605. v->pcm_current=v->centerW>>hs;
  105606. v->pcm_returned=-1;
  105607. v->granulepos=-1;
  105608. v->sequence=-1;
  105609. v->eofflag=0;
  105610. ((private_state *)(v->backend_state))->sample_count=-1;
  105611. return(0);
  105612. }
  105613. int vorbis_synthesis_init(vorbis_dsp_state *v,vorbis_info *vi){
  105614. if(_vds_shared_init(v,vi,0)) return 1;
  105615. vorbis_synthesis_restart(v);
  105616. return 0;
  105617. }
  105618. /* Unlike in analysis, the window is only partially applied for each
  105619. block. The time domain envelope is not yet handled at the point of
  105620. calling (as it relies on the previous block). */
  105621. int vorbis_synthesis_blockin(vorbis_dsp_state *v,vorbis_block *vb){
  105622. vorbis_info *vi=v->vi;
  105623. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  105624. private_state *b=(private_state*)v->backend_state;
  105625. int hs=ci->halfrate_flag;
  105626. int i,j;
  105627. if(!vb)return(OV_EINVAL);
  105628. if(v->pcm_current>v->pcm_returned && v->pcm_returned!=-1)return(OV_EINVAL);
  105629. v->lW=v->W;
  105630. v->W=vb->W;
  105631. v->nW=-1;
  105632. if((v->sequence==-1)||
  105633. (v->sequence+1 != vb->sequence)){
  105634. v->granulepos=-1; /* out of sequence; lose count */
  105635. b->sample_count=-1;
  105636. }
  105637. v->sequence=vb->sequence;
  105638. if(vb->pcm){ /* no pcm to process if vorbis_synthesis_trackonly
  105639. was called on block */
  105640. int n=ci->blocksizes[v->W]>>(hs+1);
  105641. int n0=ci->blocksizes[0]>>(hs+1);
  105642. int n1=ci->blocksizes[1]>>(hs+1);
  105643. int thisCenter;
  105644. int prevCenter;
  105645. v->glue_bits+=vb->glue_bits;
  105646. v->time_bits+=vb->time_bits;
  105647. v->floor_bits+=vb->floor_bits;
  105648. v->res_bits+=vb->res_bits;
  105649. if(v->centerW){
  105650. thisCenter=n1;
  105651. prevCenter=0;
  105652. }else{
  105653. thisCenter=0;
  105654. prevCenter=n1;
  105655. }
  105656. /* v->pcm is now used like a two-stage double buffer. We don't want
  105657. to have to constantly shift *or* adjust memory usage. Don't
  105658. accept a new block until the old is shifted out */
  105659. for(j=0;j<vi->channels;j++){
  105660. /* the overlap/add section */
  105661. if(v->lW){
  105662. if(v->W){
  105663. /* large/large */
  105664. float *w=_vorbis_window_get(b->window[1]-hs);
  105665. float *pcm=v->pcm[j]+prevCenter;
  105666. float *p=vb->pcm[j];
  105667. for(i=0;i<n1;i++)
  105668. pcm[i]=pcm[i]*w[n1-i-1] + p[i]*w[i];
  105669. }else{
  105670. /* large/small */
  105671. float *w=_vorbis_window_get(b->window[0]-hs);
  105672. float *pcm=v->pcm[j]+prevCenter+n1/2-n0/2;
  105673. float *p=vb->pcm[j];
  105674. for(i=0;i<n0;i++)
  105675. pcm[i]=pcm[i]*w[n0-i-1] +p[i]*w[i];
  105676. }
  105677. }else{
  105678. if(v->W){
  105679. /* small/large */
  105680. float *w=_vorbis_window_get(b->window[0]-hs);
  105681. float *pcm=v->pcm[j]+prevCenter;
  105682. float *p=vb->pcm[j]+n1/2-n0/2;
  105683. for(i=0;i<n0;i++)
  105684. pcm[i]=pcm[i]*w[n0-i-1] +p[i]*w[i];
  105685. for(;i<n1/2+n0/2;i++)
  105686. pcm[i]=p[i];
  105687. }else{
  105688. /* small/small */
  105689. float *w=_vorbis_window_get(b->window[0]-hs);
  105690. float *pcm=v->pcm[j]+prevCenter;
  105691. float *p=vb->pcm[j];
  105692. for(i=0;i<n0;i++)
  105693. pcm[i]=pcm[i]*w[n0-i-1] +p[i]*w[i];
  105694. }
  105695. }
  105696. /* the copy section */
  105697. {
  105698. float *pcm=v->pcm[j]+thisCenter;
  105699. float *p=vb->pcm[j]+n;
  105700. for(i=0;i<n;i++)
  105701. pcm[i]=p[i];
  105702. }
  105703. }
  105704. if(v->centerW)
  105705. v->centerW=0;
  105706. else
  105707. v->centerW=n1;
  105708. /* deal with initial packet state; we do this using the explicit
  105709. pcm_returned==-1 flag otherwise we're sensitive to first block
  105710. being short or long */
  105711. if(v->pcm_returned==-1){
  105712. v->pcm_returned=thisCenter;
  105713. v->pcm_current=thisCenter;
  105714. }else{
  105715. v->pcm_returned=prevCenter;
  105716. v->pcm_current=prevCenter+
  105717. ((ci->blocksizes[v->lW]/4+
  105718. ci->blocksizes[v->W]/4)>>hs);
  105719. }
  105720. }
  105721. /* track the frame number... This is for convenience, but also
  105722. making sure our last packet doesn't end with added padding. If
  105723. the last packet is partial, the number of samples we'll have to
  105724. return will be past the vb->granulepos.
  105725. This is not foolproof! It will be confused if we begin
  105726. decoding at the last page after a seek or hole. In that case,
  105727. we don't have a starting point to judge where the last frame
  105728. is. For this reason, vorbisfile will always try to make sure
  105729. it reads the last two marked pages in proper sequence */
  105730. if(b->sample_count==-1){
  105731. b->sample_count=0;
  105732. }else{
  105733. b->sample_count+=ci->blocksizes[v->lW]/4+ci->blocksizes[v->W]/4;
  105734. }
  105735. if(v->granulepos==-1){
  105736. if(vb->granulepos!=-1){ /* only set if we have a position to set to */
  105737. v->granulepos=vb->granulepos;
  105738. /* is this a short page? */
  105739. if(b->sample_count>v->granulepos){
  105740. /* corner case; if this is both the first and last audio page,
  105741. then spec says the end is cut, not beginning */
  105742. if(vb->eofflag){
  105743. /* trim the end */
  105744. /* no preceeding granulepos; assume we started at zero (we'd
  105745. have to in a short single-page stream) */
  105746. /* granulepos could be -1 due to a seek, but that would result
  105747. in a long count, not short count */
  105748. v->pcm_current-=(b->sample_count-v->granulepos)>>hs;
  105749. }else{
  105750. /* trim the beginning */
  105751. v->pcm_returned+=(b->sample_count-v->granulepos)>>hs;
  105752. if(v->pcm_returned>v->pcm_current)
  105753. v->pcm_returned=v->pcm_current;
  105754. }
  105755. }
  105756. }
  105757. }else{
  105758. v->granulepos+=ci->blocksizes[v->lW]/4+ci->blocksizes[v->W]/4;
  105759. if(vb->granulepos!=-1 && v->granulepos!=vb->granulepos){
  105760. if(v->granulepos>vb->granulepos){
  105761. long extra=v->granulepos-vb->granulepos;
  105762. if(extra)
  105763. if(vb->eofflag){
  105764. /* partial last frame. Strip the extra samples off */
  105765. v->pcm_current-=extra>>hs;
  105766. } /* else {Shouldn't happen *unless* the bitstream is out of
  105767. spec. Either way, believe the bitstream } */
  105768. } /* else {Shouldn't happen *unless* the bitstream is out of
  105769. spec. Either way, believe the bitstream } */
  105770. v->granulepos=vb->granulepos;
  105771. }
  105772. }
  105773. /* Update, cleanup */
  105774. if(vb->eofflag)v->eofflag=1;
  105775. return(0);
  105776. }
  105777. /* pcm==NULL indicates we just want the pending samples, no more */
  105778. int vorbis_synthesis_pcmout(vorbis_dsp_state *v,float ***pcm){
  105779. vorbis_info *vi=v->vi;
  105780. if(v->pcm_returned>-1 && v->pcm_returned<v->pcm_current){
  105781. if(pcm){
  105782. int i;
  105783. for(i=0;i<vi->channels;i++)
  105784. v->pcmret[i]=v->pcm[i]+v->pcm_returned;
  105785. *pcm=v->pcmret;
  105786. }
  105787. return(v->pcm_current-v->pcm_returned);
  105788. }
  105789. return(0);
  105790. }
  105791. int vorbis_synthesis_read(vorbis_dsp_state *v,int n){
  105792. if(n && v->pcm_returned+n>v->pcm_current)return(OV_EINVAL);
  105793. v->pcm_returned+=n;
  105794. return(0);
  105795. }
  105796. /* intended for use with a specific vorbisfile feature; we want access
  105797. to the [usually synthetic/postextrapolated] buffer and lapping at
  105798. the end of a decode cycle, specifically, a half-short-block worth.
  105799. This funtion works like pcmout above, except it will also expose
  105800. this implicit buffer data not normally decoded. */
  105801. int vorbis_synthesis_lapout(vorbis_dsp_state *v,float ***pcm){
  105802. vorbis_info *vi=v->vi;
  105803. codec_setup_info *ci=(codec_setup_info *)vi->codec_setup;
  105804. int hs=ci->halfrate_flag;
  105805. int n=ci->blocksizes[v->W]>>(hs+1);
  105806. int n0=ci->blocksizes[0]>>(hs+1);
  105807. int n1=ci->blocksizes[1]>>(hs+1);
  105808. int i,j;
  105809. if(v->pcm_returned<0)return 0;
  105810. /* our returned data ends at pcm_returned; because the synthesis pcm
  105811. buffer is a two-fragment ring, that means our data block may be
  105812. fragmented by buffering, wrapping or a short block not filling
  105813. out a buffer. To simplify things, we unfragment if it's at all
  105814. possibly needed. Otherwise, we'd need to call lapout more than
  105815. once as well as hold additional dsp state. Opt for
  105816. simplicity. */
  105817. /* centerW was advanced by blockin; it would be the center of the
  105818. *next* block */
  105819. if(v->centerW==n1){
  105820. /* the data buffer wraps; swap the halves */
  105821. /* slow, sure, small */
  105822. for(j=0;j<vi->channels;j++){
  105823. float *p=v->pcm[j];
  105824. for(i=0;i<n1;i++){
  105825. float temp=p[i];
  105826. p[i]=p[i+n1];
  105827. p[i+n1]=temp;
  105828. }
  105829. }
  105830. v->pcm_current-=n1;
  105831. v->pcm_returned-=n1;
  105832. v->centerW=0;
  105833. }
  105834. /* solidify buffer into contiguous space */
  105835. if((v->lW^v->W)==1){
  105836. /* long/short or short/long */
  105837. for(j=0;j<vi->channels;j++){
  105838. float *s=v->pcm[j];
  105839. float *d=v->pcm[j]+(n1-n0)/2;
  105840. for(i=(n1+n0)/2-1;i>=0;--i)
  105841. d[i]=s[i];
  105842. }
  105843. v->pcm_returned+=(n1-n0)/2;
  105844. v->pcm_current+=(n1-n0)/2;
  105845. }else{
  105846. if(v->lW==0){
  105847. /* short/short */
  105848. for(j=0;j<vi->channels;j++){
  105849. float *s=v->pcm[j];
  105850. float *d=v->pcm[j]+n1-n0;
  105851. for(i=n0-1;i>=0;--i)
  105852. d[i]=s[i];
  105853. }
  105854. v->pcm_returned+=n1-n0;
  105855. v->pcm_current+=n1-n0;
  105856. }
  105857. }
  105858. if(pcm){
  105859. int i;
  105860. for(i=0;i<vi->channels;i++)
  105861. v->pcmret[i]=v->pcm[i]+v->pcm_returned;
  105862. *pcm=v->pcmret;
  105863. }
  105864. return(n1+n-v->pcm_returned);
  105865. }
  105866. float *vorbis_window(vorbis_dsp_state *v,int W){
  105867. vorbis_info *vi=v->vi;
  105868. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  105869. int hs=ci->halfrate_flag;
  105870. private_state *b=(private_state*)v->backend_state;
  105871. if(b->window[W]-1<0)return NULL;
  105872. return _vorbis_window_get(b->window[W]-hs);
  105873. }
  105874. #endif
  105875. /********* End of inlined file: block.c *********/
  105876. /********* Start of inlined file: codebook.c *********/
  105877. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  105878. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  105879. // tasks..
  105880. #ifdef _MSC_VER
  105881. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  105882. #endif
  105883. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  105884. #if JUCE_USE_OGGVORBIS
  105885. #include <stdlib.h>
  105886. #include <string.h>
  105887. #include <math.h>
  105888. /* packs the given codebook into the bitstream **************************/
  105889. int vorbis_staticbook_pack(const static_codebook *c,oggpack_buffer *opb){
  105890. long i,j;
  105891. int ordered=0;
  105892. /* first the basic parameters */
  105893. oggpack_write(opb,0x564342,24);
  105894. oggpack_write(opb,c->dim,16);
  105895. oggpack_write(opb,c->entries,24);
  105896. /* pack the codewords. There are two packings; length ordered and
  105897. length random. Decide between the two now. */
  105898. for(i=1;i<c->entries;i++)
  105899. if(c->lengthlist[i-1]==0 || c->lengthlist[i]<c->lengthlist[i-1])break;
  105900. if(i==c->entries)ordered=1;
  105901. if(ordered){
  105902. /* length ordered. We only need to say how many codewords of
  105903. each length. The actual codewords are generated
  105904. deterministically */
  105905. long count=0;
  105906. oggpack_write(opb,1,1); /* ordered */
  105907. oggpack_write(opb,c->lengthlist[0]-1,5); /* 1 to 32 */
  105908. for(i=1;i<c->entries;i++){
  105909. long thisx=c->lengthlist[i];
  105910. long last=c->lengthlist[i-1];
  105911. if(thisx>last){
  105912. for(j=last;j<thisx;j++){
  105913. oggpack_write(opb,i-count,_ilog(c->entries-count));
  105914. count=i;
  105915. }
  105916. }
  105917. }
  105918. oggpack_write(opb,i-count,_ilog(c->entries-count));
  105919. }else{
  105920. /* length random. Again, we don't code the codeword itself, just
  105921. the length. This time, though, we have to encode each length */
  105922. oggpack_write(opb,0,1); /* unordered */
  105923. /* algortihmic mapping has use for 'unused entries', which we tag
  105924. here. The algorithmic mapping happens as usual, but the unused
  105925. entry has no codeword. */
  105926. for(i=0;i<c->entries;i++)
  105927. if(c->lengthlist[i]==0)break;
  105928. if(i==c->entries){
  105929. oggpack_write(opb,0,1); /* no unused entries */
  105930. for(i=0;i<c->entries;i++)
  105931. oggpack_write(opb,c->lengthlist[i]-1,5);
  105932. }else{
  105933. oggpack_write(opb,1,1); /* we have unused entries; thus we tag */
  105934. for(i=0;i<c->entries;i++){
  105935. if(c->lengthlist[i]==0){
  105936. oggpack_write(opb,0,1);
  105937. }else{
  105938. oggpack_write(opb,1,1);
  105939. oggpack_write(opb,c->lengthlist[i]-1,5);
  105940. }
  105941. }
  105942. }
  105943. }
  105944. /* is the entry number the desired return value, or do we have a
  105945. mapping? If we have a mapping, what type? */
  105946. oggpack_write(opb,c->maptype,4);
  105947. switch(c->maptype){
  105948. case 0:
  105949. /* no mapping */
  105950. break;
  105951. case 1:case 2:
  105952. /* implicitly populated value mapping */
  105953. /* explicitly populated value mapping */
  105954. if(!c->quantlist){
  105955. /* no quantlist? error */
  105956. return(-1);
  105957. }
  105958. /* values that define the dequantization */
  105959. oggpack_write(opb,c->q_min,32);
  105960. oggpack_write(opb,c->q_delta,32);
  105961. oggpack_write(opb,c->q_quant-1,4);
  105962. oggpack_write(opb,c->q_sequencep,1);
  105963. {
  105964. int quantvals;
  105965. switch(c->maptype){
  105966. case 1:
  105967. /* a single column of (c->entries/c->dim) quantized values for
  105968. building a full value list algorithmically (square lattice) */
  105969. quantvals=_book_maptype1_quantvals(c);
  105970. break;
  105971. case 2:
  105972. /* every value (c->entries*c->dim total) specified explicitly */
  105973. quantvals=c->entries*c->dim;
  105974. break;
  105975. default: /* NOT_REACHABLE */
  105976. quantvals=-1;
  105977. }
  105978. /* quantized values */
  105979. for(i=0;i<quantvals;i++)
  105980. oggpack_write(opb,labs(c->quantlist[i]),c->q_quant);
  105981. }
  105982. break;
  105983. default:
  105984. /* error case; we don't have any other map types now */
  105985. return(-1);
  105986. }
  105987. return(0);
  105988. }
  105989. /* unpacks a codebook from the packet buffer into the codebook struct,
  105990. readies the codebook auxiliary structures for decode *************/
  105991. int vorbis_staticbook_unpack(oggpack_buffer *opb,static_codebook *s){
  105992. long i,j;
  105993. memset(s,0,sizeof(*s));
  105994. s->allocedp=1;
  105995. /* make sure alignment is correct */
  105996. if(oggpack_read(opb,24)!=0x564342)goto _eofout;
  105997. /* first the basic parameters */
  105998. s->dim=oggpack_read(opb,16);
  105999. s->entries=oggpack_read(opb,24);
  106000. if(s->entries==-1)goto _eofout;
  106001. /* codeword ordering.... length ordered or unordered? */
  106002. switch((int)oggpack_read(opb,1)){
  106003. case 0:
  106004. /* unordered */
  106005. s->lengthlist=(long*)_ogg_malloc(sizeof(*s->lengthlist)*s->entries);
  106006. /* allocated but unused entries? */
  106007. if(oggpack_read(opb,1)){
  106008. /* yes, unused entries */
  106009. for(i=0;i<s->entries;i++){
  106010. if(oggpack_read(opb,1)){
  106011. long num=oggpack_read(opb,5);
  106012. if(num==-1)goto _eofout;
  106013. s->lengthlist[i]=num+1;
  106014. }else
  106015. s->lengthlist[i]=0;
  106016. }
  106017. }else{
  106018. /* all entries used; no tagging */
  106019. for(i=0;i<s->entries;i++){
  106020. long num=oggpack_read(opb,5);
  106021. if(num==-1)goto _eofout;
  106022. s->lengthlist[i]=num+1;
  106023. }
  106024. }
  106025. break;
  106026. case 1:
  106027. /* ordered */
  106028. {
  106029. long length=oggpack_read(opb,5)+1;
  106030. s->lengthlist=(long*)_ogg_malloc(sizeof(*s->lengthlist)*s->entries);
  106031. for(i=0;i<s->entries;){
  106032. long num=oggpack_read(opb,_ilog(s->entries-i));
  106033. if(num==-1)goto _eofout;
  106034. for(j=0;j<num && i<s->entries;j++,i++)
  106035. s->lengthlist[i]=length;
  106036. length++;
  106037. }
  106038. }
  106039. break;
  106040. default:
  106041. /* EOF */
  106042. return(-1);
  106043. }
  106044. /* Do we have a mapping to unpack? */
  106045. switch((s->maptype=oggpack_read(opb,4))){
  106046. case 0:
  106047. /* no mapping */
  106048. break;
  106049. case 1: case 2:
  106050. /* implicitly populated value mapping */
  106051. /* explicitly populated value mapping */
  106052. s->q_min=oggpack_read(opb,32);
  106053. s->q_delta=oggpack_read(opb,32);
  106054. s->q_quant=oggpack_read(opb,4)+1;
  106055. s->q_sequencep=oggpack_read(opb,1);
  106056. {
  106057. int quantvals=0;
  106058. switch(s->maptype){
  106059. case 1:
  106060. quantvals=_book_maptype1_quantvals(s);
  106061. break;
  106062. case 2:
  106063. quantvals=s->entries*s->dim;
  106064. break;
  106065. }
  106066. /* quantized values */
  106067. s->quantlist=(long*)_ogg_malloc(sizeof(*s->quantlist)*quantvals);
  106068. for(i=0;i<quantvals;i++)
  106069. s->quantlist[i]=oggpack_read(opb,s->q_quant);
  106070. if(quantvals&&s->quantlist[quantvals-1]==-1)goto _eofout;
  106071. }
  106072. break;
  106073. default:
  106074. goto _errout;
  106075. }
  106076. /* all set */
  106077. return(0);
  106078. _errout:
  106079. _eofout:
  106080. vorbis_staticbook_clear(s);
  106081. return(-1);
  106082. }
  106083. /* returns the number of bits ************************************************/
  106084. int vorbis_book_encode(codebook *book, int a, oggpack_buffer *b){
  106085. oggpack_write(b,book->codelist[a],book->c->lengthlist[a]);
  106086. return(book->c->lengthlist[a]);
  106087. }
  106088. /* One the encode side, our vector writers are each designed for a
  106089. specific purpose, and the encoder is not flexible without modification:
  106090. The LSP vector coder uses a single stage nearest-match with no
  106091. interleave, so no step and no error return. This is specced by floor0
  106092. and doesn't change.
  106093. Residue0 encoding interleaves, uses multiple stages, and each stage
  106094. peels of a specific amount of resolution from a lattice (thus we want
  106095. to match by threshold, not nearest match). Residue doesn't *have* to
  106096. be encoded that way, but to change it, one will need to add more
  106097. infrastructure on the encode side (decode side is specced and simpler) */
  106098. /* floor0 LSP (single stage, non interleaved, nearest match) */
  106099. /* returns entry number and *modifies a* to the quantization value *****/
  106100. int vorbis_book_errorv(codebook *book,float *a){
  106101. int dim=book->dim,k;
  106102. int best=_best(book,a,1);
  106103. for(k=0;k<dim;k++)
  106104. a[k]=(book->valuelist+best*dim)[k];
  106105. return(best);
  106106. }
  106107. /* returns the number of bits and *modifies a* to the quantization value *****/
  106108. int vorbis_book_encodev(codebook *book,int best,float *a,oggpack_buffer *b){
  106109. int k,dim=book->dim;
  106110. for(k=0;k<dim;k++)
  106111. a[k]=(book->valuelist+best*dim)[k];
  106112. return(vorbis_book_encode(book,best,b));
  106113. }
  106114. /* the 'eliminate the decode tree' optimization actually requires the
  106115. codewords to be MSb first, not LSb. This is an annoying inelegancy
  106116. (and one of the first places where carefully thought out design
  106117. turned out to be wrong; Vorbis II and future Ogg codecs should go
  106118. to an MSb bitpacker), but not actually the huge hit it appears to
  106119. be. The first-stage decode table catches most words so that
  106120. bitreverse is not in the main execution path. */
  106121. STIN long decode_packed_entry_number(codebook *book, oggpack_buffer *b){
  106122. int read=book->dec_maxlength;
  106123. long lo,hi;
  106124. long lok = oggpack_look(b,book->dec_firsttablen);
  106125. if (lok >= 0) {
  106126. long entry = book->dec_firsttable[lok];
  106127. if(entry&0x80000000UL){
  106128. lo=(entry>>15)&0x7fff;
  106129. hi=book->used_entries-(entry&0x7fff);
  106130. }else{
  106131. oggpack_adv(b, book->dec_codelengths[entry-1]);
  106132. return(entry-1);
  106133. }
  106134. }else{
  106135. lo=0;
  106136. hi=book->used_entries;
  106137. }
  106138. lok = oggpack_look(b, read);
  106139. while(lok<0 && read>1)
  106140. lok = oggpack_look(b, --read);
  106141. if(lok<0)return -1;
  106142. /* bisect search for the codeword in the ordered list */
  106143. {
  106144. ogg_uint32_t testword=bitreverse((ogg_uint32_t)lok);
  106145. while(hi-lo>1){
  106146. long p=(hi-lo)>>1;
  106147. long test=book->codelist[lo+p]>testword;
  106148. lo+=p&(test-1);
  106149. hi-=p&(-test);
  106150. }
  106151. if(book->dec_codelengths[lo]<=read){
  106152. oggpack_adv(b, book->dec_codelengths[lo]);
  106153. return(lo);
  106154. }
  106155. }
  106156. oggpack_adv(b, read);
  106157. return(-1);
  106158. }
  106159. /* Decode side is specced and easier, because we don't need to find
  106160. matches using different criteria; we simply read and map. There are
  106161. two things we need to do 'depending':
  106162. We may need to support interleave. We don't really, but it's
  106163. convenient to do it here rather than rebuild the vector later.
  106164. Cascades may be additive or multiplicitive; this is not inherent in
  106165. the codebook, but set in the code using the codebook. Like
  106166. interleaving, it's easiest to do it here.
  106167. addmul==0 -> declarative (set the value)
  106168. addmul==1 -> additive
  106169. addmul==2 -> multiplicitive */
  106170. /* returns the [original, not compacted] entry number or -1 on eof *********/
  106171. long vorbis_book_decode(codebook *book, oggpack_buffer *b){
  106172. long packed_entry=decode_packed_entry_number(book,b);
  106173. if(packed_entry>=0)
  106174. return(book->dec_index[packed_entry]);
  106175. /* if there's no dec_index, the codebook unpacking isn't collapsed */
  106176. return(packed_entry);
  106177. }
  106178. /* returns 0 on OK or -1 on eof *************************************/
  106179. long vorbis_book_decodevs_add(codebook *book,float *a,oggpack_buffer *b,int n){
  106180. int step=n/book->dim;
  106181. long *entry = (long*)alloca(sizeof(*entry)*step);
  106182. float **t = (float**)alloca(sizeof(*t)*step);
  106183. int i,j,o;
  106184. for (i = 0; i < step; i++) {
  106185. entry[i]=decode_packed_entry_number(book,b);
  106186. if(entry[i]==-1)return(-1);
  106187. t[i] = book->valuelist+entry[i]*book->dim;
  106188. }
  106189. for(i=0,o=0;i<book->dim;i++,o+=step)
  106190. for (j=0;j<step;j++)
  106191. a[o+j]+=t[j][i];
  106192. return(0);
  106193. }
  106194. long vorbis_book_decodev_add(codebook *book,float *a,oggpack_buffer *b,int n){
  106195. int i,j,entry;
  106196. float *t;
  106197. if(book->dim>8){
  106198. for(i=0;i<n;){
  106199. entry = decode_packed_entry_number(book,b);
  106200. if(entry==-1)return(-1);
  106201. t = book->valuelist+entry*book->dim;
  106202. for (j=0;j<book->dim;)
  106203. a[i++]+=t[j++];
  106204. }
  106205. }else{
  106206. for(i=0;i<n;){
  106207. entry = decode_packed_entry_number(book,b);
  106208. if(entry==-1)return(-1);
  106209. t = book->valuelist+entry*book->dim;
  106210. j=0;
  106211. switch((int)book->dim){
  106212. case 8:
  106213. a[i++]+=t[j++];
  106214. case 7:
  106215. a[i++]+=t[j++];
  106216. case 6:
  106217. a[i++]+=t[j++];
  106218. case 5:
  106219. a[i++]+=t[j++];
  106220. case 4:
  106221. a[i++]+=t[j++];
  106222. case 3:
  106223. a[i++]+=t[j++];
  106224. case 2:
  106225. a[i++]+=t[j++];
  106226. case 1:
  106227. a[i++]+=t[j++];
  106228. case 0:
  106229. break;
  106230. }
  106231. }
  106232. }
  106233. return(0);
  106234. }
  106235. long vorbis_book_decodev_set(codebook *book,float *a,oggpack_buffer *b,int n){
  106236. int i,j,entry;
  106237. float *t;
  106238. for(i=0;i<n;){
  106239. entry = decode_packed_entry_number(book,b);
  106240. if(entry==-1)return(-1);
  106241. t = book->valuelist+entry*book->dim;
  106242. for (j=0;j<book->dim;)
  106243. a[i++]=t[j++];
  106244. }
  106245. return(0);
  106246. }
  106247. long vorbis_book_decodevv_add(codebook *book,float **a,long offset,int ch,
  106248. oggpack_buffer *b,int n){
  106249. long i,j,entry;
  106250. int chptr=0;
  106251. for(i=offset/ch;i<(offset+n)/ch;){
  106252. entry = decode_packed_entry_number(book,b);
  106253. if(entry==-1)return(-1);
  106254. {
  106255. const float *t = book->valuelist+entry*book->dim;
  106256. for (j=0;j<book->dim;j++){
  106257. a[chptr++][i]+=t[j];
  106258. if(chptr==ch){
  106259. chptr=0;
  106260. i++;
  106261. }
  106262. }
  106263. }
  106264. }
  106265. return(0);
  106266. }
  106267. #ifdef _V_SELFTEST
  106268. /* Simple enough; pack a few candidate codebooks, unpack them. Code a
  106269. number of vectors through (keeping track of the quantized values),
  106270. and decode using the unpacked book. quantized version of in should
  106271. exactly equal out */
  106272. #include <stdio.h>
  106273. #include "vorbis/book/lsp20_0.vqh"
  106274. #include "vorbis/book/res0a_13.vqh"
  106275. #define TESTSIZE 40
  106276. float test1[TESTSIZE]={
  106277. 0.105939f,
  106278. 0.215373f,
  106279. 0.429117f,
  106280. 0.587974f,
  106281. 0.181173f,
  106282. 0.296583f,
  106283. 0.515707f,
  106284. 0.715261f,
  106285. 0.162327f,
  106286. 0.263834f,
  106287. 0.342876f,
  106288. 0.406025f,
  106289. 0.103571f,
  106290. 0.223561f,
  106291. 0.368513f,
  106292. 0.540313f,
  106293. 0.136672f,
  106294. 0.395882f,
  106295. 0.587183f,
  106296. 0.652476f,
  106297. 0.114338f,
  106298. 0.417300f,
  106299. 0.525486f,
  106300. 0.698679f,
  106301. 0.147492f,
  106302. 0.324481f,
  106303. 0.643089f,
  106304. 0.757582f,
  106305. 0.139556f,
  106306. 0.215795f,
  106307. 0.324559f,
  106308. 0.399387f,
  106309. 0.120236f,
  106310. 0.267420f,
  106311. 0.446940f,
  106312. 0.608760f,
  106313. 0.115587f,
  106314. 0.287234f,
  106315. 0.571081f,
  106316. 0.708603f,
  106317. };
  106318. float test3[TESTSIZE]={
  106319. 0,1,-2,3,4,-5,6,7,8,9,
  106320. 8,-2,7,-1,4,6,8,3,1,-9,
  106321. 10,11,12,13,14,15,26,17,18,19,
  106322. 30,-25,-30,-1,-5,-32,4,3,-2,0};
  106323. static_codebook *testlist[]={&_vq_book_lsp20_0,
  106324. &_vq_book_res0a_13,NULL};
  106325. float *testvec[]={test1,test3};
  106326. int main(){
  106327. oggpack_buffer write;
  106328. oggpack_buffer read;
  106329. long ptr=0,i;
  106330. oggpack_writeinit(&write);
  106331. fprintf(stderr,"Testing codebook abstraction...:\n");
  106332. while(testlist[ptr]){
  106333. codebook c;
  106334. static_codebook s;
  106335. float *qv=alloca(sizeof(*qv)*TESTSIZE);
  106336. float *iv=alloca(sizeof(*iv)*TESTSIZE);
  106337. memcpy(qv,testvec[ptr],sizeof(*qv)*TESTSIZE);
  106338. memset(iv,0,sizeof(*iv)*TESTSIZE);
  106339. fprintf(stderr,"\tpacking/coding %ld... ",ptr);
  106340. /* pack the codebook, write the testvector */
  106341. oggpack_reset(&write);
  106342. vorbis_book_init_encode(&c,testlist[ptr]); /* get it into memory
  106343. we can write */
  106344. vorbis_staticbook_pack(testlist[ptr],&write);
  106345. fprintf(stderr,"Codebook size %ld bytes... ",oggpack_bytes(&write));
  106346. for(i=0;i<TESTSIZE;i+=c.dim){
  106347. int best=_best(&c,qv+i,1);
  106348. vorbis_book_encodev(&c,best,qv+i,&write);
  106349. }
  106350. vorbis_book_clear(&c);
  106351. fprintf(stderr,"OK.\n");
  106352. fprintf(stderr,"\tunpacking/decoding %ld... ",ptr);
  106353. /* transfer the write data to a read buffer and unpack/read */
  106354. oggpack_readinit(&read,oggpack_get_buffer(&write),oggpack_bytes(&write));
  106355. if(vorbis_staticbook_unpack(&read,&s)){
  106356. fprintf(stderr,"Error unpacking codebook.\n");
  106357. exit(1);
  106358. }
  106359. if(vorbis_book_init_decode(&c,&s)){
  106360. fprintf(stderr,"Error initializing codebook.\n");
  106361. exit(1);
  106362. }
  106363. for(i=0;i<TESTSIZE;i+=c.dim)
  106364. if(vorbis_book_decodev_set(&c,iv+i,&read,c.dim)==-1){
  106365. fprintf(stderr,"Error reading codebook test data (EOP).\n");
  106366. exit(1);
  106367. }
  106368. for(i=0;i<TESTSIZE;i++)
  106369. if(fabs(qv[i]-iv[i])>.000001){
  106370. fprintf(stderr,"read (%g) != written (%g) at position (%ld)\n",
  106371. iv[i],qv[i],i);
  106372. exit(1);
  106373. }
  106374. fprintf(stderr,"OK\n");
  106375. ptr++;
  106376. }
  106377. /* The above is the trivial stuff; now try unquantizing a log scale codebook */
  106378. exit(0);
  106379. }
  106380. #endif
  106381. #endif
  106382. /********* End of inlined file: codebook.c *********/
  106383. /********* Start of inlined file: envelope.c *********/
  106384. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  106385. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  106386. // tasks..
  106387. #ifdef _MSC_VER
  106388. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  106389. #endif
  106390. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  106391. #if JUCE_USE_OGGVORBIS
  106392. #include <stdlib.h>
  106393. #include <string.h>
  106394. #include <stdio.h>
  106395. #include <math.h>
  106396. void _ve_envelope_init(envelope_lookup *e,vorbis_info *vi){
  106397. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  106398. vorbis_info_psy_global *gi=&ci->psy_g_param;
  106399. int ch=vi->channels;
  106400. int i,j;
  106401. int n=e->winlength=128;
  106402. e->searchstep=64; /* not random */
  106403. e->minenergy=gi->preecho_minenergy;
  106404. e->ch=ch;
  106405. e->storage=128;
  106406. e->cursor=ci->blocksizes[1]/2;
  106407. e->mdct_win=(float*)_ogg_calloc(n,sizeof(*e->mdct_win));
  106408. mdct_init(&e->mdct,n);
  106409. for(i=0;i<n;i++){
  106410. e->mdct_win[i]=sin(i/(n-1.)*M_PI);
  106411. e->mdct_win[i]*=e->mdct_win[i];
  106412. }
  106413. /* magic follows */
  106414. e->band[0].begin=2; e->band[0].end=4;
  106415. e->band[1].begin=4; e->band[1].end=5;
  106416. e->band[2].begin=6; e->band[2].end=6;
  106417. e->band[3].begin=9; e->band[3].end=8;
  106418. e->band[4].begin=13; e->band[4].end=8;
  106419. e->band[5].begin=17; e->band[5].end=8;
  106420. e->band[6].begin=22; e->band[6].end=8;
  106421. for(j=0;j<VE_BANDS;j++){
  106422. n=e->band[j].end;
  106423. e->band[j].window=(float*)_ogg_malloc(n*sizeof(*e->band[0].window));
  106424. for(i=0;i<n;i++){
  106425. e->band[j].window[i]=sin((i+.5)/n*M_PI);
  106426. e->band[j].total+=e->band[j].window[i];
  106427. }
  106428. e->band[j].total=1./e->band[j].total;
  106429. }
  106430. e->filter=(envelope_filter_state*)_ogg_calloc(VE_BANDS*ch,sizeof(*e->filter));
  106431. e->mark=(int*)_ogg_calloc(e->storage,sizeof(*e->mark));
  106432. }
  106433. void _ve_envelope_clear(envelope_lookup *e){
  106434. int i;
  106435. mdct_clear(&e->mdct);
  106436. for(i=0;i<VE_BANDS;i++)
  106437. _ogg_free(e->band[i].window);
  106438. _ogg_free(e->mdct_win);
  106439. _ogg_free(e->filter);
  106440. _ogg_free(e->mark);
  106441. memset(e,0,sizeof(*e));
  106442. }
  106443. /* fairly straight threshhold-by-band based until we find something
  106444. that works better and isn't patented. */
  106445. static int _ve_amp(envelope_lookup *ve,
  106446. vorbis_info_psy_global *gi,
  106447. float *data,
  106448. envelope_band *bands,
  106449. envelope_filter_state *filters,
  106450. long pos){
  106451. long n=ve->winlength;
  106452. int ret=0;
  106453. long i,j;
  106454. float decay;
  106455. /* we want to have a 'minimum bar' for energy, else we're just
  106456. basing blocks on quantization noise that outweighs the signal
  106457. itself (for low power signals) */
  106458. float minV=ve->minenergy;
  106459. float *vec=(float*) alloca(n*sizeof(*vec));
  106460. /* stretch is used to gradually lengthen the number of windows
  106461. considered prevoius-to-potential-trigger */
  106462. int stretch=max(VE_MINSTRETCH,ve->stretch/2);
  106463. float penalty=gi->stretch_penalty-(ve->stretch/2-VE_MINSTRETCH);
  106464. if(penalty<0.f)penalty=0.f;
  106465. if(penalty>gi->stretch_penalty)penalty=gi->stretch_penalty;
  106466. /*_analysis_output_always("lpcm",seq2,data,n,0,0,
  106467. totalshift+pos*ve->searchstep);*/
  106468. /* window and transform */
  106469. for(i=0;i<n;i++)
  106470. vec[i]=data[i]*ve->mdct_win[i];
  106471. mdct_forward(&ve->mdct,vec,vec);
  106472. /*_analysis_output_always("mdct",seq2,vec,n/2,0,1,0); */
  106473. /* near-DC spreading function; this has nothing to do with
  106474. psychoacoustics, just sidelobe leakage and window size */
  106475. {
  106476. float temp=vec[0]*vec[0]+.7*vec[1]*vec[1]+.2*vec[2]*vec[2];
  106477. int ptr=filters->nearptr;
  106478. /* the accumulation is regularly refreshed from scratch to avoid
  106479. floating point creep */
  106480. if(ptr==0){
  106481. decay=filters->nearDC_acc=filters->nearDC_partialacc+temp;
  106482. filters->nearDC_partialacc=temp;
  106483. }else{
  106484. decay=filters->nearDC_acc+=temp;
  106485. filters->nearDC_partialacc+=temp;
  106486. }
  106487. filters->nearDC_acc-=filters->nearDC[ptr];
  106488. filters->nearDC[ptr]=temp;
  106489. decay*=(1./(VE_NEARDC+1));
  106490. filters->nearptr++;
  106491. if(filters->nearptr>=VE_NEARDC)filters->nearptr=0;
  106492. decay=todB(&decay)*.5-15.f;
  106493. }
  106494. /* perform spreading and limiting, also smooth the spectrum. yes,
  106495. the MDCT results in all real coefficients, but it still *behaves*
  106496. like real/imaginary pairs */
  106497. for(i=0;i<n/2;i+=2){
  106498. float val=vec[i]*vec[i]+vec[i+1]*vec[i+1];
  106499. val=todB(&val)*.5f;
  106500. if(val<decay)val=decay;
  106501. if(val<minV)val=minV;
  106502. vec[i>>1]=val;
  106503. decay-=8.;
  106504. }
  106505. /*_analysis_output_always("spread",seq2++,vec,n/4,0,0,0);*/
  106506. /* perform preecho/postecho triggering by band */
  106507. for(j=0;j<VE_BANDS;j++){
  106508. float acc=0.;
  106509. float valmax,valmin;
  106510. /* accumulate amplitude */
  106511. for(i=0;i<bands[j].end;i++)
  106512. acc+=vec[i+bands[j].begin]*bands[j].window[i];
  106513. acc*=bands[j].total;
  106514. /* convert amplitude to delta */
  106515. {
  106516. int p,thisx=filters[j].ampptr;
  106517. float postmax,postmin,premax=-99999.f,premin=99999.f;
  106518. p=thisx;
  106519. p--;
  106520. if(p<0)p+=VE_AMP;
  106521. postmax=max(acc,filters[j].ampbuf[p]);
  106522. postmin=min(acc,filters[j].ampbuf[p]);
  106523. for(i=0;i<stretch;i++){
  106524. p--;
  106525. if(p<0)p+=VE_AMP;
  106526. premax=max(premax,filters[j].ampbuf[p]);
  106527. premin=min(premin,filters[j].ampbuf[p]);
  106528. }
  106529. valmin=postmin-premin;
  106530. valmax=postmax-premax;
  106531. /*filters[j].markers[pos]=valmax;*/
  106532. filters[j].ampbuf[thisx]=acc;
  106533. filters[j].ampptr++;
  106534. if(filters[j].ampptr>=VE_AMP)filters[j].ampptr=0;
  106535. }
  106536. /* look at min/max, decide trigger */
  106537. if(valmax>gi->preecho_thresh[j]+penalty){
  106538. ret|=1;
  106539. ret|=4;
  106540. }
  106541. if(valmin<gi->postecho_thresh[j]-penalty)ret|=2;
  106542. }
  106543. return(ret);
  106544. }
  106545. #if 0
  106546. static int seq=0;
  106547. static ogg_int64_t totalshift=-1024;
  106548. #endif
  106549. long _ve_envelope_search(vorbis_dsp_state *v){
  106550. vorbis_info *vi=v->vi;
  106551. codec_setup_info *ci=(codec_setup_info *)vi->codec_setup;
  106552. vorbis_info_psy_global *gi=&ci->psy_g_param;
  106553. envelope_lookup *ve=((private_state *)(v->backend_state))->ve;
  106554. long i,j;
  106555. int first=ve->current/ve->searchstep;
  106556. int last=v->pcm_current/ve->searchstep-VE_WIN;
  106557. if(first<0)first=0;
  106558. /* make sure we have enough storage to match the PCM */
  106559. if(last+VE_WIN+VE_POST>ve->storage){
  106560. ve->storage=last+VE_WIN+VE_POST; /* be sure */
  106561. ve->mark=(int*)_ogg_realloc(ve->mark,ve->storage*sizeof(*ve->mark));
  106562. }
  106563. for(j=first;j<last;j++){
  106564. int ret=0;
  106565. ve->stretch++;
  106566. if(ve->stretch>VE_MAXSTRETCH*2)
  106567. ve->stretch=VE_MAXSTRETCH*2;
  106568. for(i=0;i<ve->ch;i++){
  106569. float *pcm=v->pcm[i]+ve->searchstep*(j);
  106570. ret|=_ve_amp(ve,gi,pcm,ve->band,ve->filter+i*VE_BANDS,j);
  106571. }
  106572. ve->mark[j+VE_POST]=0;
  106573. if(ret&1){
  106574. ve->mark[j]=1;
  106575. ve->mark[j+1]=1;
  106576. }
  106577. if(ret&2){
  106578. ve->mark[j]=1;
  106579. if(j>0)ve->mark[j-1]=1;
  106580. }
  106581. if(ret&4)ve->stretch=-1;
  106582. }
  106583. ve->current=last*ve->searchstep;
  106584. {
  106585. long centerW=v->centerW;
  106586. long testW=
  106587. centerW+
  106588. ci->blocksizes[v->W]/4+
  106589. ci->blocksizes[1]/2+
  106590. ci->blocksizes[0]/4;
  106591. j=ve->cursor;
  106592. while(j<ve->current-(ve->searchstep)){/* account for postecho
  106593. working back one window */
  106594. if(j>=testW)return(1);
  106595. ve->cursor=j;
  106596. if(ve->mark[j/ve->searchstep]){
  106597. if(j>centerW){
  106598. #if 0
  106599. if(j>ve->curmark){
  106600. float *marker=alloca(v->pcm_current*sizeof(*marker));
  106601. int l,m;
  106602. memset(marker,0,sizeof(*marker)*v->pcm_current);
  106603. fprintf(stderr,"mark! seq=%d, cursor:%fs time:%fs\n",
  106604. seq,
  106605. (totalshift+ve->cursor)/44100.,
  106606. (totalshift+j)/44100.);
  106607. _analysis_output_always("pcmL",seq,v->pcm[0],v->pcm_current,0,0,totalshift);
  106608. _analysis_output_always("pcmR",seq,v->pcm[1],v->pcm_current,0,0,totalshift);
  106609. _analysis_output_always("markL",seq,v->pcm[0],j,0,0,totalshift);
  106610. _analysis_output_always("markR",seq,v->pcm[1],j,0,0,totalshift);
  106611. for(m=0;m<VE_BANDS;m++){
  106612. char buf[80];
  106613. sprintf(buf,"delL%d",m);
  106614. for(l=0;l<last;l++)marker[l*ve->searchstep]=ve->filter[m].markers[l]*.1;
  106615. _analysis_output_always(buf,seq,marker,v->pcm_current,0,0,totalshift);
  106616. }
  106617. for(m=0;m<VE_BANDS;m++){
  106618. char buf[80];
  106619. sprintf(buf,"delR%d",m);
  106620. for(l=0;l<last;l++)marker[l*ve->searchstep]=ve->filter[m+VE_BANDS].markers[l]*.1;
  106621. _analysis_output_always(buf,seq,marker,v->pcm_current,0,0,totalshift);
  106622. }
  106623. for(l=0;l<last;l++)marker[l*ve->searchstep]=ve->mark[l]*.4;
  106624. _analysis_output_always("mark",seq,marker,v->pcm_current,0,0,totalshift);
  106625. seq++;
  106626. }
  106627. #endif
  106628. ve->curmark=j;
  106629. if(j>=testW)return(1);
  106630. return(0);
  106631. }
  106632. }
  106633. j+=ve->searchstep;
  106634. }
  106635. }
  106636. return(-1);
  106637. }
  106638. int _ve_envelope_mark(vorbis_dsp_state *v){
  106639. envelope_lookup *ve=((private_state *)(v->backend_state))->ve;
  106640. vorbis_info *vi=v->vi;
  106641. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  106642. long centerW=v->centerW;
  106643. long beginW=centerW-ci->blocksizes[v->W]/4;
  106644. long endW=centerW+ci->blocksizes[v->W]/4;
  106645. if(v->W){
  106646. beginW-=ci->blocksizes[v->lW]/4;
  106647. endW+=ci->blocksizes[v->nW]/4;
  106648. }else{
  106649. beginW-=ci->blocksizes[0]/4;
  106650. endW+=ci->blocksizes[0]/4;
  106651. }
  106652. if(ve->curmark>=beginW && ve->curmark<endW)return(1);
  106653. {
  106654. long first=beginW/ve->searchstep;
  106655. long last=endW/ve->searchstep;
  106656. long i;
  106657. for(i=first;i<last;i++)
  106658. if(ve->mark[i])return(1);
  106659. }
  106660. return(0);
  106661. }
  106662. void _ve_envelope_shift(envelope_lookup *e,long shift){
  106663. int smallsize=e->current/e->searchstep+VE_POST; /* adjust for placing marks
  106664. ahead of ve->current */
  106665. int smallshift=shift/e->searchstep;
  106666. memmove(e->mark,e->mark+smallshift,(smallsize-smallshift)*sizeof(*e->mark));
  106667. #if 0
  106668. for(i=0;i<VE_BANDS*e->ch;i++)
  106669. memmove(e->filter[i].markers,
  106670. e->filter[i].markers+smallshift,
  106671. (1024-smallshift)*sizeof(*(*e->filter).markers));
  106672. totalshift+=shift;
  106673. #endif
  106674. e->current-=shift;
  106675. if(e->curmark>=0)
  106676. e->curmark-=shift;
  106677. e->cursor-=shift;
  106678. }
  106679. #endif
  106680. /********* End of inlined file: envelope.c *********/
  106681. /********* Start of inlined file: floor0.c *********/
  106682. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  106683. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  106684. // tasks..
  106685. #ifdef _MSC_VER
  106686. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  106687. #endif
  106688. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  106689. #if JUCE_USE_OGGVORBIS
  106690. #include <stdlib.h>
  106691. #include <string.h>
  106692. #include <math.h>
  106693. /********* Start of inlined file: lsp.h *********/
  106694. #ifndef _V_LSP_H_
  106695. #define _V_LSP_H_
  106696. extern int vorbis_lpc_to_lsp(float *lpc,float *lsp,int m);
  106697. extern void vorbis_lsp_to_curve(float *curve,int *map,int n,int ln,
  106698. float *lsp,int m,
  106699. float amp,float ampoffset);
  106700. #endif
  106701. /********* End of inlined file: lsp.h *********/
  106702. #include <stdio.h>
  106703. typedef struct {
  106704. int ln;
  106705. int m;
  106706. int **linearmap;
  106707. int n[2];
  106708. vorbis_info_floor0 *vi;
  106709. long bits;
  106710. long frames;
  106711. } vorbis_look_floor0;
  106712. /***********************************************/
  106713. static void floor0_free_info(vorbis_info_floor *i){
  106714. vorbis_info_floor0 *info=(vorbis_info_floor0 *)i;
  106715. if(info){
  106716. memset(info,0,sizeof(*info));
  106717. _ogg_free(info);
  106718. }
  106719. }
  106720. static void floor0_free_look(vorbis_look_floor *i){
  106721. vorbis_look_floor0 *look=(vorbis_look_floor0 *)i;
  106722. if(look){
  106723. if(look->linearmap){
  106724. if(look->linearmap[0])_ogg_free(look->linearmap[0]);
  106725. if(look->linearmap[1])_ogg_free(look->linearmap[1]);
  106726. _ogg_free(look->linearmap);
  106727. }
  106728. memset(look,0,sizeof(*look));
  106729. _ogg_free(look);
  106730. }
  106731. }
  106732. static vorbis_info_floor *floor0_unpack (vorbis_info *vi,oggpack_buffer *opb){
  106733. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  106734. int j;
  106735. vorbis_info_floor0 *info=(vorbis_info_floor0*)_ogg_malloc(sizeof(*info));
  106736. info->order=oggpack_read(opb,8);
  106737. info->rate=oggpack_read(opb,16);
  106738. info->barkmap=oggpack_read(opb,16);
  106739. info->ampbits=oggpack_read(opb,6);
  106740. info->ampdB=oggpack_read(opb,8);
  106741. info->numbooks=oggpack_read(opb,4)+1;
  106742. if(info->order<1)goto err_out;
  106743. if(info->rate<1)goto err_out;
  106744. if(info->barkmap<1)goto err_out;
  106745. if(info->numbooks<1)goto err_out;
  106746. for(j=0;j<info->numbooks;j++){
  106747. info->books[j]=oggpack_read(opb,8);
  106748. if(info->books[j]<0 || info->books[j]>=ci->books)goto err_out;
  106749. }
  106750. return(info);
  106751. err_out:
  106752. floor0_free_info(info);
  106753. return(NULL);
  106754. }
  106755. /* initialize Bark scale and normalization lookups. We could do this
  106756. with static tables, but Vorbis allows a number of possible
  106757. combinations, so it's best to do it computationally.
  106758. The below is authoritative in terms of defining scale mapping.
  106759. Note that the scale depends on the sampling rate as well as the
  106760. linear block and mapping sizes */
  106761. static void floor0_map_lazy_init(vorbis_block *vb,
  106762. vorbis_info_floor *infoX,
  106763. vorbis_look_floor0 *look){
  106764. if(!look->linearmap[vb->W]){
  106765. vorbis_dsp_state *vd=vb->vd;
  106766. vorbis_info *vi=vd->vi;
  106767. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  106768. vorbis_info_floor0 *info=(vorbis_info_floor0 *)infoX;
  106769. int W=vb->W;
  106770. int n=ci->blocksizes[W]/2,j;
  106771. /* we choose a scaling constant so that:
  106772. floor(bark(rate/2-1)*C)=mapped-1
  106773. floor(bark(rate/2)*C)=mapped */
  106774. float scale=look->ln/toBARK(info->rate/2.f);
  106775. /* the mapping from a linear scale to a smaller bark scale is
  106776. straightforward. We do *not* make sure that the linear mapping
  106777. does not skip bark-scale bins; the decoder simply skips them and
  106778. the encoder may do what it wishes in filling them. They're
  106779. necessary in some mapping combinations to keep the scale spacing
  106780. accurate */
  106781. look->linearmap[W]=(int*)_ogg_malloc((n+1)*sizeof(**look->linearmap));
  106782. for(j=0;j<n;j++){
  106783. int val=floor( toBARK((info->rate/2.f)/n*j)
  106784. *scale); /* bark numbers represent band edges */
  106785. if(val>=look->ln)val=look->ln-1; /* guard against the approximation */
  106786. look->linearmap[W][j]=val;
  106787. }
  106788. look->linearmap[W][j]=-1;
  106789. look->n[W]=n;
  106790. }
  106791. }
  106792. static vorbis_look_floor *floor0_look(vorbis_dsp_state *vd,
  106793. vorbis_info_floor *i){
  106794. vorbis_info_floor0 *info=(vorbis_info_floor0*)i;
  106795. vorbis_look_floor0 *look=(vorbis_look_floor0*)_ogg_calloc(1,sizeof(*look));
  106796. look->m=info->order;
  106797. look->ln=info->barkmap;
  106798. look->vi=info;
  106799. look->linearmap=(int**)_ogg_calloc(2,sizeof(*look->linearmap));
  106800. return look;
  106801. }
  106802. static void *floor0_inverse1(vorbis_block *vb,vorbis_look_floor *i){
  106803. vorbis_look_floor0 *look=(vorbis_look_floor0 *)i;
  106804. vorbis_info_floor0 *info=look->vi;
  106805. int j,k;
  106806. int ampraw=oggpack_read(&vb->opb,info->ampbits);
  106807. if(ampraw>0){ /* also handles the -1 out of data case */
  106808. long maxval=(1<<info->ampbits)-1;
  106809. float amp=(float)ampraw/maxval*info->ampdB;
  106810. int booknum=oggpack_read(&vb->opb,_ilog(info->numbooks));
  106811. if(booknum!=-1 && booknum<info->numbooks){ /* be paranoid */
  106812. codec_setup_info *ci=(codec_setup_info *)vb->vd->vi->codec_setup;
  106813. codebook *b=ci->fullbooks+info->books[booknum];
  106814. float last=0.f;
  106815. /* the additional b->dim is a guard against any possible stack
  106816. smash; b->dim is provably more than we can overflow the
  106817. vector */
  106818. float *lsp=(float*)_vorbis_block_alloc(vb,sizeof(*lsp)*(look->m+b->dim+1));
  106819. for(j=0;j<look->m;j+=b->dim)
  106820. if(vorbis_book_decodev_set(b,lsp+j,&vb->opb,b->dim)==-1)goto eop;
  106821. for(j=0;j<look->m;){
  106822. for(k=0;k<b->dim;k++,j++)lsp[j]+=last;
  106823. last=lsp[j-1];
  106824. }
  106825. lsp[look->m]=amp;
  106826. return(lsp);
  106827. }
  106828. }
  106829. eop:
  106830. return(NULL);
  106831. }
  106832. static int floor0_inverse2(vorbis_block *vb,vorbis_look_floor *i,
  106833. void *memo,float *out){
  106834. vorbis_look_floor0 *look=(vorbis_look_floor0 *)i;
  106835. vorbis_info_floor0 *info=look->vi;
  106836. floor0_map_lazy_init(vb,info,look);
  106837. if(memo){
  106838. float *lsp=(float *)memo;
  106839. float amp=lsp[look->m];
  106840. /* take the coefficients back to a spectral envelope curve */
  106841. vorbis_lsp_to_curve(out,
  106842. look->linearmap[vb->W],
  106843. look->n[vb->W],
  106844. look->ln,
  106845. lsp,look->m,amp,(float)info->ampdB);
  106846. return(1);
  106847. }
  106848. memset(out,0,sizeof(*out)*look->n[vb->W]);
  106849. return(0);
  106850. }
  106851. /* export hooks */
  106852. vorbis_func_floor floor0_exportbundle={
  106853. NULL,&floor0_unpack,&floor0_look,&floor0_free_info,
  106854. &floor0_free_look,&floor0_inverse1,&floor0_inverse2
  106855. };
  106856. #endif
  106857. /********* End of inlined file: floor0.c *********/
  106858. /********* Start of inlined file: floor1.c *********/
  106859. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  106860. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  106861. // tasks..
  106862. #ifdef _MSC_VER
  106863. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  106864. #endif
  106865. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  106866. #if JUCE_USE_OGGVORBIS
  106867. #include <stdlib.h>
  106868. #include <string.h>
  106869. #include <math.h>
  106870. #include <stdio.h>
  106871. #define floor1_rangedB 140 /* floor 1 fixed at -140dB to 0dB range */
  106872. typedef struct {
  106873. int sorted_index[VIF_POSIT+2];
  106874. int forward_index[VIF_POSIT+2];
  106875. int reverse_index[VIF_POSIT+2];
  106876. int hineighbor[VIF_POSIT];
  106877. int loneighbor[VIF_POSIT];
  106878. int posts;
  106879. int n;
  106880. int quant_q;
  106881. vorbis_info_floor1 *vi;
  106882. long phrasebits;
  106883. long postbits;
  106884. long frames;
  106885. } vorbis_look_floor1;
  106886. typedef struct lsfit_acc{
  106887. long x0;
  106888. long x1;
  106889. long xa;
  106890. long ya;
  106891. long x2a;
  106892. long y2a;
  106893. long xya;
  106894. long an;
  106895. } lsfit_acc;
  106896. /***********************************************/
  106897. static void floor1_free_info(vorbis_info_floor *i){
  106898. vorbis_info_floor1 *info=(vorbis_info_floor1 *)i;
  106899. if(info){
  106900. memset(info,0,sizeof(*info));
  106901. _ogg_free(info);
  106902. }
  106903. }
  106904. static void floor1_free_look(vorbis_look_floor *i){
  106905. vorbis_look_floor1 *look=(vorbis_look_floor1 *)i;
  106906. if(look){
  106907. /*fprintf(stderr,"floor 1 bit usage %f:%f (%f total)\n",
  106908. (float)look->phrasebits/look->frames,
  106909. (float)look->postbits/look->frames,
  106910. (float)(look->postbits+look->phrasebits)/look->frames);*/
  106911. memset(look,0,sizeof(*look));
  106912. _ogg_free(look);
  106913. }
  106914. }
  106915. static void floor1_pack (vorbis_info_floor *i,oggpack_buffer *opb){
  106916. vorbis_info_floor1 *info=(vorbis_info_floor1 *)i;
  106917. int j,k;
  106918. int count=0;
  106919. int rangebits;
  106920. int maxposit=info->postlist[1];
  106921. int maxclass=-1;
  106922. /* save out partitions */
  106923. oggpack_write(opb,info->partitions,5); /* only 0 to 31 legal */
  106924. for(j=0;j<info->partitions;j++){
  106925. oggpack_write(opb,info->partitionclass[j],4); /* only 0 to 15 legal */
  106926. if(maxclass<info->partitionclass[j])maxclass=info->partitionclass[j];
  106927. }
  106928. /* save out partition classes */
  106929. for(j=0;j<maxclass+1;j++){
  106930. oggpack_write(opb,info->class_dim[j]-1,3); /* 1 to 8 */
  106931. oggpack_write(opb,info->class_subs[j],2); /* 0 to 3 */
  106932. if(info->class_subs[j])oggpack_write(opb,info->class_book[j],8);
  106933. for(k=0;k<(1<<info->class_subs[j]);k++)
  106934. oggpack_write(opb,info->class_subbook[j][k]+1,8);
  106935. }
  106936. /* save out the post list */
  106937. oggpack_write(opb,info->mult-1,2); /* only 1,2,3,4 legal now */
  106938. oggpack_write(opb,ilog2(maxposit),4);
  106939. rangebits=ilog2(maxposit);
  106940. for(j=0,k=0;j<info->partitions;j++){
  106941. count+=info->class_dim[info->partitionclass[j]];
  106942. for(;k<count;k++)
  106943. oggpack_write(opb,info->postlist[k+2],rangebits);
  106944. }
  106945. }
  106946. static vorbis_info_floor *floor1_unpack (vorbis_info *vi,oggpack_buffer *opb){
  106947. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  106948. int j,k,count=0,maxclass=-1,rangebits;
  106949. vorbis_info_floor1 *info=(vorbis_info_floor1*)_ogg_calloc(1,sizeof(*info));
  106950. /* read partitions */
  106951. info->partitions=oggpack_read(opb,5); /* only 0 to 31 legal */
  106952. for(j=0;j<info->partitions;j++){
  106953. info->partitionclass[j]=oggpack_read(opb,4); /* only 0 to 15 legal */
  106954. if(maxclass<info->partitionclass[j])maxclass=info->partitionclass[j];
  106955. }
  106956. /* read partition classes */
  106957. for(j=0;j<maxclass+1;j++){
  106958. info->class_dim[j]=oggpack_read(opb,3)+1; /* 1 to 8 */
  106959. info->class_subs[j]=oggpack_read(opb,2); /* 0,1,2,3 bits */
  106960. if(info->class_subs[j]<0)
  106961. goto err_out;
  106962. if(info->class_subs[j])info->class_book[j]=oggpack_read(opb,8);
  106963. if(info->class_book[j]<0 || info->class_book[j]>=ci->books)
  106964. goto err_out;
  106965. for(k=0;k<(1<<info->class_subs[j]);k++){
  106966. info->class_subbook[j][k]=oggpack_read(opb,8)-1;
  106967. if(info->class_subbook[j][k]<-1 || info->class_subbook[j][k]>=ci->books)
  106968. goto err_out;
  106969. }
  106970. }
  106971. /* read the post list */
  106972. info->mult=oggpack_read(opb,2)+1; /* only 1,2,3,4 legal now */
  106973. rangebits=oggpack_read(opb,4);
  106974. for(j=0,k=0;j<info->partitions;j++){
  106975. count+=info->class_dim[info->partitionclass[j]];
  106976. for(;k<count;k++){
  106977. int t=info->postlist[k+2]=oggpack_read(opb,rangebits);
  106978. if(t<0 || t>=(1<<rangebits))
  106979. goto err_out;
  106980. }
  106981. }
  106982. info->postlist[0]=0;
  106983. info->postlist[1]=1<<rangebits;
  106984. return(info);
  106985. err_out:
  106986. floor1_free_info(info);
  106987. return(NULL);
  106988. }
  106989. static int icomp(const void *a,const void *b){
  106990. return(**(int **)a-**(int **)b);
  106991. }
  106992. static vorbis_look_floor *floor1_look(vorbis_dsp_state *vd,
  106993. vorbis_info_floor *in){
  106994. int *sortpointer[VIF_POSIT+2];
  106995. vorbis_info_floor1 *info=(vorbis_info_floor1*)in;
  106996. vorbis_look_floor1 *look=(vorbis_look_floor1*)_ogg_calloc(1,sizeof(*look));
  106997. int i,j,n=0;
  106998. look->vi=info;
  106999. look->n=info->postlist[1];
  107000. /* we drop each position value in-between already decoded values,
  107001. and use linear interpolation to predict each new value past the
  107002. edges. The positions are read in the order of the position
  107003. list... we precompute the bounding positions in the lookup. Of
  107004. course, the neighbors can change (if a position is declined), but
  107005. this is an initial mapping */
  107006. for(i=0;i<info->partitions;i++)n+=info->class_dim[info->partitionclass[i]];
  107007. n+=2;
  107008. look->posts=n;
  107009. /* also store a sorted position index */
  107010. for(i=0;i<n;i++)sortpointer[i]=info->postlist+i;
  107011. qsort(sortpointer,n,sizeof(*sortpointer),icomp);
  107012. /* points from sort order back to range number */
  107013. for(i=0;i<n;i++)look->forward_index[i]=sortpointer[i]-info->postlist;
  107014. /* points from range order to sorted position */
  107015. for(i=0;i<n;i++)look->reverse_index[look->forward_index[i]]=i;
  107016. /* we actually need the post values too */
  107017. for(i=0;i<n;i++)look->sorted_index[i]=info->postlist[look->forward_index[i]];
  107018. /* quantize values to multiplier spec */
  107019. switch(info->mult){
  107020. case 1: /* 1024 -> 256 */
  107021. look->quant_q=256;
  107022. break;
  107023. case 2: /* 1024 -> 128 */
  107024. look->quant_q=128;
  107025. break;
  107026. case 3: /* 1024 -> 86 */
  107027. look->quant_q=86;
  107028. break;
  107029. case 4: /* 1024 -> 64 */
  107030. look->quant_q=64;
  107031. break;
  107032. }
  107033. /* discover our neighbors for decode where we don't use fit flags
  107034. (that would push the neighbors outward) */
  107035. for(i=0;i<n-2;i++){
  107036. int lo=0;
  107037. int hi=1;
  107038. int lx=0;
  107039. int hx=look->n;
  107040. int currentx=info->postlist[i+2];
  107041. for(j=0;j<i+2;j++){
  107042. int x=info->postlist[j];
  107043. if(x>lx && x<currentx){
  107044. lo=j;
  107045. lx=x;
  107046. }
  107047. if(x<hx && x>currentx){
  107048. hi=j;
  107049. hx=x;
  107050. }
  107051. }
  107052. look->loneighbor[i]=lo;
  107053. look->hineighbor[i]=hi;
  107054. }
  107055. return(look);
  107056. }
  107057. static int render_point(int x0,int x1,int y0,int y1,int x){
  107058. y0&=0x7fff; /* mask off flag */
  107059. y1&=0x7fff;
  107060. {
  107061. int dy=y1-y0;
  107062. int adx=x1-x0;
  107063. int ady=abs(dy);
  107064. int err=ady*(x-x0);
  107065. int off=err/adx;
  107066. if(dy<0)return(y0-off);
  107067. return(y0+off);
  107068. }
  107069. }
  107070. static int vorbis_dBquant(const float *x){
  107071. int i= *x*7.3142857f+1023.5f;
  107072. if(i>1023)return(1023);
  107073. if(i<0)return(0);
  107074. return i;
  107075. }
  107076. static float FLOOR1_fromdB_LOOKUP[256]={
  107077. 1.0649863e-07F, 1.1341951e-07F, 1.2079015e-07F, 1.2863978e-07F,
  107078. 1.3699951e-07F, 1.4590251e-07F, 1.5538408e-07F, 1.6548181e-07F,
  107079. 1.7623575e-07F, 1.8768855e-07F, 1.9988561e-07F, 2.128753e-07F,
  107080. 2.2670913e-07F, 2.4144197e-07F, 2.5713223e-07F, 2.7384213e-07F,
  107081. 2.9163793e-07F, 3.1059021e-07F, 3.3077411e-07F, 3.5226968e-07F,
  107082. 3.7516214e-07F, 3.9954229e-07F, 4.2550680e-07F, 4.5315863e-07F,
  107083. 4.8260743e-07F, 5.1396998e-07F, 5.4737065e-07F, 5.8294187e-07F,
  107084. 6.2082472e-07F, 6.6116941e-07F, 7.0413592e-07F, 7.4989464e-07F,
  107085. 7.9862701e-07F, 8.5052630e-07F, 9.0579828e-07F, 9.6466216e-07F,
  107086. 1.0273513e-06F, 1.0941144e-06F, 1.1652161e-06F, 1.2409384e-06F,
  107087. 1.3215816e-06F, 1.4074654e-06F, 1.4989305e-06F, 1.5963394e-06F,
  107088. 1.7000785e-06F, 1.8105592e-06F, 1.9282195e-06F, 2.0535261e-06F,
  107089. 2.1869758e-06F, 2.3290978e-06F, 2.4804557e-06F, 2.6416497e-06F,
  107090. 2.8133190e-06F, 2.9961443e-06F, 3.1908506e-06F, 3.3982101e-06F,
  107091. 3.6190449e-06F, 3.8542308e-06F, 4.1047004e-06F, 4.3714470e-06F,
  107092. 4.6555282e-06F, 4.9580707e-06F, 5.2802740e-06F, 5.6234160e-06F,
  107093. 5.9888572e-06F, 6.3780469e-06F, 6.7925283e-06F, 7.2339451e-06F,
  107094. 7.7040476e-06F, 8.2047000e-06F, 8.7378876e-06F, 9.3057248e-06F,
  107095. 9.9104632e-06F, 1.0554501e-05F, 1.1240392e-05F, 1.1970856e-05F,
  107096. 1.2748789e-05F, 1.3577278e-05F, 1.4459606e-05F, 1.5399272e-05F,
  107097. 1.6400004e-05F, 1.7465768e-05F, 1.8600792e-05F, 1.9809576e-05F,
  107098. 2.1096914e-05F, 2.2467911e-05F, 2.3928002e-05F, 2.5482978e-05F,
  107099. 2.7139006e-05F, 2.8902651e-05F, 3.0780908e-05F, 3.2781225e-05F,
  107100. 3.4911534e-05F, 3.7180282e-05F, 3.9596466e-05F, 4.2169667e-05F,
  107101. 4.4910090e-05F, 4.7828601e-05F, 5.0936773e-05F, 5.4246931e-05F,
  107102. 5.7772202e-05F, 6.1526565e-05F, 6.5524908e-05F, 6.9783085e-05F,
  107103. 7.4317983e-05F, 7.9147585e-05F, 8.4291040e-05F, 8.9768747e-05F,
  107104. 9.5602426e-05F, 0.00010181521F, 0.00010843174F, 0.00011547824F,
  107105. 0.00012298267F, 0.00013097477F, 0.00013948625F, 0.00014855085F,
  107106. 0.00015820453F, 0.00016848555F, 0.00017943469F, 0.00019109536F,
  107107. 0.00020351382F, 0.00021673929F, 0.00023082423F, 0.00024582449F,
  107108. 0.00026179955F, 0.00027881276F, 0.00029693158F, 0.00031622787F,
  107109. 0.00033677814F, 0.00035866388F, 0.00038197188F, 0.00040679456F,
  107110. 0.00043323036F, 0.00046138411F, 0.00049136745F, 0.00052329927F,
  107111. 0.00055730621F, 0.00059352311F, 0.00063209358F, 0.00067317058F,
  107112. 0.00071691700F, 0.00076350630F, 0.00081312324F, 0.00086596457F,
  107113. 0.00092223983F, 0.00098217216F, 0.0010459992F, 0.0011139742F,
  107114. 0.0011863665F, 0.0012634633F, 0.0013455702F, 0.0014330129F,
  107115. 0.0015261382F, 0.0016253153F, 0.0017309374F, 0.0018434235F,
  107116. 0.0019632195F, 0.0020908006F, 0.0022266726F, 0.0023713743F,
  107117. 0.0025254795F, 0.0026895994F, 0.0028643847F, 0.0030505286F,
  107118. 0.0032487691F, 0.0034598925F, 0.0036847358F, 0.0039241906F,
  107119. 0.0041792066F, 0.0044507950F, 0.0047400328F, 0.0050480668F,
  107120. 0.0053761186F, 0.0057254891F, 0.0060975636F, 0.0064938176F,
  107121. 0.0069158225F, 0.0073652516F, 0.0078438871F, 0.0083536271F,
  107122. 0.0088964928F, 0.009474637F, 0.010090352F, 0.010746080F,
  107123. 0.011444421F, 0.012188144F, 0.012980198F, 0.013823725F,
  107124. 0.014722068F, 0.015678791F, 0.016697687F, 0.017782797F,
  107125. 0.018938423F, 0.020169149F, 0.021479854F, 0.022875735F,
  107126. 0.024362330F, 0.025945531F, 0.027631618F, 0.029427276F,
  107127. 0.031339626F, 0.033376252F, 0.035545228F, 0.037855157F,
  107128. 0.040315199F, 0.042935108F, 0.045725273F, 0.048696758F,
  107129. 0.051861348F, 0.055231591F, 0.058820850F, 0.062643361F,
  107130. 0.066714279F, 0.071049749F, 0.075666962F, 0.080584227F,
  107131. 0.085821044F, 0.091398179F, 0.097337747F, 0.10366330F,
  107132. 0.11039993F, 0.11757434F, 0.12521498F, 0.13335215F,
  107133. 0.14201813F, 0.15124727F, 0.16107617F, 0.17154380F,
  107134. 0.18269168F, 0.19456402F, 0.20720788F, 0.22067342F,
  107135. 0.23501402F, 0.25028656F, 0.26655159F, 0.28387361F,
  107136. 0.30232132F, 0.32196786F, 0.34289114F, 0.36517414F,
  107137. 0.38890521F, 0.41417847F, 0.44109412F, 0.46975890F,
  107138. 0.50028648F, 0.53279791F, 0.56742212F, 0.60429640F,
  107139. 0.64356699F, 0.68538959F, 0.72993007F, 0.77736504F,
  107140. 0.82788260F, 0.88168307F, 0.9389798F, 1.F,
  107141. };
  107142. static void render_line(int x0,int x1,int y0,int y1,float *d){
  107143. int dy=y1-y0;
  107144. int adx=x1-x0;
  107145. int ady=abs(dy);
  107146. int base=dy/adx;
  107147. int sy=(dy<0?base-1:base+1);
  107148. int x=x0;
  107149. int y=y0;
  107150. int err=0;
  107151. ady-=abs(base*adx);
  107152. d[x]*=FLOOR1_fromdB_LOOKUP[y];
  107153. while(++x<x1){
  107154. err=err+ady;
  107155. if(err>=adx){
  107156. err-=adx;
  107157. y+=sy;
  107158. }else{
  107159. y+=base;
  107160. }
  107161. d[x]*=FLOOR1_fromdB_LOOKUP[y];
  107162. }
  107163. }
  107164. static void render_line0(int x0,int x1,int y0,int y1,int *d){
  107165. int dy=y1-y0;
  107166. int adx=x1-x0;
  107167. int ady=abs(dy);
  107168. int base=dy/adx;
  107169. int sy=(dy<0?base-1:base+1);
  107170. int x=x0;
  107171. int y=y0;
  107172. int err=0;
  107173. ady-=abs(base*adx);
  107174. d[x]=y;
  107175. while(++x<x1){
  107176. err=err+ady;
  107177. if(err>=adx){
  107178. err-=adx;
  107179. y+=sy;
  107180. }else{
  107181. y+=base;
  107182. }
  107183. d[x]=y;
  107184. }
  107185. }
  107186. /* the floor has already been filtered to only include relevant sections */
  107187. static int accumulate_fit(const float *flr,const float *mdct,
  107188. int x0, int x1,lsfit_acc *a,
  107189. int n,vorbis_info_floor1 *info){
  107190. long i;
  107191. long xa=0,ya=0,x2a=0,y2a=0,xya=0,na=0, xb=0,yb=0,x2b=0,y2b=0,xyb=0,nb=0;
  107192. memset(a,0,sizeof(*a));
  107193. a->x0=x0;
  107194. a->x1=x1;
  107195. if(x1>=n)x1=n-1;
  107196. for(i=x0;i<=x1;i++){
  107197. int quantized=vorbis_dBquant(flr+i);
  107198. if(quantized){
  107199. if(mdct[i]+info->twofitatten>=flr[i]){
  107200. xa += i;
  107201. ya += quantized;
  107202. x2a += i*i;
  107203. y2a += quantized*quantized;
  107204. xya += i*quantized;
  107205. na++;
  107206. }else{
  107207. xb += i;
  107208. yb += quantized;
  107209. x2b += i*i;
  107210. y2b += quantized*quantized;
  107211. xyb += i*quantized;
  107212. nb++;
  107213. }
  107214. }
  107215. }
  107216. xb+=xa;
  107217. yb+=ya;
  107218. x2b+=x2a;
  107219. y2b+=y2a;
  107220. xyb+=xya;
  107221. nb+=na;
  107222. /* weight toward the actually used frequencies if we meet the threshhold */
  107223. {
  107224. int weight=nb*info->twofitweight/(na+1);
  107225. a->xa=xa*weight+xb;
  107226. a->ya=ya*weight+yb;
  107227. a->x2a=x2a*weight+x2b;
  107228. a->y2a=y2a*weight+y2b;
  107229. a->xya=xya*weight+xyb;
  107230. a->an=na*weight+nb;
  107231. }
  107232. return(na);
  107233. }
  107234. static void fit_line(lsfit_acc *a,int fits,int *y0,int *y1){
  107235. long x=0,y=0,x2=0,y2=0,xy=0,an=0,i;
  107236. long x0=a[0].x0;
  107237. long x1=a[fits-1].x1;
  107238. for(i=0;i<fits;i++){
  107239. x+=a[i].xa;
  107240. y+=a[i].ya;
  107241. x2+=a[i].x2a;
  107242. y2+=a[i].y2a;
  107243. xy+=a[i].xya;
  107244. an+=a[i].an;
  107245. }
  107246. if(*y0>=0){
  107247. x+= x0;
  107248. y+= *y0;
  107249. x2+= x0 * x0;
  107250. y2+= *y0 * *y0;
  107251. xy+= *y0 * x0;
  107252. an++;
  107253. }
  107254. if(*y1>=0){
  107255. x+= x1;
  107256. y+= *y1;
  107257. x2+= x1 * x1;
  107258. y2+= *y1 * *y1;
  107259. xy+= *y1 * x1;
  107260. an++;
  107261. }
  107262. if(an){
  107263. /* need 64 bit multiplies, which C doesn't give portably as int */
  107264. double fx=x;
  107265. double fy=y;
  107266. double fx2=x2;
  107267. double fxy=xy;
  107268. double denom=1./(an*fx2-fx*fx);
  107269. double a=(fy*fx2-fxy*fx)*denom;
  107270. double b=(an*fxy-fx*fy)*denom;
  107271. *y0=rint(a+b*x0);
  107272. *y1=rint(a+b*x1);
  107273. /* limit to our range! */
  107274. if(*y0>1023)*y0=1023;
  107275. if(*y1>1023)*y1=1023;
  107276. if(*y0<0)*y0=0;
  107277. if(*y1<0)*y1=0;
  107278. }else{
  107279. *y0=0;
  107280. *y1=0;
  107281. }
  107282. }
  107283. /*static void fit_line_point(lsfit_acc *a,int fits,int *y0,int *y1){
  107284. long y=0;
  107285. int i;
  107286. for(i=0;i<fits && y==0;i++)
  107287. y+=a[i].ya;
  107288. *y0=*y1=y;
  107289. }*/
  107290. static int inspect_error(int x0,int x1,int y0,int y1,const float *mask,
  107291. const float *mdct,
  107292. vorbis_info_floor1 *info){
  107293. int dy=y1-y0;
  107294. int adx=x1-x0;
  107295. int ady=abs(dy);
  107296. int base=dy/adx;
  107297. int sy=(dy<0?base-1:base+1);
  107298. int x=x0;
  107299. int y=y0;
  107300. int err=0;
  107301. int val=vorbis_dBquant(mask+x);
  107302. int mse=0;
  107303. int n=0;
  107304. ady-=abs(base*adx);
  107305. mse=(y-val);
  107306. mse*=mse;
  107307. n++;
  107308. if(mdct[x]+info->twofitatten>=mask[x]){
  107309. if(y+info->maxover<val)return(1);
  107310. if(y-info->maxunder>val)return(1);
  107311. }
  107312. while(++x<x1){
  107313. err=err+ady;
  107314. if(err>=adx){
  107315. err-=adx;
  107316. y+=sy;
  107317. }else{
  107318. y+=base;
  107319. }
  107320. val=vorbis_dBquant(mask+x);
  107321. mse+=((y-val)*(y-val));
  107322. n++;
  107323. if(mdct[x]+info->twofitatten>=mask[x]){
  107324. if(val){
  107325. if(y+info->maxover<val)return(1);
  107326. if(y-info->maxunder>val)return(1);
  107327. }
  107328. }
  107329. }
  107330. if(info->maxover*info->maxover/n>info->maxerr)return(0);
  107331. if(info->maxunder*info->maxunder/n>info->maxerr)return(0);
  107332. if(mse/n>info->maxerr)return(1);
  107333. return(0);
  107334. }
  107335. static int post_Y(int *A,int *B,int pos){
  107336. if(A[pos]<0)
  107337. return B[pos];
  107338. if(B[pos]<0)
  107339. return A[pos];
  107340. return (A[pos]+B[pos])>>1;
  107341. }
  107342. int *floor1_fit(vorbis_block *vb,void *look_,
  107343. const float *logmdct, /* in */
  107344. const float *logmask){
  107345. long i,j;
  107346. vorbis_look_floor1 *look = (vorbis_look_floor1*) look_;
  107347. vorbis_info_floor1 *info=look->vi;
  107348. long n=look->n;
  107349. long posts=look->posts;
  107350. long nonzero=0;
  107351. lsfit_acc fits[VIF_POSIT+1];
  107352. int fit_valueA[VIF_POSIT+2]; /* index by range list position */
  107353. int fit_valueB[VIF_POSIT+2]; /* index by range list position */
  107354. int loneighbor[VIF_POSIT+2]; /* sorted index of range list position (+2) */
  107355. int hineighbor[VIF_POSIT+2];
  107356. int *output=NULL;
  107357. int memo[VIF_POSIT+2];
  107358. for(i=0;i<posts;i++)fit_valueA[i]=-200; /* mark all unused */
  107359. for(i=0;i<posts;i++)fit_valueB[i]=-200; /* mark all unused */
  107360. for(i=0;i<posts;i++)loneighbor[i]=0; /* 0 for the implicit 0 post */
  107361. for(i=0;i<posts;i++)hineighbor[i]=1; /* 1 for the implicit post at n */
  107362. for(i=0;i<posts;i++)memo[i]=-1; /* no neighbor yet */
  107363. /* quantize the relevant floor points and collect them into line fit
  107364. structures (one per minimal division) at the same time */
  107365. if(posts==0){
  107366. nonzero+=accumulate_fit(logmask,logmdct,0,n,fits,n,info);
  107367. }else{
  107368. for(i=0;i<posts-1;i++)
  107369. nonzero+=accumulate_fit(logmask,logmdct,look->sorted_index[i],
  107370. look->sorted_index[i+1],fits+i,
  107371. n,info);
  107372. }
  107373. if(nonzero){
  107374. /* start by fitting the implicit base case.... */
  107375. int y0=-200;
  107376. int y1=-200;
  107377. fit_line(fits,posts-1,&y0,&y1);
  107378. fit_valueA[0]=y0;
  107379. fit_valueB[0]=y0;
  107380. fit_valueB[1]=y1;
  107381. fit_valueA[1]=y1;
  107382. /* Non degenerate case */
  107383. /* start progressive splitting. This is a greedy, non-optimal
  107384. algorithm, but simple and close enough to the best
  107385. answer. */
  107386. for(i=2;i<posts;i++){
  107387. int sortpos=look->reverse_index[i];
  107388. int ln=loneighbor[sortpos];
  107389. int hn=hineighbor[sortpos];
  107390. /* eliminate repeat searches of a particular range with a memo */
  107391. if(memo[ln]!=hn){
  107392. /* haven't performed this error search yet */
  107393. int lsortpos=look->reverse_index[ln];
  107394. int hsortpos=look->reverse_index[hn];
  107395. memo[ln]=hn;
  107396. {
  107397. /* A note: we want to bound/minimize *local*, not global, error */
  107398. int lx=info->postlist[ln];
  107399. int hx=info->postlist[hn];
  107400. int ly=post_Y(fit_valueA,fit_valueB,ln);
  107401. int hy=post_Y(fit_valueA,fit_valueB,hn);
  107402. if(ly==-1 || hy==-1){
  107403. exit(1);
  107404. }
  107405. if(inspect_error(lx,hx,ly,hy,logmask,logmdct,info)){
  107406. /* outside error bounds/begin search area. Split it. */
  107407. int ly0=-200;
  107408. int ly1=-200;
  107409. int hy0=-200;
  107410. int hy1=-200;
  107411. fit_line(fits+lsortpos,sortpos-lsortpos,&ly0,&ly1);
  107412. fit_line(fits+sortpos,hsortpos-sortpos,&hy0,&hy1);
  107413. /* store new edge values */
  107414. fit_valueB[ln]=ly0;
  107415. if(ln==0)fit_valueA[ln]=ly0;
  107416. fit_valueA[i]=ly1;
  107417. fit_valueB[i]=hy0;
  107418. fit_valueA[hn]=hy1;
  107419. if(hn==1)fit_valueB[hn]=hy1;
  107420. if(ly1>=0 || hy0>=0){
  107421. /* store new neighbor values */
  107422. for(j=sortpos-1;j>=0;j--)
  107423. if(hineighbor[j]==hn)
  107424. hineighbor[j]=i;
  107425. else
  107426. break;
  107427. for(j=sortpos+1;j<posts;j++)
  107428. if(loneighbor[j]==ln)
  107429. loneighbor[j]=i;
  107430. else
  107431. break;
  107432. }
  107433. }else{
  107434. fit_valueA[i]=-200;
  107435. fit_valueB[i]=-200;
  107436. }
  107437. }
  107438. }
  107439. }
  107440. output=(int*)_vorbis_block_alloc(vb,sizeof(*output)*posts);
  107441. output[0]=post_Y(fit_valueA,fit_valueB,0);
  107442. output[1]=post_Y(fit_valueA,fit_valueB,1);
  107443. /* fill in posts marked as not using a fit; we will zero
  107444. back out to 'unused' when encoding them so long as curve
  107445. interpolation doesn't force them into use */
  107446. for(i=2;i<posts;i++){
  107447. int ln=look->loneighbor[i-2];
  107448. int hn=look->hineighbor[i-2];
  107449. int x0=info->postlist[ln];
  107450. int x1=info->postlist[hn];
  107451. int y0=output[ln];
  107452. int y1=output[hn];
  107453. int predicted=render_point(x0,x1,y0,y1,info->postlist[i]);
  107454. int vx=post_Y(fit_valueA,fit_valueB,i);
  107455. if(vx>=0 && predicted!=vx){
  107456. output[i]=vx;
  107457. }else{
  107458. output[i]= predicted|0x8000;
  107459. }
  107460. }
  107461. }
  107462. return(output);
  107463. }
  107464. int *floor1_interpolate_fit(vorbis_block *vb,void *look_,
  107465. int *A,int *B,
  107466. int del){
  107467. long i;
  107468. vorbis_look_floor1* look = (vorbis_look_floor1*) look_;
  107469. long posts=look->posts;
  107470. int *output=NULL;
  107471. if(A && B){
  107472. output=(int*)_vorbis_block_alloc(vb,sizeof(*output)*posts);
  107473. for(i=0;i<posts;i++){
  107474. output[i]=((65536-del)*(A[i]&0x7fff)+del*(B[i]&0x7fff)+32768)>>16;
  107475. if(A[i]&0x8000 && B[i]&0x8000)output[i]|=0x8000;
  107476. }
  107477. }
  107478. return(output);
  107479. }
  107480. int floor1_encode(oggpack_buffer *opb,vorbis_block *vb,
  107481. void*look_,
  107482. int *post,int *ilogmask){
  107483. long i,j;
  107484. vorbis_look_floor1 *look = (vorbis_look_floor1 *) look_;
  107485. vorbis_info_floor1 *info=look->vi;
  107486. long posts=look->posts;
  107487. codec_setup_info *ci=(codec_setup_info*)vb->vd->vi->codec_setup;
  107488. int out[VIF_POSIT+2];
  107489. static_codebook **sbooks=ci->book_param;
  107490. codebook *books=ci->fullbooks;
  107491. static long seq=0;
  107492. /* quantize values to multiplier spec */
  107493. if(post){
  107494. for(i=0;i<posts;i++){
  107495. int val=post[i]&0x7fff;
  107496. switch(info->mult){
  107497. case 1: /* 1024 -> 256 */
  107498. val>>=2;
  107499. break;
  107500. case 2: /* 1024 -> 128 */
  107501. val>>=3;
  107502. break;
  107503. case 3: /* 1024 -> 86 */
  107504. val/=12;
  107505. break;
  107506. case 4: /* 1024 -> 64 */
  107507. val>>=4;
  107508. break;
  107509. }
  107510. post[i]=val | (post[i]&0x8000);
  107511. }
  107512. out[0]=post[0];
  107513. out[1]=post[1];
  107514. /* find prediction values for each post and subtract them */
  107515. for(i=2;i<posts;i++){
  107516. int ln=look->loneighbor[i-2];
  107517. int hn=look->hineighbor[i-2];
  107518. int x0=info->postlist[ln];
  107519. int x1=info->postlist[hn];
  107520. int y0=post[ln];
  107521. int y1=post[hn];
  107522. int predicted=render_point(x0,x1,y0,y1,info->postlist[i]);
  107523. if((post[i]&0x8000) || (predicted==post[i])){
  107524. post[i]=predicted|0x8000; /* in case there was roundoff jitter
  107525. in interpolation */
  107526. out[i]=0;
  107527. }else{
  107528. int headroom=(look->quant_q-predicted<predicted?
  107529. look->quant_q-predicted:predicted);
  107530. int val=post[i]-predicted;
  107531. /* at this point the 'deviation' value is in the range +/- max
  107532. range, but the real, unique range can always be mapped to
  107533. only [0-maxrange). So we want to wrap the deviation into
  107534. this limited range, but do it in the way that least screws
  107535. an essentially gaussian probability distribution. */
  107536. if(val<0)
  107537. if(val<-headroom)
  107538. val=headroom-val-1;
  107539. else
  107540. val=-1-(val<<1);
  107541. else
  107542. if(val>=headroom)
  107543. val= val+headroom;
  107544. else
  107545. val<<=1;
  107546. out[i]=val;
  107547. post[ln]&=0x7fff;
  107548. post[hn]&=0x7fff;
  107549. }
  107550. }
  107551. /* we have everything we need. pack it out */
  107552. /* mark nontrivial floor */
  107553. oggpack_write(opb,1,1);
  107554. /* beginning/end post */
  107555. look->frames++;
  107556. look->postbits+=ilog(look->quant_q-1)*2;
  107557. oggpack_write(opb,out[0],ilog(look->quant_q-1));
  107558. oggpack_write(opb,out[1],ilog(look->quant_q-1));
  107559. /* partition by partition */
  107560. for(i=0,j=2;i<info->partitions;i++){
  107561. int classx=info->partitionclass[i];
  107562. int cdim=info->class_dim[classx];
  107563. int csubbits=info->class_subs[classx];
  107564. int csub=1<<csubbits;
  107565. int bookas[8]={0,0,0,0,0,0,0,0};
  107566. int cval=0;
  107567. int cshift=0;
  107568. int k,l;
  107569. /* generate the partition's first stage cascade value */
  107570. if(csubbits){
  107571. int maxval[8];
  107572. for(k=0;k<csub;k++){
  107573. int booknum=info->class_subbook[classx][k];
  107574. if(booknum<0){
  107575. maxval[k]=1;
  107576. }else{
  107577. maxval[k]=sbooks[info->class_subbook[classx][k]]->entries;
  107578. }
  107579. }
  107580. for(k=0;k<cdim;k++){
  107581. for(l=0;l<csub;l++){
  107582. int val=out[j+k];
  107583. if(val<maxval[l]){
  107584. bookas[k]=l;
  107585. break;
  107586. }
  107587. }
  107588. cval|= bookas[k]<<cshift;
  107589. cshift+=csubbits;
  107590. }
  107591. /* write it */
  107592. look->phrasebits+=
  107593. vorbis_book_encode(books+info->class_book[classx],cval,opb);
  107594. #ifdef TRAIN_FLOOR1
  107595. {
  107596. FILE *of;
  107597. char buffer[80];
  107598. sprintf(buffer,"line_%dx%ld_class%d.vqd",
  107599. vb->pcmend/2,posts-2,class);
  107600. of=fopen(buffer,"a");
  107601. fprintf(of,"%d\n",cval);
  107602. fclose(of);
  107603. }
  107604. #endif
  107605. }
  107606. /* write post values */
  107607. for(k=0;k<cdim;k++){
  107608. int book=info->class_subbook[classx][bookas[k]];
  107609. if(book>=0){
  107610. /* hack to allow training with 'bad' books */
  107611. if(out[j+k]<(books+book)->entries)
  107612. look->postbits+=vorbis_book_encode(books+book,
  107613. out[j+k],opb);
  107614. /*else
  107615. fprintf(stderr,"+!");*/
  107616. #ifdef TRAIN_FLOOR1
  107617. {
  107618. FILE *of;
  107619. char buffer[80];
  107620. sprintf(buffer,"line_%dx%ld_%dsub%d.vqd",
  107621. vb->pcmend/2,posts-2,class,bookas[k]);
  107622. of=fopen(buffer,"a");
  107623. fprintf(of,"%d\n",out[j+k]);
  107624. fclose(of);
  107625. }
  107626. #endif
  107627. }
  107628. }
  107629. j+=cdim;
  107630. }
  107631. {
  107632. /* generate quantized floor equivalent to what we'd unpack in decode */
  107633. /* render the lines */
  107634. int hx=0;
  107635. int lx=0;
  107636. int ly=post[0]*info->mult;
  107637. for(j=1;j<look->posts;j++){
  107638. int current=look->forward_index[j];
  107639. int hy=post[current]&0x7fff;
  107640. if(hy==post[current]){
  107641. hy*=info->mult;
  107642. hx=info->postlist[current];
  107643. render_line0(lx,hx,ly,hy,ilogmask);
  107644. lx=hx;
  107645. ly=hy;
  107646. }
  107647. }
  107648. for(j=hx;j<vb->pcmend/2;j++)ilogmask[j]=ly; /* be certain */
  107649. seq++;
  107650. return(1);
  107651. }
  107652. }else{
  107653. oggpack_write(opb,0,1);
  107654. memset(ilogmask,0,vb->pcmend/2*sizeof(*ilogmask));
  107655. seq++;
  107656. return(0);
  107657. }
  107658. }
  107659. static void *floor1_inverse1(vorbis_block *vb,vorbis_look_floor *in){
  107660. vorbis_look_floor1 *look=(vorbis_look_floor1 *)in;
  107661. vorbis_info_floor1 *info=look->vi;
  107662. codec_setup_info *ci=(codec_setup_info*)vb->vd->vi->codec_setup;
  107663. int i,j,k;
  107664. codebook *books=ci->fullbooks;
  107665. /* unpack wrapped/predicted values from stream */
  107666. if(oggpack_read(&vb->opb,1)==1){
  107667. int *fit_value=(int*)_vorbis_block_alloc(vb,(look->posts)*sizeof(*fit_value));
  107668. fit_value[0]=oggpack_read(&vb->opb,ilog(look->quant_q-1));
  107669. fit_value[1]=oggpack_read(&vb->opb,ilog(look->quant_q-1));
  107670. /* partition by partition */
  107671. for(i=0,j=2;i<info->partitions;i++){
  107672. int classx=info->partitionclass[i];
  107673. int cdim=info->class_dim[classx];
  107674. int csubbits=info->class_subs[classx];
  107675. int csub=1<<csubbits;
  107676. int cval=0;
  107677. /* decode the partition's first stage cascade value */
  107678. if(csubbits){
  107679. cval=vorbis_book_decode(books+info->class_book[classx],&vb->opb);
  107680. if(cval==-1)goto eop;
  107681. }
  107682. for(k=0;k<cdim;k++){
  107683. int book=info->class_subbook[classx][cval&(csub-1)];
  107684. cval>>=csubbits;
  107685. if(book>=0){
  107686. if((fit_value[j+k]=vorbis_book_decode(books+book,&vb->opb))==-1)
  107687. goto eop;
  107688. }else{
  107689. fit_value[j+k]=0;
  107690. }
  107691. }
  107692. j+=cdim;
  107693. }
  107694. /* unwrap positive values and reconsitute via linear interpolation */
  107695. for(i=2;i<look->posts;i++){
  107696. int predicted=render_point(info->postlist[look->loneighbor[i-2]],
  107697. info->postlist[look->hineighbor[i-2]],
  107698. fit_value[look->loneighbor[i-2]],
  107699. fit_value[look->hineighbor[i-2]],
  107700. info->postlist[i]);
  107701. int hiroom=look->quant_q-predicted;
  107702. int loroom=predicted;
  107703. int room=(hiroom<loroom?hiroom:loroom)<<1;
  107704. int val=fit_value[i];
  107705. if(val){
  107706. if(val>=room){
  107707. if(hiroom>loroom){
  107708. val = val-loroom;
  107709. }else{
  107710. val = -1-(val-hiroom);
  107711. }
  107712. }else{
  107713. if(val&1){
  107714. val= -((val+1)>>1);
  107715. }else{
  107716. val>>=1;
  107717. }
  107718. }
  107719. fit_value[i]=val+predicted;
  107720. fit_value[look->loneighbor[i-2]]&=0x7fff;
  107721. fit_value[look->hineighbor[i-2]]&=0x7fff;
  107722. }else{
  107723. fit_value[i]=predicted|0x8000;
  107724. }
  107725. }
  107726. return(fit_value);
  107727. }
  107728. eop:
  107729. return(NULL);
  107730. }
  107731. static int floor1_inverse2(vorbis_block *vb,vorbis_look_floor *in,void *memo,
  107732. float *out){
  107733. vorbis_look_floor1 *look=(vorbis_look_floor1 *)in;
  107734. vorbis_info_floor1 *info=look->vi;
  107735. codec_setup_info *ci=(codec_setup_info*)vb->vd->vi->codec_setup;
  107736. int n=ci->blocksizes[vb->W]/2;
  107737. int j;
  107738. if(memo){
  107739. /* render the lines */
  107740. int *fit_value=(int *)memo;
  107741. int hx=0;
  107742. int lx=0;
  107743. int ly=fit_value[0]*info->mult;
  107744. for(j=1;j<look->posts;j++){
  107745. int current=look->forward_index[j];
  107746. int hy=fit_value[current]&0x7fff;
  107747. if(hy==fit_value[current]){
  107748. hy*=info->mult;
  107749. hx=info->postlist[current];
  107750. render_line(lx,hx,ly,hy,out);
  107751. lx=hx;
  107752. ly=hy;
  107753. }
  107754. }
  107755. for(j=hx;j<n;j++)out[j]*=FLOOR1_fromdB_LOOKUP[ly]; /* be certain */
  107756. return(1);
  107757. }
  107758. memset(out,0,sizeof(*out)*n);
  107759. return(0);
  107760. }
  107761. /* export hooks */
  107762. vorbis_func_floor floor1_exportbundle={
  107763. &floor1_pack,&floor1_unpack,&floor1_look,&floor1_free_info,
  107764. &floor1_free_look,&floor1_inverse1,&floor1_inverse2
  107765. };
  107766. #endif
  107767. /********* End of inlined file: floor1.c *********/
  107768. /********* Start of inlined file: info.c *********/
  107769. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  107770. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  107771. // tasks..
  107772. #ifdef _MSC_VER
  107773. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  107774. #endif
  107775. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  107776. #if JUCE_USE_OGGVORBIS
  107777. /* general handling of the header and the vorbis_info structure (and
  107778. substructures) */
  107779. #include <stdlib.h>
  107780. #include <string.h>
  107781. #include <ctype.h>
  107782. static void _v_writestring(oggpack_buffer *o,char *s, int bytes){
  107783. while(bytes--){
  107784. oggpack_write(o,*s++,8);
  107785. }
  107786. }
  107787. static void _v_readstring(oggpack_buffer *o,char *buf,int bytes){
  107788. while(bytes--){
  107789. *buf++=oggpack_read(o,8);
  107790. }
  107791. }
  107792. void vorbis_comment_init(vorbis_comment *vc){
  107793. memset(vc,0,sizeof(*vc));
  107794. }
  107795. void vorbis_comment_add(vorbis_comment *vc,char *comment){
  107796. vc->user_comments=(char**)_ogg_realloc(vc->user_comments,
  107797. (vc->comments+2)*sizeof(*vc->user_comments));
  107798. vc->comment_lengths=(int*)_ogg_realloc(vc->comment_lengths,
  107799. (vc->comments+2)*sizeof(*vc->comment_lengths));
  107800. vc->comment_lengths[vc->comments]=strlen(comment);
  107801. vc->user_comments[vc->comments]=(char*)_ogg_malloc(vc->comment_lengths[vc->comments]+1);
  107802. strcpy(vc->user_comments[vc->comments], comment);
  107803. vc->comments++;
  107804. vc->user_comments[vc->comments]=NULL;
  107805. }
  107806. void vorbis_comment_add_tag(vorbis_comment *vc, char *tag, char *contents){
  107807. char *comment=(char*)alloca(strlen(tag)+strlen(contents)+2); /* +2 for = and \0 */
  107808. strcpy(comment, tag);
  107809. strcat(comment, "=");
  107810. strcat(comment, contents);
  107811. vorbis_comment_add(vc, comment);
  107812. }
  107813. /* This is more or less the same as strncasecmp - but that doesn't exist
  107814. * everywhere, and this is a fairly trivial function, so we include it */
  107815. static int tagcompare(const char *s1, const char *s2, int n){
  107816. int c=0;
  107817. while(c < n){
  107818. if(toupper(s1[c]) != toupper(s2[c]))
  107819. return !0;
  107820. c++;
  107821. }
  107822. return 0;
  107823. }
  107824. char *vorbis_comment_query(vorbis_comment *vc, char *tag, int count){
  107825. long i;
  107826. int found = 0;
  107827. int taglen = strlen(tag)+1; /* +1 for the = we append */
  107828. char *fulltag = (char*)alloca(taglen+ 1);
  107829. strcpy(fulltag, tag);
  107830. strcat(fulltag, "=");
  107831. for(i=0;i<vc->comments;i++){
  107832. if(!tagcompare(vc->user_comments[i], fulltag, taglen)){
  107833. if(count == found)
  107834. /* We return a pointer to the data, not a copy */
  107835. return vc->user_comments[i] + taglen;
  107836. else
  107837. found++;
  107838. }
  107839. }
  107840. return NULL; /* didn't find anything */
  107841. }
  107842. int vorbis_comment_query_count(vorbis_comment *vc, char *tag){
  107843. int i,count=0;
  107844. int taglen = strlen(tag)+1; /* +1 for the = we append */
  107845. char *fulltag = (char*)alloca(taglen+1);
  107846. strcpy(fulltag,tag);
  107847. strcat(fulltag, "=");
  107848. for(i=0;i<vc->comments;i++){
  107849. if(!tagcompare(vc->user_comments[i], fulltag, taglen))
  107850. count++;
  107851. }
  107852. return count;
  107853. }
  107854. void vorbis_comment_clear(vorbis_comment *vc){
  107855. if(vc){
  107856. long i;
  107857. for(i=0;i<vc->comments;i++)
  107858. if(vc->user_comments[i])_ogg_free(vc->user_comments[i]);
  107859. if(vc->user_comments)_ogg_free(vc->user_comments);
  107860. if(vc->comment_lengths)_ogg_free(vc->comment_lengths);
  107861. if(vc->vendor)_ogg_free(vc->vendor);
  107862. }
  107863. memset(vc,0,sizeof(*vc));
  107864. }
  107865. /* blocksize 0 is guaranteed to be short, 1 is guarantted to be long.
  107866. They may be equal, but short will never ge greater than long */
  107867. int vorbis_info_blocksize(vorbis_info *vi,int zo){
  107868. codec_setup_info *ci = (codec_setup_info*)vi->codec_setup;
  107869. return ci ? ci->blocksizes[zo] : -1;
  107870. }
  107871. /* used by synthesis, which has a full, alloced vi */
  107872. void vorbis_info_init(vorbis_info *vi){
  107873. memset(vi,0,sizeof(*vi));
  107874. vi->codec_setup=_ogg_calloc(1,sizeof(codec_setup_info));
  107875. }
  107876. void vorbis_info_clear(vorbis_info *vi){
  107877. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  107878. int i;
  107879. if(ci){
  107880. for(i=0;i<ci->modes;i++)
  107881. if(ci->mode_param[i])_ogg_free(ci->mode_param[i]);
  107882. for(i=0;i<ci->maps;i++) /* unpack does the range checking */
  107883. _mapping_P[ci->map_type[i]]->free_info(ci->map_param[i]);
  107884. for(i=0;i<ci->floors;i++) /* unpack does the range checking */
  107885. _floor_P[ci->floor_type[i]]->free_info(ci->floor_param[i]);
  107886. for(i=0;i<ci->residues;i++) /* unpack does the range checking */
  107887. _residue_P[ci->residue_type[i]]->free_info(ci->residue_param[i]);
  107888. for(i=0;i<ci->books;i++){
  107889. if(ci->book_param[i]){
  107890. /* knows if the book was not alloced */
  107891. vorbis_staticbook_destroy(ci->book_param[i]);
  107892. }
  107893. if(ci->fullbooks)
  107894. vorbis_book_clear(ci->fullbooks+i);
  107895. }
  107896. if(ci->fullbooks)
  107897. _ogg_free(ci->fullbooks);
  107898. for(i=0;i<ci->psys;i++)
  107899. _vi_psy_free(ci->psy_param[i]);
  107900. _ogg_free(ci);
  107901. }
  107902. memset(vi,0,sizeof(*vi));
  107903. }
  107904. /* Header packing/unpacking ********************************************/
  107905. static int _vorbis_unpack_info(vorbis_info *vi,oggpack_buffer *opb){
  107906. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  107907. if(!ci)return(OV_EFAULT);
  107908. vi->version=oggpack_read(opb,32);
  107909. if(vi->version!=0)return(OV_EVERSION);
  107910. vi->channels=oggpack_read(opb,8);
  107911. vi->rate=oggpack_read(opb,32);
  107912. vi->bitrate_upper=oggpack_read(opb,32);
  107913. vi->bitrate_nominal=oggpack_read(opb,32);
  107914. vi->bitrate_lower=oggpack_read(opb,32);
  107915. ci->blocksizes[0]=1<<oggpack_read(opb,4);
  107916. ci->blocksizes[1]=1<<oggpack_read(opb,4);
  107917. if(vi->rate<1)goto err_out;
  107918. if(vi->channels<1)goto err_out;
  107919. if(ci->blocksizes[0]<8)goto err_out;
  107920. if(ci->blocksizes[1]<ci->blocksizes[0])goto err_out;
  107921. if(oggpack_read(opb,1)!=1)goto err_out; /* EOP check */
  107922. return(0);
  107923. err_out:
  107924. vorbis_info_clear(vi);
  107925. return(OV_EBADHEADER);
  107926. }
  107927. static int _vorbis_unpack_comment(vorbis_comment *vc,oggpack_buffer *opb){
  107928. int i;
  107929. int vendorlen=oggpack_read(opb,32);
  107930. if(vendorlen<0)goto err_out;
  107931. vc->vendor=(char*)_ogg_calloc(vendorlen+1,1);
  107932. _v_readstring(opb,vc->vendor,vendorlen);
  107933. vc->comments=oggpack_read(opb,32);
  107934. if(vc->comments<0)goto err_out;
  107935. vc->user_comments=(char**)_ogg_calloc(vc->comments+1,sizeof(*vc->user_comments));
  107936. vc->comment_lengths=(int*)_ogg_calloc(vc->comments+1, sizeof(*vc->comment_lengths));
  107937. for(i=0;i<vc->comments;i++){
  107938. int len=oggpack_read(opb,32);
  107939. if(len<0)goto err_out;
  107940. vc->comment_lengths[i]=len;
  107941. vc->user_comments[i]=(char*)_ogg_calloc(len+1,1);
  107942. _v_readstring(opb,vc->user_comments[i],len);
  107943. }
  107944. if(oggpack_read(opb,1)!=1)goto err_out; /* EOP check */
  107945. return(0);
  107946. err_out:
  107947. vorbis_comment_clear(vc);
  107948. return(OV_EBADHEADER);
  107949. }
  107950. /* all of the real encoding details are here. The modes, books,
  107951. everything */
  107952. static int _vorbis_unpack_books(vorbis_info *vi,oggpack_buffer *opb){
  107953. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  107954. int i;
  107955. if(!ci)return(OV_EFAULT);
  107956. /* codebooks */
  107957. ci->books=oggpack_read(opb,8)+1;
  107958. /*ci->book_param=_ogg_calloc(ci->books,sizeof(*ci->book_param));*/
  107959. for(i=0;i<ci->books;i++){
  107960. ci->book_param[i]=(static_codebook*)_ogg_calloc(1,sizeof(*ci->book_param[i]));
  107961. if(vorbis_staticbook_unpack(opb,ci->book_param[i]))goto err_out;
  107962. }
  107963. /* time backend settings; hooks are unused */
  107964. {
  107965. int times=oggpack_read(opb,6)+1;
  107966. for(i=0;i<times;i++){
  107967. int test=oggpack_read(opb,16);
  107968. if(test<0 || test>=VI_TIMEB)goto err_out;
  107969. }
  107970. }
  107971. /* floor backend settings */
  107972. ci->floors=oggpack_read(opb,6)+1;
  107973. /*ci->floor_type=_ogg_malloc(ci->floors*sizeof(*ci->floor_type));*/
  107974. /*ci->floor_param=_ogg_calloc(ci->floors,sizeof(void *));*/
  107975. for(i=0;i<ci->floors;i++){
  107976. ci->floor_type[i]=oggpack_read(opb,16);
  107977. if(ci->floor_type[i]<0 || ci->floor_type[i]>=VI_FLOORB)goto err_out;
  107978. ci->floor_param[i]=_floor_P[ci->floor_type[i]]->unpack(vi,opb);
  107979. if(!ci->floor_param[i])goto err_out;
  107980. }
  107981. /* residue backend settings */
  107982. ci->residues=oggpack_read(opb,6)+1;
  107983. /*ci->residue_type=_ogg_malloc(ci->residues*sizeof(*ci->residue_type));*/
  107984. /*ci->residue_param=_ogg_calloc(ci->residues,sizeof(void *));*/
  107985. for(i=0;i<ci->residues;i++){
  107986. ci->residue_type[i]=oggpack_read(opb,16);
  107987. if(ci->residue_type[i]<0 || ci->residue_type[i]>=VI_RESB)goto err_out;
  107988. ci->residue_param[i]=_residue_P[ci->residue_type[i]]->unpack(vi,opb);
  107989. if(!ci->residue_param[i])goto err_out;
  107990. }
  107991. /* map backend settings */
  107992. ci->maps=oggpack_read(opb,6)+1;
  107993. /*ci->map_type=_ogg_malloc(ci->maps*sizeof(*ci->map_type));*/
  107994. /*ci->map_param=_ogg_calloc(ci->maps,sizeof(void *));*/
  107995. for(i=0;i<ci->maps;i++){
  107996. ci->map_type[i]=oggpack_read(opb,16);
  107997. if(ci->map_type[i]<0 || ci->map_type[i]>=VI_MAPB)goto err_out;
  107998. ci->map_param[i]=_mapping_P[ci->map_type[i]]->unpack(vi,opb);
  107999. if(!ci->map_param[i])goto err_out;
  108000. }
  108001. /* mode settings */
  108002. ci->modes=oggpack_read(opb,6)+1;
  108003. /*vi->mode_param=_ogg_calloc(vi->modes,sizeof(void *));*/
  108004. for(i=0;i<ci->modes;i++){
  108005. ci->mode_param[i]=(vorbis_info_mode*)_ogg_calloc(1,sizeof(*ci->mode_param[i]));
  108006. ci->mode_param[i]->blockflag=oggpack_read(opb,1);
  108007. ci->mode_param[i]->windowtype=oggpack_read(opb,16);
  108008. ci->mode_param[i]->transformtype=oggpack_read(opb,16);
  108009. ci->mode_param[i]->mapping=oggpack_read(opb,8);
  108010. if(ci->mode_param[i]->windowtype>=VI_WINDOWB)goto err_out;
  108011. if(ci->mode_param[i]->transformtype>=VI_WINDOWB)goto err_out;
  108012. if(ci->mode_param[i]->mapping>=ci->maps)goto err_out;
  108013. }
  108014. if(oggpack_read(opb,1)!=1)goto err_out; /* top level EOP check */
  108015. return(0);
  108016. err_out:
  108017. vorbis_info_clear(vi);
  108018. return(OV_EBADHEADER);
  108019. }
  108020. /* The Vorbis header is in three packets; the initial small packet in
  108021. the first page that identifies basic parameters, a second packet
  108022. with bitstream comments and a third packet that holds the
  108023. codebook. */
  108024. int vorbis_synthesis_headerin(vorbis_info *vi,vorbis_comment *vc,ogg_packet *op){
  108025. oggpack_buffer opb;
  108026. if(op){
  108027. oggpack_readinit(&opb,op->packet,op->bytes);
  108028. /* Which of the three types of header is this? */
  108029. /* Also verify header-ness, vorbis */
  108030. {
  108031. char buffer[6];
  108032. int packtype=oggpack_read(&opb,8);
  108033. memset(buffer,0,6);
  108034. _v_readstring(&opb,buffer,6);
  108035. if(memcmp(buffer,"vorbis",6)){
  108036. /* not a vorbis header */
  108037. return(OV_ENOTVORBIS);
  108038. }
  108039. switch(packtype){
  108040. case 0x01: /* least significant *bit* is read first */
  108041. if(!op->b_o_s){
  108042. /* Not the initial packet */
  108043. return(OV_EBADHEADER);
  108044. }
  108045. if(vi->rate!=0){
  108046. /* previously initialized info header */
  108047. return(OV_EBADHEADER);
  108048. }
  108049. return(_vorbis_unpack_info(vi,&opb));
  108050. case 0x03: /* least significant *bit* is read first */
  108051. if(vi->rate==0){
  108052. /* um... we didn't get the initial header */
  108053. return(OV_EBADHEADER);
  108054. }
  108055. return(_vorbis_unpack_comment(vc,&opb));
  108056. case 0x05: /* least significant *bit* is read first */
  108057. if(vi->rate==0 || vc->vendor==NULL){
  108058. /* um... we didn;t get the initial header or comments yet */
  108059. return(OV_EBADHEADER);
  108060. }
  108061. return(_vorbis_unpack_books(vi,&opb));
  108062. default:
  108063. /* Not a valid vorbis header type */
  108064. return(OV_EBADHEADER);
  108065. break;
  108066. }
  108067. }
  108068. }
  108069. return(OV_EBADHEADER);
  108070. }
  108071. /* pack side **********************************************************/
  108072. static int _vorbis_pack_info(oggpack_buffer *opb,vorbis_info *vi){
  108073. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  108074. if(!ci)return(OV_EFAULT);
  108075. /* preamble */
  108076. oggpack_write(opb,0x01,8);
  108077. _v_writestring(opb,"vorbis", 6);
  108078. /* basic information about the stream */
  108079. oggpack_write(opb,0x00,32);
  108080. oggpack_write(opb,vi->channels,8);
  108081. oggpack_write(opb,vi->rate,32);
  108082. oggpack_write(opb,vi->bitrate_upper,32);
  108083. oggpack_write(opb,vi->bitrate_nominal,32);
  108084. oggpack_write(opb,vi->bitrate_lower,32);
  108085. oggpack_write(opb,ilog2(ci->blocksizes[0]),4);
  108086. oggpack_write(opb,ilog2(ci->blocksizes[1]),4);
  108087. oggpack_write(opb,1,1);
  108088. return(0);
  108089. }
  108090. static int _vorbis_pack_comment(oggpack_buffer *opb,vorbis_comment *vc){
  108091. char temp[]="Xiph.Org libVorbis I 20050304";
  108092. int bytes = strlen(temp);
  108093. /* preamble */
  108094. oggpack_write(opb,0x03,8);
  108095. _v_writestring(opb,"vorbis", 6);
  108096. /* vendor */
  108097. oggpack_write(opb,bytes,32);
  108098. _v_writestring(opb,temp, bytes);
  108099. /* comments */
  108100. oggpack_write(opb,vc->comments,32);
  108101. if(vc->comments){
  108102. int i;
  108103. for(i=0;i<vc->comments;i++){
  108104. if(vc->user_comments[i]){
  108105. oggpack_write(opb,vc->comment_lengths[i],32);
  108106. _v_writestring(opb,vc->user_comments[i], vc->comment_lengths[i]);
  108107. }else{
  108108. oggpack_write(opb,0,32);
  108109. }
  108110. }
  108111. }
  108112. oggpack_write(opb,1,1);
  108113. return(0);
  108114. }
  108115. static int _vorbis_pack_books(oggpack_buffer *opb,vorbis_info *vi){
  108116. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  108117. int i;
  108118. if(!ci)return(OV_EFAULT);
  108119. oggpack_write(opb,0x05,8);
  108120. _v_writestring(opb,"vorbis", 6);
  108121. /* books */
  108122. oggpack_write(opb,ci->books-1,8);
  108123. for(i=0;i<ci->books;i++)
  108124. if(vorbis_staticbook_pack(ci->book_param[i],opb))goto err_out;
  108125. /* times; hook placeholders */
  108126. oggpack_write(opb,0,6);
  108127. oggpack_write(opb,0,16);
  108128. /* floors */
  108129. oggpack_write(opb,ci->floors-1,6);
  108130. for(i=0;i<ci->floors;i++){
  108131. oggpack_write(opb,ci->floor_type[i],16);
  108132. if(_floor_P[ci->floor_type[i]]->pack)
  108133. _floor_P[ci->floor_type[i]]->pack(ci->floor_param[i],opb);
  108134. else
  108135. goto err_out;
  108136. }
  108137. /* residues */
  108138. oggpack_write(opb,ci->residues-1,6);
  108139. for(i=0;i<ci->residues;i++){
  108140. oggpack_write(opb,ci->residue_type[i],16);
  108141. _residue_P[ci->residue_type[i]]->pack(ci->residue_param[i],opb);
  108142. }
  108143. /* maps */
  108144. oggpack_write(opb,ci->maps-1,6);
  108145. for(i=0;i<ci->maps;i++){
  108146. oggpack_write(opb,ci->map_type[i],16);
  108147. _mapping_P[ci->map_type[i]]->pack(vi,ci->map_param[i],opb);
  108148. }
  108149. /* modes */
  108150. oggpack_write(opb,ci->modes-1,6);
  108151. for(i=0;i<ci->modes;i++){
  108152. oggpack_write(opb,ci->mode_param[i]->blockflag,1);
  108153. oggpack_write(opb,ci->mode_param[i]->windowtype,16);
  108154. oggpack_write(opb,ci->mode_param[i]->transformtype,16);
  108155. oggpack_write(opb,ci->mode_param[i]->mapping,8);
  108156. }
  108157. oggpack_write(opb,1,1);
  108158. return(0);
  108159. err_out:
  108160. return(-1);
  108161. }
  108162. int vorbis_commentheader_out(vorbis_comment *vc,
  108163. ogg_packet *op){
  108164. oggpack_buffer opb;
  108165. oggpack_writeinit(&opb);
  108166. if(_vorbis_pack_comment(&opb,vc)) return OV_EIMPL;
  108167. op->packet = (unsigned char*) _ogg_malloc(oggpack_bytes(&opb));
  108168. memcpy(op->packet, opb.buffer, oggpack_bytes(&opb));
  108169. op->bytes=oggpack_bytes(&opb);
  108170. op->b_o_s=0;
  108171. op->e_o_s=0;
  108172. op->granulepos=0;
  108173. op->packetno=1;
  108174. return 0;
  108175. }
  108176. int vorbis_analysis_headerout(vorbis_dsp_state *v,
  108177. vorbis_comment *vc,
  108178. ogg_packet *op,
  108179. ogg_packet *op_comm,
  108180. ogg_packet *op_code){
  108181. int ret=OV_EIMPL;
  108182. vorbis_info *vi=v->vi;
  108183. oggpack_buffer opb;
  108184. private_state *b=(private_state*)v->backend_state;
  108185. if(!b){
  108186. ret=OV_EFAULT;
  108187. goto err_out;
  108188. }
  108189. /* first header packet **********************************************/
  108190. oggpack_writeinit(&opb);
  108191. if(_vorbis_pack_info(&opb,vi))goto err_out;
  108192. /* build the packet */
  108193. if(b->header)_ogg_free(b->header);
  108194. b->header=(unsigned char*) _ogg_malloc(oggpack_bytes(&opb));
  108195. memcpy(b->header,opb.buffer,oggpack_bytes(&opb));
  108196. op->packet=b->header;
  108197. op->bytes=oggpack_bytes(&opb);
  108198. op->b_o_s=1;
  108199. op->e_o_s=0;
  108200. op->granulepos=0;
  108201. op->packetno=0;
  108202. /* second header packet (comments) **********************************/
  108203. oggpack_reset(&opb);
  108204. if(_vorbis_pack_comment(&opb,vc))goto err_out;
  108205. if(b->header1)_ogg_free(b->header1);
  108206. b->header1=(unsigned char*) _ogg_malloc(oggpack_bytes(&opb));
  108207. memcpy(b->header1,opb.buffer,oggpack_bytes(&opb));
  108208. op_comm->packet=b->header1;
  108209. op_comm->bytes=oggpack_bytes(&opb);
  108210. op_comm->b_o_s=0;
  108211. op_comm->e_o_s=0;
  108212. op_comm->granulepos=0;
  108213. op_comm->packetno=1;
  108214. /* third header packet (modes/codebooks) ****************************/
  108215. oggpack_reset(&opb);
  108216. if(_vorbis_pack_books(&opb,vi))goto err_out;
  108217. if(b->header2)_ogg_free(b->header2);
  108218. b->header2=(unsigned char*) _ogg_malloc(oggpack_bytes(&opb));
  108219. memcpy(b->header2,opb.buffer,oggpack_bytes(&opb));
  108220. op_code->packet=b->header2;
  108221. op_code->bytes=oggpack_bytes(&opb);
  108222. op_code->b_o_s=0;
  108223. op_code->e_o_s=0;
  108224. op_code->granulepos=0;
  108225. op_code->packetno=2;
  108226. oggpack_writeclear(&opb);
  108227. return(0);
  108228. err_out:
  108229. oggpack_writeclear(&opb);
  108230. memset(op,0,sizeof(*op));
  108231. memset(op_comm,0,sizeof(*op_comm));
  108232. memset(op_code,0,sizeof(*op_code));
  108233. if(b->header)_ogg_free(b->header);
  108234. if(b->header1)_ogg_free(b->header1);
  108235. if(b->header2)_ogg_free(b->header2);
  108236. b->header=NULL;
  108237. b->header1=NULL;
  108238. b->header2=NULL;
  108239. return(ret);
  108240. }
  108241. double vorbis_granule_time(vorbis_dsp_state *v,ogg_int64_t granulepos){
  108242. if(granulepos>=0)
  108243. return((double)granulepos/v->vi->rate);
  108244. return(-1);
  108245. }
  108246. #endif
  108247. /********* End of inlined file: info.c *********/
  108248. /********* Start of inlined file: lpc.c *********/
  108249. /* Some of these routines (autocorrelator, LPC coefficient estimator)
  108250. are derived from code written by Jutta Degener and Carsten Bormann;
  108251. thus we include their copyright below. The entirety of this file
  108252. is freely redistributable on the condition that both of these
  108253. copyright notices are preserved without modification. */
  108254. /* Preserved Copyright: *********************************************/
  108255. /* Copyright 1992, 1993, 1994 by Jutta Degener and Carsten Bormann,
  108256. Technische Universita"t Berlin
  108257. Any use of this software is permitted provided that this notice is not
  108258. removed and that neither the authors nor the Technische Universita"t
  108259. Berlin are deemed to have made any representations as to the
  108260. suitability of this software for any purpose nor are held responsible
  108261. for any defects of this software. THERE IS ABSOLUTELY NO WARRANTY FOR
  108262. THIS SOFTWARE.
  108263. As a matter of courtesy, the authors request to be informed about uses
  108264. this software has found, about bugs in this software, and about any
  108265. improvements that may be of general interest.
  108266. Berlin, 28.11.1994
  108267. Jutta Degener
  108268. Carsten Bormann
  108269. *********************************************************************/
  108270. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  108271. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  108272. // tasks..
  108273. #ifdef _MSC_VER
  108274. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  108275. #endif
  108276. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  108277. #if JUCE_USE_OGGVORBIS
  108278. #include <stdlib.h>
  108279. #include <string.h>
  108280. #include <math.h>
  108281. /* Autocorrelation LPC coeff generation algorithm invented by
  108282. N. Levinson in 1947, modified by J. Durbin in 1959. */
  108283. /* Input : n elements of time doamin data
  108284. Output: m lpc coefficients, excitation energy */
  108285. float vorbis_lpc_from_data(float *data,float *lpci,int n,int m){
  108286. double *aut=(double*)alloca(sizeof(*aut)*(m+1));
  108287. double *lpc=(double*)alloca(sizeof(*lpc)*(m));
  108288. double error;
  108289. int i,j;
  108290. /* autocorrelation, p+1 lag coefficients */
  108291. j=m+1;
  108292. while(j--){
  108293. double d=0; /* double needed for accumulator depth */
  108294. for(i=j;i<n;i++)d+=(double)data[i]*data[i-j];
  108295. aut[j]=d;
  108296. }
  108297. /* Generate lpc coefficients from autocorr values */
  108298. error=aut[0];
  108299. for(i=0;i<m;i++){
  108300. double r= -aut[i+1];
  108301. if(error==0){
  108302. memset(lpci,0,m*sizeof(*lpci));
  108303. return 0;
  108304. }
  108305. /* Sum up this iteration's reflection coefficient; note that in
  108306. Vorbis we don't save it. If anyone wants to recycle this code
  108307. and needs reflection coefficients, save the results of 'r' from
  108308. each iteration. */
  108309. for(j=0;j<i;j++)r-=lpc[j]*aut[i-j];
  108310. r/=error;
  108311. /* Update LPC coefficients and total error */
  108312. lpc[i]=r;
  108313. for(j=0;j<i/2;j++){
  108314. double tmp=lpc[j];
  108315. lpc[j]+=r*lpc[i-1-j];
  108316. lpc[i-1-j]+=r*tmp;
  108317. }
  108318. if(i%2)lpc[j]+=lpc[j]*r;
  108319. error*=1.f-r*r;
  108320. }
  108321. for(j=0;j<m;j++)lpci[j]=(float)lpc[j];
  108322. /* we need the error value to know how big an impulse to hit the
  108323. filter with later */
  108324. return error;
  108325. }
  108326. void vorbis_lpc_predict(float *coeff,float *prime,int m,
  108327. float *data,long n){
  108328. /* in: coeff[0...m-1] LPC coefficients
  108329. prime[0...m-1] initial values (allocated size of n+m-1)
  108330. out: data[0...n-1] data samples */
  108331. long i,j,o,p;
  108332. float y;
  108333. float *work=(float*)alloca(sizeof(*work)*(m+n));
  108334. if(!prime)
  108335. for(i=0;i<m;i++)
  108336. work[i]=0.f;
  108337. else
  108338. for(i=0;i<m;i++)
  108339. work[i]=prime[i];
  108340. for(i=0;i<n;i++){
  108341. y=0;
  108342. o=i;
  108343. p=m;
  108344. for(j=0;j<m;j++)
  108345. y-=work[o++]*coeff[--p];
  108346. data[i]=work[o]=y;
  108347. }
  108348. }
  108349. #endif
  108350. /********* End of inlined file: lpc.c *********/
  108351. /********* Start of inlined file: lsp.c *********/
  108352. /* Note that the lpc-lsp conversion finds the roots of polynomial with
  108353. an iterative root polisher (CACM algorithm 283). It *is* possible
  108354. to confuse this algorithm into not converging; that should only
  108355. happen with absurdly closely spaced roots (very sharp peaks in the
  108356. LPC f response) which in turn should be impossible in our use of
  108357. the code. If this *does* happen anyway, it's a bug in the floor
  108358. finder; find the cause of the confusion (probably a single bin
  108359. spike or accidental near-float-limit resolution problems) and
  108360. correct it. */
  108361. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  108362. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  108363. // tasks..
  108364. #ifdef _MSC_VER
  108365. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  108366. #endif
  108367. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  108368. #if JUCE_USE_OGGVORBIS
  108369. #include <math.h>
  108370. #include <string.h>
  108371. #include <stdlib.h>
  108372. /********* Start of inlined file: lookup.h *********/
  108373. #ifndef _V_LOOKUP_H_
  108374. #ifdef FLOAT_LOOKUP
  108375. extern float vorbis_coslook(float a);
  108376. extern float vorbis_invsqlook(float a);
  108377. extern float vorbis_invsq2explook(int a);
  108378. extern float vorbis_fromdBlook(float a);
  108379. #endif
  108380. #ifdef INT_LOOKUP
  108381. extern long vorbis_invsqlook_i(long a,long e);
  108382. extern long vorbis_coslook_i(long a);
  108383. extern float vorbis_fromdBlook_i(long a);
  108384. #endif
  108385. #endif
  108386. /********* End of inlined file: lookup.h *********/
  108387. /* three possible LSP to f curve functions; the exact computation
  108388. (float), a lookup based float implementation, and an integer
  108389. implementation. The float lookup is likely the optimal choice on
  108390. any machine with an FPU. The integer implementation is *not* fixed
  108391. point (due to the need for a large dynamic range and thus a
  108392. seperately tracked exponent) and thus much more complex than the
  108393. relatively simple float implementations. It's mostly for future
  108394. work on a fully fixed point implementation for processors like the
  108395. ARM family. */
  108396. /* undefine both for the 'old' but more precise implementation */
  108397. #define FLOAT_LOOKUP
  108398. #undef INT_LOOKUP
  108399. #ifdef FLOAT_LOOKUP
  108400. /********* Start of inlined file: lookup.c *********/
  108401. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  108402. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  108403. // tasks..
  108404. #ifdef _MSC_VER
  108405. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  108406. #endif
  108407. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  108408. #if JUCE_USE_OGGVORBIS
  108409. #include <math.h>
  108410. /********* Start of inlined file: lookup.h *********/
  108411. #ifndef _V_LOOKUP_H_
  108412. #ifdef FLOAT_LOOKUP
  108413. extern float vorbis_coslook(float a);
  108414. extern float vorbis_invsqlook(float a);
  108415. extern float vorbis_invsq2explook(int a);
  108416. extern float vorbis_fromdBlook(float a);
  108417. #endif
  108418. #ifdef INT_LOOKUP
  108419. extern long vorbis_invsqlook_i(long a,long e);
  108420. extern long vorbis_coslook_i(long a);
  108421. extern float vorbis_fromdBlook_i(long a);
  108422. #endif
  108423. #endif
  108424. /********* End of inlined file: lookup.h *********/
  108425. /********* Start of inlined file: lookup_data.h *********/
  108426. #ifndef _V_LOOKUP_DATA_H_
  108427. #ifdef FLOAT_LOOKUP
  108428. #define COS_LOOKUP_SZ 128
  108429. static float COS_LOOKUP[COS_LOOKUP_SZ+1]={
  108430. +1.0000000000000f,+0.9996988186962f,+0.9987954562052f,+0.9972904566787f,
  108431. +0.9951847266722f,+0.9924795345987f,+0.9891765099648f,+0.9852776423889f,
  108432. +0.9807852804032f,+0.9757021300385f,+0.9700312531945f,+0.9637760657954f,
  108433. +0.9569403357322f,+0.9495281805930f,+0.9415440651830f,+0.9329927988347f,
  108434. +0.9238795325113f,+0.9142097557035f,+0.9039892931234f,+0.8932243011955f,
  108435. +0.8819212643484f,+0.8700869911087f,+0.8577286100003f,+0.8448535652497f,
  108436. +0.8314696123025f,+0.8175848131516f,+0.8032075314806f,+0.7883464276266f,
  108437. +0.7730104533627f,+0.7572088465065f,+0.7409511253550f,+0.7242470829515f,
  108438. +0.7071067811865f,+0.6895405447371f,+0.6715589548470f,+0.6531728429538f,
  108439. +0.6343932841636f,+0.6152315905806f,+0.5956993044924f,+0.5758081914178f,
  108440. +0.5555702330196f,+0.5349976198871f,+0.5141027441932f,+0.4928981922298f,
  108441. +0.4713967368260f,+0.4496113296546f,+0.4275550934303f,+0.4052413140050f,
  108442. +0.3826834323651f,+0.3598950365350f,+0.3368898533922f,+0.3136817403989f,
  108443. +0.2902846772545f,+0.2667127574749f,+0.2429801799033f,+0.2191012401569f,
  108444. +0.1950903220161f,+0.1709618887603f,+0.1467304744554f,+0.1224106751992f,
  108445. +0.0980171403296f,+0.0735645635997f,+0.0490676743274f,+0.0245412285229f,
  108446. +0.0000000000000f,-0.0245412285229f,-0.0490676743274f,-0.0735645635997f,
  108447. -0.0980171403296f,-0.1224106751992f,-0.1467304744554f,-0.1709618887603f,
  108448. -0.1950903220161f,-0.2191012401569f,-0.2429801799033f,-0.2667127574749f,
  108449. -0.2902846772545f,-0.3136817403989f,-0.3368898533922f,-0.3598950365350f,
  108450. -0.3826834323651f,-0.4052413140050f,-0.4275550934303f,-0.4496113296546f,
  108451. -0.4713967368260f,-0.4928981922298f,-0.5141027441932f,-0.5349976198871f,
  108452. -0.5555702330196f,-0.5758081914178f,-0.5956993044924f,-0.6152315905806f,
  108453. -0.6343932841636f,-0.6531728429538f,-0.6715589548470f,-0.6895405447371f,
  108454. -0.7071067811865f,-0.7242470829515f,-0.7409511253550f,-0.7572088465065f,
  108455. -0.7730104533627f,-0.7883464276266f,-0.8032075314806f,-0.8175848131516f,
  108456. -0.8314696123025f,-0.8448535652497f,-0.8577286100003f,-0.8700869911087f,
  108457. -0.8819212643484f,-0.8932243011955f,-0.9039892931234f,-0.9142097557035f,
  108458. -0.9238795325113f,-0.9329927988347f,-0.9415440651830f,-0.9495281805930f,
  108459. -0.9569403357322f,-0.9637760657954f,-0.9700312531945f,-0.9757021300385f,
  108460. -0.9807852804032f,-0.9852776423889f,-0.9891765099648f,-0.9924795345987f,
  108461. -0.9951847266722f,-0.9972904566787f,-0.9987954562052f,-0.9996988186962f,
  108462. -1.0000000000000f,
  108463. };
  108464. #define INVSQ_LOOKUP_SZ 32
  108465. static float INVSQ_LOOKUP[INVSQ_LOOKUP_SZ+1]={
  108466. 1.414213562373f,1.392621247646f,1.371988681140f,1.352246807566f,
  108467. 1.333333333333f,1.315191898443f,1.297771369046f,1.281025230441f,
  108468. 1.264911064067f,1.249390095109f,1.234426799697f,1.219988562661f,
  108469. 1.206045378311f,1.192569588000f,1.179535649239f,1.166919931983f,
  108470. 1.154700538379f,1.142857142857f,1.131370849898f,1.120224067222f,
  108471. 1.109400392450f,1.098884511590f,1.088662107904f,1.078719779941f,
  108472. 1.069044967650f,1.059625885652f,1.050451462878f,1.041511287847f,
  108473. 1.032795558989f,1.024295039463f,1.016001016002f,1.007905261358f,
  108474. 1.000000000000f,
  108475. };
  108476. #define INVSQ2EXP_LOOKUP_MIN (-32)
  108477. #define INVSQ2EXP_LOOKUP_MAX 32
  108478. static float INVSQ2EXP_LOOKUP[INVSQ2EXP_LOOKUP_MAX-\
  108479. INVSQ2EXP_LOOKUP_MIN+1]={
  108480. 65536.f, 46340.95001f, 32768.f, 23170.47501f,
  108481. 16384.f, 11585.2375f, 8192.f, 5792.618751f,
  108482. 4096.f, 2896.309376f, 2048.f, 1448.154688f,
  108483. 1024.f, 724.0773439f, 512.f, 362.038672f,
  108484. 256.f, 181.019336f, 128.f, 90.50966799f,
  108485. 64.f, 45.254834f, 32.f, 22.627417f,
  108486. 16.f, 11.3137085f, 8.f, 5.656854249f,
  108487. 4.f, 2.828427125f, 2.f, 1.414213562f,
  108488. 1.f, 0.7071067812f, 0.5f, 0.3535533906f,
  108489. 0.25f, 0.1767766953f, 0.125f, 0.08838834765f,
  108490. 0.0625f, 0.04419417382f, 0.03125f, 0.02209708691f,
  108491. 0.015625f, 0.01104854346f, 0.0078125f, 0.005524271728f,
  108492. 0.00390625f, 0.002762135864f, 0.001953125f, 0.001381067932f,
  108493. 0.0009765625f, 0.000690533966f, 0.00048828125f, 0.000345266983f,
  108494. 0.000244140625f,0.0001726334915f,0.0001220703125f,8.631674575e-05f,
  108495. 6.103515625e-05f,4.315837288e-05f,3.051757812e-05f,2.157918644e-05f,
  108496. 1.525878906e-05f,
  108497. };
  108498. #endif
  108499. #define FROMdB_LOOKUP_SZ 35
  108500. #define FROMdB2_LOOKUP_SZ 32
  108501. #define FROMdB_SHIFT 5
  108502. #define FROMdB2_SHIFT 3
  108503. #define FROMdB2_MASK 31
  108504. static float FROMdB_LOOKUP[FROMdB_LOOKUP_SZ]={
  108505. 1.f, 0.6309573445f, 0.3981071706f, 0.2511886432f,
  108506. 0.1584893192f, 0.1f, 0.06309573445f, 0.03981071706f,
  108507. 0.02511886432f, 0.01584893192f, 0.01f, 0.006309573445f,
  108508. 0.003981071706f, 0.002511886432f, 0.001584893192f, 0.001f,
  108509. 0.0006309573445f,0.0003981071706f,0.0002511886432f,0.0001584893192f,
  108510. 0.0001f,6.309573445e-05f,3.981071706e-05f,2.511886432e-05f,
  108511. 1.584893192e-05f, 1e-05f,6.309573445e-06f,3.981071706e-06f,
  108512. 2.511886432e-06f,1.584893192e-06f, 1e-06f,6.309573445e-07f,
  108513. 3.981071706e-07f,2.511886432e-07f,1.584893192e-07f,
  108514. };
  108515. static float FROMdB2_LOOKUP[FROMdB2_LOOKUP_SZ]={
  108516. 0.9928302478f, 0.9786445908f, 0.9646616199f, 0.9508784391f,
  108517. 0.9372921937f, 0.92390007f, 0.9106992942f, 0.8976871324f,
  108518. 0.8848608897f, 0.8722179097f, 0.8597555737f, 0.8474713009f,
  108519. 0.835362547f, 0.8234268041f, 0.8116616003f, 0.8000644989f,
  108520. 0.7886330981f, 0.7773650302f, 0.7662579617f, 0.755309592f,
  108521. 0.7445176537f, 0.7338799116f, 0.7233941627f, 0.7130582353f,
  108522. 0.7028699885f, 0.6928273125f, 0.6829281272f, 0.6731703824f,
  108523. 0.6635520573f, 0.6540711597f, 0.6447257262f, 0.6355138211f,
  108524. };
  108525. #ifdef INT_LOOKUP
  108526. #define INVSQ_LOOKUP_I_SHIFT 10
  108527. #define INVSQ_LOOKUP_I_MASK 1023
  108528. static long INVSQ_LOOKUP_I[64+1]={
  108529. 92682l, 91966l, 91267l, 90583l,
  108530. 89915l, 89261l, 88621l, 87995l,
  108531. 87381l, 86781l, 86192l, 85616l,
  108532. 85051l, 84497l, 83953l, 83420l,
  108533. 82897l, 82384l, 81880l, 81385l,
  108534. 80899l, 80422l, 79953l, 79492l,
  108535. 79039l, 78594l, 78156l, 77726l,
  108536. 77302l, 76885l, 76475l, 76072l,
  108537. 75674l, 75283l, 74898l, 74519l,
  108538. 74146l, 73778l, 73415l, 73058l,
  108539. 72706l, 72359l, 72016l, 71679l,
  108540. 71347l, 71019l, 70695l, 70376l,
  108541. 70061l, 69750l, 69444l, 69141l,
  108542. 68842l, 68548l, 68256l, 67969l,
  108543. 67685l, 67405l, 67128l, 66855l,
  108544. 66585l, 66318l, 66054l, 65794l,
  108545. 65536l,
  108546. };
  108547. #define COS_LOOKUP_I_SHIFT 9
  108548. #define COS_LOOKUP_I_MASK 511
  108549. #define COS_LOOKUP_I_SZ 128
  108550. static long COS_LOOKUP_I[COS_LOOKUP_I_SZ+1]={
  108551. 16384l, 16379l, 16364l, 16340l,
  108552. 16305l, 16261l, 16207l, 16143l,
  108553. 16069l, 15986l, 15893l, 15791l,
  108554. 15679l, 15557l, 15426l, 15286l,
  108555. 15137l, 14978l, 14811l, 14635l,
  108556. 14449l, 14256l, 14053l, 13842l,
  108557. 13623l, 13395l, 13160l, 12916l,
  108558. 12665l, 12406l, 12140l, 11866l,
  108559. 11585l, 11297l, 11003l, 10702l,
  108560. 10394l, 10080l, 9760l, 9434l,
  108561. 9102l, 8765l, 8423l, 8076l,
  108562. 7723l, 7366l, 7005l, 6639l,
  108563. 6270l, 5897l, 5520l, 5139l,
  108564. 4756l, 4370l, 3981l, 3590l,
  108565. 3196l, 2801l, 2404l, 2006l,
  108566. 1606l, 1205l, 804l, 402l,
  108567. 0l, -401l, -803l, -1204l,
  108568. -1605l, -2005l, -2403l, -2800l,
  108569. -3195l, -3589l, -3980l, -4369l,
  108570. -4755l, -5138l, -5519l, -5896l,
  108571. -6269l, -6638l, -7004l, -7365l,
  108572. -7722l, -8075l, -8422l, -8764l,
  108573. -9101l, -9433l, -9759l, -10079l,
  108574. -10393l, -10701l, -11002l, -11296l,
  108575. -11584l, -11865l, -12139l, -12405l,
  108576. -12664l, -12915l, -13159l, -13394l,
  108577. -13622l, -13841l, -14052l, -14255l,
  108578. -14448l, -14634l, -14810l, -14977l,
  108579. -15136l, -15285l, -15425l, -15556l,
  108580. -15678l, -15790l, -15892l, -15985l,
  108581. -16068l, -16142l, -16206l, -16260l,
  108582. -16304l, -16339l, -16363l, -16378l,
  108583. -16383l,
  108584. };
  108585. #endif
  108586. #endif
  108587. /********* End of inlined file: lookup_data.h *********/
  108588. #ifdef FLOAT_LOOKUP
  108589. /* interpolated lookup based cos function, domain 0 to PI only */
  108590. float vorbis_coslook(float a){
  108591. double d=a*(.31830989*(float)COS_LOOKUP_SZ);
  108592. int i=vorbis_ftoi(d-.5);
  108593. return COS_LOOKUP[i]+ (d-i)*(COS_LOOKUP[i+1]-COS_LOOKUP[i]);
  108594. }
  108595. /* interpolated 1./sqrt(p) where .5 <= p < 1. */
  108596. float vorbis_invsqlook(float a){
  108597. double d=a*(2.f*(float)INVSQ_LOOKUP_SZ)-(float)INVSQ_LOOKUP_SZ;
  108598. int i=vorbis_ftoi(d-.5f);
  108599. return INVSQ_LOOKUP[i]+ (d-i)*(INVSQ_LOOKUP[i+1]-INVSQ_LOOKUP[i]);
  108600. }
  108601. /* interpolated 1./sqrt(p) where .5 <= p < 1. */
  108602. float vorbis_invsq2explook(int a){
  108603. return INVSQ2EXP_LOOKUP[a-INVSQ2EXP_LOOKUP_MIN];
  108604. }
  108605. #include <stdio.h>
  108606. /* interpolated lookup based fromdB function, domain -140dB to 0dB only */
  108607. float vorbis_fromdBlook(float a){
  108608. int i=vorbis_ftoi(a*((float)(-(1<<FROMdB2_SHIFT)))-.5f);
  108609. return (i<0)?1.f:
  108610. ((i>=(FROMdB_LOOKUP_SZ<<FROMdB_SHIFT))?0.f:
  108611. FROMdB_LOOKUP[i>>FROMdB_SHIFT]*FROMdB2_LOOKUP[i&FROMdB2_MASK]);
  108612. }
  108613. #endif
  108614. #ifdef INT_LOOKUP
  108615. /* interpolated 1./sqrt(p) where .5 <= a < 1. (.100000... to .111111...) in
  108616. 16.16 format
  108617. returns in m.8 format */
  108618. long vorbis_invsqlook_i(long a,long e){
  108619. long i=(a&0x7fff)>>(INVSQ_LOOKUP_I_SHIFT-1);
  108620. long d=(a&INVSQ_LOOKUP_I_MASK)<<(16-INVSQ_LOOKUP_I_SHIFT); /* 0.16 */
  108621. long val=INVSQ_LOOKUP_I[i]- /* 1.16 */
  108622. (((INVSQ_LOOKUP_I[i]-INVSQ_LOOKUP_I[i+1])* /* 0.16 */
  108623. d)>>16); /* result 1.16 */
  108624. e+=32;
  108625. if(e&1)val=(val*5792)>>13; /* multiply val by 1/sqrt(2) */
  108626. e=(e>>1)-8;
  108627. return(val>>e);
  108628. }
  108629. /* interpolated lookup based fromdB function, domain -140dB to 0dB only */
  108630. /* a is in n.12 format */
  108631. float vorbis_fromdBlook_i(long a){
  108632. int i=(-a)>>(12-FROMdB2_SHIFT);
  108633. return (i<0)?1.f:
  108634. ((i>=(FROMdB_LOOKUP_SZ<<FROMdB_SHIFT))?0.f:
  108635. FROMdB_LOOKUP[i>>FROMdB_SHIFT]*FROMdB2_LOOKUP[i&FROMdB2_MASK]);
  108636. }
  108637. /* interpolated lookup based cos function, domain 0 to PI only */
  108638. /* a is in 0.16 format, where 0==0, 2^^16-1==PI, return 0.14 */
  108639. long vorbis_coslook_i(long a){
  108640. int i=a>>COS_LOOKUP_I_SHIFT;
  108641. int d=a&COS_LOOKUP_I_MASK;
  108642. return COS_LOOKUP_I[i]- ((d*(COS_LOOKUP_I[i]-COS_LOOKUP_I[i+1]))>>
  108643. COS_LOOKUP_I_SHIFT);
  108644. }
  108645. #endif
  108646. #endif
  108647. /********* End of inlined file: lookup.c *********/
  108648. /* catch this in the build system; we #include for
  108649. compilers (like gcc) that can't inline across
  108650. modules */
  108651. /* side effect: changes *lsp to cosines of lsp */
  108652. void vorbis_lsp_to_curve(float *curve,int *map,int n,int ln,float *lsp,int m,
  108653. float amp,float ampoffset){
  108654. int i;
  108655. float wdel=M_PI/ln;
  108656. vorbis_fpu_control fpu;
  108657. (void) fpu; // to avoid an unused variable warning
  108658. vorbis_fpu_setround(&fpu);
  108659. for(i=0;i<m;i++)lsp[i]=vorbis_coslook(lsp[i]);
  108660. i=0;
  108661. while(i<n){
  108662. int k=map[i];
  108663. int qexp;
  108664. float p=.7071067812f;
  108665. float q=.7071067812f;
  108666. float w=vorbis_coslook(wdel*k);
  108667. float *ftmp=lsp;
  108668. int c=m>>1;
  108669. do{
  108670. q*=ftmp[0]-w;
  108671. p*=ftmp[1]-w;
  108672. ftmp+=2;
  108673. }while(--c);
  108674. if(m&1){
  108675. /* odd order filter; slightly assymetric */
  108676. /* the last coefficient */
  108677. q*=ftmp[0]-w;
  108678. q*=q;
  108679. p*=p*(1.f-w*w);
  108680. }else{
  108681. /* even order filter; still symmetric */
  108682. q*=q*(1.f+w);
  108683. p*=p*(1.f-w);
  108684. }
  108685. q=frexp(p+q,&qexp);
  108686. q=vorbis_fromdBlook(amp*
  108687. vorbis_invsqlook(q)*
  108688. vorbis_invsq2explook(qexp+m)-
  108689. ampoffset);
  108690. do{
  108691. curve[i++]*=q;
  108692. }while(map[i]==k);
  108693. }
  108694. vorbis_fpu_restore(fpu);
  108695. }
  108696. #else
  108697. #ifdef INT_LOOKUP
  108698. /********* Start of inlined file: lookup.c *********/
  108699. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  108700. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  108701. // tasks..
  108702. #ifdef _MSC_VER
  108703. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  108704. #endif
  108705. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  108706. #if JUCE_USE_OGGVORBIS
  108707. #include <math.h>
  108708. /********* Start of inlined file: lookup.h *********/
  108709. #ifndef _V_LOOKUP_H_
  108710. #ifdef FLOAT_LOOKUP
  108711. extern float vorbis_coslook(float a);
  108712. extern float vorbis_invsqlook(float a);
  108713. extern float vorbis_invsq2explook(int a);
  108714. extern float vorbis_fromdBlook(float a);
  108715. #endif
  108716. #ifdef INT_LOOKUP
  108717. extern long vorbis_invsqlook_i(long a,long e);
  108718. extern long vorbis_coslook_i(long a);
  108719. extern float vorbis_fromdBlook_i(long a);
  108720. #endif
  108721. #endif
  108722. /********* End of inlined file: lookup.h *********/
  108723. /********* Start of inlined file: lookup_data.h *********/
  108724. #ifndef _V_LOOKUP_DATA_H_
  108725. #ifdef FLOAT_LOOKUP
  108726. #define COS_LOOKUP_SZ 128
  108727. static float COS_LOOKUP[COS_LOOKUP_SZ+1]={
  108728. +1.0000000000000f,+0.9996988186962f,+0.9987954562052f,+0.9972904566787f,
  108729. +0.9951847266722f,+0.9924795345987f,+0.9891765099648f,+0.9852776423889f,
  108730. +0.9807852804032f,+0.9757021300385f,+0.9700312531945f,+0.9637760657954f,
  108731. +0.9569403357322f,+0.9495281805930f,+0.9415440651830f,+0.9329927988347f,
  108732. +0.9238795325113f,+0.9142097557035f,+0.9039892931234f,+0.8932243011955f,
  108733. +0.8819212643484f,+0.8700869911087f,+0.8577286100003f,+0.8448535652497f,
  108734. +0.8314696123025f,+0.8175848131516f,+0.8032075314806f,+0.7883464276266f,
  108735. +0.7730104533627f,+0.7572088465065f,+0.7409511253550f,+0.7242470829515f,
  108736. +0.7071067811865f,+0.6895405447371f,+0.6715589548470f,+0.6531728429538f,
  108737. +0.6343932841636f,+0.6152315905806f,+0.5956993044924f,+0.5758081914178f,
  108738. +0.5555702330196f,+0.5349976198871f,+0.5141027441932f,+0.4928981922298f,
  108739. +0.4713967368260f,+0.4496113296546f,+0.4275550934303f,+0.4052413140050f,
  108740. +0.3826834323651f,+0.3598950365350f,+0.3368898533922f,+0.3136817403989f,
  108741. +0.2902846772545f,+0.2667127574749f,+0.2429801799033f,+0.2191012401569f,
  108742. +0.1950903220161f,+0.1709618887603f,+0.1467304744554f,+0.1224106751992f,
  108743. +0.0980171403296f,+0.0735645635997f,+0.0490676743274f,+0.0245412285229f,
  108744. +0.0000000000000f,-0.0245412285229f,-0.0490676743274f,-0.0735645635997f,
  108745. -0.0980171403296f,-0.1224106751992f,-0.1467304744554f,-0.1709618887603f,
  108746. -0.1950903220161f,-0.2191012401569f,-0.2429801799033f,-0.2667127574749f,
  108747. -0.2902846772545f,-0.3136817403989f,-0.3368898533922f,-0.3598950365350f,
  108748. -0.3826834323651f,-0.4052413140050f,-0.4275550934303f,-0.4496113296546f,
  108749. -0.4713967368260f,-0.4928981922298f,-0.5141027441932f,-0.5349976198871f,
  108750. -0.5555702330196f,-0.5758081914178f,-0.5956993044924f,-0.6152315905806f,
  108751. -0.6343932841636f,-0.6531728429538f,-0.6715589548470f,-0.6895405447371f,
  108752. -0.7071067811865f,-0.7242470829515f,-0.7409511253550f,-0.7572088465065f,
  108753. -0.7730104533627f,-0.7883464276266f,-0.8032075314806f,-0.8175848131516f,
  108754. -0.8314696123025f,-0.8448535652497f,-0.8577286100003f,-0.8700869911087f,
  108755. -0.8819212643484f,-0.8932243011955f,-0.9039892931234f,-0.9142097557035f,
  108756. -0.9238795325113f,-0.9329927988347f,-0.9415440651830f,-0.9495281805930f,
  108757. -0.9569403357322f,-0.9637760657954f,-0.9700312531945f,-0.9757021300385f,
  108758. -0.9807852804032f,-0.9852776423889f,-0.9891765099648f,-0.9924795345987f,
  108759. -0.9951847266722f,-0.9972904566787f,-0.9987954562052f,-0.9996988186962f,
  108760. -1.0000000000000f,
  108761. };
  108762. #define INVSQ_LOOKUP_SZ 32
  108763. static float INVSQ_LOOKUP[INVSQ_LOOKUP_SZ+1]={
  108764. 1.414213562373f,1.392621247646f,1.371988681140f,1.352246807566f,
  108765. 1.333333333333f,1.315191898443f,1.297771369046f,1.281025230441f,
  108766. 1.264911064067f,1.249390095109f,1.234426799697f,1.219988562661f,
  108767. 1.206045378311f,1.192569588000f,1.179535649239f,1.166919931983f,
  108768. 1.154700538379f,1.142857142857f,1.131370849898f,1.120224067222f,
  108769. 1.109400392450f,1.098884511590f,1.088662107904f,1.078719779941f,
  108770. 1.069044967650f,1.059625885652f,1.050451462878f,1.041511287847f,
  108771. 1.032795558989f,1.024295039463f,1.016001016002f,1.007905261358f,
  108772. 1.000000000000f,
  108773. };
  108774. #define INVSQ2EXP_LOOKUP_MIN (-32)
  108775. #define INVSQ2EXP_LOOKUP_MAX 32
  108776. static float INVSQ2EXP_LOOKUP[INVSQ2EXP_LOOKUP_MAX-\
  108777. INVSQ2EXP_LOOKUP_MIN+1]={
  108778. 65536.f, 46340.95001f, 32768.f, 23170.47501f,
  108779. 16384.f, 11585.2375f, 8192.f, 5792.618751f,
  108780. 4096.f, 2896.309376f, 2048.f, 1448.154688f,
  108781. 1024.f, 724.0773439f, 512.f, 362.038672f,
  108782. 256.f, 181.019336f, 128.f, 90.50966799f,
  108783. 64.f, 45.254834f, 32.f, 22.627417f,
  108784. 16.f, 11.3137085f, 8.f, 5.656854249f,
  108785. 4.f, 2.828427125f, 2.f, 1.414213562f,
  108786. 1.f, 0.7071067812f, 0.5f, 0.3535533906f,
  108787. 0.25f, 0.1767766953f, 0.125f, 0.08838834765f,
  108788. 0.0625f, 0.04419417382f, 0.03125f, 0.02209708691f,
  108789. 0.015625f, 0.01104854346f, 0.0078125f, 0.005524271728f,
  108790. 0.00390625f, 0.002762135864f, 0.001953125f, 0.001381067932f,
  108791. 0.0009765625f, 0.000690533966f, 0.00048828125f, 0.000345266983f,
  108792. 0.000244140625f,0.0001726334915f,0.0001220703125f,8.631674575e-05f,
  108793. 6.103515625e-05f,4.315837288e-05f,3.051757812e-05f,2.157918644e-05f,
  108794. 1.525878906e-05f,
  108795. };
  108796. #endif
  108797. #define FROMdB_LOOKUP_SZ 35
  108798. #define FROMdB2_LOOKUP_SZ 32
  108799. #define FROMdB_SHIFT 5
  108800. #define FROMdB2_SHIFT 3
  108801. #define FROMdB2_MASK 31
  108802. static float FROMdB_LOOKUP[FROMdB_LOOKUP_SZ]={
  108803. 1.f, 0.6309573445f, 0.3981071706f, 0.2511886432f,
  108804. 0.1584893192f, 0.1f, 0.06309573445f, 0.03981071706f,
  108805. 0.02511886432f, 0.01584893192f, 0.01f, 0.006309573445f,
  108806. 0.003981071706f, 0.002511886432f, 0.001584893192f, 0.001f,
  108807. 0.0006309573445f,0.0003981071706f,0.0002511886432f,0.0001584893192f,
  108808. 0.0001f,6.309573445e-05f,3.981071706e-05f,2.511886432e-05f,
  108809. 1.584893192e-05f, 1e-05f,6.309573445e-06f,3.981071706e-06f,
  108810. 2.511886432e-06f,1.584893192e-06f, 1e-06f,6.309573445e-07f,
  108811. 3.981071706e-07f,2.511886432e-07f,1.584893192e-07f,
  108812. };
  108813. static float FROMdB2_LOOKUP[FROMdB2_LOOKUP_SZ]={
  108814. 0.9928302478f, 0.9786445908f, 0.9646616199f, 0.9508784391f,
  108815. 0.9372921937f, 0.92390007f, 0.9106992942f, 0.8976871324f,
  108816. 0.8848608897f, 0.8722179097f, 0.8597555737f, 0.8474713009f,
  108817. 0.835362547f, 0.8234268041f, 0.8116616003f, 0.8000644989f,
  108818. 0.7886330981f, 0.7773650302f, 0.7662579617f, 0.755309592f,
  108819. 0.7445176537f, 0.7338799116f, 0.7233941627f, 0.7130582353f,
  108820. 0.7028699885f, 0.6928273125f, 0.6829281272f, 0.6731703824f,
  108821. 0.6635520573f, 0.6540711597f, 0.6447257262f, 0.6355138211f,
  108822. };
  108823. #ifdef INT_LOOKUP
  108824. #define INVSQ_LOOKUP_I_SHIFT 10
  108825. #define INVSQ_LOOKUP_I_MASK 1023
  108826. static long INVSQ_LOOKUP_I[64+1]={
  108827. 92682l, 91966l, 91267l, 90583l,
  108828. 89915l, 89261l, 88621l, 87995l,
  108829. 87381l, 86781l, 86192l, 85616l,
  108830. 85051l, 84497l, 83953l, 83420l,
  108831. 82897l, 82384l, 81880l, 81385l,
  108832. 80899l, 80422l, 79953l, 79492l,
  108833. 79039l, 78594l, 78156l, 77726l,
  108834. 77302l, 76885l, 76475l, 76072l,
  108835. 75674l, 75283l, 74898l, 74519l,
  108836. 74146l, 73778l, 73415l, 73058l,
  108837. 72706l, 72359l, 72016l, 71679l,
  108838. 71347l, 71019l, 70695l, 70376l,
  108839. 70061l, 69750l, 69444l, 69141l,
  108840. 68842l, 68548l, 68256l, 67969l,
  108841. 67685l, 67405l, 67128l, 66855l,
  108842. 66585l, 66318l, 66054l, 65794l,
  108843. 65536l,
  108844. };
  108845. #define COS_LOOKUP_I_SHIFT 9
  108846. #define COS_LOOKUP_I_MASK 511
  108847. #define COS_LOOKUP_I_SZ 128
  108848. static long COS_LOOKUP_I[COS_LOOKUP_I_SZ+1]={
  108849. 16384l, 16379l, 16364l, 16340l,
  108850. 16305l, 16261l, 16207l, 16143l,
  108851. 16069l, 15986l, 15893l, 15791l,
  108852. 15679l, 15557l, 15426l, 15286l,
  108853. 15137l, 14978l, 14811l, 14635l,
  108854. 14449l, 14256l, 14053l, 13842l,
  108855. 13623l, 13395l, 13160l, 12916l,
  108856. 12665l, 12406l, 12140l, 11866l,
  108857. 11585l, 11297l, 11003l, 10702l,
  108858. 10394l, 10080l, 9760l, 9434l,
  108859. 9102l, 8765l, 8423l, 8076l,
  108860. 7723l, 7366l, 7005l, 6639l,
  108861. 6270l, 5897l, 5520l, 5139l,
  108862. 4756l, 4370l, 3981l, 3590l,
  108863. 3196l, 2801l, 2404l, 2006l,
  108864. 1606l, 1205l, 804l, 402l,
  108865. 0l, -401l, -803l, -1204l,
  108866. -1605l, -2005l, -2403l, -2800l,
  108867. -3195l, -3589l, -3980l, -4369l,
  108868. -4755l, -5138l, -5519l, -5896l,
  108869. -6269l, -6638l, -7004l, -7365l,
  108870. -7722l, -8075l, -8422l, -8764l,
  108871. -9101l, -9433l, -9759l, -10079l,
  108872. -10393l, -10701l, -11002l, -11296l,
  108873. -11584l, -11865l, -12139l, -12405l,
  108874. -12664l, -12915l, -13159l, -13394l,
  108875. -13622l, -13841l, -14052l, -14255l,
  108876. -14448l, -14634l, -14810l, -14977l,
  108877. -15136l, -15285l, -15425l, -15556l,
  108878. -15678l, -15790l, -15892l, -15985l,
  108879. -16068l, -16142l, -16206l, -16260l,
  108880. -16304l, -16339l, -16363l, -16378l,
  108881. -16383l,
  108882. };
  108883. #endif
  108884. #endif
  108885. /********* End of inlined file: lookup_data.h *********/
  108886. #ifdef FLOAT_LOOKUP
  108887. /* interpolated lookup based cos function, domain 0 to PI only */
  108888. float vorbis_coslook(float a){
  108889. double d=a*(.31830989*(float)COS_LOOKUP_SZ);
  108890. int i=vorbis_ftoi(d-.5);
  108891. return COS_LOOKUP[i]+ (d-i)*(COS_LOOKUP[i+1]-COS_LOOKUP[i]);
  108892. }
  108893. /* interpolated 1./sqrt(p) where .5 <= p < 1. */
  108894. float vorbis_invsqlook(float a){
  108895. double d=a*(2.f*(float)INVSQ_LOOKUP_SZ)-(float)INVSQ_LOOKUP_SZ;
  108896. int i=vorbis_ftoi(d-.5f);
  108897. return INVSQ_LOOKUP[i]+ (d-i)*(INVSQ_LOOKUP[i+1]-INVSQ_LOOKUP[i]);
  108898. }
  108899. /* interpolated 1./sqrt(p) where .5 <= p < 1. */
  108900. float vorbis_invsq2explook(int a){
  108901. return INVSQ2EXP_LOOKUP[a-INVSQ2EXP_LOOKUP_MIN];
  108902. }
  108903. #include <stdio.h>
  108904. /* interpolated lookup based fromdB function, domain -140dB to 0dB only */
  108905. float vorbis_fromdBlook(float a){
  108906. int i=vorbis_ftoi(a*((float)(-(1<<FROMdB2_SHIFT)))-.5f);
  108907. return (i<0)?1.f:
  108908. ((i>=(FROMdB_LOOKUP_SZ<<FROMdB_SHIFT))?0.f:
  108909. FROMdB_LOOKUP[i>>FROMdB_SHIFT]*FROMdB2_LOOKUP[i&FROMdB2_MASK]);
  108910. }
  108911. #endif
  108912. #ifdef INT_LOOKUP
  108913. /* interpolated 1./sqrt(p) where .5 <= a < 1. (.100000... to .111111...) in
  108914. 16.16 format
  108915. returns in m.8 format */
  108916. long vorbis_invsqlook_i(long a,long e){
  108917. long i=(a&0x7fff)>>(INVSQ_LOOKUP_I_SHIFT-1);
  108918. long d=(a&INVSQ_LOOKUP_I_MASK)<<(16-INVSQ_LOOKUP_I_SHIFT); /* 0.16 */
  108919. long val=INVSQ_LOOKUP_I[i]- /* 1.16 */
  108920. (((INVSQ_LOOKUP_I[i]-INVSQ_LOOKUP_I[i+1])* /* 0.16 */
  108921. d)>>16); /* result 1.16 */
  108922. e+=32;
  108923. if(e&1)val=(val*5792)>>13; /* multiply val by 1/sqrt(2) */
  108924. e=(e>>1)-8;
  108925. return(val>>e);
  108926. }
  108927. /* interpolated lookup based fromdB function, domain -140dB to 0dB only */
  108928. /* a is in n.12 format */
  108929. float vorbis_fromdBlook_i(long a){
  108930. int i=(-a)>>(12-FROMdB2_SHIFT);
  108931. return (i<0)?1.f:
  108932. ((i>=(FROMdB_LOOKUP_SZ<<FROMdB_SHIFT))?0.f:
  108933. FROMdB_LOOKUP[i>>FROMdB_SHIFT]*FROMdB2_LOOKUP[i&FROMdB2_MASK]);
  108934. }
  108935. /* interpolated lookup based cos function, domain 0 to PI only */
  108936. /* a is in 0.16 format, where 0==0, 2^^16-1==PI, return 0.14 */
  108937. long vorbis_coslook_i(long a){
  108938. int i=a>>COS_LOOKUP_I_SHIFT;
  108939. int d=a&COS_LOOKUP_I_MASK;
  108940. return COS_LOOKUP_I[i]- ((d*(COS_LOOKUP_I[i]-COS_LOOKUP_I[i+1]))>>
  108941. COS_LOOKUP_I_SHIFT);
  108942. }
  108943. #endif
  108944. #endif
  108945. /********* End of inlined file: lookup.c *********/
  108946. /* catch this in the build system; we #include for
  108947. compilers (like gcc) that can't inline across
  108948. modules */
  108949. static int MLOOP_1[64]={
  108950. 0,10,11,11, 12,12,12,12, 13,13,13,13, 13,13,13,13,
  108951. 14,14,14,14, 14,14,14,14, 14,14,14,14, 14,14,14,14,
  108952. 15,15,15,15, 15,15,15,15, 15,15,15,15, 15,15,15,15,
  108953. 15,15,15,15, 15,15,15,15, 15,15,15,15, 15,15,15,15,
  108954. };
  108955. static int MLOOP_2[64]={
  108956. 0,4,5,5, 6,6,6,6, 7,7,7,7, 7,7,7,7,
  108957. 8,8,8,8, 8,8,8,8, 8,8,8,8, 8,8,8,8,
  108958. 9,9,9,9, 9,9,9,9, 9,9,9,9, 9,9,9,9,
  108959. 9,9,9,9, 9,9,9,9, 9,9,9,9, 9,9,9,9,
  108960. };
  108961. static int MLOOP_3[8]={0,1,2,2,3,3,3,3};
  108962. /* side effect: changes *lsp to cosines of lsp */
  108963. void vorbis_lsp_to_curve(float *curve,int *map,int n,int ln,float *lsp,int m,
  108964. float amp,float ampoffset){
  108965. /* 0 <= m < 256 */
  108966. /* set up for using all int later */
  108967. int i;
  108968. int ampoffseti=rint(ampoffset*4096.f);
  108969. int ampi=rint(amp*16.f);
  108970. long *ilsp=alloca(m*sizeof(*ilsp));
  108971. for(i=0;i<m;i++)ilsp[i]=vorbis_coslook_i(lsp[i]/M_PI*65536.f+.5f);
  108972. i=0;
  108973. while(i<n){
  108974. int j,k=map[i];
  108975. unsigned long pi=46341; /* 2**-.5 in 0.16 */
  108976. unsigned long qi=46341;
  108977. int qexp=0,shift;
  108978. long wi=vorbis_coslook_i(k*65536/ln);
  108979. qi*=labs(ilsp[0]-wi);
  108980. pi*=labs(ilsp[1]-wi);
  108981. for(j=3;j<m;j+=2){
  108982. if(!(shift=MLOOP_1[(pi|qi)>>25]))
  108983. if(!(shift=MLOOP_2[(pi|qi)>>19]))
  108984. shift=MLOOP_3[(pi|qi)>>16];
  108985. qi=(qi>>shift)*labs(ilsp[j-1]-wi);
  108986. pi=(pi>>shift)*labs(ilsp[j]-wi);
  108987. qexp+=shift;
  108988. }
  108989. if(!(shift=MLOOP_1[(pi|qi)>>25]))
  108990. if(!(shift=MLOOP_2[(pi|qi)>>19]))
  108991. shift=MLOOP_3[(pi|qi)>>16];
  108992. /* pi,qi normalized collectively, both tracked using qexp */
  108993. if(m&1){
  108994. /* odd order filter; slightly assymetric */
  108995. /* the last coefficient */
  108996. qi=(qi>>shift)*labs(ilsp[j-1]-wi);
  108997. pi=(pi>>shift)<<14;
  108998. qexp+=shift;
  108999. if(!(shift=MLOOP_1[(pi|qi)>>25]))
  109000. if(!(shift=MLOOP_2[(pi|qi)>>19]))
  109001. shift=MLOOP_3[(pi|qi)>>16];
  109002. pi>>=shift;
  109003. qi>>=shift;
  109004. qexp+=shift-14*((m+1)>>1);
  109005. pi=((pi*pi)>>16);
  109006. qi=((qi*qi)>>16);
  109007. qexp=qexp*2+m;
  109008. pi*=(1<<14)-((wi*wi)>>14);
  109009. qi+=pi>>14;
  109010. }else{
  109011. /* even order filter; still symmetric */
  109012. /* p*=p(1-w), q*=q(1+w), let normalization drift because it isn't
  109013. worth tracking step by step */
  109014. pi>>=shift;
  109015. qi>>=shift;
  109016. qexp+=shift-7*m;
  109017. pi=((pi*pi)>>16);
  109018. qi=((qi*qi)>>16);
  109019. qexp=qexp*2+m;
  109020. pi*=(1<<14)-wi;
  109021. qi*=(1<<14)+wi;
  109022. qi=(qi+pi)>>14;
  109023. }
  109024. /* we've let the normalization drift because it wasn't important;
  109025. however, for the lookup, things must be normalized again. We
  109026. need at most one right shift or a number of left shifts */
  109027. if(qi&0xffff0000){ /* checks for 1.xxxxxxxxxxxxxxxx */
  109028. qi>>=1; qexp++;
  109029. }else
  109030. while(qi && !(qi&0x8000)){ /* checks for 0.0xxxxxxxxxxxxxxx or less*/
  109031. qi<<=1; qexp--;
  109032. }
  109033. amp=vorbis_fromdBlook_i(ampi* /* n.4 */
  109034. vorbis_invsqlook_i(qi,qexp)-
  109035. /* m.8, m+n<=8 */
  109036. ampoffseti); /* 8.12[0] */
  109037. curve[i]*=amp;
  109038. while(map[++i]==k)curve[i]*=amp;
  109039. }
  109040. }
  109041. #else
  109042. /* old, nonoptimized but simple version for any poor sap who needs to
  109043. figure out what the hell this code does, or wants the other
  109044. fraction of a dB precision */
  109045. /* side effect: changes *lsp to cosines of lsp */
  109046. void vorbis_lsp_to_curve(float *curve,int *map,int n,int ln,float *lsp,int m,
  109047. float amp,float ampoffset){
  109048. int i;
  109049. float wdel=M_PI/ln;
  109050. for(i=0;i<m;i++)lsp[i]=2.f*cos(lsp[i]);
  109051. i=0;
  109052. while(i<n){
  109053. int j,k=map[i];
  109054. float p=.5f;
  109055. float q=.5f;
  109056. float w=2.f*cos(wdel*k);
  109057. for(j=1;j<m;j+=2){
  109058. q *= w-lsp[j-1];
  109059. p *= w-lsp[j];
  109060. }
  109061. if(j==m){
  109062. /* odd order filter; slightly assymetric */
  109063. /* the last coefficient */
  109064. q*=w-lsp[j-1];
  109065. p*=p*(4.f-w*w);
  109066. q*=q;
  109067. }else{
  109068. /* even order filter; still symmetric */
  109069. p*=p*(2.f-w);
  109070. q*=q*(2.f+w);
  109071. }
  109072. q=fromdB(amp/sqrt(p+q)-ampoffset);
  109073. curve[i]*=q;
  109074. while(map[++i]==k)curve[i]*=q;
  109075. }
  109076. }
  109077. #endif
  109078. #endif
  109079. static void cheby(float *g, int ord) {
  109080. int i, j;
  109081. g[0] *= .5f;
  109082. for(i=2; i<= ord; i++) {
  109083. for(j=ord; j >= i; j--) {
  109084. g[j-2] -= g[j];
  109085. g[j] += g[j];
  109086. }
  109087. }
  109088. }
  109089. static int comp(const void *a,const void *b){
  109090. return (*(float *)a<*(float *)b)-(*(float *)a>*(float *)b);
  109091. }
  109092. /* Newton-Raphson-Maehly actually functioned as a decent root finder,
  109093. but there are root sets for which it gets into limit cycles
  109094. (exacerbated by zero suppression) and fails. We can't afford to
  109095. fail, even if the failure is 1 in 100,000,000, so we now use
  109096. Laguerre and later polish with Newton-Raphson (which can then
  109097. afford to fail) */
  109098. #define EPSILON 10e-7
  109099. static int Laguerre_With_Deflation(float *a,int ord,float *r){
  109100. int i,m;
  109101. double lastdelta=0.f;
  109102. double *defl=(double*)alloca(sizeof(*defl)*(ord+1));
  109103. for(i=0;i<=ord;i++)defl[i]=a[i];
  109104. for(m=ord;m>0;m--){
  109105. double newx=0.f,delta;
  109106. /* iterate a root */
  109107. while(1){
  109108. double p=defl[m],pp=0.f,ppp=0.f,denom;
  109109. /* eval the polynomial and its first two derivatives */
  109110. for(i=m;i>0;i--){
  109111. ppp = newx*ppp + pp;
  109112. pp = newx*pp + p;
  109113. p = newx*p + defl[i-1];
  109114. }
  109115. /* Laguerre's method */
  109116. denom=(m-1) * ((m-1)*pp*pp - m*p*ppp);
  109117. if(denom<0)
  109118. return(-1); /* complex root! The LPC generator handed us a bad filter */
  109119. if(pp>0){
  109120. denom = pp + sqrt(denom);
  109121. if(denom<EPSILON)denom=EPSILON;
  109122. }else{
  109123. denom = pp - sqrt(denom);
  109124. if(denom>-(EPSILON))denom=-(EPSILON);
  109125. }
  109126. delta = m*p/denom;
  109127. newx -= delta;
  109128. if(delta<0.f)delta*=-1;
  109129. if(fabs(delta/newx)<10e-12)break;
  109130. lastdelta=delta;
  109131. }
  109132. r[m-1]=newx;
  109133. /* forward deflation */
  109134. for(i=m;i>0;i--)
  109135. defl[i-1]+=newx*defl[i];
  109136. defl++;
  109137. }
  109138. return(0);
  109139. }
  109140. /* for spit-and-polish only */
  109141. static int Newton_Raphson(float *a,int ord,float *r){
  109142. int i, k, count=0;
  109143. double error=1.f;
  109144. double *root=(double*)alloca(ord*sizeof(*root));
  109145. for(i=0; i<ord;i++) root[i] = r[i];
  109146. while(error>1e-20){
  109147. error=0;
  109148. for(i=0; i<ord; i++) { /* Update each point. */
  109149. double pp=0.,delta;
  109150. double rooti=root[i];
  109151. double p=a[ord];
  109152. for(k=ord-1; k>= 0; k--) {
  109153. pp= pp* rooti + p;
  109154. p = p * rooti + a[k];
  109155. }
  109156. delta = p/pp;
  109157. root[i] -= delta;
  109158. error+= delta*delta;
  109159. }
  109160. if(count>40)return(-1);
  109161. count++;
  109162. }
  109163. /* Replaced the original bubble sort with a real sort. With your
  109164. help, we can eliminate the bubble sort in our lifetime. --Monty */
  109165. for(i=0; i<ord;i++) r[i] = root[i];
  109166. return(0);
  109167. }
  109168. /* Convert lpc coefficients to lsp coefficients */
  109169. int vorbis_lpc_to_lsp(float *lpc,float *lsp,int m){
  109170. int order2=(m+1)>>1;
  109171. int g1_order,g2_order;
  109172. float *g1=(float*)alloca(sizeof(*g1)*(order2+1));
  109173. float *g2=(float*)alloca(sizeof(*g2)*(order2+1));
  109174. float *g1r=(float*)alloca(sizeof(*g1r)*(order2+1));
  109175. float *g2r=(float*)alloca(sizeof(*g2r)*(order2+1));
  109176. int i;
  109177. /* even and odd are slightly different base cases */
  109178. g1_order=(m+1)>>1;
  109179. g2_order=(m) >>1;
  109180. /* Compute the lengths of the x polynomials. */
  109181. /* Compute the first half of K & R F1 & F2 polynomials. */
  109182. /* Compute half of the symmetric and antisymmetric polynomials. */
  109183. /* Remove the roots at +1 and -1. */
  109184. g1[g1_order] = 1.f;
  109185. for(i=1;i<=g1_order;i++) g1[g1_order-i] = lpc[i-1]+lpc[m-i];
  109186. g2[g2_order] = 1.f;
  109187. for(i=1;i<=g2_order;i++) g2[g2_order-i] = lpc[i-1]-lpc[m-i];
  109188. if(g1_order>g2_order){
  109189. for(i=2; i<=g2_order;i++) g2[g2_order-i] += g2[g2_order-i+2];
  109190. }else{
  109191. for(i=1; i<=g1_order;i++) g1[g1_order-i] -= g1[g1_order-i+1];
  109192. for(i=1; i<=g2_order;i++) g2[g2_order-i] += g2[g2_order-i+1];
  109193. }
  109194. /* Convert into polynomials in cos(alpha) */
  109195. cheby(g1,g1_order);
  109196. cheby(g2,g2_order);
  109197. /* Find the roots of the 2 even polynomials.*/
  109198. if(Laguerre_With_Deflation(g1,g1_order,g1r) ||
  109199. Laguerre_With_Deflation(g2,g2_order,g2r))
  109200. return(-1);
  109201. Newton_Raphson(g1,g1_order,g1r); /* if it fails, it leaves g1r alone */
  109202. Newton_Raphson(g2,g2_order,g2r); /* if it fails, it leaves g2r alone */
  109203. qsort(g1r,g1_order,sizeof(*g1r),comp);
  109204. qsort(g2r,g2_order,sizeof(*g2r),comp);
  109205. for(i=0;i<g1_order;i++)
  109206. lsp[i*2] = acos(g1r[i]);
  109207. for(i=0;i<g2_order;i++)
  109208. lsp[i*2+1] = acos(g2r[i]);
  109209. return(0);
  109210. }
  109211. #endif
  109212. /********* End of inlined file: lsp.c *********/
  109213. /********* Start of inlined file: mapping0.c *********/
  109214. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  109215. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  109216. // tasks..
  109217. #ifdef _MSC_VER
  109218. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  109219. #endif
  109220. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  109221. #if JUCE_USE_OGGVORBIS
  109222. #include <stdlib.h>
  109223. #include <stdio.h>
  109224. #include <string.h>
  109225. #include <math.h>
  109226. /* simplistic, wasteful way of doing this (unique lookup for each
  109227. mode/submapping); there should be a central repository for
  109228. identical lookups. That will require minor work, so I'm putting it
  109229. off as low priority.
  109230. Why a lookup for each backend in a given mode? Because the
  109231. blocksize is set by the mode, and low backend lookups may require
  109232. parameters from other areas of the mode/mapping */
  109233. static void mapping0_free_info(vorbis_info_mapping *i){
  109234. vorbis_info_mapping0 *info=(vorbis_info_mapping0 *)i;
  109235. if(info){
  109236. memset(info,0,sizeof(*info));
  109237. _ogg_free(info);
  109238. }
  109239. }
  109240. static int ilog3(unsigned int v){
  109241. int ret=0;
  109242. if(v)--v;
  109243. while(v){
  109244. ret++;
  109245. v>>=1;
  109246. }
  109247. return(ret);
  109248. }
  109249. static void mapping0_pack(vorbis_info *vi,vorbis_info_mapping *vm,
  109250. oggpack_buffer *opb){
  109251. int i;
  109252. vorbis_info_mapping0 *info=(vorbis_info_mapping0 *)vm;
  109253. /* another 'we meant to do it this way' hack... up to beta 4, we
  109254. packed 4 binary zeros here to signify one submapping in use. We
  109255. now redefine that to mean four bitflags that indicate use of
  109256. deeper features; bit0:submappings, bit1:coupling,
  109257. bit2,3:reserved. This is backward compatable with all actual uses
  109258. of the beta code. */
  109259. if(info->submaps>1){
  109260. oggpack_write(opb,1,1);
  109261. oggpack_write(opb,info->submaps-1,4);
  109262. }else
  109263. oggpack_write(opb,0,1);
  109264. if(info->coupling_steps>0){
  109265. oggpack_write(opb,1,1);
  109266. oggpack_write(opb,info->coupling_steps-1,8);
  109267. for(i=0;i<info->coupling_steps;i++){
  109268. oggpack_write(opb,info->coupling_mag[i],ilog3(vi->channels));
  109269. oggpack_write(opb,info->coupling_ang[i],ilog3(vi->channels));
  109270. }
  109271. }else
  109272. oggpack_write(opb,0,1);
  109273. oggpack_write(opb,0,2); /* 2,3:reserved */
  109274. /* we don't write the channel submappings if we only have one... */
  109275. if(info->submaps>1){
  109276. for(i=0;i<vi->channels;i++)
  109277. oggpack_write(opb,info->chmuxlist[i],4);
  109278. }
  109279. for(i=0;i<info->submaps;i++){
  109280. oggpack_write(opb,0,8); /* time submap unused */
  109281. oggpack_write(opb,info->floorsubmap[i],8);
  109282. oggpack_write(opb,info->residuesubmap[i],8);
  109283. }
  109284. }
  109285. /* also responsible for range checking */
  109286. static vorbis_info_mapping *mapping0_unpack(vorbis_info *vi,oggpack_buffer *opb){
  109287. int i;
  109288. vorbis_info_mapping0 *info=(vorbis_info_mapping0*)_ogg_calloc(1,sizeof(*info));
  109289. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  109290. memset(info,0,sizeof(*info));
  109291. if(oggpack_read(opb,1))
  109292. info->submaps=oggpack_read(opb,4)+1;
  109293. else
  109294. info->submaps=1;
  109295. if(oggpack_read(opb,1)){
  109296. info->coupling_steps=oggpack_read(opb,8)+1;
  109297. for(i=0;i<info->coupling_steps;i++){
  109298. int testM=info->coupling_mag[i]=oggpack_read(opb,ilog3(vi->channels));
  109299. int testA=info->coupling_ang[i]=oggpack_read(opb,ilog3(vi->channels));
  109300. if(testM<0 ||
  109301. testA<0 ||
  109302. testM==testA ||
  109303. testM>=vi->channels ||
  109304. testA>=vi->channels) goto err_out;
  109305. }
  109306. }
  109307. if(oggpack_read(opb,2)>0)goto err_out; /* 2,3:reserved */
  109308. if(info->submaps>1){
  109309. for(i=0;i<vi->channels;i++){
  109310. info->chmuxlist[i]=oggpack_read(opb,4);
  109311. if(info->chmuxlist[i]>=info->submaps)goto err_out;
  109312. }
  109313. }
  109314. for(i=0;i<info->submaps;i++){
  109315. oggpack_read(opb,8); /* time submap unused */
  109316. info->floorsubmap[i]=oggpack_read(opb,8);
  109317. if(info->floorsubmap[i]>=ci->floors)goto err_out;
  109318. info->residuesubmap[i]=oggpack_read(opb,8);
  109319. if(info->residuesubmap[i]>=ci->residues)goto err_out;
  109320. }
  109321. return info;
  109322. err_out:
  109323. mapping0_free_info(info);
  109324. return(NULL);
  109325. }
  109326. #if 0
  109327. static long seq=0;
  109328. static ogg_int64_t total=0;
  109329. static float FLOOR1_fromdB_LOOKUP[256]={
  109330. 1.0649863e-07F, 1.1341951e-07F, 1.2079015e-07F, 1.2863978e-07F,
  109331. 1.3699951e-07F, 1.4590251e-07F, 1.5538408e-07F, 1.6548181e-07F,
  109332. 1.7623575e-07F, 1.8768855e-07F, 1.9988561e-07F, 2.128753e-07F,
  109333. 2.2670913e-07F, 2.4144197e-07F, 2.5713223e-07F, 2.7384213e-07F,
  109334. 2.9163793e-07F, 3.1059021e-07F, 3.3077411e-07F, 3.5226968e-07F,
  109335. 3.7516214e-07F, 3.9954229e-07F, 4.2550680e-07F, 4.5315863e-07F,
  109336. 4.8260743e-07F, 5.1396998e-07F, 5.4737065e-07F, 5.8294187e-07F,
  109337. 6.2082472e-07F, 6.6116941e-07F, 7.0413592e-07F, 7.4989464e-07F,
  109338. 7.9862701e-07F, 8.5052630e-07F, 9.0579828e-07F, 9.6466216e-07F,
  109339. 1.0273513e-06F, 1.0941144e-06F, 1.1652161e-06F, 1.2409384e-06F,
  109340. 1.3215816e-06F, 1.4074654e-06F, 1.4989305e-06F, 1.5963394e-06F,
  109341. 1.7000785e-06F, 1.8105592e-06F, 1.9282195e-06F, 2.0535261e-06F,
  109342. 2.1869758e-06F, 2.3290978e-06F, 2.4804557e-06F, 2.6416497e-06F,
  109343. 2.8133190e-06F, 2.9961443e-06F, 3.1908506e-06F, 3.3982101e-06F,
  109344. 3.6190449e-06F, 3.8542308e-06F, 4.1047004e-06F, 4.3714470e-06F,
  109345. 4.6555282e-06F, 4.9580707e-06F, 5.2802740e-06F, 5.6234160e-06F,
  109346. 5.9888572e-06F, 6.3780469e-06F, 6.7925283e-06F, 7.2339451e-06F,
  109347. 7.7040476e-06F, 8.2047000e-06F, 8.7378876e-06F, 9.3057248e-06F,
  109348. 9.9104632e-06F, 1.0554501e-05F, 1.1240392e-05F, 1.1970856e-05F,
  109349. 1.2748789e-05F, 1.3577278e-05F, 1.4459606e-05F, 1.5399272e-05F,
  109350. 1.6400004e-05F, 1.7465768e-05F, 1.8600792e-05F, 1.9809576e-05F,
  109351. 2.1096914e-05F, 2.2467911e-05F, 2.3928002e-05F, 2.5482978e-05F,
  109352. 2.7139006e-05F, 2.8902651e-05F, 3.0780908e-05F, 3.2781225e-05F,
  109353. 3.4911534e-05F, 3.7180282e-05F, 3.9596466e-05F, 4.2169667e-05F,
  109354. 4.4910090e-05F, 4.7828601e-05F, 5.0936773e-05F, 5.4246931e-05F,
  109355. 5.7772202e-05F, 6.1526565e-05F, 6.5524908e-05F, 6.9783085e-05F,
  109356. 7.4317983e-05F, 7.9147585e-05F, 8.4291040e-05F, 8.9768747e-05F,
  109357. 9.5602426e-05F, 0.00010181521F, 0.00010843174F, 0.00011547824F,
  109358. 0.00012298267F, 0.00013097477F, 0.00013948625F, 0.00014855085F,
  109359. 0.00015820453F, 0.00016848555F, 0.00017943469F, 0.00019109536F,
  109360. 0.00020351382F, 0.00021673929F, 0.00023082423F, 0.00024582449F,
  109361. 0.00026179955F, 0.00027881276F, 0.00029693158F, 0.00031622787F,
  109362. 0.00033677814F, 0.00035866388F, 0.00038197188F, 0.00040679456F,
  109363. 0.00043323036F, 0.00046138411F, 0.00049136745F, 0.00052329927F,
  109364. 0.00055730621F, 0.00059352311F, 0.00063209358F, 0.00067317058F,
  109365. 0.00071691700F, 0.00076350630F, 0.00081312324F, 0.00086596457F,
  109366. 0.00092223983F, 0.00098217216F, 0.0010459992F, 0.0011139742F,
  109367. 0.0011863665F, 0.0012634633F, 0.0013455702F, 0.0014330129F,
  109368. 0.0015261382F, 0.0016253153F, 0.0017309374F, 0.0018434235F,
  109369. 0.0019632195F, 0.0020908006F, 0.0022266726F, 0.0023713743F,
  109370. 0.0025254795F, 0.0026895994F, 0.0028643847F, 0.0030505286F,
  109371. 0.0032487691F, 0.0034598925F, 0.0036847358F, 0.0039241906F,
  109372. 0.0041792066F, 0.0044507950F, 0.0047400328F, 0.0050480668F,
  109373. 0.0053761186F, 0.0057254891F, 0.0060975636F, 0.0064938176F,
  109374. 0.0069158225F, 0.0073652516F, 0.0078438871F, 0.0083536271F,
  109375. 0.0088964928F, 0.009474637F, 0.010090352F, 0.010746080F,
  109376. 0.011444421F, 0.012188144F, 0.012980198F, 0.013823725F,
  109377. 0.014722068F, 0.015678791F, 0.016697687F, 0.017782797F,
  109378. 0.018938423F, 0.020169149F, 0.021479854F, 0.022875735F,
  109379. 0.024362330F, 0.025945531F, 0.027631618F, 0.029427276F,
  109380. 0.031339626F, 0.033376252F, 0.035545228F, 0.037855157F,
  109381. 0.040315199F, 0.042935108F, 0.045725273F, 0.048696758F,
  109382. 0.051861348F, 0.055231591F, 0.058820850F, 0.062643361F,
  109383. 0.066714279F, 0.071049749F, 0.075666962F, 0.080584227F,
  109384. 0.085821044F, 0.091398179F, 0.097337747F, 0.10366330F,
  109385. 0.11039993F, 0.11757434F, 0.12521498F, 0.13335215F,
  109386. 0.14201813F, 0.15124727F, 0.16107617F, 0.17154380F,
  109387. 0.18269168F, 0.19456402F, 0.20720788F, 0.22067342F,
  109388. 0.23501402F, 0.25028656F, 0.26655159F, 0.28387361F,
  109389. 0.30232132F, 0.32196786F, 0.34289114F, 0.36517414F,
  109390. 0.38890521F, 0.41417847F, 0.44109412F, 0.46975890F,
  109391. 0.50028648F, 0.53279791F, 0.56742212F, 0.60429640F,
  109392. 0.64356699F, 0.68538959F, 0.72993007F, 0.77736504F,
  109393. 0.82788260F, 0.88168307F, 0.9389798F, 1.F,
  109394. };
  109395. #endif
  109396. extern int *floor1_fit(vorbis_block *vb,void *look,
  109397. const float *logmdct, /* in */
  109398. const float *logmask);
  109399. extern int *floor1_interpolate_fit(vorbis_block *vb,void *look,
  109400. int *A,int *B,
  109401. int del);
  109402. extern int floor1_encode(oggpack_buffer *opb,vorbis_block *vb,
  109403. void*look,
  109404. int *post,int *ilogmask);
  109405. static int mapping0_forward(vorbis_block *vb){
  109406. vorbis_dsp_state *vd=vb->vd;
  109407. vorbis_info *vi=vd->vi;
  109408. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  109409. private_state *b=(private_state*)vb->vd->backend_state;
  109410. vorbis_block_internal *vbi=(vorbis_block_internal *)vb->internal;
  109411. int n=vb->pcmend;
  109412. int i,j,k;
  109413. int *nonzero = (int*) alloca(sizeof(*nonzero)*vi->channels);
  109414. float **gmdct = (float**) _vorbis_block_alloc(vb,vi->channels*sizeof(*gmdct));
  109415. int **ilogmaskch= (int**) _vorbis_block_alloc(vb,vi->channels*sizeof(*ilogmaskch));
  109416. int ***floor_posts = (int***) _vorbis_block_alloc(vb,vi->channels*sizeof(*floor_posts));
  109417. float global_ampmax=vbi->ampmax;
  109418. float *local_ampmax=(float*)alloca(sizeof(*local_ampmax)*vi->channels);
  109419. int blocktype=vbi->blocktype;
  109420. int modenumber=vb->W;
  109421. vorbis_info_mapping0 *info=(vorbis_info_mapping0*)ci->map_param[modenumber];
  109422. vorbis_look_psy *psy_look=
  109423. b->psy+blocktype+(vb->W?2:0);
  109424. vb->mode=modenumber;
  109425. for(i=0;i<vi->channels;i++){
  109426. float scale=4.f/n;
  109427. float scale_dB;
  109428. float *pcm =vb->pcm[i];
  109429. float *logfft =pcm;
  109430. gmdct[i]=(float*)_vorbis_block_alloc(vb,n/2*sizeof(**gmdct));
  109431. scale_dB=todB(&scale) + .345; /* + .345 is a hack; the original
  109432. todB estimation used on IEEE 754
  109433. compliant machines had a bug that
  109434. returned dB values about a third
  109435. of a decibel too high. The bug
  109436. was harmless because tunings
  109437. implicitly took that into
  109438. account. However, fixing the bug
  109439. in the estimator requires
  109440. changing all the tunings as well.
  109441. For now, it's easier to sync
  109442. things back up here, and
  109443. recalibrate the tunings in the
  109444. next major model upgrade. */
  109445. #if 0
  109446. if(vi->channels==2)
  109447. if(i==0)
  109448. _analysis_output("pcmL",seq,pcm,n,0,0,total-n/2);
  109449. else
  109450. _analysis_output("pcmR",seq,pcm,n,0,0,total-n/2);
  109451. #endif
  109452. /* window the PCM data */
  109453. _vorbis_apply_window(pcm,b->window,ci->blocksizes,vb->lW,vb->W,vb->nW);
  109454. #if 0
  109455. if(vi->channels==2)
  109456. if(i==0)
  109457. _analysis_output("windowedL",seq,pcm,n,0,0,total-n/2);
  109458. else
  109459. _analysis_output("windowedR",seq,pcm,n,0,0,total-n/2);
  109460. #endif
  109461. /* transform the PCM data */
  109462. /* only MDCT right now.... */
  109463. mdct_forward((mdct_lookup*) b->transform[vb->W][0],pcm,gmdct[i]);
  109464. /* FFT yields more accurate tonal estimation (not phase sensitive) */
  109465. drft_forward(&b->fft_look[vb->W],pcm);
  109466. logfft[0]=scale_dB+todB(pcm) + .345; /* + .345 is a hack; the
  109467. original todB estimation used on
  109468. IEEE 754 compliant machines had a
  109469. bug that returned dB values about
  109470. a third of a decibel too high.
  109471. The bug was harmless because
  109472. tunings implicitly took that into
  109473. account. However, fixing the bug
  109474. in the estimator requires
  109475. changing all the tunings as well.
  109476. For now, it's easier to sync
  109477. things back up here, and
  109478. recalibrate the tunings in the
  109479. next major model upgrade. */
  109480. local_ampmax[i]=logfft[0];
  109481. for(j=1;j<n-1;j+=2){
  109482. float temp=pcm[j]*pcm[j]+pcm[j+1]*pcm[j+1];
  109483. temp=logfft[(j+1)>>1]=scale_dB+.5f*todB(&temp) + .345; /* +
  109484. .345 is a hack; the original todB
  109485. estimation used on IEEE 754
  109486. compliant machines had a bug that
  109487. returned dB values about a third
  109488. of a decibel too high. The bug
  109489. was harmless because tunings
  109490. implicitly took that into
  109491. account. However, fixing the bug
  109492. in the estimator requires
  109493. changing all the tunings as well.
  109494. For now, it's easier to sync
  109495. things back up here, and
  109496. recalibrate the tunings in the
  109497. next major model upgrade. */
  109498. if(temp>local_ampmax[i])local_ampmax[i]=temp;
  109499. }
  109500. if(local_ampmax[i]>0.f)local_ampmax[i]=0.f;
  109501. if(local_ampmax[i]>global_ampmax)global_ampmax=local_ampmax[i];
  109502. #if 0
  109503. if(vi->channels==2){
  109504. if(i==0){
  109505. _analysis_output("fftL",seq,logfft,n/2,1,0,0);
  109506. }else{
  109507. _analysis_output("fftR",seq,logfft,n/2,1,0,0);
  109508. }
  109509. }
  109510. #endif
  109511. }
  109512. {
  109513. float *noise = (float*) _vorbis_block_alloc(vb,n/2*sizeof(*noise));
  109514. float *tone = (float*) _vorbis_block_alloc(vb,n/2*sizeof(*tone));
  109515. for(i=0;i<vi->channels;i++){
  109516. /* the encoder setup assumes that all the modes used by any
  109517. specific bitrate tweaking use the same floor */
  109518. int submap=info->chmuxlist[i];
  109519. /* the following makes things clearer to *me* anyway */
  109520. float *mdct =gmdct[i];
  109521. float *logfft =vb->pcm[i];
  109522. float *logmdct =logfft+n/2;
  109523. float *logmask =logfft;
  109524. vb->mode=modenumber;
  109525. floor_posts[i]=(int**) _vorbis_block_alloc(vb,PACKETBLOBS*sizeof(**floor_posts));
  109526. memset(floor_posts[i],0,sizeof(**floor_posts)*PACKETBLOBS);
  109527. for(j=0;j<n/2;j++)
  109528. logmdct[j]=todB(mdct+j) + .345; /* + .345 is a hack; the original
  109529. todB estimation used on IEEE 754
  109530. compliant machines had a bug that
  109531. returned dB values about a third
  109532. of a decibel too high. The bug
  109533. was harmless because tunings
  109534. implicitly took that into
  109535. account. However, fixing the bug
  109536. in the estimator requires
  109537. changing all the tunings as well.
  109538. For now, it's easier to sync
  109539. things back up here, and
  109540. recalibrate the tunings in the
  109541. next major model upgrade. */
  109542. #if 0
  109543. if(vi->channels==2){
  109544. if(i==0)
  109545. _analysis_output("mdctL",seq,logmdct,n/2,1,0,0);
  109546. else
  109547. _analysis_output("mdctR",seq,logmdct,n/2,1,0,0);
  109548. }else{
  109549. _analysis_output("mdct",seq,logmdct,n/2,1,0,0);
  109550. }
  109551. #endif
  109552. /* first step; noise masking. Not only does 'noise masking'
  109553. give us curves from which we can decide how much resolution
  109554. to give noise parts of the spectrum, it also implicitly hands
  109555. us a tonality estimate (the larger the value in the
  109556. 'noise_depth' vector, the more tonal that area is) */
  109557. _vp_noisemask(psy_look,
  109558. logmdct,
  109559. noise); /* noise does not have by-frequency offset
  109560. bias applied yet */
  109561. #if 0
  109562. if(vi->channels==2){
  109563. if(i==0)
  109564. _analysis_output("noiseL",seq,noise,n/2,1,0,0);
  109565. else
  109566. _analysis_output("noiseR",seq,noise,n/2,1,0,0);
  109567. }
  109568. #endif
  109569. /* second step: 'all the other crap'; all the stuff that isn't
  109570. computed/fit for bitrate management goes in the second psy
  109571. vector. This includes tone masking, peak limiting and ATH */
  109572. _vp_tonemask(psy_look,
  109573. logfft,
  109574. tone,
  109575. global_ampmax,
  109576. local_ampmax[i]);
  109577. #if 0
  109578. if(vi->channels==2){
  109579. if(i==0)
  109580. _analysis_output("toneL",seq,tone,n/2,1,0,0);
  109581. else
  109582. _analysis_output("toneR",seq,tone,n/2,1,0,0);
  109583. }
  109584. #endif
  109585. /* third step; we offset the noise vectors, overlay tone
  109586. masking. We then do a floor1-specific line fit. If we're
  109587. performing bitrate management, the line fit is performed
  109588. multiple times for up/down tweakage on demand. */
  109589. #if 0
  109590. {
  109591. float aotuv[psy_look->n];
  109592. #endif
  109593. _vp_offset_and_mix(psy_look,
  109594. noise,
  109595. tone,
  109596. 1,
  109597. logmask,
  109598. mdct,
  109599. logmdct);
  109600. #if 0
  109601. if(vi->channels==2){
  109602. if(i==0)
  109603. _analysis_output("aotuvM1_L",seq,aotuv,psy_look->n,1,1,0);
  109604. else
  109605. _analysis_output("aotuvM1_R",seq,aotuv,psy_look->n,1,1,0);
  109606. }
  109607. }
  109608. #endif
  109609. #if 0
  109610. if(vi->channels==2){
  109611. if(i==0)
  109612. _analysis_output("mask1L",seq,logmask,n/2,1,0,0);
  109613. else
  109614. _analysis_output("mask1R",seq,logmask,n/2,1,0,0);
  109615. }
  109616. #endif
  109617. /* this algorithm is hardwired to floor 1 for now; abort out if
  109618. we're *not* floor1. This won't happen unless someone has
  109619. broken the encode setup lib. Guard it anyway. */
  109620. if(ci->floor_type[info->floorsubmap[submap]]!=1)return(-1);
  109621. floor_posts[i][PACKETBLOBS/2]=
  109622. floor1_fit(vb,b->flr[info->floorsubmap[submap]],
  109623. logmdct,
  109624. logmask);
  109625. /* are we managing bitrate? If so, perform two more fits for
  109626. later rate tweaking (fits represent hi/lo) */
  109627. if(vorbis_bitrate_managed(vb) && floor_posts[i][PACKETBLOBS/2]){
  109628. /* higher rate by way of lower noise curve */
  109629. _vp_offset_and_mix(psy_look,
  109630. noise,
  109631. tone,
  109632. 2,
  109633. logmask,
  109634. mdct,
  109635. logmdct);
  109636. #if 0
  109637. if(vi->channels==2){
  109638. if(i==0)
  109639. _analysis_output("mask2L",seq,logmask,n/2,1,0,0);
  109640. else
  109641. _analysis_output("mask2R",seq,logmask,n/2,1,0,0);
  109642. }
  109643. #endif
  109644. floor_posts[i][PACKETBLOBS-1]=
  109645. floor1_fit(vb,b->flr[info->floorsubmap[submap]],
  109646. logmdct,
  109647. logmask);
  109648. /* lower rate by way of higher noise curve */
  109649. _vp_offset_and_mix(psy_look,
  109650. noise,
  109651. tone,
  109652. 0,
  109653. logmask,
  109654. mdct,
  109655. logmdct);
  109656. #if 0
  109657. if(vi->channels==2)
  109658. if(i==0)
  109659. _analysis_output("mask0L",seq,logmask,n/2,1,0,0);
  109660. else
  109661. _analysis_output("mask0R",seq,logmask,n/2,1,0,0);
  109662. #endif
  109663. floor_posts[i][0]=
  109664. floor1_fit(vb,b->flr[info->floorsubmap[submap]],
  109665. logmdct,
  109666. logmask);
  109667. /* we also interpolate a range of intermediate curves for
  109668. intermediate rates */
  109669. for(k=1;k<PACKETBLOBS/2;k++)
  109670. floor_posts[i][k]=
  109671. floor1_interpolate_fit(vb,b->flr[info->floorsubmap[submap]],
  109672. floor_posts[i][0],
  109673. floor_posts[i][PACKETBLOBS/2],
  109674. k*65536/(PACKETBLOBS/2));
  109675. for(k=PACKETBLOBS/2+1;k<PACKETBLOBS-1;k++)
  109676. floor_posts[i][k]=
  109677. floor1_interpolate_fit(vb,b->flr[info->floorsubmap[submap]],
  109678. floor_posts[i][PACKETBLOBS/2],
  109679. floor_posts[i][PACKETBLOBS-1],
  109680. (k-PACKETBLOBS/2)*65536/(PACKETBLOBS/2));
  109681. }
  109682. }
  109683. }
  109684. vbi->ampmax=global_ampmax;
  109685. /*
  109686. the next phases are performed once for vbr-only and PACKETBLOB
  109687. times for bitrate managed modes.
  109688. 1) encode actual mode being used
  109689. 2) encode the floor for each channel, compute coded mask curve/res
  109690. 3) normalize and couple.
  109691. 4) encode residue
  109692. 5) save packet bytes to the packetblob vector
  109693. */
  109694. /* iterate over the many masking curve fits we've created */
  109695. {
  109696. float **res_bundle=(float**) alloca(sizeof(*res_bundle)*vi->channels);
  109697. float **couple_bundle=(float**) alloca(sizeof(*couple_bundle)*vi->channels);
  109698. int *zerobundle=(int*) alloca(sizeof(*zerobundle)*vi->channels);
  109699. int **sortindex=(int**) alloca(sizeof(*sortindex)*vi->channels);
  109700. float **mag_memo;
  109701. int **mag_sort;
  109702. if(info->coupling_steps){
  109703. mag_memo=_vp_quantize_couple_memo(vb,
  109704. &ci->psy_g_param,
  109705. psy_look,
  109706. info,
  109707. gmdct);
  109708. mag_sort=_vp_quantize_couple_sort(vb,
  109709. psy_look,
  109710. info,
  109711. mag_memo);
  109712. hf_reduction(&ci->psy_g_param,
  109713. psy_look,
  109714. info,
  109715. mag_memo);
  109716. }
  109717. memset(sortindex,0,sizeof(*sortindex)*vi->channels);
  109718. if(psy_look->vi->normal_channel_p){
  109719. for(i=0;i<vi->channels;i++){
  109720. float *mdct =gmdct[i];
  109721. sortindex[i]=(int*) alloca(sizeof(**sortindex)*n/2);
  109722. _vp_noise_normalize_sort(psy_look,mdct,sortindex[i]);
  109723. }
  109724. }
  109725. for(k=(vorbis_bitrate_managed(vb)?0:PACKETBLOBS/2);
  109726. k<=(vorbis_bitrate_managed(vb)?PACKETBLOBS-1:PACKETBLOBS/2);
  109727. k++){
  109728. oggpack_buffer *opb=vbi->packetblob[k];
  109729. /* start out our new packet blob with packet type and mode */
  109730. /* Encode the packet type */
  109731. oggpack_write(opb,0,1);
  109732. /* Encode the modenumber */
  109733. /* Encode frame mode, pre,post windowsize, then dispatch */
  109734. oggpack_write(opb,modenumber,b->modebits);
  109735. if(vb->W){
  109736. oggpack_write(opb,vb->lW,1);
  109737. oggpack_write(opb,vb->nW,1);
  109738. }
  109739. /* encode floor, compute masking curve, sep out residue */
  109740. for(i=0;i<vi->channels;i++){
  109741. int submap=info->chmuxlist[i];
  109742. float *mdct =gmdct[i];
  109743. float *res =vb->pcm[i];
  109744. int *ilogmask=ilogmaskch[i]=
  109745. (int*) _vorbis_block_alloc(vb,n/2*sizeof(**gmdct));
  109746. nonzero[i]=floor1_encode(opb,vb,b->flr[info->floorsubmap[submap]],
  109747. floor_posts[i][k],
  109748. ilogmask);
  109749. #if 0
  109750. {
  109751. char buf[80];
  109752. sprintf(buf,"maskI%c%d",i?'R':'L',k);
  109753. float work[n/2];
  109754. for(j=0;j<n/2;j++)
  109755. work[j]=FLOOR1_fromdB_LOOKUP[ilogmask[j]];
  109756. _analysis_output(buf,seq,work,n/2,1,1,0);
  109757. }
  109758. #endif
  109759. _vp_remove_floor(psy_look,
  109760. mdct,
  109761. ilogmask,
  109762. res,
  109763. ci->psy_g_param.sliding_lowpass[vb->W][k]);
  109764. _vp_noise_normalize(psy_look,res,res+n/2,sortindex[i]);
  109765. #if 0
  109766. {
  109767. char buf[80];
  109768. float work[n/2];
  109769. for(j=0;j<n/2;j++)
  109770. work[j]=FLOOR1_fromdB_LOOKUP[ilogmask[j]]*(res+n/2)[j];
  109771. sprintf(buf,"resI%c%d",i?'R':'L',k);
  109772. _analysis_output(buf,seq,work,n/2,1,1,0);
  109773. }
  109774. #endif
  109775. }
  109776. /* our iteration is now based on masking curve, not prequant and
  109777. coupling. Only one prequant/coupling step */
  109778. /* quantize/couple */
  109779. /* incomplete implementation that assumes the tree is all depth
  109780. one, or no tree at all */
  109781. if(info->coupling_steps){
  109782. _vp_couple(k,
  109783. &ci->psy_g_param,
  109784. psy_look,
  109785. info,
  109786. vb->pcm,
  109787. mag_memo,
  109788. mag_sort,
  109789. ilogmaskch,
  109790. nonzero,
  109791. ci->psy_g_param.sliding_lowpass[vb->W][k]);
  109792. }
  109793. /* classify and encode by submap */
  109794. for(i=0;i<info->submaps;i++){
  109795. int ch_in_bundle=0;
  109796. long **classifications;
  109797. int resnum=info->residuesubmap[i];
  109798. for(j=0;j<vi->channels;j++){
  109799. if(info->chmuxlist[j]==i){
  109800. zerobundle[ch_in_bundle]=0;
  109801. if(nonzero[j])zerobundle[ch_in_bundle]=1;
  109802. res_bundle[ch_in_bundle]=vb->pcm[j];
  109803. couple_bundle[ch_in_bundle++]=vb->pcm[j]+n/2;
  109804. }
  109805. }
  109806. classifications=_residue_P[ci->residue_type[resnum]]->
  109807. classx(vb,b->residue[resnum],couple_bundle,zerobundle,ch_in_bundle);
  109808. _residue_P[ci->residue_type[resnum]]->
  109809. forward(opb,vb,b->residue[resnum],
  109810. couple_bundle,NULL,zerobundle,ch_in_bundle,classifications);
  109811. }
  109812. /* ok, done encoding. Next protopacket. */
  109813. }
  109814. }
  109815. #if 0
  109816. seq++;
  109817. total+=ci->blocksizes[vb->W]/4+ci->blocksizes[vb->nW]/4;
  109818. #endif
  109819. return(0);
  109820. }
  109821. static int mapping0_inverse(vorbis_block *vb,vorbis_info_mapping *l){
  109822. vorbis_dsp_state *vd=vb->vd;
  109823. vorbis_info *vi=vd->vi;
  109824. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  109825. private_state *b=(private_state*)vd->backend_state;
  109826. vorbis_info_mapping0 *info=(vorbis_info_mapping0 *)l;
  109827. int i,j;
  109828. long n=vb->pcmend=ci->blocksizes[vb->W];
  109829. float **pcmbundle=(float**) alloca(sizeof(*pcmbundle)*vi->channels);
  109830. int *zerobundle=(int*) alloca(sizeof(*zerobundle)*vi->channels);
  109831. int *nonzero =(int*) alloca(sizeof(*nonzero)*vi->channels);
  109832. void **floormemo=(void**) alloca(sizeof(*floormemo)*vi->channels);
  109833. /* recover the spectral envelope; store it in the PCM vector for now */
  109834. for(i=0;i<vi->channels;i++){
  109835. int submap=info->chmuxlist[i];
  109836. floormemo[i]=_floor_P[ci->floor_type[info->floorsubmap[submap]]]->
  109837. inverse1(vb,b->flr[info->floorsubmap[submap]]);
  109838. if(floormemo[i])
  109839. nonzero[i]=1;
  109840. else
  109841. nonzero[i]=0;
  109842. memset(vb->pcm[i],0,sizeof(*vb->pcm[i])*n/2);
  109843. }
  109844. /* channel coupling can 'dirty' the nonzero listing */
  109845. for(i=0;i<info->coupling_steps;i++){
  109846. if(nonzero[info->coupling_mag[i]] ||
  109847. nonzero[info->coupling_ang[i]]){
  109848. nonzero[info->coupling_mag[i]]=1;
  109849. nonzero[info->coupling_ang[i]]=1;
  109850. }
  109851. }
  109852. /* recover the residue into our working vectors */
  109853. for(i=0;i<info->submaps;i++){
  109854. int ch_in_bundle=0;
  109855. for(j=0;j<vi->channels;j++){
  109856. if(info->chmuxlist[j]==i){
  109857. if(nonzero[j])
  109858. zerobundle[ch_in_bundle]=1;
  109859. else
  109860. zerobundle[ch_in_bundle]=0;
  109861. pcmbundle[ch_in_bundle++]=vb->pcm[j];
  109862. }
  109863. }
  109864. _residue_P[ci->residue_type[info->residuesubmap[i]]]->
  109865. inverse(vb,b->residue[info->residuesubmap[i]],
  109866. pcmbundle,zerobundle,ch_in_bundle);
  109867. }
  109868. /* channel coupling */
  109869. for(i=info->coupling_steps-1;i>=0;i--){
  109870. float *pcmM=vb->pcm[info->coupling_mag[i]];
  109871. float *pcmA=vb->pcm[info->coupling_ang[i]];
  109872. for(j=0;j<n/2;j++){
  109873. float mag=pcmM[j];
  109874. float ang=pcmA[j];
  109875. if(mag>0)
  109876. if(ang>0){
  109877. pcmM[j]=mag;
  109878. pcmA[j]=mag-ang;
  109879. }else{
  109880. pcmA[j]=mag;
  109881. pcmM[j]=mag+ang;
  109882. }
  109883. else
  109884. if(ang>0){
  109885. pcmM[j]=mag;
  109886. pcmA[j]=mag+ang;
  109887. }else{
  109888. pcmA[j]=mag;
  109889. pcmM[j]=mag-ang;
  109890. }
  109891. }
  109892. }
  109893. /* compute and apply spectral envelope */
  109894. for(i=0;i<vi->channels;i++){
  109895. float *pcm=vb->pcm[i];
  109896. int submap=info->chmuxlist[i];
  109897. _floor_P[ci->floor_type[info->floorsubmap[submap]]]->
  109898. inverse2(vb,b->flr[info->floorsubmap[submap]],
  109899. floormemo[i],pcm);
  109900. }
  109901. /* transform the PCM data; takes PCM vector, vb; modifies PCM vector */
  109902. /* only MDCT right now.... */
  109903. for(i=0;i<vi->channels;i++){
  109904. float *pcm=vb->pcm[i];
  109905. mdct_backward((mdct_lookup*) b->transform[vb->W][0],pcm,pcm);
  109906. }
  109907. /* all done! */
  109908. return(0);
  109909. }
  109910. /* export hooks */
  109911. vorbis_func_mapping mapping0_exportbundle={
  109912. &mapping0_pack,
  109913. &mapping0_unpack,
  109914. &mapping0_free_info,
  109915. &mapping0_forward,
  109916. &mapping0_inverse
  109917. };
  109918. #endif
  109919. /********* End of inlined file: mapping0.c *********/
  109920. /********* Start of inlined file: mdct.c *********/
  109921. /* this can also be run as an integer transform by uncommenting a
  109922. define in mdct.h; the integerization is a first pass and although
  109923. it's likely stable for Vorbis, the dynamic range is constrained and
  109924. roundoff isn't done (so it's noisy). Consider it functional, but
  109925. only a starting point. There's no point on a machine with an FPU */
  109926. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  109927. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  109928. // tasks..
  109929. #ifdef _MSC_VER
  109930. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  109931. #endif
  109932. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  109933. #if JUCE_USE_OGGVORBIS
  109934. #include <stdio.h>
  109935. #include <stdlib.h>
  109936. #include <string.h>
  109937. #include <math.h>
  109938. /* build lookups for trig functions; also pre-figure scaling and
  109939. some window function algebra. */
  109940. void mdct_init(mdct_lookup *lookup,int n){
  109941. int *bitrev=(int*) _ogg_malloc(sizeof(*bitrev)*(n/4));
  109942. DATA_TYPE *T=(DATA_TYPE*) _ogg_malloc(sizeof(*T)*(n+n/4));
  109943. int i;
  109944. int n2=n>>1;
  109945. int log2n=lookup->log2n=rint(log((float)n)/log(2.f));
  109946. lookup->n=n;
  109947. lookup->trig=T;
  109948. lookup->bitrev=bitrev;
  109949. /* trig lookups... */
  109950. for(i=0;i<n/4;i++){
  109951. T[i*2]=FLOAT_CONV(cos((M_PI/n)*(4*i)));
  109952. T[i*2+1]=FLOAT_CONV(-sin((M_PI/n)*(4*i)));
  109953. T[n2+i*2]=FLOAT_CONV(cos((M_PI/(2*n))*(2*i+1)));
  109954. T[n2+i*2+1]=FLOAT_CONV(sin((M_PI/(2*n))*(2*i+1)));
  109955. }
  109956. for(i=0;i<n/8;i++){
  109957. T[n+i*2]=FLOAT_CONV(cos((M_PI/n)*(4*i+2))*.5);
  109958. T[n+i*2+1]=FLOAT_CONV(-sin((M_PI/n)*(4*i+2))*.5);
  109959. }
  109960. /* bitreverse lookup... */
  109961. {
  109962. int mask=(1<<(log2n-1))-1,i,j;
  109963. int msb=1<<(log2n-2);
  109964. for(i=0;i<n/8;i++){
  109965. int acc=0;
  109966. for(j=0;msb>>j;j++)
  109967. if((msb>>j)&i)acc|=1<<j;
  109968. bitrev[i*2]=((~acc)&mask)-1;
  109969. bitrev[i*2+1]=acc;
  109970. }
  109971. }
  109972. lookup->scale=FLOAT_CONV(4.f/n);
  109973. }
  109974. /* 8 point butterfly (in place, 4 register) */
  109975. STIN void mdct_butterfly_8(DATA_TYPE *x){
  109976. REG_TYPE r0 = x[6] + x[2];
  109977. REG_TYPE r1 = x[6] - x[2];
  109978. REG_TYPE r2 = x[4] + x[0];
  109979. REG_TYPE r3 = x[4] - x[0];
  109980. x[6] = r0 + r2;
  109981. x[4] = r0 - r2;
  109982. r0 = x[5] - x[1];
  109983. r2 = x[7] - x[3];
  109984. x[0] = r1 + r0;
  109985. x[2] = r1 - r0;
  109986. r0 = x[5] + x[1];
  109987. r1 = x[7] + x[3];
  109988. x[3] = r2 + r3;
  109989. x[1] = r2 - r3;
  109990. x[7] = r1 + r0;
  109991. x[5] = r1 - r0;
  109992. }
  109993. /* 16 point butterfly (in place, 4 register) */
  109994. STIN void mdct_butterfly_16(DATA_TYPE *x){
  109995. REG_TYPE r0 = x[1] - x[9];
  109996. REG_TYPE r1 = x[0] - x[8];
  109997. x[8] += x[0];
  109998. x[9] += x[1];
  109999. x[0] = MULT_NORM((r0 + r1) * cPI2_8);
  110000. x[1] = MULT_NORM((r0 - r1) * cPI2_8);
  110001. r0 = x[3] - x[11];
  110002. r1 = x[10] - x[2];
  110003. x[10] += x[2];
  110004. x[11] += x[3];
  110005. x[2] = r0;
  110006. x[3] = r1;
  110007. r0 = x[12] - x[4];
  110008. r1 = x[13] - x[5];
  110009. x[12] += x[4];
  110010. x[13] += x[5];
  110011. x[4] = MULT_NORM((r0 - r1) * cPI2_8);
  110012. x[5] = MULT_NORM((r0 + r1) * cPI2_8);
  110013. r0 = x[14] - x[6];
  110014. r1 = x[15] - x[7];
  110015. x[14] += x[6];
  110016. x[15] += x[7];
  110017. x[6] = r0;
  110018. x[7] = r1;
  110019. mdct_butterfly_8(x);
  110020. mdct_butterfly_8(x+8);
  110021. }
  110022. /* 32 point butterfly (in place, 4 register) */
  110023. STIN void mdct_butterfly_32(DATA_TYPE *x){
  110024. REG_TYPE r0 = x[30] - x[14];
  110025. REG_TYPE r1 = x[31] - x[15];
  110026. x[30] += x[14];
  110027. x[31] += x[15];
  110028. x[14] = r0;
  110029. x[15] = r1;
  110030. r0 = x[28] - x[12];
  110031. r1 = x[29] - x[13];
  110032. x[28] += x[12];
  110033. x[29] += x[13];
  110034. x[12] = MULT_NORM( r0 * cPI1_8 - r1 * cPI3_8 );
  110035. x[13] = MULT_NORM( r0 * cPI3_8 + r1 * cPI1_8 );
  110036. r0 = x[26] - x[10];
  110037. r1 = x[27] - x[11];
  110038. x[26] += x[10];
  110039. x[27] += x[11];
  110040. x[10] = MULT_NORM(( r0 - r1 ) * cPI2_8);
  110041. x[11] = MULT_NORM(( r0 + r1 ) * cPI2_8);
  110042. r0 = x[24] - x[8];
  110043. r1 = x[25] - x[9];
  110044. x[24] += x[8];
  110045. x[25] += x[9];
  110046. x[8] = MULT_NORM( r0 * cPI3_8 - r1 * cPI1_8 );
  110047. x[9] = MULT_NORM( r1 * cPI3_8 + r0 * cPI1_8 );
  110048. r0 = x[22] - x[6];
  110049. r1 = x[7] - x[23];
  110050. x[22] += x[6];
  110051. x[23] += x[7];
  110052. x[6] = r1;
  110053. x[7] = r0;
  110054. r0 = x[4] - x[20];
  110055. r1 = x[5] - x[21];
  110056. x[20] += x[4];
  110057. x[21] += x[5];
  110058. x[4] = MULT_NORM( r1 * cPI1_8 + r0 * cPI3_8 );
  110059. x[5] = MULT_NORM( r1 * cPI3_8 - r0 * cPI1_8 );
  110060. r0 = x[2] - x[18];
  110061. r1 = x[3] - x[19];
  110062. x[18] += x[2];
  110063. x[19] += x[3];
  110064. x[2] = MULT_NORM(( r1 + r0 ) * cPI2_8);
  110065. x[3] = MULT_NORM(( r1 - r0 ) * cPI2_8);
  110066. r0 = x[0] - x[16];
  110067. r1 = x[1] - x[17];
  110068. x[16] += x[0];
  110069. x[17] += x[1];
  110070. x[0] = MULT_NORM( r1 * cPI3_8 + r0 * cPI1_8 );
  110071. x[1] = MULT_NORM( r1 * cPI1_8 - r0 * cPI3_8 );
  110072. mdct_butterfly_16(x);
  110073. mdct_butterfly_16(x+16);
  110074. }
  110075. /* N point first stage butterfly (in place, 2 register) */
  110076. STIN void mdct_butterfly_first(DATA_TYPE *T,
  110077. DATA_TYPE *x,
  110078. int points){
  110079. DATA_TYPE *x1 = x + points - 8;
  110080. DATA_TYPE *x2 = x + (points>>1) - 8;
  110081. REG_TYPE r0;
  110082. REG_TYPE r1;
  110083. do{
  110084. r0 = x1[6] - x2[6];
  110085. r1 = x1[7] - x2[7];
  110086. x1[6] += x2[6];
  110087. x1[7] += x2[7];
  110088. x2[6] = MULT_NORM(r1 * T[1] + r0 * T[0]);
  110089. x2[7] = MULT_NORM(r1 * T[0] - r0 * T[1]);
  110090. r0 = x1[4] - x2[4];
  110091. r1 = x1[5] - x2[5];
  110092. x1[4] += x2[4];
  110093. x1[5] += x2[5];
  110094. x2[4] = MULT_NORM(r1 * T[5] + r0 * T[4]);
  110095. x2[5] = MULT_NORM(r1 * T[4] - r0 * T[5]);
  110096. r0 = x1[2] - x2[2];
  110097. r1 = x1[3] - x2[3];
  110098. x1[2] += x2[2];
  110099. x1[3] += x2[3];
  110100. x2[2] = MULT_NORM(r1 * T[9] + r0 * T[8]);
  110101. x2[3] = MULT_NORM(r1 * T[8] - r0 * T[9]);
  110102. r0 = x1[0] - x2[0];
  110103. r1 = x1[1] - x2[1];
  110104. x1[0] += x2[0];
  110105. x1[1] += x2[1];
  110106. x2[0] = MULT_NORM(r1 * T[13] + r0 * T[12]);
  110107. x2[1] = MULT_NORM(r1 * T[12] - r0 * T[13]);
  110108. x1-=8;
  110109. x2-=8;
  110110. T+=16;
  110111. }while(x2>=x);
  110112. }
  110113. /* N/stage point generic N stage butterfly (in place, 2 register) */
  110114. STIN void mdct_butterfly_generic(DATA_TYPE *T,
  110115. DATA_TYPE *x,
  110116. int points,
  110117. int trigint){
  110118. DATA_TYPE *x1 = x + points - 8;
  110119. DATA_TYPE *x2 = x + (points>>1) - 8;
  110120. REG_TYPE r0;
  110121. REG_TYPE r1;
  110122. do{
  110123. r0 = x1[6] - x2[6];
  110124. r1 = x1[7] - x2[7];
  110125. x1[6] += x2[6];
  110126. x1[7] += x2[7];
  110127. x2[6] = MULT_NORM(r1 * T[1] + r0 * T[0]);
  110128. x2[7] = MULT_NORM(r1 * T[0] - r0 * T[1]);
  110129. T+=trigint;
  110130. r0 = x1[4] - x2[4];
  110131. r1 = x1[5] - x2[5];
  110132. x1[4] += x2[4];
  110133. x1[5] += x2[5];
  110134. x2[4] = MULT_NORM(r1 * T[1] + r0 * T[0]);
  110135. x2[5] = MULT_NORM(r1 * T[0] - r0 * T[1]);
  110136. T+=trigint;
  110137. r0 = x1[2] - x2[2];
  110138. r1 = x1[3] - x2[3];
  110139. x1[2] += x2[2];
  110140. x1[3] += x2[3];
  110141. x2[2] = MULT_NORM(r1 * T[1] + r0 * T[0]);
  110142. x2[3] = MULT_NORM(r1 * T[0] - r0 * T[1]);
  110143. T+=trigint;
  110144. r0 = x1[0] - x2[0];
  110145. r1 = x1[1] - x2[1];
  110146. x1[0] += x2[0];
  110147. x1[1] += x2[1];
  110148. x2[0] = MULT_NORM(r1 * T[1] + r0 * T[0]);
  110149. x2[1] = MULT_NORM(r1 * T[0] - r0 * T[1]);
  110150. T+=trigint;
  110151. x1-=8;
  110152. x2-=8;
  110153. }while(x2>=x);
  110154. }
  110155. STIN void mdct_butterflies(mdct_lookup *init,
  110156. DATA_TYPE *x,
  110157. int points){
  110158. DATA_TYPE *T=init->trig;
  110159. int stages=init->log2n-5;
  110160. int i,j;
  110161. if(--stages>0){
  110162. mdct_butterfly_first(T,x,points);
  110163. }
  110164. for(i=1;--stages>0;i++){
  110165. for(j=0;j<(1<<i);j++)
  110166. mdct_butterfly_generic(T,x+(points>>i)*j,points>>i,4<<i);
  110167. }
  110168. for(j=0;j<points;j+=32)
  110169. mdct_butterfly_32(x+j);
  110170. }
  110171. void mdct_clear(mdct_lookup *l){
  110172. if(l){
  110173. if(l->trig)_ogg_free(l->trig);
  110174. if(l->bitrev)_ogg_free(l->bitrev);
  110175. memset(l,0,sizeof(*l));
  110176. }
  110177. }
  110178. STIN void mdct_bitreverse(mdct_lookup *init,
  110179. DATA_TYPE *x){
  110180. int n = init->n;
  110181. int *bit = init->bitrev;
  110182. DATA_TYPE *w0 = x;
  110183. DATA_TYPE *w1 = x = w0+(n>>1);
  110184. DATA_TYPE *T = init->trig+n;
  110185. do{
  110186. DATA_TYPE *x0 = x+bit[0];
  110187. DATA_TYPE *x1 = x+bit[1];
  110188. REG_TYPE r0 = x0[1] - x1[1];
  110189. REG_TYPE r1 = x0[0] + x1[0];
  110190. REG_TYPE r2 = MULT_NORM(r1 * T[0] + r0 * T[1]);
  110191. REG_TYPE r3 = MULT_NORM(r1 * T[1] - r0 * T[0]);
  110192. w1 -= 4;
  110193. r0 = HALVE(x0[1] + x1[1]);
  110194. r1 = HALVE(x0[0] - x1[0]);
  110195. w0[0] = r0 + r2;
  110196. w1[2] = r0 - r2;
  110197. w0[1] = r1 + r3;
  110198. w1[3] = r3 - r1;
  110199. x0 = x+bit[2];
  110200. x1 = x+bit[3];
  110201. r0 = x0[1] - x1[1];
  110202. r1 = x0[0] + x1[0];
  110203. r2 = MULT_NORM(r1 * T[2] + r0 * T[3]);
  110204. r3 = MULT_NORM(r1 * T[3] - r0 * T[2]);
  110205. r0 = HALVE(x0[1] + x1[1]);
  110206. r1 = HALVE(x0[0] - x1[0]);
  110207. w0[2] = r0 + r2;
  110208. w1[0] = r0 - r2;
  110209. w0[3] = r1 + r3;
  110210. w1[1] = r3 - r1;
  110211. T += 4;
  110212. bit += 4;
  110213. w0 += 4;
  110214. }while(w0<w1);
  110215. }
  110216. void mdct_backward(mdct_lookup *init, DATA_TYPE *in, DATA_TYPE *out){
  110217. int n=init->n;
  110218. int n2=n>>1;
  110219. int n4=n>>2;
  110220. /* rotate */
  110221. DATA_TYPE *iX = in+n2-7;
  110222. DATA_TYPE *oX = out+n2+n4;
  110223. DATA_TYPE *T = init->trig+n4;
  110224. do{
  110225. oX -= 4;
  110226. oX[0] = MULT_NORM(-iX[2] * T[3] - iX[0] * T[2]);
  110227. oX[1] = MULT_NORM (iX[0] * T[3] - iX[2] * T[2]);
  110228. oX[2] = MULT_NORM(-iX[6] * T[1] - iX[4] * T[0]);
  110229. oX[3] = MULT_NORM (iX[4] * T[1] - iX[6] * T[0]);
  110230. iX -= 8;
  110231. T += 4;
  110232. }while(iX>=in);
  110233. iX = in+n2-8;
  110234. oX = out+n2+n4;
  110235. T = init->trig+n4;
  110236. do{
  110237. T -= 4;
  110238. oX[0] = MULT_NORM (iX[4] * T[3] + iX[6] * T[2]);
  110239. oX[1] = MULT_NORM (iX[4] * T[2] - iX[6] * T[3]);
  110240. oX[2] = MULT_NORM (iX[0] * T[1] + iX[2] * T[0]);
  110241. oX[3] = MULT_NORM (iX[0] * T[0] - iX[2] * T[1]);
  110242. iX -= 8;
  110243. oX += 4;
  110244. }while(iX>=in);
  110245. mdct_butterflies(init,out+n2,n2);
  110246. mdct_bitreverse(init,out);
  110247. /* roatate + window */
  110248. {
  110249. DATA_TYPE *oX1=out+n2+n4;
  110250. DATA_TYPE *oX2=out+n2+n4;
  110251. DATA_TYPE *iX =out;
  110252. T =init->trig+n2;
  110253. do{
  110254. oX1-=4;
  110255. oX1[3] = MULT_NORM (iX[0] * T[1] - iX[1] * T[0]);
  110256. oX2[0] = -MULT_NORM (iX[0] * T[0] + iX[1] * T[1]);
  110257. oX1[2] = MULT_NORM (iX[2] * T[3] - iX[3] * T[2]);
  110258. oX2[1] = -MULT_NORM (iX[2] * T[2] + iX[3] * T[3]);
  110259. oX1[1] = MULT_NORM (iX[4] * T[5] - iX[5] * T[4]);
  110260. oX2[2] = -MULT_NORM (iX[4] * T[4] + iX[5] * T[5]);
  110261. oX1[0] = MULT_NORM (iX[6] * T[7] - iX[7] * T[6]);
  110262. oX2[3] = -MULT_NORM (iX[6] * T[6] + iX[7] * T[7]);
  110263. oX2+=4;
  110264. iX += 8;
  110265. T += 8;
  110266. }while(iX<oX1);
  110267. iX=out+n2+n4;
  110268. oX1=out+n4;
  110269. oX2=oX1;
  110270. do{
  110271. oX1-=4;
  110272. iX-=4;
  110273. oX2[0] = -(oX1[3] = iX[3]);
  110274. oX2[1] = -(oX1[2] = iX[2]);
  110275. oX2[2] = -(oX1[1] = iX[1]);
  110276. oX2[3] = -(oX1[0] = iX[0]);
  110277. oX2+=4;
  110278. }while(oX2<iX);
  110279. iX=out+n2+n4;
  110280. oX1=out+n2+n4;
  110281. oX2=out+n2;
  110282. do{
  110283. oX1-=4;
  110284. oX1[0]= iX[3];
  110285. oX1[1]= iX[2];
  110286. oX1[2]= iX[1];
  110287. oX1[3]= iX[0];
  110288. iX+=4;
  110289. }while(oX1>oX2);
  110290. }
  110291. }
  110292. void mdct_forward(mdct_lookup *init, DATA_TYPE *in, DATA_TYPE *out){
  110293. int n=init->n;
  110294. int n2=n>>1;
  110295. int n4=n>>2;
  110296. int n8=n>>3;
  110297. DATA_TYPE *w=(DATA_TYPE*) alloca(n*sizeof(*w)); /* forward needs working space */
  110298. DATA_TYPE *w2=w+n2;
  110299. /* rotate */
  110300. /* window + rotate + step 1 */
  110301. REG_TYPE r0;
  110302. REG_TYPE r1;
  110303. DATA_TYPE *x0=in+n2+n4;
  110304. DATA_TYPE *x1=x0+1;
  110305. DATA_TYPE *T=init->trig+n2;
  110306. int i=0;
  110307. for(i=0;i<n8;i+=2){
  110308. x0 -=4;
  110309. T-=2;
  110310. r0= x0[2] + x1[0];
  110311. r1= x0[0] + x1[2];
  110312. w2[i]= MULT_NORM(r1*T[1] + r0*T[0]);
  110313. w2[i+1]= MULT_NORM(r1*T[0] - r0*T[1]);
  110314. x1 +=4;
  110315. }
  110316. x1=in+1;
  110317. for(;i<n2-n8;i+=2){
  110318. T-=2;
  110319. x0 -=4;
  110320. r0= x0[2] - x1[0];
  110321. r1= x0[0] - x1[2];
  110322. w2[i]= MULT_NORM(r1*T[1] + r0*T[0]);
  110323. w2[i+1]= MULT_NORM(r1*T[0] - r0*T[1]);
  110324. x1 +=4;
  110325. }
  110326. x0=in+n;
  110327. for(;i<n2;i+=2){
  110328. T-=2;
  110329. x0 -=4;
  110330. r0= -x0[2] - x1[0];
  110331. r1= -x0[0] - x1[2];
  110332. w2[i]= MULT_NORM(r1*T[1] + r0*T[0]);
  110333. w2[i+1]= MULT_NORM(r1*T[0] - r0*T[1]);
  110334. x1 +=4;
  110335. }
  110336. mdct_butterflies(init,w+n2,n2);
  110337. mdct_bitreverse(init,w);
  110338. /* roatate + window */
  110339. T=init->trig+n2;
  110340. x0=out+n2;
  110341. for(i=0;i<n4;i++){
  110342. x0--;
  110343. out[i] =MULT_NORM((w[0]*T[0]+w[1]*T[1])*init->scale);
  110344. x0[0] =MULT_NORM((w[0]*T[1]-w[1]*T[0])*init->scale);
  110345. w+=2;
  110346. T+=2;
  110347. }
  110348. }
  110349. #endif
  110350. /********* End of inlined file: mdct.c *********/
  110351. /********* Start of inlined file: psy.c *********/
  110352. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  110353. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  110354. // tasks..
  110355. #ifdef _MSC_VER
  110356. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  110357. #endif
  110358. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  110359. #if JUCE_USE_OGGVORBIS
  110360. #include <stdlib.h>
  110361. #include <math.h>
  110362. #include <string.h>
  110363. /********* Start of inlined file: masking.h *********/
  110364. #ifndef _V_MASKING_H_
  110365. #define _V_MASKING_H_
  110366. /* more detailed ATH; the bass if flat to save stressing the floor
  110367. overly for only a bin or two of savings. */
  110368. #define MAX_ATH 88
  110369. static float ATH[]={
  110370. /*15*/ -51, -52, -53, -54, -55, -56, -57, -58,
  110371. /*31*/ -59, -60, -61, -62, -63, -64, -65, -66,
  110372. /*63*/ -67, -68, -69, -70, -71, -72, -73, -74,
  110373. /*125*/ -75, -76, -77, -78, -80, -81, -82, -83,
  110374. /*250*/ -84, -85, -86, -87, -88, -88, -89, -89,
  110375. /*500*/ -90, -91, -91, -92, -93, -94, -95, -96,
  110376. /*1k*/ -96, -97, -98, -98, -99, -99,-100,-100,
  110377. /*2k*/ -101,-102,-103,-104,-106,-107,-107,-107,
  110378. /*4k*/ -107,-105,-103,-102,-101, -99, -98, -96,
  110379. /*8k*/ -95, -95, -96, -97, -96, -95, -93, -90,
  110380. /*16k*/ -80, -70, -50, -40, -30, -30, -30, -30
  110381. };
  110382. /* The tone masking curves from Ehmer's and Fielder's papers have been
  110383. replaced by an empirically collected data set. The previously
  110384. published values were, far too often, simply on crack. */
  110385. #define EHMER_OFFSET 16
  110386. #define EHMER_MAX 56
  110387. /* masking tones from -50 to 0dB, 62.5 through 16kHz at half octaves
  110388. test tones from -2 octaves to +5 octaves sampled at eighth octaves */
  110389. /* (Vorbis 0dB, the loudest possible tone, is assumed to be ~100dB SPL
  110390. for collection of these curves) */
  110391. static float tonemasks[P_BANDS][6][EHMER_MAX]={
  110392. /* 62.5 Hz */
  110393. {{ -60, -60, -60, -60, -60, -60, -60, -60,
  110394. -60, -60, -60, -60, -62, -62, -65, -73,
  110395. -69, -68, -68, -67, -70, -70, -72, -74,
  110396. -75, -79, -79, -80, -83, -88, -93, -100,
  110397. -110, -999, -999, -999, -999, -999, -999, -999,
  110398. -999, -999, -999, -999, -999, -999, -999, -999,
  110399. -999, -999, -999, -999, -999, -999, -999, -999},
  110400. { -48, -48, -48, -48, -48, -48, -48, -48,
  110401. -48, -48, -48, -48, -48, -53, -61, -66,
  110402. -66, -68, -67, -70, -76, -76, -72, -73,
  110403. -75, -76, -78, -79, -83, -88, -93, -100,
  110404. -110, -999, -999, -999, -999, -999, -999, -999,
  110405. -999, -999, -999, -999, -999, -999, -999, -999,
  110406. -999, -999, -999, -999, -999, -999, -999, -999},
  110407. { -37, -37, -37, -37, -37, -37, -37, -37,
  110408. -38, -40, -42, -46, -48, -53, -55, -62,
  110409. -65, -58, -56, -56, -61, -60, -65, -67,
  110410. -69, -71, -77, -77, -78, -80, -82, -84,
  110411. -88, -93, -98, -106, -112, -999, -999, -999,
  110412. -999, -999, -999, -999, -999, -999, -999, -999,
  110413. -999, -999, -999, -999, -999, -999, -999, -999},
  110414. { -25, -25, -25, -25, -25, -25, -25, -25,
  110415. -25, -26, -27, -29, -32, -38, -48, -52,
  110416. -52, -50, -48, -48, -51, -52, -54, -60,
  110417. -67, -67, -66, -68, -69, -73, -73, -76,
  110418. -80, -81, -81, -85, -85, -86, -88, -93,
  110419. -100, -110, -999, -999, -999, -999, -999, -999,
  110420. -999, -999, -999, -999, -999, -999, -999, -999},
  110421. { -16, -16, -16, -16, -16, -16, -16, -16,
  110422. -17, -19, -20, -22, -26, -28, -31, -40,
  110423. -47, -39, -39, -40, -42, -43, -47, -51,
  110424. -57, -52, -55, -55, -60, -58, -62, -63,
  110425. -70, -67, -69, -72, -73, -77, -80, -82,
  110426. -83, -87, -90, -94, -98, -104, -115, -999,
  110427. -999, -999, -999, -999, -999, -999, -999, -999},
  110428. { -8, -8, -8, -8, -8, -8, -8, -8,
  110429. -8, -8, -10, -11, -15, -19, -25, -30,
  110430. -34, -31, -30, -31, -29, -32, -35, -42,
  110431. -48, -42, -44, -46, -50, -50, -51, -52,
  110432. -59, -54, -55, -55, -58, -62, -63, -66,
  110433. -72, -73, -76, -75, -78, -80, -80, -81,
  110434. -84, -88, -90, -94, -98, -101, -106, -110}},
  110435. /* 88Hz */
  110436. {{ -66, -66, -66, -66, -66, -66, -66, -66,
  110437. -66, -66, -66, -66, -66, -67, -67, -67,
  110438. -76, -72, -71, -74, -76, -76, -75, -78,
  110439. -79, -79, -81, -83, -86, -89, -93, -97,
  110440. -100, -105, -110, -999, -999, -999, -999, -999,
  110441. -999, -999, -999, -999, -999, -999, -999, -999,
  110442. -999, -999, -999, -999, -999, -999, -999, -999},
  110443. { -47, -47, -47, -47, -47, -47, -47, -47,
  110444. -47, -47, -47, -48, -51, -55, -59, -66,
  110445. -66, -66, -67, -66, -68, -69, -70, -74,
  110446. -79, -77, -77, -78, -80, -81, -82, -84,
  110447. -86, -88, -91, -95, -100, -108, -116, -999,
  110448. -999, -999, -999, -999, -999, -999, -999, -999,
  110449. -999, -999, -999, -999, -999, -999, -999, -999},
  110450. { -36, -36, -36, -36, -36, -36, -36, -36,
  110451. -36, -37, -37, -41, -44, -48, -51, -58,
  110452. -62, -60, -57, -59, -59, -60, -63, -65,
  110453. -72, -71, -70, -72, -74, -77, -76, -78,
  110454. -81, -81, -80, -83, -86, -91, -96, -100,
  110455. -105, -110, -999, -999, -999, -999, -999, -999,
  110456. -999, -999, -999, -999, -999, -999, -999, -999},
  110457. { -28, -28, -28, -28, -28, -28, -28, -28,
  110458. -28, -30, -32, -32, -33, -35, -41, -49,
  110459. -50, -49, -47, -48, -48, -52, -51, -57,
  110460. -65, -61, -59, -61, -64, -69, -70, -74,
  110461. -77, -77, -78, -81, -84, -85, -87, -90,
  110462. -92, -96, -100, -107, -112, -999, -999, -999,
  110463. -999, -999, -999, -999, -999, -999, -999, -999},
  110464. { -19, -19, -19, -19, -19, -19, -19, -19,
  110465. -20, -21, -23, -27, -30, -35, -36, -41,
  110466. -46, -44, -42, -40, -41, -41, -43, -48,
  110467. -55, -53, -52, -53, -56, -59, -58, -60,
  110468. -67, -66, -69, -71, -72, -75, -79, -81,
  110469. -84, -87, -90, -93, -97, -101, -107, -114,
  110470. -999, -999, -999, -999, -999, -999, -999, -999},
  110471. { -9, -9, -9, -9, -9, -9, -9, -9,
  110472. -11, -12, -12, -15, -16, -20, -23, -30,
  110473. -37, -34, -33, -34, -31, -32, -32, -38,
  110474. -47, -44, -41, -40, -47, -49, -46, -46,
  110475. -58, -50, -50, -54, -58, -62, -64, -67,
  110476. -67, -70, -72, -76, -79, -83, -87, -91,
  110477. -96, -100, -104, -110, -999, -999, -999, -999}},
  110478. /* 125 Hz */
  110479. {{ -62, -62, -62, -62, -62, -62, -62, -62,
  110480. -62, -62, -63, -64, -66, -67, -66, -68,
  110481. -75, -72, -76, -75, -76, -78, -79, -82,
  110482. -84, -85, -90, -94, -101, -110, -999, -999,
  110483. -999, -999, -999, -999, -999, -999, -999, -999,
  110484. -999, -999, -999, -999, -999, -999, -999, -999,
  110485. -999, -999, -999, -999, -999, -999, -999, -999},
  110486. { -59, -59, -59, -59, -59, -59, -59, -59,
  110487. -59, -59, -59, -60, -60, -61, -63, -66,
  110488. -71, -68, -70, -70, -71, -72, -72, -75,
  110489. -81, -78, -79, -82, -83, -86, -90, -97,
  110490. -103, -113, -999, -999, -999, -999, -999, -999,
  110491. -999, -999, -999, -999, -999, -999, -999, -999,
  110492. -999, -999, -999, -999, -999, -999, -999, -999},
  110493. { -53, -53, -53, -53, -53, -53, -53, -53,
  110494. -53, -54, -55, -57, -56, -57, -55, -61,
  110495. -65, -60, -60, -62, -63, -63, -66, -68,
  110496. -74, -73, -75, -75, -78, -80, -80, -82,
  110497. -85, -90, -96, -101, -108, -999, -999, -999,
  110498. -999, -999, -999, -999, -999, -999, -999, -999,
  110499. -999, -999, -999, -999, -999, -999, -999, -999},
  110500. { -46, -46, -46, -46, -46, -46, -46, -46,
  110501. -46, -46, -47, -47, -47, -47, -48, -51,
  110502. -57, -51, -49, -50, -51, -53, -54, -59,
  110503. -66, -60, -62, -67, -67, -70, -72, -75,
  110504. -76, -78, -81, -85, -88, -94, -97, -104,
  110505. -112, -999, -999, -999, -999, -999, -999, -999,
  110506. -999, -999, -999, -999, -999, -999, -999, -999},
  110507. { -36, -36, -36, -36, -36, -36, -36, -36,
  110508. -39, -41, -42, -42, -39, -38, -41, -43,
  110509. -52, -44, -40, -39, -37, -37, -40, -47,
  110510. -54, -50, -48, -50, -55, -61, -59, -62,
  110511. -66, -66, -66, -69, -69, -73, -74, -74,
  110512. -75, -77, -79, -82, -87, -91, -95, -100,
  110513. -108, -115, -999, -999, -999, -999, -999, -999},
  110514. { -28, -26, -24, -22, -20, -20, -23, -29,
  110515. -30, -31, -28, -27, -28, -28, -28, -35,
  110516. -40, -33, -32, -29, -30, -30, -30, -37,
  110517. -45, -41, -37, -38, -45, -47, -47, -48,
  110518. -53, -49, -48, -50, -49, -49, -51, -52,
  110519. -58, -56, -57, -56, -60, -61, -62, -70,
  110520. -72, -74, -78, -83, -88, -93, -100, -106}},
  110521. /* 177 Hz */
  110522. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110523. -999, -110, -105, -100, -95, -91, -87, -83,
  110524. -80, -78, -76, -78, -78, -81, -83, -85,
  110525. -86, -85, -86, -87, -90, -97, -107, -999,
  110526. -999, -999, -999, -999, -999, -999, -999, -999,
  110527. -999, -999, -999, -999, -999, -999, -999, -999,
  110528. -999, -999, -999, -999, -999, -999, -999, -999},
  110529. {-999, -999, -999, -110, -105, -100, -95, -90,
  110530. -85, -81, -77, -73, -70, -67, -67, -68,
  110531. -75, -73, -70, -69, -70, -72, -75, -79,
  110532. -84, -83, -84, -86, -88, -89, -89, -93,
  110533. -98, -105, -112, -999, -999, -999, -999, -999,
  110534. -999, -999, -999, -999, -999, -999, -999, -999,
  110535. -999, -999, -999, -999, -999, -999, -999, -999},
  110536. {-105, -100, -95, -90, -85, -80, -76, -71,
  110537. -68, -68, -65, -63, -63, -62, -62, -64,
  110538. -65, -64, -61, -62, -63, -64, -66, -68,
  110539. -73, -73, -74, -75, -76, -81, -83, -85,
  110540. -88, -89, -92, -95, -100, -108, -999, -999,
  110541. -999, -999, -999, -999, -999, -999, -999, -999,
  110542. -999, -999, -999, -999, -999, -999, -999, -999},
  110543. { -80, -75, -71, -68, -65, -63, -62, -61,
  110544. -61, -61, -61, -59, -56, -57, -53, -50,
  110545. -58, -52, -50, -50, -52, -53, -54, -58,
  110546. -67, -63, -67, -68, -72, -75, -78, -80,
  110547. -81, -81, -82, -85, -89, -90, -93, -97,
  110548. -101, -107, -114, -999, -999, -999, -999, -999,
  110549. -999, -999, -999, -999, -999, -999, -999, -999},
  110550. { -65, -61, -59, -57, -56, -55, -55, -56,
  110551. -56, -57, -55, -53, -52, -47, -44, -44,
  110552. -50, -44, -41, -39, -39, -42, -40, -46,
  110553. -51, -49, -50, -53, -54, -63, -60, -61,
  110554. -62, -66, -66, -66, -70, -73, -74, -75,
  110555. -76, -75, -79, -85, -89, -91, -96, -102,
  110556. -110, -999, -999, -999, -999, -999, -999, -999},
  110557. { -52, -50, -49, -49, -48, -48, -48, -49,
  110558. -50, -50, -49, -46, -43, -39, -35, -33,
  110559. -38, -36, -32, -29, -32, -32, -32, -35,
  110560. -44, -39, -38, -38, -46, -50, -45, -46,
  110561. -53, -50, -50, -50, -54, -54, -53, -53,
  110562. -56, -57, -59, -66, -70, -72, -74, -79,
  110563. -83, -85, -90, -97, -114, -999, -999, -999}},
  110564. /* 250 Hz */
  110565. {{-999, -999, -999, -999, -999, -999, -110, -105,
  110566. -100, -95, -90, -86, -80, -75, -75, -79,
  110567. -80, -79, -80, -81, -82, -88, -95, -103,
  110568. -110, -999, -999, -999, -999, -999, -999, -999,
  110569. -999, -999, -999, -999, -999, -999, -999, -999,
  110570. -999, -999, -999, -999, -999, -999, -999, -999,
  110571. -999, -999, -999, -999, -999, -999, -999, -999},
  110572. {-999, -999, -999, -999, -108, -103, -98, -93,
  110573. -88, -83, -79, -78, -75, -71, -67, -68,
  110574. -73, -73, -72, -73, -75, -77, -80, -82,
  110575. -88, -93, -100, -107, -114, -999, -999, -999,
  110576. -999, -999, -999, -999, -999, -999, -999, -999,
  110577. -999, -999, -999, -999, -999, -999, -999, -999,
  110578. -999, -999, -999, -999, -999, -999, -999, -999},
  110579. {-999, -999, -999, -110, -105, -101, -96, -90,
  110580. -86, -81, -77, -73, -69, -66, -61, -62,
  110581. -66, -64, -62, -65, -66, -70, -72, -76,
  110582. -81, -80, -84, -90, -95, -102, -110, -999,
  110583. -999, -999, -999, -999, -999, -999, -999, -999,
  110584. -999, -999, -999, -999, -999, -999, -999, -999,
  110585. -999, -999, -999, -999, -999, -999, -999, -999},
  110586. {-999, -999, -999, -107, -103, -97, -92, -88,
  110587. -83, -79, -74, -70, -66, -59, -53, -58,
  110588. -62, -55, -54, -54, -54, -58, -61, -62,
  110589. -72, -70, -72, -75, -78, -80, -81, -80,
  110590. -83, -83, -88, -93, -100, -107, -115, -999,
  110591. -999, -999, -999, -999, -999, -999, -999, -999,
  110592. -999, -999, -999, -999, -999, -999, -999, -999},
  110593. {-999, -999, -999, -105, -100, -95, -90, -85,
  110594. -80, -75, -70, -66, -62, -56, -48, -44,
  110595. -48, -46, -46, -43, -46, -48, -48, -51,
  110596. -58, -58, -59, -60, -62, -62, -61, -61,
  110597. -65, -64, -65, -68, -70, -74, -75, -78,
  110598. -81, -86, -95, -110, -999, -999, -999, -999,
  110599. -999, -999, -999, -999, -999, -999, -999, -999},
  110600. {-999, -999, -105, -100, -95, -90, -85, -80,
  110601. -75, -70, -65, -61, -55, -49, -39, -33,
  110602. -40, -35, -32, -38, -40, -33, -35, -37,
  110603. -46, -41, -45, -44, -46, -42, -45, -46,
  110604. -52, -50, -50, -50, -54, -54, -55, -57,
  110605. -62, -64, -66, -68, -70, -76, -81, -90,
  110606. -100, -110, -999, -999, -999, -999, -999, -999}},
  110607. /* 354 hz */
  110608. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110609. -105, -98, -90, -85, -82, -83, -80, -78,
  110610. -84, -79, -80, -83, -87, -89, -91, -93,
  110611. -99, -106, -117, -999, -999, -999, -999, -999,
  110612. -999, -999, -999, -999, -999, -999, -999, -999,
  110613. -999, -999, -999, -999, -999, -999, -999, -999,
  110614. -999, -999, -999, -999, -999, -999, -999, -999},
  110615. {-999, -999, -999, -999, -999, -999, -999, -999,
  110616. -105, -98, -90, -85, -80, -75, -70, -68,
  110617. -74, -72, -74, -77, -80, -82, -85, -87,
  110618. -92, -89, -91, -95, -100, -106, -112, -999,
  110619. -999, -999, -999, -999, -999, -999, -999, -999,
  110620. -999, -999, -999, -999, -999, -999, -999, -999,
  110621. -999, -999, -999, -999, -999, -999, -999, -999},
  110622. {-999, -999, -999, -999, -999, -999, -999, -999,
  110623. -105, -98, -90, -83, -75, -71, -63, -64,
  110624. -67, -62, -64, -67, -70, -73, -77, -81,
  110625. -84, -83, -85, -89, -90, -93, -98, -104,
  110626. -109, -114, -999, -999, -999, -999, -999, -999,
  110627. -999, -999, -999, -999, -999, -999, -999, -999,
  110628. -999, -999, -999, -999, -999, -999, -999, -999},
  110629. {-999, -999, -999, -999, -999, -999, -999, -999,
  110630. -103, -96, -88, -81, -75, -68, -58, -54,
  110631. -56, -54, -56, -56, -58, -60, -63, -66,
  110632. -74, -69, -72, -72, -75, -74, -77, -81,
  110633. -81, -82, -84, -87, -93, -96, -99, -104,
  110634. -110, -999, -999, -999, -999, -999, -999, -999,
  110635. -999, -999, -999, -999, -999, -999, -999, -999},
  110636. {-999, -999, -999, -999, -999, -108, -102, -96,
  110637. -91, -85, -80, -74, -68, -60, -51, -46,
  110638. -48, -46, -43, -45, -47, -47, -49, -48,
  110639. -56, -53, -55, -58, -57, -63, -58, -60,
  110640. -66, -64, -67, -70, -70, -74, -77, -84,
  110641. -86, -89, -91, -93, -94, -101, -109, -118,
  110642. -999, -999, -999, -999, -999, -999, -999, -999},
  110643. {-999, -999, -999, -108, -103, -98, -93, -88,
  110644. -83, -78, -73, -68, -60, -53, -44, -35,
  110645. -38, -38, -34, -34, -36, -40, -41, -44,
  110646. -51, -45, -46, -47, -46, -54, -50, -49,
  110647. -50, -50, -50, -51, -54, -57, -58, -60,
  110648. -66, -66, -66, -64, -65, -68, -77, -82,
  110649. -87, -95, -110, -999, -999, -999, -999, -999}},
  110650. /* 500 Hz */
  110651. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110652. -107, -102, -97, -92, -87, -83, -78, -75,
  110653. -82, -79, -83, -85, -89, -92, -95, -98,
  110654. -101, -105, -109, -113, -999, -999, -999, -999,
  110655. -999, -999, -999, -999, -999, -999, -999, -999,
  110656. -999, -999, -999, -999, -999, -999, -999, -999,
  110657. -999, -999, -999, -999, -999, -999, -999, -999},
  110658. {-999, -999, -999, -999, -999, -999, -999, -106,
  110659. -100, -95, -90, -86, -81, -78, -74, -69,
  110660. -74, -74, -76, -79, -83, -84, -86, -89,
  110661. -92, -97, -93, -100, -103, -107, -110, -999,
  110662. -999, -999, -999, -999, -999, -999, -999, -999,
  110663. -999, -999, -999, -999, -999, -999, -999, -999,
  110664. -999, -999, -999, -999, -999, -999, -999, -999},
  110665. {-999, -999, -999, -999, -999, -999, -106, -100,
  110666. -95, -90, -87, -83, -80, -75, -69, -60,
  110667. -66, -66, -68, -70, -74, -78, -79, -81,
  110668. -81, -83, -84, -87, -93, -96, -99, -103,
  110669. -107, -110, -999, -999, -999, -999, -999, -999,
  110670. -999, -999, -999, -999, -999, -999, -999, -999,
  110671. -999, -999, -999, -999, -999, -999, -999, -999},
  110672. {-999, -999, -999, -999, -999, -108, -103, -98,
  110673. -93, -89, -85, -82, -78, -71, -62, -55,
  110674. -58, -58, -54, -54, -55, -59, -61, -62,
  110675. -70, -66, -66, -67, -70, -72, -75, -78,
  110676. -84, -84, -84, -88, -91, -90, -95, -98,
  110677. -102, -103, -106, -110, -999, -999, -999, -999,
  110678. -999, -999, -999, -999, -999, -999, -999, -999},
  110679. {-999, -999, -999, -999, -108, -103, -98, -94,
  110680. -90, -87, -82, -79, -73, -67, -58, -47,
  110681. -50, -45, -41, -45, -48, -44, -44, -49,
  110682. -54, -51, -48, -47, -49, -50, -51, -57,
  110683. -58, -60, -63, -69, -70, -69, -71, -74,
  110684. -78, -82, -90, -95, -101, -105, -110, -999,
  110685. -999, -999, -999, -999, -999, -999, -999, -999},
  110686. {-999, -999, -999, -105, -101, -97, -93, -90,
  110687. -85, -80, -77, -72, -65, -56, -48, -37,
  110688. -40, -36, -34, -40, -50, -47, -38, -41,
  110689. -47, -38, -35, -39, -38, -43, -40, -45,
  110690. -50, -45, -44, -47, -50, -55, -48, -48,
  110691. -52, -66, -70, -76, -82, -90, -97, -105,
  110692. -110, -999, -999, -999, -999, -999, -999, -999}},
  110693. /* 707 Hz */
  110694. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110695. -999, -108, -103, -98, -93, -86, -79, -76,
  110696. -83, -81, -85, -87, -89, -93, -98, -102,
  110697. -107, -112, -999, -999, -999, -999, -999, -999,
  110698. -999, -999, -999, -999, -999, -999, -999, -999,
  110699. -999, -999, -999, -999, -999, -999, -999, -999,
  110700. -999, -999, -999, -999, -999, -999, -999, -999},
  110701. {-999, -999, -999, -999, -999, -999, -999, -999,
  110702. -999, -108, -103, -98, -93, -86, -79, -71,
  110703. -77, -74, -77, -79, -81, -84, -85, -90,
  110704. -92, -93, -92, -98, -101, -108, -112, -999,
  110705. -999, -999, -999, -999, -999, -999, -999, -999,
  110706. -999, -999, -999, -999, -999, -999, -999, -999,
  110707. -999, -999, -999, -999, -999, -999, -999, -999},
  110708. {-999, -999, -999, -999, -999, -999, -999, -999,
  110709. -108, -103, -98, -93, -87, -78, -68, -65,
  110710. -66, -62, -65, -67, -70, -73, -75, -78,
  110711. -82, -82, -83, -84, -91, -93, -98, -102,
  110712. -106, -110, -999, -999, -999, -999, -999, -999,
  110713. -999, -999, -999, -999, -999, -999, -999, -999,
  110714. -999, -999, -999, -999, -999, -999, -999, -999},
  110715. {-999, -999, -999, -999, -999, -999, -999, -999,
  110716. -105, -100, -95, -90, -82, -74, -62, -57,
  110717. -58, -56, -51, -52, -52, -54, -54, -58,
  110718. -66, -59, -60, -63, -66, -69, -73, -79,
  110719. -83, -84, -80, -81, -81, -82, -88, -92,
  110720. -98, -105, -113, -999, -999, -999, -999, -999,
  110721. -999, -999, -999, -999, -999, -999, -999, -999},
  110722. {-999, -999, -999, -999, -999, -999, -999, -107,
  110723. -102, -97, -92, -84, -79, -69, -57, -47,
  110724. -52, -47, -44, -45, -50, -52, -42, -42,
  110725. -53, -43, -43, -48, -51, -56, -55, -52,
  110726. -57, -59, -61, -62, -67, -71, -78, -83,
  110727. -86, -94, -98, -103, -110, -999, -999, -999,
  110728. -999, -999, -999, -999, -999, -999, -999, -999},
  110729. {-999, -999, -999, -999, -999, -999, -105, -100,
  110730. -95, -90, -84, -78, -70, -61, -51, -41,
  110731. -40, -38, -40, -46, -52, -51, -41, -40,
  110732. -46, -40, -38, -38, -41, -46, -41, -46,
  110733. -47, -43, -43, -45, -41, -45, -56, -67,
  110734. -68, -83, -87, -90, -95, -102, -107, -113,
  110735. -999, -999, -999, -999, -999, -999, -999, -999}},
  110736. /* 1000 Hz */
  110737. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110738. -999, -109, -105, -101, -96, -91, -84, -77,
  110739. -82, -82, -85, -89, -94, -100, -106, -110,
  110740. -999, -999, -999, -999, -999, -999, -999, -999,
  110741. -999, -999, -999, -999, -999, -999, -999, -999,
  110742. -999, -999, -999, -999, -999, -999, -999, -999,
  110743. -999, -999, -999, -999, -999, -999, -999, -999},
  110744. {-999, -999, -999, -999, -999, -999, -999, -999,
  110745. -999, -106, -103, -98, -92, -85, -80, -71,
  110746. -75, -72, -76, -80, -84, -86, -89, -93,
  110747. -100, -107, -113, -999, -999, -999, -999, -999,
  110748. -999, -999, -999, -999, -999, -999, -999, -999,
  110749. -999, -999, -999, -999, -999, -999, -999, -999,
  110750. -999, -999, -999, -999, -999, -999, -999, -999},
  110751. {-999, -999, -999, -999, -999, -999, -999, -107,
  110752. -104, -101, -97, -92, -88, -84, -80, -64,
  110753. -66, -63, -64, -66, -69, -73, -77, -83,
  110754. -83, -86, -91, -98, -104, -111, -999, -999,
  110755. -999, -999, -999, -999, -999, -999, -999, -999,
  110756. -999, -999, -999, -999, -999, -999, -999, -999,
  110757. -999, -999, -999, -999, -999, -999, -999, -999},
  110758. {-999, -999, -999, -999, -999, -999, -999, -107,
  110759. -104, -101, -97, -92, -90, -84, -74, -57,
  110760. -58, -52, -55, -54, -50, -52, -50, -52,
  110761. -63, -62, -69, -76, -77, -78, -78, -79,
  110762. -82, -88, -94, -100, -106, -111, -999, -999,
  110763. -999, -999, -999, -999, -999, -999, -999, -999,
  110764. -999, -999, -999, -999, -999, -999, -999, -999},
  110765. {-999, -999, -999, -999, -999, -999, -106, -102,
  110766. -98, -95, -90, -85, -83, -78, -70, -50,
  110767. -50, -41, -44, -49, -47, -50, -50, -44,
  110768. -55, -46, -47, -48, -48, -54, -49, -49,
  110769. -58, -62, -71, -81, -87, -92, -97, -102,
  110770. -108, -114, -999, -999, -999, -999, -999, -999,
  110771. -999, -999, -999, -999, -999, -999, -999, -999},
  110772. {-999, -999, -999, -999, -999, -999, -106, -102,
  110773. -98, -95, -90, -85, -83, -78, -70, -45,
  110774. -43, -41, -47, -50, -51, -50, -49, -45,
  110775. -47, -41, -44, -41, -39, -43, -38, -37,
  110776. -40, -41, -44, -50, -58, -65, -73, -79,
  110777. -85, -92, -97, -101, -105, -109, -113, -999,
  110778. -999, -999, -999, -999, -999, -999, -999, -999}},
  110779. /* 1414 Hz */
  110780. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110781. -999, -999, -999, -107, -100, -95, -87, -81,
  110782. -85, -83, -88, -93, -100, -107, -114, -999,
  110783. -999, -999, -999, -999, -999, -999, -999, -999,
  110784. -999, -999, -999, -999, -999, -999, -999, -999,
  110785. -999, -999, -999, -999, -999, -999, -999, -999,
  110786. -999, -999, -999, -999, -999, -999, -999, -999},
  110787. {-999, -999, -999, -999, -999, -999, -999, -999,
  110788. -999, -999, -107, -101, -95, -88, -83, -76,
  110789. -73, -72, -79, -84, -90, -95, -100, -105,
  110790. -110, -115, -999, -999, -999, -999, -999, -999,
  110791. -999, -999, -999, -999, -999, -999, -999, -999,
  110792. -999, -999, -999, -999, -999, -999, -999, -999,
  110793. -999, -999, -999, -999, -999, -999, -999, -999},
  110794. {-999, -999, -999, -999, -999, -999, -999, -999,
  110795. -999, -999, -104, -98, -92, -87, -81, -70,
  110796. -65, -62, -67, -71, -74, -80, -85, -91,
  110797. -95, -99, -103, -108, -111, -114, -999, -999,
  110798. -999, -999, -999, -999, -999, -999, -999, -999,
  110799. -999, -999, -999, -999, -999, -999, -999, -999,
  110800. -999, -999, -999, -999, -999, -999, -999, -999},
  110801. {-999, -999, -999, -999, -999, -999, -999, -999,
  110802. -999, -999, -103, -97, -90, -85, -76, -60,
  110803. -56, -54, -60, -62, -61, -56, -63, -65,
  110804. -73, -74, -77, -75, -78, -81, -86, -87,
  110805. -88, -91, -94, -98, -103, -110, -999, -999,
  110806. -999, -999, -999, -999, -999, -999, -999, -999,
  110807. -999, -999, -999, -999, -999, -999, -999, -999},
  110808. {-999, -999, -999, -999, -999, -999, -999, -105,
  110809. -100, -97, -92, -86, -81, -79, -70, -57,
  110810. -51, -47, -51, -58, -60, -56, -53, -50,
  110811. -58, -52, -50, -50, -53, -55, -64, -69,
  110812. -71, -85, -82, -78, -81, -85, -95, -102,
  110813. -112, -999, -999, -999, -999, -999, -999, -999,
  110814. -999, -999, -999, -999, -999, -999, -999, -999},
  110815. {-999, -999, -999, -999, -999, -999, -999, -105,
  110816. -100, -97, -92, -85, -83, -79, -72, -49,
  110817. -40, -43, -43, -54, -56, -51, -50, -40,
  110818. -43, -38, -36, -35, -37, -38, -37, -44,
  110819. -54, -60, -57, -60, -70, -75, -84, -92,
  110820. -103, -112, -999, -999, -999, -999, -999, -999,
  110821. -999, -999, -999, -999, -999, -999, -999, -999}},
  110822. /* 2000 Hz */
  110823. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110824. -999, -999, -999, -110, -102, -95, -89, -82,
  110825. -83, -84, -90, -92, -99, -107, -113, -999,
  110826. -999, -999, -999, -999, -999, -999, -999, -999,
  110827. -999, -999, -999, -999, -999, -999, -999, -999,
  110828. -999, -999, -999, -999, -999, -999, -999, -999,
  110829. -999, -999, -999, -999, -999, -999, -999, -999},
  110830. {-999, -999, -999, -999, -999, -999, -999, -999,
  110831. -999, -999, -107, -101, -95, -89, -83, -72,
  110832. -74, -78, -85, -88, -88, -90, -92, -98,
  110833. -105, -111, -999, -999, -999, -999, -999, -999,
  110834. -999, -999, -999, -999, -999, -999, -999, -999,
  110835. -999, -999, -999, -999, -999, -999, -999, -999,
  110836. -999, -999, -999, -999, -999, -999, -999, -999},
  110837. {-999, -999, -999, -999, -999, -999, -999, -999,
  110838. -999, -109, -103, -97, -93, -87, -81, -70,
  110839. -70, -67, -75, -73, -76, -79, -81, -83,
  110840. -88, -89, -97, -103, -110, -999, -999, -999,
  110841. -999, -999, -999, -999, -999, -999, -999, -999,
  110842. -999, -999, -999, -999, -999, -999, -999, -999,
  110843. -999, -999, -999, -999, -999, -999, -999, -999},
  110844. {-999, -999, -999, -999, -999, -999, -999, -999,
  110845. -999, -107, -100, -94, -88, -83, -75, -63,
  110846. -59, -59, -63, -66, -60, -62, -67, -67,
  110847. -77, -76, -81, -88, -86, -92, -96, -102,
  110848. -109, -116, -999, -999, -999, -999, -999, -999,
  110849. -999, -999, -999, -999, -999, -999, -999, -999,
  110850. -999, -999, -999, -999, -999, -999, -999, -999},
  110851. {-999, -999, -999, -999, -999, -999, -999, -999,
  110852. -999, -105, -98, -92, -86, -81, -73, -56,
  110853. -52, -47, -55, -60, -58, -52, -51, -45,
  110854. -49, -50, -53, -54, -61, -71, -70, -69,
  110855. -78, -79, -87, -90, -96, -104, -112, -999,
  110856. -999, -999, -999, -999, -999, -999, -999, -999,
  110857. -999, -999, -999, -999, -999, -999, -999, -999},
  110858. {-999, -999, -999, -999, -999, -999, -999, -999,
  110859. -999, -103, -96, -90, -86, -78, -70, -51,
  110860. -42, -47, -48, -55, -54, -54, -53, -42,
  110861. -35, -28, -33, -38, -37, -44, -47, -49,
  110862. -54, -63, -68, -78, -82, -89, -94, -99,
  110863. -104, -109, -114, -999, -999, -999, -999, -999,
  110864. -999, -999, -999, -999, -999, -999, -999, -999}},
  110865. /* 2828 Hz */
  110866. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110867. -999, -999, -999, -999, -110, -100, -90, -79,
  110868. -85, -81, -82, -82, -89, -94, -99, -103,
  110869. -109, -115, -999, -999, -999, -999, -999, -999,
  110870. -999, -999, -999, -999, -999, -999, -999, -999,
  110871. -999, -999, -999, -999, -999, -999, -999, -999,
  110872. -999, -999, -999, -999, -999, -999, -999, -999},
  110873. {-999, -999, -999, -999, -999, -999, -999, -999,
  110874. -999, -999, -999, -999, -105, -97, -85, -72,
  110875. -74, -70, -70, -70, -76, -85, -91, -93,
  110876. -97, -103, -109, -115, -999, -999, -999, -999,
  110877. -999, -999, -999, -999, -999, -999, -999, -999,
  110878. -999, -999, -999, -999, -999, -999, -999, -999,
  110879. -999, -999, -999, -999, -999, -999, -999, -999},
  110880. {-999, -999, -999, -999, -999, -999, -999, -999,
  110881. -999, -999, -999, -999, -112, -93, -81, -68,
  110882. -62, -60, -60, -57, -63, -70, -77, -82,
  110883. -90, -93, -98, -104, -109, -113, -999, -999,
  110884. -999, -999, -999, -999, -999, -999, -999, -999,
  110885. -999, -999, -999, -999, -999, -999, -999, -999,
  110886. -999, -999, -999, -999, -999, -999, -999, -999},
  110887. {-999, -999, -999, -999, -999, -999, -999, -999,
  110888. -999, -999, -999, -113, -100, -93, -84, -63,
  110889. -58, -48, -53, -54, -52, -52, -57, -64,
  110890. -66, -76, -83, -81, -85, -85, -90, -95,
  110891. -98, -101, -103, -106, -108, -111, -999, -999,
  110892. -999, -999, -999, -999, -999, -999, -999, -999,
  110893. -999, -999, -999, -999, -999, -999, -999, -999},
  110894. {-999, -999, -999, -999, -999, -999, -999, -999,
  110895. -999, -999, -999, -105, -95, -86, -74, -53,
  110896. -50, -38, -43, -49, -43, -42, -39, -39,
  110897. -46, -52, -57, -56, -72, -69, -74, -81,
  110898. -87, -92, -94, -97, -99, -102, -105, -108,
  110899. -999, -999, -999, -999, -999, -999, -999, -999,
  110900. -999, -999, -999, -999, -999, -999, -999, -999},
  110901. {-999, -999, -999, -999, -999, -999, -999, -999,
  110902. -999, -999, -108, -99, -90, -76, -66, -45,
  110903. -43, -41, -44, -47, -43, -47, -40, -30,
  110904. -31, -31, -39, -33, -40, -41, -43, -53,
  110905. -59, -70, -73, -77, -79, -82, -84, -87,
  110906. -999, -999, -999, -999, -999, -999, -999, -999,
  110907. -999, -999, -999, -999, -999, -999, -999, -999}},
  110908. /* 4000 Hz */
  110909. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110910. -999, -999, -999, -999, -999, -110, -91, -76,
  110911. -75, -85, -93, -98, -104, -110, -999, -999,
  110912. -999, -999, -999, -999, -999, -999, -999, -999,
  110913. -999, -999, -999, -999, -999, -999, -999, -999,
  110914. -999, -999, -999, -999, -999, -999, -999, -999,
  110915. -999, -999, -999, -999, -999, -999, -999, -999},
  110916. {-999, -999, -999, -999, -999, -999, -999, -999,
  110917. -999, -999, -999, -999, -999, -110, -91, -70,
  110918. -70, -75, -86, -89, -94, -98, -101, -106,
  110919. -110, -999, -999, -999, -999, -999, -999, -999,
  110920. -999, -999, -999, -999, -999, -999, -999, -999,
  110921. -999, -999, -999, -999, -999, -999, -999, -999,
  110922. -999, -999, -999, -999, -999, -999, -999, -999},
  110923. {-999, -999, -999, -999, -999, -999, -999, -999,
  110924. -999, -999, -999, -999, -110, -95, -80, -60,
  110925. -65, -64, -74, -83, -88, -91, -95, -99,
  110926. -103, -107, -110, -999, -999, -999, -999, -999,
  110927. -999, -999, -999, -999, -999, -999, -999, -999,
  110928. -999, -999, -999, -999, -999, -999, -999, -999,
  110929. -999, -999, -999, -999, -999, -999, -999, -999},
  110930. {-999, -999, -999, -999, -999, -999, -999, -999,
  110931. -999, -999, -999, -999, -110, -95, -80, -58,
  110932. -55, -49, -66, -68, -71, -78, -78, -80,
  110933. -88, -85, -89, -97, -100, -105, -110, -999,
  110934. -999, -999, -999, -999, -999, -999, -999, -999,
  110935. -999, -999, -999, -999, -999, -999, -999, -999,
  110936. -999, -999, -999, -999, -999, -999, -999, -999},
  110937. {-999, -999, -999, -999, -999, -999, -999, -999,
  110938. -999, -999, -999, -999, -110, -95, -80, -53,
  110939. -52, -41, -59, -59, -49, -58, -56, -63,
  110940. -86, -79, -90, -93, -98, -103, -107, -112,
  110941. -999, -999, -999, -999, -999, -999, -999, -999,
  110942. -999, -999, -999, -999, -999, -999, -999, -999,
  110943. -999, -999, -999, -999, -999, -999, -999, -999},
  110944. {-999, -999, -999, -999, -999, -999, -999, -999,
  110945. -999, -999, -999, -110, -97, -91, -73, -45,
  110946. -40, -33, -53, -61, -49, -54, -50, -50,
  110947. -60, -52, -67, -74, -81, -92, -96, -100,
  110948. -105, -110, -999, -999, -999, -999, -999, -999,
  110949. -999, -999, -999, -999, -999, -999, -999, -999,
  110950. -999, -999, -999, -999, -999, -999, -999, -999}},
  110951. /* 5657 Hz */
  110952. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110953. -999, -999, -999, -113, -106, -99, -92, -77,
  110954. -80, -88, -97, -106, -115, -999, -999, -999,
  110955. -999, -999, -999, -999, -999, -999, -999, -999,
  110956. -999, -999, -999, -999, -999, -999, -999, -999,
  110957. -999, -999, -999, -999, -999, -999, -999, -999,
  110958. -999, -999, -999, -999, -999, -999, -999, -999},
  110959. {-999, -999, -999, -999, -999, -999, -999, -999,
  110960. -999, -999, -116, -109, -102, -95, -89, -74,
  110961. -72, -88, -87, -95, -102, -109, -116, -999,
  110962. -999, -999, -999, -999, -999, -999, -999, -999,
  110963. -999, -999, -999, -999, -999, -999, -999, -999,
  110964. -999, -999, -999, -999, -999, -999, -999, -999,
  110965. -999, -999, -999, -999, -999, -999, -999, -999},
  110966. {-999, -999, -999, -999, -999, -999, -999, -999,
  110967. -999, -999, -116, -109, -102, -95, -89, -75,
  110968. -66, -74, -77, -78, -86, -87, -90, -96,
  110969. -105, -115, -999, -999, -999, -999, -999, -999,
  110970. -999, -999, -999, -999, -999, -999, -999, -999,
  110971. -999, -999, -999, -999, -999, -999, -999, -999,
  110972. -999, -999, -999, -999, -999, -999, -999, -999},
  110973. {-999, -999, -999, -999, -999, -999, -999, -999,
  110974. -999, -999, -115, -108, -101, -94, -88, -66,
  110975. -56, -61, -70, -65, -78, -72, -83, -84,
  110976. -93, -98, -105, -110, -999, -999, -999, -999,
  110977. -999, -999, -999, -999, -999, -999, -999, -999,
  110978. -999, -999, -999, -999, -999, -999, -999, -999,
  110979. -999, -999, -999, -999, -999, -999, -999, -999},
  110980. {-999, -999, -999, -999, -999, -999, -999, -999,
  110981. -999, -999, -110, -105, -95, -89, -82, -57,
  110982. -52, -52, -59, -56, -59, -58, -69, -67,
  110983. -88, -82, -82, -89, -94, -100, -108, -999,
  110984. -999, -999, -999, -999, -999, -999, -999, -999,
  110985. -999, -999, -999, -999, -999, -999, -999, -999,
  110986. -999, -999, -999, -999, -999, -999, -999, -999},
  110987. {-999, -999, -999, -999, -999, -999, -999, -999,
  110988. -999, -110, -101, -96, -90, -83, -77, -54,
  110989. -43, -38, -50, -48, -52, -48, -42, -42,
  110990. -51, -52, -53, -59, -65, -71, -78, -85,
  110991. -95, -999, -999, -999, -999, -999, -999, -999,
  110992. -999, -999, -999, -999, -999, -999, -999, -999,
  110993. -999, -999, -999, -999, -999, -999, -999, -999}},
  110994. /* 8000 Hz */
  110995. {{-999, -999, -999, -999, -999, -999, -999, -999,
  110996. -999, -999, -999, -999, -120, -105, -86, -68,
  110997. -78, -79, -90, -100, -110, -999, -999, -999,
  110998. -999, -999, -999, -999, -999, -999, -999, -999,
  110999. -999, -999, -999, -999, -999, -999, -999, -999,
  111000. -999, -999, -999, -999, -999, -999, -999, -999,
  111001. -999, -999, -999, -999, -999, -999, -999, -999},
  111002. {-999, -999, -999, -999, -999, -999, -999, -999,
  111003. -999, -999, -999, -999, -120, -105, -86, -66,
  111004. -73, -77, -88, -96, -105, -115, -999, -999,
  111005. -999, -999, -999, -999, -999, -999, -999, -999,
  111006. -999, -999, -999, -999, -999, -999, -999, -999,
  111007. -999, -999, -999, -999, -999, -999, -999, -999,
  111008. -999, -999, -999, -999, -999, -999, -999, -999},
  111009. {-999, -999, -999, -999, -999, -999, -999, -999,
  111010. -999, -999, -999, -120, -105, -92, -80, -61,
  111011. -64, -68, -80, -87, -92, -100, -110, -999,
  111012. -999, -999, -999, -999, -999, -999, -999, -999,
  111013. -999, -999, -999, -999, -999, -999, -999, -999,
  111014. -999, -999, -999, -999, -999, -999, -999, -999,
  111015. -999, -999, -999, -999, -999, -999, -999, -999},
  111016. {-999, -999, -999, -999, -999, -999, -999, -999,
  111017. -999, -999, -999, -120, -104, -91, -79, -52,
  111018. -60, -54, -64, -69, -77, -80, -82, -84,
  111019. -85, -87, -88, -90, -999, -999, -999, -999,
  111020. -999, -999, -999, -999, -999, -999, -999, -999,
  111021. -999, -999, -999, -999, -999, -999, -999, -999,
  111022. -999, -999, -999, -999, -999, -999, -999, -999},
  111023. {-999, -999, -999, -999, -999, -999, -999, -999,
  111024. -999, -999, -999, -118, -100, -87, -77, -49,
  111025. -50, -44, -58, -61, -61, -67, -65, -62,
  111026. -62, -62, -65, -68, -999, -999, -999, -999,
  111027. -999, -999, -999, -999, -999, -999, -999, -999,
  111028. -999, -999, -999, -999, -999, -999, -999, -999,
  111029. -999, -999, -999, -999, -999, -999, -999, -999},
  111030. {-999, -999, -999, -999, -999, -999, -999, -999,
  111031. -999, -999, -999, -115, -98, -84, -62, -49,
  111032. -44, -38, -46, -49, -49, -46, -39, -37,
  111033. -39, -40, -42, -43, -999, -999, -999, -999,
  111034. -999, -999, -999, -999, -999, -999, -999, -999,
  111035. -999, -999, -999, -999, -999, -999, -999, -999,
  111036. -999, -999, -999, -999, -999, -999, -999, -999}},
  111037. /* 11314 Hz */
  111038. {{-999, -999, -999, -999, -999, -999, -999, -999,
  111039. -999, -999, -999, -999, -999, -110, -88, -74,
  111040. -77, -82, -82, -85, -90, -94, -99, -104,
  111041. -999, -999, -999, -999, -999, -999, -999, -999,
  111042. -999, -999, -999, -999, -999, -999, -999, -999,
  111043. -999, -999, -999, -999, -999, -999, -999, -999,
  111044. -999, -999, -999, -999, -999, -999, -999, -999},
  111045. {-999, -999, -999, -999, -999, -999, -999, -999,
  111046. -999, -999, -999, -999, -999, -110, -88, -66,
  111047. -70, -81, -80, -81, -84, -88, -91, -93,
  111048. -999, -999, -999, -999, -999, -999, -999, -999,
  111049. -999, -999, -999, -999, -999, -999, -999, -999,
  111050. -999, -999, -999, -999, -999, -999, -999, -999,
  111051. -999, -999, -999, -999, -999, -999, -999, -999},
  111052. {-999, -999, -999, -999, -999, -999, -999, -999,
  111053. -999, -999, -999, -999, -999, -110, -88, -61,
  111054. -63, -70, -71, -74, -77, -80, -83, -85,
  111055. -999, -999, -999, -999, -999, -999, -999, -999,
  111056. -999, -999, -999, -999, -999, -999, -999, -999,
  111057. -999, -999, -999, -999, -999, -999, -999, -999,
  111058. -999, -999, -999, -999, -999, -999, -999, -999},
  111059. {-999, -999, -999, -999, -999, -999, -999, -999,
  111060. -999, -999, -999, -999, -999, -110, -86, -62,
  111061. -63, -62, -62, -58, -52, -50, -50, -52,
  111062. -54, -999, -999, -999, -999, -999, -999, -999,
  111063. -999, -999, -999, -999, -999, -999, -999, -999,
  111064. -999, -999, -999, -999, -999, -999, -999, -999,
  111065. -999, -999, -999, -999, -999, -999, -999, -999},
  111066. {-999, -999, -999, -999, -999, -999, -999, -999,
  111067. -999, -999, -999, -999, -118, -108, -84, -53,
  111068. -50, -50, -50, -55, -47, -45, -40, -40,
  111069. -40, -999, -999, -999, -999, -999, -999, -999,
  111070. -999, -999, -999, -999, -999, -999, -999, -999,
  111071. -999, -999, -999, -999, -999, -999, -999, -999,
  111072. -999, -999, -999, -999, -999, -999, -999, -999},
  111073. {-999, -999, -999, -999, -999, -999, -999, -999,
  111074. -999, -999, -999, -999, -118, -100, -73, -43,
  111075. -37, -42, -43, -53, -38, -37, -35, -35,
  111076. -38, -999, -999, -999, -999, -999, -999, -999,
  111077. -999, -999, -999, -999, -999, -999, -999, -999,
  111078. -999, -999, -999, -999, -999, -999, -999, -999,
  111079. -999, -999, -999, -999, -999, -999, -999, -999}},
  111080. /* 16000 Hz */
  111081. {{-999, -999, -999, -999, -999, -999, -999, -999,
  111082. -999, -999, -999, -110, -100, -91, -84, -74,
  111083. -80, -80, -80, -80, -80, -999, -999, -999,
  111084. -999, -999, -999, -999, -999, -999, -999, -999,
  111085. -999, -999, -999, -999, -999, -999, -999, -999,
  111086. -999, -999, -999, -999, -999, -999, -999, -999,
  111087. -999, -999, -999, -999, -999, -999, -999, -999},
  111088. {-999, -999, -999, -999, -999, -999, -999, -999,
  111089. -999, -999, -999, -110, -100, -91, -84, -74,
  111090. -68, -68, -68, -68, -68, -999, -999, -999,
  111091. -999, -999, -999, -999, -999, -999, -999, -999,
  111092. -999, -999, -999, -999, -999, -999, -999, -999,
  111093. -999, -999, -999, -999, -999, -999, -999, -999,
  111094. -999, -999, -999, -999, -999, -999, -999, -999},
  111095. {-999, -999, -999, -999, -999, -999, -999, -999,
  111096. -999, -999, -999, -110, -100, -86, -78, -70,
  111097. -60, -45, -30, -21, -999, -999, -999, -999,
  111098. -999, -999, -999, -999, -999, -999, -999, -999,
  111099. -999, -999, -999, -999, -999, -999, -999, -999,
  111100. -999, -999, -999, -999, -999, -999, -999, -999,
  111101. -999, -999, -999, -999, -999, -999, -999, -999},
  111102. {-999, -999, -999, -999, -999, -999, -999, -999,
  111103. -999, -999, -999, -110, -100, -87, -78, -67,
  111104. -48, -38, -29, -21, -999, -999, -999, -999,
  111105. -999, -999, -999, -999, -999, -999, -999, -999,
  111106. -999, -999, -999, -999, -999, -999, -999, -999,
  111107. -999, -999, -999, -999, -999, -999, -999, -999,
  111108. -999, -999, -999, -999, -999, -999, -999, -999},
  111109. {-999, -999, -999, -999, -999, -999, -999, -999,
  111110. -999, -999, -999, -110, -100, -86, -69, -56,
  111111. -45, -35, -33, -29, -999, -999, -999, -999,
  111112. -999, -999, -999, -999, -999, -999, -999, -999,
  111113. -999, -999, -999, -999, -999, -999, -999, -999,
  111114. -999, -999, -999, -999, -999, -999, -999, -999,
  111115. -999, -999, -999, -999, -999, -999, -999, -999},
  111116. {-999, -999, -999, -999, -999, -999, -999, -999,
  111117. -999, -999, -999, -110, -100, -83, -71, -48,
  111118. -27, -38, -37, -34, -999, -999, -999, -999,
  111119. -999, -999, -999, -999, -999, -999, -999, -999,
  111120. -999, -999, -999, -999, -999, -999, -999, -999,
  111121. -999, -999, -999, -999, -999, -999, -999, -999,
  111122. -999, -999, -999, -999, -999, -999, -999, -999}}
  111123. };
  111124. #endif
  111125. /********* End of inlined file: masking.h *********/
  111126. #define NEGINF -9999.f
  111127. static double stereo_threshholds[]={0.0, .5, 1.0, 1.5, 2.5, 4.5, 8.5, 16.5, 9e10};
  111128. static double stereo_threshholds_limited[]={0.0, .5, 1.0, 1.5, 2.0, 2.5, 4.5, 8.5, 9e10};
  111129. vorbis_look_psy_global *_vp_global_look(vorbis_info *vi){
  111130. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  111131. vorbis_info_psy_global *gi=&ci->psy_g_param;
  111132. vorbis_look_psy_global *look=(vorbis_look_psy_global*)_ogg_calloc(1,sizeof(*look));
  111133. look->channels=vi->channels;
  111134. look->ampmax=-9999.;
  111135. look->gi=gi;
  111136. return(look);
  111137. }
  111138. void _vp_global_free(vorbis_look_psy_global *look){
  111139. if(look){
  111140. memset(look,0,sizeof(*look));
  111141. _ogg_free(look);
  111142. }
  111143. }
  111144. void _vi_gpsy_free(vorbis_info_psy_global *i){
  111145. if(i){
  111146. memset(i,0,sizeof(*i));
  111147. _ogg_free(i);
  111148. }
  111149. }
  111150. void _vi_psy_free(vorbis_info_psy *i){
  111151. if(i){
  111152. memset(i,0,sizeof(*i));
  111153. _ogg_free(i);
  111154. }
  111155. }
  111156. static void min_curve(float *c,
  111157. float *c2){
  111158. int i;
  111159. for(i=0;i<EHMER_MAX;i++)if(c2[i]<c[i])c[i]=c2[i];
  111160. }
  111161. static void max_curve(float *c,
  111162. float *c2){
  111163. int i;
  111164. for(i=0;i<EHMER_MAX;i++)if(c2[i]>c[i])c[i]=c2[i];
  111165. }
  111166. static void attenuate_curve(float *c,float att){
  111167. int i;
  111168. for(i=0;i<EHMER_MAX;i++)
  111169. c[i]+=att;
  111170. }
  111171. static float ***setup_tone_curves(float curveatt_dB[P_BANDS],float binHz,int n,
  111172. float center_boost, float center_decay_rate){
  111173. int i,j,k,m;
  111174. float ath[EHMER_MAX];
  111175. float workc[P_BANDS][P_LEVELS][EHMER_MAX];
  111176. float athc[P_LEVELS][EHMER_MAX];
  111177. float *brute_buffer=(float*) alloca(n*sizeof(*brute_buffer));
  111178. float ***ret=(float***) _ogg_malloc(sizeof(*ret)*P_BANDS);
  111179. memset(workc,0,sizeof(workc));
  111180. for(i=0;i<P_BANDS;i++){
  111181. /* we add back in the ATH to avoid low level curves falling off to
  111182. -infinity and unnecessarily cutting off high level curves in the
  111183. curve limiting (last step). */
  111184. /* A half-band's settings must be valid over the whole band, and
  111185. it's better to mask too little than too much */
  111186. int ath_offset=i*4;
  111187. for(j=0;j<EHMER_MAX;j++){
  111188. float min=999.;
  111189. for(k=0;k<4;k++)
  111190. if(j+k+ath_offset<MAX_ATH){
  111191. if(min>ATH[j+k+ath_offset])min=ATH[j+k+ath_offset];
  111192. }else{
  111193. if(min>ATH[MAX_ATH-1])min=ATH[MAX_ATH-1];
  111194. }
  111195. ath[j]=min;
  111196. }
  111197. /* copy curves into working space, replicate the 50dB curve to 30
  111198. and 40, replicate the 100dB curve to 110 */
  111199. for(j=0;j<6;j++)
  111200. memcpy(workc[i][j+2],tonemasks[i][j],EHMER_MAX*sizeof(*tonemasks[i][j]));
  111201. memcpy(workc[i][0],tonemasks[i][0],EHMER_MAX*sizeof(*tonemasks[i][0]));
  111202. memcpy(workc[i][1],tonemasks[i][0],EHMER_MAX*sizeof(*tonemasks[i][0]));
  111203. /* apply centered curve boost/decay */
  111204. for(j=0;j<P_LEVELS;j++){
  111205. for(k=0;k<EHMER_MAX;k++){
  111206. float adj=center_boost+abs(EHMER_OFFSET-k)*center_decay_rate;
  111207. if(adj<0. && center_boost>0)adj=0.;
  111208. if(adj>0. && center_boost<0)adj=0.;
  111209. workc[i][j][k]+=adj;
  111210. }
  111211. }
  111212. /* normalize curves so the driving amplitude is 0dB */
  111213. /* make temp curves with the ATH overlayed */
  111214. for(j=0;j<P_LEVELS;j++){
  111215. attenuate_curve(workc[i][j],curveatt_dB[i]+100.-(j<2?2:j)*10.-P_LEVEL_0);
  111216. memcpy(athc[j],ath,EHMER_MAX*sizeof(**athc));
  111217. attenuate_curve(athc[j],+100.-j*10.f-P_LEVEL_0);
  111218. max_curve(athc[j],workc[i][j]);
  111219. }
  111220. /* Now limit the louder curves.
  111221. the idea is this: We don't know what the playback attenuation
  111222. will be; 0dB SL moves every time the user twiddles the volume
  111223. knob. So that means we have to use a single 'most pessimal' curve
  111224. for all masking amplitudes, right? Wrong. The *loudest* sound
  111225. can be in (we assume) a range of ...+100dB] SL. However, sounds
  111226. 20dB down will be in a range ...+80], 40dB down is from ...+60],
  111227. etc... */
  111228. for(j=1;j<P_LEVELS;j++){
  111229. min_curve(athc[j],athc[j-1]);
  111230. min_curve(workc[i][j],athc[j]);
  111231. }
  111232. }
  111233. for(i=0;i<P_BANDS;i++){
  111234. int hi_curve,lo_curve,bin;
  111235. ret[i]=(float**)_ogg_malloc(sizeof(**ret)*P_LEVELS);
  111236. /* low frequency curves are measured with greater resolution than
  111237. the MDCT/FFT will actually give us; we want the curve applied
  111238. to the tone data to be pessimistic and thus apply the minimum
  111239. masking possible for a given bin. That means that a single bin
  111240. could span more than one octave and that the curve will be a
  111241. composite of multiple octaves. It also may mean that a single
  111242. bin may span > an eighth of an octave and that the eighth
  111243. octave values may also be composited. */
  111244. /* which octave curves will we be compositing? */
  111245. bin=floor(fromOC(i*.5)/binHz);
  111246. lo_curve= ceil(toOC(bin*binHz+1)*2);
  111247. hi_curve= floor(toOC((bin+1)*binHz)*2);
  111248. if(lo_curve>i)lo_curve=i;
  111249. if(lo_curve<0)lo_curve=0;
  111250. if(hi_curve>=P_BANDS)hi_curve=P_BANDS-1;
  111251. for(m=0;m<P_LEVELS;m++){
  111252. ret[i][m]=(float*)_ogg_malloc(sizeof(***ret)*(EHMER_MAX+2));
  111253. for(j=0;j<n;j++)brute_buffer[j]=999.;
  111254. /* render the curve into bins, then pull values back into curve.
  111255. The point is that any inherent subsampling aliasing results in
  111256. a safe minimum */
  111257. for(k=lo_curve;k<=hi_curve;k++){
  111258. int l=0;
  111259. for(j=0;j<EHMER_MAX;j++){
  111260. int lo_bin= fromOC(j*.125+k*.5-2.0625)/binHz;
  111261. int hi_bin= fromOC(j*.125+k*.5-1.9375)/binHz+1;
  111262. if(lo_bin<0)lo_bin=0;
  111263. if(lo_bin>n)lo_bin=n;
  111264. if(lo_bin<l)l=lo_bin;
  111265. if(hi_bin<0)hi_bin=0;
  111266. if(hi_bin>n)hi_bin=n;
  111267. for(;l<hi_bin && l<n;l++)
  111268. if(brute_buffer[l]>workc[k][m][j])
  111269. brute_buffer[l]=workc[k][m][j];
  111270. }
  111271. for(;l<n;l++)
  111272. if(brute_buffer[l]>workc[k][m][EHMER_MAX-1])
  111273. brute_buffer[l]=workc[k][m][EHMER_MAX-1];
  111274. }
  111275. /* be equally paranoid about being valid up to next half ocatve */
  111276. if(i+1<P_BANDS){
  111277. int l=0;
  111278. k=i+1;
  111279. for(j=0;j<EHMER_MAX;j++){
  111280. int lo_bin= fromOC(j*.125+i*.5-2.0625)/binHz;
  111281. int hi_bin= fromOC(j*.125+i*.5-1.9375)/binHz+1;
  111282. if(lo_bin<0)lo_bin=0;
  111283. if(lo_bin>n)lo_bin=n;
  111284. if(lo_bin<l)l=lo_bin;
  111285. if(hi_bin<0)hi_bin=0;
  111286. if(hi_bin>n)hi_bin=n;
  111287. for(;l<hi_bin && l<n;l++)
  111288. if(brute_buffer[l]>workc[k][m][j])
  111289. brute_buffer[l]=workc[k][m][j];
  111290. }
  111291. for(;l<n;l++)
  111292. if(brute_buffer[l]>workc[k][m][EHMER_MAX-1])
  111293. brute_buffer[l]=workc[k][m][EHMER_MAX-1];
  111294. }
  111295. for(j=0;j<EHMER_MAX;j++){
  111296. int bin=fromOC(j*.125+i*.5-2.)/binHz;
  111297. if(bin<0){
  111298. ret[i][m][j+2]=-999.;
  111299. }else{
  111300. if(bin>=n){
  111301. ret[i][m][j+2]=-999.;
  111302. }else{
  111303. ret[i][m][j+2]=brute_buffer[bin];
  111304. }
  111305. }
  111306. }
  111307. /* add fenceposts */
  111308. for(j=0;j<EHMER_OFFSET;j++)
  111309. if(ret[i][m][j+2]>-200.f)break;
  111310. ret[i][m][0]=j;
  111311. for(j=EHMER_MAX-1;j>EHMER_OFFSET+1;j--)
  111312. if(ret[i][m][j+2]>-200.f)
  111313. break;
  111314. ret[i][m][1]=j;
  111315. }
  111316. }
  111317. return(ret);
  111318. }
  111319. void _vp_psy_init(vorbis_look_psy *p,vorbis_info_psy *vi,
  111320. vorbis_info_psy_global *gi,int n,long rate){
  111321. long i,j,lo=-99,hi=1;
  111322. long maxoc;
  111323. memset(p,0,sizeof(*p));
  111324. p->eighth_octave_lines=gi->eighth_octave_lines;
  111325. p->shiftoc=rint(log(gi->eighth_octave_lines*8.f)/log(2.f))-1;
  111326. p->firstoc=toOC(.25f*rate*.5/n)*(1<<(p->shiftoc+1))-gi->eighth_octave_lines;
  111327. maxoc=toOC((n+.25f)*rate*.5/n)*(1<<(p->shiftoc+1))+.5f;
  111328. p->total_octave_lines=maxoc-p->firstoc+1;
  111329. p->ath=(float*)_ogg_malloc(n*sizeof(*p->ath));
  111330. p->octave=(long*)_ogg_malloc(n*sizeof(*p->octave));
  111331. p->bark=(long*)_ogg_malloc(n*sizeof(*p->bark));
  111332. p->vi=vi;
  111333. p->n=n;
  111334. p->rate=rate;
  111335. /* AoTuV HF weighting */
  111336. p->m_val = 1.;
  111337. if(rate < 26000) p->m_val = 0;
  111338. else if(rate < 38000) p->m_val = .94; /* 32kHz */
  111339. else if(rate > 46000) p->m_val = 1.275; /* 48kHz */
  111340. /* set up the lookups for a given blocksize and sample rate */
  111341. for(i=0,j=0;i<MAX_ATH-1;i++){
  111342. int endpos=rint(fromOC((i+1)*.125-2.)*2*n/rate);
  111343. float base=ATH[i];
  111344. if(j<endpos){
  111345. float delta=(ATH[i+1]-base)/(endpos-j);
  111346. for(;j<endpos && j<n;j++){
  111347. p->ath[j]=base+100.;
  111348. base+=delta;
  111349. }
  111350. }
  111351. }
  111352. for(i=0;i<n;i++){
  111353. float bark=toBARK(rate/(2*n)*i);
  111354. for(;lo+vi->noisewindowlomin<i &&
  111355. toBARK(rate/(2*n)*lo)<(bark-vi->noisewindowlo);lo++);
  111356. for(;hi<=n && (hi<i+vi->noisewindowhimin ||
  111357. toBARK(rate/(2*n)*hi)<(bark+vi->noisewindowhi));hi++);
  111358. p->bark[i]=((lo-1)<<16)+(hi-1);
  111359. }
  111360. for(i=0;i<n;i++)
  111361. p->octave[i]=toOC((i+.25f)*.5*rate/n)*(1<<(p->shiftoc+1))+.5f;
  111362. p->tonecurves=setup_tone_curves(vi->toneatt,rate*.5/n,n,
  111363. vi->tone_centerboost,vi->tone_decay);
  111364. /* set up rolling noise median */
  111365. p->noiseoffset=(float**)_ogg_malloc(P_NOISECURVES*sizeof(*p->noiseoffset));
  111366. for(i=0;i<P_NOISECURVES;i++)
  111367. p->noiseoffset[i]=(float*)_ogg_malloc(n*sizeof(**p->noiseoffset));
  111368. for(i=0;i<n;i++){
  111369. float halfoc=toOC((i+.5)*rate/(2.*n))*2.;
  111370. int inthalfoc;
  111371. float del;
  111372. if(halfoc<0)halfoc=0;
  111373. if(halfoc>=P_BANDS-1)halfoc=P_BANDS-1;
  111374. inthalfoc=(int)halfoc;
  111375. del=halfoc-inthalfoc;
  111376. for(j=0;j<P_NOISECURVES;j++)
  111377. p->noiseoffset[j][i]=
  111378. p->vi->noiseoff[j][inthalfoc]*(1.-del) +
  111379. p->vi->noiseoff[j][inthalfoc+1]*del;
  111380. }
  111381. #if 0
  111382. {
  111383. static int ls=0;
  111384. _analysis_output_always("noiseoff0",ls,p->noiseoffset[0],n,1,0,0);
  111385. _analysis_output_always("noiseoff1",ls,p->noiseoffset[1],n,1,0,0);
  111386. _analysis_output_always("noiseoff2",ls++,p->noiseoffset[2],n,1,0,0);
  111387. }
  111388. #endif
  111389. }
  111390. void _vp_psy_clear(vorbis_look_psy *p){
  111391. int i,j;
  111392. if(p){
  111393. if(p->ath)_ogg_free(p->ath);
  111394. if(p->octave)_ogg_free(p->octave);
  111395. if(p->bark)_ogg_free(p->bark);
  111396. if(p->tonecurves){
  111397. for(i=0;i<P_BANDS;i++){
  111398. for(j=0;j<P_LEVELS;j++){
  111399. _ogg_free(p->tonecurves[i][j]);
  111400. }
  111401. _ogg_free(p->tonecurves[i]);
  111402. }
  111403. _ogg_free(p->tonecurves);
  111404. }
  111405. if(p->noiseoffset){
  111406. for(i=0;i<P_NOISECURVES;i++){
  111407. _ogg_free(p->noiseoffset[i]);
  111408. }
  111409. _ogg_free(p->noiseoffset);
  111410. }
  111411. memset(p,0,sizeof(*p));
  111412. }
  111413. }
  111414. /* octave/(8*eighth_octave_lines) x scale and dB y scale */
  111415. static void seed_curve(float *seed,
  111416. const float **curves,
  111417. float amp,
  111418. int oc, int n,
  111419. int linesper,float dBoffset){
  111420. int i,post1;
  111421. int seedptr;
  111422. const float *posts,*curve;
  111423. int choice=(int)((amp+dBoffset-P_LEVEL_0)*.1f);
  111424. choice=max(choice,0);
  111425. choice=min(choice,P_LEVELS-1);
  111426. posts=curves[choice];
  111427. curve=posts+2;
  111428. post1=(int)posts[1];
  111429. seedptr=oc+(posts[0]-EHMER_OFFSET)*linesper-(linesper>>1);
  111430. for(i=posts[0];i<post1;i++){
  111431. if(seedptr>0){
  111432. float lin=amp+curve[i];
  111433. if(seed[seedptr]<lin)seed[seedptr]=lin;
  111434. }
  111435. seedptr+=linesper;
  111436. if(seedptr>=n)break;
  111437. }
  111438. }
  111439. static void seed_loop(vorbis_look_psy *p,
  111440. const float ***curves,
  111441. const float *f,
  111442. const float *flr,
  111443. float *seed,
  111444. float specmax){
  111445. vorbis_info_psy *vi=p->vi;
  111446. long n=p->n,i;
  111447. float dBoffset=vi->max_curve_dB-specmax;
  111448. /* prime the working vector with peak values */
  111449. for(i=0;i<n;i++){
  111450. float max=f[i];
  111451. long oc=p->octave[i];
  111452. while(i+1<n && p->octave[i+1]==oc){
  111453. i++;
  111454. if(f[i]>max)max=f[i];
  111455. }
  111456. if(max+6.f>flr[i]){
  111457. oc=oc>>p->shiftoc;
  111458. if(oc>=P_BANDS)oc=P_BANDS-1;
  111459. if(oc<0)oc=0;
  111460. seed_curve(seed,
  111461. curves[oc],
  111462. max,
  111463. p->octave[i]-p->firstoc,
  111464. p->total_octave_lines,
  111465. p->eighth_octave_lines,
  111466. dBoffset);
  111467. }
  111468. }
  111469. }
  111470. static void seed_chase(float *seeds, int linesper, long n){
  111471. long *posstack=(long*)alloca(n*sizeof(*posstack));
  111472. float *ampstack=(float*)alloca(n*sizeof(*ampstack));
  111473. long stack=0;
  111474. long pos=0;
  111475. long i;
  111476. for(i=0;i<n;i++){
  111477. if(stack<2){
  111478. posstack[stack]=i;
  111479. ampstack[stack++]=seeds[i];
  111480. }else{
  111481. while(1){
  111482. if(seeds[i]<ampstack[stack-1]){
  111483. posstack[stack]=i;
  111484. ampstack[stack++]=seeds[i];
  111485. break;
  111486. }else{
  111487. if(i<posstack[stack-1]+linesper){
  111488. if(stack>1 && ampstack[stack-1]<=ampstack[stack-2] &&
  111489. i<posstack[stack-2]+linesper){
  111490. /* we completely overlap, making stack-1 irrelevant. pop it */
  111491. stack--;
  111492. continue;
  111493. }
  111494. }
  111495. posstack[stack]=i;
  111496. ampstack[stack++]=seeds[i];
  111497. break;
  111498. }
  111499. }
  111500. }
  111501. }
  111502. /* the stack now contains only the positions that are relevant. Scan
  111503. 'em straight through */
  111504. for(i=0;i<stack;i++){
  111505. long endpos;
  111506. if(i<stack-1 && ampstack[i+1]>ampstack[i]){
  111507. endpos=posstack[i+1];
  111508. }else{
  111509. endpos=posstack[i]+linesper+1; /* +1 is important, else bin 0 is
  111510. discarded in short frames */
  111511. }
  111512. if(endpos>n)endpos=n;
  111513. for(;pos<endpos;pos++)
  111514. seeds[pos]=ampstack[i];
  111515. }
  111516. /* there. Linear time. I now remember this was on a problem set I
  111517. had in Grad Skool... I didn't solve it at the time ;-) */
  111518. }
  111519. /* bleaugh, this is more complicated than it needs to be */
  111520. #include<stdio.h>
  111521. static void max_seeds(vorbis_look_psy *p,
  111522. float *seed,
  111523. float *flr){
  111524. long n=p->total_octave_lines;
  111525. int linesper=p->eighth_octave_lines;
  111526. long linpos=0;
  111527. long pos;
  111528. seed_chase(seed,linesper,n); /* for masking */
  111529. pos=p->octave[0]-p->firstoc-(linesper>>1);
  111530. while(linpos+1<p->n){
  111531. float minV=seed[pos];
  111532. long end=((p->octave[linpos]+p->octave[linpos+1])>>1)-p->firstoc;
  111533. if(minV>p->vi->tone_abs_limit)minV=p->vi->tone_abs_limit;
  111534. while(pos+1<=end){
  111535. pos++;
  111536. if((seed[pos]>NEGINF && seed[pos]<minV) || minV==NEGINF)
  111537. minV=seed[pos];
  111538. }
  111539. end=pos+p->firstoc;
  111540. for(;linpos<p->n && p->octave[linpos]<=end;linpos++)
  111541. if(flr[linpos]<minV)flr[linpos]=minV;
  111542. }
  111543. {
  111544. float minV=seed[p->total_octave_lines-1];
  111545. for(;linpos<p->n;linpos++)
  111546. if(flr[linpos]<minV)flr[linpos]=minV;
  111547. }
  111548. }
  111549. static void bark_noise_hybridmp(int n,const long *b,
  111550. const float *f,
  111551. float *noise,
  111552. const float offset,
  111553. const int fixed){
  111554. float *N=(float*) alloca(n*sizeof(*N));
  111555. float *X=(float*) alloca(n*sizeof(*N));
  111556. float *XX=(float*) alloca(n*sizeof(*N));
  111557. float *Y=(float*) alloca(n*sizeof(*N));
  111558. float *XY=(float*) alloca(n*sizeof(*N));
  111559. float tN, tX, tXX, tY, tXY;
  111560. int i;
  111561. int lo, hi;
  111562. float R, A, B, D;
  111563. float w, x, y;
  111564. tN = tX = tXX = tY = tXY = 0.f;
  111565. y = f[0] + offset;
  111566. if (y < 1.f) y = 1.f;
  111567. w = y * y * .5;
  111568. tN += w;
  111569. tX += w;
  111570. tY += w * y;
  111571. N[0] = tN;
  111572. X[0] = tX;
  111573. XX[0] = tXX;
  111574. Y[0] = tY;
  111575. XY[0] = tXY;
  111576. for (i = 1, x = 1.f; i < n; i++, x += 1.f) {
  111577. y = f[i] + offset;
  111578. if (y < 1.f) y = 1.f;
  111579. w = y * y;
  111580. tN += w;
  111581. tX += w * x;
  111582. tXX += w * x * x;
  111583. tY += w * y;
  111584. tXY += w * x * y;
  111585. N[i] = tN;
  111586. X[i] = tX;
  111587. XX[i] = tXX;
  111588. Y[i] = tY;
  111589. XY[i] = tXY;
  111590. }
  111591. for (i = 0, x = 0.f;; i++, x += 1.f) {
  111592. lo = b[i] >> 16;
  111593. if( lo>=0 ) break;
  111594. hi = b[i] & 0xffff;
  111595. tN = N[hi] + N[-lo];
  111596. tX = X[hi] - X[-lo];
  111597. tXX = XX[hi] + XX[-lo];
  111598. tY = Y[hi] + Y[-lo];
  111599. tXY = XY[hi] - XY[-lo];
  111600. A = tY * tXX - tX * tXY;
  111601. B = tN * tXY - tX * tY;
  111602. D = tN * tXX - tX * tX;
  111603. R = (A + x * B) / D;
  111604. if (R < 0.f)
  111605. R = 0.f;
  111606. noise[i] = R - offset;
  111607. }
  111608. for ( ;; i++, x += 1.f) {
  111609. lo = b[i] >> 16;
  111610. hi = b[i] & 0xffff;
  111611. if(hi>=n)break;
  111612. tN = N[hi] - N[lo];
  111613. tX = X[hi] - X[lo];
  111614. tXX = XX[hi] - XX[lo];
  111615. tY = Y[hi] - Y[lo];
  111616. tXY = XY[hi] - XY[lo];
  111617. A = tY * tXX - tX * tXY;
  111618. B = tN * tXY - tX * tY;
  111619. D = tN * tXX - tX * tX;
  111620. R = (A + x * B) / D;
  111621. if (R < 0.f) R = 0.f;
  111622. noise[i] = R - offset;
  111623. }
  111624. for ( ; i < n; i++, x += 1.f) {
  111625. R = (A + x * B) / D;
  111626. if (R < 0.f) R = 0.f;
  111627. noise[i] = R - offset;
  111628. }
  111629. if (fixed <= 0) return;
  111630. for (i = 0, x = 0.f;; i++, x += 1.f) {
  111631. hi = i + fixed / 2;
  111632. lo = hi - fixed;
  111633. if(lo>=0)break;
  111634. tN = N[hi] + N[-lo];
  111635. tX = X[hi] - X[-lo];
  111636. tXX = XX[hi] + XX[-lo];
  111637. tY = Y[hi] + Y[-lo];
  111638. tXY = XY[hi] - XY[-lo];
  111639. A = tY * tXX - tX * tXY;
  111640. B = tN * tXY - tX * tY;
  111641. D = tN * tXX - tX * tX;
  111642. R = (A + x * B) / D;
  111643. if (R - offset < noise[i]) noise[i] = R - offset;
  111644. }
  111645. for ( ;; i++, x += 1.f) {
  111646. hi = i + fixed / 2;
  111647. lo = hi - fixed;
  111648. if(hi>=n)break;
  111649. tN = N[hi] - N[lo];
  111650. tX = X[hi] - X[lo];
  111651. tXX = XX[hi] - XX[lo];
  111652. tY = Y[hi] - Y[lo];
  111653. tXY = XY[hi] - XY[lo];
  111654. A = tY * tXX - tX * tXY;
  111655. B = tN * tXY - tX * tY;
  111656. D = tN * tXX - tX * tX;
  111657. R = (A + x * B) / D;
  111658. if (R - offset < noise[i]) noise[i] = R - offset;
  111659. }
  111660. for ( ; i < n; i++, x += 1.f) {
  111661. R = (A + x * B) / D;
  111662. if (R - offset < noise[i]) noise[i] = R - offset;
  111663. }
  111664. }
  111665. static float FLOOR1_fromdB_INV_LOOKUP[256]={
  111666. 0.F, 8.81683e+06F, 8.27882e+06F, 7.77365e+06F,
  111667. 7.29930e+06F, 6.85389e+06F, 6.43567e+06F, 6.04296e+06F,
  111668. 5.67422e+06F, 5.32798e+06F, 5.00286e+06F, 4.69759e+06F,
  111669. 4.41094e+06F, 4.14178e+06F, 3.88905e+06F, 3.65174e+06F,
  111670. 3.42891e+06F, 3.21968e+06F, 3.02321e+06F, 2.83873e+06F,
  111671. 2.66551e+06F, 2.50286e+06F, 2.35014e+06F, 2.20673e+06F,
  111672. 2.07208e+06F, 1.94564e+06F, 1.82692e+06F, 1.71544e+06F,
  111673. 1.61076e+06F, 1.51247e+06F, 1.42018e+06F, 1.33352e+06F,
  111674. 1.25215e+06F, 1.17574e+06F, 1.10400e+06F, 1.03663e+06F,
  111675. 973377.F, 913981.F, 858210.F, 805842.F,
  111676. 756669.F, 710497.F, 667142.F, 626433.F,
  111677. 588208.F, 552316.F, 518613.F, 486967.F,
  111678. 457252.F, 429351.F, 403152.F, 378551.F,
  111679. 355452.F, 333762.F, 313396.F, 294273.F,
  111680. 276316.F, 259455.F, 243623.F, 228757.F,
  111681. 214798.F, 201691.F, 189384.F, 177828.F,
  111682. 166977.F, 156788.F, 147221.F, 138237.F,
  111683. 129802.F, 121881.F, 114444.F, 107461.F,
  111684. 100903.F, 94746.3F, 88964.9F, 83536.2F,
  111685. 78438.8F, 73652.5F, 69158.2F, 64938.1F,
  111686. 60975.6F, 57254.9F, 53761.2F, 50480.6F,
  111687. 47400.3F, 44507.9F, 41792.0F, 39241.9F,
  111688. 36847.3F, 34598.9F, 32487.7F, 30505.3F,
  111689. 28643.8F, 26896.0F, 25254.8F, 23713.7F,
  111690. 22266.7F, 20908.0F, 19632.2F, 18434.2F,
  111691. 17309.4F, 16253.1F, 15261.4F, 14330.1F,
  111692. 13455.7F, 12634.6F, 11863.7F, 11139.7F,
  111693. 10460.0F, 9821.72F, 9222.39F, 8659.64F,
  111694. 8131.23F, 7635.06F, 7169.17F, 6731.70F,
  111695. 6320.93F, 5935.23F, 5573.06F, 5232.99F,
  111696. 4913.67F, 4613.84F, 4332.30F, 4067.94F,
  111697. 3819.72F, 3586.64F, 3367.78F, 3162.28F,
  111698. 2969.31F, 2788.13F, 2617.99F, 2458.24F,
  111699. 2308.24F, 2167.39F, 2035.14F, 1910.95F,
  111700. 1794.35F, 1684.85F, 1582.04F, 1485.51F,
  111701. 1394.86F, 1309.75F, 1229.83F, 1154.78F,
  111702. 1084.32F, 1018.15F, 956.024F, 897.687F,
  111703. 842.910F, 791.475F, 743.179F, 697.830F,
  111704. 655.249F, 615.265F, 577.722F, 542.469F,
  111705. 509.367F, 478.286F, 449.101F, 421.696F,
  111706. 395.964F, 371.803F, 349.115F, 327.812F,
  111707. 307.809F, 289.026F, 271.390F, 254.830F,
  111708. 239.280F, 224.679F, 210.969F, 198.096F,
  111709. 186.008F, 174.658F, 164.000F, 153.993F,
  111710. 144.596F, 135.773F, 127.488F, 119.708F,
  111711. 112.404F, 105.545F, 99.1046F, 93.0572F,
  111712. 87.3788F, 82.0469F, 77.0404F, 72.3394F,
  111713. 67.9252F, 63.7804F, 59.8885F, 56.2341F,
  111714. 52.8027F, 49.5807F, 46.5553F, 43.7144F,
  111715. 41.0470F, 38.5423F, 36.1904F, 33.9821F,
  111716. 31.9085F, 29.9614F, 28.1332F, 26.4165F,
  111717. 24.8045F, 23.2910F, 21.8697F, 20.5352F,
  111718. 19.2822F, 18.1056F, 17.0008F, 15.9634F,
  111719. 14.9893F, 14.0746F, 13.2158F, 12.4094F,
  111720. 11.6522F, 10.9411F, 10.2735F, 9.64662F,
  111721. 9.05798F, 8.50526F, 7.98626F, 7.49894F,
  111722. 7.04135F, 6.61169F, 6.20824F, 5.82941F,
  111723. 5.47370F, 5.13970F, 4.82607F, 4.53158F,
  111724. 4.25507F, 3.99542F, 3.75162F, 3.52269F,
  111725. 3.30774F, 3.10590F, 2.91638F, 2.73842F,
  111726. 2.57132F, 2.41442F, 2.26709F, 2.12875F,
  111727. 1.99885F, 1.87688F, 1.76236F, 1.65482F,
  111728. 1.55384F, 1.45902F, 1.36999F, 1.28640F,
  111729. 1.20790F, 1.13419F, 1.06499F, 1.F
  111730. };
  111731. void _vp_remove_floor(vorbis_look_psy *p,
  111732. float *mdct,
  111733. int *codedflr,
  111734. float *residue,
  111735. int sliding_lowpass){
  111736. int i,n=p->n;
  111737. if(sliding_lowpass>n)sliding_lowpass=n;
  111738. for(i=0;i<sliding_lowpass;i++){
  111739. residue[i]=
  111740. mdct[i]*FLOOR1_fromdB_INV_LOOKUP[codedflr[i]];
  111741. }
  111742. for(;i<n;i++)
  111743. residue[i]=0.;
  111744. }
  111745. void _vp_noisemask(vorbis_look_psy *p,
  111746. float *logmdct,
  111747. float *logmask){
  111748. int i,n=p->n;
  111749. float *work=(float*) alloca(n*sizeof(*work));
  111750. bark_noise_hybridmp(n,p->bark,logmdct,logmask,
  111751. 140.,-1);
  111752. for(i=0;i<n;i++)work[i]=logmdct[i]-logmask[i];
  111753. bark_noise_hybridmp(n,p->bark,work,logmask,0.,
  111754. p->vi->noisewindowfixed);
  111755. for(i=0;i<n;i++)work[i]=logmdct[i]-work[i];
  111756. #if 0
  111757. {
  111758. static int seq=0;
  111759. float work2[n];
  111760. for(i=0;i<n;i++){
  111761. work2[i]=logmask[i]+work[i];
  111762. }
  111763. if(seq&1)
  111764. _analysis_output("median2R",seq/2,work,n,1,0,0);
  111765. else
  111766. _analysis_output("median2L",seq/2,work,n,1,0,0);
  111767. if(seq&1)
  111768. _analysis_output("envelope2R",seq/2,work2,n,1,0,0);
  111769. else
  111770. _analysis_output("envelope2L",seq/2,work2,n,1,0,0);
  111771. seq++;
  111772. }
  111773. #endif
  111774. for(i=0;i<n;i++){
  111775. int dB=logmask[i]+.5;
  111776. if(dB>=NOISE_COMPAND_LEVELS)dB=NOISE_COMPAND_LEVELS-1;
  111777. if(dB<0)dB=0;
  111778. logmask[i]= work[i]+p->vi->noisecompand[dB];
  111779. }
  111780. }
  111781. void _vp_tonemask(vorbis_look_psy *p,
  111782. float *logfft,
  111783. float *logmask,
  111784. float global_specmax,
  111785. float local_specmax){
  111786. int i,n=p->n;
  111787. float *seed=(float*) alloca(sizeof(*seed)*p->total_octave_lines);
  111788. float att=local_specmax+p->vi->ath_adjatt;
  111789. for(i=0;i<p->total_octave_lines;i++)seed[i]=NEGINF;
  111790. /* set the ATH (floating below localmax, not global max by a
  111791. specified att) */
  111792. if(att<p->vi->ath_maxatt)att=p->vi->ath_maxatt;
  111793. for(i=0;i<n;i++)
  111794. logmask[i]=p->ath[i]+att;
  111795. /* tone masking */
  111796. seed_loop(p,(const float ***)p->tonecurves,logfft,logmask,seed,global_specmax);
  111797. max_seeds(p,seed,logmask);
  111798. }
  111799. void _vp_offset_and_mix(vorbis_look_psy *p,
  111800. float *noise,
  111801. float *tone,
  111802. int offset_select,
  111803. float *logmask,
  111804. float *mdct,
  111805. float *logmdct){
  111806. int i,n=p->n;
  111807. float de, coeffi, cx;/* AoTuV */
  111808. float toneatt=p->vi->tone_masteratt[offset_select];
  111809. cx = p->m_val;
  111810. for(i=0;i<n;i++){
  111811. float val= noise[i]+p->noiseoffset[offset_select][i];
  111812. if(val>p->vi->noisemaxsupp)val=p->vi->noisemaxsupp;
  111813. logmask[i]=max(val,tone[i]+toneatt);
  111814. /* AoTuV */
  111815. /** @ M1 **
  111816. The following codes improve a noise problem.
  111817. A fundamental idea uses the value of masking and carries out
  111818. the relative compensation of the MDCT.
  111819. However, this code is not perfect and all noise problems cannot be solved.
  111820. by Aoyumi @ 2004/04/18
  111821. */
  111822. if(offset_select == 1) {
  111823. coeffi = -17.2; /* coeffi is a -17.2dB threshold */
  111824. val = val - logmdct[i]; /* val == mdct line value relative to floor in dB */
  111825. if(val > coeffi){
  111826. /* mdct value is > -17.2 dB below floor */
  111827. de = 1.0-((val-coeffi)*0.005*cx);
  111828. /* pro-rated attenuation:
  111829. -0.00 dB boost if mdct value is -17.2dB (relative to floor)
  111830. -0.77 dB boost if mdct value is 0dB (relative to floor)
  111831. -1.64 dB boost if mdct value is +17.2dB (relative to floor)
  111832. etc... */
  111833. if(de < 0) de = 0.0001;
  111834. }else
  111835. /* mdct value is <= -17.2 dB below floor */
  111836. de = 1.0-((val-coeffi)*0.0003*cx);
  111837. /* pro-rated attenuation:
  111838. +0.00 dB atten if mdct value is -17.2dB (relative to floor)
  111839. +0.45 dB atten if mdct value is -34.4dB (relative to floor)
  111840. etc... */
  111841. mdct[i] *= de;
  111842. }
  111843. }
  111844. }
  111845. float _vp_ampmax_decay(float amp,vorbis_dsp_state *vd){
  111846. vorbis_info *vi=vd->vi;
  111847. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  111848. vorbis_info_psy_global *gi=&ci->psy_g_param;
  111849. int n=ci->blocksizes[vd->W]/2;
  111850. float secs=(float)n/vi->rate;
  111851. amp+=secs*gi->ampmax_att_per_sec;
  111852. if(amp<-9999)amp=-9999;
  111853. return(amp);
  111854. }
  111855. static void couple_lossless(float A, float B,
  111856. float *qA, float *qB){
  111857. int test1=fabs(*qA)>fabs(*qB);
  111858. test1-= fabs(*qA)<fabs(*qB);
  111859. if(!test1)test1=((fabs(A)>fabs(B))<<1)-1;
  111860. if(test1==1){
  111861. *qB=(*qA>0.f?*qA-*qB:*qB-*qA);
  111862. }else{
  111863. float temp=*qB;
  111864. *qB=(*qB>0.f?*qA-*qB:*qB-*qA);
  111865. *qA=temp;
  111866. }
  111867. if(*qB>fabs(*qA)*1.9999f){
  111868. *qB= -fabs(*qA)*2.f;
  111869. *qA= -*qA;
  111870. }
  111871. }
  111872. static float hypot_lookup[32]={
  111873. -0.009935, -0.011245, -0.012726, -0.014397,
  111874. -0.016282, -0.018407, -0.020800, -0.023494,
  111875. -0.026522, -0.029923, -0.033737, -0.038010,
  111876. -0.042787, -0.048121, -0.054064, -0.060671,
  111877. -0.068000, -0.076109, -0.085054, -0.094892,
  111878. -0.105675, -0.117451, -0.130260, -0.144134,
  111879. -0.159093, -0.175146, -0.192286, -0.210490,
  111880. -0.229718, -0.249913, -0.271001, -0.292893};
  111881. static void precomputed_couple_point(float premag,
  111882. int floorA,int floorB,
  111883. float *mag, float *ang){
  111884. int test=(floorA>floorB)-1;
  111885. int offset=31-abs(floorA-floorB);
  111886. float floormag=hypot_lookup[((offset<0)-1)&offset]+1.f;
  111887. floormag*=FLOOR1_fromdB_INV_LOOKUP[(floorB&test)|(floorA&(~test))];
  111888. *mag=premag*floormag;
  111889. *ang=0.f;
  111890. }
  111891. /* just like below, this is currently set up to only do
  111892. single-step-depth coupling. Otherwise, we'd have to do more
  111893. copying (which will be inevitable later) */
  111894. /* doing the real circular magnitude calculation is audibly superior
  111895. to (A+B)/sqrt(2) */
  111896. static float dipole_hypot(float a, float b){
  111897. if(a>0.){
  111898. if(b>0.)return sqrt(a*a+b*b);
  111899. if(a>-b)return sqrt(a*a-b*b);
  111900. return -sqrt(b*b-a*a);
  111901. }
  111902. if(b<0.)return -sqrt(a*a+b*b);
  111903. if(-a>b)return -sqrt(a*a-b*b);
  111904. return sqrt(b*b-a*a);
  111905. }
  111906. static float round_hypot(float a, float b){
  111907. if(a>0.){
  111908. if(b>0.)return sqrt(a*a+b*b);
  111909. if(a>-b)return sqrt(a*a+b*b);
  111910. return -sqrt(b*b+a*a);
  111911. }
  111912. if(b<0.)return -sqrt(a*a+b*b);
  111913. if(-a>b)return -sqrt(a*a+b*b);
  111914. return sqrt(b*b+a*a);
  111915. }
  111916. /* revert to round hypot for now */
  111917. float **_vp_quantize_couple_memo(vorbis_block *vb,
  111918. vorbis_info_psy_global *g,
  111919. vorbis_look_psy *p,
  111920. vorbis_info_mapping0 *vi,
  111921. float **mdct){
  111922. int i,j,n=p->n;
  111923. float **ret=(float**) _vorbis_block_alloc(vb,vi->coupling_steps*sizeof(*ret));
  111924. int limit=g->coupling_pointlimit[p->vi->blockflag][PACKETBLOBS/2];
  111925. for(i=0;i<vi->coupling_steps;i++){
  111926. float *mdctM=mdct[vi->coupling_mag[i]];
  111927. float *mdctA=mdct[vi->coupling_ang[i]];
  111928. ret[i]=(float*) _vorbis_block_alloc(vb,n*sizeof(**ret));
  111929. for(j=0;j<limit;j++)
  111930. ret[i][j]=dipole_hypot(mdctM[j],mdctA[j]);
  111931. for(;j<n;j++)
  111932. ret[i][j]=round_hypot(mdctM[j],mdctA[j]);
  111933. }
  111934. return(ret);
  111935. }
  111936. /* this is for per-channel noise normalization */
  111937. static int apsort(const void *a, const void *b){
  111938. float f1=fabs(**(float**)a);
  111939. float f2=fabs(**(float**)b);
  111940. return (f1<f2)-(f1>f2);
  111941. }
  111942. int **_vp_quantize_couple_sort(vorbis_block *vb,
  111943. vorbis_look_psy *p,
  111944. vorbis_info_mapping0 *vi,
  111945. float **mags){
  111946. if(p->vi->normal_point_p){
  111947. int i,j,k,n=p->n;
  111948. int **ret=(int**) _vorbis_block_alloc(vb,vi->coupling_steps*sizeof(*ret));
  111949. int partition=p->vi->normal_partition;
  111950. float **work=(float**) alloca(sizeof(*work)*partition);
  111951. for(i=0;i<vi->coupling_steps;i++){
  111952. ret[i]=(int*) _vorbis_block_alloc(vb,n*sizeof(**ret));
  111953. for(j=0;j<n;j+=partition){
  111954. for(k=0;k<partition;k++)work[k]=mags[i]+k+j;
  111955. qsort(work,partition,sizeof(*work),apsort);
  111956. for(k=0;k<partition;k++)ret[i][k+j]=work[k]-mags[i];
  111957. }
  111958. }
  111959. return(ret);
  111960. }
  111961. return(NULL);
  111962. }
  111963. void _vp_noise_normalize_sort(vorbis_look_psy *p,
  111964. float *magnitudes,int *sortedindex){
  111965. int i,j,n=p->n;
  111966. vorbis_info_psy *vi=p->vi;
  111967. int partition=vi->normal_partition;
  111968. float **work=(float**) alloca(sizeof(*work)*partition);
  111969. int start=vi->normal_start;
  111970. for(j=start;j<n;j+=partition){
  111971. if(j+partition>n)partition=n-j;
  111972. for(i=0;i<partition;i++)work[i]=magnitudes+i+j;
  111973. qsort(work,partition,sizeof(*work),apsort);
  111974. for(i=0;i<partition;i++){
  111975. sortedindex[i+j-start]=work[i]-magnitudes;
  111976. }
  111977. }
  111978. }
  111979. void _vp_noise_normalize(vorbis_look_psy *p,
  111980. float *in,float *out,int *sortedindex){
  111981. int flag=0,i,j=0,n=p->n;
  111982. vorbis_info_psy *vi=p->vi;
  111983. int partition=vi->normal_partition;
  111984. int start=vi->normal_start;
  111985. if(start>n)start=n;
  111986. if(vi->normal_channel_p){
  111987. for(;j<start;j++)
  111988. out[j]=rint(in[j]);
  111989. for(;j+partition<=n;j+=partition){
  111990. float acc=0.;
  111991. int k;
  111992. for(i=j;i<j+partition;i++)
  111993. acc+=in[i]*in[i];
  111994. for(i=0;i<partition;i++){
  111995. k=sortedindex[i+j-start];
  111996. if(in[k]*in[k]>=.25f){
  111997. out[k]=rint(in[k]);
  111998. acc-=in[k]*in[k];
  111999. flag=1;
  112000. }else{
  112001. if(acc<vi->normal_thresh)break;
  112002. out[k]=unitnorm(in[k]);
  112003. acc-=1.;
  112004. }
  112005. }
  112006. for(;i<partition;i++){
  112007. k=sortedindex[i+j-start];
  112008. out[k]=0.;
  112009. }
  112010. }
  112011. }
  112012. for(;j<n;j++)
  112013. out[j]=rint(in[j]);
  112014. }
  112015. void _vp_couple(int blobno,
  112016. vorbis_info_psy_global *g,
  112017. vorbis_look_psy *p,
  112018. vorbis_info_mapping0 *vi,
  112019. float **res,
  112020. float **mag_memo,
  112021. int **mag_sort,
  112022. int **ifloor,
  112023. int *nonzero,
  112024. int sliding_lowpass){
  112025. int i,j,k,n=p->n;
  112026. /* perform any requested channel coupling */
  112027. /* point stereo can only be used in a first stage (in this encoder)
  112028. because of the dependency on floor lookups */
  112029. for(i=0;i<vi->coupling_steps;i++){
  112030. /* once we're doing multistage coupling in which a channel goes
  112031. through more than one coupling step, the floor vector
  112032. magnitudes will also have to be recalculated an propogated
  112033. along with PCM. Right now, we're not (that will wait until 5.1
  112034. most likely), so the code isn't here yet. The memory management
  112035. here is all assuming single depth couplings anyway. */
  112036. /* make sure coupling a zero and a nonzero channel results in two
  112037. nonzero channels. */
  112038. if(nonzero[vi->coupling_mag[i]] ||
  112039. nonzero[vi->coupling_ang[i]]){
  112040. float *rM=res[vi->coupling_mag[i]];
  112041. float *rA=res[vi->coupling_ang[i]];
  112042. float *qM=rM+n;
  112043. float *qA=rA+n;
  112044. int *floorM=ifloor[vi->coupling_mag[i]];
  112045. int *floorA=ifloor[vi->coupling_ang[i]];
  112046. float prepoint=stereo_threshholds[g->coupling_prepointamp[blobno]];
  112047. float postpoint=stereo_threshholds[g->coupling_postpointamp[blobno]];
  112048. int partition=(p->vi->normal_point_p?p->vi->normal_partition:p->n);
  112049. int limit=g->coupling_pointlimit[p->vi->blockflag][blobno];
  112050. int pointlimit=limit;
  112051. nonzero[vi->coupling_mag[i]]=1;
  112052. nonzero[vi->coupling_ang[i]]=1;
  112053. /* The threshold of a stereo is changed with the size of n */
  112054. if(n > 1000)
  112055. postpoint=stereo_threshholds_limited[g->coupling_postpointamp[blobno]];
  112056. for(j=0;j<p->n;j+=partition){
  112057. float acc=0.f;
  112058. for(k=0;k<partition;k++){
  112059. int l=k+j;
  112060. if(l<sliding_lowpass){
  112061. if((l>=limit && fabs(rM[l])<postpoint && fabs(rA[l])<postpoint) ||
  112062. (fabs(rM[l])<prepoint && fabs(rA[l])<prepoint)){
  112063. precomputed_couple_point(mag_memo[i][l],
  112064. floorM[l],floorA[l],
  112065. qM+l,qA+l);
  112066. if(rint(qM[l])==0.f)acc+=qM[l]*qM[l];
  112067. }else{
  112068. couple_lossless(rM[l],rA[l],qM+l,qA+l);
  112069. }
  112070. }else{
  112071. qM[l]=0.;
  112072. qA[l]=0.;
  112073. }
  112074. }
  112075. if(p->vi->normal_point_p){
  112076. for(k=0;k<partition && acc>=p->vi->normal_thresh;k++){
  112077. int l=mag_sort[i][j+k];
  112078. if(l<sliding_lowpass && l>=pointlimit && rint(qM[l])==0.f){
  112079. qM[l]=unitnorm(qM[l]);
  112080. acc-=1.f;
  112081. }
  112082. }
  112083. }
  112084. }
  112085. }
  112086. }
  112087. }
  112088. /* AoTuV */
  112089. /** @ M2 **
  112090. The boost problem by the combination of noise normalization and point stereo is eased.
  112091. However, this is a temporary patch.
  112092. by Aoyumi @ 2004/04/18
  112093. */
  112094. void hf_reduction(vorbis_info_psy_global *g,
  112095. vorbis_look_psy *p,
  112096. vorbis_info_mapping0 *vi,
  112097. float **mdct){
  112098. int i,j,n=p->n, de=0.3*p->m_val;
  112099. int limit=g->coupling_pointlimit[p->vi->blockflag][PACKETBLOBS/2];
  112100. for(i=0; i<vi->coupling_steps; i++){
  112101. /* for(j=start; j<limit; j++){} // ???*/
  112102. for(j=limit; j<n; j++)
  112103. mdct[i][j] *= (1.0 - de*((float)(j-limit) / (float)(n-limit)));
  112104. }
  112105. }
  112106. #endif
  112107. /********* End of inlined file: psy.c *********/
  112108. /********* Start of inlined file: registry.c *********/
  112109. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  112110. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  112111. // tasks..
  112112. #ifdef _MSC_VER
  112113. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  112114. #endif
  112115. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  112116. #if JUCE_USE_OGGVORBIS
  112117. /* seems like major overkill now; the backend numbers will grow into
  112118. the infrastructure soon enough */
  112119. extern vorbis_func_floor floor0_exportbundle;
  112120. extern vorbis_func_floor floor1_exportbundle;
  112121. extern vorbis_func_residue residue0_exportbundle;
  112122. extern vorbis_func_residue residue1_exportbundle;
  112123. extern vorbis_func_residue residue2_exportbundle;
  112124. extern vorbis_func_mapping mapping0_exportbundle;
  112125. vorbis_func_floor *_floor_P[]={
  112126. &floor0_exportbundle,
  112127. &floor1_exportbundle,
  112128. };
  112129. vorbis_func_residue *_residue_P[]={
  112130. &residue0_exportbundle,
  112131. &residue1_exportbundle,
  112132. &residue2_exportbundle,
  112133. };
  112134. vorbis_func_mapping *_mapping_P[]={
  112135. &mapping0_exportbundle,
  112136. };
  112137. #endif
  112138. /********* End of inlined file: registry.c *********/
  112139. /********* Start of inlined file: res0.c *********/
  112140. /* Slow, slow, slow, simpleminded and did I mention it was slow? The
  112141. encode/decode loops are coded for clarity and performance is not
  112142. yet even a nagging little idea lurking in the shadows. Oh and BTW,
  112143. it's slow. */
  112144. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  112145. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  112146. // tasks..
  112147. #ifdef _MSC_VER
  112148. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  112149. #endif
  112150. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  112151. #if JUCE_USE_OGGVORBIS
  112152. #include <stdlib.h>
  112153. #include <string.h>
  112154. #include <math.h>
  112155. #if defined(TRAIN_RES) || defined (TRAIN_RESAUX)
  112156. #include <stdio.h>
  112157. #endif
  112158. typedef struct {
  112159. vorbis_info_residue0 *info;
  112160. int parts;
  112161. int stages;
  112162. codebook *fullbooks;
  112163. codebook *phrasebook;
  112164. codebook ***partbooks;
  112165. int partvals;
  112166. int **decodemap;
  112167. long postbits;
  112168. long phrasebits;
  112169. long frames;
  112170. #if defined(TRAIN_RES) || defined(TRAIN_RESAUX)
  112171. int train_seq;
  112172. long *training_data[8][64];
  112173. float training_max[8][64];
  112174. float training_min[8][64];
  112175. float tmin;
  112176. float tmax;
  112177. #endif
  112178. } vorbis_look_residue0;
  112179. void res0_free_info(vorbis_info_residue *i){
  112180. vorbis_info_residue0 *info=(vorbis_info_residue0 *)i;
  112181. if(info){
  112182. memset(info,0,sizeof(*info));
  112183. _ogg_free(info);
  112184. }
  112185. }
  112186. void res0_free_look(vorbis_look_residue *i){
  112187. int j;
  112188. if(i){
  112189. vorbis_look_residue0 *look=(vorbis_look_residue0 *)i;
  112190. #ifdef TRAIN_RES
  112191. {
  112192. int j,k,l;
  112193. for(j=0;j<look->parts;j++){
  112194. /*fprintf(stderr,"partition %d: ",j);*/
  112195. for(k=0;k<8;k++)
  112196. if(look->training_data[k][j]){
  112197. char buffer[80];
  112198. FILE *of;
  112199. codebook *statebook=look->partbooks[j][k];
  112200. /* long and short into the same bucket by current convention */
  112201. sprintf(buffer,"res_part%d_pass%d.vqd",j,k);
  112202. of=fopen(buffer,"a");
  112203. for(l=0;l<statebook->entries;l++)
  112204. fprintf(of,"%d:%ld\n",l,look->training_data[k][j][l]);
  112205. fclose(of);
  112206. /*fprintf(stderr,"%d(%.2f|%.2f) ",k,
  112207. look->training_min[k][j],look->training_max[k][j]);*/
  112208. _ogg_free(look->training_data[k][j]);
  112209. look->training_data[k][j]=NULL;
  112210. }
  112211. /*fprintf(stderr,"\n");*/
  112212. }
  112213. }
  112214. fprintf(stderr,"min/max residue: %g::%g\n",look->tmin,look->tmax);
  112215. /*fprintf(stderr,"residue bit usage %f:%f (%f total)\n",
  112216. (float)look->phrasebits/look->frames,
  112217. (float)look->postbits/look->frames,
  112218. (float)(look->postbits+look->phrasebits)/look->frames);*/
  112219. #endif
  112220. /*vorbis_info_residue0 *info=look->info;
  112221. fprintf(stderr,
  112222. "%ld frames encoded in %ld phrasebits and %ld residue bits "
  112223. "(%g/frame) \n",look->frames,look->phrasebits,
  112224. look->resbitsflat,
  112225. (look->phrasebits+look->resbitsflat)/(float)look->frames);
  112226. for(j=0;j<look->parts;j++){
  112227. long acc=0;
  112228. fprintf(stderr,"\t[%d] == ",j);
  112229. for(k=0;k<look->stages;k++)
  112230. if((info->secondstages[j]>>k)&1){
  112231. fprintf(stderr,"%ld,",look->resbits[j][k]);
  112232. acc+=look->resbits[j][k];
  112233. }
  112234. fprintf(stderr,":: (%ld vals) %1.2fbits/sample\n",look->resvals[j],
  112235. acc?(float)acc/(look->resvals[j]*info->grouping):0);
  112236. }
  112237. fprintf(stderr,"\n");*/
  112238. for(j=0;j<look->parts;j++)
  112239. if(look->partbooks[j])_ogg_free(look->partbooks[j]);
  112240. _ogg_free(look->partbooks);
  112241. for(j=0;j<look->partvals;j++)
  112242. _ogg_free(look->decodemap[j]);
  112243. _ogg_free(look->decodemap);
  112244. memset(look,0,sizeof(*look));
  112245. _ogg_free(look);
  112246. }
  112247. }
  112248. static int icount(unsigned int v){
  112249. int ret=0;
  112250. while(v){
  112251. ret+=v&1;
  112252. v>>=1;
  112253. }
  112254. return(ret);
  112255. }
  112256. void res0_pack(vorbis_info_residue *vr,oggpack_buffer *opb){
  112257. vorbis_info_residue0 *info=(vorbis_info_residue0 *)vr;
  112258. int j,acc=0;
  112259. oggpack_write(opb,info->begin,24);
  112260. oggpack_write(opb,info->end,24);
  112261. oggpack_write(opb,info->grouping-1,24); /* residue vectors to group and
  112262. code with a partitioned book */
  112263. oggpack_write(opb,info->partitions-1,6); /* possible partition choices */
  112264. oggpack_write(opb,info->groupbook,8); /* group huffman book */
  112265. /* secondstages is a bitmask; as encoding progresses pass by pass, a
  112266. bitmask of one indicates this partition class has bits to write
  112267. this pass */
  112268. for(j=0;j<info->partitions;j++){
  112269. if(ilog(info->secondstages[j])>3){
  112270. /* yes, this is a minor hack due to not thinking ahead */
  112271. oggpack_write(opb,info->secondstages[j],3);
  112272. oggpack_write(opb,1,1);
  112273. oggpack_write(opb,info->secondstages[j]>>3,5);
  112274. }else
  112275. oggpack_write(opb,info->secondstages[j],4); /* trailing zero */
  112276. acc+=icount(info->secondstages[j]);
  112277. }
  112278. for(j=0;j<acc;j++)
  112279. oggpack_write(opb,info->booklist[j],8);
  112280. }
  112281. /* vorbis_info is for range checking */
  112282. vorbis_info_residue *res0_unpack(vorbis_info *vi,oggpack_buffer *opb){
  112283. int j,acc=0;
  112284. vorbis_info_residue0 *info=(vorbis_info_residue0*) _ogg_calloc(1,sizeof(*info));
  112285. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  112286. info->begin=oggpack_read(opb,24);
  112287. info->end=oggpack_read(opb,24);
  112288. info->grouping=oggpack_read(opb,24)+1;
  112289. info->partitions=oggpack_read(opb,6)+1;
  112290. info->groupbook=oggpack_read(opb,8);
  112291. for(j=0;j<info->partitions;j++){
  112292. int cascade=oggpack_read(opb,3);
  112293. if(oggpack_read(opb,1))
  112294. cascade|=(oggpack_read(opb,5)<<3);
  112295. info->secondstages[j]=cascade;
  112296. acc+=icount(cascade);
  112297. }
  112298. for(j=0;j<acc;j++)
  112299. info->booklist[j]=oggpack_read(opb,8);
  112300. if(info->groupbook>=ci->books)goto errout;
  112301. for(j=0;j<acc;j++)
  112302. if(info->booklist[j]>=ci->books)goto errout;
  112303. return(info);
  112304. errout:
  112305. res0_free_info(info);
  112306. return(NULL);
  112307. }
  112308. vorbis_look_residue *res0_look(vorbis_dsp_state *vd,
  112309. vorbis_info_residue *vr){
  112310. vorbis_info_residue0 *info=(vorbis_info_residue0 *)vr;
  112311. vorbis_look_residue0 *look=(vorbis_look_residue0 *)_ogg_calloc(1,sizeof(*look));
  112312. codec_setup_info *ci=(codec_setup_info*)vd->vi->codec_setup;
  112313. int j,k,acc=0;
  112314. int dim;
  112315. int maxstage=0;
  112316. look->info=info;
  112317. look->parts=info->partitions;
  112318. look->fullbooks=ci->fullbooks;
  112319. look->phrasebook=ci->fullbooks+info->groupbook;
  112320. dim=look->phrasebook->dim;
  112321. look->partbooks=(codebook***)_ogg_calloc(look->parts,sizeof(*look->partbooks));
  112322. for(j=0;j<look->parts;j++){
  112323. int stages=ilog(info->secondstages[j]);
  112324. if(stages){
  112325. if(stages>maxstage)maxstage=stages;
  112326. look->partbooks[j]=(codebook**) _ogg_calloc(stages,sizeof(*look->partbooks[j]));
  112327. for(k=0;k<stages;k++)
  112328. if(info->secondstages[j]&(1<<k)){
  112329. look->partbooks[j][k]=ci->fullbooks+info->booklist[acc++];
  112330. #ifdef TRAIN_RES
  112331. look->training_data[k][j]=_ogg_calloc(look->partbooks[j][k]->entries,
  112332. sizeof(***look->training_data));
  112333. #endif
  112334. }
  112335. }
  112336. }
  112337. look->partvals=rint(pow((float)look->parts,(float)dim));
  112338. look->stages=maxstage;
  112339. look->decodemap=(int**)_ogg_malloc(look->partvals*sizeof(*look->decodemap));
  112340. for(j=0;j<look->partvals;j++){
  112341. long val=j;
  112342. long mult=look->partvals/look->parts;
  112343. look->decodemap[j]=(int*)_ogg_malloc(dim*sizeof(*look->decodemap[j]));
  112344. for(k=0;k<dim;k++){
  112345. long deco=val/mult;
  112346. val-=deco*mult;
  112347. mult/=look->parts;
  112348. look->decodemap[j][k]=deco;
  112349. }
  112350. }
  112351. #if defined(TRAIN_RES) || defined (TRAIN_RESAUX)
  112352. {
  112353. static int train_seq=0;
  112354. look->train_seq=train_seq++;
  112355. }
  112356. #endif
  112357. return(look);
  112358. }
  112359. /* break an abstraction and copy some code for performance purposes */
  112360. static int local_book_besterror(codebook *book,float *a){
  112361. int dim=book->dim,i,k,o;
  112362. int best=0;
  112363. encode_aux_threshmatch *tt=book->c->thresh_tree;
  112364. /* find the quant val of each scalar */
  112365. for(k=0,o=dim;k<dim;++k){
  112366. float val=a[--o];
  112367. i=tt->threshvals>>1;
  112368. if(val<tt->quantthresh[i]){
  112369. if(val<tt->quantthresh[i-1]){
  112370. for(--i;i>0;--i)
  112371. if(val>=tt->quantthresh[i-1])
  112372. break;
  112373. }
  112374. }else{
  112375. for(++i;i<tt->threshvals-1;++i)
  112376. if(val<tt->quantthresh[i])break;
  112377. }
  112378. best=(best*tt->quantvals)+tt->quantmap[i];
  112379. }
  112380. /* regular lattices are easy :-) */
  112381. if(book->c->lengthlist[best]<=0){
  112382. const static_codebook *c=book->c;
  112383. int i,j;
  112384. float bestf=0.f;
  112385. float *e=book->valuelist;
  112386. best=-1;
  112387. for(i=0;i<book->entries;i++){
  112388. if(c->lengthlist[i]>0){
  112389. float thisx=0.f;
  112390. for(j=0;j<dim;j++){
  112391. float val=(e[j]-a[j]);
  112392. thisx+=val*val;
  112393. }
  112394. if(best==-1 || thisx<bestf){
  112395. bestf=thisx;
  112396. best=i;
  112397. }
  112398. }
  112399. e+=dim;
  112400. }
  112401. }
  112402. {
  112403. float *ptr=book->valuelist+best*dim;
  112404. for(i=0;i<dim;i++)
  112405. *a++ -= *ptr++;
  112406. }
  112407. return(best);
  112408. }
  112409. static int _encodepart(oggpack_buffer *opb,float *vec, int n,
  112410. codebook *book,long *acc){
  112411. int i,bits=0;
  112412. int dim=book->dim;
  112413. int step=n/dim;
  112414. for(i=0;i<step;i++){
  112415. int entry=local_book_besterror(book,vec+i*dim);
  112416. #ifdef TRAIN_RES
  112417. acc[entry]++;
  112418. #endif
  112419. bits+=vorbis_book_encode(book,entry,opb);
  112420. }
  112421. return(bits);
  112422. }
  112423. static long **_01class(vorbis_block *vb,vorbis_look_residue *vl,
  112424. float **in,int ch){
  112425. long i,j,k;
  112426. vorbis_look_residue0 *look=(vorbis_look_residue0 *)vl;
  112427. vorbis_info_residue0 *info=look->info;
  112428. /* move all this setup out later */
  112429. int samples_per_partition=info->grouping;
  112430. int possible_partitions=info->partitions;
  112431. int n=info->end-info->begin;
  112432. int partvals=n/samples_per_partition;
  112433. long **partword=(long**)_vorbis_block_alloc(vb,ch*sizeof(*partword));
  112434. float scale=100./samples_per_partition;
  112435. /* we find the partition type for each partition of each
  112436. channel. We'll go back and do the interleaved encoding in a
  112437. bit. For now, clarity */
  112438. for(i=0;i<ch;i++){
  112439. partword[i]=(long*)_vorbis_block_alloc(vb,n/samples_per_partition*sizeof(*partword[i]));
  112440. memset(partword[i],0,n/samples_per_partition*sizeof(*partword[i]));
  112441. }
  112442. for(i=0;i<partvals;i++){
  112443. int offset=i*samples_per_partition+info->begin;
  112444. for(j=0;j<ch;j++){
  112445. float max=0.;
  112446. float ent=0.;
  112447. for(k=0;k<samples_per_partition;k++){
  112448. if(fabs(in[j][offset+k])>max)max=fabs(in[j][offset+k]);
  112449. ent+=fabs(rint(in[j][offset+k]));
  112450. }
  112451. ent*=scale;
  112452. for(k=0;k<possible_partitions-1;k++)
  112453. if(max<=info->classmetric1[k] &&
  112454. (info->classmetric2[k]<0 || (int)ent<info->classmetric2[k]))
  112455. break;
  112456. partword[j][i]=k;
  112457. }
  112458. }
  112459. #ifdef TRAIN_RESAUX
  112460. {
  112461. FILE *of;
  112462. char buffer[80];
  112463. for(i=0;i<ch;i++){
  112464. sprintf(buffer,"resaux_%d.vqd",look->train_seq);
  112465. of=fopen(buffer,"a");
  112466. for(j=0;j<partvals;j++)
  112467. fprintf(of,"%ld, ",partword[i][j]);
  112468. fprintf(of,"\n");
  112469. fclose(of);
  112470. }
  112471. }
  112472. #endif
  112473. look->frames++;
  112474. return(partword);
  112475. }
  112476. /* designed for stereo or other modes where the partition size is an
  112477. integer multiple of the number of channels encoded in the current
  112478. submap */
  112479. static long **_2class(vorbis_block *vb,vorbis_look_residue *vl,float **in,
  112480. int ch){
  112481. long i,j,k,l;
  112482. vorbis_look_residue0 *look=(vorbis_look_residue0 *)vl;
  112483. vorbis_info_residue0 *info=look->info;
  112484. /* move all this setup out later */
  112485. int samples_per_partition=info->grouping;
  112486. int possible_partitions=info->partitions;
  112487. int n=info->end-info->begin;
  112488. int partvals=n/samples_per_partition;
  112489. long **partword=(long**)_vorbis_block_alloc(vb,sizeof(*partword));
  112490. #if defined(TRAIN_RES) || defined (TRAIN_RESAUX)
  112491. FILE *of;
  112492. char buffer[80];
  112493. #endif
  112494. partword[0]=(long*)_vorbis_block_alloc(vb,n*ch/samples_per_partition*sizeof(*partword[0]));
  112495. memset(partword[0],0,n*ch/samples_per_partition*sizeof(*partword[0]));
  112496. for(i=0,l=info->begin/ch;i<partvals;i++){
  112497. float magmax=0.f;
  112498. float angmax=0.f;
  112499. for(j=0;j<samples_per_partition;j+=ch){
  112500. if(fabs(in[0][l])>magmax)magmax=fabs(in[0][l]);
  112501. for(k=1;k<ch;k++)
  112502. if(fabs(in[k][l])>angmax)angmax=fabs(in[k][l]);
  112503. l++;
  112504. }
  112505. for(j=0;j<possible_partitions-1;j++)
  112506. if(magmax<=info->classmetric1[j] &&
  112507. angmax<=info->classmetric2[j])
  112508. break;
  112509. partword[0][i]=j;
  112510. }
  112511. #ifdef TRAIN_RESAUX
  112512. sprintf(buffer,"resaux_%d.vqd",look->train_seq);
  112513. of=fopen(buffer,"a");
  112514. for(i=0;i<partvals;i++)
  112515. fprintf(of,"%ld, ",partword[0][i]);
  112516. fprintf(of,"\n");
  112517. fclose(of);
  112518. #endif
  112519. look->frames++;
  112520. return(partword);
  112521. }
  112522. static int _01forward(oggpack_buffer *opb,
  112523. vorbis_block *vb,vorbis_look_residue *vl,
  112524. float **in,int ch,
  112525. long **partword,
  112526. int (*encode)(oggpack_buffer *,float *,int,
  112527. codebook *,long *)){
  112528. long i,j,k,s;
  112529. vorbis_look_residue0 *look=(vorbis_look_residue0 *)vl;
  112530. vorbis_info_residue0 *info=look->info;
  112531. /* move all this setup out later */
  112532. int samples_per_partition=info->grouping;
  112533. int possible_partitions=info->partitions;
  112534. int partitions_per_word=look->phrasebook->dim;
  112535. int n=info->end-info->begin;
  112536. int partvals=n/samples_per_partition;
  112537. long resbits[128];
  112538. long resvals[128];
  112539. #ifdef TRAIN_RES
  112540. for(i=0;i<ch;i++)
  112541. for(j=info->begin;j<info->end;j++){
  112542. if(in[i][j]>look->tmax)look->tmax=in[i][j];
  112543. if(in[i][j]<look->tmin)look->tmin=in[i][j];
  112544. }
  112545. #endif
  112546. memset(resbits,0,sizeof(resbits));
  112547. memset(resvals,0,sizeof(resvals));
  112548. /* we code the partition words for each channel, then the residual
  112549. words for a partition per channel until we've written all the
  112550. residual words for that partition word. Then write the next
  112551. partition channel words... */
  112552. for(s=0;s<look->stages;s++){
  112553. for(i=0;i<partvals;){
  112554. /* first we encode a partition codeword for each channel */
  112555. if(s==0){
  112556. for(j=0;j<ch;j++){
  112557. long val=partword[j][i];
  112558. for(k=1;k<partitions_per_word;k++){
  112559. val*=possible_partitions;
  112560. if(i+k<partvals)
  112561. val+=partword[j][i+k];
  112562. }
  112563. /* training hack */
  112564. if(val<look->phrasebook->entries)
  112565. look->phrasebits+=vorbis_book_encode(look->phrasebook,val,opb);
  112566. #if 0 /*def TRAIN_RES*/
  112567. else
  112568. fprintf(stderr,"!");
  112569. #endif
  112570. }
  112571. }
  112572. /* now we encode interleaved residual values for the partitions */
  112573. for(k=0;k<partitions_per_word && i<partvals;k++,i++){
  112574. long offset=i*samples_per_partition+info->begin;
  112575. for(j=0;j<ch;j++){
  112576. if(s==0)resvals[partword[j][i]]+=samples_per_partition;
  112577. if(info->secondstages[partword[j][i]]&(1<<s)){
  112578. codebook *statebook=look->partbooks[partword[j][i]][s];
  112579. if(statebook){
  112580. int ret;
  112581. long *accumulator=NULL;
  112582. #ifdef TRAIN_RES
  112583. accumulator=look->training_data[s][partword[j][i]];
  112584. {
  112585. int l;
  112586. float *samples=in[j]+offset;
  112587. for(l=0;l<samples_per_partition;l++){
  112588. if(samples[l]<look->training_min[s][partword[j][i]])
  112589. look->training_min[s][partword[j][i]]=samples[l];
  112590. if(samples[l]>look->training_max[s][partword[j][i]])
  112591. look->training_max[s][partword[j][i]]=samples[l];
  112592. }
  112593. }
  112594. #endif
  112595. ret=encode(opb,in[j]+offset,samples_per_partition,
  112596. statebook,accumulator);
  112597. look->postbits+=ret;
  112598. resbits[partword[j][i]]+=ret;
  112599. }
  112600. }
  112601. }
  112602. }
  112603. }
  112604. }
  112605. /*{
  112606. long total=0;
  112607. long totalbits=0;
  112608. fprintf(stderr,"%d :: ",vb->mode);
  112609. for(k=0;k<possible_partitions;k++){
  112610. fprintf(stderr,"%ld/%1.2g, ",resvals[k],(float)resbits[k]/resvals[k]);
  112611. total+=resvals[k];
  112612. totalbits+=resbits[k];
  112613. }
  112614. fprintf(stderr,":: %ld:%1.2g\n",total,(double)totalbits/total);
  112615. }*/
  112616. return(0);
  112617. }
  112618. /* a truncated packet here just means 'stop working'; it's not an error */
  112619. static int _01inverse(vorbis_block *vb,vorbis_look_residue *vl,
  112620. float **in,int ch,
  112621. long (*decodepart)(codebook *, float *,
  112622. oggpack_buffer *,int)){
  112623. long i,j,k,l,s;
  112624. vorbis_look_residue0 *look=(vorbis_look_residue0 *)vl;
  112625. vorbis_info_residue0 *info=look->info;
  112626. /* move all this setup out later */
  112627. int samples_per_partition=info->grouping;
  112628. int partitions_per_word=look->phrasebook->dim;
  112629. int n=info->end-info->begin;
  112630. int partvals=n/samples_per_partition;
  112631. int partwords=(partvals+partitions_per_word-1)/partitions_per_word;
  112632. int ***partword=(int***)alloca(ch*sizeof(*partword));
  112633. for(j=0;j<ch;j++)
  112634. partword[j]=(int**)_vorbis_block_alloc(vb,partwords*sizeof(*partword[j]));
  112635. for(s=0;s<look->stages;s++){
  112636. /* each loop decodes on partition codeword containing
  112637. partitions_pre_word partitions */
  112638. for(i=0,l=0;i<partvals;l++){
  112639. if(s==0){
  112640. /* fetch the partition word for each channel */
  112641. for(j=0;j<ch;j++){
  112642. int temp=vorbis_book_decode(look->phrasebook,&vb->opb);
  112643. if(temp==-1)goto eopbreak;
  112644. partword[j][l]=look->decodemap[temp];
  112645. if(partword[j][l]==NULL)goto errout;
  112646. }
  112647. }
  112648. /* now we decode residual values for the partitions */
  112649. for(k=0;k<partitions_per_word && i<partvals;k++,i++)
  112650. for(j=0;j<ch;j++){
  112651. long offset=info->begin+i*samples_per_partition;
  112652. if(info->secondstages[partword[j][l][k]]&(1<<s)){
  112653. codebook *stagebook=look->partbooks[partword[j][l][k]][s];
  112654. if(stagebook){
  112655. if(decodepart(stagebook,in[j]+offset,&vb->opb,
  112656. samples_per_partition)==-1)goto eopbreak;
  112657. }
  112658. }
  112659. }
  112660. }
  112661. }
  112662. errout:
  112663. eopbreak:
  112664. return(0);
  112665. }
  112666. #if 0
  112667. /* residue 0 and 1 are just slight variants of one another. 0 is
  112668. interleaved, 1 is not */
  112669. long **res0_class(vorbis_block *vb,vorbis_look_residue *vl,
  112670. float **in,int *nonzero,int ch){
  112671. /* we encode only the nonzero parts of a bundle */
  112672. int i,used=0;
  112673. for(i=0;i<ch;i++)
  112674. if(nonzero[i])
  112675. in[used++]=in[i];
  112676. if(used)
  112677. /*return(_01class(vb,vl,in,used,_interleaved_testhack));*/
  112678. return(_01class(vb,vl,in,used));
  112679. else
  112680. return(0);
  112681. }
  112682. int res0_forward(vorbis_block *vb,vorbis_look_residue *vl,
  112683. float **in,float **out,int *nonzero,int ch,
  112684. long **partword){
  112685. /* we encode only the nonzero parts of a bundle */
  112686. int i,j,used=0,n=vb->pcmend/2;
  112687. for(i=0;i<ch;i++)
  112688. if(nonzero[i]){
  112689. if(out)
  112690. for(j=0;j<n;j++)
  112691. out[i][j]+=in[i][j];
  112692. in[used++]=in[i];
  112693. }
  112694. if(used){
  112695. int ret=_01forward(vb,vl,in,used,partword,
  112696. _interleaved_encodepart);
  112697. if(out){
  112698. used=0;
  112699. for(i=0;i<ch;i++)
  112700. if(nonzero[i]){
  112701. for(j=0;j<n;j++)
  112702. out[i][j]-=in[used][j];
  112703. used++;
  112704. }
  112705. }
  112706. return(ret);
  112707. }else{
  112708. return(0);
  112709. }
  112710. }
  112711. #endif
  112712. int res0_inverse(vorbis_block *vb,vorbis_look_residue *vl,
  112713. float **in,int *nonzero,int ch){
  112714. int i,used=0;
  112715. for(i=0;i<ch;i++)
  112716. if(nonzero[i])
  112717. in[used++]=in[i];
  112718. if(used)
  112719. return(_01inverse(vb,vl,in,used,vorbis_book_decodevs_add));
  112720. else
  112721. return(0);
  112722. }
  112723. int res1_forward(oggpack_buffer *opb,vorbis_block *vb,vorbis_look_residue *vl,
  112724. float **in,float **out,int *nonzero,int ch,
  112725. long **partword){
  112726. int i,j,used=0,n=vb->pcmend/2;
  112727. for(i=0;i<ch;i++)
  112728. if(nonzero[i]){
  112729. if(out)
  112730. for(j=0;j<n;j++)
  112731. out[i][j]+=in[i][j];
  112732. in[used++]=in[i];
  112733. }
  112734. if(used){
  112735. int ret=_01forward(opb,vb,vl,in,used,partword,_encodepart);
  112736. if(out){
  112737. used=0;
  112738. for(i=0;i<ch;i++)
  112739. if(nonzero[i]){
  112740. for(j=0;j<n;j++)
  112741. out[i][j]-=in[used][j];
  112742. used++;
  112743. }
  112744. }
  112745. return(ret);
  112746. }else{
  112747. return(0);
  112748. }
  112749. }
  112750. long **res1_class(vorbis_block *vb,vorbis_look_residue *vl,
  112751. float **in,int *nonzero,int ch){
  112752. int i,used=0;
  112753. for(i=0;i<ch;i++)
  112754. if(nonzero[i])
  112755. in[used++]=in[i];
  112756. if(used)
  112757. return(_01class(vb,vl,in,used));
  112758. else
  112759. return(0);
  112760. }
  112761. int res1_inverse(vorbis_block *vb,vorbis_look_residue *vl,
  112762. float **in,int *nonzero,int ch){
  112763. int i,used=0;
  112764. for(i=0;i<ch;i++)
  112765. if(nonzero[i])
  112766. in[used++]=in[i];
  112767. if(used)
  112768. return(_01inverse(vb,vl,in,used,vorbis_book_decodev_add));
  112769. else
  112770. return(0);
  112771. }
  112772. long **res2_class(vorbis_block *vb,vorbis_look_residue *vl,
  112773. float **in,int *nonzero,int ch){
  112774. int i,used=0;
  112775. for(i=0;i<ch;i++)
  112776. if(nonzero[i])used++;
  112777. if(used)
  112778. return(_2class(vb,vl,in,ch));
  112779. else
  112780. return(0);
  112781. }
  112782. /* res2 is slightly more different; all the channels are interleaved
  112783. into a single vector and encoded. */
  112784. int res2_forward(oggpack_buffer *opb,
  112785. vorbis_block *vb,vorbis_look_residue *vl,
  112786. float **in,float **out,int *nonzero,int ch,
  112787. long **partword){
  112788. long i,j,k,n=vb->pcmend/2,used=0;
  112789. /* don't duplicate the code; use a working vector hack for now and
  112790. reshape ourselves into a single channel res1 */
  112791. /* ugly; reallocs for each coupling pass :-( */
  112792. float *work=(float*)_vorbis_block_alloc(vb,ch*n*sizeof(*work));
  112793. for(i=0;i<ch;i++){
  112794. float *pcm=in[i];
  112795. if(nonzero[i])used++;
  112796. for(j=0,k=i;j<n;j++,k+=ch)
  112797. work[k]=pcm[j];
  112798. }
  112799. if(used){
  112800. int ret=_01forward(opb,vb,vl,&work,1,partword,_encodepart);
  112801. /* update the sofar vector */
  112802. if(out){
  112803. for(i=0;i<ch;i++){
  112804. float *pcm=in[i];
  112805. float *sofar=out[i];
  112806. for(j=0,k=i;j<n;j++,k+=ch)
  112807. sofar[j]+=pcm[j]-work[k];
  112808. }
  112809. }
  112810. return(ret);
  112811. }else{
  112812. return(0);
  112813. }
  112814. }
  112815. /* duplicate code here as speed is somewhat more important */
  112816. int res2_inverse(vorbis_block *vb,vorbis_look_residue *vl,
  112817. float **in,int *nonzero,int ch){
  112818. long i,k,l,s;
  112819. vorbis_look_residue0 *look=(vorbis_look_residue0 *)vl;
  112820. vorbis_info_residue0 *info=look->info;
  112821. /* move all this setup out later */
  112822. int samples_per_partition=info->grouping;
  112823. int partitions_per_word=look->phrasebook->dim;
  112824. int n=info->end-info->begin;
  112825. int partvals=n/samples_per_partition;
  112826. int partwords=(partvals+partitions_per_word-1)/partitions_per_word;
  112827. int **partword=(int**)_vorbis_block_alloc(vb,partwords*sizeof(*partword));
  112828. for(i=0;i<ch;i++)if(nonzero[i])break;
  112829. if(i==ch)return(0); /* no nonzero vectors */
  112830. for(s=0;s<look->stages;s++){
  112831. for(i=0,l=0;i<partvals;l++){
  112832. if(s==0){
  112833. /* fetch the partition word */
  112834. int temp=vorbis_book_decode(look->phrasebook,&vb->opb);
  112835. if(temp==-1)goto eopbreak;
  112836. partword[l]=look->decodemap[temp];
  112837. if(partword[l]==NULL)goto errout;
  112838. }
  112839. /* now we decode residual values for the partitions */
  112840. for(k=0;k<partitions_per_word && i<partvals;k++,i++)
  112841. if(info->secondstages[partword[l][k]]&(1<<s)){
  112842. codebook *stagebook=look->partbooks[partword[l][k]][s];
  112843. if(stagebook){
  112844. if(vorbis_book_decodevv_add(stagebook,in,
  112845. i*samples_per_partition+info->begin,ch,
  112846. &vb->opb,samples_per_partition)==-1)
  112847. goto eopbreak;
  112848. }
  112849. }
  112850. }
  112851. }
  112852. errout:
  112853. eopbreak:
  112854. return(0);
  112855. }
  112856. vorbis_func_residue residue0_exportbundle={
  112857. NULL,
  112858. &res0_unpack,
  112859. &res0_look,
  112860. &res0_free_info,
  112861. &res0_free_look,
  112862. NULL,
  112863. NULL,
  112864. &res0_inverse
  112865. };
  112866. vorbis_func_residue residue1_exportbundle={
  112867. &res0_pack,
  112868. &res0_unpack,
  112869. &res0_look,
  112870. &res0_free_info,
  112871. &res0_free_look,
  112872. &res1_class,
  112873. &res1_forward,
  112874. &res1_inverse
  112875. };
  112876. vorbis_func_residue residue2_exportbundle={
  112877. &res0_pack,
  112878. &res0_unpack,
  112879. &res0_look,
  112880. &res0_free_info,
  112881. &res0_free_look,
  112882. &res2_class,
  112883. &res2_forward,
  112884. &res2_inverse
  112885. };
  112886. #endif
  112887. /********* End of inlined file: res0.c *********/
  112888. /********* Start of inlined file: sharedbook.c *********/
  112889. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  112890. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  112891. // tasks..
  112892. #ifdef _MSC_VER
  112893. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  112894. #endif
  112895. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  112896. #if JUCE_USE_OGGVORBIS
  112897. #include <stdlib.h>
  112898. #include <math.h>
  112899. #include <string.h>
  112900. /**** pack/unpack helpers ******************************************/
  112901. int _ilog(unsigned int v){
  112902. int ret=0;
  112903. while(v){
  112904. ret++;
  112905. v>>=1;
  112906. }
  112907. return(ret);
  112908. }
  112909. /* 32 bit float (not IEEE; nonnormalized mantissa +
  112910. biased exponent) : neeeeeee eeemmmmm mmmmmmmm mmmmmmmm
  112911. Why not IEEE? It's just not that important here. */
  112912. #define VQ_FEXP 10
  112913. #define VQ_FMAN 21
  112914. #define VQ_FEXP_BIAS 768 /* bias toward values smaller than 1. */
  112915. /* doesn't currently guard under/overflow */
  112916. long _float32_pack(float val){
  112917. int sign=0;
  112918. long exp;
  112919. long mant;
  112920. if(val<0){
  112921. sign=0x80000000;
  112922. val= -val;
  112923. }
  112924. exp= floor(log(val)/log(2.f));
  112925. mant=rint(ldexp(val,(VQ_FMAN-1)-exp));
  112926. exp=(exp+VQ_FEXP_BIAS)<<VQ_FMAN;
  112927. return(sign|exp|mant);
  112928. }
  112929. float _float32_unpack(long val){
  112930. double mant=val&0x1fffff;
  112931. int sign=val&0x80000000;
  112932. long exp =(val&0x7fe00000L)>>VQ_FMAN;
  112933. if(sign)mant= -mant;
  112934. return(ldexp(mant,exp-(VQ_FMAN-1)-VQ_FEXP_BIAS));
  112935. }
  112936. /* given a list of word lengths, generate a list of codewords. Works
  112937. for length ordered or unordered, always assigns the lowest valued
  112938. codewords first. Extended to handle unused entries (length 0) */
  112939. ogg_uint32_t *_make_words(long *l,long n,long sparsecount){
  112940. long i,j,count=0;
  112941. ogg_uint32_t marker[33];
  112942. ogg_uint32_t *r=(ogg_uint32_t*)_ogg_malloc((sparsecount?sparsecount:n)*sizeof(*r));
  112943. memset(marker,0,sizeof(marker));
  112944. for(i=0;i<n;i++){
  112945. long length=l[i];
  112946. if(length>0){
  112947. ogg_uint32_t entry=marker[length];
  112948. /* when we claim a node for an entry, we also claim the nodes
  112949. below it (pruning off the imagined tree that may have dangled
  112950. from it) as well as blocking the use of any nodes directly
  112951. above for leaves */
  112952. /* update ourself */
  112953. if(length<32 && (entry>>length)){
  112954. /* error condition; the lengths must specify an overpopulated tree */
  112955. _ogg_free(r);
  112956. return(NULL);
  112957. }
  112958. r[count++]=entry;
  112959. /* Look to see if the next shorter marker points to the node
  112960. above. if so, update it and repeat. */
  112961. {
  112962. for(j=length;j>0;j--){
  112963. if(marker[j]&1){
  112964. /* have to jump branches */
  112965. if(j==1)
  112966. marker[1]++;
  112967. else
  112968. marker[j]=marker[j-1]<<1;
  112969. break; /* invariant says next upper marker would already
  112970. have been moved if it was on the same path */
  112971. }
  112972. marker[j]++;
  112973. }
  112974. }
  112975. /* prune the tree; the implicit invariant says all the longer
  112976. markers were dangling from our just-taken node. Dangle them
  112977. from our *new* node. */
  112978. for(j=length+1;j<33;j++)
  112979. if((marker[j]>>1) == entry){
  112980. entry=marker[j];
  112981. marker[j]=marker[j-1]<<1;
  112982. }else
  112983. break;
  112984. }else
  112985. if(sparsecount==0)count++;
  112986. }
  112987. /* bitreverse the words because our bitwise packer/unpacker is LSb
  112988. endian */
  112989. for(i=0,count=0;i<n;i++){
  112990. ogg_uint32_t temp=0;
  112991. for(j=0;j<l[i];j++){
  112992. temp<<=1;
  112993. temp|=(r[count]>>j)&1;
  112994. }
  112995. if(sparsecount){
  112996. if(l[i])
  112997. r[count++]=temp;
  112998. }else
  112999. r[count++]=temp;
  113000. }
  113001. return(r);
  113002. }
  113003. /* there might be a straightforward one-line way to do the below
  113004. that's portable and totally safe against roundoff, but I haven't
  113005. thought of it. Therefore, we opt on the side of caution */
  113006. long _book_maptype1_quantvals(const static_codebook *b){
  113007. long vals=floor(pow((float)b->entries,1.f/b->dim));
  113008. /* the above *should* be reliable, but we'll not assume that FP is
  113009. ever reliable when bitstream sync is at stake; verify via integer
  113010. means that vals really is the greatest value of dim for which
  113011. vals^b->bim <= b->entries */
  113012. /* treat the above as an initial guess */
  113013. while(1){
  113014. long acc=1;
  113015. long acc1=1;
  113016. int i;
  113017. for(i=0;i<b->dim;i++){
  113018. acc*=vals;
  113019. acc1*=vals+1;
  113020. }
  113021. if(acc<=b->entries && acc1>b->entries){
  113022. return(vals);
  113023. }else{
  113024. if(acc>b->entries){
  113025. vals--;
  113026. }else{
  113027. vals++;
  113028. }
  113029. }
  113030. }
  113031. }
  113032. /* unpack the quantized list of values for encode/decode ***********/
  113033. /* we need to deal with two map types: in map type 1, the values are
  113034. generated algorithmically (each column of the vector counts through
  113035. the values in the quant vector). in map type 2, all the values came
  113036. in in an explicit list. Both value lists must be unpacked */
  113037. float *_book_unquantize(const static_codebook *b,int n,int *sparsemap){
  113038. long j,k,count=0;
  113039. if(b->maptype==1 || b->maptype==2){
  113040. int quantvals;
  113041. float mindel=_float32_unpack(b->q_min);
  113042. float delta=_float32_unpack(b->q_delta);
  113043. float *r=(float*)_ogg_calloc(n*b->dim,sizeof(*r));
  113044. /* maptype 1 and 2 both use a quantized value vector, but
  113045. different sizes */
  113046. switch(b->maptype){
  113047. case 1:
  113048. /* most of the time, entries%dimensions == 0, but we need to be
  113049. well defined. We define that the possible vales at each
  113050. scalar is values == entries/dim. If entries%dim != 0, we'll
  113051. have 'too few' values (values*dim<entries), which means that
  113052. we'll have 'left over' entries; left over entries use zeroed
  113053. values (and are wasted). So don't generate codebooks like
  113054. that */
  113055. quantvals=_book_maptype1_quantvals(b);
  113056. for(j=0;j<b->entries;j++){
  113057. if((sparsemap && b->lengthlist[j]) || !sparsemap){
  113058. float last=0.f;
  113059. int indexdiv=1;
  113060. for(k=0;k<b->dim;k++){
  113061. int index= (j/indexdiv)%quantvals;
  113062. float val=b->quantlist[index];
  113063. val=fabs(val)*delta+mindel+last;
  113064. if(b->q_sequencep)last=val;
  113065. if(sparsemap)
  113066. r[sparsemap[count]*b->dim+k]=val;
  113067. else
  113068. r[count*b->dim+k]=val;
  113069. indexdiv*=quantvals;
  113070. }
  113071. count++;
  113072. }
  113073. }
  113074. break;
  113075. case 2:
  113076. for(j=0;j<b->entries;j++){
  113077. if((sparsemap && b->lengthlist[j]) || !sparsemap){
  113078. float last=0.f;
  113079. for(k=0;k<b->dim;k++){
  113080. float val=b->quantlist[j*b->dim+k];
  113081. val=fabs(val)*delta+mindel+last;
  113082. if(b->q_sequencep)last=val;
  113083. if(sparsemap)
  113084. r[sparsemap[count]*b->dim+k]=val;
  113085. else
  113086. r[count*b->dim+k]=val;
  113087. }
  113088. count++;
  113089. }
  113090. }
  113091. break;
  113092. }
  113093. return(r);
  113094. }
  113095. return(NULL);
  113096. }
  113097. void vorbis_staticbook_clear(static_codebook *b){
  113098. if(b->allocedp){
  113099. if(b->quantlist)_ogg_free(b->quantlist);
  113100. if(b->lengthlist)_ogg_free(b->lengthlist);
  113101. if(b->nearest_tree){
  113102. _ogg_free(b->nearest_tree->ptr0);
  113103. _ogg_free(b->nearest_tree->ptr1);
  113104. _ogg_free(b->nearest_tree->p);
  113105. _ogg_free(b->nearest_tree->q);
  113106. memset(b->nearest_tree,0,sizeof(*b->nearest_tree));
  113107. _ogg_free(b->nearest_tree);
  113108. }
  113109. if(b->thresh_tree){
  113110. _ogg_free(b->thresh_tree->quantthresh);
  113111. _ogg_free(b->thresh_tree->quantmap);
  113112. memset(b->thresh_tree,0,sizeof(*b->thresh_tree));
  113113. _ogg_free(b->thresh_tree);
  113114. }
  113115. memset(b,0,sizeof(*b));
  113116. }
  113117. }
  113118. void vorbis_staticbook_destroy(static_codebook *b){
  113119. if(b->allocedp){
  113120. vorbis_staticbook_clear(b);
  113121. _ogg_free(b);
  113122. }
  113123. }
  113124. void vorbis_book_clear(codebook *b){
  113125. /* static book is not cleared; we're likely called on the lookup and
  113126. the static codebook belongs to the info struct */
  113127. if(b->valuelist)_ogg_free(b->valuelist);
  113128. if(b->codelist)_ogg_free(b->codelist);
  113129. if(b->dec_index)_ogg_free(b->dec_index);
  113130. if(b->dec_codelengths)_ogg_free(b->dec_codelengths);
  113131. if(b->dec_firsttable)_ogg_free(b->dec_firsttable);
  113132. memset(b,0,sizeof(*b));
  113133. }
  113134. int vorbis_book_init_encode(codebook *c,const static_codebook *s){
  113135. memset(c,0,sizeof(*c));
  113136. c->c=s;
  113137. c->entries=s->entries;
  113138. c->used_entries=s->entries;
  113139. c->dim=s->dim;
  113140. c->codelist=_make_words(s->lengthlist,s->entries,0);
  113141. c->valuelist=_book_unquantize(s,s->entries,NULL);
  113142. return(0);
  113143. }
  113144. static int sort32a(const void *a,const void *b){
  113145. return ( **(ogg_uint32_t **)a>**(ogg_uint32_t **)b)-
  113146. ( **(ogg_uint32_t **)a<**(ogg_uint32_t **)b);
  113147. }
  113148. /* decode codebook arrangement is more heavily optimized than encode */
  113149. int vorbis_book_init_decode(codebook *c,const static_codebook *s){
  113150. int i,j,n=0,tabn;
  113151. int *sortindex;
  113152. memset(c,0,sizeof(*c));
  113153. /* count actually used entries */
  113154. for(i=0;i<s->entries;i++)
  113155. if(s->lengthlist[i]>0)
  113156. n++;
  113157. c->entries=s->entries;
  113158. c->used_entries=n;
  113159. c->dim=s->dim;
  113160. /* two different remappings go on here.
  113161. First, we collapse the likely sparse codebook down only to
  113162. actually represented values/words. This collapsing needs to be
  113163. indexed as map-valueless books are used to encode original entry
  113164. positions as integers.
  113165. Second, we reorder all vectors, including the entry index above,
  113166. by sorted bitreversed codeword to allow treeless decode. */
  113167. {
  113168. /* perform sort */
  113169. ogg_uint32_t *codes=_make_words(s->lengthlist,s->entries,c->used_entries);
  113170. ogg_uint32_t **codep=(ogg_uint32_t**)alloca(sizeof(*codep)*n);
  113171. if(codes==NULL)goto err_out;
  113172. for(i=0;i<n;i++){
  113173. codes[i]=bitreverse(codes[i]);
  113174. codep[i]=codes+i;
  113175. }
  113176. qsort(codep,n,sizeof(*codep),sort32a);
  113177. sortindex=(int*)alloca(n*sizeof(*sortindex));
  113178. c->codelist=(ogg_uint32_t*)_ogg_malloc(n*sizeof(*c->codelist));
  113179. /* the index is a reverse index */
  113180. for(i=0;i<n;i++){
  113181. int position=codep[i]-codes;
  113182. sortindex[position]=i;
  113183. }
  113184. for(i=0;i<n;i++)
  113185. c->codelist[sortindex[i]]=codes[i];
  113186. _ogg_free(codes);
  113187. }
  113188. c->valuelist=_book_unquantize(s,n,sortindex);
  113189. c->dec_index=(int*)_ogg_malloc(n*sizeof(*c->dec_index));
  113190. for(n=0,i=0;i<s->entries;i++)
  113191. if(s->lengthlist[i]>0)
  113192. c->dec_index[sortindex[n++]]=i;
  113193. c->dec_codelengths=(char*)_ogg_malloc(n*sizeof(*c->dec_codelengths));
  113194. for(n=0,i=0;i<s->entries;i++)
  113195. if(s->lengthlist[i]>0)
  113196. c->dec_codelengths[sortindex[n++]]=s->lengthlist[i];
  113197. c->dec_firsttablen=_ilog(c->used_entries)-4; /* this is magic */
  113198. if(c->dec_firsttablen<5)c->dec_firsttablen=5;
  113199. if(c->dec_firsttablen>8)c->dec_firsttablen=8;
  113200. tabn=1<<c->dec_firsttablen;
  113201. c->dec_firsttable=(ogg_uint32_t*)_ogg_calloc(tabn,sizeof(*c->dec_firsttable));
  113202. c->dec_maxlength=0;
  113203. for(i=0;i<n;i++){
  113204. if(c->dec_maxlength<c->dec_codelengths[i])
  113205. c->dec_maxlength=c->dec_codelengths[i];
  113206. if(c->dec_codelengths[i]<=c->dec_firsttablen){
  113207. ogg_uint32_t orig=bitreverse(c->codelist[i]);
  113208. for(j=0;j<(1<<(c->dec_firsttablen-c->dec_codelengths[i]));j++)
  113209. c->dec_firsttable[orig|(j<<c->dec_codelengths[i])]=i+1;
  113210. }
  113211. }
  113212. /* now fill in 'unused' entries in the firsttable with hi/lo search
  113213. hints for the non-direct-hits */
  113214. {
  113215. ogg_uint32_t mask=0xfffffffeUL<<(31-c->dec_firsttablen);
  113216. long lo=0,hi=0;
  113217. for(i=0;i<tabn;i++){
  113218. ogg_uint32_t word=i<<(32-c->dec_firsttablen);
  113219. if(c->dec_firsttable[bitreverse(word)]==0){
  113220. while((lo+1)<n && c->codelist[lo+1]<=word)lo++;
  113221. while( hi<n && word>=(c->codelist[hi]&mask))hi++;
  113222. /* we only actually have 15 bits per hint to play with here.
  113223. In order to overflow gracefully (nothing breaks, efficiency
  113224. just drops), encode as the difference from the extremes. */
  113225. {
  113226. unsigned long loval=lo;
  113227. unsigned long hival=n-hi;
  113228. if(loval>0x7fff)loval=0x7fff;
  113229. if(hival>0x7fff)hival=0x7fff;
  113230. c->dec_firsttable[bitreverse(word)]=
  113231. 0x80000000UL | (loval<<15) | hival;
  113232. }
  113233. }
  113234. }
  113235. }
  113236. return(0);
  113237. err_out:
  113238. vorbis_book_clear(c);
  113239. return(-1);
  113240. }
  113241. static float _dist(int el,float *ref, float *b,int step){
  113242. int i;
  113243. float acc=0.f;
  113244. for(i=0;i<el;i++){
  113245. float val=(ref[i]-b[i*step]);
  113246. acc+=val*val;
  113247. }
  113248. return(acc);
  113249. }
  113250. int _best(codebook *book, float *a, int step){
  113251. encode_aux_threshmatch *tt=book->c->thresh_tree;
  113252. #if 0
  113253. encode_aux_nearestmatch *nt=book->c->nearest_tree;
  113254. encode_aux_pigeonhole *pt=book->c->pigeon_tree;
  113255. #endif
  113256. int dim=book->dim;
  113257. int k,o;
  113258. /*int savebest=-1;
  113259. float saverr;*/
  113260. /* do we have a threshhold encode hint? */
  113261. if(tt){
  113262. int index=0,i;
  113263. /* find the quant val of each scalar */
  113264. for(k=0,o=step*(dim-1);k<dim;k++,o-=step){
  113265. i=tt->threshvals>>1;
  113266. if(a[o]<tt->quantthresh[i]){
  113267. for(;i>0;i--)
  113268. if(a[o]>=tt->quantthresh[i-1])
  113269. break;
  113270. }else{
  113271. for(i++;i<tt->threshvals-1;i++)
  113272. if(a[o]<tt->quantthresh[i])break;
  113273. }
  113274. index=(index*tt->quantvals)+tt->quantmap[i];
  113275. }
  113276. /* regular lattices are easy :-) */
  113277. if(book->c->lengthlist[index]>0) /* is this unused? If so, we'll
  113278. use a decision tree after all
  113279. and fall through*/
  113280. return(index);
  113281. }
  113282. #if 0
  113283. /* do we have a pigeonhole encode hint? */
  113284. if(pt){
  113285. const static_codebook *c=book->c;
  113286. int i,besti=-1;
  113287. float best=0.f;
  113288. int entry=0;
  113289. /* dealing with sequentialness is a pain in the ass */
  113290. if(c->q_sequencep){
  113291. int pv;
  113292. long mul=1;
  113293. float qlast=0;
  113294. for(k=0,o=0;k<dim;k++,o+=step){
  113295. pv=(int)((a[o]-qlast-pt->min)/pt->del);
  113296. if(pv<0 || pv>=pt->mapentries)break;
  113297. entry+=pt->pigeonmap[pv]*mul;
  113298. mul*=pt->quantvals;
  113299. qlast+=pv*pt->del+pt->min;
  113300. }
  113301. }else{
  113302. for(k=0,o=step*(dim-1);k<dim;k++,o-=step){
  113303. int pv=(int)((a[o]-pt->min)/pt->del);
  113304. if(pv<0 || pv>=pt->mapentries)break;
  113305. entry=entry*pt->quantvals+pt->pigeonmap[pv];
  113306. }
  113307. }
  113308. /* must be within the pigeonholable range; if we quant outside (or
  113309. in an entry that we define no list for), brute force it */
  113310. if(k==dim && pt->fitlength[entry]){
  113311. /* search the abbreviated list */
  113312. long *list=pt->fitlist+pt->fitmap[entry];
  113313. for(i=0;i<pt->fitlength[entry];i++){
  113314. float this=_dist(dim,book->valuelist+list[i]*dim,a,step);
  113315. if(besti==-1 || this<best){
  113316. best=this;
  113317. besti=list[i];
  113318. }
  113319. }
  113320. return(besti);
  113321. }
  113322. }
  113323. if(nt){
  113324. /* optimized using the decision tree */
  113325. while(1){
  113326. float c=0.f;
  113327. float *p=book->valuelist+nt->p[ptr];
  113328. float *q=book->valuelist+nt->q[ptr];
  113329. for(k=0,o=0;k<dim;k++,o+=step)
  113330. c+=(p[k]-q[k])*(a[o]-(p[k]+q[k])*.5);
  113331. if(c>0.f) /* in A */
  113332. ptr= -nt->ptr0[ptr];
  113333. else /* in B */
  113334. ptr= -nt->ptr1[ptr];
  113335. if(ptr<=0)break;
  113336. }
  113337. return(-ptr);
  113338. }
  113339. #endif
  113340. /* brute force it! */
  113341. {
  113342. const static_codebook *c=book->c;
  113343. int i,besti=-1;
  113344. float best=0.f;
  113345. float *e=book->valuelist;
  113346. for(i=0;i<book->entries;i++){
  113347. if(c->lengthlist[i]>0){
  113348. float thisx=_dist(dim,e,a,step);
  113349. if(besti==-1 || thisx<best){
  113350. best=thisx;
  113351. besti=i;
  113352. }
  113353. }
  113354. e+=dim;
  113355. }
  113356. /*if(savebest!=-1 && savebest!=besti){
  113357. fprintf(stderr,"brute force/pigeonhole disagreement:\n"
  113358. "original:");
  113359. for(i=0;i<dim*step;i+=step)fprintf(stderr,"%g,",a[i]);
  113360. fprintf(stderr,"\n"
  113361. "pigeonhole (entry %d, err %g):",savebest,saverr);
  113362. for(i=0;i<dim;i++)fprintf(stderr,"%g,",
  113363. (book->valuelist+savebest*dim)[i]);
  113364. fprintf(stderr,"\n"
  113365. "bruteforce (entry %d, err %g):",besti,best);
  113366. for(i=0;i<dim;i++)fprintf(stderr,"%g,",
  113367. (book->valuelist+besti*dim)[i]);
  113368. fprintf(stderr,"\n");
  113369. }*/
  113370. return(besti);
  113371. }
  113372. }
  113373. long vorbis_book_codeword(codebook *book,int entry){
  113374. if(book->c) /* only use with encode; decode optimizations are
  113375. allowed to break this */
  113376. return book->codelist[entry];
  113377. return -1;
  113378. }
  113379. long vorbis_book_codelen(codebook *book,int entry){
  113380. if(book->c) /* only use with encode; decode optimizations are
  113381. allowed to break this */
  113382. return book->c->lengthlist[entry];
  113383. return -1;
  113384. }
  113385. #ifdef _V_SELFTEST
  113386. /* Unit tests of the dequantizer; this stuff will be OK
  113387. cross-platform, I simply want to be sure that special mapping cases
  113388. actually work properly; a bug could go unnoticed for a while */
  113389. #include <stdio.h>
  113390. /* cases:
  113391. no mapping
  113392. full, explicit mapping
  113393. algorithmic mapping
  113394. nonsequential
  113395. sequential
  113396. */
  113397. static long full_quantlist1[]={0,1,2,3, 4,5,6,7, 8,3,6,1};
  113398. static long partial_quantlist1[]={0,7,2};
  113399. /* no mapping */
  113400. static_codebook test1={
  113401. 4,16,
  113402. NULL,
  113403. 0,
  113404. 0,0,0,0,
  113405. NULL,
  113406. NULL,NULL
  113407. };
  113408. static float *test1_result=NULL;
  113409. /* linear, full mapping, nonsequential */
  113410. static_codebook test2={
  113411. 4,3,
  113412. NULL,
  113413. 2,
  113414. -533200896,1611661312,4,0,
  113415. full_quantlist1,
  113416. NULL,NULL
  113417. };
  113418. static float test2_result[]={-3,-2,-1,0, 1,2,3,4, 5,0,3,-2};
  113419. /* linear, full mapping, sequential */
  113420. static_codebook test3={
  113421. 4,3,
  113422. NULL,
  113423. 2,
  113424. -533200896,1611661312,4,1,
  113425. full_quantlist1,
  113426. NULL,NULL
  113427. };
  113428. static float test3_result[]={-3,-5,-6,-6, 1,3,6,10, 5,5,8,6};
  113429. /* linear, algorithmic mapping, nonsequential */
  113430. static_codebook test4={
  113431. 3,27,
  113432. NULL,
  113433. 1,
  113434. -533200896,1611661312,4,0,
  113435. partial_quantlist1,
  113436. NULL,NULL
  113437. };
  113438. static float test4_result[]={-3,-3,-3, 4,-3,-3, -1,-3,-3,
  113439. -3, 4,-3, 4, 4,-3, -1, 4,-3,
  113440. -3,-1,-3, 4,-1,-3, -1,-1,-3,
  113441. -3,-3, 4, 4,-3, 4, -1,-3, 4,
  113442. -3, 4, 4, 4, 4, 4, -1, 4, 4,
  113443. -3,-1, 4, 4,-1, 4, -1,-1, 4,
  113444. -3,-3,-1, 4,-3,-1, -1,-3,-1,
  113445. -3, 4,-1, 4, 4,-1, -1, 4,-1,
  113446. -3,-1,-1, 4,-1,-1, -1,-1,-1};
  113447. /* linear, algorithmic mapping, sequential */
  113448. static_codebook test5={
  113449. 3,27,
  113450. NULL,
  113451. 1,
  113452. -533200896,1611661312,4,1,
  113453. partial_quantlist1,
  113454. NULL,NULL
  113455. };
  113456. static float test5_result[]={-3,-6,-9, 4, 1,-2, -1,-4,-7,
  113457. -3, 1,-2, 4, 8, 5, -1, 3, 0,
  113458. -3,-4,-7, 4, 3, 0, -1,-2,-5,
  113459. -3,-6,-2, 4, 1, 5, -1,-4, 0,
  113460. -3, 1, 5, 4, 8,12, -1, 3, 7,
  113461. -3,-4, 0, 4, 3, 7, -1,-2, 2,
  113462. -3,-6,-7, 4, 1, 0, -1,-4,-5,
  113463. -3, 1, 0, 4, 8, 7, -1, 3, 2,
  113464. -3,-4,-5, 4, 3, 2, -1,-2,-3};
  113465. void run_test(static_codebook *b,float *comp){
  113466. float *out=_book_unquantize(b,b->entries,NULL);
  113467. int i;
  113468. if(comp){
  113469. if(!out){
  113470. fprintf(stderr,"_book_unquantize incorrectly returned NULL\n");
  113471. exit(1);
  113472. }
  113473. for(i=0;i<b->entries*b->dim;i++)
  113474. if(fabs(out[i]-comp[i])>.0001){
  113475. fprintf(stderr,"disagreement in unquantized and reference data:\n"
  113476. "position %d, %g != %g\n",i,out[i],comp[i]);
  113477. exit(1);
  113478. }
  113479. }else{
  113480. if(out){
  113481. fprintf(stderr,"_book_unquantize returned a value array: \n"
  113482. " correct result should have been NULL\n");
  113483. exit(1);
  113484. }
  113485. }
  113486. }
  113487. int main(){
  113488. /* run the nine dequant tests, and compare to the hand-rolled results */
  113489. fprintf(stderr,"Dequant test 1... ");
  113490. run_test(&test1,test1_result);
  113491. fprintf(stderr,"OK\nDequant test 2... ");
  113492. run_test(&test2,test2_result);
  113493. fprintf(stderr,"OK\nDequant test 3... ");
  113494. run_test(&test3,test3_result);
  113495. fprintf(stderr,"OK\nDequant test 4... ");
  113496. run_test(&test4,test4_result);
  113497. fprintf(stderr,"OK\nDequant test 5... ");
  113498. run_test(&test5,test5_result);
  113499. fprintf(stderr,"OK\n\n");
  113500. return(0);
  113501. }
  113502. #endif
  113503. #endif
  113504. /********* End of inlined file: sharedbook.c *********/
  113505. /********* Start of inlined file: smallft.c *********/
  113506. /* FFT implementation from OggSquish, minus cosine transforms,
  113507. * minus all but radix 2/4 case. In Vorbis we only need this
  113508. * cut-down version.
  113509. *
  113510. * To do more than just power-of-two sized vectors, see the full
  113511. * version I wrote for NetLib.
  113512. *
  113513. * Note that the packing is a little strange; rather than the FFT r/i
  113514. * packing following R_0, I_n, R_1, I_1, R_2, I_2 ... R_n-1, I_n-1,
  113515. * it follows R_0, R_1, I_1, R_2, I_2 ... R_n-1, I_n-1, I_n like the
  113516. * FORTRAN version
  113517. */
  113518. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  113519. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  113520. // tasks..
  113521. #ifdef _MSC_VER
  113522. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  113523. #endif
  113524. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  113525. #if JUCE_USE_OGGVORBIS
  113526. #include <stdlib.h>
  113527. #include <string.h>
  113528. #include <math.h>
  113529. static void drfti1(int n, float *wa, int *ifac){
  113530. static int ntryh[4] = { 4,2,3,5 };
  113531. static float tpi = 6.28318530717958648f;
  113532. float arg,argh,argld,fi;
  113533. int ntry=0,i,j=-1;
  113534. int k1, l1, l2, ib;
  113535. int ld, ii, ip, is, nq, nr;
  113536. int ido, ipm, nfm1;
  113537. int nl=n;
  113538. int nf=0;
  113539. L101:
  113540. j++;
  113541. if (j < 4)
  113542. ntry=ntryh[j];
  113543. else
  113544. ntry+=2;
  113545. L104:
  113546. nq=nl/ntry;
  113547. nr=nl-ntry*nq;
  113548. if (nr!=0) goto L101;
  113549. nf++;
  113550. ifac[nf+1]=ntry;
  113551. nl=nq;
  113552. if(ntry!=2)goto L107;
  113553. if(nf==1)goto L107;
  113554. for (i=1;i<nf;i++){
  113555. ib=nf-i+1;
  113556. ifac[ib+1]=ifac[ib];
  113557. }
  113558. ifac[2] = 2;
  113559. L107:
  113560. if(nl!=1)goto L104;
  113561. ifac[0]=n;
  113562. ifac[1]=nf;
  113563. argh=tpi/n;
  113564. is=0;
  113565. nfm1=nf-1;
  113566. l1=1;
  113567. if(nfm1==0)return;
  113568. for (k1=0;k1<nfm1;k1++){
  113569. ip=ifac[k1+2];
  113570. ld=0;
  113571. l2=l1*ip;
  113572. ido=n/l2;
  113573. ipm=ip-1;
  113574. for (j=0;j<ipm;j++){
  113575. ld+=l1;
  113576. i=is;
  113577. argld=(float)ld*argh;
  113578. fi=0.f;
  113579. for (ii=2;ii<ido;ii+=2){
  113580. fi+=1.f;
  113581. arg=fi*argld;
  113582. wa[i++]=cos(arg);
  113583. wa[i++]=sin(arg);
  113584. }
  113585. is+=ido;
  113586. }
  113587. l1=l2;
  113588. }
  113589. }
  113590. static void fdrffti(int n, float *wsave, int *ifac){
  113591. if (n == 1) return;
  113592. drfti1(n, wsave+n, ifac);
  113593. }
  113594. static void dradf2(int ido,int l1,float *cc,float *ch,float *wa1){
  113595. int i,k;
  113596. float ti2,tr2;
  113597. int t0,t1,t2,t3,t4,t5,t6;
  113598. t1=0;
  113599. t0=(t2=l1*ido);
  113600. t3=ido<<1;
  113601. for(k=0;k<l1;k++){
  113602. ch[t1<<1]=cc[t1]+cc[t2];
  113603. ch[(t1<<1)+t3-1]=cc[t1]-cc[t2];
  113604. t1+=ido;
  113605. t2+=ido;
  113606. }
  113607. if(ido<2)return;
  113608. if(ido==2)goto L105;
  113609. t1=0;
  113610. t2=t0;
  113611. for(k=0;k<l1;k++){
  113612. t3=t2;
  113613. t4=(t1<<1)+(ido<<1);
  113614. t5=t1;
  113615. t6=t1+t1;
  113616. for(i=2;i<ido;i+=2){
  113617. t3+=2;
  113618. t4-=2;
  113619. t5+=2;
  113620. t6+=2;
  113621. tr2=wa1[i-2]*cc[t3-1]+wa1[i-1]*cc[t3];
  113622. ti2=wa1[i-2]*cc[t3]-wa1[i-1]*cc[t3-1];
  113623. ch[t6]=cc[t5]+ti2;
  113624. ch[t4]=ti2-cc[t5];
  113625. ch[t6-1]=cc[t5-1]+tr2;
  113626. ch[t4-1]=cc[t5-1]-tr2;
  113627. }
  113628. t1+=ido;
  113629. t2+=ido;
  113630. }
  113631. if(ido%2==1)return;
  113632. L105:
  113633. t3=(t2=(t1=ido)-1);
  113634. t2+=t0;
  113635. for(k=0;k<l1;k++){
  113636. ch[t1]=-cc[t2];
  113637. ch[t1-1]=cc[t3];
  113638. t1+=ido<<1;
  113639. t2+=ido;
  113640. t3+=ido;
  113641. }
  113642. }
  113643. static void dradf4(int ido,int l1,float *cc,float *ch,float *wa1,
  113644. float *wa2,float *wa3){
  113645. static float hsqt2 = .70710678118654752f;
  113646. int i,k,t0,t1,t2,t3,t4,t5,t6;
  113647. float ci2,ci3,ci4,cr2,cr3,cr4,ti1,ti2,ti3,ti4,tr1,tr2,tr3,tr4;
  113648. t0=l1*ido;
  113649. t1=t0;
  113650. t4=t1<<1;
  113651. t2=t1+(t1<<1);
  113652. t3=0;
  113653. for(k=0;k<l1;k++){
  113654. tr1=cc[t1]+cc[t2];
  113655. tr2=cc[t3]+cc[t4];
  113656. ch[t5=t3<<2]=tr1+tr2;
  113657. ch[(ido<<2)+t5-1]=tr2-tr1;
  113658. ch[(t5+=(ido<<1))-1]=cc[t3]-cc[t4];
  113659. ch[t5]=cc[t2]-cc[t1];
  113660. t1+=ido;
  113661. t2+=ido;
  113662. t3+=ido;
  113663. t4+=ido;
  113664. }
  113665. if(ido<2)return;
  113666. if(ido==2)goto L105;
  113667. t1=0;
  113668. for(k=0;k<l1;k++){
  113669. t2=t1;
  113670. t4=t1<<2;
  113671. t5=(t6=ido<<1)+t4;
  113672. for(i=2;i<ido;i+=2){
  113673. t3=(t2+=2);
  113674. t4+=2;
  113675. t5-=2;
  113676. t3+=t0;
  113677. cr2=wa1[i-2]*cc[t3-1]+wa1[i-1]*cc[t3];
  113678. ci2=wa1[i-2]*cc[t3]-wa1[i-1]*cc[t3-1];
  113679. t3+=t0;
  113680. cr3=wa2[i-2]*cc[t3-1]+wa2[i-1]*cc[t3];
  113681. ci3=wa2[i-2]*cc[t3]-wa2[i-1]*cc[t3-1];
  113682. t3+=t0;
  113683. cr4=wa3[i-2]*cc[t3-1]+wa3[i-1]*cc[t3];
  113684. ci4=wa3[i-2]*cc[t3]-wa3[i-1]*cc[t3-1];
  113685. tr1=cr2+cr4;
  113686. tr4=cr4-cr2;
  113687. ti1=ci2+ci4;
  113688. ti4=ci2-ci4;
  113689. ti2=cc[t2]+ci3;
  113690. ti3=cc[t2]-ci3;
  113691. tr2=cc[t2-1]+cr3;
  113692. tr3=cc[t2-1]-cr3;
  113693. ch[t4-1]=tr1+tr2;
  113694. ch[t4]=ti1+ti2;
  113695. ch[t5-1]=tr3-ti4;
  113696. ch[t5]=tr4-ti3;
  113697. ch[t4+t6-1]=ti4+tr3;
  113698. ch[t4+t6]=tr4+ti3;
  113699. ch[t5+t6-1]=tr2-tr1;
  113700. ch[t5+t6]=ti1-ti2;
  113701. }
  113702. t1+=ido;
  113703. }
  113704. if(ido&1)return;
  113705. L105:
  113706. t2=(t1=t0+ido-1)+(t0<<1);
  113707. t3=ido<<2;
  113708. t4=ido;
  113709. t5=ido<<1;
  113710. t6=ido;
  113711. for(k=0;k<l1;k++){
  113712. ti1=-hsqt2*(cc[t1]+cc[t2]);
  113713. tr1=hsqt2*(cc[t1]-cc[t2]);
  113714. ch[t4-1]=tr1+cc[t6-1];
  113715. ch[t4+t5-1]=cc[t6-1]-tr1;
  113716. ch[t4]=ti1-cc[t1+t0];
  113717. ch[t4+t5]=ti1+cc[t1+t0];
  113718. t1+=ido;
  113719. t2+=ido;
  113720. t4+=t3;
  113721. t6+=ido;
  113722. }
  113723. }
  113724. static void dradfg(int ido,int ip,int l1,int idl1,float *cc,float *c1,
  113725. float *c2,float *ch,float *ch2,float *wa){
  113726. static float tpi=6.283185307179586f;
  113727. int idij,ipph,i,j,k,l,ic,ik,is;
  113728. int t0,t1,t2,t3,t4,t5,t6,t7,t8,t9,t10;
  113729. float dc2,ai1,ai2,ar1,ar2,ds2;
  113730. int nbd;
  113731. float dcp,arg,dsp,ar1h,ar2h;
  113732. int idp2,ipp2;
  113733. arg=tpi/(float)ip;
  113734. dcp=cos(arg);
  113735. dsp=sin(arg);
  113736. ipph=(ip+1)>>1;
  113737. ipp2=ip;
  113738. idp2=ido;
  113739. nbd=(ido-1)>>1;
  113740. t0=l1*ido;
  113741. t10=ip*ido;
  113742. if(ido==1)goto L119;
  113743. for(ik=0;ik<idl1;ik++)ch2[ik]=c2[ik];
  113744. t1=0;
  113745. for(j=1;j<ip;j++){
  113746. t1+=t0;
  113747. t2=t1;
  113748. for(k=0;k<l1;k++){
  113749. ch[t2]=c1[t2];
  113750. t2+=ido;
  113751. }
  113752. }
  113753. is=-ido;
  113754. t1=0;
  113755. if(nbd>l1){
  113756. for(j=1;j<ip;j++){
  113757. t1+=t0;
  113758. is+=ido;
  113759. t2= -ido+t1;
  113760. for(k=0;k<l1;k++){
  113761. idij=is-1;
  113762. t2+=ido;
  113763. t3=t2;
  113764. for(i=2;i<ido;i+=2){
  113765. idij+=2;
  113766. t3+=2;
  113767. ch[t3-1]=wa[idij-1]*c1[t3-1]+wa[idij]*c1[t3];
  113768. ch[t3]=wa[idij-1]*c1[t3]-wa[idij]*c1[t3-1];
  113769. }
  113770. }
  113771. }
  113772. }else{
  113773. for(j=1;j<ip;j++){
  113774. is+=ido;
  113775. idij=is-1;
  113776. t1+=t0;
  113777. t2=t1;
  113778. for(i=2;i<ido;i+=2){
  113779. idij+=2;
  113780. t2+=2;
  113781. t3=t2;
  113782. for(k=0;k<l1;k++){
  113783. ch[t3-1]=wa[idij-1]*c1[t3-1]+wa[idij]*c1[t3];
  113784. ch[t3]=wa[idij-1]*c1[t3]-wa[idij]*c1[t3-1];
  113785. t3+=ido;
  113786. }
  113787. }
  113788. }
  113789. }
  113790. t1=0;
  113791. t2=ipp2*t0;
  113792. if(nbd<l1){
  113793. for(j=1;j<ipph;j++){
  113794. t1+=t0;
  113795. t2-=t0;
  113796. t3=t1;
  113797. t4=t2;
  113798. for(i=2;i<ido;i+=2){
  113799. t3+=2;
  113800. t4+=2;
  113801. t5=t3-ido;
  113802. t6=t4-ido;
  113803. for(k=0;k<l1;k++){
  113804. t5+=ido;
  113805. t6+=ido;
  113806. c1[t5-1]=ch[t5-1]+ch[t6-1];
  113807. c1[t6-1]=ch[t5]-ch[t6];
  113808. c1[t5]=ch[t5]+ch[t6];
  113809. c1[t6]=ch[t6-1]-ch[t5-1];
  113810. }
  113811. }
  113812. }
  113813. }else{
  113814. for(j=1;j<ipph;j++){
  113815. t1+=t0;
  113816. t2-=t0;
  113817. t3=t1;
  113818. t4=t2;
  113819. for(k=0;k<l1;k++){
  113820. t5=t3;
  113821. t6=t4;
  113822. for(i=2;i<ido;i+=2){
  113823. t5+=2;
  113824. t6+=2;
  113825. c1[t5-1]=ch[t5-1]+ch[t6-1];
  113826. c1[t6-1]=ch[t5]-ch[t6];
  113827. c1[t5]=ch[t5]+ch[t6];
  113828. c1[t6]=ch[t6-1]-ch[t5-1];
  113829. }
  113830. t3+=ido;
  113831. t4+=ido;
  113832. }
  113833. }
  113834. }
  113835. L119:
  113836. for(ik=0;ik<idl1;ik++)c2[ik]=ch2[ik];
  113837. t1=0;
  113838. t2=ipp2*idl1;
  113839. for(j=1;j<ipph;j++){
  113840. t1+=t0;
  113841. t2-=t0;
  113842. t3=t1-ido;
  113843. t4=t2-ido;
  113844. for(k=0;k<l1;k++){
  113845. t3+=ido;
  113846. t4+=ido;
  113847. c1[t3]=ch[t3]+ch[t4];
  113848. c1[t4]=ch[t4]-ch[t3];
  113849. }
  113850. }
  113851. ar1=1.f;
  113852. ai1=0.f;
  113853. t1=0;
  113854. t2=ipp2*idl1;
  113855. t3=(ip-1)*idl1;
  113856. for(l=1;l<ipph;l++){
  113857. t1+=idl1;
  113858. t2-=idl1;
  113859. ar1h=dcp*ar1-dsp*ai1;
  113860. ai1=dcp*ai1+dsp*ar1;
  113861. ar1=ar1h;
  113862. t4=t1;
  113863. t5=t2;
  113864. t6=t3;
  113865. t7=idl1;
  113866. for(ik=0;ik<idl1;ik++){
  113867. ch2[t4++]=c2[ik]+ar1*c2[t7++];
  113868. ch2[t5++]=ai1*c2[t6++];
  113869. }
  113870. dc2=ar1;
  113871. ds2=ai1;
  113872. ar2=ar1;
  113873. ai2=ai1;
  113874. t4=idl1;
  113875. t5=(ipp2-1)*idl1;
  113876. for(j=2;j<ipph;j++){
  113877. t4+=idl1;
  113878. t5-=idl1;
  113879. ar2h=dc2*ar2-ds2*ai2;
  113880. ai2=dc2*ai2+ds2*ar2;
  113881. ar2=ar2h;
  113882. t6=t1;
  113883. t7=t2;
  113884. t8=t4;
  113885. t9=t5;
  113886. for(ik=0;ik<idl1;ik++){
  113887. ch2[t6++]+=ar2*c2[t8++];
  113888. ch2[t7++]+=ai2*c2[t9++];
  113889. }
  113890. }
  113891. }
  113892. t1=0;
  113893. for(j=1;j<ipph;j++){
  113894. t1+=idl1;
  113895. t2=t1;
  113896. for(ik=0;ik<idl1;ik++)ch2[ik]+=c2[t2++];
  113897. }
  113898. if(ido<l1)goto L132;
  113899. t1=0;
  113900. t2=0;
  113901. for(k=0;k<l1;k++){
  113902. t3=t1;
  113903. t4=t2;
  113904. for(i=0;i<ido;i++)cc[t4++]=ch[t3++];
  113905. t1+=ido;
  113906. t2+=t10;
  113907. }
  113908. goto L135;
  113909. L132:
  113910. for(i=0;i<ido;i++){
  113911. t1=i;
  113912. t2=i;
  113913. for(k=0;k<l1;k++){
  113914. cc[t2]=ch[t1];
  113915. t1+=ido;
  113916. t2+=t10;
  113917. }
  113918. }
  113919. L135:
  113920. t1=0;
  113921. t2=ido<<1;
  113922. t3=0;
  113923. t4=ipp2*t0;
  113924. for(j=1;j<ipph;j++){
  113925. t1+=t2;
  113926. t3+=t0;
  113927. t4-=t0;
  113928. t5=t1;
  113929. t6=t3;
  113930. t7=t4;
  113931. for(k=0;k<l1;k++){
  113932. cc[t5-1]=ch[t6];
  113933. cc[t5]=ch[t7];
  113934. t5+=t10;
  113935. t6+=ido;
  113936. t7+=ido;
  113937. }
  113938. }
  113939. if(ido==1)return;
  113940. if(nbd<l1)goto L141;
  113941. t1=-ido;
  113942. t3=0;
  113943. t4=0;
  113944. t5=ipp2*t0;
  113945. for(j=1;j<ipph;j++){
  113946. t1+=t2;
  113947. t3+=t2;
  113948. t4+=t0;
  113949. t5-=t0;
  113950. t6=t1;
  113951. t7=t3;
  113952. t8=t4;
  113953. t9=t5;
  113954. for(k=0;k<l1;k++){
  113955. for(i=2;i<ido;i+=2){
  113956. ic=idp2-i;
  113957. cc[i+t7-1]=ch[i+t8-1]+ch[i+t9-1];
  113958. cc[ic+t6-1]=ch[i+t8-1]-ch[i+t9-1];
  113959. cc[i+t7]=ch[i+t8]+ch[i+t9];
  113960. cc[ic+t6]=ch[i+t9]-ch[i+t8];
  113961. }
  113962. t6+=t10;
  113963. t7+=t10;
  113964. t8+=ido;
  113965. t9+=ido;
  113966. }
  113967. }
  113968. return;
  113969. L141:
  113970. t1=-ido;
  113971. t3=0;
  113972. t4=0;
  113973. t5=ipp2*t0;
  113974. for(j=1;j<ipph;j++){
  113975. t1+=t2;
  113976. t3+=t2;
  113977. t4+=t0;
  113978. t5-=t0;
  113979. for(i=2;i<ido;i+=2){
  113980. t6=idp2+t1-i;
  113981. t7=i+t3;
  113982. t8=i+t4;
  113983. t9=i+t5;
  113984. for(k=0;k<l1;k++){
  113985. cc[t7-1]=ch[t8-1]+ch[t9-1];
  113986. cc[t6-1]=ch[t8-1]-ch[t9-1];
  113987. cc[t7]=ch[t8]+ch[t9];
  113988. cc[t6]=ch[t9]-ch[t8];
  113989. t6+=t10;
  113990. t7+=t10;
  113991. t8+=ido;
  113992. t9+=ido;
  113993. }
  113994. }
  113995. }
  113996. }
  113997. static void drftf1(int n,float *c,float *ch,float *wa,int *ifac){
  113998. int i,k1,l1,l2;
  113999. int na,kh,nf;
  114000. int ip,iw,ido,idl1,ix2,ix3;
  114001. nf=ifac[1];
  114002. na=1;
  114003. l2=n;
  114004. iw=n;
  114005. for(k1=0;k1<nf;k1++){
  114006. kh=nf-k1;
  114007. ip=ifac[kh+1];
  114008. l1=l2/ip;
  114009. ido=n/l2;
  114010. idl1=ido*l1;
  114011. iw-=(ip-1)*ido;
  114012. na=1-na;
  114013. if(ip!=4)goto L102;
  114014. ix2=iw+ido;
  114015. ix3=ix2+ido;
  114016. if(na!=0)
  114017. dradf4(ido,l1,ch,c,wa+iw-1,wa+ix2-1,wa+ix3-1);
  114018. else
  114019. dradf4(ido,l1,c,ch,wa+iw-1,wa+ix2-1,wa+ix3-1);
  114020. goto L110;
  114021. L102:
  114022. if(ip!=2)goto L104;
  114023. if(na!=0)goto L103;
  114024. dradf2(ido,l1,c,ch,wa+iw-1);
  114025. goto L110;
  114026. L103:
  114027. dradf2(ido,l1,ch,c,wa+iw-1);
  114028. goto L110;
  114029. L104:
  114030. if(ido==1)na=1-na;
  114031. if(na!=0)goto L109;
  114032. dradfg(ido,ip,l1,idl1,c,c,c,ch,ch,wa+iw-1);
  114033. na=1;
  114034. goto L110;
  114035. L109:
  114036. dradfg(ido,ip,l1,idl1,ch,ch,ch,c,c,wa+iw-1);
  114037. na=0;
  114038. L110:
  114039. l2=l1;
  114040. }
  114041. if(na==1)return;
  114042. for(i=0;i<n;i++)c[i]=ch[i];
  114043. }
  114044. static void dradb2(int ido,int l1,float *cc,float *ch,float *wa1){
  114045. int i,k,t0,t1,t2,t3,t4,t5,t6;
  114046. float ti2,tr2;
  114047. t0=l1*ido;
  114048. t1=0;
  114049. t2=0;
  114050. t3=(ido<<1)-1;
  114051. for(k=0;k<l1;k++){
  114052. ch[t1]=cc[t2]+cc[t3+t2];
  114053. ch[t1+t0]=cc[t2]-cc[t3+t2];
  114054. t2=(t1+=ido)<<1;
  114055. }
  114056. if(ido<2)return;
  114057. if(ido==2)goto L105;
  114058. t1=0;
  114059. t2=0;
  114060. for(k=0;k<l1;k++){
  114061. t3=t1;
  114062. t5=(t4=t2)+(ido<<1);
  114063. t6=t0+t1;
  114064. for(i=2;i<ido;i+=2){
  114065. t3+=2;
  114066. t4+=2;
  114067. t5-=2;
  114068. t6+=2;
  114069. ch[t3-1]=cc[t4-1]+cc[t5-1];
  114070. tr2=cc[t4-1]-cc[t5-1];
  114071. ch[t3]=cc[t4]-cc[t5];
  114072. ti2=cc[t4]+cc[t5];
  114073. ch[t6-1]=wa1[i-2]*tr2-wa1[i-1]*ti2;
  114074. ch[t6]=wa1[i-2]*ti2+wa1[i-1]*tr2;
  114075. }
  114076. t2=(t1+=ido)<<1;
  114077. }
  114078. if(ido%2==1)return;
  114079. L105:
  114080. t1=ido-1;
  114081. t2=ido-1;
  114082. for(k=0;k<l1;k++){
  114083. ch[t1]=cc[t2]+cc[t2];
  114084. ch[t1+t0]=-(cc[t2+1]+cc[t2+1]);
  114085. t1+=ido;
  114086. t2+=ido<<1;
  114087. }
  114088. }
  114089. static void dradb3(int ido,int l1,float *cc,float *ch,float *wa1,
  114090. float *wa2){
  114091. static float taur = -.5f;
  114092. static float taui = .8660254037844386f;
  114093. int i,k,t0,t1,t2,t3,t4,t5,t6,t7,t8,t9,t10;
  114094. float ci2,ci3,di2,di3,cr2,cr3,dr2,dr3,ti2,tr2;
  114095. t0=l1*ido;
  114096. t1=0;
  114097. t2=t0<<1;
  114098. t3=ido<<1;
  114099. t4=ido+(ido<<1);
  114100. t5=0;
  114101. for(k=0;k<l1;k++){
  114102. tr2=cc[t3-1]+cc[t3-1];
  114103. cr2=cc[t5]+(taur*tr2);
  114104. ch[t1]=cc[t5]+tr2;
  114105. ci3=taui*(cc[t3]+cc[t3]);
  114106. ch[t1+t0]=cr2-ci3;
  114107. ch[t1+t2]=cr2+ci3;
  114108. t1+=ido;
  114109. t3+=t4;
  114110. t5+=t4;
  114111. }
  114112. if(ido==1)return;
  114113. t1=0;
  114114. t3=ido<<1;
  114115. for(k=0;k<l1;k++){
  114116. t7=t1+(t1<<1);
  114117. t6=(t5=t7+t3);
  114118. t8=t1;
  114119. t10=(t9=t1+t0)+t0;
  114120. for(i=2;i<ido;i+=2){
  114121. t5+=2;
  114122. t6-=2;
  114123. t7+=2;
  114124. t8+=2;
  114125. t9+=2;
  114126. t10+=2;
  114127. tr2=cc[t5-1]+cc[t6-1];
  114128. cr2=cc[t7-1]+(taur*tr2);
  114129. ch[t8-1]=cc[t7-1]+tr2;
  114130. ti2=cc[t5]-cc[t6];
  114131. ci2=cc[t7]+(taur*ti2);
  114132. ch[t8]=cc[t7]+ti2;
  114133. cr3=taui*(cc[t5-1]-cc[t6-1]);
  114134. ci3=taui*(cc[t5]+cc[t6]);
  114135. dr2=cr2-ci3;
  114136. dr3=cr2+ci3;
  114137. di2=ci2+cr3;
  114138. di3=ci2-cr3;
  114139. ch[t9-1]=wa1[i-2]*dr2-wa1[i-1]*di2;
  114140. ch[t9]=wa1[i-2]*di2+wa1[i-1]*dr2;
  114141. ch[t10-1]=wa2[i-2]*dr3-wa2[i-1]*di3;
  114142. ch[t10]=wa2[i-2]*di3+wa2[i-1]*dr3;
  114143. }
  114144. t1+=ido;
  114145. }
  114146. }
  114147. static void dradb4(int ido,int l1,float *cc,float *ch,float *wa1,
  114148. float *wa2,float *wa3){
  114149. static float sqrt2=1.414213562373095f;
  114150. int i,k,t0,t1,t2,t3,t4,t5,t6,t7,t8;
  114151. float ci2,ci3,ci4,cr2,cr3,cr4,ti1,ti2,ti3,ti4,tr1,tr2,tr3,tr4;
  114152. t0=l1*ido;
  114153. t1=0;
  114154. t2=ido<<2;
  114155. t3=0;
  114156. t6=ido<<1;
  114157. for(k=0;k<l1;k++){
  114158. t4=t3+t6;
  114159. t5=t1;
  114160. tr3=cc[t4-1]+cc[t4-1];
  114161. tr4=cc[t4]+cc[t4];
  114162. tr1=cc[t3]-cc[(t4+=t6)-1];
  114163. tr2=cc[t3]+cc[t4-1];
  114164. ch[t5]=tr2+tr3;
  114165. ch[t5+=t0]=tr1-tr4;
  114166. ch[t5+=t0]=tr2-tr3;
  114167. ch[t5+=t0]=tr1+tr4;
  114168. t1+=ido;
  114169. t3+=t2;
  114170. }
  114171. if(ido<2)return;
  114172. if(ido==2)goto L105;
  114173. t1=0;
  114174. for(k=0;k<l1;k++){
  114175. t5=(t4=(t3=(t2=t1<<2)+t6))+t6;
  114176. t7=t1;
  114177. for(i=2;i<ido;i+=2){
  114178. t2+=2;
  114179. t3+=2;
  114180. t4-=2;
  114181. t5-=2;
  114182. t7+=2;
  114183. ti1=cc[t2]+cc[t5];
  114184. ti2=cc[t2]-cc[t5];
  114185. ti3=cc[t3]-cc[t4];
  114186. tr4=cc[t3]+cc[t4];
  114187. tr1=cc[t2-1]-cc[t5-1];
  114188. tr2=cc[t2-1]+cc[t5-1];
  114189. ti4=cc[t3-1]-cc[t4-1];
  114190. tr3=cc[t3-1]+cc[t4-1];
  114191. ch[t7-1]=tr2+tr3;
  114192. cr3=tr2-tr3;
  114193. ch[t7]=ti2+ti3;
  114194. ci3=ti2-ti3;
  114195. cr2=tr1-tr4;
  114196. cr4=tr1+tr4;
  114197. ci2=ti1+ti4;
  114198. ci4=ti1-ti4;
  114199. ch[(t8=t7+t0)-1]=wa1[i-2]*cr2-wa1[i-1]*ci2;
  114200. ch[t8]=wa1[i-2]*ci2+wa1[i-1]*cr2;
  114201. ch[(t8+=t0)-1]=wa2[i-2]*cr3-wa2[i-1]*ci3;
  114202. ch[t8]=wa2[i-2]*ci3+wa2[i-1]*cr3;
  114203. ch[(t8+=t0)-1]=wa3[i-2]*cr4-wa3[i-1]*ci4;
  114204. ch[t8]=wa3[i-2]*ci4+wa3[i-1]*cr4;
  114205. }
  114206. t1+=ido;
  114207. }
  114208. if(ido%2 == 1)return;
  114209. L105:
  114210. t1=ido;
  114211. t2=ido<<2;
  114212. t3=ido-1;
  114213. t4=ido+(ido<<1);
  114214. for(k=0;k<l1;k++){
  114215. t5=t3;
  114216. ti1=cc[t1]+cc[t4];
  114217. ti2=cc[t4]-cc[t1];
  114218. tr1=cc[t1-1]-cc[t4-1];
  114219. tr2=cc[t1-1]+cc[t4-1];
  114220. ch[t5]=tr2+tr2;
  114221. ch[t5+=t0]=sqrt2*(tr1-ti1);
  114222. ch[t5+=t0]=ti2+ti2;
  114223. ch[t5+=t0]=-sqrt2*(tr1+ti1);
  114224. t3+=ido;
  114225. t1+=t2;
  114226. t4+=t2;
  114227. }
  114228. }
  114229. static void dradbg(int ido,int ip,int l1,int idl1,float *cc,float *c1,
  114230. float *c2,float *ch,float *ch2,float *wa){
  114231. static float tpi=6.283185307179586f;
  114232. int idij,ipph,i,j,k,l,ik,is,t0,t1,t2,t3,t4,t5,t6,t7,t8,t9,t10,
  114233. t11,t12;
  114234. float dc2,ai1,ai2,ar1,ar2,ds2;
  114235. int nbd;
  114236. float dcp,arg,dsp,ar1h,ar2h;
  114237. int ipp2;
  114238. t10=ip*ido;
  114239. t0=l1*ido;
  114240. arg=tpi/(float)ip;
  114241. dcp=cos(arg);
  114242. dsp=sin(arg);
  114243. nbd=(ido-1)>>1;
  114244. ipp2=ip;
  114245. ipph=(ip+1)>>1;
  114246. if(ido<l1)goto L103;
  114247. t1=0;
  114248. t2=0;
  114249. for(k=0;k<l1;k++){
  114250. t3=t1;
  114251. t4=t2;
  114252. for(i=0;i<ido;i++){
  114253. ch[t3]=cc[t4];
  114254. t3++;
  114255. t4++;
  114256. }
  114257. t1+=ido;
  114258. t2+=t10;
  114259. }
  114260. goto L106;
  114261. L103:
  114262. t1=0;
  114263. for(i=0;i<ido;i++){
  114264. t2=t1;
  114265. t3=t1;
  114266. for(k=0;k<l1;k++){
  114267. ch[t2]=cc[t3];
  114268. t2+=ido;
  114269. t3+=t10;
  114270. }
  114271. t1++;
  114272. }
  114273. L106:
  114274. t1=0;
  114275. t2=ipp2*t0;
  114276. t7=(t5=ido<<1);
  114277. for(j=1;j<ipph;j++){
  114278. t1+=t0;
  114279. t2-=t0;
  114280. t3=t1;
  114281. t4=t2;
  114282. t6=t5;
  114283. for(k=0;k<l1;k++){
  114284. ch[t3]=cc[t6-1]+cc[t6-1];
  114285. ch[t4]=cc[t6]+cc[t6];
  114286. t3+=ido;
  114287. t4+=ido;
  114288. t6+=t10;
  114289. }
  114290. t5+=t7;
  114291. }
  114292. if (ido == 1)goto L116;
  114293. if(nbd<l1)goto L112;
  114294. t1=0;
  114295. t2=ipp2*t0;
  114296. t7=0;
  114297. for(j=1;j<ipph;j++){
  114298. t1+=t0;
  114299. t2-=t0;
  114300. t3=t1;
  114301. t4=t2;
  114302. t7+=(ido<<1);
  114303. t8=t7;
  114304. for(k=0;k<l1;k++){
  114305. t5=t3;
  114306. t6=t4;
  114307. t9=t8;
  114308. t11=t8;
  114309. for(i=2;i<ido;i+=2){
  114310. t5+=2;
  114311. t6+=2;
  114312. t9+=2;
  114313. t11-=2;
  114314. ch[t5-1]=cc[t9-1]+cc[t11-1];
  114315. ch[t6-1]=cc[t9-1]-cc[t11-1];
  114316. ch[t5]=cc[t9]-cc[t11];
  114317. ch[t6]=cc[t9]+cc[t11];
  114318. }
  114319. t3+=ido;
  114320. t4+=ido;
  114321. t8+=t10;
  114322. }
  114323. }
  114324. goto L116;
  114325. L112:
  114326. t1=0;
  114327. t2=ipp2*t0;
  114328. t7=0;
  114329. for(j=1;j<ipph;j++){
  114330. t1+=t0;
  114331. t2-=t0;
  114332. t3=t1;
  114333. t4=t2;
  114334. t7+=(ido<<1);
  114335. t8=t7;
  114336. t9=t7;
  114337. for(i=2;i<ido;i+=2){
  114338. t3+=2;
  114339. t4+=2;
  114340. t8+=2;
  114341. t9-=2;
  114342. t5=t3;
  114343. t6=t4;
  114344. t11=t8;
  114345. t12=t9;
  114346. for(k=0;k<l1;k++){
  114347. ch[t5-1]=cc[t11-1]+cc[t12-1];
  114348. ch[t6-1]=cc[t11-1]-cc[t12-1];
  114349. ch[t5]=cc[t11]-cc[t12];
  114350. ch[t6]=cc[t11]+cc[t12];
  114351. t5+=ido;
  114352. t6+=ido;
  114353. t11+=t10;
  114354. t12+=t10;
  114355. }
  114356. }
  114357. }
  114358. L116:
  114359. ar1=1.f;
  114360. ai1=0.f;
  114361. t1=0;
  114362. t9=(t2=ipp2*idl1);
  114363. t3=(ip-1)*idl1;
  114364. for(l=1;l<ipph;l++){
  114365. t1+=idl1;
  114366. t2-=idl1;
  114367. ar1h=dcp*ar1-dsp*ai1;
  114368. ai1=dcp*ai1+dsp*ar1;
  114369. ar1=ar1h;
  114370. t4=t1;
  114371. t5=t2;
  114372. t6=0;
  114373. t7=idl1;
  114374. t8=t3;
  114375. for(ik=0;ik<idl1;ik++){
  114376. c2[t4++]=ch2[t6++]+ar1*ch2[t7++];
  114377. c2[t5++]=ai1*ch2[t8++];
  114378. }
  114379. dc2=ar1;
  114380. ds2=ai1;
  114381. ar2=ar1;
  114382. ai2=ai1;
  114383. t6=idl1;
  114384. t7=t9-idl1;
  114385. for(j=2;j<ipph;j++){
  114386. t6+=idl1;
  114387. t7-=idl1;
  114388. ar2h=dc2*ar2-ds2*ai2;
  114389. ai2=dc2*ai2+ds2*ar2;
  114390. ar2=ar2h;
  114391. t4=t1;
  114392. t5=t2;
  114393. t11=t6;
  114394. t12=t7;
  114395. for(ik=0;ik<idl1;ik++){
  114396. c2[t4++]+=ar2*ch2[t11++];
  114397. c2[t5++]+=ai2*ch2[t12++];
  114398. }
  114399. }
  114400. }
  114401. t1=0;
  114402. for(j=1;j<ipph;j++){
  114403. t1+=idl1;
  114404. t2=t1;
  114405. for(ik=0;ik<idl1;ik++)ch2[ik]+=ch2[t2++];
  114406. }
  114407. t1=0;
  114408. t2=ipp2*t0;
  114409. for(j=1;j<ipph;j++){
  114410. t1+=t0;
  114411. t2-=t0;
  114412. t3=t1;
  114413. t4=t2;
  114414. for(k=0;k<l1;k++){
  114415. ch[t3]=c1[t3]-c1[t4];
  114416. ch[t4]=c1[t3]+c1[t4];
  114417. t3+=ido;
  114418. t4+=ido;
  114419. }
  114420. }
  114421. if(ido==1)goto L132;
  114422. if(nbd<l1)goto L128;
  114423. t1=0;
  114424. t2=ipp2*t0;
  114425. for(j=1;j<ipph;j++){
  114426. t1+=t0;
  114427. t2-=t0;
  114428. t3=t1;
  114429. t4=t2;
  114430. for(k=0;k<l1;k++){
  114431. t5=t3;
  114432. t6=t4;
  114433. for(i=2;i<ido;i+=2){
  114434. t5+=2;
  114435. t6+=2;
  114436. ch[t5-1]=c1[t5-1]-c1[t6];
  114437. ch[t6-1]=c1[t5-1]+c1[t6];
  114438. ch[t5]=c1[t5]+c1[t6-1];
  114439. ch[t6]=c1[t5]-c1[t6-1];
  114440. }
  114441. t3+=ido;
  114442. t4+=ido;
  114443. }
  114444. }
  114445. goto L132;
  114446. L128:
  114447. t1=0;
  114448. t2=ipp2*t0;
  114449. for(j=1;j<ipph;j++){
  114450. t1+=t0;
  114451. t2-=t0;
  114452. t3=t1;
  114453. t4=t2;
  114454. for(i=2;i<ido;i+=2){
  114455. t3+=2;
  114456. t4+=2;
  114457. t5=t3;
  114458. t6=t4;
  114459. for(k=0;k<l1;k++){
  114460. ch[t5-1]=c1[t5-1]-c1[t6];
  114461. ch[t6-1]=c1[t5-1]+c1[t6];
  114462. ch[t5]=c1[t5]+c1[t6-1];
  114463. ch[t6]=c1[t5]-c1[t6-1];
  114464. t5+=ido;
  114465. t6+=ido;
  114466. }
  114467. }
  114468. }
  114469. L132:
  114470. if(ido==1)return;
  114471. for(ik=0;ik<idl1;ik++)c2[ik]=ch2[ik];
  114472. t1=0;
  114473. for(j=1;j<ip;j++){
  114474. t2=(t1+=t0);
  114475. for(k=0;k<l1;k++){
  114476. c1[t2]=ch[t2];
  114477. t2+=ido;
  114478. }
  114479. }
  114480. if(nbd>l1)goto L139;
  114481. is= -ido-1;
  114482. t1=0;
  114483. for(j=1;j<ip;j++){
  114484. is+=ido;
  114485. t1+=t0;
  114486. idij=is;
  114487. t2=t1;
  114488. for(i=2;i<ido;i+=2){
  114489. t2+=2;
  114490. idij+=2;
  114491. t3=t2;
  114492. for(k=0;k<l1;k++){
  114493. c1[t3-1]=wa[idij-1]*ch[t3-1]-wa[idij]*ch[t3];
  114494. c1[t3]=wa[idij-1]*ch[t3]+wa[idij]*ch[t3-1];
  114495. t3+=ido;
  114496. }
  114497. }
  114498. }
  114499. return;
  114500. L139:
  114501. is= -ido-1;
  114502. t1=0;
  114503. for(j=1;j<ip;j++){
  114504. is+=ido;
  114505. t1+=t0;
  114506. t2=t1;
  114507. for(k=0;k<l1;k++){
  114508. idij=is;
  114509. t3=t2;
  114510. for(i=2;i<ido;i+=2){
  114511. idij+=2;
  114512. t3+=2;
  114513. c1[t3-1]=wa[idij-1]*ch[t3-1]-wa[idij]*ch[t3];
  114514. c1[t3]=wa[idij-1]*ch[t3]+wa[idij]*ch[t3-1];
  114515. }
  114516. t2+=ido;
  114517. }
  114518. }
  114519. }
  114520. static void drftb1(int n, float *c, float *ch, float *wa, int *ifac){
  114521. int i,k1,l1,l2;
  114522. int na;
  114523. int nf,ip,iw,ix2,ix3,ido,idl1;
  114524. nf=ifac[1];
  114525. na=0;
  114526. l1=1;
  114527. iw=1;
  114528. for(k1=0;k1<nf;k1++){
  114529. ip=ifac[k1 + 2];
  114530. l2=ip*l1;
  114531. ido=n/l2;
  114532. idl1=ido*l1;
  114533. if(ip!=4)goto L103;
  114534. ix2=iw+ido;
  114535. ix3=ix2+ido;
  114536. if(na!=0)
  114537. dradb4(ido,l1,ch,c,wa+iw-1,wa+ix2-1,wa+ix3-1);
  114538. else
  114539. dradb4(ido,l1,c,ch,wa+iw-1,wa+ix2-1,wa+ix3-1);
  114540. na=1-na;
  114541. goto L115;
  114542. L103:
  114543. if(ip!=2)goto L106;
  114544. if(na!=0)
  114545. dradb2(ido,l1,ch,c,wa+iw-1);
  114546. else
  114547. dradb2(ido,l1,c,ch,wa+iw-1);
  114548. na=1-na;
  114549. goto L115;
  114550. L106:
  114551. if(ip!=3)goto L109;
  114552. ix2=iw+ido;
  114553. if(na!=0)
  114554. dradb3(ido,l1,ch,c,wa+iw-1,wa+ix2-1);
  114555. else
  114556. dradb3(ido,l1,c,ch,wa+iw-1,wa+ix2-1);
  114557. na=1-na;
  114558. goto L115;
  114559. L109:
  114560. /* The radix five case can be translated later..... */
  114561. /* if(ip!=5)goto L112;
  114562. ix2=iw+ido;
  114563. ix3=ix2+ido;
  114564. ix4=ix3+ido;
  114565. if(na!=0)
  114566. dradb5(ido,l1,ch,c,wa+iw-1,wa+ix2-1,wa+ix3-1,wa+ix4-1);
  114567. else
  114568. dradb5(ido,l1,c,ch,wa+iw-1,wa+ix2-1,wa+ix3-1,wa+ix4-1);
  114569. na=1-na;
  114570. goto L115;
  114571. L112:*/
  114572. if(na!=0)
  114573. dradbg(ido,ip,l1,idl1,ch,ch,ch,c,c,wa+iw-1);
  114574. else
  114575. dradbg(ido,ip,l1,idl1,c,c,c,ch,ch,wa+iw-1);
  114576. if(ido==1)na=1-na;
  114577. L115:
  114578. l1=l2;
  114579. iw+=(ip-1)*ido;
  114580. }
  114581. if(na==0)return;
  114582. for(i=0;i<n;i++)c[i]=ch[i];
  114583. }
  114584. void drft_forward(drft_lookup *l,float *data){
  114585. if(l->n==1)return;
  114586. drftf1(l->n,data,l->trigcache,l->trigcache+l->n,l->splitcache);
  114587. }
  114588. void drft_backward(drft_lookup *l,float *data){
  114589. if (l->n==1)return;
  114590. drftb1(l->n,data,l->trigcache,l->trigcache+l->n,l->splitcache);
  114591. }
  114592. void drft_init(drft_lookup *l,int n){
  114593. l->n=n;
  114594. l->trigcache=(float*)_ogg_calloc(3*n,sizeof(*l->trigcache));
  114595. l->splitcache=(int*)_ogg_calloc(32,sizeof(*l->splitcache));
  114596. fdrffti(n, l->trigcache, l->splitcache);
  114597. }
  114598. void drft_clear(drft_lookup *l){
  114599. if(l){
  114600. if(l->trigcache)_ogg_free(l->trigcache);
  114601. if(l->splitcache)_ogg_free(l->splitcache);
  114602. memset(l,0,sizeof(*l));
  114603. }
  114604. }
  114605. #endif
  114606. /********* End of inlined file: smallft.c *********/
  114607. /********* Start of inlined file: synthesis.c *********/
  114608. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  114609. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  114610. // tasks..
  114611. #ifdef _MSC_VER
  114612. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  114613. #endif
  114614. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  114615. #if JUCE_USE_OGGVORBIS
  114616. #include <stdio.h>
  114617. int vorbis_synthesis(vorbis_block *vb,ogg_packet *op){
  114618. vorbis_dsp_state *vd=vb->vd;
  114619. private_state *b=(private_state*)vd->backend_state;
  114620. vorbis_info *vi=vd->vi;
  114621. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  114622. oggpack_buffer *opb=&vb->opb;
  114623. int type,mode,i;
  114624. /* first things first. Make sure decode is ready */
  114625. _vorbis_block_ripcord(vb);
  114626. oggpack_readinit(opb,op->packet,op->bytes);
  114627. /* Check the packet type */
  114628. if(oggpack_read(opb,1)!=0){
  114629. /* Oops. This is not an audio data packet */
  114630. return(OV_ENOTAUDIO);
  114631. }
  114632. /* read our mode and pre/post windowsize */
  114633. mode=oggpack_read(opb,b->modebits);
  114634. if(mode==-1)return(OV_EBADPACKET);
  114635. vb->mode=mode;
  114636. vb->W=ci->mode_param[mode]->blockflag;
  114637. if(vb->W){
  114638. /* this doesn;t get mapped through mode selection as it's used
  114639. only for window selection */
  114640. vb->lW=oggpack_read(opb,1);
  114641. vb->nW=oggpack_read(opb,1);
  114642. if(vb->nW==-1) return(OV_EBADPACKET);
  114643. }else{
  114644. vb->lW=0;
  114645. vb->nW=0;
  114646. }
  114647. /* more setup */
  114648. vb->granulepos=op->granulepos;
  114649. vb->sequence=op->packetno;
  114650. vb->eofflag=op->e_o_s;
  114651. /* alloc pcm passback storage */
  114652. vb->pcmend=ci->blocksizes[vb->W];
  114653. vb->pcm=(float**)_vorbis_block_alloc(vb,sizeof(*vb->pcm)*vi->channels);
  114654. for(i=0;i<vi->channels;i++)
  114655. vb->pcm[i]=(float*)_vorbis_block_alloc(vb,vb->pcmend*sizeof(*vb->pcm[i]));
  114656. /* unpack_header enforces range checking */
  114657. type=ci->map_type[ci->mode_param[mode]->mapping];
  114658. return(_mapping_P[type]->inverse(vb,ci->map_param[ci->mode_param[mode]->
  114659. mapping]));
  114660. }
  114661. /* used to track pcm position without actually performing decode.
  114662. Useful for sequential 'fast forward' */
  114663. int vorbis_synthesis_trackonly(vorbis_block *vb,ogg_packet *op){
  114664. vorbis_dsp_state *vd=vb->vd;
  114665. private_state *b=(private_state*)vd->backend_state;
  114666. vorbis_info *vi=vd->vi;
  114667. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  114668. oggpack_buffer *opb=&vb->opb;
  114669. int mode;
  114670. /* first things first. Make sure decode is ready */
  114671. _vorbis_block_ripcord(vb);
  114672. oggpack_readinit(opb,op->packet,op->bytes);
  114673. /* Check the packet type */
  114674. if(oggpack_read(opb,1)!=0){
  114675. /* Oops. This is not an audio data packet */
  114676. return(OV_ENOTAUDIO);
  114677. }
  114678. /* read our mode and pre/post windowsize */
  114679. mode=oggpack_read(opb,b->modebits);
  114680. if(mode==-1)return(OV_EBADPACKET);
  114681. vb->mode=mode;
  114682. vb->W=ci->mode_param[mode]->blockflag;
  114683. if(vb->W){
  114684. vb->lW=oggpack_read(opb,1);
  114685. vb->nW=oggpack_read(opb,1);
  114686. if(vb->nW==-1) return(OV_EBADPACKET);
  114687. }else{
  114688. vb->lW=0;
  114689. vb->nW=0;
  114690. }
  114691. /* more setup */
  114692. vb->granulepos=op->granulepos;
  114693. vb->sequence=op->packetno;
  114694. vb->eofflag=op->e_o_s;
  114695. /* no pcm */
  114696. vb->pcmend=0;
  114697. vb->pcm=NULL;
  114698. return(0);
  114699. }
  114700. long vorbis_packet_blocksize(vorbis_info *vi,ogg_packet *op){
  114701. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  114702. oggpack_buffer opb;
  114703. int mode;
  114704. oggpack_readinit(&opb,op->packet,op->bytes);
  114705. /* Check the packet type */
  114706. if(oggpack_read(&opb,1)!=0){
  114707. /* Oops. This is not an audio data packet */
  114708. return(OV_ENOTAUDIO);
  114709. }
  114710. {
  114711. int modebits=0;
  114712. int v=ci->modes;
  114713. while(v>1){
  114714. modebits++;
  114715. v>>=1;
  114716. }
  114717. /* read our mode and pre/post windowsize */
  114718. mode=oggpack_read(&opb,modebits);
  114719. }
  114720. if(mode==-1)return(OV_EBADPACKET);
  114721. return(ci->blocksizes[ci->mode_param[mode]->blockflag]);
  114722. }
  114723. int vorbis_synthesis_halfrate(vorbis_info *vi,int flag){
  114724. /* set / clear half-sample-rate mode */
  114725. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  114726. /* right now, our MDCT can't handle < 64 sample windows. */
  114727. if(ci->blocksizes[0]<=64 && flag)return -1;
  114728. ci->halfrate_flag=(flag?1:0);
  114729. return 0;
  114730. }
  114731. int vorbis_synthesis_halfrate_p(vorbis_info *vi){
  114732. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  114733. return ci->halfrate_flag;
  114734. }
  114735. #endif
  114736. /********* End of inlined file: synthesis.c *********/
  114737. /********* Start of inlined file: vorbisenc.c *********/
  114738. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  114739. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  114740. // tasks..
  114741. #ifdef _MSC_VER
  114742. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  114743. #endif
  114744. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  114745. #if JUCE_USE_OGGVORBIS
  114746. #include <stdlib.h>
  114747. #include <string.h>
  114748. #include <math.h>
  114749. /* careful with this; it's using static array sizing to make managing
  114750. all the modes a little less annoying. If we use a residue backend
  114751. with > 12 partition types, or a different division of iteration,
  114752. this needs to be updated. */
  114753. typedef struct {
  114754. static_codebook *books[12][3];
  114755. } static_bookblock;
  114756. typedef struct {
  114757. int res_type;
  114758. int limit_type; /* 0 lowpass limited, 1 point stereo limited */
  114759. vorbis_info_residue0 *res;
  114760. static_codebook *book_aux;
  114761. static_codebook *book_aux_managed;
  114762. static_bookblock *books_base;
  114763. static_bookblock *books_base_managed;
  114764. } vorbis_residue_template;
  114765. typedef struct {
  114766. vorbis_info_mapping0 *map;
  114767. vorbis_residue_template *res;
  114768. } vorbis_mapping_template;
  114769. typedef struct vp_adjblock{
  114770. int block[P_BANDS];
  114771. } vp_adjblock;
  114772. typedef struct {
  114773. int data[NOISE_COMPAND_LEVELS];
  114774. } compandblock;
  114775. /* high level configuration information for setting things up
  114776. step-by-step with the detailed vorbis_encode_ctl interface.
  114777. There's a fair amount of redundancy such that interactive setup
  114778. does not directly deal with any vorbis_info or codec_setup_info
  114779. initialization; it's all stored (until full init) in this highlevel
  114780. setup, then flushed out to the real codec setup structs later. */
  114781. typedef struct {
  114782. int att[P_NOISECURVES];
  114783. float boost;
  114784. float decay;
  114785. } att3;
  114786. typedef struct { int data[P_NOISECURVES]; } adj3;
  114787. typedef struct {
  114788. int pre[PACKETBLOBS];
  114789. int post[PACKETBLOBS];
  114790. float kHz[PACKETBLOBS];
  114791. float lowpasskHz[PACKETBLOBS];
  114792. } adj_stereo;
  114793. typedef struct {
  114794. int lo;
  114795. int hi;
  114796. int fixed;
  114797. } noiseguard;
  114798. typedef struct {
  114799. int data[P_NOISECURVES][17];
  114800. } noise3;
  114801. typedef struct {
  114802. int mappings;
  114803. double *rate_mapping;
  114804. double *quality_mapping;
  114805. int coupling_restriction;
  114806. long samplerate_min_restriction;
  114807. long samplerate_max_restriction;
  114808. int *blocksize_short;
  114809. int *blocksize_long;
  114810. att3 *psy_tone_masteratt;
  114811. int *psy_tone_0dB;
  114812. int *psy_tone_dBsuppress;
  114813. vp_adjblock *psy_tone_adj_impulse;
  114814. vp_adjblock *psy_tone_adj_long;
  114815. vp_adjblock *psy_tone_adj_other;
  114816. noiseguard *psy_noiseguards;
  114817. noise3 *psy_noise_bias_impulse;
  114818. noise3 *psy_noise_bias_padding;
  114819. noise3 *psy_noise_bias_trans;
  114820. noise3 *psy_noise_bias_long;
  114821. int *psy_noise_dBsuppress;
  114822. compandblock *psy_noise_compand;
  114823. double *psy_noise_compand_short_mapping;
  114824. double *psy_noise_compand_long_mapping;
  114825. int *psy_noise_normal_start[2];
  114826. int *psy_noise_normal_partition[2];
  114827. double *psy_noise_normal_thresh;
  114828. int *psy_ath_float;
  114829. int *psy_ath_abs;
  114830. double *psy_lowpass;
  114831. vorbis_info_psy_global *global_params;
  114832. double *global_mapping;
  114833. adj_stereo *stereo_modes;
  114834. static_codebook ***floor_books;
  114835. vorbis_info_floor1 *floor_params;
  114836. int *floor_short_mapping;
  114837. int *floor_long_mapping;
  114838. vorbis_mapping_template *maps;
  114839. } ve_setup_data_template;
  114840. /* a few static coder conventions */
  114841. static vorbis_info_mode _mode_template[2]={
  114842. {0,0,0,0},
  114843. {1,0,0,1}
  114844. };
  114845. static vorbis_info_mapping0 _map_nominal[2]={
  114846. {1, {0,0}, {0}, {0}, 1,{0},{1}},
  114847. {1, {0,0}, {1}, {1}, 1,{0},{1}}
  114848. };
  114849. /********* Start of inlined file: setup_44.h *********/
  114850. /********* Start of inlined file: floor_all.h *********/
  114851. /********* Start of inlined file: floor_books.h *********/
  114852. static long _huff_lengthlist_line_256x7_0sub1[] = {
  114853. 0, 2, 3, 3, 3, 3, 4, 3, 4,
  114854. };
  114855. static static_codebook _huff_book_line_256x7_0sub1 = {
  114856. 1, 9,
  114857. _huff_lengthlist_line_256x7_0sub1,
  114858. 0, 0, 0, 0, 0,
  114859. NULL,
  114860. NULL,
  114861. NULL,
  114862. NULL,
  114863. 0
  114864. };
  114865. static long _huff_lengthlist_line_256x7_0sub2[] = {
  114866. 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 4, 3, 4, 3, 5, 3,
  114867. 6, 3, 6, 4, 6, 4, 7, 5, 7,
  114868. };
  114869. static static_codebook _huff_book_line_256x7_0sub2 = {
  114870. 1, 25,
  114871. _huff_lengthlist_line_256x7_0sub2,
  114872. 0, 0, 0, 0, 0,
  114873. NULL,
  114874. NULL,
  114875. NULL,
  114876. NULL,
  114877. 0
  114878. };
  114879. static long _huff_lengthlist_line_256x7_0sub3[] = {
  114880. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  114881. 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 5, 2, 5, 3, 5, 3,
  114882. 6, 3, 6, 4, 7, 6, 7, 8, 7, 9, 8, 9, 9, 9,10, 9,
  114883. 11,13,11,13,10,10,13,13,13,13,13,13,12,12,12,12,
  114884. };
  114885. static static_codebook _huff_book_line_256x7_0sub3 = {
  114886. 1, 64,
  114887. _huff_lengthlist_line_256x7_0sub3,
  114888. 0, 0, 0, 0, 0,
  114889. NULL,
  114890. NULL,
  114891. NULL,
  114892. NULL,
  114893. 0
  114894. };
  114895. static long _huff_lengthlist_line_256x7_1sub1[] = {
  114896. 0, 3, 3, 3, 3, 2, 4, 3, 4,
  114897. };
  114898. static static_codebook _huff_book_line_256x7_1sub1 = {
  114899. 1, 9,
  114900. _huff_lengthlist_line_256x7_1sub1,
  114901. 0, 0, 0, 0, 0,
  114902. NULL,
  114903. NULL,
  114904. NULL,
  114905. NULL,
  114906. 0
  114907. };
  114908. static long _huff_lengthlist_line_256x7_1sub2[] = {
  114909. 0, 0, 0, 0, 0, 0, 0, 0, 0, 2, 3, 3, 4, 3, 4, 4,
  114910. 5, 4, 6, 5, 6, 7, 6, 8, 8,
  114911. };
  114912. static static_codebook _huff_book_line_256x7_1sub2 = {
  114913. 1, 25,
  114914. _huff_lengthlist_line_256x7_1sub2,
  114915. 0, 0, 0, 0, 0,
  114916. NULL,
  114917. NULL,
  114918. NULL,
  114919. NULL,
  114920. 0
  114921. };
  114922. static long _huff_lengthlist_line_256x7_1sub3[] = {
  114923. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  114924. 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 2, 4, 3, 6, 3, 7,
  114925. 3, 8, 5, 8, 6, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  114926. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 7,
  114927. };
  114928. static static_codebook _huff_book_line_256x7_1sub3 = {
  114929. 1, 64,
  114930. _huff_lengthlist_line_256x7_1sub3,
  114931. 0, 0, 0, 0, 0,
  114932. NULL,
  114933. NULL,
  114934. NULL,
  114935. NULL,
  114936. 0
  114937. };
  114938. static long _huff_lengthlist_line_256x7_class0[] = {
  114939. 7, 5, 5, 9, 9, 6, 6, 9,12, 8, 7, 8,11, 8, 9,15,
  114940. 6, 3, 3, 7, 7, 4, 3, 6, 9, 6, 5, 6, 8, 6, 8,15,
  114941. 8, 5, 5, 9, 8, 5, 4, 6,10, 7, 5, 5,11, 8, 7,15,
  114942. 14,15,13,13,13,13, 8,11,15,10, 7, 6,11, 9,10,15,
  114943. };
  114944. static static_codebook _huff_book_line_256x7_class0 = {
  114945. 1, 64,
  114946. _huff_lengthlist_line_256x7_class0,
  114947. 0, 0, 0, 0, 0,
  114948. NULL,
  114949. NULL,
  114950. NULL,
  114951. NULL,
  114952. 0
  114953. };
  114954. static long _huff_lengthlist_line_256x7_class1[] = {
  114955. 5, 6, 8,15, 6, 9,10,15,10,11,12,15,15,15,15,15,
  114956. 4, 6, 7,15, 6, 7, 8,15, 9, 8, 9,15,15,15,15,15,
  114957. 6, 8, 9,15, 7, 7, 8,15,10, 9,10,15,15,15,15,15,
  114958. 15,13,15,15,15,10,11,15,15,13,13,15,15,15,15,15,
  114959. 4, 6, 7,15, 6, 8, 9,15,10,10,12,15,15,15,15,15,
  114960. 2, 5, 6,15, 5, 6, 7,15, 8, 6, 7,15,15,15,15,15,
  114961. 5, 6, 8,15, 5, 6, 7,15, 9, 6, 7,15,15,15,15,15,
  114962. 14,12,13,15,12,10,11,15,15,15,15,15,15,15,15,15,
  114963. 7, 8, 9,15, 9,10,10,15,15,14,14,15,15,15,15,15,
  114964. 5, 6, 7,15, 7, 8, 9,15,12, 9,10,15,15,15,15,15,
  114965. 7, 7, 9,15, 7, 7, 8,15,12, 8, 9,15,15,15,15,15,
  114966. 13,13,14,15,12,11,12,15,15,15,15,15,15,15,15,15,
  114967. 15,15,15,15,15,15,15,15,15,15,15,15,15,15,15,15,
  114968. 13,13,13,15,15,15,15,15,15,15,15,15,15,15,15,15,
  114969. 15,12,13,15,15,12,13,15,15,14,15,15,15,15,15,15,
  114970. 15,15,15,15,15,15,13,15,15,15,15,15,15,15,15,15,
  114971. };
  114972. static static_codebook _huff_book_line_256x7_class1 = {
  114973. 1, 256,
  114974. _huff_lengthlist_line_256x7_class1,
  114975. 0, 0, 0, 0, 0,
  114976. NULL,
  114977. NULL,
  114978. NULL,
  114979. NULL,
  114980. 0
  114981. };
  114982. static long _huff_lengthlist_line_512x17_0sub0[] = {
  114983. 4, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5,
  114984. 5, 6, 5, 6, 6, 6, 6, 5, 6, 6, 7, 6, 7, 6, 7, 6,
  114985. 7, 6, 8, 7, 8, 7, 8, 7, 8, 7, 8, 7, 9, 7, 9, 7,
  114986. 9, 7, 9, 8, 9, 8,10, 8,10, 8,10, 7,10, 6,10, 8,
  114987. 10, 8,11, 7,10, 7,11, 8,11,11,12,12,11,11,12,11,
  114988. 13,11,13,11,13,12,15,12,13,13,14,14,14,14,14,15,
  114989. 15,15,16,14,17,19,19,18,18,18,18,18,18,18,18,18,
  114990. 18,18,18,18,18,18,18,18,18,18,18,18,18,18,18,18,
  114991. };
  114992. static static_codebook _huff_book_line_512x17_0sub0 = {
  114993. 1, 128,
  114994. _huff_lengthlist_line_512x17_0sub0,
  114995. 0, 0, 0, 0, 0,
  114996. NULL,
  114997. NULL,
  114998. NULL,
  114999. NULL,
  115000. 0
  115001. };
  115002. static long _huff_lengthlist_line_512x17_1sub0[] = {
  115003. 2, 4, 5, 4, 5, 4, 5, 4, 5, 5, 5, 5, 5, 5, 6, 5,
  115004. 6, 5, 6, 6, 7, 6, 7, 6, 8, 7, 8, 7, 8, 7, 8, 7,
  115005. };
  115006. static static_codebook _huff_book_line_512x17_1sub0 = {
  115007. 1, 32,
  115008. _huff_lengthlist_line_512x17_1sub0,
  115009. 0, 0, 0, 0, 0,
  115010. NULL,
  115011. NULL,
  115012. NULL,
  115013. NULL,
  115014. 0
  115015. };
  115016. static long _huff_lengthlist_line_512x17_1sub1[] = {
  115017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115019. 4, 3, 5, 3, 5, 4, 5, 4, 5, 4, 5, 5, 5, 5, 6, 5,
  115020. 6, 5, 7, 5, 8, 6, 8, 6, 8, 6, 8, 6, 8, 7, 9, 7,
  115021. 9, 7,11, 9,11,11,12,11,14,12,14,16,14,16,13,16,
  115022. 14,16,12,15,13,16,14,16,13,14,12,15,13,15,13,13,
  115023. 13,15,12,14,14,15,13,15,12,15,15,15,15,15,15,15,
  115024. 15,15,15,15,15,15,15,15,15,15,15,15,15,15,15,15,
  115025. };
  115026. static static_codebook _huff_book_line_512x17_1sub1 = {
  115027. 1, 128,
  115028. _huff_lengthlist_line_512x17_1sub1,
  115029. 0, 0, 0, 0, 0,
  115030. NULL,
  115031. NULL,
  115032. NULL,
  115033. NULL,
  115034. 0
  115035. };
  115036. static long _huff_lengthlist_line_512x17_2sub1[] = {
  115037. 0, 4, 5, 4, 4, 4, 5, 4, 4, 4, 5, 4, 5, 4, 5, 3,
  115038. 5, 3,
  115039. };
  115040. static static_codebook _huff_book_line_512x17_2sub1 = {
  115041. 1, 18,
  115042. _huff_lengthlist_line_512x17_2sub1,
  115043. 0, 0, 0, 0, 0,
  115044. NULL,
  115045. NULL,
  115046. NULL,
  115047. NULL,
  115048. 0
  115049. };
  115050. static long _huff_lengthlist_line_512x17_2sub2[] = {
  115051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115052. 0, 0, 4, 3, 4, 3, 4, 4, 5, 4, 5, 4, 6, 4, 6, 5,
  115053. 6, 5, 7, 5, 7, 6, 8, 6, 8, 6, 8, 7, 8, 7, 9, 7,
  115054. 9, 8,
  115055. };
  115056. static static_codebook _huff_book_line_512x17_2sub2 = {
  115057. 1, 50,
  115058. _huff_lengthlist_line_512x17_2sub2,
  115059. 0, 0, 0, 0, 0,
  115060. NULL,
  115061. NULL,
  115062. NULL,
  115063. NULL,
  115064. 0
  115065. };
  115066. static long _huff_lengthlist_line_512x17_2sub3[] = {
  115067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115070. 0, 0, 3, 3, 3, 3, 4, 3, 4, 4, 5, 5, 6, 6, 7, 7,
  115071. 7, 8, 8,11, 8, 9, 9, 9,10,11,11,11, 9,10,10,11,
  115072. 11,11,11,10,10,10,10,10,10,10,10,10,10,10,10,10,
  115073. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  115074. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  115075. };
  115076. static static_codebook _huff_book_line_512x17_2sub3 = {
  115077. 1, 128,
  115078. _huff_lengthlist_line_512x17_2sub3,
  115079. 0, 0, 0, 0, 0,
  115080. NULL,
  115081. NULL,
  115082. NULL,
  115083. NULL,
  115084. 0
  115085. };
  115086. static long _huff_lengthlist_line_512x17_3sub1[] = {
  115087. 0, 4, 4, 4, 4, 4, 4, 3, 4, 4, 4, 4, 4, 5, 4, 5,
  115088. 5, 5,
  115089. };
  115090. static static_codebook _huff_book_line_512x17_3sub1 = {
  115091. 1, 18,
  115092. _huff_lengthlist_line_512x17_3sub1,
  115093. 0, 0, 0, 0, 0,
  115094. NULL,
  115095. NULL,
  115096. NULL,
  115097. NULL,
  115098. 0
  115099. };
  115100. static long _huff_lengthlist_line_512x17_3sub2[] = {
  115101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115102. 0, 0, 2, 3, 3, 4, 3, 5, 4, 6, 4, 6, 5, 7, 6, 7,
  115103. 6, 8, 6, 8, 7, 9, 8,10, 8,12, 9,13,10,15,10,15,
  115104. 11,14,
  115105. };
  115106. static static_codebook _huff_book_line_512x17_3sub2 = {
  115107. 1, 50,
  115108. _huff_lengthlist_line_512x17_3sub2,
  115109. 0, 0, 0, 0, 0,
  115110. NULL,
  115111. NULL,
  115112. NULL,
  115113. NULL,
  115114. 0
  115115. };
  115116. static long _huff_lengthlist_line_512x17_3sub3[] = {
  115117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115120. 0, 0, 4, 8, 4, 8, 4, 8, 4, 8, 5, 8, 5, 8, 6, 8,
  115121. 4, 8, 4, 8, 5, 8, 5, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115122. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115123. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115124. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115125. };
  115126. static static_codebook _huff_book_line_512x17_3sub3 = {
  115127. 1, 128,
  115128. _huff_lengthlist_line_512x17_3sub3,
  115129. 0, 0, 0, 0, 0,
  115130. NULL,
  115131. NULL,
  115132. NULL,
  115133. NULL,
  115134. 0
  115135. };
  115136. static long _huff_lengthlist_line_512x17_class1[] = {
  115137. 1, 2, 3, 6, 5, 4, 7, 7,
  115138. };
  115139. static static_codebook _huff_book_line_512x17_class1 = {
  115140. 1, 8,
  115141. _huff_lengthlist_line_512x17_class1,
  115142. 0, 0, 0, 0, 0,
  115143. NULL,
  115144. NULL,
  115145. NULL,
  115146. NULL,
  115147. 0
  115148. };
  115149. static long _huff_lengthlist_line_512x17_class2[] = {
  115150. 3, 3, 3,14, 5, 4, 4,11, 8, 6, 6,10,17,12,11,17,
  115151. 6, 5, 5,15, 5, 3, 4,11, 8, 5, 5, 8,16, 9,10,14,
  115152. 10, 8, 9,17, 8, 6, 6,13,10, 7, 7,10,16,11,13,14,
  115153. 17,17,17,17,17,16,16,16,16,15,16,16,16,16,16,16,
  115154. };
  115155. static static_codebook _huff_book_line_512x17_class2 = {
  115156. 1, 64,
  115157. _huff_lengthlist_line_512x17_class2,
  115158. 0, 0, 0, 0, 0,
  115159. NULL,
  115160. NULL,
  115161. NULL,
  115162. NULL,
  115163. 0
  115164. };
  115165. static long _huff_lengthlist_line_512x17_class3[] = {
  115166. 2, 4, 6,17, 4, 5, 7,17, 8, 7,10,17,17,17,17,17,
  115167. 3, 4, 6,15, 3, 3, 6,15, 7, 6, 9,17,17,17,17,17,
  115168. 6, 8,10,17, 6, 6, 8,16, 9, 8,10,17,17,15,16,17,
  115169. 17,17,17,17,12,15,15,16,12,15,15,16,16,16,16,16,
  115170. };
  115171. static static_codebook _huff_book_line_512x17_class3 = {
  115172. 1, 64,
  115173. _huff_lengthlist_line_512x17_class3,
  115174. 0, 0, 0, 0, 0,
  115175. NULL,
  115176. NULL,
  115177. NULL,
  115178. NULL,
  115179. 0
  115180. };
  115181. static long _huff_lengthlist_line_128x4_class0[] = {
  115182. 7, 7, 7,11, 6, 6, 7,11, 7, 6, 6,10,12,10,10,13,
  115183. 7, 7, 8,11, 7, 7, 7,11, 7, 6, 7,10,11,10,10,13,
  115184. 10,10, 9,12, 9, 9, 9,11, 8, 8, 8,11,13,11,10,14,
  115185. 15,15,14,15,15,14,13,14,15,12,12,17,17,17,17,17,
  115186. 7, 7, 6, 9, 6, 6, 6, 9, 7, 6, 6, 8,11,11,10,12,
  115187. 7, 7, 7, 9, 7, 6, 6, 9, 7, 6, 6, 9,13,10,10,11,
  115188. 10, 9, 8,10, 9, 8, 8,10, 8, 8, 7, 9,13,12,10,11,
  115189. 17,14,14,13,15,14,12,13,17,13,12,15,17,17,14,17,
  115190. 7, 6, 6, 7, 6, 6, 5, 7, 6, 6, 6, 6,11, 9, 9, 9,
  115191. 7, 7, 6, 7, 7, 6, 6, 7, 6, 6, 6, 6,10, 9, 8, 9,
  115192. 10, 9, 8, 8, 9, 8, 7, 8, 8, 7, 6, 8,11,10, 9,10,
  115193. 17,17,12,15,15,15,12,14,14,14,10,12,15,13,12,13,
  115194. 11,10, 8,10,11,10, 8, 8,10, 9, 7, 7,10, 9, 9,11,
  115195. 11,11, 9,10,11,10, 8, 9,10, 8, 6, 8,10, 9, 9,11,
  115196. 14,13,10,12,12,11,10,10, 8, 7, 8,10,10,11,11,12,
  115197. 17,17,15,17,17,17,17,17,17,13,12,17,17,17,14,17,
  115198. };
  115199. static static_codebook _huff_book_line_128x4_class0 = {
  115200. 1, 256,
  115201. _huff_lengthlist_line_128x4_class0,
  115202. 0, 0, 0, 0, 0,
  115203. NULL,
  115204. NULL,
  115205. NULL,
  115206. NULL,
  115207. 0
  115208. };
  115209. static long _huff_lengthlist_line_128x4_0sub0[] = {
  115210. 2, 2, 2, 2,
  115211. };
  115212. static static_codebook _huff_book_line_128x4_0sub0 = {
  115213. 1, 4,
  115214. _huff_lengthlist_line_128x4_0sub0,
  115215. 0, 0, 0, 0, 0,
  115216. NULL,
  115217. NULL,
  115218. NULL,
  115219. NULL,
  115220. 0
  115221. };
  115222. static long _huff_lengthlist_line_128x4_0sub1[] = {
  115223. 0, 0, 0, 0, 3, 2, 3, 2, 3, 3,
  115224. };
  115225. static static_codebook _huff_book_line_128x4_0sub1 = {
  115226. 1, 10,
  115227. _huff_lengthlist_line_128x4_0sub1,
  115228. 0, 0, 0, 0, 0,
  115229. NULL,
  115230. NULL,
  115231. NULL,
  115232. NULL,
  115233. 0
  115234. };
  115235. static long _huff_lengthlist_line_128x4_0sub2[] = {
  115236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 3, 4, 3, 4, 3,
  115237. 4, 4, 5, 4, 5, 4, 6, 5, 6,
  115238. };
  115239. static static_codebook _huff_book_line_128x4_0sub2 = {
  115240. 1, 25,
  115241. _huff_lengthlist_line_128x4_0sub2,
  115242. 0, 0, 0, 0, 0,
  115243. NULL,
  115244. NULL,
  115245. NULL,
  115246. NULL,
  115247. 0
  115248. };
  115249. static long _huff_lengthlist_line_128x4_0sub3[] = {
  115250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 2, 4, 3, 5, 3, 5, 3,
  115252. 5, 4, 6, 5, 6, 5, 7, 6, 6, 7, 7, 9, 9,11,11,16,
  115253. 11,14,10,11,11,13,16,15,15,15,15,15,15,15,15,15,
  115254. };
  115255. static static_codebook _huff_book_line_128x4_0sub3 = {
  115256. 1, 64,
  115257. _huff_lengthlist_line_128x4_0sub3,
  115258. 0, 0, 0, 0, 0,
  115259. NULL,
  115260. NULL,
  115261. NULL,
  115262. NULL,
  115263. 0
  115264. };
  115265. static long _huff_lengthlist_line_256x4_class0[] = {
  115266. 6, 7, 7,12, 6, 6, 7,12, 7, 6, 6,10,15,12,11,13,
  115267. 7, 7, 8,13, 7, 7, 8,12, 7, 7, 7,11,12,12,11,13,
  115268. 10, 9, 9,11, 9, 9, 9,10,10, 8, 8,12,14,12,12,14,
  115269. 11,11,12,14,11,12,11,15,15,12,13,15,15,15,15,15,
  115270. 6, 6, 7,10, 6, 6, 6,11, 7, 6, 6, 9,14,12,11,13,
  115271. 7, 7, 7,10, 6, 6, 7, 9, 7, 7, 6,10,13,12,10,12,
  115272. 9, 9, 9,11, 9, 9, 8, 9, 9, 8, 8,10,13,12,10,12,
  115273. 12,12,11,13,12,12,11,12,15,13,12,15,15,15,14,14,
  115274. 6, 6, 6, 8, 6, 6, 5, 6, 7, 7, 6, 5,11,10, 9, 8,
  115275. 7, 6, 6, 7, 6, 6, 5, 6, 7, 7, 6, 6,11,10, 9, 8,
  115276. 8, 8, 8, 9, 8, 8, 7, 8, 8, 8, 6, 7,11,10, 9, 9,
  115277. 14,11,10,14,14,11,10,15,13,11, 9,11,15,12,12,11,
  115278. 11, 9, 8, 8,10, 9, 8, 9,11,10, 9, 8,12,11,12,11,
  115279. 13,10, 8, 9,11,10, 8, 9,10, 9, 8, 9,10, 8,12,12,
  115280. 15,11,10,10,13,11,10,10, 8, 8, 7,12,10, 9,11,12,
  115281. 15,12,11,15,13,11,11,15,12,14,11,13,15,15,13,13,
  115282. };
  115283. static static_codebook _huff_book_line_256x4_class0 = {
  115284. 1, 256,
  115285. _huff_lengthlist_line_256x4_class0,
  115286. 0, 0, 0, 0, 0,
  115287. NULL,
  115288. NULL,
  115289. NULL,
  115290. NULL,
  115291. 0
  115292. };
  115293. static long _huff_lengthlist_line_256x4_0sub0[] = {
  115294. 2, 2, 2, 2,
  115295. };
  115296. static static_codebook _huff_book_line_256x4_0sub0 = {
  115297. 1, 4,
  115298. _huff_lengthlist_line_256x4_0sub0,
  115299. 0, 0, 0, 0, 0,
  115300. NULL,
  115301. NULL,
  115302. NULL,
  115303. NULL,
  115304. 0
  115305. };
  115306. static long _huff_lengthlist_line_256x4_0sub1[] = {
  115307. 0, 0, 0, 0, 2, 2, 3, 3, 3, 3,
  115308. };
  115309. static static_codebook _huff_book_line_256x4_0sub1 = {
  115310. 1, 10,
  115311. _huff_lengthlist_line_256x4_0sub1,
  115312. 0, 0, 0, 0, 0,
  115313. NULL,
  115314. NULL,
  115315. NULL,
  115316. NULL,
  115317. 0
  115318. };
  115319. static long _huff_lengthlist_line_256x4_0sub2[] = {
  115320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 3, 4, 3, 4, 3,
  115321. 5, 3, 5, 4, 5, 4, 6, 4, 6,
  115322. };
  115323. static static_codebook _huff_book_line_256x4_0sub2 = {
  115324. 1, 25,
  115325. _huff_lengthlist_line_256x4_0sub2,
  115326. 0, 0, 0, 0, 0,
  115327. NULL,
  115328. NULL,
  115329. NULL,
  115330. NULL,
  115331. 0
  115332. };
  115333. static long _huff_lengthlist_line_256x4_0sub3[] = {
  115334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 2, 4, 3, 5, 3, 5, 3,
  115336. 6, 4, 7, 4, 7, 5, 7, 6, 7, 6, 7, 8,10,13,13,13,
  115337. 13,13,13,13,13,13,13,13,13,13,13,12,12,12,12,12,
  115338. };
  115339. static static_codebook _huff_book_line_256x4_0sub3 = {
  115340. 1, 64,
  115341. _huff_lengthlist_line_256x4_0sub3,
  115342. 0, 0, 0, 0, 0,
  115343. NULL,
  115344. NULL,
  115345. NULL,
  115346. NULL,
  115347. 0
  115348. };
  115349. static long _huff_lengthlist_line_128x7_class0[] = {
  115350. 10, 7, 8,13, 9, 6, 7,11,10, 8, 8,12,17,17,17,17,
  115351. 7, 5, 5, 9, 6, 4, 4, 8, 8, 5, 5, 8,16,14,13,16,
  115352. 7, 5, 5, 7, 6, 3, 3, 5, 8, 5, 4, 7,14,12,12,15,
  115353. 10, 7, 8, 9, 7, 5, 5, 6, 9, 6, 5, 5,15,12, 9,10,
  115354. };
  115355. static static_codebook _huff_book_line_128x7_class0 = {
  115356. 1, 64,
  115357. _huff_lengthlist_line_128x7_class0,
  115358. 0, 0, 0, 0, 0,
  115359. NULL,
  115360. NULL,
  115361. NULL,
  115362. NULL,
  115363. 0
  115364. };
  115365. static long _huff_lengthlist_line_128x7_class1[] = {
  115366. 8,13,17,17, 8,11,17,17,11,13,17,17,17,17,17,17,
  115367. 6,10,16,17, 6,10,15,17, 8,10,16,17,17,17,17,17,
  115368. 9,13,15,17, 8,11,17,17,10,12,17,17,17,17,17,17,
  115369. 17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,
  115370. 6,11,15,17, 7,10,15,17, 8,10,17,17,17,15,17,17,
  115371. 4, 8,13,17, 4, 7,13,17, 6, 8,15,17,16,15,17,17,
  115372. 6,11,15,17, 6, 9,13,17, 8,10,17,17,15,17,17,17,
  115373. 16,17,17,17,12,14,15,17,13,14,15,17,17,17,17,17,
  115374. 5,10,14,17, 5, 9,14,17, 7, 9,15,17,15,15,17,17,
  115375. 3, 7,12,17, 3, 6,11,17, 5, 7,13,17,12,12,17,17,
  115376. 5, 9,14,17, 3, 7,11,17, 5, 8,13,17,13,11,16,17,
  115377. 12,17,17,17, 9,14,15,17,10,11,14,17,16,14,17,17,
  115378. 8,12,17,17, 8,12,17,17,10,12,17,17,17,17,17,17,
  115379. 5,10,17,17, 5, 9,15,17, 7, 9,17,17,13,13,17,17,
  115380. 7,11,17,17, 6,10,15,17, 7, 9,15,17,12,11,17,17,
  115381. 12,15,17,17,11,14,17,17,11,10,15,17,17,16,17,17,
  115382. };
  115383. static static_codebook _huff_book_line_128x7_class1 = {
  115384. 1, 256,
  115385. _huff_lengthlist_line_128x7_class1,
  115386. 0, 0, 0, 0, 0,
  115387. NULL,
  115388. NULL,
  115389. NULL,
  115390. NULL,
  115391. 0
  115392. };
  115393. static long _huff_lengthlist_line_128x7_0sub1[] = {
  115394. 0, 3, 3, 3, 3, 3, 3, 3, 3,
  115395. };
  115396. static static_codebook _huff_book_line_128x7_0sub1 = {
  115397. 1, 9,
  115398. _huff_lengthlist_line_128x7_0sub1,
  115399. 0, 0, 0, 0, 0,
  115400. NULL,
  115401. NULL,
  115402. NULL,
  115403. NULL,
  115404. 0
  115405. };
  115406. static long _huff_lengthlist_line_128x7_0sub2[] = {
  115407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 3, 3, 4, 4, 4, 4,
  115408. 5, 4, 5, 4, 5, 4, 6, 4, 6,
  115409. };
  115410. static static_codebook _huff_book_line_128x7_0sub2 = {
  115411. 1, 25,
  115412. _huff_lengthlist_line_128x7_0sub2,
  115413. 0, 0, 0, 0, 0,
  115414. NULL,
  115415. NULL,
  115416. NULL,
  115417. NULL,
  115418. 0
  115419. };
  115420. static long _huff_lengthlist_line_128x7_0sub3[] = {
  115421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 5, 3, 5, 3, 5, 4,
  115423. 5, 4, 5, 5, 5, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 5,
  115424. 7, 8, 9,11,13,13,13,13,13,13,13,13,13,13,13,13,
  115425. };
  115426. static static_codebook _huff_book_line_128x7_0sub3 = {
  115427. 1, 64,
  115428. _huff_lengthlist_line_128x7_0sub3,
  115429. 0, 0, 0, 0, 0,
  115430. NULL,
  115431. NULL,
  115432. NULL,
  115433. NULL,
  115434. 0
  115435. };
  115436. static long _huff_lengthlist_line_128x7_1sub1[] = {
  115437. 0, 3, 3, 2, 3, 3, 4, 3, 4,
  115438. };
  115439. static static_codebook _huff_book_line_128x7_1sub1 = {
  115440. 1, 9,
  115441. _huff_lengthlist_line_128x7_1sub1,
  115442. 0, 0, 0, 0, 0,
  115443. NULL,
  115444. NULL,
  115445. NULL,
  115446. NULL,
  115447. 0
  115448. };
  115449. static long _huff_lengthlist_line_128x7_1sub2[] = {
  115450. 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 4, 3, 6, 3, 6, 3,
  115451. 6, 3, 7, 3, 8, 4, 9, 4, 9,
  115452. };
  115453. static static_codebook _huff_book_line_128x7_1sub2 = {
  115454. 1, 25,
  115455. _huff_lengthlist_line_128x7_1sub2,
  115456. 0, 0, 0, 0, 0,
  115457. NULL,
  115458. NULL,
  115459. NULL,
  115460. NULL,
  115461. 0
  115462. };
  115463. static long _huff_lengthlist_line_128x7_1sub3[] = {
  115464. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115465. 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 7, 2, 7, 3, 8, 4,
  115466. 9, 5, 9, 8,10,11,11,12,14,14,14,14,14,14,14,14,
  115467. 14,14,14,14,14,14,14,14,14,14,14,14,13,13,13,13,
  115468. };
  115469. static static_codebook _huff_book_line_128x7_1sub3 = {
  115470. 1, 64,
  115471. _huff_lengthlist_line_128x7_1sub3,
  115472. 0, 0, 0, 0, 0,
  115473. NULL,
  115474. NULL,
  115475. NULL,
  115476. NULL,
  115477. 0
  115478. };
  115479. static long _huff_lengthlist_line_128x11_class1[] = {
  115480. 1, 6, 3, 7, 2, 4, 5, 7,
  115481. };
  115482. static static_codebook _huff_book_line_128x11_class1 = {
  115483. 1, 8,
  115484. _huff_lengthlist_line_128x11_class1,
  115485. 0, 0, 0, 0, 0,
  115486. NULL,
  115487. NULL,
  115488. NULL,
  115489. NULL,
  115490. 0
  115491. };
  115492. static long _huff_lengthlist_line_128x11_class2[] = {
  115493. 1, 6,12,16, 4,12,15,16, 9,15,16,16,16,16,16,16,
  115494. 2, 5,11,16, 5,11,13,16, 9,13,16,16,16,16,16,16,
  115495. 4, 8,12,16, 5, 9,12,16, 9,13,15,16,16,16,16,16,
  115496. 15,16,16,16,11,14,13,16,12,15,16,16,16,16,16,15,
  115497. };
  115498. static static_codebook _huff_book_line_128x11_class2 = {
  115499. 1, 64,
  115500. _huff_lengthlist_line_128x11_class2,
  115501. 0, 0, 0, 0, 0,
  115502. NULL,
  115503. NULL,
  115504. NULL,
  115505. NULL,
  115506. 0
  115507. };
  115508. static long _huff_lengthlist_line_128x11_class3[] = {
  115509. 7, 6, 9,17, 7, 6, 8,17,12, 9,11,16,16,16,16,16,
  115510. 5, 4, 7,16, 5, 3, 6,14, 9, 6, 8,15,16,16,16,16,
  115511. 5, 4, 6,13, 3, 2, 4,11, 7, 4, 6,13,16,11,10,14,
  115512. 12,12,12,16, 9, 7,10,15,12, 9,11,16,16,15,15,16,
  115513. };
  115514. static static_codebook _huff_book_line_128x11_class3 = {
  115515. 1, 64,
  115516. _huff_lengthlist_line_128x11_class3,
  115517. 0, 0, 0, 0, 0,
  115518. NULL,
  115519. NULL,
  115520. NULL,
  115521. NULL,
  115522. 0
  115523. };
  115524. static long _huff_lengthlist_line_128x11_0sub0[] = {
  115525. 5, 5, 5, 5, 5, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 5,
  115526. 6, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 6, 6, 6, 7, 6,
  115527. 7, 6, 7, 6, 7, 6, 7, 6, 7, 6, 8, 6, 8, 6, 8, 7,
  115528. 8, 7, 8, 7, 8, 7, 9, 7, 9, 8, 9, 8, 9, 8,10, 8,
  115529. 10, 9,10, 9,10, 9,11, 9,11, 9,10,10,11,10,11,10,
  115530. 11,11,11,11,11,11,12,13,14,14,14,15,15,16,16,16,
  115531. 17,15,16,15,16,16,17,17,16,17,17,17,17,17,17,17,
  115532. 17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,
  115533. };
  115534. static static_codebook _huff_book_line_128x11_0sub0 = {
  115535. 1, 128,
  115536. _huff_lengthlist_line_128x11_0sub0,
  115537. 0, 0, 0, 0, 0,
  115538. NULL,
  115539. NULL,
  115540. NULL,
  115541. NULL,
  115542. 0
  115543. };
  115544. static long _huff_lengthlist_line_128x11_1sub0[] = {
  115545. 2, 5, 5, 5, 5, 5, 5, 4, 5, 5, 5, 5, 5, 5, 5, 5,
  115546. 6, 5, 6, 5, 6, 5, 7, 6, 7, 6, 7, 6, 8, 6, 8, 6,
  115547. };
  115548. static static_codebook _huff_book_line_128x11_1sub0 = {
  115549. 1, 32,
  115550. _huff_lengthlist_line_128x11_1sub0,
  115551. 0, 0, 0, 0, 0,
  115552. NULL,
  115553. NULL,
  115554. NULL,
  115555. NULL,
  115556. 0
  115557. };
  115558. static long _huff_lengthlist_line_128x11_1sub1[] = {
  115559. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115560. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115561. 5, 3, 5, 3, 6, 4, 6, 4, 7, 4, 7, 4, 7, 4, 8, 4,
  115562. 8, 4, 9, 5, 9, 5, 9, 5, 9, 6,10, 6,10, 6,11, 7,
  115563. 10, 7,10, 8,11, 9,11, 9,11,10,11,11,12,11,11,12,
  115564. 15,15,12,14,11,14,12,14,11,14,13,14,12,14,11,14,
  115565. 11,14,12,14,11,14,11,14,13,13,14,14,14,14,14,14,
  115566. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  115567. };
  115568. static static_codebook _huff_book_line_128x11_1sub1 = {
  115569. 1, 128,
  115570. _huff_lengthlist_line_128x11_1sub1,
  115571. 0, 0, 0, 0, 0,
  115572. NULL,
  115573. NULL,
  115574. NULL,
  115575. NULL,
  115576. 0
  115577. };
  115578. static long _huff_lengthlist_line_128x11_2sub1[] = {
  115579. 0, 4, 5, 4, 5, 4, 5, 3, 5, 3, 5, 3, 5, 4, 4, 4,
  115580. 5, 5,
  115581. };
  115582. static static_codebook _huff_book_line_128x11_2sub1 = {
  115583. 1, 18,
  115584. _huff_lengthlist_line_128x11_2sub1,
  115585. 0, 0, 0, 0, 0,
  115586. NULL,
  115587. NULL,
  115588. NULL,
  115589. NULL,
  115590. 0
  115591. };
  115592. static long _huff_lengthlist_line_128x11_2sub2[] = {
  115593. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115594. 0, 0, 3, 3, 3, 4, 4, 4, 4, 5, 4, 5, 4, 6, 5, 7,
  115595. 5, 7, 6, 8, 6, 8, 6, 9, 7, 9, 7,10, 7, 9, 8,11,
  115596. 8,11,
  115597. };
  115598. static static_codebook _huff_book_line_128x11_2sub2 = {
  115599. 1, 50,
  115600. _huff_lengthlist_line_128x11_2sub2,
  115601. 0, 0, 0, 0, 0,
  115602. NULL,
  115603. NULL,
  115604. NULL,
  115605. NULL,
  115606. 0
  115607. };
  115608. static long _huff_lengthlist_line_128x11_2sub3[] = {
  115609. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115610. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115611. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115612. 0, 0, 4, 8, 3, 8, 4, 8, 4, 8, 6, 8, 5, 8, 4, 8,
  115613. 4, 8, 6, 8, 7, 8, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115614. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115615. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115616. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115617. };
  115618. static static_codebook _huff_book_line_128x11_2sub3 = {
  115619. 1, 128,
  115620. _huff_lengthlist_line_128x11_2sub3,
  115621. 0, 0, 0, 0, 0,
  115622. NULL,
  115623. NULL,
  115624. NULL,
  115625. NULL,
  115626. 0
  115627. };
  115628. static long _huff_lengthlist_line_128x11_3sub1[] = {
  115629. 0, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 5, 4,
  115630. 5, 4,
  115631. };
  115632. static static_codebook _huff_book_line_128x11_3sub1 = {
  115633. 1, 18,
  115634. _huff_lengthlist_line_128x11_3sub1,
  115635. 0, 0, 0, 0, 0,
  115636. NULL,
  115637. NULL,
  115638. NULL,
  115639. NULL,
  115640. 0
  115641. };
  115642. static long _huff_lengthlist_line_128x11_3sub2[] = {
  115643. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115644. 0, 0, 5, 3, 5, 4, 6, 4, 6, 4, 7, 4, 7, 4, 8, 4,
  115645. 8, 4, 9, 4, 9, 4,10, 4,10, 5,10, 5,11, 5,12, 6,
  115646. 12, 6,
  115647. };
  115648. static static_codebook _huff_book_line_128x11_3sub2 = {
  115649. 1, 50,
  115650. _huff_lengthlist_line_128x11_3sub2,
  115651. 0, 0, 0, 0, 0,
  115652. NULL,
  115653. NULL,
  115654. NULL,
  115655. NULL,
  115656. 0
  115657. };
  115658. static long _huff_lengthlist_line_128x11_3sub3[] = {
  115659. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115660. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115661. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115662. 0, 0, 7, 1, 6, 3, 7, 3, 8, 4, 8, 5, 8, 8, 8, 9,
  115663. 7, 8, 8, 7, 7, 7, 8, 9,10, 9, 9,10,10,10,10,10,
  115664. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  115665. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  115666. 10,10,10,10,10,10,10,10,10,10,10,10,10,10, 9, 9,
  115667. };
  115668. static static_codebook _huff_book_line_128x11_3sub3 = {
  115669. 1, 128,
  115670. _huff_lengthlist_line_128x11_3sub3,
  115671. 0, 0, 0, 0, 0,
  115672. NULL,
  115673. NULL,
  115674. NULL,
  115675. NULL,
  115676. 0
  115677. };
  115678. static long _huff_lengthlist_line_128x17_class1[] = {
  115679. 1, 3, 4, 7, 2, 5, 6, 7,
  115680. };
  115681. static static_codebook _huff_book_line_128x17_class1 = {
  115682. 1, 8,
  115683. _huff_lengthlist_line_128x17_class1,
  115684. 0, 0, 0, 0, 0,
  115685. NULL,
  115686. NULL,
  115687. NULL,
  115688. NULL,
  115689. 0
  115690. };
  115691. static long _huff_lengthlist_line_128x17_class2[] = {
  115692. 1, 4,10,19, 3, 8,13,19, 7,12,19,19,19,19,19,19,
  115693. 2, 6,11,19, 8,13,19,19, 9,11,19,19,19,19,19,19,
  115694. 6, 7,13,19, 9,13,19,19,10,13,18,18,18,18,18,18,
  115695. 18,18,18,18,18,18,18,18,18,18,18,18,18,18,18,18,
  115696. };
  115697. static static_codebook _huff_book_line_128x17_class2 = {
  115698. 1, 64,
  115699. _huff_lengthlist_line_128x17_class2,
  115700. 0, 0, 0, 0, 0,
  115701. NULL,
  115702. NULL,
  115703. NULL,
  115704. NULL,
  115705. 0
  115706. };
  115707. static long _huff_lengthlist_line_128x17_class3[] = {
  115708. 3, 6,10,17, 4, 8,11,20, 8,10,11,20,20,20,20,20,
  115709. 2, 4, 8,18, 4, 6, 8,17, 7, 8,10,20,20,17,20,20,
  115710. 3, 5, 8,17, 3, 4, 6,17, 8, 8,10,17,17,12,16,20,
  115711. 13,13,15,20,10,10,12,20,15,14,15,20,20,20,19,19,
  115712. };
  115713. static static_codebook _huff_book_line_128x17_class3 = {
  115714. 1, 64,
  115715. _huff_lengthlist_line_128x17_class3,
  115716. 0, 0, 0, 0, 0,
  115717. NULL,
  115718. NULL,
  115719. NULL,
  115720. NULL,
  115721. 0
  115722. };
  115723. static long _huff_lengthlist_line_128x17_0sub0[] = {
  115724. 5, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 5,
  115725. 7, 5, 7, 5, 7, 5, 7, 5, 7, 5, 7, 5, 8, 5, 8, 5,
  115726. 8, 5, 8, 5, 8, 6, 8, 6, 8, 6, 9, 6, 9, 6, 9, 6,
  115727. 9, 6, 9, 7, 9, 7, 9, 7, 9, 7,10, 7,10, 8,10, 8,
  115728. 10, 8,10, 8,10, 8,11, 8,11, 8,11, 8,11, 8,11, 9,
  115729. 12, 9,12, 9,12, 9,12, 9,12,10,12,10,13,11,13,11,
  115730. 14,12,14,13,15,14,16,14,17,15,18,16,20,20,20,20,
  115731. 20,20,20,20,20,20,20,20,20,20,20,20,20,20,20,20,
  115732. };
  115733. static static_codebook _huff_book_line_128x17_0sub0 = {
  115734. 1, 128,
  115735. _huff_lengthlist_line_128x17_0sub0,
  115736. 0, 0, 0, 0, 0,
  115737. NULL,
  115738. NULL,
  115739. NULL,
  115740. NULL,
  115741. 0
  115742. };
  115743. static long _huff_lengthlist_line_128x17_1sub0[] = {
  115744. 2, 5, 5, 4, 5, 4, 5, 4, 5, 5, 5, 5, 5, 5, 6, 5,
  115745. 6, 5, 6, 5, 7, 6, 7, 6, 7, 6, 8, 6, 9, 7, 9, 7,
  115746. };
  115747. static static_codebook _huff_book_line_128x17_1sub0 = {
  115748. 1, 32,
  115749. _huff_lengthlist_line_128x17_1sub0,
  115750. 0, 0, 0, 0, 0,
  115751. NULL,
  115752. NULL,
  115753. NULL,
  115754. NULL,
  115755. 0
  115756. };
  115757. static long _huff_lengthlist_line_128x17_1sub1[] = {
  115758. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115759. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115760. 4, 3, 5, 3, 5, 3, 6, 3, 6, 4, 6, 4, 7, 4, 7, 5,
  115761. 8, 5, 8, 6, 9, 7, 9, 7, 9, 8,10, 9,10, 9,11,10,
  115762. 11,11,11,11,11,11,12,12,12,13,12,13,12,14,12,15,
  115763. 12,14,12,16,13,17,13,17,14,17,14,16,13,17,14,17,
  115764. 14,17,15,17,15,15,16,17,17,17,17,17,17,17,17,17,
  115765. 17,17,17,17,17,17,16,16,16,16,16,16,16,16,16,16,
  115766. };
  115767. static static_codebook _huff_book_line_128x17_1sub1 = {
  115768. 1, 128,
  115769. _huff_lengthlist_line_128x17_1sub1,
  115770. 0, 0, 0, 0, 0,
  115771. NULL,
  115772. NULL,
  115773. NULL,
  115774. NULL,
  115775. 0
  115776. };
  115777. static long _huff_lengthlist_line_128x17_2sub1[] = {
  115778. 0, 4, 5, 4, 6, 4, 8, 3, 9, 3, 9, 2, 9, 3, 8, 4,
  115779. 9, 4,
  115780. };
  115781. static static_codebook _huff_book_line_128x17_2sub1 = {
  115782. 1, 18,
  115783. _huff_lengthlist_line_128x17_2sub1,
  115784. 0, 0, 0, 0, 0,
  115785. NULL,
  115786. NULL,
  115787. NULL,
  115788. NULL,
  115789. 0
  115790. };
  115791. static long _huff_lengthlist_line_128x17_2sub2[] = {
  115792. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115793. 0, 0, 5, 1, 5, 3, 5, 3, 5, 4, 7, 5,10, 7,10, 7,
  115794. 12,10,14,10,14, 9,14,11,14,14,14,13,13,13,13,13,
  115795. 13,13,
  115796. };
  115797. static static_codebook _huff_book_line_128x17_2sub2 = {
  115798. 1, 50,
  115799. _huff_lengthlist_line_128x17_2sub2,
  115800. 0, 0, 0, 0, 0,
  115801. NULL,
  115802. NULL,
  115803. NULL,
  115804. NULL,
  115805. 0
  115806. };
  115807. static long _huff_lengthlist_line_128x17_2sub3[] = {
  115808. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115809. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115810. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115811. 0, 0, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  115812. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 6, 6,
  115813. 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6,
  115814. 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6,
  115815. 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6,
  115816. };
  115817. static static_codebook _huff_book_line_128x17_2sub3 = {
  115818. 1, 128,
  115819. _huff_lengthlist_line_128x17_2sub3,
  115820. 0, 0, 0, 0, 0,
  115821. NULL,
  115822. NULL,
  115823. NULL,
  115824. NULL,
  115825. 0
  115826. };
  115827. static long _huff_lengthlist_line_128x17_3sub1[] = {
  115828. 0, 4, 4, 4, 4, 4, 4, 4, 5, 3, 5, 3, 5, 4, 6, 4,
  115829. 6, 4,
  115830. };
  115831. static static_codebook _huff_book_line_128x17_3sub1 = {
  115832. 1, 18,
  115833. _huff_lengthlist_line_128x17_3sub1,
  115834. 0, 0, 0, 0, 0,
  115835. NULL,
  115836. NULL,
  115837. NULL,
  115838. NULL,
  115839. 0
  115840. };
  115841. static long _huff_lengthlist_line_128x17_3sub2[] = {
  115842. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115843. 0, 0, 5, 3, 6, 3, 6, 4, 7, 4, 7, 4, 7, 4, 8, 4,
  115844. 8, 4, 8, 4, 8, 4, 9, 4, 9, 5,10, 5,10, 7,10, 8,
  115845. 10, 8,
  115846. };
  115847. static static_codebook _huff_book_line_128x17_3sub2 = {
  115848. 1, 50,
  115849. _huff_lengthlist_line_128x17_3sub2,
  115850. 0, 0, 0, 0, 0,
  115851. NULL,
  115852. NULL,
  115853. NULL,
  115854. NULL,
  115855. 0
  115856. };
  115857. static long _huff_lengthlist_line_128x17_3sub3[] = {
  115858. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115859. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115860. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115861. 0, 0, 3, 2, 4, 3, 4, 4, 4, 5, 4, 7, 5, 8, 5,11,
  115862. 6,10, 6,12, 7,12, 7,12, 8,12, 8,12,10,12,12,12,
  115863. 12,12,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  115864. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  115865. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  115866. };
  115867. static static_codebook _huff_book_line_128x17_3sub3 = {
  115868. 1, 128,
  115869. _huff_lengthlist_line_128x17_3sub3,
  115870. 0, 0, 0, 0, 0,
  115871. NULL,
  115872. NULL,
  115873. NULL,
  115874. NULL,
  115875. 0
  115876. };
  115877. static long _huff_lengthlist_line_1024x27_class1[] = {
  115878. 2,10, 8,14, 7,12,11,14, 1, 5, 3, 7, 4, 9, 7,13,
  115879. };
  115880. static static_codebook _huff_book_line_1024x27_class1 = {
  115881. 1, 16,
  115882. _huff_lengthlist_line_1024x27_class1,
  115883. 0, 0, 0, 0, 0,
  115884. NULL,
  115885. NULL,
  115886. NULL,
  115887. NULL,
  115888. 0
  115889. };
  115890. static long _huff_lengthlist_line_1024x27_class2[] = {
  115891. 1, 4, 2, 6, 3, 7, 5, 7,
  115892. };
  115893. static static_codebook _huff_book_line_1024x27_class2 = {
  115894. 1, 8,
  115895. _huff_lengthlist_line_1024x27_class2,
  115896. 0, 0, 0, 0, 0,
  115897. NULL,
  115898. NULL,
  115899. NULL,
  115900. NULL,
  115901. 0
  115902. };
  115903. static long _huff_lengthlist_line_1024x27_class3[] = {
  115904. 1, 5, 7,21, 5, 8, 9,21,10, 9,12,20,20,16,20,20,
  115905. 4, 8, 9,20, 6, 8, 9,20,11,11,13,20,20,15,17,20,
  115906. 9,11,14,20, 8,10,15,20,11,13,15,20,20,20,20,20,
  115907. 20,20,20,20,13,20,20,20,18,18,20,20,20,20,20,20,
  115908. 3, 6, 8,20, 6, 7, 9,20,10, 9,12,20,20,20,20,20,
  115909. 5, 7, 9,20, 6, 6, 9,20,10, 9,12,20,20,20,20,20,
  115910. 8,10,13,20, 8, 9,12,20,11,10,12,20,20,20,20,20,
  115911. 18,20,20,20,15,17,18,20,18,17,18,20,20,20,20,20,
  115912. 7,10,12,20, 8, 9,11,20,14,13,14,20,20,20,20,20,
  115913. 6, 9,12,20, 7, 8,11,20,12,11,13,20,20,20,20,20,
  115914. 9,11,15,20, 8,10,14,20,12,11,14,20,20,20,20,20,
  115915. 20,20,20,20,20,20,20,20,20,20,20,20,20,20,20,20,
  115916. 11,16,18,20,15,15,17,20,20,17,20,20,20,20,20,20,
  115917. 9,14,16,20,12,12,15,20,17,15,18,20,20,20,20,20,
  115918. 16,19,18,20,15,16,20,20,17,17,20,20,20,20,20,20,
  115919. 20,20,20,20,20,20,20,20,20,20,20,20,20,20,20,20,
  115920. };
  115921. static static_codebook _huff_book_line_1024x27_class3 = {
  115922. 1, 256,
  115923. _huff_lengthlist_line_1024x27_class3,
  115924. 0, 0, 0, 0, 0,
  115925. NULL,
  115926. NULL,
  115927. NULL,
  115928. NULL,
  115929. 0
  115930. };
  115931. static long _huff_lengthlist_line_1024x27_class4[] = {
  115932. 2, 3, 7,13, 4, 4, 7,15, 8, 6, 9,17,21,16,15,21,
  115933. 2, 5, 7,11, 5, 5, 7,14, 9, 7,10,16,17,15,16,21,
  115934. 4, 7,10,17, 7, 7, 9,15,11, 9,11,16,21,18,15,21,
  115935. 18,21,21,21,15,17,17,19,21,19,18,20,21,21,21,20,
  115936. };
  115937. static static_codebook _huff_book_line_1024x27_class4 = {
  115938. 1, 64,
  115939. _huff_lengthlist_line_1024x27_class4,
  115940. 0, 0, 0, 0, 0,
  115941. NULL,
  115942. NULL,
  115943. NULL,
  115944. NULL,
  115945. 0
  115946. };
  115947. static long _huff_lengthlist_line_1024x27_0sub0[] = {
  115948. 5, 5, 5, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 5,
  115949. 6, 5, 6, 5, 6, 5, 6, 5, 7, 5, 7, 5, 7, 5, 7, 5,
  115950. 8, 6, 8, 6, 8, 6, 9, 6, 9, 6,10, 6,10, 6,11, 6,
  115951. 11, 7,11, 7,12, 7,12, 7,12, 7,12, 7,12, 7,12, 7,
  115952. 12, 7,12, 8,13, 8,12, 8,12, 8,13, 8,13, 9,13, 9,
  115953. 13, 9,13, 9,12,10,12,10,13,10,14,11,14,12,14,13,
  115954. 14,13,14,14,15,16,15,15,15,14,15,17,21,22,22,21,
  115955. 22,22,22,22,22,22,21,21,21,21,21,21,21,21,21,21,
  115956. };
  115957. static static_codebook _huff_book_line_1024x27_0sub0 = {
  115958. 1, 128,
  115959. _huff_lengthlist_line_1024x27_0sub0,
  115960. 0, 0, 0, 0, 0,
  115961. NULL,
  115962. NULL,
  115963. NULL,
  115964. NULL,
  115965. 0
  115966. };
  115967. static long _huff_lengthlist_line_1024x27_1sub0[] = {
  115968. 2, 5, 5, 4, 5, 4, 5, 4, 5, 4, 6, 5, 6, 5, 6, 5,
  115969. 6, 5, 7, 5, 7, 6, 8, 6, 8, 6, 8, 6, 9, 6, 9, 6,
  115970. };
  115971. static static_codebook _huff_book_line_1024x27_1sub0 = {
  115972. 1, 32,
  115973. _huff_lengthlist_line_1024x27_1sub0,
  115974. 0, 0, 0, 0, 0,
  115975. NULL,
  115976. NULL,
  115977. NULL,
  115978. NULL,
  115979. 0
  115980. };
  115981. static long _huff_lengthlist_line_1024x27_1sub1[] = {
  115982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  115984. 8, 5, 8, 4, 9, 4, 9, 4, 9, 4, 9, 4, 9, 4, 9, 4,
  115985. 9, 4, 9, 4, 9, 4, 8, 4, 8, 4, 9, 5, 9, 5, 9, 5,
  115986. 9, 5, 9, 6,10, 6,10, 7,10, 8,11, 9,11,11,12,13,
  115987. 12,14,13,15,13,15,14,16,14,17,15,17,15,15,16,16,
  115988. 15,16,16,16,15,18,16,15,17,17,19,19,19,19,19,19,
  115989. 19,19,19,19,19,19,19,19,19,19,19,19,19,19,19,19,
  115990. };
  115991. static static_codebook _huff_book_line_1024x27_1sub1 = {
  115992. 1, 128,
  115993. _huff_lengthlist_line_1024x27_1sub1,
  115994. 0, 0, 0, 0, 0,
  115995. NULL,
  115996. NULL,
  115997. NULL,
  115998. NULL,
  115999. 0
  116000. };
  116001. static long _huff_lengthlist_line_1024x27_2sub0[] = {
  116002. 1, 5, 5, 5, 5, 5, 5, 5, 6, 5, 6, 5, 6, 5, 6, 5,
  116003. 6, 6, 7, 7, 7, 7, 8, 7, 8, 8, 9, 8,10, 9,10, 9,
  116004. };
  116005. static static_codebook _huff_book_line_1024x27_2sub0 = {
  116006. 1, 32,
  116007. _huff_lengthlist_line_1024x27_2sub0,
  116008. 0, 0, 0, 0, 0,
  116009. NULL,
  116010. NULL,
  116011. NULL,
  116012. NULL,
  116013. 0
  116014. };
  116015. static long _huff_lengthlist_line_1024x27_2sub1[] = {
  116016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116018. 4, 3, 4, 3, 4, 4, 5, 4, 5, 4, 5, 5, 6, 5, 6, 5,
  116019. 7, 5, 7, 6, 7, 6, 8, 7, 8, 7, 8, 7, 9, 8, 9, 9,
  116020. 9, 9,10,10,10,11, 9,12, 9,12, 9,15,10,14, 9,13,
  116021. 10,13,10,12,10,12,10,13,10,12,11,13,11,14,12,13,
  116022. 13,14,14,13,14,15,14,16,13,13,14,16,16,16,16,16,
  116023. 16,16,16,16,16,16,16,16,16,16,16,16,16,16,15,15,
  116024. };
  116025. static static_codebook _huff_book_line_1024x27_2sub1 = {
  116026. 1, 128,
  116027. _huff_lengthlist_line_1024x27_2sub1,
  116028. 0, 0, 0, 0, 0,
  116029. NULL,
  116030. NULL,
  116031. NULL,
  116032. NULL,
  116033. 0
  116034. };
  116035. static long _huff_lengthlist_line_1024x27_3sub1[] = {
  116036. 0, 4, 5, 4, 5, 3, 5, 3, 5, 3, 5, 4, 4, 4, 4, 5,
  116037. 5, 5,
  116038. };
  116039. static static_codebook _huff_book_line_1024x27_3sub1 = {
  116040. 1, 18,
  116041. _huff_lengthlist_line_1024x27_3sub1,
  116042. 0, 0, 0, 0, 0,
  116043. NULL,
  116044. NULL,
  116045. NULL,
  116046. NULL,
  116047. 0
  116048. };
  116049. static long _huff_lengthlist_line_1024x27_3sub2[] = {
  116050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116051. 0, 0, 3, 3, 4, 3, 4, 4, 4, 4, 5, 5, 5, 5, 5, 6,
  116052. 5, 7, 5, 8, 6, 8, 6, 9, 7,10, 7,10, 8,10, 8,11,
  116053. 9,11,
  116054. };
  116055. static static_codebook _huff_book_line_1024x27_3sub2 = {
  116056. 1, 50,
  116057. _huff_lengthlist_line_1024x27_3sub2,
  116058. 0, 0, 0, 0, 0,
  116059. NULL,
  116060. NULL,
  116061. NULL,
  116062. NULL,
  116063. 0
  116064. };
  116065. static long _huff_lengthlist_line_1024x27_3sub3[] = {
  116066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116069. 0, 0, 3, 7, 3, 8, 3,10, 3, 8, 3, 9, 3, 8, 4, 9,
  116070. 4, 9, 5, 9, 6,10, 6, 9, 7,11, 7,12, 9,13,10,13,
  116071. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  116072. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  116073. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  116074. };
  116075. static static_codebook _huff_book_line_1024x27_3sub3 = {
  116076. 1, 128,
  116077. _huff_lengthlist_line_1024x27_3sub3,
  116078. 0, 0, 0, 0, 0,
  116079. NULL,
  116080. NULL,
  116081. NULL,
  116082. NULL,
  116083. 0
  116084. };
  116085. static long _huff_lengthlist_line_1024x27_4sub1[] = {
  116086. 0, 4, 5, 4, 5, 4, 5, 4, 5, 3, 5, 3, 5, 3, 5, 4,
  116087. 5, 4,
  116088. };
  116089. static static_codebook _huff_book_line_1024x27_4sub1 = {
  116090. 1, 18,
  116091. _huff_lengthlist_line_1024x27_4sub1,
  116092. 0, 0, 0, 0, 0,
  116093. NULL,
  116094. NULL,
  116095. NULL,
  116096. NULL,
  116097. 0
  116098. };
  116099. static long _huff_lengthlist_line_1024x27_4sub2[] = {
  116100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116101. 0, 0, 4, 2, 4, 2, 5, 3, 5, 4, 6, 6, 6, 7, 7, 8,
  116102. 7, 8, 7, 8, 7, 9, 8, 9, 8, 9, 8,10, 8,11, 9,12,
  116103. 9,12,
  116104. };
  116105. static static_codebook _huff_book_line_1024x27_4sub2 = {
  116106. 1, 50,
  116107. _huff_lengthlist_line_1024x27_4sub2,
  116108. 0, 0, 0, 0, 0,
  116109. NULL,
  116110. NULL,
  116111. NULL,
  116112. NULL,
  116113. 0
  116114. };
  116115. static long _huff_lengthlist_line_1024x27_4sub3[] = {
  116116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116119. 0, 0, 2, 5, 2, 6, 3, 6, 4, 7, 4, 7, 5, 9, 5,11,
  116120. 6,11, 6,11, 7,11, 6,11, 6,11, 9,11, 8,11,11,11,
  116121. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  116122. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  116123. 11,11,11,11,11,11,11,11,11,11,10,10,10,10,10,10,
  116124. };
  116125. static static_codebook _huff_book_line_1024x27_4sub3 = {
  116126. 1, 128,
  116127. _huff_lengthlist_line_1024x27_4sub3,
  116128. 0, 0, 0, 0, 0,
  116129. NULL,
  116130. NULL,
  116131. NULL,
  116132. NULL,
  116133. 0
  116134. };
  116135. static long _huff_lengthlist_line_2048x27_class1[] = {
  116136. 2, 6, 8, 9, 7,11,13,13, 1, 3, 5, 5, 6, 6,12,10,
  116137. };
  116138. static static_codebook _huff_book_line_2048x27_class1 = {
  116139. 1, 16,
  116140. _huff_lengthlist_line_2048x27_class1,
  116141. 0, 0, 0, 0, 0,
  116142. NULL,
  116143. NULL,
  116144. NULL,
  116145. NULL,
  116146. 0
  116147. };
  116148. static long _huff_lengthlist_line_2048x27_class2[] = {
  116149. 1, 2, 3, 6, 4, 7, 5, 7,
  116150. };
  116151. static static_codebook _huff_book_line_2048x27_class2 = {
  116152. 1, 8,
  116153. _huff_lengthlist_line_2048x27_class2,
  116154. 0, 0, 0, 0, 0,
  116155. NULL,
  116156. NULL,
  116157. NULL,
  116158. NULL,
  116159. 0
  116160. };
  116161. static long _huff_lengthlist_line_2048x27_class3[] = {
  116162. 3, 3, 6,16, 5, 5, 7,16, 9, 8,11,16,16,16,16,16,
  116163. 5, 5, 8,16, 5, 5, 7,16, 8, 7, 9,16,16,16,16,16,
  116164. 9, 9,12,16, 6, 8,11,16, 9,10,11,16,16,16,16,16,
  116165. 16,16,16,16,13,16,16,16,15,16,16,16,16,16,16,16,
  116166. 5, 4, 7,16, 6, 5, 8,16, 9, 8,10,16,16,16,16,16,
  116167. 5, 5, 7,15, 5, 4, 6,15, 7, 6, 8,16,16,16,16,16,
  116168. 9, 9,11,15, 7, 7, 9,16, 8, 8, 9,16,16,16,16,16,
  116169. 16,16,16,16,15,15,15,16,15,15,14,16,16,16,16,16,
  116170. 8, 8,11,16, 8, 9,10,16,11,10,14,16,16,16,16,16,
  116171. 6, 8,10,16, 6, 7,10,16, 8, 8,11,16,14,16,16,16,
  116172. 10,11,14,16, 9, 9,11,16,10,10,11,16,16,16,16,16,
  116173. 16,16,16,16,16,16,16,16,16,16,16,16,16,16,16,16,
  116174. 16,16,16,16,15,16,16,16,16,16,16,16,16,16,16,16,
  116175. 12,16,15,16,12,14,16,16,16,16,16,16,16,16,16,16,
  116176. 16,16,16,16,16,16,16,16,16,16,16,16,16,16,16,16,
  116177. 16,16,16,16,16,16,16,16,16,16,16,16,16,16,16,16,
  116178. };
  116179. static static_codebook _huff_book_line_2048x27_class3 = {
  116180. 1, 256,
  116181. _huff_lengthlist_line_2048x27_class3,
  116182. 0, 0, 0, 0, 0,
  116183. NULL,
  116184. NULL,
  116185. NULL,
  116186. NULL,
  116187. 0
  116188. };
  116189. static long _huff_lengthlist_line_2048x27_class4[] = {
  116190. 2, 4, 7,13, 4, 5, 7,15, 8, 7,10,16,16,14,16,16,
  116191. 2, 4, 7,16, 3, 4, 7,14, 8, 8,10,16,16,16,15,16,
  116192. 6, 8,11,16, 7, 7, 9,16,11, 9,13,16,16,16,15,16,
  116193. 16,16,16,16,14,16,16,16,16,16,16,16,16,16,16,16,
  116194. };
  116195. static static_codebook _huff_book_line_2048x27_class4 = {
  116196. 1, 64,
  116197. _huff_lengthlist_line_2048x27_class4,
  116198. 0, 0, 0, 0, 0,
  116199. NULL,
  116200. NULL,
  116201. NULL,
  116202. NULL,
  116203. 0
  116204. };
  116205. static long _huff_lengthlist_line_2048x27_0sub0[] = {
  116206. 5, 5, 5, 5, 5, 5, 6, 5, 6, 5, 6, 5, 6, 5, 6, 5,
  116207. 6, 5, 7, 5, 7, 5, 7, 5, 8, 5, 8, 5, 8, 5, 9, 5,
  116208. 9, 6,10, 6,10, 6,11, 6,11, 6,11, 6,11, 6,11, 6,
  116209. 11, 6,11, 6,12, 7,11, 7,11, 7,11, 7,11, 7,10, 7,
  116210. 11, 7,11, 7,12, 7,11, 8,11, 8,11, 8,11, 8,13, 8,
  116211. 12, 9,11, 9,11, 9,11,10,12,10,12, 9,12,10,12,11,
  116212. 14,12,16,12,12,11,14,16,17,17,17,17,17,17,17,17,
  116213. 17,17,17,17,17,17,17,17,17,17,17,17,16,16,16,16,
  116214. };
  116215. static static_codebook _huff_book_line_2048x27_0sub0 = {
  116216. 1, 128,
  116217. _huff_lengthlist_line_2048x27_0sub0,
  116218. 0, 0, 0, 0, 0,
  116219. NULL,
  116220. NULL,
  116221. NULL,
  116222. NULL,
  116223. 0
  116224. };
  116225. static long _huff_lengthlist_line_2048x27_1sub0[] = {
  116226. 4, 4, 4, 4, 4, 4, 4, 4, 5, 5, 5, 5, 5, 5, 5, 5,
  116227. 5, 5, 6, 6, 6, 6, 6, 6, 7, 6, 7, 6, 7, 6, 7, 6,
  116228. };
  116229. static static_codebook _huff_book_line_2048x27_1sub0 = {
  116230. 1, 32,
  116231. _huff_lengthlist_line_2048x27_1sub0,
  116232. 0, 0, 0, 0, 0,
  116233. NULL,
  116234. NULL,
  116235. NULL,
  116236. NULL,
  116237. 0
  116238. };
  116239. static long _huff_lengthlist_line_2048x27_1sub1[] = {
  116240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116242. 6, 5, 7, 5, 7, 4, 7, 4, 8, 4, 8, 4, 8, 4, 8, 3,
  116243. 8, 4, 9, 4, 9, 4, 9, 4, 9, 4, 9, 5, 9, 5, 9, 6,
  116244. 9, 7, 9, 8, 9, 9, 9,10, 9,11, 9,14, 9,15,10,15,
  116245. 10,15,10,15,10,15,11,15,10,14,12,14,11,14,13,14,
  116246. 13,15,15,15,12,15,15,15,13,15,13,15,13,15,15,15,
  116247. 15,15,15,15,15,15,15,15,15,15,15,15,15,15,15,14,
  116248. };
  116249. static static_codebook _huff_book_line_2048x27_1sub1 = {
  116250. 1, 128,
  116251. _huff_lengthlist_line_2048x27_1sub1,
  116252. 0, 0, 0, 0, 0,
  116253. NULL,
  116254. NULL,
  116255. NULL,
  116256. NULL,
  116257. 0
  116258. };
  116259. static long _huff_lengthlist_line_2048x27_2sub0[] = {
  116260. 2, 4, 5, 4, 5, 4, 5, 4, 5, 5, 5, 5, 5, 5, 6, 5,
  116261. 6, 5, 6, 6, 6, 6, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8,
  116262. };
  116263. static static_codebook _huff_book_line_2048x27_2sub0 = {
  116264. 1, 32,
  116265. _huff_lengthlist_line_2048x27_2sub0,
  116266. 0, 0, 0, 0, 0,
  116267. NULL,
  116268. NULL,
  116269. NULL,
  116270. NULL,
  116271. 0
  116272. };
  116273. static long _huff_lengthlist_line_2048x27_2sub1[] = {
  116274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116276. 3, 4, 3, 4, 3, 4, 4, 5, 4, 5, 5, 5, 6, 6, 6, 7,
  116277. 6, 8, 6, 8, 6, 9, 7,10, 7,10, 7,10, 7,12, 7,12,
  116278. 7,12, 9,12,11,12,10,12,10,12,11,12,12,12,10,12,
  116279. 10,12,10,12, 9,12,11,12,12,12,12,12,11,12,11,12,
  116280. 12,12,12,12,12,12,12,12,10,10,12,12,12,12,12,10,
  116281. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  116282. };
  116283. static static_codebook _huff_book_line_2048x27_2sub1 = {
  116284. 1, 128,
  116285. _huff_lengthlist_line_2048x27_2sub1,
  116286. 0, 0, 0, 0, 0,
  116287. NULL,
  116288. NULL,
  116289. NULL,
  116290. NULL,
  116291. 0
  116292. };
  116293. static long _huff_lengthlist_line_2048x27_3sub1[] = {
  116294. 0, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4,
  116295. 5, 5,
  116296. };
  116297. static static_codebook _huff_book_line_2048x27_3sub1 = {
  116298. 1, 18,
  116299. _huff_lengthlist_line_2048x27_3sub1,
  116300. 0, 0, 0, 0, 0,
  116301. NULL,
  116302. NULL,
  116303. NULL,
  116304. NULL,
  116305. 0
  116306. };
  116307. static long _huff_lengthlist_line_2048x27_3sub2[] = {
  116308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116309. 0, 0, 3, 3, 3, 4, 4, 4, 4, 4, 4, 5, 5, 5, 5, 6,
  116310. 6, 7, 6, 7, 6, 8, 6, 9, 7, 9, 7, 9, 9,11, 9,12,
  116311. 10,12,
  116312. };
  116313. static static_codebook _huff_book_line_2048x27_3sub2 = {
  116314. 1, 50,
  116315. _huff_lengthlist_line_2048x27_3sub2,
  116316. 0, 0, 0, 0, 0,
  116317. NULL,
  116318. NULL,
  116319. NULL,
  116320. NULL,
  116321. 0
  116322. };
  116323. static long _huff_lengthlist_line_2048x27_3sub3[] = {
  116324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116327. 0, 0, 3, 6, 3, 7, 3, 7, 5, 7, 7, 7, 7, 7, 6, 7,
  116328. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  116329. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  116330. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  116331. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  116332. };
  116333. static static_codebook _huff_book_line_2048x27_3sub3 = {
  116334. 1, 128,
  116335. _huff_lengthlist_line_2048x27_3sub3,
  116336. 0, 0, 0, 0, 0,
  116337. NULL,
  116338. NULL,
  116339. NULL,
  116340. NULL,
  116341. 0
  116342. };
  116343. static long _huff_lengthlist_line_2048x27_4sub1[] = {
  116344. 0, 3, 4, 4, 4, 4, 4, 4, 4, 4, 5, 4, 5, 4, 5, 4,
  116345. 4, 5,
  116346. };
  116347. static static_codebook _huff_book_line_2048x27_4sub1 = {
  116348. 1, 18,
  116349. _huff_lengthlist_line_2048x27_4sub1,
  116350. 0, 0, 0, 0, 0,
  116351. NULL,
  116352. NULL,
  116353. NULL,
  116354. NULL,
  116355. 0
  116356. };
  116357. static long _huff_lengthlist_line_2048x27_4sub2[] = {
  116358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116359. 0, 0, 3, 2, 4, 3, 4, 4, 4, 5, 5, 6, 5, 6, 5, 7,
  116360. 6, 6, 6, 7, 7, 7, 8, 9, 9, 9,12,10,11,10,10,12,
  116361. 10,10,
  116362. };
  116363. static static_codebook _huff_book_line_2048x27_4sub2 = {
  116364. 1, 50,
  116365. _huff_lengthlist_line_2048x27_4sub2,
  116366. 0, 0, 0, 0, 0,
  116367. NULL,
  116368. NULL,
  116369. NULL,
  116370. NULL,
  116371. 0
  116372. };
  116373. static long _huff_lengthlist_line_2048x27_4sub3[] = {
  116374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116377. 0, 0, 3, 6, 5, 7, 5, 7, 7, 7, 7, 7, 5, 7, 5, 7,
  116378. 5, 7, 5, 7, 7, 7, 7, 7, 4, 7, 7, 7, 7, 7, 7, 7,
  116379. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  116380. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  116381. 7, 7, 7, 7, 7, 7, 7, 6, 6, 6, 6, 6, 6, 6, 6, 6,
  116382. };
  116383. static static_codebook _huff_book_line_2048x27_4sub3 = {
  116384. 1, 128,
  116385. _huff_lengthlist_line_2048x27_4sub3,
  116386. 0, 0, 0, 0, 0,
  116387. NULL,
  116388. NULL,
  116389. NULL,
  116390. NULL,
  116391. 0
  116392. };
  116393. static long _huff_lengthlist_line_256x4low_class0[] = {
  116394. 4, 5, 6,11, 5, 5, 6,10, 7, 7, 6, 6,14,13, 9, 9,
  116395. 6, 6, 6,10, 6, 6, 6, 9, 8, 7, 7, 9,14,12, 8,11,
  116396. 8, 7, 7,11, 8, 8, 7,11, 9, 9, 7, 9,13,11, 9,13,
  116397. 19,19,18,19,15,16,16,19,11,11,10,13,10,10, 9,15,
  116398. 5, 5, 6,13, 6, 6, 6,11, 8, 7, 6, 7,14,11,10,11,
  116399. 6, 6, 6,12, 7, 6, 6,11, 8, 7, 7,11,13,11, 9,11,
  116400. 9, 7, 6,12, 8, 7, 6,12, 9, 8, 8,11,13,10, 7,13,
  116401. 19,19,17,19,17,14,14,19,12,10, 8,12,13,10, 9,16,
  116402. 7, 8, 7,12, 7, 7, 7,11, 8, 7, 7, 8,12,12,11,11,
  116403. 8, 8, 7,12, 8, 7, 6,11, 8, 7, 7,10,10,11,10,11,
  116404. 9, 8, 8,13, 9, 8, 7,12,10, 9, 7,11, 9, 8, 7,11,
  116405. 18,18,15,18,18,16,17,18,15,11,10,18,11, 9, 9,18,
  116406. 16,16,13,16,12,11,10,16,12,11, 9, 6,15,12,11,13,
  116407. 16,16,14,14,13,11,12,16,12, 9, 9,13,13,10,10,12,
  116408. 17,18,17,17,14,15,14,16,14,12,14,15,12,10,11,12,
  116409. 18,18,18,18,18,18,18,18,18,12,13,18,16,11, 9,18,
  116410. };
  116411. static static_codebook _huff_book_line_256x4low_class0 = {
  116412. 1, 256,
  116413. _huff_lengthlist_line_256x4low_class0,
  116414. 0, 0, 0, 0, 0,
  116415. NULL,
  116416. NULL,
  116417. NULL,
  116418. NULL,
  116419. 0
  116420. };
  116421. static long _huff_lengthlist_line_256x4low_0sub0[] = {
  116422. 1, 3, 2, 3,
  116423. };
  116424. static static_codebook _huff_book_line_256x4low_0sub0 = {
  116425. 1, 4,
  116426. _huff_lengthlist_line_256x4low_0sub0,
  116427. 0, 0, 0, 0, 0,
  116428. NULL,
  116429. NULL,
  116430. NULL,
  116431. NULL,
  116432. 0
  116433. };
  116434. static long _huff_lengthlist_line_256x4low_0sub1[] = {
  116435. 0, 0, 0, 0, 2, 3, 2, 3, 3, 3,
  116436. };
  116437. static static_codebook _huff_book_line_256x4low_0sub1 = {
  116438. 1, 10,
  116439. _huff_lengthlist_line_256x4low_0sub1,
  116440. 0, 0, 0, 0, 0,
  116441. NULL,
  116442. NULL,
  116443. NULL,
  116444. NULL,
  116445. 0
  116446. };
  116447. static long _huff_lengthlist_line_256x4low_0sub2[] = {
  116448. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 3, 3, 4, 3, 4,
  116449. 4, 4, 4, 4, 5, 5, 5, 6, 6,
  116450. };
  116451. static static_codebook _huff_book_line_256x4low_0sub2 = {
  116452. 1, 25,
  116453. _huff_lengthlist_line_256x4low_0sub2,
  116454. 0, 0, 0, 0, 0,
  116455. NULL,
  116456. NULL,
  116457. NULL,
  116458. NULL,
  116459. 0
  116460. };
  116461. static long _huff_lengthlist_line_256x4low_0sub3[] = {
  116462. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116463. 0, 0, 0, 0, 0, 0, 0, 0, 0, 3, 4, 2, 4, 3, 5, 4,
  116464. 5, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 7, 7, 8, 6, 9,
  116465. 7,12,11,16,13,16,12,15,13,15,12,14,12,15,15,15,
  116466. };
  116467. static static_codebook _huff_book_line_256x4low_0sub3 = {
  116468. 1, 64,
  116469. _huff_lengthlist_line_256x4low_0sub3,
  116470. 0, 0, 0, 0, 0,
  116471. NULL,
  116472. NULL,
  116473. NULL,
  116474. NULL,
  116475. 0
  116476. };
  116477. /********* End of inlined file: floor_books.h *********/
  116478. static static_codebook *_floor_128x4_books[]={
  116479. &_huff_book_line_128x4_class0,
  116480. &_huff_book_line_128x4_0sub0,
  116481. &_huff_book_line_128x4_0sub1,
  116482. &_huff_book_line_128x4_0sub2,
  116483. &_huff_book_line_128x4_0sub3,
  116484. };
  116485. static static_codebook *_floor_256x4_books[]={
  116486. &_huff_book_line_256x4_class0,
  116487. &_huff_book_line_256x4_0sub0,
  116488. &_huff_book_line_256x4_0sub1,
  116489. &_huff_book_line_256x4_0sub2,
  116490. &_huff_book_line_256x4_0sub3,
  116491. };
  116492. static static_codebook *_floor_128x7_books[]={
  116493. &_huff_book_line_128x7_class0,
  116494. &_huff_book_line_128x7_class1,
  116495. &_huff_book_line_128x7_0sub1,
  116496. &_huff_book_line_128x7_0sub2,
  116497. &_huff_book_line_128x7_0sub3,
  116498. &_huff_book_line_128x7_1sub1,
  116499. &_huff_book_line_128x7_1sub2,
  116500. &_huff_book_line_128x7_1sub3,
  116501. };
  116502. static static_codebook *_floor_256x7_books[]={
  116503. &_huff_book_line_256x7_class0,
  116504. &_huff_book_line_256x7_class1,
  116505. &_huff_book_line_256x7_0sub1,
  116506. &_huff_book_line_256x7_0sub2,
  116507. &_huff_book_line_256x7_0sub3,
  116508. &_huff_book_line_256x7_1sub1,
  116509. &_huff_book_line_256x7_1sub2,
  116510. &_huff_book_line_256x7_1sub3,
  116511. };
  116512. static static_codebook *_floor_128x11_books[]={
  116513. &_huff_book_line_128x11_class1,
  116514. &_huff_book_line_128x11_class2,
  116515. &_huff_book_line_128x11_class3,
  116516. &_huff_book_line_128x11_0sub0,
  116517. &_huff_book_line_128x11_1sub0,
  116518. &_huff_book_line_128x11_1sub1,
  116519. &_huff_book_line_128x11_2sub1,
  116520. &_huff_book_line_128x11_2sub2,
  116521. &_huff_book_line_128x11_2sub3,
  116522. &_huff_book_line_128x11_3sub1,
  116523. &_huff_book_line_128x11_3sub2,
  116524. &_huff_book_line_128x11_3sub3,
  116525. };
  116526. static static_codebook *_floor_128x17_books[]={
  116527. &_huff_book_line_128x17_class1,
  116528. &_huff_book_line_128x17_class2,
  116529. &_huff_book_line_128x17_class3,
  116530. &_huff_book_line_128x17_0sub0,
  116531. &_huff_book_line_128x17_1sub0,
  116532. &_huff_book_line_128x17_1sub1,
  116533. &_huff_book_line_128x17_2sub1,
  116534. &_huff_book_line_128x17_2sub2,
  116535. &_huff_book_line_128x17_2sub3,
  116536. &_huff_book_line_128x17_3sub1,
  116537. &_huff_book_line_128x17_3sub2,
  116538. &_huff_book_line_128x17_3sub3,
  116539. };
  116540. static static_codebook *_floor_256x4low_books[]={
  116541. &_huff_book_line_256x4low_class0,
  116542. &_huff_book_line_256x4low_0sub0,
  116543. &_huff_book_line_256x4low_0sub1,
  116544. &_huff_book_line_256x4low_0sub2,
  116545. &_huff_book_line_256x4low_0sub3,
  116546. };
  116547. static static_codebook *_floor_1024x27_books[]={
  116548. &_huff_book_line_1024x27_class1,
  116549. &_huff_book_line_1024x27_class2,
  116550. &_huff_book_line_1024x27_class3,
  116551. &_huff_book_line_1024x27_class4,
  116552. &_huff_book_line_1024x27_0sub0,
  116553. &_huff_book_line_1024x27_1sub0,
  116554. &_huff_book_line_1024x27_1sub1,
  116555. &_huff_book_line_1024x27_2sub0,
  116556. &_huff_book_line_1024x27_2sub1,
  116557. &_huff_book_line_1024x27_3sub1,
  116558. &_huff_book_line_1024x27_3sub2,
  116559. &_huff_book_line_1024x27_3sub3,
  116560. &_huff_book_line_1024x27_4sub1,
  116561. &_huff_book_line_1024x27_4sub2,
  116562. &_huff_book_line_1024x27_4sub3,
  116563. };
  116564. static static_codebook *_floor_2048x27_books[]={
  116565. &_huff_book_line_2048x27_class1,
  116566. &_huff_book_line_2048x27_class2,
  116567. &_huff_book_line_2048x27_class3,
  116568. &_huff_book_line_2048x27_class4,
  116569. &_huff_book_line_2048x27_0sub0,
  116570. &_huff_book_line_2048x27_1sub0,
  116571. &_huff_book_line_2048x27_1sub1,
  116572. &_huff_book_line_2048x27_2sub0,
  116573. &_huff_book_line_2048x27_2sub1,
  116574. &_huff_book_line_2048x27_3sub1,
  116575. &_huff_book_line_2048x27_3sub2,
  116576. &_huff_book_line_2048x27_3sub3,
  116577. &_huff_book_line_2048x27_4sub1,
  116578. &_huff_book_line_2048x27_4sub2,
  116579. &_huff_book_line_2048x27_4sub3,
  116580. };
  116581. static static_codebook *_floor_512x17_books[]={
  116582. &_huff_book_line_512x17_class1,
  116583. &_huff_book_line_512x17_class2,
  116584. &_huff_book_line_512x17_class3,
  116585. &_huff_book_line_512x17_0sub0,
  116586. &_huff_book_line_512x17_1sub0,
  116587. &_huff_book_line_512x17_1sub1,
  116588. &_huff_book_line_512x17_2sub1,
  116589. &_huff_book_line_512x17_2sub2,
  116590. &_huff_book_line_512x17_2sub3,
  116591. &_huff_book_line_512x17_3sub1,
  116592. &_huff_book_line_512x17_3sub2,
  116593. &_huff_book_line_512x17_3sub3,
  116594. };
  116595. static static_codebook **_floor_books[10]={
  116596. _floor_128x4_books,
  116597. _floor_256x4_books,
  116598. _floor_128x7_books,
  116599. _floor_256x7_books,
  116600. _floor_128x11_books,
  116601. _floor_128x17_books,
  116602. _floor_256x4low_books,
  116603. _floor_1024x27_books,
  116604. _floor_2048x27_books,
  116605. _floor_512x17_books,
  116606. };
  116607. static vorbis_info_floor1 _floor[10]={
  116608. /* 128 x 4 */
  116609. {
  116610. 1,{0},{4},{2},{0},
  116611. {{1,2,3,4}},
  116612. 4,{0,128, 33,8,16,70},
  116613. 60,30,500, 1.,18., -1
  116614. },
  116615. /* 256 x 4 */
  116616. {
  116617. 1,{0},{4},{2},{0},
  116618. {{1,2,3,4}},
  116619. 4,{0,256, 66,16,32,140},
  116620. 60,30,500, 1.,18., -1
  116621. },
  116622. /* 128 x 7 */
  116623. {
  116624. 2,{0,1},{3,4},{2,2},{0,1},
  116625. {{-1,2,3,4},{-1,5,6,7}},
  116626. 4,{0,128, 14,4,58, 2,8,28,90},
  116627. 60,30,500, 1.,18., -1
  116628. },
  116629. /* 256 x 7 */
  116630. {
  116631. 2,{0,1},{3,4},{2,2},{0,1},
  116632. {{-1,2,3,4},{-1,5,6,7}},
  116633. 4,{0,256, 28,8,116, 4,16,56,180},
  116634. 60,30,500, 1.,18., -1
  116635. },
  116636. /* 128 x 11 */
  116637. {
  116638. 4,{0,1,2,3},{2,3,3,3},{0,1,2,2},{-1,0,1,2},
  116639. {{3},{4,5},{-1,6,7,8},{-1,9,10,11}},
  116640. 2,{0,128, 8,33, 4,16,70, 2,6,12, 23,46,90},
  116641. 60,30,500, 1,18., -1
  116642. },
  116643. /* 128 x 17 */
  116644. {
  116645. 6,{0,1,1,2,3,3},{2,3,3,3},{0,1,2,2},{-1,0,1,2},
  116646. {{3},{4,5},{-1,6,7,8},{-1,9,10,11}},
  116647. 2,{0,128, 12,46, 4,8,16, 23,33,70, 2,6,10, 14,19,28, 39,58,90},
  116648. 60,30,500, 1,18., -1
  116649. },
  116650. /* 256 x 4 (low bitrate version) */
  116651. {
  116652. 1,{0},{4},{2},{0},
  116653. {{1,2,3,4}},
  116654. 4,{0,256, 66,16,32,140},
  116655. 60,30,500, 1.,18., -1
  116656. },
  116657. /* 1024 x 27 */
  116658. {
  116659. 8,{0,1,2,2,3,3,4,4},{3,4,3,4,3},{0,1,1,2,2},{-1,0,1,2,3},
  116660. {{4},{5,6},{7,8},{-1,9,10,11},{-1,12,13,14}},
  116661. 2,{0,1024, 93,23,372, 6,46,186,750, 14,33,65, 130,260,556,
  116662. 3,10,18,28, 39,55,79,111, 158,220,312, 464,650,850},
  116663. 60,30,500, 3,18., -1 /* lowpass */
  116664. },
  116665. /* 2048 x 27 */
  116666. {
  116667. 8,{0,1,2,2,3,3,4,4},{3,4,3,4,3},{0,1,1,2,2},{-1,0,1,2,3},
  116668. {{4},{5,6},{7,8},{-1,9,10,11},{-1,12,13,14}},
  116669. 2,{0,2048, 186,46,744, 12,92,372,1500, 28,66,130, 260,520,1112,
  116670. 6,20,36,56, 78,110,158,222, 316,440,624, 928,1300,1700},
  116671. 60,30,500, 3,18., -1 /* lowpass */
  116672. },
  116673. /* 512 x 17 */
  116674. {
  116675. 6,{0,1,1,2,3,3},{2,3,3,3},{0,1,2,2},{-1,0,1,2},
  116676. {{3},{4,5},{-1,6,7,8},{-1,9,10,11}},
  116677. 2,{0,512, 46,186, 16,33,65, 93,130,278,
  116678. 7,23,39, 55,79,110, 156,232,360},
  116679. 60,30,500, 1,18., -1 /* lowpass! */
  116680. },
  116681. };
  116682. /********* End of inlined file: floor_all.h *********/
  116683. /********* Start of inlined file: residue_44.h *********/
  116684. /********* Start of inlined file: res_books_stereo.h *********/
  116685. static long _vq_quantlist__16c0_s_p1_0[] = {
  116686. 1,
  116687. 0,
  116688. 2,
  116689. };
  116690. static long _vq_lengthlist__16c0_s_p1_0[] = {
  116691. 1, 4, 4, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  116692. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116693. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116694. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116695. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116696. 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9,10, 0, 0, 0,
  116697. 0, 0, 0, 7, 9,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116698. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116699. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116700. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116701. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  116702. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116703. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116704. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116705. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116706. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116707. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116708. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116709. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116710. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116711. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116712. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116713. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116714. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116715. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116716. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116717. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116718. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116719. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116720. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116721. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116722. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116723. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116724. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116725. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116726. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116727. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116728. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116729. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116730. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116731. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116732. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116733. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116734. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116735. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116736. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 8, 8, 0, 0, 0, 0,
  116737. 0, 0, 8,10,10, 0, 0, 0, 0, 0, 0, 8,10,10, 0, 0,
  116738. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116739. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116740. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116741. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7,10,10, 0, 0, 0,
  116742. 0, 0, 0, 9, 9,12, 0, 0, 0, 0, 0, 0,10,12,11, 0,
  116743. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116744. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116745. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116746. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7,10,10, 0, 0,
  116747. 0, 0, 0, 0, 9,12,10, 0, 0, 0, 0, 0, 0,10,11,12,
  116748. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116749. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116750. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116751. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116752. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116753. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116754. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116755. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116756. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116757. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116758. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116759. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116760. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116761. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116762. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116763. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116764. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116765. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116766. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116767. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116768. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116769. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116770. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116771. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116772. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116773. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116774. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116775. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116776. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116777. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116778. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116779. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116780. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116781. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116782. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 8,10,10, 0, 0,
  116783. 0, 0, 0, 0, 8,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116784. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116785. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116786. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116787. 0, 0, 0, 7,10,10, 0, 0, 0, 0, 0, 0,10,12,11, 0,
  116788. 0, 0, 0, 0, 0, 9,10,12, 0, 0, 0, 0, 0, 0, 0, 0,
  116789. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116790. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116791. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116792. 0, 0, 0, 0, 7,10,10, 0, 0, 0, 0, 0, 0,10,11,12,
  116793. 0, 0, 0, 0, 0, 0, 9,12, 9, 0, 0, 0, 0, 0, 0, 0,
  116794. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116795. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116796. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116797. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116798. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116799. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116800. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116801. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116802. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116803. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116804. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116805. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116806. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116807. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116808. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116809. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116810. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116811. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116812. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116813. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116814. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116815. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116816. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116817. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116818. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116819. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116820. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116821. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116822. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116823. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116824. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116825. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116826. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116827. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116828. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116829. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116830. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116831. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116832. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116833. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116834. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116835. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116836. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116837. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116838. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116839. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116840. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116841. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116842. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116843. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116844. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116845. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116846. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116847. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116848. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116849. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116850. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116851. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116852. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116853. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116854. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116855. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116856. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116857. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116858. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116859. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116860. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116861. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116862. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116863. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116864. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116865. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116866. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116867. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116868. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116869. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116870. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116871. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116872. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116873. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116874. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116875. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116876. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116877. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116878. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116879. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116880. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116881. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116882. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116883. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116884. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116885. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116886. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116887. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116888. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116889. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116890. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116891. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116892. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116893. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116894. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116895. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116896. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116897. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116898. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116899. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116900. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116901. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116902. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116903. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116904. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116905. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116906. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116907. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116908. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116909. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116910. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116911. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116912. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116913. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116914. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116915. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116916. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116917. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116918. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116919. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116920. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116921. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116922. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116923. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116924. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116925. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116926. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116927. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116928. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116929. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116930. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116931. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116932. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116933. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116934. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116935. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116936. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116937. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116938. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116939. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116940. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116941. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116942. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116943. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116944. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116945. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116946. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116947. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116948. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116949. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116950. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116951. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116952. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116953. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116954. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116955. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116956. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116957. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116958. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116959. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116960. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116961. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116962. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116963. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116964. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116965. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116966. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116967. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116968. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116972. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116973. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116974. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116975. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116976. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116977. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116978. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116981. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116984. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116985. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116986. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116989. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116990. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116991. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116992. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116995. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116996. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116997. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116998. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  116999. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117000. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117001. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117002. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117004. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117005. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117007. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117009. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117010. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117013. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117023. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117036. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117037. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117041. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117042. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117047. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117101. 0,
  117102. };
  117103. static float _vq_quantthresh__16c0_s_p1_0[] = {
  117104. -0.5, 0.5,
  117105. };
  117106. static long _vq_quantmap__16c0_s_p1_0[] = {
  117107. 1, 0, 2,
  117108. };
  117109. static encode_aux_threshmatch _vq_auxt__16c0_s_p1_0 = {
  117110. _vq_quantthresh__16c0_s_p1_0,
  117111. _vq_quantmap__16c0_s_p1_0,
  117112. 3,
  117113. 3
  117114. };
  117115. static static_codebook _16c0_s_p1_0 = {
  117116. 8, 6561,
  117117. _vq_lengthlist__16c0_s_p1_0,
  117118. 1, -535822336, 1611661312, 2, 0,
  117119. _vq_quantlist__16c0_s_p1_0,
  117120. NULL,
  117121. &_vq_auxt__16c0_s_p1_0,
  117122. NULL,
  117123. 0
  117124. };
  117125. static long _vq_quantlist__16c0_s_p2_0[] = {
  117126. 2,
  117127. 1,
  117128. 3,
  117129. 0,
  117130. 4,
  117131. };
  117132. static long _vq_lengthlist__16c0_s_p2_0[] = {
  117133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117172. 0,
  117173. };
  117174. static float _vq_quantthresh__16c0_s_p2_0[] = {
  117175. -1.5, -0.5, 0.5, 1.5,
  117176. };
  117177. static long _vq_quantmap__16c0_s_p2_0[] = {
  117178. 3, 1, 0, 2, 4,
  117179. };
  117180. static encode_aux_threshmatch _vq_auxt__16c0_s_p2_0 = {
  117181. _vq_quantthresh__16c0_s_p2_0,
  117182. _vq_quantmap__16c0_s_p2_0,
  117183. 5,
  117184. 5
  117185. };
  117186. static static_codebook _16c0_s_p2_0 = {
  117187. 4, 625,
  117188. _vq_lengthlist__16c0_s_p2_0,
  117189. 1, -533725184, 1611661312, 3, 0,
  117190. _vq_quantlist__16c0_s_p2_0,
  117191. NULL,
  117192. &_vq_auxt__16c0_s_p2_0,
  117193. NULL,
  117194. 0
  117195. };
  117196. static long _vq_quantlist__16c0_s_p3_0[] = {
  117197. 2,
  117198. 1,
  117199. 3,
  117200. 0,
  117201. 4,
  117202. };
  117203. static long _vq_lengthlist__16c0_s_p3_0[] = {
  117204. 1, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 6, 6, 7, 6, 0, 0,
  117206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117207. 0, 0, 4, 6, 6, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 6, 6, 9, 9,
  117209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117210. 0, 0, 0, 0, 6, 6, 6, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  117211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117243. 0,
  117244. };
  117245. static float _vq_quantthresh__16c0_s_p3_0[] = {
  117246. -1.5, -0.5, 0.5, 1.5,
  117247. };
  117248. static long _vq_quantmap__16c0_s_p3_0[] = {
  117249. 3, 1, 0, 2, 4,
  117250. };
  117251. static encode_aux_threshmatch _vq_auxt__16c0_s_p3_0 = {
  117252. _vq_quantthresh__16c0_s_p3_0,
  117253. _vq_quantmap__16c0_s_p3_0,
  117254. 5,
  117255. 5
  117256. };
  117257. static static_codebook _16c0_s_p3_0 = {
  117258. 4, 625,
  117259. _vq_lengthlist__16c0_s_p3_0,
  117260. 1, -533725184, 1611661312, 3, 0,
  117261. _vq_quantlist__16c0_s_p3_0,
  117262. NULL,
  117263. &_vq_auxt__16c0_s_p3_0,
  117264. NULL,
  117265. 0
  117266. };
  117267. static long _vq_quantlist__16c0_s_p4_0[] = {
  117268. 4,
  117269. 3,
  117270. 5,
  117271. 2,
  117272. 6,
  117273. 1,
  117274. 7,
  117275. 0,
  117276. 8,
  117277. };
  117278. static long _vq_lengthlist__16c0_s_p4_0[] = {
  117279. 1, 3, 2, 7, 8, 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0,
  117280. 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0, 7, 7,
  117281. 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  117282. 8, 8, 0, 0, 0, 0, 0, 0, 0, 8, 8, 0, 0, 0, 0, 0,
  117283. 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117284. 0,
  117285. };
  117286. static float _vq_quantthresh__16c0_s_p4_0[] = {
  117287. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  117288. };
  117289. static long _vq_quantmap__16c0_s_p4_0[] = {
  117290. 7, 5, 3, 1, 0, 2, 4, 6,
  117291. 8,
  117292. };
  117293. static encode_aux_threshmatch _vq_auxt__16c0_s_p4_0 = {
  117294. _vq_quantthresh__16c0_s_p4_0,
  117295. _vq_quantmap__16c0_s_p4_0,
  117296. 9,
  117297. 9
  117298. };
  117299. static static_codebook _16c0_s_p4_0 = {
  117300. 2, 81,
  117301. _vq_lengthlist__16c0_s_p4_0,
  117302. 1, -531628032, 1611661312, 4, 0,
  117303. _vq_quantlist__16c0_s_p4_0,
  117304. NULL,
  117305. &_vq_auxt__16c0_s_p4_0,
  117306. NULL,
  117307. 0
  117308. };
  117309. static long _vq_quantlist__16c0_s_p5_0[] = {
  117310. 4,
  117311. 3,
  117312. 5,
  117313. 2,
  117314. 6,
  117315. 1,
  117316. 7,
  117317. 0,
  117318. 8,
  117319. };
  117320. static long _vq_lengthlist__16c0_s_p5_0[] = {
  117321. 1, 3, 3, 6, 6, 6, 6, 8, 8, 0, 0, 0, 7, 7, 7, 7,
  117322. 8, 8, 0, 0, 0, 7, 7, 7, 7, 8, 8, 0, 0, 0, 7, 7,
  117323. 8, 8, 9, 9, 0, 0, 0, 7, 7, 8, 8, 9, 9, 0, 0, 0,
  117324. 8, 9, 8, 8,10,10, 0, 0, 0, 8, 8, 8, 8,10,10, 0,
  117325. 0, 0,10,10, 9, 9,10,10, 0, 0, 0, 0, 0, 9, 9,10,
  117326. 10,
  117327. };
  117328. static float _vq_quantthresh__16c0_s_p5_0[] = {
  117329. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  117330. };
  117331. static long _vq_quantmap__16c0_s_p5_0[] = {
  117332. 7, 5, 3, 1, 0, 2, 4, 6,
  117333. 8,
  117334. };
  117335. static encode_aux_threshmatch _vq_auxt__16c0_s_p5_0 = {
  117336. _vq_quantthresh__16c0_s_p5_0,
  117337. _vq_quantmap__16c0_s_p5_0,
  117338. 9,
  117339. 9
  117340. };
  117341. static static_codebook _16c0_s_p5_0 = {
  117342. 2, 81,
  117343. _vq_lengthlist__16c0_s_p5_0,
  117344. 1, -531628032, 1611661312, 4, 0,
  117345. _vq_quantlist__16c0_s_p5_0,
  117346. NULL,
  117347. &_vq_auxt__16c0_s_p5_0,
  117348. NULL,
  117349. 0
  117350. };
  117351. static long _vq_quantlist__16c0_s_p6_0[] = {
  117352. 8,
  117353. 7,
  117354. 9,
  117355. 6,
  117356. 10,
  117357. 5,
  117358. 11,
  117359. 4,
  117360. 12,
  117361. 3,
  117362. 13,
  117363. 2,
  117364. 14,
  117365. 1,
  117366. 15,
  117367. 0,
  117368. 16,
  117369. };
  117370. static long _vq_lengthlist__16c0_s_p6_0[] = {
  117371. 1, 3, 4, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,11,
  117372. 11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,11,
  117373. 11,11, 0, 0, 0, 6, 6, 8, 8, 9, 9, 9, 9,10,10,11,
  117374. 11,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  117375. 11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  117376. 10,11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,10,
  117377. 11,11,12,12,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,
  117378. 10,11,11,12,12,12,13, 0, 0, 0, 9, 9, 9, 9,10,10,
  117379. 10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,10,10,10,
  117380. 10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,
  117381. 10,10,11,11,12,12,13,13,13,13, 0, 0, 0, 0, 0, 9,
  117382. 9,10,10,11,11,12,12,13,13,13,14, 0, 0, 0, 0, 0,
  117383. 10,10,10,11,11,11,12,12,13,13,13,14, 0, 0, 0, 0,
  117384. 0, 0, 0,10,10,11,11,12,12,13,13,14,14, 0, 0, 0,
  117385. 0, 0, 0, 0,11,11,12,12,13,13,13,13,14,14, 0, 0,
  117386. 0, 0, 0, 0, 0,11,11,12,12,12,13,13,14,15,14, 0,
  117387. 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,13,14,14,15,
  117388. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,13,13,14,13,14,
  117389. 14,
  117390. };
  117391. static float _vq_quantthresh__16c0_s_p6_0[] = {
  117392. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  117393. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  117394. };
  117395. static long _vq_quantmap__16c0_s_p6_0[] = {
  117396. 15, 13, 11, 9, 7, 5, 3, 1,
  117397. 0, 2, 4, 6, 8, 10, 12, 14,
  117398. 16,
  117399. };
  117400. static encode_aux_threshmatch _vq_auxt__16c0_s_p6_0 = {
  117401. _vq_quantthresh__16c0_s_p6_0,
  117402. _vq_quantmap__16c0_s_p6_0,
  117403. 17,
  117404. 17
  117405. };
  117406. static static_codebook _16c0_s_p6_0 = {
  117407. 2, 289,
  117408. _vq_lengthlist__16c0_s_p6_0,
  117409. 1, -529530880, 1611661312, 5, 0,
  117410. _vq_quantlist__16c0_s_p6_0,
  117411. NULL,
  117412. &_vq_auxt__16c0_s_p6_0,
  117413. NULL,
  117414. 0
  117415. };
  117416. static long _vq_quantlist__16c0_s_p7_0[] = {
  117417. 1,
  117418. 0,
  117419. 2,
  117420. };
  117421. static long _vq_lengthlist__16c0_s_p7_0[] = {
  117422. 1, 4, 4, 6, 6, 6, 7, 6, 6, 4, 7, 7,11,10,10,11,
  117423. 11,10, 4, 7, 7,10,10,10,11,10,10, 6,10,10,11,11,
  117424. 11,11,11,10, 6, 9, 9,11,12,12,11, 9, 9, 6, 9,10,
  117425. 11,12,12,11, 9,10, 7,11,11,11,11,11,12,13,12, 6,
  117426. 9,10,11,10,10,12,13,13, 6,10, 9,11,10,10,11,12,
  117427. 13,
  117428. };
  117429. static float _vq_quantthresh__16c0_s_p7_0[] = {
  117430. -5.5, 5.5,
  117431. };
  117432. static long _vq_quantmap__16c0_s_p7_0[] = {
  117433. 1, 0, 2,
  117434. };
  117435. static encode_aux_threshmatch _vq_auxt__16c0_s_p7_0 = {
  117436. _vq_quantthresh__16c0_s_p7_0,
  117437. _vq_quantmap__16c0_s_p7_0,
  117438. 3,
  117439. 3
  117440. };
  117441. static static_codebook _16c0_s_p7_0 = {
  117442. 4, 81,
  117443. _vq_lengthlist__16c0_s_p7_0,
  117444. 1, -529137664, 1618345984, 2, 0,
  117445. _vq_quantlist__16c0_s_p7_0,
  117446. NULL,
  117447. &_vq_auxt__16c0_s_p7_0,
  117448. NULL,
  117449. 0
  117450. };
  117451. static long _vq_quantlist__16c0_s_p7_1[] = {
  117452. 5,
  117453. 4,
  117454. 6,
  117455. 3,
  117456. 7,
  117457. 2,
  117458. 8,
  117459. 1,
  117460. 9,
  117461. 0,
  117462. 10,
  117463. };
  117464. static long _vq_lengthlist__16c0_s_p7_1[] = {
  117465. 1, 3, 4, 6, 6, 7, 7, 8, 8, 8, 8,10,10,10, 7, 7,
  117466. 8, 8, 8, 9, 9, 9,10,10,10, 6, 7, 8, 8, 8, 8, 9,
  117467. 8,10,10,10, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10, 7,
  117468. 7, 8, 8, 9, 9, 8, 9,10,10,10, 8, 8, 9, 9, 9, 9,
  117469. 9, 9,11,11,11, 8, 8, 9, 9, 9, 9, 9,10,10,11,11,
  117470. 9, 9, 9, 9, 9, 9, 9,10,11,11,11,10,11, 9, 9, 9,
  117471. 9,10, 9,11,11,11,10,11,10,10, 9, 9,10,10,11,11,
  117472. 11,11,11, 9, 9, 9, 9,10,10,
  117473. };
  117474. static float _vq_quantthresh__16c0_s_p7_1[] = {
  117475. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  117476. 3.5, 4.5,
  117477. };
  117478. static long _vq_quantmap__16c0_s_p7_1[] = {
  117479. 9, 7, 5, 3, 1, 0, 2, 4,
  117480. 6, 8, 10,
  117481. };
  117482. static encode_aux_threshmatch _vq_auxt__16c0_s_p7_1 = {
  117483. _vq_quantthresh__16c0_s_p7_1,
  117484. _vq_quantmap__16c0_s_p7_1,
  117485. 11,
  117486. 11
  117487. };
  117488. static static_codebook _16c0_s_p7_1 = {
  117489. 2, 121,
  117490. _vq_lengthlist__16c0_s_p7_1,
  117491. 1, -531365888, 1611661312, 4, 0,
  117492. _vq_quantlist__16c0_s_p7_1,
  117493. NULL,
  117494. &_vq_auxt__16c0_s_p7_1,
  117495. NULL,
  117496. 0
  117497. };
  117498. static long _vq_quantlist__16c0_s_p8_0[] = {
  117499. 6,
  117500. 5,
  117501. 7,
  117502. 4,
  117503. 8,
  117504. 3,
  117505. 9,
  117506. 2,
  117507. 10,
  117508. 1,
  117509. 11,
  117510. 0,
  117511. 12,
  117512. };
  117513. static long _vq_lengthlist__16c0_s_p8_0[] = {
  117514. 1, 4, 4, 7, 7, 7, 7, 7, 6, 8, 8,10,10, 6, 5, 6,
  117515. 8, 8, 8, 8, 8, 8, 8, 9,10,10, 7, 6, 6, 8, 8, 8,
  117516. 8, 8, 8, 8, 8,10,10, 0, 8, 8, 8, 8, 9, 8, 9, 9,
  117517. 9,10,10,10, 0, 9, 8, 8, 8, 9, 9, 8, 8, 9, 9,10,
  117518. 10, 0,12,11, 8, 8, 9, 9, 9, 9,10,10,11,10, 0,12,
  117519. 13, 8, 8, 9,10, 9, 9,11,11,11,12, 0, 0, 0, 8, 8,
  117520. 8, 8,10, 9,12,13,12,14, 0, 0, 0, 8, 8, 8, 9,10,
  117521. 10,12,12,13,14, 0, 0, 0,13,13, 9, 9,11,11, 0, 0,
  117522. 14, 0, 0, 0, 0,14,14,10,10,12,11,12,14,14,14, 0,
  117523. 0, 0, 0, 0,11,11,13,13,14,13,14,14, 0, 0, 0, 0,
  117524. 0,12,13,13,12,13,14,14,14,
  117525. };
  117526. static float _vq_quantthresh__16c0_s_p8_0[] = {
  117527. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  117528. 12.5, 17.5, 22.5, 27.5,
  117529. };
  117530. static long _vq_quantmap__16c0_s_p8_0[] = {
  117531. 11, 9, 7, 5, 3, 1, 0, 2,
  117532. 4, 6, 8, 10, 12,
  117533. };
  117534. static encode_aux_threshmatch _vq_auxt__16c0_s_p8_0 = {
  117535. _vq_quantthresh__16c0_s_p8_0,
  117536. _vq_quantmap__16c0_s_p8_0,
  117537. 13,
  117538. 13
  117539. };
  117540. static static_codebook _16c0_s_p8_0 = {
  117541. 2, 169,
  117542. _vq_lengthlist__16c0_s_p8_0,
  117543. 1, -526516224, 1616117760, 4, 0,
  117544. _vq_quantlist__16c0_s_p8_0,
  117545. NULL,
  117546. &_vq_auxt__16c0_s_p8_0,
  117547. NULL,
  117548. 0
  117549. };
  117550. static long _vq_quantlist__16c0_s_p8_1[] = {
  117551. 2,
  117552. 1,
  117553. 3,
  117554. 0,
  117555. 4,
  117556. };
  117557. static long _vq_lengthlist__16c0_s_p8_1[] = {
  117558. 1, 4, 3, 5, 5, 7, 7, 7, 6, 6, 7, 7, 7, 5, 5, 7,
  117559. 7, 7, 6, 6, 7, 7, 7, 6, 6,
  117560. };
  117561. static float _vq_quantthresh__16c0_s_p8_1[] = {
  117562. -1.5, -0.5, 0.5, 1.5,
  117563. };
  117564. static long _vq_quantmap__16c0_s_p8_1[] = {
  117565. 3, 1, 0, 2, 4,
  117566. };
  117567. static encode_aux_threshmatch _vq_auxt__16c0_s_p8_1 = {
  117568. _vq_quantthresh__16c0_s_p8_1,
  117569. _vq_quantmap__16c0_s_p8_1,
  117570. 5,
  117571. 5
  117572. };
  117573. static static_codebook _16c0_s_p8_1 = {
  117574. 2, 25,
  117575. _vq_lengthlist__16c0_s_p8_1,
  117576. 1, -533725184, 1611661312, 3, 0,
  117577. _vq_quantlist__16c0_s_p8_1,
  117578. NULL,
  117579. &_vq_auxt__16c0_s_p8_1,
  117580. NULL,
  117581. 0
  117582. };
  117583. static long _vq_quantlist__16c0_s_p9_0[] = {
  117584. 1,
  117585. 0,
  117586. 2,
  117587. };
  117588. static long _vq_lengthlist__16c0_s_p9_0[] = {
  117589. 1, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  117590. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  117591. 8, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  117592. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  117593. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  117594. 7,
  117595. };
  117596. static float _vq_quantthresh__16c0_s_p9_0[] = {
  117597. -157.5, 157.5,
  117598. };
  117599. static long _vq_quantmap__16c0_s_p9_0[] = {
  117600. 1, 0, 2,
  117601. };
  117602. static encode_aux_threshmatch _vq_auxt__16c0_s_p9_0 = {
  117603. _vq_quantthresh__16c0_s_p9_0,
  117604. _vq_quantmap__16c0_s_p9_0,
  117605. 3,
  117606. 3
  117607. };
  117608. static static_codebook _16c0_s_p9_0 = {
  117609. 4, 81,
  117610. _vq_lengthlist__16c0_s_p9_0,
  117611. 1, -518803456, 1628680192, 2, 0,
  117612. _vq_quantlist__16c0_s_p9_0,
  117613. NULL,
  117614. &_vq_auxt__16c0_s_p9_0,
  117615. NULL,
  117616. 0
  117617. };
  117618. static long _vq_quantlist__16c0_s_p9_1[] = {
  117619. 7,
  117620. 6,
  117621. 8,
  117622. 5,
  117623. 9,
  117624. 4,
  117625. 10,
  117626. 3,
  117627. 11,
  117628. 2,
  117629. 12,
  117630. 1,
  117631. 13,
  117632. 0,
  117633. 14,
  117634. };
  117635. static long _vq_lengthlist__16c0_s_p9_1[] = {
  117636. 1, 5, 5, 5, 5, 9,11,11,10,10,10,10,10,10,10, 7,
  117637. 6, 6, 6, 6,10,10,10,10,10,10,10,10,10,10, 7, 6,
  117638. 6, 6, 6,10, 9,10,10,10,10,10,10,10,10,10, 7, 7,
  117639. 8, 9,10,10,10,10,10,10,10,10,10,10,10, 8, 7,10,
  117640. 10,10, 9,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117641. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117642. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117643. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117644. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117645. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117646. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117647. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117648. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117649. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  117650. 10,
  117651. };
  117652. static float _vq_quantthresh__16c0_s_p9_1[] = {
  117653. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  117654. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  117655. };
  117656. static long _vq_quantmap__16c0_s_p9_1[] = {
  117657. 13, 11, 9, 7, 5, 3, 1, 0,
  117658. 2, 4, 6, 8, 10, 12, 14,
  117659. };
  117660. static encode_aux_threshmatch _vq_auxt__16c0_s_p9_1 = {
  117661. _vq_quantthresh__16c0_s_p9_1,
  117662. _vq_quantmap__16c0_s_p9_1,
  117663. 15,
  117664. 15
  117665. };
  117666. static static_codebook _16c0_s_p9_1 = {
  117667. 2, 225,
  117668. _vq_lengthlist__16c0_s_p9_1,
  117669. 1, -520986624, 1620377600, 4, 0,
  117670. _vq_quantlist__16c0_s_p9_1,
  117671. NULL,
  117672. &_vq_auxt__16c0_s_p9_1,
  117673. NULL,
  117674. 0
  117675. };
  117676. static long _vq_quantlist__16c0_s_p9_2[] = {
  117677. 10,
  117678. 9,
  117679. 11,
  117680. 8,
  117681. 12,
  117682. 7,
  117683. 13,
  117684. 6,
  117685. 14,
  117686. 5,
  117687. 15,
  117688. 4,
  117689. 16,
  117690. 3,
  117691. 17,
  117692. 2,
  117693. 18,
  117694. 1,
  117695. 19,
  117696. 0,
  117697. 20,
  117698. };
  117699. static long _vq_lengthlist__16c0_s_p9_2[] = {
  117700. 1, 5, 5, 7, 8, 8, 7, 9, 9, 9,12,12,11,12,12,10,
  117701. 10,11,12,12,12,11,12,12, 8, 9, 8, 7, 9,10,10,11,
  117702. 11,10,11,12,10,12,10,12,12,12,11,12,11, 9, 8, 8,
  117703. 9,10, 9, 8, 9,10,12,12,11,11,12,11,10,11,12,11,
  117704. 12,12, 8, 9, 9, 9,10,11,12,11,12,11,11,11,11,12,
  117705. 12,11,11,12,12,11,11, 9, 9, 8, 9, 9,11, 9, 9,10,
  117706. 9,11,11,11,11,12,11,11,10,12,12,12, 9,12,11,10,
  117707. 11,11,11,11,12,12,12,11,11,11,12,10,12,12,12,10,
  117708. 10, 9,10, 9,10,10, 9, 9, 9,10,10,12,10,11,11, 9,
  117709. 11,11,10,11,11,11,10,10,10, 9, 9,10,10, 9, 9,10,
  117710. 11,11,10,11,10,11,10,11,11,10,11,11,11,10, 9,10,
  117711. 10, 9,10, 9, 9,11, 9, 9,11,10,10,11,11,10,10,11,
  117712. 10,11, 8, 9,11,11,10, 9,10,11,11,10,11,11,10,10,
  117713. 10,11,10, 9,10,10,11, 9,10,10, 9,11,10,10,10,10,
  117714. 11,10,11,11, 9,11,10,11,10,10,11,11,10,10,10, 9,
  117715. 10,10,11,11,11, 9,10,10,10,10,10,11,10,10,10, 9,
  117716. 10,10,11,10,10,10,10,10, 9,10,11,10,10,10,10,11,
  117717. 11,11,10,10,10,10,10,11,10,11,10,11,10,10,10, 9,
  117718. 11,11,10,10,10,11,11,10,10,10,10,10,10,10,10,11,
  117719. 11, 9,10,10,10,11,10,11,10,10,10,11, 9,10,11,10,
  117720. 11,10,10, 9,10,10,10,11,10,11,10,10,10,10,10,11,
  117721. 11,10,11,11,10,10,11,11,10, 9, 9,10,10,10,10,10,
  117722. 9,11, 9,10,10,10,11,11,10,10,10,10,11,11,11,10,
  117723. 9, 9,10,10,11,10,10,10,10,10,11,11,11,10,10,10,
  117724. 11,11,11, 9,10,10,10,10, 9,10, 9,10,11,10,11,10,
  117725. 10,11,11,10,11,11,11,11,11,10,11,10,10,10, 9,11,
  117726. 11,10,11,11,11,11,11,11,11,11,11,10,11,10,10,10,
  117727. 10,11,10,10,11, 9,10,10,10,
  117728. };
  117729. static float _vq_quantthresh__16c0_s_p9_2[] = {
  117730. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  117731. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  117732. 6.5, 7.5, 8.5, 9.5,
  117733. };
  117734. static long _vq_quantmap__16c0_s_p9_2[] = {
  117735. 19, 17, 15, 13, 11, 9, 7, 5,
  117736. 3, 1, 0, 2, 4, 6, 8, 10,
  117737. 12, 14, 16, 18, 20,
  117738. };
  117739. static encode_aux_threshmatch _vq_auxt__16c0_s_p9_2 = {
  117740. _vq_quantthresh__16c0_s_p9_2,
  117741. _vq_quantmap__16c0_s_p9_2,
  117742. 21,
  117743. 21
  117744. };
  117745. static static_codebook _16c0_s_p9_2 = {
  117746. 2, 441,
  117747. _vq_lengthlist__16c0_s_p9_2,
  117748. 1, -529268736, 1611661312, 5, 0,
  117749. _vq_quantlist__16c0_s_p9_2,
  117750. NULL,
  117751. &_vq_auxt__16c0_s_p9_2,
  117752. NULL,
  117753. 0
  117754. };
  117755. static long _huff_lengthlist__16c0_s_single[] = {
  117756. 3, 4,19, 7, 9, 7, 8,11, 9,12, 4, 1,19, 6, 7, 7,
  117757. 8,10,11,13,18,18,18,18,18,18,18,18,18,18, 8, 6,
  117758. 18, 8, 9, 9,11,12,14,18, 9, 6,18, 9, 7, 8, 9,11,
  117759. 12,18, 7, 6,18, 8, 7, 7, 7, 9,11,17, 8, 8,18, 9,
  117760. 7, 6, 6, 8,11,17,10,10,18,12, 9, 8, 7, 9,12,18,
  117761. 13,15,18,15,13,11,10,11,15,18,14,18,18,18,18,18,
  117762. 16,16,18,18,
  117763. };
  117764. static static_codebook _huff_book__16c0_s_single = {
  117765. 2, 100,
  117766. _huff_lengthlist__16c0_s_single,
  117767. 0, 0, 0, 0, 0,
  117768. NULL,
  117769. NULL,
  117770. NULL,
  117771. NULL,
  117772. 0
  117773. };
  117774. static long _huff_lengthlist__16c1_s_long[] = {
  117775. 2, 5,20, 7,10, 7, 8,10,11,11, 4, 2,20, 5, 8, 6,
  117776. 7, 9,10,10,20,20,20,20,19,19,19,19,19,19, 7, 5,
  117777. 19, 6,10, 7, 9,11,13,17,11, 8,19,10, 7, 7, 8,10,
  117778. 11,15, 7, 5,19, 7, 7, 5, 6, 9,11,16, 7, 6,19, 8,
  117779. 7, 6, 6, 7, 9,13, 9, 9,19,11, 9, 8, 6, 7, 8,13,
  117780. 12,14,19,16,13,10, 9, 8, 9,13,14,17,19,18,18,17,
  117781. 12,11,11,13,
  117782. };
  117783. static static_codebook _huff_book__16c1_s_long = {
  117784. 2, 100,
  117785. _huff_lengthlist__16c1_s_long,
  117786. 0, 0, 0, 0, 0,
  117787. NULL,
  117788. NULL,
  117789. NULL,
  117790. NULL,
  117791. 0
  117792. };
  117793. static long _vq_quantlist__16c1_s_p1_0[] = {
  117794. 1,
  117795. 0,
  117796. 2,
  117797. };
  117798. static long _vq_lengthlist__16c1_s_p1_0[] = {
  117799. 1, 5, 5, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  117800. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117801. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117802. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117803. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117804. 0, 5, 8, 7, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  117805. 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117806. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117807. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117808. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117809. 0, 0, 5, 7, 8, 0, 0, 0, 0, 0, 0, 7, 9, 8, 0, 0,
  117810. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117811. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117812. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117813. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117814. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117815. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117816. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117817. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117818. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117819. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117820. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117821. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117822. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117823. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117824. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117825. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117826. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117827. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117828. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117829. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117830. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117831. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117832. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117833. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117834. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117835. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117836. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117837. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117838. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117839. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117840. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117841. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117842. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117843. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117844. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 8, 7, 0, 0, 0, 0,
  117845. 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  117846. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117847. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117848. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117849. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  117850. 0, 0, 0, 9, 9,11, 0, 0, 0, 0, 0, 0, 9,11,10, 0,
  117851. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117852. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117853. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117854. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  117855. 0, 0, 0, 0, 8,11, 9, 0, 0, 0, 0, 0, 0, 9,10,11,
  117856. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117857. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117858. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117859. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117860. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117861. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117862. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117863. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117864. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117865. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117866. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117867. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117868. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117869. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117870. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117871. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117872. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117873. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117874. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117875. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117876. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117877. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117878. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117879. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117880. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117881. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117882. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117883. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117884. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117885. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117886. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117887. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117888. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117889. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117890. 0, 0, 5, 7, 8, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  117891. 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117892. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117893. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117894. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117895. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,11,10, 0,
  117896. 0, 0, 0, 0, 0, 8, 9,11, 0, 0, 0, 0, 0, 0, 0, 0,
  117897. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117898. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117899. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117900. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,11,
  117901. 0, 0, 0, 0, 0, 0, 9,11, 9, 0, 0, 0, 0, 0, 0, 0,
  117902. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117903. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117904. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117905. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117906. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117907. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117908. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117909. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117910. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117911. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117912. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117913. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117914. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117915. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117916. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117917. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117918. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117919. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117920. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117921. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117922. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117923. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117924. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117925. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117926. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117927. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117928. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117929. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117930. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117931. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117932. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117933. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117934. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117935. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117936. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117937. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117938. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117939. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117940. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117941. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117942. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117943. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117944. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117945. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117946. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117947. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117948. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117949. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117950. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117951. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117952. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117953. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117954. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117955. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117956. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117957. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117958. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117959. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117960. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117961. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117962. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117963. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117964. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117965. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117966. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117967. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117968. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117972. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117973. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117974. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117975. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117976. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117977. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117978. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117981. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117984. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117985. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117986. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117989. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117990. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117991. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117992. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117995. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117996. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117997. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117998. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  117999. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118000. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118001. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118002. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118004. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118005. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118007. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118009. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118010. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118013. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118023. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118036. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118037. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118041. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118042. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118047. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118209. 0,
  118210. };
  118211. static float _vq_quantthresh__16c1_s_p1_0[] = {
  118212. -0.5, 0.5,
  118213. };
  118214. static long _vq_quantmap__16c1_s_p1_0[] = {
  118215. 1, 0, 2,
  118216. };
  118217. static encode_aux_threshmatch _vq_auxt__16c1_s_p1_0 = {
  118218. _vq_quantthresh__16c1_s_p1_0,
  118219. _vq_quantmap__16c1_s_p1_0,
  118220. 3,
  118221. 3
  118222. };
  118223. static static_codebook _16c1_s_p1_0 = {
  118224. 8, 6561,
  118225. _vq_lengthlist__16c1_s_p1_0,
  118226. 1, -535822336, 1611661312, 2, 0,
  118227. _vq_quantlist__16c1_s_p1_0,
  118228. NULL,
  118229. &_vq_auxt__16c1_s_p1_0,
  118230. NULL,
  118231. 0
  118232. };
  118233. static long _vq_quantlist__16c1_s_p2_0[] = {
  118234. 2,
  118235. 1,
  118236. 3,
  118237. 0,
  118238. 4,
  118239. };
  118240. static long _vq_lengthlist__16c1_s_p2_0[] = {
  118241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118280. 0,
  118281. };
  118282. static float _vq_quantthresh__16c1_s_p2_0[] = {
  118283. -1.5, -0.5, 0.5, 1.5,
  118284. };
  118285. static long _vq_quantmap__16c1_s_p2_0[] = {
  118286. 3, 1, 0, 2, 4,
  118287. };
  118288. static encode_aux_threshmatch _vq_auxt__16c1_s_p2_0 = {
  118289. _vq_quantthresh__16c1_s_p2_0,
  118290. _vq_quantmap__16c1_s_p2_0,
  118291. 5,
  118292. 5
  118293. };
  118294. static static_codebook _16c1_s_p2_0 = {
  118295. 4, 625,
  118296. _vq_lengthlist__16c1_s_p2_0,
  118297. 1, -533725184, 1611661312, 3, 0,
  118298. _vq_quantlist__16c1_s_p2_0,
  118299. NULL,
  118300. &_vq_auxt__16c1_s_p2_0,
  118301. NULL,
  118302. 0
  118303. };
  118304. static long _vq_quantlist__16c1_s_p3_0[] = {
  118305. 2,
  118306. 1,
  118307. 3,
  118308. 0,
  118309. 4,
  118310. };
  118311. static long _vq_lengthlist__16c1_s_p3_0[] = {
  118312. 1, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 5, 5, 7, 7, 0, 0,
  118314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118315. 0, 0, 4, 5, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 7, 7, 9, 9,
  118317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118318. 0, 0, 0, 0, 6, 7, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  118319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118351. 0,
  118352. };
  118353. static float _vq_quantthresh__16c1_s_p3_0[] = {
  118354. -1.5, -0.5, 0.5, 1.5,
  118355. };
  118356. static long _vq_quantmap__16c1_s_p3_0[] = {
  118357. 3, 1, 0, 2, 4,
  118358. };
  118359. static encode_aux_threshmatch _vq_auxt__16c1_s_p3_0 = {
  118360. _vq_quantthresh__16c1_s_p3_0,
  118361. _vq_quantmap__16c1_s_p3_0,
  118362. 5,
  118363. 5
  118364. };
  118365. static static_codebook _16c1_s_p3_0 = {
  118366. 4, 625,
  118367. _vq_lengthlist__16c1_s_p3_0,
  118368. 1, -533725184, 1611661312, 3, 0,
  118369. _vq_quantlist__16c1_s_p3_0,
  118370. NULL,
  118371. &_vq_auxt__16c1_s_p3_0,
  118372. NULL,
  118373. 0
  118374. };
  118375. static long _vq_quantlist__16c1_s_p4_0[] = {
  118376. 4,
  118377. 3,
  118378. 5,
  118379. 2,
  118380. 6,
  118381. 1,
  118382. 7,
  118383. 0,
  118384. 8,
  118385. };
  118386. static long _vq_lengthlist__16c1_s_p4_0[] = {
  118387. 1, 2, 3, 7, 7, 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0,
  118388. 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0, 7, 7,
  118389. 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  118390. 8, 8, 0, 0, 0, 0, 0, 0, 0, 8, 9, 0, 0, 0, 0, 0,
  118391. 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118392. 0,
  118393. };
  118394. static float _vq_quantthresh__16c1_s_p4_0[] = {
  118395. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  118396. };
  118397. static long _vq_quantmap__16c1_s_p4_0[] = {
  118398. 7, 5, 3, 1, 0, 2, 4, 6,
  118399. 8,
  118400. };
  118401. static encode_aux_threshmatch _vq_auxt__16c1_s_p4_0 = {
  118402. _vq_quantthresh__16c1_s_p4_0,
  118403. _vq_quantmap__16c1_s_p4_0,
  118404. 9,
  118405. 9
  118406. };
  118407. static static_codebook _16c1_s_p4_0 = {
  118408. 2, 81,
  118409. _vq_lengthlist__16c1_s_p4_0,
  118410. 1, -531628032, 1611661312, 4, 0,
  118411. _vq_quantlist__16c1_s_p4_0,
  118412. NULL,
  118413. &_vq_auxt__16c1_s_p4_0,
  118414. NULL,
  118415. 0
  118416. };
  118417. static long _vq_quantlist__16c1_s_p5_0[] = {
  118418. 4,
  118419. 3,
  118420. 5,
  118421. 2,
  118422. 6,
  118423. 1,
  118424. 7,
  118425. 0,
  118426. 8,
  118427. };
  118428. static long _vq_lengthlist__16c1_s_p5_0[] = {
  118429. 1, 3, 3, 5, 5, 6, 6, 8, 8, 0, 0, 0, 7, 7, 7, 7,
  118430. 9, 9, 0, 0, 0, 7, 7, 7, 7, 9, 9, 0, 0, 0, 8, 8,
  118431. 8, 8, 9, 9, 0, 0, 0, 8, 8, 8, 8,10,10, 0, 0, 0,
  118432. 9, 9, 8, 8,10,10, 0, 0, 0, 9, 9, 8, 8,10,10, 0,
  118433. 0, 0,10,10, 9, 9,10,10, 0, 0, 0, 0, 0, 9, 9,10,
  118434. 10,
  118435. };
  118436. static float _vq_quantthresh__16c1_s_p5_0[] = {
  118437. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  118438. };
  118439. static long _vq_quantmap__16c1_s_p5_0[] = {
  118440. 7, 5, 3, 1, 0, 2, 4, 6,
  118441. 8,
  118442. };
  118443. static encode_aux_threshmatch _vq_auxt__16c1_s_p5_0 = {
  118444. _vq_quantthresh__16c1_s_p5_0,
  118445. _vq_quantmap__16c1_s_p5_0,
  118446. 9,
  118447. 9
  118448. };
  118449. static static_codebook _16c1_s_p5_0 = {
  118450. 2, 81,
  118451. _vq_lengthlist__16c1_s_p5_0,
  118452. 1, -531628032, 1611661312, 4, 0,
  118453. _vq_quantlist__16c1_s_p5_0,
  118454. NULL,
  118455. &_vq_auxt__16c1_s_p5_0,
  118456. NULL,
  118457. 0
  118458. };
  118459. static long _vq_quantlist__16c1_s_p6_0[] = {
  118460. 8,
  118461. 7,
  118462. 9,
  118463. 6,
  118464. 10,
  118465. 5,
  118466. 11,
  118467. 4,
  118468. 12,
  118469. 3,
  118470. 13,
  118471. 2,
  118472. 14,
  118473. 1,
  118474. 15,
  118475. 0,
  118476. 16,
  118477. };
  118478. static long _vq_lengthlist__16c1_s_p6_0[] = {
  118479. 1, 3, 3, 6, 6, 8, 8, 9, 9, 9, 9,10,10,11,11,12,
  118480. 12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,11,
  118481. 12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,
  118482. 11,12,12, 0, 0, 0, 8, 8, 8, 9,10, 9,10,10,10,10,
  118483. 11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,10,11,
  118484. 11,11,12,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,10,
  118485. 11,11,12,12,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,
  118486. 10,11,11,12,12,13,13, 0, 0, 0, 9, 9, 9, 9,10,10,
  118487. 10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,10,
  118488. 10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,
  118489. 10,10,11,11,12,12,12,12,13,13, 0, 0, 0, 0, 0, 9,
  118490. 9,10,10,11,11,12,12,12,12,13,13, 0, 0, 0, 0, 0,
  118491. 10,10,11,10,11,11,12,12,13,13,13,13, 0, 0, 0, 0,
  118492. 0, 0, 0,10,10,11,11,12,12,13,13,13,13, 0, 0, 0,
  118493. 0, 0, 0, 0,11,11,12,12,12,12,13,13,14,14, 0, 0,
  118494. 0, 0, 0, 0, 0,11,11,12,12,12,12,13,13,14,14, 0,
  118495. 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,13,13,14,14,
  118496. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,13,13,13,13,14,
  118497. 14,
  118498. };
  118499. static float _vq_quantthresh__16c1_s_p6_0[] = {
  118500. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  118501. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  118502. };
  118503. static long _vq_quantmap__16c1_s_p6_0[] = {
  118504. 15, 13, 11, 9, 7, 5, 3, 1,
  118505. 0, 2, 4, 6, 8, 10, 12, 14,
  118506. 16,
  118507. };
  118508. static encode_aux_threshmatch _vq_auxt__16c1_s_p6_0 = {
  118509. _vq_quantthresh__16c1_s_p6_0,
  118510. _vq_quantmap__16c1_s_p6_0,
  118511. 17,
  118512. 17
  118513. };
  118514. static static_codebook _16c1_s_p6_0 = {
  118515. 2, 289,
  118516. _vq_lengthlist__16c1_s_p6_0,
  118517. 1, -529530880, 1611661312, 5, 0,
  118518. _vq_quantlist__16c1_s_p6_0,
  118519. NULL,
  118520. &_vq_auxt__16c1_s_p6_0,
  118521. NULL,
  118522. 0
  118523. };
  118524. static long _vq_quantlist__16c1_s_p7_0[] = {
  118525. 1,
  118526. 0,
  118527. 2,
  118528. };
  118529. static long _vq_lengthlist__16c1_s_p7_0[] = {
  118530. 1, 4, 4, 6, 6, 6, 7, 6, 6, 4, 7, 7,10, 9,10,10,
  118531. 10, 9, 4, 7, 7,10,10,10,11,10,10, 6,10,10,11,11,
  118532. 11,11,10,10, 6,10, 9,11,11,11,11,10,10, 6,10,10,
  118533. 11,11,11,11,10,10, 7,11,11,11,11,11,12,12,11, 6,
  118534. 10,10,11,10,10,11,11,11, 6,10,10,10,11,10,11,11,
  118535. 11,
  118536. };
  118537. static float _vq_quantthresh__16c1_s_p7_0[] = {
  118538. -5.5, 5.5,
  118539. };
  118540. static long _vq_quantmap__16c1_s_p7_0[] = {
  118541. 1, 0, 2,
  118542. };
  118543. static encode_aux_threshmatch _vq_auxt__16c1_s_p7_0 = {
  118544. _vq_quantthresh__16c1_s_p7_0,
  118545. _vq_quantmap__16c1_s_p7_0,
  118546. 3,
  118547. 3
  118548. };
  118549. static static_codebook _16c1_s_p7_0 = {
  118550. 4, 81,
  118551. _vq_lengthlist__16c1_s_p7_0,
  118552. 1, -529137664, 1618345984, 2, 0,
  118553. _vq_quantlist__16c1_s_p7_0,
  118554. NULL,
  118555. &_vq_auxt__16c1_s_p7_0,
  118556. NULL,
  118557. 0
  118558. };
  118559. static long _vq_quantlist__16c1_s_p7_1[] = {
  118560. 5,
  118561. 4,
  118562. 6,
  118563. 3,
  118564. 7,
  118565. 2,
  118566. 8,
  118567. 1,
  118568. 9,
  118569. 0,
  118570. 10,
  118571. };
  118572. static long _vq_lengthlist__16c1_s_p7_1[] = {
  118573. 2, 3, 3, 5, 6, 7, 7, 7, 7, 8, 8,10,10,10, 6, 6,
  118574. 7, 7, 8, 8, 8, 8,10,10,10, 6, 6, 7, 7, 8, 8, 8,
  118575. 8,10,10,10, 7, 7, 7, 7, 8, 8, 8, 8,10,10,10, 7,
  118576. 7, 7, 7, 8, 8, 8, 8,10,10,10, 7, 7, 8, 8, 8, 8,
  118577. 8, 8,10,10,10, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10,
  118578. 8, 8, 8, 8, 8, 8, 9, 9,10,10,10,10,10, 8, 8, 8,
  118579. 8, 9, 9,10,10,10,10,10, 9, 9, 8, 8, 9, 9,10,10,
  118580. 10,10,10, 8, 8, 8, 8, 9, 9,
  118581. };
  118582. static float _vq_quantthresh__16c1_s_p7_1[] = {
  118583. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  118584. 3.5, 4.5,
  118585. };
  118586. static long _vq_quantmap__16c1_s_p7_1[] = {
  118587. 9, 7, 5, 3, 1, 0, 2, 4,
  118588. 6, 8, 10,
  118589. };
  118590. static encode_aux_threshmatch _vq_auxt__16c1_s_p7_1 = {
  118591. _vq_quantthresh__16c1_s_p7_1,
  118592. _vq_quantmap__16c1_s_p7_1,
  118593. 11,
  118594. 11
  118595. };
  118596. static static_codebook _16c1_s_p7_1 = {
  118597. 2, 121,
  118598. _vq_lengthlist__16c1_s_p7_1,
  118599. 1, -531365888, 1611661312, 4, 0,
  118600. _vq_quantlist__16c1_s_p7_1,
  118601. NULL,
  118602. &_vq_auxt__16c1_s_p7_1,
  118603. NULL,
  118604. 0
  118605. };
  118606. static long _vq_quantlist__16c1_s_p8_0[] = {
  118607. 6,
  118608. 5,
  118609. 7,
  118610. 4,
  118611. 8,
  118612. 3,
  118613. 9,
  118614. 2,
  118615. 10,
  118616. 1,
  118617. 11,
  118618. 0,
  118619. 12,
  118620. };
  118621. static long _vq_lengthlist__16c1_s_p8_0[] = {
  118622. 1, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9, 6, 5, 5,
  118623. 7, 8, 8, 9, 8, 8, 9, 9,10,11, 6, 5, 5, 8, 8, 9,
  118624. 9, 8, 8, 9,10,10,11, 0, 8, 8, 8, 9, 9, 9, 9, 9,
  118625. 10,10,11,11, 0, 9, 9, 9, 8, 9, 9, 9, 9,10,10,11,
  118626. 11, 0,13,13, 9, 9,10,10,10,10,11,11,12,12, 0,14,
  118627. 13, 9, 9,10,10,10,10,11,11,12,12, 0, 0, 0,10,10,
  118628. 9, 9,11,11,12,12,13,12, 0, 0, 0,10,10, 9, 9,10,
  118629. 10,12,12,13,13, 0, 0, 0,13,14,11,10,11,11,12,12,
  118630. 13,14, 0, 0, 0,14,14,10,10,11,11,12,12,13,13, 0,
  118631. 0, 0, 0, 0,12,12,12,12,13,13,14,15, 0, 0, 0, 0,
  118632. 0,12,12,12,12,13,13,14,15,
  118633. };
  118634. static float _vq_quantthresh__16c1_s_p8_0[] = {
  118635. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  118636. 12.5, 17.5, 22.5, 27.5,
  118637. };
  118638. static long _vq_quantmap__16c1_s_p8_0[] = {
  118639. 11, 9, 7, 5, 3, 1, 0, 2,
  118640. 4, 6, 8, 10, 12,
  118641. };
  118642. static encode_aux_threshmatch _vq_auxt__16c1_s_p8_0 = {
  118643. _vq_quantthresh__16c1_s_p8_0,
  118644. _vq_quantmap__16c1_s_p8_0,
  118645. 13,
  118646. 13
  118647. };
  118648. static static_codebook _16c1_s_p8_0 = {
  118649. 2, 169,
  118650. _vq_lengthlist__16c1_s_p8_0,
  118651. 1, -526516224, 1616117760, 4, 0,
  118652. _vq_quantlist__16c1_s_p8_0,
  118653. NULL,
  118654. &_vq_auxt__16c1_s_p8_0,
  118655. NULL,
  118656. 0
  118657. };
  118658. static long _vq_quantlist__16c1_s_p8_1[] = {
  118659. 2,
  118660. 1,
  118661. 3,
  118662. 0,
  118663. 4,
  118664. };
  118665. static long _vq_lengthlist__16c1_s_p8_1[] = {
  118666. 2, 3, 3, 5, 5, 6, 6, 6, 5, 5, 6, 6, 6, 5, 5, 6,
  118667. 6, 6, 5, 5, 6, 6, 6, 5, 5,
  118668. };
  118669. static float _vq_quantthresh__16c1_s_p8_1[] = {
  118670. -1.5, -0.5, 0.5, 1.5,
  118671. };
  118672. static long _vq_quantmap__16c1_s_p8_1[] = {
  118673. 3, 1, 0, 2, 4,
  118674. };
  118675. static encode_aux_threshmatch _vq_auxt__16c1_s_p8_1 = {
  118676. _vq_quantthresh__16c1_s_p8_1,
  118677. _vq_quantmap__16c1_s_p8_1,
  118678. 5,
  118679. 5
  118680. };
  118681. static static_codebook _16c1_s_p8_1 = {
  118682. 2, 25,
  118683. _vq_lengthlist__16c1_s_p8_1,
  118684. 1, -533725184, 1611661312, 3, 0,
  118685. _vq_quantlist__16c1_s_p8_1,
  118686. NULL,
  118687. &_vq_auxt__16c1_s_p8_1,
  118688. NULL,
  118689. 0
  118690. };
  118691. static long _vq_quantlist__16c1_s_p9_0[] = {
  118692. 6,
  118693. 5,
  118694. 7,
  118695. 4,
  118696. 8,
  118697. 3,
  118698. 9,
  118699. 2,
  118700. 10,
  118701. 1,
  118702. 11,
  118703. 0,
  118704. 12,
  118705. };
  118706. static long _vq_lengthlist__16c1_s_p9_0[] = {
  118707. 1, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  118708. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  118709. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  118710. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  118711. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  118712. 9, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  118713. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  118714. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  118715. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  118716. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  118717. 8, 8, 8, 8, 8, 8, 8, 8, 8,
  118718. };
  118719. static float _vq_quantthresh__16c1_s_p9_0[] = {
  118720. -1732.5, -1417.5, -1102.5, -787.5, -472.5, -157.5, 157.5, 472.5,
  118721. 787.5, 1102.5, 1417.5, 1732.5,
  118722. };
  118723. static long _vq_quantmap__16c1_s_p9_0[] = {
  118724. 11, 9, 7, 5, 3, 1, 0, 2,
  118725. 4, 6, 8, 10, 12,
  118726. };
  118727. static encode_aux_threshmatch _vq_auxt__16c1_s_p9_0 = {
  118728. _vq_quantthresh__16c1_s_p9_0,
  118729. _vq_quantmap__16c1_s_p9_0,
  118730. 13,
  118731. 13
  118732. };
  118733. static static_codebook _16c1_s_p9_0 = {
  118734. 2, 169,
  118735. _vq_lengthlist__16c1_s_p9_0,
  118736. 1, -513964032, 1628680192, 4, 0,
  118737. _vq_quantlist__16c1_s_p9_0,
  118738. NULL,
  118739. &_vq_auxt__16c1_s_p9_0,
  118740. NULL,
  118741. 0
  118742. };
  118743. static long _vq_quantlist__16c1_s_p9_1[] = {
  118744. 7,
  118745. 6,
  118746. 8,
  118747. 5,
  118748. 9,
  118749. 4,
  118750. 10,
  118751. 3,
  118752. 11,
  118753. 2,
  118754. 12,
  118755. 1,
  118756. 13,
  118757. 0,
  118758. 14,
  118759. };
  118760. static long _vq_lengthlist__16c1_s_p9_1[] = {
  118761. 1, 4, 4, 4, 4, 8, 8,12,13,14,14,14,14,14,14, 6,
  118762. 6, 6, 6, 6,10, 9,14,14,14,14,14,14,14,14, 7, 6,
  118763. 5, 6, 6,10, 9,12,13,13,13,13,13,13,13,13, 7, 7,
  118764. 9, 9,11,11,12,13,13,13,13,13,13,13,13, 7, 7, 8,
  118765. 8,11,12,13,13,13,13,13,13,13,13,13,12,12,10,10,
  118766. 13,12,13,13,13,13,13,13,13,13,13,12,12,10,10,13,
  118767. 13,13,13,13,13,13,13,13,13,13,13,13,13,12,13,12,
  118768. 13,13,13,13,13,13,13,13,13,13,13,13,12,13,13,13,
  118769. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  118770. 13,13,13,13,13,13,13,13,13,13,13,13,12,13,13,13,
  118771. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  118772. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  118773. 13,13,13,13,13,13,13,13,13,12,13,13,13,13,13,13,
  118774. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  118775. 13,
  118776. };
  118777. static float _vq_quantthresh__16c1_s_p9_1[] = {
  118778. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  118779. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  118780. };
  118781. static long _vq_quantmap__16c1_s_p9_1[] = {
  118782. 13, 11, 9, 7, 5, 3, 1, 0,
  118783. 2, 4, 6, 8, 10, 12, 14,
  118784. };
  118785. static encode_aux_threshmatch _vq_auxt__16c1_s_p9_1 = {
  118786. _vq_quantthresh__16c1_s_p9_1,
  118787. _vq_quantmap__16c1_s_p9_1,
  118788. 15,
  118789. 15
  118790. };
  118791. static static_codebook _16c1_s_p9_1 = {
  118792. 2, 225,
  118793. _vq_lengthlist__16c1_s_p9_1,
  118794. 1, -520986624, 1620377600, 4, 0,
  118795. _vq_quantlist__16c1_s_p9_1,
  118796. NULL,
  118797. &_vq_auxt__16c1_s_p9_1,
  118798. NULL,
  118799. 0
  118800. };
  118801. static long _vq_quantlist__16c1_s_p9_2[] = {
  118802. 10,
  118803. 9,
  118804. 11,
  118805. 8,
  118806. 12,
  118807. 7,
  118808. 13,
  118809. 6,
  118810. 14,
  118811. 5,
  118812. 15,
  118813. 4,
  118814. 16,
  118815. 3,
  118816. 17,
  118817. 2,
  118818. 18,
  118819. 1,
  118820. 19,
  118821. 0,
  118822. 20,
  118823. };
  118824. static long _vq_lengthlist__16c1_s_p9_2[] = {
  118825. 1, 4, 4, 6, 6, 7, 7, 8, 7, 8, 8, 9, 9, 9, 9,10,
  118826. 10,10, 9,10,10,11,12,12, 8, 8, 8, 8, 9, 9, 9, 9,
  118827. 10,10,10,10,10,11,11,10,12,11,11,13,11, 7, 7, 8,
  118828. 8, 8, 8, 9, 9, 9,10,10,10,10, 9,10,10,11,11,12,
  118829. 11,11, 8, 8, 8, 8, 9, 9,10,10,10,10,11,11,11,11,
  118830. 11,11,11,12,11,12,12, 8, 8, 9, 9, 9, 9, 9,10,10,
  118831. 10,10,10,10,11,11,11,11,11,11,12,11, 9, 9, 9, 9,
  118832. 10,10,10,10,11,10,11,11,11,11,11,11,12,12,12,12,
  118833. 11, 9, 9, 9, 9,10,10,10,10,11,11,11,11,11,11,11,
  118834. 11,11,12,12,12,13, 9,10,10, 9,11,10,10,10,10,11,
  118835. 11,11,11,11,10,11,12,11,12,12,11,12,11,10, 9,10,
  118836. 10,11,10,11,11,11,11,11,11,11,11,11,12,12,11,12,
  118837. 12,12,10,10,10,11,10,11,11,11,11,11,11,11,11,11,
  118838. 11,11,12,13,12,12,11, 9,10,10,11,11,10,11,11,11,
  118839. 12,11,11,11,11,11,12,12,13,13,12,13,10,10,12,10,
  118840. 11,11,11,11,11,11,11,11,11,12,12,11,13,12,12,12,
  118841. 12,13,12,11,11,11,11,11,11,12,11,12,11,11,11,11,
  118842. 12,12,13,12,11,12,12,11,11,11,11,11,12,11,11,11,
  118843. 11,12,11,11,12,11,12,13,13,12,12,12,12,11,11,11,
  118844. 11,11,12,11,11,12,11,12,11,11,11,11,13,12,12,12,
  118845. 12,13,11,11,11,12,12,11,11,11,12,11,12,12,12,11,
  118846. 12,13,12,11,11,12,12,11,12,11,11,11,12,12,11,12,
  118847. 11,11,11,12,12,12,12,13,12,13,12,12,12,12,11,11,
  118848. 12,11,11,11,11,11,11,12,12,12,13,12,11,13,13,12,
  118849. 12,11,12,10,11,11,11,11,12,11,12,12,11,12,12,13,
  118850. 12,12,13,12,12,12,12,12,11,12,12,12,11,12,11,11,
  118851. 11,12,13,12,13,13,13,13,13,12,13,13,12,12,13,11,
  118852. 11,11,11,11,12,11,11,12,11,
  118853. };
  118854. static float _vq_quantthresh__16c1_s_p9_2[] = {
  118855. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  118856. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  118857. 6.5, 7.5, 8.5, 9.5,
  118858. };
  118859. static long _vq_quantmap__16c1_s_p9_2[] = {
  118860. 19, 17, 15, 13, 11, 9, 7, 5,
  118861. 3, 1, 0, 2, 4, 6, 8, 10,
  118862. 12, 14, 16, 18, 20,
  118863. };
  118864. static encode_aux_threshmatch _vq_auxt__16c1_s_p9_2 = {
  118865. _vq_quantthresh__16c1_s_p9_2,
  118866. _vq_quantmap__16c1_s_p9_2,
  118867. 21,
  118868. 21
  118869. };
  118870. static static_codebook _16c1_s_p9_2 = {
  118871. 2, 441,
  118872. _vq_lengthlist__16c1_s_p9_2,
  118873. 1, -529268736, 1611661312, 5, 0,
  118874. _vq_quantlist__16c1_s_p9_2,
  118875. NULL,
  118876. &_vq_auxt__16c1_s_p9_2,
  118877. NULL,
  118878. 0
  118879. };
  118880. static long _huff_lengthlist__16c1_s_short[] = {
  118881. 5, 6,17, 8,12, 9,10,10,12,13, 5, 2,17, 4, 9, 5,
  118882. 7, 8,11,13,16,16,16,16,16,16,16,16,16,16, 6, 4,
  118883. 16, 5,10, 5, 7,10,14,16,13, 9,16,11, 8, 7, 8, 9,
  118884. 13,16, 7, 4,16, 5, 7, 4, 6, 8,11,13, 8, 6,16, 7,
  118885. 8, 5, 5, 7, 9,13, 9, 8,16, 9, 8, 6, 6, 7, 9,13,
  118886. 11,11,16,10,10, 7, 7, 7, 9,13,13,13,16,13,13, 9,
  118887. 9, 9,10,13,
  118888. };
  118889. static static_codebook _huff_book__16c1_s_short = {
  118890. 2, 100,
  118891. _huff_lengthlist__16c1_s_short,
  118892. 0, 0, 0, 0, 0,
  118893. NULL,
  118894. NULL,
  118895. NULL,
  118896. NULL,
  118897. 0
  118898. };
  118899. static long _huff_lengthlist__16c2_s_long[] = {
  118900. 4, 7, 9, 9, 9, 8, 9,10,15,19, 5, 4, 5, 6, 7, 7,
  118901. 8, 9,14,16, 6, 5, 4, 5, 6, 7, 8,10,12,19, 7, 6,
  118902. 5, 4, 5, 6, 7, 9,11,18, 8, 7, 6, 5, 5, 5, 7, 9,
  118903. 10,17, 8, 7, 7, 5, 5, 5, 6, 7,12,18, 8, 8, 8, 7,
  118904. 7, 5, 5, 7,12,18, 8, 9,10, 9, 9, 7, 6, 7,12,17,
  118905. 14,18,16,16,15,12,11,10,12,18,15,17,18,18,18,15,
  118906. 14,14,16,18,
  118907. };
  118908. static static_codebook _huff_book__16c2_s_long = {
  118909. 2, 100,
  118910. _huff_lengthlist__16c2_s_long,
  118911. 0, 0, 0, 0, 0,
  118912. NULL,
  118913. NULL,
  118914. NULL,
  118915. NULL,
  118916. 0
  118917. };
  118918. static long _vq_quantlist__16c2_s_p1_0[] = {
  118919. 1,
  118920. 0,
  118921. 2,
  118922. };
  118923. static long _vq_lengthlist__16c2_s_p1_0[] = {
  118924. 1, 3, 3, 0, 0, 0, 0, 0, 0, 4, 5, 5, 0, 0, 0, 0,
  118925. 0, 0, 4, 5, 5, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118926. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118927. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118928. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118929. 0,
  118930. };
  118931. static float _vq_quantthresh__16c2_s_p1_0[] = {
  118932. -0.5, 0.5,
  118933. };
  118934. static long _vq_quantmap__16c2_s_p1_0[] = {
  118935. 1, 0, 2,
  118936. };
  118937. static encode_aux_threshmatch _vq_auxt__16c2_s_p1_0 = {
  118938. _vq_quantthresh__16c2_s_p1_0,
  118939. _vq_quantmap__16c2_s_p1_0,
  118940. 3,
  118941. 3
  118942. };
  118943. static static_codebook _16c2_s_p1_0 = {
  118944. 4, 81,
  118945. _vq_lengthlist__16c2_s_p1_0,
  118946. 1, -535822336, 1611661312, 2, 0,
  118947. _vq_quantlist__16c2_s_p1_0,
  118948. NULL,
  118949. &_vq_auxt__16c2_s_p1_0,
  118950. NULL,
  118951. 0
  118952. };
  118953. static long _vq_quantlist__16c2_s_p2_0[] = {
  118954. 2,
  118955. 1,
  118956. 3,
  118957. 0,
  118958. 4,
  118959. };
  118960. static long _vq_lengthlist__16c2_s_p2_0[] = {
  118961. 2, 4, 3, 7, 7, 0, 0, 0, 7, 8, 0, 0, 0, 8, 8, 0,
  118962. 0, 0, 8, 8, 0, 0, 0, 8, 8, 4, 5, 4, 8, 8, 0, 0,
  118963. 0, 8, 8, 0, 0, 0, 8, 8, 0, 0, 0, 9, 9, 0, 0, 0,
  118964. 9, 9, 4, 4, 5, 8, 8, 0, 0, 0, 8, 8, 0, 0, 0, 8,
  118965. 8, 0, 0, 0, 9, 9, 0, 0, 0, 9, 9, 7, 8, 8,10,10,
  118966. 0, 0, 0,12,11, 0, 0, 0,11,11, 0, 0, 0,14,13, 0,
  118967. 0, 0,14,13, 7, 8, 8, 9,10, 0, 0, 0,11,12, 0, 0,
  118968. 0,11,11, 0, 0, 0,14,14, 0, 0, 0,13,14, 0, 0, 0,
  118969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118972. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118973. 0, 0, 0, 0, 0, 0, 0, 0, 8, 8, 8,11,11, 0, 0, 0,
  118974. 11,11, 0, 0, 0,12,11, 0, 0, 0,12,12, 0, 0, 0,13,
  118975. 13, 8, 8, 8,11,11, 0, 0, 0,11,11, 0, 0, 0,11,12,
  118976. 0, 0, 0,12,13, 0, 0, 0,13,13, 0, 0, 0, 0, 0, 0,
  118977. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118978. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118981. 0, 0, 0, 0, 0, 8, 8, 8,12,11, 0, 0, 0,12,11, 0,
  118982. 0, 0,11,11, 0, 0, 0,13,13, 0, 0, 0,13,12, 8, 8,
  118983. 8,11,12, 0, 0, 0,11,12, 0, 0, 0,11,11, 0, 0, 0,
  118984. 13,13, 0, 0, 0,12,13, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118985. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118986. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118989. 0, 0, 8, 9, 9,14,13, 0, 0, 0,13,12, 0, 0, 0,13,
  118990. 13, 0, 0, 0,13,12, 0, 0, 0,13,13, 8, 9, 9,13,14,
  118991. 0, 0, 0,12,13, 0, 0, 0,13,13, 0, 0, 0,12,13, 0,
  118992. 0, 0,13,13, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118995. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  118996. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 8,
  118997. 9, 9,14,13, 0, 0, 0,13,13, 0, 0, 0,13,12, 0, 0,
  118998. 0,13,13, 0, 0, 0,13,12, 8, 9, 9,14,14, 0, 0, 0,
  118999. 13,13, 0, 0, 0,12,13, 0, 0, 0,13,13, 0, 0, 0,12,
  119000. 13,
  119001. };
  119002. static float _vq_quantthresh__16c2_s_p2_0[] = {
  119003. -1.5, -0.5, 0.5, 1.5,
  119004. };
  119005. static long _vq_quantmap__16c2_s_p2_0[] = {
  119006. 3, 1, 0, 2, 4,
  119007. };
  119008. static encode_aux_threshmatch _vq_auxt__16c2_s_p2_0 = {
  119009. _vq_quantthresh__16c2_s_p2_0,
  119010. _vq_quantmap__16c2_s_p2_0,
  119011. 5,
  119012. 5
  119013. };
  119014. static static_codebook _16c2_s_p2_0 = {
  119015. 4, 625,
  119016. _vq_lengthlist__16c2_s_p2_0,
  119017. 1, -533725184, 1611661312, 3, 0,
  119018. _vq_quantlist__16c2_s_p2_0,
  119019. NULL,
  119020. &_vq_auxt__16c2_s_p2_0,
  119021. NULL,
  119022. 0
  119023. };
  119024. static long _vq_quantlist__16c2_s_p3_0[] = {
  119025. 4,
  119026. 3,
  119027. 5,
  119028. 2,
  119029. 6,
  119030. 1,
  119031. 7,
  119032. 0,
  119033. 8,
  119034. };
  119035. static long _vq_lengthlist__16c2_s_p3_0[] = {
  119036. 1, 3, 3, 6, 6, 7, 7, 8, 8, 0, 0, 0, 6, 6, 7, 7,
  119037. 9, 9, 0, 0, 0, 6, 6, 7, 7, 9, 9, 0, 0, 0, 7, 7,
  119038. 8, 8,10,10, 0, 0, 0, 7, 7, 8, 8,10,10, 0, 0, 0,
  119039. 7, 7, 9, 9,10,10, 0, 0, 0, 7, 7, 9, 9,10,10, 0,
  119040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119041. 0,
  119042. };
  119043. static float _vq_quantthresh__16c2_s_p3_0[] = {
  119044. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  119045. };
  119046. static long _vq_quantmap__16c2_s_p3_0[] = {
  119047. 7, 5, 3, 1, 0, 2, 4, 6,
  119048. 8,
  119049. };
  119050. static encode_aux_threshmatch _vq_auxt__16c2_s_p3_0 = {
  119051. _vq_quantthresh__16c2_s_p3_0,
  119052. _vq_quantmap__16c2_s_p3_0,
  119053. 9,
  119054. 9
  119055. };
  119056. static static_codebook _16c2_s_p3_0 = {
  119057. 2, 81,
  119058. _vq_lengthlist__16c2_s_p3_0,
  119059. 1, -531628032, 1611661312, 4, 0,
  119060. _vq_quantlist__16c2_s_p3_0,
  119061. NULL,
  119062. &_vq_auxt__16c2_s_p3_0,
  119063. NULL,
  119064. 0
  119065. };
  119066. static long _vq_quantlist__16c2_s_p4_0[] = {
  119067. 8,
  119068. 7,
  119069. 9,
  119070. 6,
  119071. 10,
  119072. 5,
  119073. 11,
  119074. 4,
  119075. 12,
  119076. 3,
  119077. 13,
  119078. 2,
  119079. 14,
  119080. 1,
  119081. 15,
  119082. 0,
  119083. 16,
  119084. };
  119085. static long _vq_lengthlist__16c2_s_p4_0[] = {
  119086. 2, 3, 3, 5, 5, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9,10,
  119087. 10, 0, 0, 0, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,
  119088. 11,11, 0, 0, 0, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,
  119089. 10,10,11, 0, 0, 0, 6, 6, 8, 8, 8, 8, 9, 9,10,10,
  119090. 10,11,11,11, 0, 0, 0, 6, 6, 8, 8, 9, 9, 9, 9,10,
  119091. 10,11,11,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,
  119092. 10,10,11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9,
  119093. 9,10,10,11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,
  119094. 10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 8, 8, 9,
  119095. 9,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 0, 0,
  119096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119104. 0,
  119105. };
  119106. static float _vq_quantthresh__16c2_s_p4_0[] = {
  119107. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  119108. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  119109. };
  119110. static long _vq_quantmap__16c2_s_p4_0[] = {
  119111. 15, 13, 11, 9, 7, 5, 3, 1,
  119112. 0, 2, 4, 6, 8, 10, 12, 14,
  119113. 16,
  119114. };
  119115. static encode_aux_threshmatch _vq_auxt__16c2_s_p4_0 = {
  119116. _vq_quantthresh__16c2_s_p4_0,
  119117. _vq_quantmap__16c2_s_p4_0,
  119118. 17,
  119119. 17
  119120. };
  119121. static static_codebook _16c2_s_p4_0 = {
  119122. 2, 289,
  119123. _vq_lengthlist__16c2_s_p4_0,
  119124. 1, -529530880, 1611661312, 5, 0,
  119125. _vq_quantlist__16c2_s_p4_0,
  119126. NULL,
  119127. &_vq_auxt__16c2_s_p4_0,
  119128. NULL,
  119129. 0
  119130. };
  119131. static long _vq_quantlist__16c2_s_p5_0[] = {
  119132. 1,
  119133. 0,
  119134. 2,
  119135. };
  119136. static long _vq_lengthlist__16c2_s_p5_0[] = {
  119137. 1, 4, 4, 5, 7, 7, 6, 7, 7, 4, 6, 6,10,10,10,10,
  119138. 10,10, 4, 7, 6,10,10,10,10,10,10, 5, 9, 9, 9,12,
  119139. 11,10,11,12, 7,10,10,12,12,12,12,12,12, 7,10,10,
  119140. 11,12,12,12,12,13, 6,10,10,10,12,12,10,12,12, 7,
  119141. 10,10,11,13,12,12,12,12, 7,10,10,11,12,12,12,12,
  119142. 12,
  119143. };
  119144. static float _vq_quantthresh__16c2_s_p5_0[] = {
  119145. -5.5, 5.5,
  119146. };
  119147. static long _vq_quantmap__16c2_s_p5_0[] = {
  119148. 1, 0, 2,
  119149. };
  119150. static encode_aux_threshmatch _vq_auxt__16c2_s_p5_0 = {
  119151. _vq_quantthresh__16c2_s_p5_0,
  119152. _vq_quantmap__16c2_s_p5_0,
  119153. 3,
  119154. 3
  119155. };
  119156. static static_codebook _16c2_s_p5_0 = {
  119157. 4, 81,
  119158. _vq_lengthlist__16c2_s_p5_0,
  119159. 1, -529137664, 1618345984, 2, 0,
  119160. _vq_quantlist__16c2_s_p5_0,
  119161. NULL,
  119162. &_vq_auxt__16c2_s_p5_0,
  119163. NULL,
  119164. 0
  119165. };
  119166. static long _vq_quantlist__16c2_s_p5_1[] = {
  119167. 5,
  119168. 4,
  119169. 6,
  119170. 3,
  119171. 7,
  119172. 2,
  119173. 8,
  119174. 1,
  119175. 9,
  119176. 0,
  119177. 10,
  119178. };
  119179. static long _vq_lengthlist__16c2_s_p5_1[] = {
  119180. 2, 3, 3, 6, 6, 7, 7, 7, 7, 8, 8,11,11,11, 6, 6,
  119181. 7, 7, 8, 8, 8, 8,11,11,11, 6, 6, 7, 7, 8, 8, 8,
  119182. 8,11,11,11, 6, 6, 8, 8, 8, 8, 9, 9,11,11,11, 6,
  119183. 6, 8, 8, 8, 8, 9, 9,11,11,11, 7, 7, 8, 8, 8, 8,
  119184. 8, 8,11,11,11, 7, 7, 8, 8, 8, 8, 8, 9,11,11,11,
  119185. 8, 8, 8, 8, 8, 8, 8, 8,11,11,11,11,11, 8, 8, 8,
  119186. 8, 8, 8,11,11,11,11,11, 8, 8, 8, 8, 8, 8,11,11,
  119187. 11,11,11, 7, 7, 8, 8, 8, 8,
  119188. };
  119189. static float _vq_quantthresh__16c2_s_p5_1[] = {
  119190. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  119191. 3.5, 4.5,
  119192. };
  119193. static long _vq_quantmap__16c2_s_p5_1[] = {
  119194. 9, 7, 5, 3, 1, 0, 2, 4,
  119195. 6, 8, 10,
  119196. };
  119197. static encode_aux_threshmatch _vq_auxt__16c2_s_p5_1 = {
  119198. _vq_quantthresh__16c2_s_p5_1,
  119199. _vq_quantmap__16c2_s_p5_1,
  119200. 11,
  119201. 11
  119202. };
  119203. static static_codebook _16c2_s_p5_1 = {
  119204. 2, 121,
  119205. _vq_lengthlist__16c2_s_p5_1,
  119206. 1, -531365888, 1611661312, 4, 0,
  119207. _vq_quantlist__16c2_s_p5_1,
  119208. NULL,
  119209. &_vq_auxt__16c2_s_p5_1,
  119210. NULL,
  119211. 0
  119212. };
  119213. static long _vq_quantlist__16c2_s_p6_0[] = {
  119214. 6,
  119215. 5,
  119216. 7,
  119217. 4,
  119218. 8,
  119219. 3,
  119220. 9,
  119221. 2,
  119222. 10,
  119223. 1,
  119224. 11,
  119225. 0,
  119226. 12,
  119227. };
  119228. static long _vq_lengthlist__16c2_s_p6_0[] = {
  119229. 1, 4, 4, 7, 6, 8, 8, 9, 9,10,10,11,11, 5, 5, 5,
  119230. 7, 7, 9, 9, 9, 9,11,11,12,12, 6, 5, 5, 7, 7, 9,
  119231. 9,10,10,11,11,12,12, 0, 6, 6, 7, 7, 9, 9,10,10,
  119232. 11,11,12,12, 0, 7, 7, 7, 7, 9, 9,10,10,11,12,12,
  119233. 12, 0,11,11, 8, 8,10,10,11,11,12,12,13,13, 0,11,
  119234. 12, 8, 8,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,
  119235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119239. 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119240. };
  119241. static float _vq_quantthresh__16c2_s_p6_0[] = {
  119242. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  119243. 12.5, 17.5, 22.5, 27.5,
  119244. };
  119245. static long _vq_quantmap__16c2_s_p6_0[] = {
  119246. 11, 9, 7, 5, 3, 1, 0, 2,
  119247. 4, 6, 8, 10, 12,
  119248. };
  119249. static encode_aux_threshmatch _vq_auxt__16c2_s_p6_0 = {
  119250. _vq_quantthresh__16c2_s_p6_0,
  119251. _vq_quantmap__16c2_s_p6_0,
  119252. 13,
  119253. 13
  119254. };
  119255. static static_codebook _16c2_s_p6_0 = {
  119256. 2, 169,
  119257. _vq_lengthlist__16c2_s_p6_0,
  119258. 1, -526516224, 1616117760, 4, 0,
  119259. _vq_quantlist__16c2_s_p6_0,
  119260. NULL,
  119261. &_vq_auxt__16c2_s_p6_0,
  119262. NULL,
  119263. 0
  119264. };
  119265. static long _vq_quantlist__16c2_s_p6_1[] = {
  119266. 2,
  119267. 1,
  119268. 3,
  119269. 0,
  119270. 4,
  119271. };
  119272. static long _vq_lengthlist__16c2_s_p6_1[] = {
  119273. 2, 3, 3, 5, 5, 6, 6, 6, 5, 5, 6, 6, 6, 5, 5, 6,
  119274. 6, 6, 5, 5, 6, 6, 6, 5, 5,
  119275. };
  119276. static float _vq_quantthresh__16c2_s_p6_1[] = {
  119277. -1.5, -0.5, 0.5, 1.5,
  119278. };
  119279. static long _vq_quantmap__16c2_s_p6_1[] = {
  119280. 3, 1, 0, 2, 4,
  119281. };
  119282. static encode_aux_threshmatch _vq_auxt__16c2_s_p6_1 = {
  119283. _vq_quantthresh__16c2_s_p6_1,
  119284. _vq_quantmap__16c2_s_p6_1,
  119285. 5,
  119286. 5
  119287. };
  119288. static static_codebook _16c2_s_p6_1 = {
  119289. 2, 25,
  119290. _vq_lengthlist__16c2_s_p6_1,
  119291. 1, -533725184, 1611661312, 3, 0,
  119292. _vq_quantlist__16c2_s_p6_1,
  119293. NULL,
  119294. &_vq_auxt__16c2_s_p6_1,
  119295. NULL,
  119296. 0
  119297. };
  119298. static long _vq_quantlist__16c2_s_p7_0[] = {
  119299. 6,
  119300. 5,
  119301. 7,
  119302. 4,
  119303. 8,
  119304. 3,
  119305. 9,
  119306. 2,
  119307. 10,
  119308. 1,
  119309. 11,
  119310. 0,
  119311. 12,
  119312. };
  119313. static long _vq_lengthlist__16c2_s_p7_0[] = {
  119314. 1, 4, 4, 7, 7, 8, 8, 9, 9,10,10,11,11, 5, 5, 5,
  119315. 8, 8, 9, 9,10,10,11,11,12,12, 6, 5, 5, 8, 8, 9,
  119316. 9,10,10,11,11,12,13,18, 6, 6, 7, 7, 9, 9,10,10,
  119317. 12,12,13,13,18, 6, 6, 7, 7, 9, 9,10,10,12,12,13,
  119318. 13,18,11,10, 8, 8,10,10,11,11,12,12,13,13,18,11,
  119319. 11, 8, 8,10,10,11,11,12,13,13,13,18,18,18,10,11,
  119320. 11,11,12,12,13,13,14,14,18,18,18,11,11,11,11,12,
  119321. 12,13,13,14,14,18,18,18,14,14,12,12,12,12,14,14,
  119322. 15,14,18,18,18,15,15,11,12,12,12,13,13,15,15,18,
  119323. 18,18,18,18,13,13,13,13,13,14,17,16,18,18,18,18,
  119324. 18,13,14,13,13,14,13,15,14,
  119325. };
  119326. static float _vq_quantthresh__16c2_s_p7_0[] = {
  119327. -60.5, -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5,
  119328. 27.5, 38.5, 49.5, 60.5,
  119329. };
  119330. static long _vq_quantmap__16c2_s_p7_0[] = {
  119331. 11, 9, 7, 5, 3, 1, 0, 2,
  119332. 4, 6, 8, 10, 12,
  119333. };
  119334. static encode_aux_threshmatch _vq_auxt__16c2_s_p7_0 = {
  119335. _vq_quantthresh__16c2_s_p7_0,
  119336. _vq_quantmap__16c2_s_p7_0,
  119337. 13,
  119338. 13
  119339. };
  119340. static static_codebook _16c2_s_p7_0 = {
  119341. 2, 169,
  119342. _vq_lengthlist__16c2_s_p7_0,
  119343. 1, -523206656, 1618345984, 4, 0,
  119344. _vq_quantlist__16c2_s_p7_0,
  119345. NULL,
  119346. &_vq_auxt__16c2_s_p7_0,
  119347. NULL,
  119348. 0
  119349. };
  119350. static long _vq_quantlist__16c2_s_p7_1[] = {
  119351. 5,
  119352. 4,
  119353. 6,
  119354. 3,
  119355. 7,
  119356. 2,
  119357. 8,
  119358. 1,
  119359. 9,
  119360. 0,
  119361. 10,
  119362. };
  119363. static long _vq_lengthlist__16c2_s_p7_1[] = {
  119364. 2, 4, 4, 6, 6, 7, 7, 7, 7, 7, 7, 9, 9, 9, 6, 6,
  119365. 7, 7, 8, 8, 8, 8, 9, 9, 9, 6, 6, 7, 7, 8, 8, 8,
  119366. 8, 9, 9, 9, 7, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 7,
  119367. 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 7, 7, 7, 7, 8, 8,
  119368. 8, 8, 9, 9, 9, 7, 7, 7, 7, 7, 7, 8, 8, 9, 9, 9,
  119369. 7, 7, 8, 8, 7, 7, 8, 8, 9, 9, 9, 9, 9, 7, 7, 7,
  119370. 7, 8, 8, 9, 9, 9, 9, 9, 8, 8, 7, 7, 8, 8, 9, 9,
  119371. 9, 9, 9, 7, 7, 7, 7, 8, 8,
  119372. };
  119373. static float _vq_quantthresh__16c2_s_p7_1[] = {
  119374. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  119375. 3.5, 4.5,
  119376. };
  119377. static long _vq_quantmap__16c2_s_p7_1[] = {
  119378. 9, 7, 5, 3, 1, 0, 2, 4,
  119379. 6, 8, 10,
  119380. };
  119381. static encode_aux_threshmatch _vq_auxt__16c2_s_p7_1 = {
  119382. _vq_quantthresh__16c2_s_p7_1,
  119383. _vq_quantmap__16c2_s_p7_1,
  119384. 11,
  119385. 11
  119386. };
  119387. static static_codebook _16c2_s_p7_1 = {
  119388. 2, 121,
  119389. _vq_lengthlist__16c2_s_p7_1,
  119390. 1, -531365888, 1611661312, 4, 0,
  119391. _vq_quantlist__16c2_s_p7_1,
  119392. NULL,
  119393. &_vq_auxt__16c2_s_p7_1,
  119394. NULL,
  119395. 0
  119396. };
  119397. static long _vq_quantlist__16c2_s_p8_0[] = {
  119398. 7,
  119399. 6,
  119400. 8,
  119401. 5,
  119402. 9,
  119403. 4,
  119404. 10,
  119405. 3,
  119406. 11,
  119407. 2,
  119408. 12,
  119409. 1,
  119410. 13,
  119411. 0,
  119412. 14,
  119413. };
  119414. static long _vq_lengthlist__16c2_s_p8_0[] = {
  119415. 1, 4, 4, 7, 6, 7, 7, 6, 6, 8, 8, 9, 9,10,10, 6,
  119416. 6, 6, 8, 8, 9, 8, 8, 8, 9, 9,11,10,11,11, 7, 6,
  119417. 6, 8, 8, 9, 8, 7, 7, 9, 9,10,10,12,11,14, 8, 8,
  119418. 8, 9, 9, 9, 9, 9,10, 9,10,10,11,13,14, 8, 8, 8,
  119419. 8, 9, 9, 8, 8, 9, 9,10,10,11,12,14,13,11, 9, 9,
  119420. 9, 9, 9, 9, 9,10,11,10,13,12,14,11,13, 8, 9, 9,
  119421. 9, 9, 9,10,10,11,10,13,12,14,14,14, 8, 9, 9, 9,
  119422. 11,11,11,11,11,12,13,13,14,14,14, 9, 8, 9, 9,10,
  119423. 10,12,10,11,12,12,14,14,14,14,11,12,10,10,12,12,
  119424. 12,12,13,14,12,12,14,14,14,12,12, 9,10,11,11,12,
  119425. 14,12,14,14,14,14,14,14,14,14,11,11,12,11,12,14,
  119426. 14,14,14,14,14,14,14,14,14,12,11,11,11,11,14,14,
  119427. 14,14,14,14,14,14,14,14,14,14,13,12,14,14,14,14,
  119428. 14,14,14,14,14,14,14,14,14,12,12,12,13,14,14,13,
  119429. 13,
  119430. };
  119431. static float _vq_quantthresh__16c2_s_p8_0[] = {
  119432. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  119433. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  119434. };
  119435. static long _vq_quantmap__16c2_s_p8_0[] = {
  119436. 13, 11, 9, 7, 5, 3, 1, 0,
  119437. 2, 4, 6, 8, 10, 12, 14,
  119438. };
  119439. static encode_aux_threshmatch _vq_auxt__16c2_s_p8_0 = {
  119440. _vq_quantthresh__16c2_s_p8_0,
  119441. _vq_quantmap__16c2_s_p8_0,
  119442. 15,
  119443. 15
  119444. };
  119445. static static_codebook _16c2_s_p8_0 = {
  119446. 2, 225,
  119447. _vq_lengthlist__16c2_s_p8_0,
  119448. 1, -520986624, 1620377600, 4, 0,
  119449. _vq_quantlist__16c2_s_p8_0,
  119450. NULL,
  119451. &_vq_auxt__16c2_s_p8_0,
  119452. NULL,
  119453. 0
  119454. };
  119455. static long _vq_quantlist__16c2_s_p8_1[] = {
  119456. 10,
  119457. 9,
  119458. 11,
  119459. 8,
  119460. 12,
  119461. 7,
  119462. 13,
  119463. 6,
  119464. 14,
  119465. 5,
  119466. 15,
  119467. 4,
  119468. 16,
  119469. 3,
  119470. 17,
  119471. 2,
  119472. 18,
  119473. 1,
  119474. 19,
  119475. 0,
  119476. 20,
  119477. };
  119478. static long _vq_lengthlist__16c2_s_p8_1[] = {
  119479. 2, 4, 4, 6, 6, 7, 7, 7, 7, 8, 7, 8, 8, 8, 8, 8,
  119480. 8, 8, 8, 8, 8,11,12,11, 7, 7, 8, 8, 8, 8, 9, 9,
  119481. 9, 9, 9, 9, 9, 9, 9,10, 9, 9,11,11,10, 7, 7, 8,
  119482. 8, 8, 8, 9, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,
  119483. 11,11, 8, 7, 8, 8, 9, 9, 9, 9, 9, 9,10,10, 9,10,
  119484. 10, 9,10,10,11,11,12, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  119485. 9, 9, 9,10, 9,10,10,10,10,11,11,11, 8, 8, 9, 9,
  119486. 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,11,11,
  119487. 11, 8, 8, 9, 8, 9, 9, 9, 9,10, 9, 9, 9,10,10,10,
  119488. 10, 9,10,11,11,11, 9, 9, 9, 9,10, 9, 9, 9,10,10,
  119489. 9,10, 9,10,10,10,10,10,11,12,11,11,11, 9, 9, 9,
  119490. 9, 9,10,10, 9,10,10,10,10,10,10,10,10,12,11,13,
  119491. 13,11, 9, 9, 9, 9,10,10, 9,10,10,10,10,11,10,10,
  119492. 10,10,11,12,11,12,11, 9, 9, 9,10,10, 9,10,10,10,
  119493. 10,10,10,10,10,10,10,11,11,11,12,11, 9,10,10,10,
  119494. 10,10,10,10,10,10,10,10,10,10,10,10,11,12,12,12,
  119495. 11,11,11,10, 9,10,10,10,10,10,10,10,10,11,10,10,
  119496. 10,11,11,11,11,11,11,11,10,10,10,11,10,10,10,10,
  119497. 10,10,10,10,10,10,11,11,11,11,12,12,11,10,10,10,
  119498. 10,10,10,10,10,11,10,10,10,11,10,12,11,11,12,11,
  119499. 11,11,10,10,10,10,10,11,10,10,10,10,10,11,10,10,
  119500. 11,11,11,12,11,12,11,11,12,10,10,10,10,10,10,10,
  119501. 11,10,10,11,10,12,11,11,11,12,11,11,11,11,10,10,
  119502. 10,10,10,10,10,11,11,11,10,11,12,11,11,11,12,11,
  119503. 12,11,12,10,11,10,10,10,10,11,10,10,10,10,10,10,
  119504. 12,11,11,11,11,11,12,12,10,10,10,10,10,11,10,10,
  119505. 11,10,11,11,11,11,11,11,11,11,11,11,11,11,12,11,
  119506. 10,11,10,10,10,10,10,10,10,
  119507. };
  119508. static float _vq_quantthresh__16c2_s_p8_1[] = {
  119509. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  119510. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  119511. 6.5, 7.5, 8.5, 9.5,
  119512. };
  119513. static long _vq_quantmap__16c2_s_p8_1[] = {
  119514. 19, 17, 15, 13, 11, 9, 7, 5,
  119515. 3, 1, 0, 2, 4, 6, 8, 10,
  119516. 12, 14, 16, 18, 20,
  119517. };
  119518. static encode_aux_threshmatch _vq_auxt__16c2_s_p8_1 = {
  119519. _vq_quantthresh__16c2_s_p8_1,
  119520. _vq_quantmap__16c2_s_p8_1,
  119521. 21,
  119522. 21
  119523. };
  119524. static static_codebook _16c2_s_p8_1 = {
  119525. 2, 441,
  119526. _vq_lengthlist__16c2_s_p8_1,
  119527. 1, -529268736, 1611661312, 5, 0,
  119528. _vq_quantlist__16c2_s_p8_1,
  119529. NULL,
  119530. &_vq_auxt__16c2_s_p8_1,
  119531. NULL,
  119532. 0
  119533. };
  119534. static long _vq_quantlist__16c2_s_p9_0[] = {
  119535. 6,
  119536. 5,
  119537. 7,
  119538. 4,
  119539. 8,
  119540. 3,
  119541. 9,
  119542. 2,
  119543. 10,
  119544. 1,
  119545. 11,
  119546. 0,
  119547. 12,
  119548. };
  119549. static long _vq_lengthlist__16c2_s_p9_0[] = {
  119550. 1, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  119551. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  119552. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  119553. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  119554. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  119555. 9, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  119556. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  119557. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  119558. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  119559. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  119560. 8, 8, 8, 8, 8, 8, 8, 8, 8,
  119561. };
  119562. static float _vq_quantthresh__16c2_s_p9_0[] = {
  119563. -5120.5, -4189.5, -3258.5, -2327.5, -1396.5, -465.5, 465.5, 1396.5,
  119564. 2327.5, 3258.5, 4189.5, 5120.5,
  119565. };
  119566. static long _vq_quantmap__16c2_s_p9_0[] = {
  119567. 11, 9, 7, 5, 3, 1, 0, 2,
  119568. 4, 6, 8, 10, 12,
  119569. };
  119570. static encode_aux_threshmatch _vq_auxt__16c2_s_p9_0 = {
  119571. _vq_quantthresh__16c2_s_p9_0,
  119572. _vq_quantmap__16c2_s_p9_0,
  119573. 13,
  119574. 13
  119575. };
  119576. static static_codebook _16c2_s_p9_0 = {
  119577. 2, 169,
  119578. _vq_lengthlist__16c2_s_p9_0,
  119579. 1, -510275072, 1631393792, 4, 0,
  119580. _vq_quantlist__16c2_s_p9_0,
  119581. NULL,
  119582. &_vq_auxt__16c2_s_p9_0,
  119583. NULL,
  119584. 0
  119585. };
  119586. static long _vq_quantlist__16c2_s_p9_1[] = {
  119587. 8,
  119588. 7,
  119589. 9,
  119590. 6,
  119591. 10,
  119592. 5,
  119593. 11,
  119594. 4,
  119595. 12,
  119596. 3,
  119597. 13,
  119598. 2,
  119599. 14,
  119600. 1,
  119601. 15,
  119602. 0,
  119603. 16,
  119604. };
  119605. static long _vq_lengthlist__16c2_s_p9_1[] = {
  119606. 1, 5, 5, 9, 8, 7, 7, 7, 6,10,11,11,11,11,11,11,
  119607. 11, 8, 7, 6, 8, 8,10, 9,10,10,10, 9,11,10,10,10,
  119608. 10,10, 8, 6, 6, 8, 8, 9, 8, 9, 8, 9,10,10,10,10,
  119609. 10,10,10,10, 8,10, 9, 9, 9, 9,10,10,10,10,10,10,
  119610. 10,10,10,10,10, 8, 9, 9, 9,10,10, 9,10,10,10,10,
  119611. 10,10,10,10,10,10,10,10, 9, 8, 9, 9,10,10,10,10,
  119612. 10,10,10,10,10,10,10,10, 9, 8, 8, 9, 9,10,10,10,
  119613. 10,10,10,10,10,10,10,10,10,10, 9,10, 9, 9,10,10,
  119614. 10,10,10,10,10,10,10,10,10,10,10, 9, 8, 9, 9,10,
  119615. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10, 9,
  119616. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  119617. 8,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  119618. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  119619. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  119620. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  119621. 10,10,10,10, 9,10, 9,10,10,10,10,10,10,10,10,10,
  119622. 10,10,10,10,10,10,10,10,10, 9,10,10,10,10,10,10,
  119623. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  119624. 10,
  119625. };
  119626. static float _vq_quantthresh__16c2_s_p9_1[] = {
  119627. -367.5, -318.5, -269.5, -220.5, -171.5, -122.5, -73.5, -24.5,
  119628. 24.5, 73.5, 122.5, 171.5, 220.5, 269.5, 318.5, 367.5,
  119629. };
  119630. static long _vq_quantmap__16c2_s_p9_1[] = {
  119631. 15, 13, 11, 9, 7, 5, 3, 1,
  119632. 0, 2, 4, 6, 8, 10, 12, 14,
  119633. 16,
  119634. };
  119635. static encode_aux_threshmatch _vq_auxt__16c2_s_p9_1 = {
  119636. _vq_quantthresh__16c2_s_p9_1,
  119637. _vq_quantmap__16c2_s_p9_1,
  119638. 17,
  119639. 17
  119640. };
  119641. static static_codebook _16c2_s_p9_1 = {
  119642. 2, 289,
  119643. _vq_lengthlist__16c2_s_p9_1,
  119644. 1, -518488064, 1622704128, 5, 0,
  119645. _vq_quantlist__16c2_s_p9_1,
  119646. NULL,
  119647. &_vq_auxt__16c2_s_p9_1,
  119648. NULL,
  119649. 0
  119650. };
  119651. static long _vq_quantlist__16c2_s_p9_2[] = {
  119652. 13,
  119653. 12,
  119654. 14,
  119655. 11,
  119656. 15,
  119657. 10,
  119658. 16,
  119659. 9,
  119660. 17,
  119661. 8,
  119662. 18,
  119663. 7,
  119664. 19,
  119665. 6,
  119666. 20,
  119667. 5,
  119668. 21,
  119669. 4,
  119670. 22,
  119671. 3,
  119672. 23,
  119673. 2,
  119674. 24,
  119675. 1,
  119676. 25,
  119677. 0,
  119678. 26,
  119679. };
  119680. static long _vq_lengthlist__16c2_s_p9_2[] = {
  119681. 1, 4, 4, 5, 5, 6, 6, 6, 6, 6, 7, 7, 7, 7, 7, 7,
  119682. 7, 7, 7, 7, 8, 7, 8, 7, 7, 4, 4,
  119683. };
  119684. static float _vq_quantthresh__16c2_s_p9_2[] = {
  119685. -12.5, -11.5, -10.5, -9.5, -8.5, -7.5, -6.5, -5.5,
  119686. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  119687. 3.5, 4.5, 5.5, 6.5, 7.5, 8.5, 9.5, 10.5,
  119688. 11.5, 12.5,
  119689. };
  119690. static long _vq_quantmap__16c2_s_p9_2[] = {
  119691. 25, 23, 21, 19, 17, 15, 13, 11,
  119692. 9, 7, 5, 3, 1, 0, 2, 4,
  119693. 6, 8, 10, 12, 14, 16, 18, 20,
  119694. 22, 24, 26,
  119695. };
  119696. static encode_aux_threshmatch _vq_auxt__16c2_s_p9_2 = {
  119697. _vq_quantthresh__16c2_s_p9_2,
  119698. _vq_quantmap__16c2_s_p9_2,
  119699. 27,
  119700. 27
  119701. };
  119702. static static_codebook _16c2_s_p9_2 = {
  119703. 1, 27,
  119704. _vq_lengthlist__16c2_s_p9_2,
  119705. 1, -528875520, 1611661312, 5, 0,
  119706. _vq_quantlist__16c2_s_p9_2,
  119707. NULL,
  119708. &_vq_auxt__16c2_s_p9_2,
  119709. NULL,
  119710. 0
  119711. };
  119712. static long _huff_lengthlist__16c2_s_short[] = {
  119713. 7,10,11,11,11,14,15,15,17,14, 8, 6, 7, 7, 8, 9,
  119714. 11,11,14,17, 9, 6, 6, 6, 7, 7,10,11,15,16, 9, 6,
  119715. 6, 4, 4, 5, 8, 9,12,16,10, 6, 6, 4, 4, 4, 6, 9,
  119716. 13,16,10, 7, 6, 5, 4, 3, 5, 7,13,16,11, 9, 8, 7,
  119717. 6, 5, 5, 6,12,15,10,10,10, 9, 7, 6, 6, 7,11,15,
  119718. 13,13,13,13,11,10,10, 9,12,16,16,16,16,14,16,15,
  119719. 15,12,14,14,
  119720. };
  119721. static static_codebook _huff_book__16c2_s_short = {
  119722. 2, 100,
  119723. _huff_lengthlist__16c2_s_short,
  119724. 0, 0, 0, 0, 0,
  119725. NULL,
  119726. NULL,
  119727. NULL,
  119728. NULL,
  119729. 0
  119730. };
  119731. static long _vq_quantlist__8c0_s_p1_0[] = {
  119732. 1,
  119733. 0,
  119734. 2,
  119735. };
  119736. static long _vq_lengthlist__8c0_s_p1_0[] = {
  119737. 1, 5, 4, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  119738. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119739. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119740. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119741. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119742. 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 7, 8, 9, 0, 0, 0,
  119743. 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119744. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119745. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119746. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119747. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  119748. 0, 0, 0, 0, 7, 9, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119749. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119750. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119751. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119752. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119753. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119754. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119755. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119756. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119757. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119758. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119759. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119760. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119761. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119762. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119763. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119764. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119765. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119766. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119767. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119768. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119769. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119770. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119771. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119772. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119773. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119774. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119775. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119776. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119777. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119778. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119779. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119780. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119781. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119782. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 8, 8, 0, 0, 0, 0,
  119783. 0, 0, 8,10,10, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  119784. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119785. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119786. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119787. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7,10, 9, 0, 0, 0,
  119788. 0, 0, 0, 8, 9,11, 0, 0, 0, 0, 0, 0, 9,11,11, 0,
  119789. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119790. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119791. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119792. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9,10, 0, 0,
  119793. 0, 0, 0, 0, 9,11,10, 0, 0, 0, 0, 0, 0, 9,11,11,
  119794. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119795. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119796. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119797. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119798. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119799. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119800. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119801. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119802. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119803. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119804. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119805. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119806. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119807. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119808. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119809. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119810. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119811. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119812. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119813. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119814. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119815. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119816. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119817. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119818. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119819. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119820. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119821. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119822. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119823. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119824. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119825. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119826. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119827. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119828. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  119829. 0, 0, 0, 0, 8, 9,10, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119830. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119831. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119832. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119833. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,11,11, 0,
  119834. 0, 0, 0, 0, 0, 9,10,11, 0, 0, 0, 0, 0, 0, 0, 0,
  119835. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119836. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119837. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119838. 0, 0, 0, 0, 7, 9,10, 0, 0, 0, 0, 0, 0, 9,11,11,
  119839. 0, 0, 0, 0, 0, 0, 8,11, 9, 0, 0, 0, 0, 0, 0, 0,
  119840. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119841. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119842. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119843. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119844. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119845. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119846. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119847. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119848. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119849. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119850. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119851. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119852. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119853. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119854. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119855. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119856. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119857. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119858. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119859. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119860. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119861. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119862. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119863. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119864. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119865. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119866. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119867. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119868. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119869. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119870. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119871. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119872. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119873. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119874. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119875. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119876. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119877. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119878. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119879. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119880. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119881. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119882. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119883. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119884. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119885. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119886. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119887. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119888. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119889. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119890. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119891. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119892. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119893. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119894. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119895. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119896. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119897. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119898. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119899. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119900. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119901. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119902. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119903. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119904. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119905. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119906. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119907. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119908. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119909. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119910. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119911. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119912. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119913. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119914. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119915. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119916. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119917. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119918. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119919. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119920. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119921. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119922. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119923. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119924. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119925. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119926. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119927. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119928. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119929. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119930. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119931. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119932. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119933. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119934. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119935. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119936. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119937. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119938. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119939. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119940. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119941. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119942. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119943. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119944. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119945. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119946. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119947. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119948. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119949. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119950. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119951. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119952. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119953. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119954. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119955. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119956. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119957. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119958. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119959. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119960. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119961. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119962. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119963. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119964. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119965. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119966. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119967. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119968. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119972. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119973. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119974. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119975. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119976. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119977. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119978. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119981. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119984. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119985. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119986. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119989. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119990. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119991. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119992. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119995. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119996. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119997. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119998. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  119999. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120000. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120001. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120002. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120004. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120005. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120007. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120009. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120010. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120013. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120023. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120036. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120037. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120041. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120042. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120047. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120147. 0,
  120148. };
  120149. static float _vq_quantthresh__8c0_s_p1_0[] = {
  120150. -0.5, 0.5,
  120151. };
  120152. static long _vq_quantmap__8c0_s_p1_0[] = {
  120153. 1, 0, 2,
  120154. };
  120155. static encode_aux_threshmatch _vq_auxt__8c0_s_p1_0 = {
  120156. _vq_quantthresh__8c0_s_p1_0,
  120157. _vq_quantmap__8c0_s_p1_0,
  120158. 3,
  120159. 3
  120160. };
  120161. static static_codebook _8c0_s_p1_0 = {
  120162. 8, 6561,
  120163. _vq_lengthlist__8c0_s_p1_0,
  120164. 1, -535822336, 1611661312, 2, 0,
  120165. _vq_quantlist__8c0_s_p1_0,
  120166. NULL,
  120167. &_vq_auxt__8c0_s_p1_0,
  120168. NULL,
  120169. 0
  120170. };
  120171. static long _vq_quantlist__8c0_s_p2_0[] = {
  120172. 2,
  120173. 1,
  120174. 3,
  120175. 0,
  120176. 4,
  120177. };
  120178. static long _vq_lengthlist__8c0_s_p2_0[] = {
  120179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120218. 0,
  120219. };
  120220. static float _vq_quantthresh__8c0_s_p2_0[] = {
  120221. -1.5, -0.5, 0.5, 1.5,
  120222. };
  120223. static long _vq_quantmap__8c0_s_p2_0[] = {
  120224. 3, 1, 0, 2, 4,
  120225. };
  120226. static encode_aux_threshmatch _vq_auxt__8c0_s_p2_0 = {
  120227. _vq_quantthresh__8c0_s_p2_0,
  120228. _vq_quantmap__8c0_s_p2_0,
  120229. 5,
  120230. 5
  120231. };
  120232. static static_codebook _8c0_s_p2_0 = {
  120233. 4, 625,
  120234. _vq_lengthlist__8c0_s_p2_0,
  120235. 1, -533725184, 1611661312, 3, 0,
  120236. _vq_quantlist__8c0_s_p2_0,
  120237. NULL,
  120238. &_vq_auxt__8c0_s_p2_0,
  120239. NULL,
  120240. 0
  120241. };
  120242. static long _vq_quantlist__8c0_s_p3_0[] = {
  120243. 2,
  120244. 1,
  120245. 3,
  120246. 0,
  120247. 4,
  120248. };
  120249. static long _vq_lengthlist__8c0_s_p3_0[] = {
  120250. 1, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 5, 6, 7, 7, 0, 0,
  120252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120253. 0, 0, 4, 5, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 7, 7, 8, 8,
  120255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120256. 0, 0, 0, 0, 6, 7, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0,
  120257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120289. 0,
  120290. };
  120291. static float _vq_quantthresh__8c0_s_p3_0[] = {
  120292. -1.5, -0.5, 0.5, 1.5,
  120293. };
  120294. static long _vq_quantmap__8c0_s_p3_0[] = {
  120295. 3, 1, 0, 2, 4,
  120296. };
  120297. static encode_aux_threshmatch _vq_auxt__8c0_s_p3_0 = {
  120298. _vq_quantthresh__8c0_s_p3_0,
  120299. _vq_quantmap__8c0_s_p3_0,
  120300. 5,
  120301. 5
  120302. };
  120303. static static_codebook _8c0_s_p3_0 = {
  120304. 4, 625,
  120305. _vq_lengthlist__8c0_s_p3_0,
  120306. 1, -533725184, 1611661312, 3, 0,
  120307. _vq_quantlist__8c0_s_p3_0,
  120308. NULL,
  120309. &_vq_auxt__8c0_s_p3_0,
  120310. NULL,
  120311. 0
  120312. };
  120313. static long _vq_quantlist__8c0_s_p4_0[] = {
  120314. 4,
  120315. 3,
  120316. 5,
  120317. 2,
  120318. 6,
  120319. 1,
  120320. 7,
  120321. 0,
  120322. 8,
  120323. };
  120324. static long _vq_lengthlist__8c0_s_p4_0[] = {
  120325. 1, 2, 3, 7, 7, 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0,
  120326. 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0, 7, 7,
  120327. 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  120328. 8, 8, 0, 0, 0, 0, 0, 0, 0, 9, 8, 0, 0, 0, 0, 0,
  120329. 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120330. 0,
  120331. };
  120332. static float _vq_quantthresh__8c0_s_p4_0[] = {
  120333. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  120334. };
  120335. static long _vq_quantmap__8c0_s_p4_0[] = {
  120336. 7, 5, 3, 1, 0, 2, 4, 6,
  120337. 8,
  120338. };
  120339. static encode_aux_threshmatch _vq_auxt__8c0_s_p4_0 = {
  120340. _vq_quantthresh__8c0_s_p4_0,
  120341. _vq_quantmap__8c0_s_p4_0,
  120342. 9,
  120343. 9
  120344. };
  120345. static static_codebook _8c0_s_p4_0 = {
  120346. 2, 81,
  120347. _vq_lengthlist__8c0_s_p4_0,
  120348. 1, -531628032, 1611661312, 4, 0,
  120349. _vq_quantlist__8c0_s_p4_0,
  120350. NULL,
  120351. &_vq_auxt__8c0_s_p4_0,
  120352. NULL,
  120353. 0
  120354. };
  120355. static long _vq_quantlist__8c0_s_p5_0[] = {
  120356. 4,
  120357. 3,
  120358. 5,
  120359. 2,
  120360. 6,
  120361. 1,
  120362. 7,
  120363. 0,
  120364. 8,
  120365. };
  120366. static long _vq_lengthlist__8c0_s_p5_0[] = {
  120367. 1, 3, 3, 5, 5, 7, 6, 8, 8, 0, 0, 0, 7, 7, 7, 7,
  120368. 8, 8, 0, 0, 0, 7, 7, 7, 7, 8, 9, 0, 0, 0, 8, 8,
  120369. 8, 8, 9, 9, 0, 0, 0, 8, 8, 8, 8, 9, 9, 0, 0, 0,
  120370. 9, 9, 8, 8,10,10, 0, 0, 0, 9, 9, 8, 8,10,10, 0,
  120371. 0, 0,10,10, 9, 9,10,10, 0, 0, 0, 0, 0, 9, 9,10,
  120372. 10,
  120373. };
  120374. static float _vq_quantthresh__8c0_s_p5_0[] = {
  120375. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  120376. };
  120377. static long _vq_quantmap__8c0_s_p5_0[] = {
  120378. 7, 5, 3, 1, 0, 2, 4, 6,
  120379. 8,
  120380. };
  120381. static encode_aux_threshmatch _vq_auxt__8c0_s_p5_0 = {
  120382. _vq_quantthresh__8c0_s_p5_0,
  120383. _vq_quantmap__8c0_s_p5_0,
  120384. 9,
  120385. 9
  120386. };
  120387. static static_codebook _8c0_s_p5_0 = {
  120388. 2, 81,
  120389. _vq_lengthlist__8c0_s_p5_0,
  120390. 1, -531628032, 1611661312, 4, 0,
  120391. _vq_quantlist__8c0_s_p5_0,
  120392. NULL,
  120393. &_vq_auxt__8c0_s_p5_0,
  120394. NULL,
  120395. 0
  120396. };
  120397. static long _vq_quantlist__8c0_s_p6_0[] = {
  120398. 8,
  120399. 7,
  120400. 9,
  120401. 6,
  120402. 10,
  120403. 5,
  120404. 11,
  120405. 4,
  120406. 12,
  120407. 3,
  120408. 13,
  120409. 2,
  120410. 14,
  120411. 1,
  120412. 15,
  120413. 0,
  120414. 16,
  120415. };
  120416. static long _vq_lengthlist__8c0_s_p6_0[] = {
  120417. 1, 3, 3, 6, 6, 8, 8, 9, 9, 8, 8,10, 9,10,10,11,
  120418. 11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,11,
  120419. 11,12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,
  120420. 11,12,11, 0, 0, 0, 8, 8, 9, 9,10,10, 9, 9,10,10,
  120421. 11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10, 9, 9,11,
  120422. 10,11,11,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,10,10,
  120423. 11,11,11,12,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,10,
  120424. 10,11,11,12,12,13,13, 0, 0, 0,10,10,10,10,11,11,
  120425. 10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,10, 9,10,
  120426. 11,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,
  120427. 10, 9,10,11,12,12,13,13,14,13, 0, 0, 0, 0, 0, 9,
  120428. 9, 9,10,10,10,11,11,13,12,13,13, 0, 0, 0, 0, 0,
  120429. 10,10,10,10,11,11,12,12,13,13,14,14, 0, 0, 0, 0,
  120430. 0, 0, 0,10,10,11,11,12,12,13,13,13,14, 0, 0, 0,
  120431. 0, 0, 0, 0,11,11,11,11,12,12,13,14,14,14, 0, 0,
  120432. 0, 0, 0, 0, 0,11,11,11,11,12,12,13,13,14,13, 0,
  120433. 0, 0, 0, 0, 0, 0,11,11,12,12,13,13,14,14,14,14,
  120434. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,14,
  120435. 14,
  120436. };
  120437. static float _vq_quantthresh__8c0_s_p6_0[] = {
  120438. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  120439. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  120440. };
  120441. static long _vq_quantmap__8c0_s_p6_0[] = {
  120442. 15, 13, 11, 9, 7, 5, 3, 1,
  120443. 0, 2, 4, 6, 8, 10, 12, 14,
  120444. 16,
  120445. };
  120446. static encode_aux_threshmatch _vq_auxt__8c0_s_p6_0 = {
  120447. _vq_quantthresh__8c0_s_p6_0,
  120448. _vq_quantmap__8c0_s_p6_0,
  120449. 17,
  120450. 17
  120451. };
  120452. static static_codebook _8c0_s_p6_0 = {
  120453. 2, 289,
  120454. _vq_lengthlist__8c0_s_p6_0,
  120455. 1, -529530880, 1611661312, 5, 0,
  120456. _vq_quantlist__8c0_s_p6_0,
  120457. NULL,
  120458. &_vq_auxt__8c0_s_p6_0,
  120459. NULL,
  120460. 0
  120461. };
  120462. static long _vq_quantlist__8c0_s_p7_0[] = {
  120463. 1,
  120464. 0,
  120465. 2,
  120466. };
  120467. static long _vq_lengthlist__8c0_s_p7_0[] = {
  120468. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,11, 9,10,12,
  120469. 9,10, 4, 7, 7,10,10,10,11, 9, 9, 6,11,10,11,11,
  120470. 12,11,11,11, 6,10,10,11,11,12,11,10,10, 6, 9,10,
  120471. 11,11,11,11,10,10, 7,10,11,12,11,11,12,11,12, 6,
  120472. 9, 9,10, 9, 9,11,10,10, 6, 9, 9,10,10,10,11,10,
  120473. 10,
  120474. };
  120475. static float _vq_quantthresh__8c0_s_p7_0[] = {
  120476. -5.5, 5.5,
  120477. };
  120478. static long _vq_quantmap__8c0_s_p7_0[] = {
  120479. 1, 0, 2,
  120480. };
  120481. static encode_aux_threshmatch _vq_auxt__8c0_s_p7_0 = {
  120482. _vq_quantthresh__8c0_s_p7_0,
  120483. _vq_quantmap__8c0_s_p7_0,
  120484. 3,
  120485. 3
  120486. };
  120487. static static_codebook _8c0_s_p7_0 = {
  120488. 4, 81,
  120489. _vq_lengthlist__8c0_s_p7_0,
  120490. 1, -529137664, 1618345984, 2, 0,
  120491. _vq_quantlist__8c0_s_p7_0,
  120492. NULL,
  120493. &_vq_auxt__8c0_s_p7_0,
  120494. NULL,
  120495. 0
  120496. };
  120497. static long _vq_quantlist__8c0_s_p7_1[] = {
  120498. 5,
  120499. 4,
  120500. 6,
  120501. 3,
  120502. 7,
  120503. 2,
  120504. 8,
  120505. 1,
  120506. 9,
  120507. 0,
  120508. 10,
  120509. };
  120510. static long _vq_lengthlist__8c0_s_p7_1[] = {
  120511. 1, 3, 3, 6, 6, 8, 8, 9, 9, 9, 9,10,10,10, 7, 7,
  120512. 8, 8, 9, 9, 9, 9,10,10, 9, 7, 7, 8, 8, 9, 9, 9,
  120513. 9,10,10,10, 8, 8, 9, 9, 9, 9, 9, 9,10,10,10, 8,
  120514. 8, 9, 9, 9, 9, 8, 9,10,10,10, 8, 8, 9, 9, 9,10,
  120515. 10,10,10,10,10, 9, 9, 9, 9, 9, 9,10,10,11,10,11,
  120516. 9, 9, 9, 9,10,10,10,10,11,11,11,10,10, 9, 9,10,
  120517. 10,10, 9,11,10,10,10,10,10,10, 9, 9,10,10,11,11,
  120518. 10,10,10, 9, 9, 9,10,10,10,
  120519. };
  120520. static float _vq_quantthresh__8c0_s_p7_1[] = {
  120521. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  120522. 3.5, 4.5,
  120523. };
  120524. static long _vq_quantmap__8c0_s_p7_1[] = {
  120525. 9, 7, 5, 3, 1, 0, 2, 4,
  120526. 6, 8, 10,
  120527. };
  120528. static encode_aux_threshmatch _vq_auxt__8c0_s_p7_1 = {
  120529. _vq_quantthresh__8c0_s_p7_1,
  120530. _vq_quantmap__8c0_s_p7_1,
  120531. 11,
  120532. 11
  120533. };
  120534. static static_codebook _8c0_s_p7_1 = {
  120535. 2, 121,
  120536. _vq_lengthlist__8c0_s_p7_1,
  120537. 1, -531365888, 1611661312, 4, 0,
  120538. _vq_quantlist__8c0_s_p7_1,
  120539. NULL,
  120540. &_vq_auxt__8c0_s_p7_1,
  120541. NULL,
  120542. 0
  120543. };
  120544. static long _vq_quantlist__8c0_s_p8_0[] = {
  120545. 6,
  120546. 5,
  120547. 7,
  120548. 4,
  120549. 8,
  120550. 3,
  120551. 9,
  120552. 2,
  120553. 10,
  120554. 1,
  120555. 11,
  120556. 0,
  120557. 12,
  120558. };
  120559. static long _vq_lengthlist__8c0_s_p8_0[] = {
  120560. 1, 4, 4, 7, 6, 7, 7, 7, 7, 8, 8, 9, 9, 7, 6, 6,
  120561. 7, 7, 8, 8, 7, 7, 8, 9,10,10, 7, 6, 6, 7, 7, 8,
  120562. 7, 7, 7, 9, 9,10,12, 0, 8, 8, 8, 8, 8, 9, 8, 8,
  120563. 9, 9,10,10, 0, 8, 8, 8, 8, 8, 9, 8, 9, 9, 9,11,
  120564. 10, 0, 0,13, 9, 8, 9, 9, 9, 9,10,10,11,11, 0,13,
  120565. 0, 9, 9, 9, 9, 9, 9,11,10,11,11, 0, 0, 0, 8, 9,
  120566. 10, 9,10,10,13,11,12,12, 0, 0, 0, 8, 9, 9, 9,10,
  120567. 10,13,12,12,13, 0, 0, 0,12, 0,10,10,12,11,10,11,
  120568. 12,12, 0, 0, 0,13,13,10,10,10,11,12, 0,13, 0, 0,
  120569. 0, 0, 0, 0,13,11, 0,12,12,12,13,12, 0, 0, 0, 0,
  120570. 0, 0,13,13,11,13,13,11,12,
  120571. };
  120572. static float _vq_quantthresh__8c0_s_p8_0[] = {
  120573. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  120574. 12.5, 17.5, 22.5, 27.5,
  120575. };
  120576. static long _vq_quantmap__8c0_s_p8_0[] = {
  120577. 11, 9, 7, 5, 3, 1, 0, 2,
  120578. 4, 6, 8, 10, 12,
  120579. };
  120580. static encode_aux_threshmatch _vq_auxt__8c0_s_p8_0 = {
  120581. _vq_quantthresh__8c0_s_p8_0,
  120582. _vq_quantmap__8c0_s_p8_0,
  120583. 13,
  120584. 13
  120585. };
  120586. static static_codebook _8c0_s_p8_0 = {
  120587. 2, 169,
  120588. _vq_lengthlist__8c0_s_p8_0,
  120589. 1, -526516224, 1616117760, 4, 0,
  120590. _vq_quantlist__8c0_s_p8_0,
  120591. NULL,
  120592. &_vq_auxt__8c0_s_p8_0,
  120593. NULL,
  120594. 0
  120595. };
  120596. static long _vq_quantlist__8c0_s_p8_1[] = {
  120597. 2,
  120598. 1,
  120599. 3,
  120600. 0,
  120601. 4,
  120602. };
  120603. static long _vq_lengthlist__8c0_s_p8_1[] = {
  120604. 1, 3, 4, 5, 5, 7, 6, 6, 6, 5, 7, 7, 7, 6, 6, 7,
  120605. 7, 7, 6, 6, 7, 7, 7, 6, 6,
  120606. };
  120607. static float _vq_quantthresh__8c0_s_p8_1[] = {
  120608. -1.5, -0.5, 0.5, 1.5,
  120609. };
  120610. static long _vq_quantmap__8c0_s_p8_1[] = {
  120611. 3, 1, 0, 2, 4,
  120612. };
  120613. static encode_aux_threshmatch _vq_auxt__8c0_s_p8_1 = {
  120614. _vq_quantthresh__8c0_s_p8_1,
  120615. _vq_quantmap__8c0_s_p8_1,
  120616. 5,
  120617. 5
  120618. };
  120619. static static_codebook _8c0_s_p8_1 = {
  120620. 2, 25,
  120621. _vq_lengthlist__8c0_s_p8_1,
  120622. 1, -533725184, 1611661312, 3, 0,
  120623. _vq_quantlist__8c0_s_p8_1,
  120624. NULL,
  120625. &_vq_auxt__8c0_s_p8_1,
  120626. NULL,
  120627. 0
  120628. };
  120629. static long _vq_quantlist__8c0_s_p9_0[] = {
  120630. 1,
  120631. 0,
  120632. 2,
  120633. };
  120634. static long _vq_lengthlist__8c0_s_p9_0[] = {
  120635. 1, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  120636. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  120637. 8, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  120638. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  120639. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  120640. 7,
  120641. };
  120642. static float _vq_quantthresh__8c0_s_p9_0[] = {
  120643. -157.5, 157.5,
  120644. };
  120645. static long _vq_quantmap__8c0_s_p9_0[] = {
  120646. 1, 0, 2,
  120647. };
  120648. static encode_aux_threshmatch _vq_auxt__8c0_s_p9_0 = {
  120649. _vq_quantthresh__8c0_s_p9_0,
  120650. _vq_quantmap__8c0_s_p9_0,
  120651. 3,
  120652. 3
  120653. };
  120654. static static_codebook _8c0_s_p9_0 = {
  120655. 4, 81,
  120656. _vq_lengthlist__8c0_s_p9_0,
  120657. 1, -518803456, 1628680192, 2, 0,
  120658. _vq_quantlist__8c0_s_p9_0,
  120659. NULL,
  120660. &_vq_auxt__8c0_s_p9_0,
  120661. NULL,
  120662. 0
  120663. };
  120664. static long _vq_quantlist__8c0_s_p9_1[] = {
  120665. 7,
  120666. 6,
  120667. 8,
  120668. 5,
  120669. 9,
  120670. 4,
  120671. 10,
  120672. 3,
  120673. 11,
  120674. 2,
  120675. 12,
  120676. 1,
  120677. 13,
  120678. 0,
  120679. 14,
  120680. };
  120681. static long _vq_lengthlist__8c0_s_p9_1[] = {
  120682. 1, 4, 4, 5, 5,10, 8,11,11,11,11,11,11,11,11, 6,
  120683. 6, 6, 7, 6,11,10,11,11,11,11,11,11,11,11, 7, 5,
  120684. 6, 6, 6, 8, 7,11,11,11,11,11,11,11,11,11, 7, 8,
  120685. 8, 8, 9, 9,11,11,11,11,11,11,11,11,11, 9, 8, 7,
  120686. 8, 9,11,11,11,11,11,11,11,11,11,11,11,10,11,11,
  120687. 11,11,11,11,11,11,11,11,11,11,11,11,11,10,11,11,
  120688. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  120689. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  120690. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  120691. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  120692. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  120693. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  120694. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  120695. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  120696. 11,
  120697. };
  120698. static float _vq_quantthresh__8c0_s_p9_1[] = {
  120699. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  120700. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  120701. };
  120702. static long _vq_quantmap__8c0_s_p9_1[] = {
  120703. 13, 11, 9, 7, 5, 3, 1, 0,
  120704. 2, 4, 6, 8, 10, 12, 14,
  120705. };
  120706. static encode_aux_threshmatch _vq_auxt__8c0_s_p9_1 = {
  120707. _vq_quantthresh__8c0_s_p9_1,
  120708. _vq_quantmap__8c0_s_p9_1,
  120709. 15,
  120710. 15
  120711. };
  120712. static static_codebook _8c0_s_p9_1 = {
  120713. 2, 225,
  120714. _vq_lengthlist__8c0_s_p9_1,
  120715. 1, -520986624, 1620377600, 4, 0,
  120716. _vq_quantlist__8c0_s_p9_1,
  120717. NULL,
  120718. &_vq_auxt__8c0_s_p9_1,
  120719. NULL,
  120720. 0
  120721. };
  120722. static long _vq_quantlist__8c0_s_p9_2[] = {
  120723. 10,
  120724. 9,
  120725. 11,
  120726. 8,
  120727. 12,
  120728. 7,
  120729. 13,
  120730. 6,
  120731. 14,
  120732. 5,
  120733. 15,
  120734. 4,
  120735. 16,
  120736. 3,
  120737. 17,
  120738. 2,
  120739. 18,
  120740. 1,
  120741. 19,
  120742. 0,
  120743. 20,
  120744. };
  120745. static long _vq_lengthlist__8c0_s_p9_2[] = {
  120746. 1, 5, 5, 7, 7, 8, 7, 8, 8,10,10, 9, 9,10,10,10,
  120747. 11,11,10,12,11,12,12,12, 9, 8, 8, 8, 8, 8, 9,10,
  120748. 10,10,10,11,11,11,10,11,11,12,12,11,12, 8, 8, 7,
  120749. 7, 8, 9,10,10,10, 9,10,10, 9,10,10,11,11,11,11,
  120750. 11,11, 9, 9, 9, 9, 8, 9,10,10,11,10,10,11,11,12,
  120751. 10,10,12,12,11,11,10, 9, 9,10, 8, 9,10,10,10, 9,
  120752. 10,10,11,11,10,11,10,10,10,12,12,12, 9,10, 9,10,
  120753. 9, 9,10,10,11,11,11,11,10,10,10,11,12,11,12,11,
  120754. 12,10,11,10,11, 9,10, 9,10, 9,10,10, 9,10,10,11,
  120755. 10,11,11,11,11,12,11, 9,10,10,10,10,11,11,11,11,
  120756. 11,10,11,11,11,11,10,12,10,12,12,11,12,10,10,11,
  120757. 10, 9,11,10,11, 9,10,11,10,10,10,11,11,11,11,12,
  120758. 12,10, 9, 9,11,10, 9,12,11,10,12,12,11,11,11,11,
  120759. 10,11,11,12,11,10,12, 9,11,10,11,10,10,11,10,11,
  120760. 9,10,10,10,11,12,11,11,12,11,10,10,11,11, 9,10,
  120761. 10,12,10,11,10,10,10, 9,10,10,10,10, 9,10,10,11,
  120762. 11,11,11,12,11,10,10,10,10,11,11,10,11,11, 9,11,
  120763. 10,12,10,12,11,10,11,10,10,10,11,10,10,11,11,10,
  120764. 11,10,10,10,10,11,11,12,10,10,10,11,10,11,12,11,
  120765. 10,11,10,10,11,11,10,12,10, 9,10,10,11,11,11,10,
  120766. 12,10,10,11,11,11,10,10,11,10,10,10,11,10,11,10,
  120767. 12,11,11,10,10,10,12,10,10,11, 9,10,11,11,11,10,
  120768. 10,11,10,10, 9,11,11,12,12,11,12,11,11,11,11,11,
  120769. 11, 9,10,11,10,12,10,10,10,10,11,10,10,11,10,10,
  120770. 12,10,10,10,10,10, 9,12,10,10,10,10,12, 9,11,10,
  120771. 10,11,10,12,12,10,12,12,12,10,10,10,10, 9,10,11,
  120772. 10,10,12,10,10,12,11,10,11,10,10,12,11,10,12,10,
  120773. 10,11, 9,11,10, 9,10, 9,10,
  120774. };
  120775. static float _vq_quantthresh__8c0_s_p9_2[] = {
  120776. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  120777. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  120778. 6.5, 7.5, 8.5, 9.5,
  120779. };
  120780. static long _vq_quantmap__8c0_s_p9_2[] = {
  120781. 19, 17, 15, 13, 11, 9, 7, 5,
  120782. 3, 1, 0, 2, 4, 6, 8, 10,
  120783. 12, 14, 16, 18, 20,
  120784. };
  120785. static encode_aux_threshmatch _vq_auxt__8c0_s_p9_2 = {
  120786. _vq_quantthresh__8c0_s_p9_2,
  120787. _vq_quantmap__8c0_s_p9_2,
  120788. 21,
  120789. 21
  120790. };
  120791. static static_codebook _8c0_s_p9_2 = {
  120792. 2, 441,
  120793. _vq_lengthlist__8c0_s_p9_2,
  120794. 1, -529268736, 1611661312, 5, 0,
  120795. _vq_quantlist__8c0_s_p9_2,
  120796. NULL,
  120797. &_vq_auxt__8c0_s_p9_2,
  120798. NULL,
  120799. 0
  120800. };
  120801. static long _huff_lengthlist__8c0_s_single[] = {
  120802. 4, 5,18, 7,10, 6, 7, 8, 9,10, 5, 2,18, 5, 7, 5,
  120803. 6, 7, 8,11,17,17,17,17,17,17,17,17,17,17, 7, 4,
  120804. 17, 6, 9, 6, 8,10,12,15,11, 7,17, 9, 6, 6, 7, 9,
  120805. 11,15, 6, 4,17, 6, 6, 4, 5, 8,11,16, 6, 6,17, 8,
  120806. 6, 5, 6, 9,13,16, 8, 9,17,11, 9, 8, 8,11,13,17,
  120807. 9,12,17,15,14,13,12,13,14,17,12,15,17,17,17,17,
  120808. 17,16,17,17,
  120809. };
  120810. static static_codebook _huff_book__8c0_s_single = {
  120811. 2, 100,
  120812. _huff_lengthlist__8c0_s_single,
  120813. 0, 0, 0, 0, 0,
  120814. NULL,
  120815. NULL,
  120816. NULL,
  120817. NULL,
  120818. 0
  120819. };
  120820. static long _vq_quantlist__8c1_s_p1_0[] = {
  120821. 1,
  120822. 0,
  120823. 2,
  120824. };
  120825. static long _vq_lengthlist__8c1_s_p1_0[] = {
  120826. 1, 5, 5, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  120827. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120828. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120829. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120830. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120831. 0, 5, 8, 7, 0, 0, 0, 0, 0, 0, 7, 8, 9, 0, 0, 0,
  120832. 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120833. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120834. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120835. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120836. 0, 0, 5, 7, 8, 0, 0, 0, 0, 0, 0, 7, 9, 8, 0, 0,
  120837. 0, 0, 0, 0, 7, 9, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120838. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120839. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120840. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120841. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120842. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120843. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120844. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120845. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120846. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120847. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120848. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120849. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120850. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120851. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120852. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120853. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120854. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120855. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120856. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120857. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120858. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120859. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120860. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120861. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120862. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120863. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120864. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120865. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120866. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120867. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120868. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120869. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120870. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120871. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 8, 8, 0, 0, 0, 0,
  120872. 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  120873. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120874. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120875. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120876. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  120877. 0, 0, 0, 8, 8,10, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  120878. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120879. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120880. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120881. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  120882. 0, 0, 0, 0, 8,10, 9, 0, 0, 0, 0, 0, 0, 9,10,10,
  120883. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120884. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120885. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120886. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120887. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120888. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120889. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120890. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120891. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120892. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120893. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120894. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120895. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120896. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120897. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120898. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120899. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120900. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120901. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120902. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120903. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120904. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120905. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120906. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120907. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120908. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120909. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120910. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120911. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120912. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120913. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120914. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120915. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120916. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120917. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  120918. 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120919. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120920. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120921. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120922. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  120923. 0, 0, 0, 0, 0, 8, 9,10, 0, 0, 0, 0, 0, 0, 0, 0,
  120924. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120925. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120926. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120927. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,10,
  120928. 0, 0, 0, 0, 0, 0, 8,10, 8, 0, 0, 0, 0, 0, 0, 0,
  120929. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120930. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120931. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120932. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120933. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120934. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120935. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120936. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120937. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120938. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120939. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120940. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120941. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120942. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120943. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120944. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120945. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120946. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120947. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120948. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120949. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120950. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120951. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120952. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120953. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120954. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120955. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120956. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120957. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120958. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120959. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120960. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120961. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120962. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120963. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120964. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120965. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120966. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120967. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120968. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120972. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120973. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120974. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120975. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120976. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120977. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120978. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120981. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120984. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120985. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120986. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120989. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120990. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120991. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120992. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120995. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120996. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120997. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120998. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  120999. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121000. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121001. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121002. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121004. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121005. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121007. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121009. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121010. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121013. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121023. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121036. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121037. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121041. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121042. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121047. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121236. 0,
  121237. };
  121238. static float _vq_quantthresh__8c1_s_p1_0[] = {
  121239. -0.5, 0.5,
  121240. };
  121241. static long _vq_quantmap__8c1_s_p1_0[] = {
  121242. 1, 0, 2,
  121243. };
  121244. static encode_aux_threshmatch _vq_auxt__8c1_s_p1_0 = {
  121245. _vq_quantthresh__8c1_s_p1_0,
  121246. _vq_quantmap__8c1_s_p1_0,
  121247. 3,
  121248. 3
  121249. };
  121250. static static_codebook _8c1_s_p1_0 = {
  121251. 8, 6561,
  121252. _vq_lengthlist__8c1_s_p1_0,
  121253. 1, -535822336, 1611661312, 2, 0,
  121254. _vq_quantlist__8c1_s_p1_0,
  121255. NULL,
  121256. &_vq_auxt__8c1_s_p1_0,
  121257. NULL,
  121258. 0
  121259. };
  121260. static long _vq_quantlist__8c1_s_p2_0[] = {
  121261. 2,
  121262. 1,
  121263. 3,
  121264. 0,
  121265. 4,
  121266. };
  121267. static long _vq_lengthlist__8c1_s_p2_0[] = {
  121268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121307. 0,
  121308. };
  121309. static float _vq_quantthresh__8c1_s_p2_0[] = {
  121310. -1.5, -0.5, 0.5, 1.5,
  121311. };
  121312. static long _vq_quantmap__8c1_s_p2_0[] = {
  121313. 3, 1, 0, 2, 4,
  121314. };
  121315. static encode_aux_threshmatch _vq_auxt__8c1_s_p2_0 = {
  121316. _vq_quantthresh__8c1_s_p2_0,
  121317. _vq_quantmap__8c1_s_p2_0,
  121318. 5,
  121319. 5
  121320. };
  121321. static static_codebook _8c1_s_p2_0 = {
  121322. 4, 625,
  121323. _vq_lengthlist__8c1_s_p2_0,
  121324. 1, -533725184, 1611661312, 3, 0,
  121325. _vq_quantlist__8c1_s_p2_0,
  121326. NULL,
  121327. &_vq_auxt__8c1_s_p2_0,
  121328. NULL,
  121329. 0
  121330. };
  121331. static long _vq_quantlist__8c1_s_p3_0[] = {
  121332. 2,
  121333. 1,
  121334. 3,
  121335. 0,
  121336. 4,
  121337. };
  121338. static long _vq_lengthlist__8c1_s_p3_0[] = {
  121339. 2, 4, 4, 5, 5, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 4, 4, 6, 6, 0, 0,
  121341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121342. 0, 0, 4, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 6, 6, 7, 7,
  121344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121345. 0, 0, 0, 0, 6, 6, 6, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  121346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121377. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121378. 0,
  121379. };
  121380. static float _vq_quantthresh__8c1_s_p3_0[] = {
  121381. -1.5, -0.5, 0.5, 1.5,
  121382. };
  121383. static long _vq_quantmap__8c1_s_p3_0[] = {
  121384. 3, 1, 0, 2, 4,
  121385. };
  121386. static encode_aux_threshmatch _vq_auxt__8c1_s_p3_0 = {
  121387. _vq_quantthresh__8c1_s_p3_0,
  121388. _vq_quantmap__8c1_s_p3_0,
  121389. 5,
  121390. 5
  121391. };
  121392. static static_codebook _8c1_s_p3_0 = {
  121393. 4, 625,
  121394. _vq_lengthlist__8c1_s_p3_0,
  121395. 1, -533725184, 1611661312, 3, 0,
  121396. _vq_quantlist__8c1_s_p3_0,
  121397. NULL,
  121398. &_vq_auxt__8c1_s_p3_0,
  121399. NULL,
  121400. 0
  121401. };
  121402. static long _vq_quantlist__8c1_s_p4_0[] = {
  121403. 4,
  121404. 3,
  121405. 5,
  121406. 2,
  121407. 6,
  121408. 1,
  121409. 7,
  121410. 0,
  121411. 8,
  121412. };
  121413. static long _vq_lengthlist__8c1_s_p4_0[] = {
  121414. 1, 2, 3, 7, 7, 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0,
  121415. 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0, 7, 7,
  121416. 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  121417. 8, 8, 0, 0, 0, 0, 0, 0, 0, 9, 8, 0, 0, 0, 0, 0,
  121418. 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121419. 0,
  121420. };
  121421. static float _vq_quantthresh__8c1_s_p4_0[] = {
  121422. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  121423. };
  121424. static long _vq_quantmap__8c1_s_p4_0[] = {
  121425. 7, 5, 3, 1, 0, 2, 4, 6,
  121426. 8,
  121427. };
  121428. static encode_aux_threshmatch _vq_auxt__8c1_s_p4_0 = {
  121429. _vq_quantthresh__8c1_s_p4_0,
  121430. _vq_quantmap__8c1_s_p4_0,
  121431. 9,
  121432. 9
  121433. };
  121434. static static_codebook _8c1_s_p4_0 = {
  121435. 2, 81,
  121436. _vq_lengthlist__8c1_s_p4_0,
  121437. 1, -531628032, 1611661312, 4, 0,
  121438. _vq_quantlist__8c1_s_p4_0,
  121439. NULL,
  121440. &_vq_auxt__8c1_s_p4_0,
  121441. NULL,
  121442. 0
  121443. };
  121444. static long _vq_quantlist__8c1_s_p5_0[] = {
  121445. 4,
  121446. 3,
  121447. 5,
  121448. 2,
  121449. 6,
  121450. 1,
  121451. 7,
  121452. 0,
  121453. 8,
  121454. };
  121455. static long _vq_lengthlist__8c1_s_p5_0[] = {
  121456. 1, 3, 3, 4, 5, 6, 6, 8, 8, 0, 0, 0, 8, 8, 7, 7,
  121457. 9, 9, 0, 0, 0, 8, 8, 7, 7, 9, 9, 0, 0, 0, 9,10,
  121458. 8, 8, 9, 9, 0, 0, 0,10,10, 8, 8, 9, 9, 0, 0, 0,
  121459. 11,10, 8, 8,10,10, 0, 0, 0,11,11, 8, 8,10,10, 0,
  121460. 0, 0,12,12, 9, 9,10,10, 0, 0, 0, 0, 0, 9, 9,10,
  121461. 10,
  121462. };
  121463. static float _vq_quantthresh__8c1_s_p5_0[] = {
  121464. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  121465. };
  121466. static long _vq_quantmap__8c1_s_p5_0[] = {
  121467. 7, 5, 3, 1, 0, 2, 4, 6,
  121468. 8,
  121469. };
  121470. static encode_aux_threshmatch _vq_auxt__8c1_s_p5_0 = {
  121471. _vq_quantthresh__8c1_s_p5_0,
  121472. _vq_quantmap__8c1_s_p5_0,
  121473. 9,
  121474. 9
  121475. };
  121476. static static_codebook _8c1_s_p5_0 = {
  121477. 2, 81,
  121478. _vq_lengthlist__8c1_s_p5_0,
  121479. 1, -531628032, 1611661312, 4, 0,
  121480. _vq_quantlist__8c1_s_p5_0,
  121481. NULL,
  121482. &_vq_auxt__8c1_s_p5_0,
  121483. NULL,
  121484. 0
  121485. };
  121486. static long _vq_quantlist__8c1_s_p6_0[] = {
  121487. 8,
  121488. 7,
  121489. 9,
  121490. 6,
  121491. 10,
  121492. 5,
  121493. 11,
  121494. 4,
  121495. 12,
  121496. 3,
  121497. 13,
  121498. 2,
  121499. 14,
  121500. 1,
  121501. 15,
  121502. 0,
  121503. 16,
  121504. };
  121505. static long _vq_lengthlist__8c1_s_p6_0[] = {
  121506. 1, 3, 3, 5, 5, 8, 8, 8, 8, 9, 9,10,10,11,11,11,
  121507. 11, 0, 0, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,11,
  121508. 12,12, 0, 0, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  121509. 11,12,12, 0, 0, 0, 9, 9, 8, 8,10,10,10,10,11,11,
  121510. 12,12,12,12, 0, 0, 0, 9, 9, 8, 8,10,10,10,10,11,
  121511. 11,12,12,12,12, 0, 0, 0,10,10, 9, 9,10,10,10,10,
  121512. 11,11,12,12,13,13, 0, 0, 0,10,10, 9, 9,10,10,10,
  121513. 10,11,11,12,12,13,13, 0, 0, 0,11,11, 9, 9,10,10,
  121514. 10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,10,
  121515. 10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,
  121516. 10,10,11,11,12,12,12,12,13,13, 0, 0, 0, 0, 0, 9,
  121517. 9,10,10,11,11,12,11,12,12,13,13, 0, 0, 0, 0, 0,
  121518. 10,10,11,11,11,11,12,12,13,12,13,13, 0, 0, 0, 0,
  121519. 0, 0, 0,11,10,11,11,12,12,13,13,13,13, 0, 0, 0,
  121520. 0, 0, 0, 0,11,11,12,12,12,12,13,13,13,14, 0, 0,
  121521. 0, 0, 0, 0, 0,11,11,12,12,12,12,13,13,14,13, 0,
  121522. 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,13,13,14,14,
  121523. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,13,13,13,13,14,
  121524. 14,
  121525. };
  121526. static float _vq_quantthresh__8c1_s_p6_0[] = {
  121527. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  121528. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  121529. };
  121530. static long _vq_quantmap__8c1_s_p6_0[] = {
  121531. 15, 13, 11, 9, 7, 5, 3, 1,
  121532. 0, 2, 4, 6, 8, 10, 12, 14,
  121533. 16,
  121534. };
  121535. static encode_aux_threshmatch _vq_auxt__8c1_s_p6_0 = {
  121536. _vq_quantthresh__8c1_s_p6_0,
  121537. _vq_quantmap__8c1_s_p6_0,
  121538. 17,
  121539. 17
  121540. };
  121541. static static_codebook _8c1_s_p6_0 = {
  121542. 2, 289,
  121543. _vq_lengthlist__8c1_s_p6_0,
  121544. 1, -529530880, 1611661312, 5, 0,
  121545. _vq_quantlist__8c1_s_p6_0,
  121546. NULL,
  121547. &_vq_auxt__8c1_s_p6_0,
  121548. NULL,
  121549. 0
  121550. };
  121551. static long _vq_quantlist__8c1_s_p7_0[] = {
  121552. 1,
  121553. 0,
  121554. 2,
  121555. };
  121556. static long _vq_lengthlist__8c1_s_p7_0[] = {
  121557. 1, 4, 4, 6, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,10,
  121558. 9, 9, 5, 7, 7,10, 9, 9,10, 9, 9, 6,10,10,10,10,
  121559. 10,11,10,10, 6, 9, 9,10, 9,10,11,10,10, 6, 9, 9,
  121560. 10, 9, 9,11, 9,10, 7,10,10,11,11,11,11,10,10, 6,
  121561. 9, 9,10,10,10,11, 9, 9, 6, 9, 9,10,10,10,10, 9,
  121562. 9,
  121563. };
  121564. static float _vq_quantthresh__8c1_s_p7_0[] = {
  121565. -5.5, 5.5,
  121566. };
  121567. static long _vq_quantmap__8c1_s_p7_0[] = {
  121568. 1, 0, 2,
  121569. };
  121570. static encode_aux_threshmatch _vq_auxt__8c1_s_p7_0 = {
  121571. _vq_quantthresh__8c1_s_p7_0,
  121572. _vq_quantmap__8c1_s_p7_0,
  121573. 3,
  121574. 3
  121575. };
  121576. static static_codebook _8c1_s_p7_0 = {
  121577. 4, 81,
  121578. _vq_lengthlist__8c1_s_p7_0,
  121579. 1, -529137664, 1618345984, 2, 0,
  121580. _vq_quantlist__8c1_s_p7_0,
  121581. NULL,
  121582. &_vq_auxt__8c1_s_p7_0,
  121583. NULL,
  121584. 0
  121585. };
  121586. static long _vq_quantlist__8c1_s_p7_1[] = {
  121587. 5,
  121588. 4,
  121589. 6,
  121590. 3,
  121591. 7,
  121592. 2,
  121593. 8,
  121594. 1,
  121595. 9,
  121596. 0,
  121597. 10,
  121598. };
  121599. static long _vq_lengthlist__8c1_s_p7_1[] = {
  121600. 2, 3, 3, 5, 5, 7, 7, 7, 7, 7, 7,10,10, 9, 7, 7,
  121601. 7, 7, 8, 8, 8, 8, 9, 9, 9, 7, 7, 7, 7, 8, 8, 8,
  121602. 8,10,10,10, 7, 7, 7, 7, 8, 8, 8, 8,10,10,10, 7,
  121603. 7, 7, 7, 8, 8, 8, 8,10,10,10, 8, 8, 8, 8, 8, 8,
  121604. 8, 8,10,10,10, 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,
  121605. 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,10,10, 8, 8, 8,
  121606. 8, 8, 8,10,10,10,10,10, 8, 8, 8, 8, 8, 8,10,10,
  121607. 10,10,10, 8, 8, 8, 8, 8, 8,
  121608. };
  121609. static float _vq_quantthresh__8c1_s_p7_1[] = {
  121610. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  121611. 3.5, 4.5,
  121612. };
  121613. static long _vq_quantmap__8c1_s_p7_1[] = {
  121614. 9, 7, 5, 3, 1, 0, 2, 4,
  121615. 6, 8, 10,
  121616. };
  121617. static encode_aux_threshmatch _vq_auxt__8c1_s_p7_1 = {
  121618. _vq_quantthresh__8c1_s_p7_1,
  121619. _vq_quantmap__8c1_s_p7_1,
  121620. 11,
  121621. 11
  121622. };
  121623. static static_codebook _8c1_s_p7_1 = {
  121624. 2, 121,
  121625. _vq_lengthlist__8c1_s_p7_1,
  121626. 1, -531365888, 1611661312, 4, 0,
  121627. _vq_quantlist__8c1_s_p7_1,
  121628. NULL,
  121629. &_vq_auxt__8c1_s_p7_1,
  121630. NULL,
  121631. 0
  121632. };
  121633. static long _vq_quantlist__8c1_s_p8_0[] = {
  121634. 6,
  121635. 5,
  121636. 7,
  121637. 4,
  121638. 8,
  121639. 3,
  121640. 9,
  121641. 2,
  121642. 10,
  121643. 1,
  121644. 11,
  121645. 0,
  121646. 12,
  121647. };
  121648. static long _vq_lengthlist__8c1_s_p8_0[] = {
  121649. 1, 4, 4, 6, 6, 8, 8, 8, 8, 9, 9,10,10, 7, 5, 5,
  121650. 7, 7, 8, 8, 8, 8, 9,10,11,11, 7, 5, 5, 7, 7, 8,
  121651. 8, 9, 9,10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  121652. 9,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  121653. 11, 0,12,12, 9, 9, 9, 9,10, 9,10,11,11,11, 0,13,
  121654. 12, 9, 8, 9, 9,10,10,11,11,12,11, 0, 0, 0, 9, 9,
  121655. 9, 9,10,10,11,11,12,12, 0, 0, 0,10,10, 9, 9,10,
  121656. 10,11,11,12,12, 0, 0, 0,13,13,10,10,11,11,12,11,
  121657. 13,12, 0, 0, 0,14,14,10,10,11,10,11,11,12,12, 0,
  121658. 0, 0, 0, 0,12,12,11,11,12,12,13,13, 0, 0, 0, 0,
  121659. 0,12,12,11,10,12,11,13,12,
  121660. };
  121661. static float _vq_quantthresh__8c1_s_p8_0[] = {
  121662. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  121663. 12.5, 17.5, 22.5, 27.5,
  121664. };
  121665. static long _vq_quantmap__8c1_s_p8_0[] = {
  121666. 11, 9, 7, 5, 3, 1, 0, 2,
  121667. 4, 6, 8, 10, 12,
  121668. };
  121669. static encode_aux_threshmatch _vq_auxt__8c1_s_p8_0 = {
  121670. _vq_quantthresh__8c1_s_p8_0,
  121671. _vq_quantmap__8c1_s_p8_0,
  121672. 13,
  121673. 13
  121674. };
  121675. static static_codebook _8c1_s_p8_0 = {
  121676. 2, 169,
  121677. _vq_lengthlist__8c1_s_p8_0,
  121678. 1, -526516224, 1616117760, 4, 0,
  121679. _vq_quantlist__8c1_s_p8_0,
  121680. NULL,
  121681. &_vq_auxt__8c1_s_p8_0,
  121682. NULL,
  121683. 0
  121684. };
  121685. static long _vq_quantlist__8c1_s_p8_1[] = {
  121686. 2,
  121687. 1,
  121688. 3,
  121689. 0,
  121690. 4,
  121691. };
  121692. static long _vq_lengthlist__8c1_s_p8_1[] = {
  121693. 2, 3, 3, 5, 5, 6, 6, 6, 5, 5, 6, 6, 6, 5, 5, 6,
  121694. 6, 6, 5, 5, 6, 6, 6, 5, 5,
  121695. };
  121696. static float _vq_quantthresh__8c1_s_p8_1[] = {
  121697. -1.5, -0.5, 0.5, 1.5,
  121698. };
  121699. static long _vq_quantmap__8c1_s_p8_1[] = {
  121700. 3, 1, 0, 2, 4,
  121701. };
  121702. static encode_aux_threshmatch _vq_auxt__8c1_s_p8_1 = {
  121703. _vq_quantthresh__8c1_s_p8_1,
  121704. _vq_quantmap__8c1_s_p8_1,
  121705. 5,
  121706. 5
  121707. };
  121708. static static_codebook _8c1_s_p8_1 = {
  121709. 2, 25,
  121710. _vq_lengthlist__8c1_s_p8_1,
  121711. 1, -533725184, 1611661312, 3, 0,
  121712. _vq_quantlist__8c1_s_p8_1,
  121713. NULL,
  121714. &_vq_auxt__8c1_s_p8_1,
  121715. NULL,
  121716. 0
  121717. };
  121718. static long _vq_quantlist__8c1_s_p9_0[] = {
  121719. 6,
  121720. 5,
  121721. 7,
  121722. 4,
  121723. 8,
  121724. 3,
  121725. 9,
  121726. 2,
  121727. 10,
  121728. 1,
  121729. 11,
  121730. 0,
  121731. 12,
  121732. };
  121733. static long _vq_lengthlist__8c1_s_p9_0[] = {
  121734. 1, 3, 3,10,10,10,10,10,10,10,10,10,10, 5, 6, 6,
  121735. 10,10,10,10,10,10,10,10,10,10, 6, 7, 8,10,10,10,
  121736. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121737. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121738. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121739. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121740. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121741. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121742. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121743. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121744. 10,10,10,10,10, 9, 9, 9, 9,
  121745. };
  121746. static float _vq_quantthresh__8c1_s_p9_0[] = {
  121747. -1732.5, -1417.5, -1102.5, -787.5, -472.5, -157.5, 157.5, 472.5,
  121748. 787.5, 1102.5, 1417.5, 1732.5,
  121749. };
  121750. static long _vq_quantmap__8c1_s_p9_0[] = {
  121751. 11, 9, 7, 5, 3, 1, 0, 2,
  121752. 4, 6, 8, 10, 12,
  121753. };
  121754. static encode_aux_threshmatch _vq_auxt__8c1_s_p9_0 = {
  121755. _vq_quantthresh__8c1_s_p9_0,
  121756. _vq_quantmap__8c1_s_p9_0,
  121757. 13,
  121758. 13
  121759. };
  121760. static static_codebook _8c1_s_p9_0 = {
  121761. 2, 169,
  121762. _vq_lengthlist__8c1_s_p9_0,
  121763. 1, -513964032, 1628680192, 4, 0,
  121764. _vq_quantlist__8c1_s_p9_0,
  121765. NULL,
  121766. &_vq_auxt__8c1_s_p9_0,
  121767. NULL,
  121768. 0
  121769. };
  121770. static long _vq_quantlist__8c1_s_p9_1[] = {
  121771. 7,
  121772. 6,
  121773. 8,
  121774. 5,
  121775. 9,
  121776. 4,
  121777. 10,
  121778. 3,
  121779. 11,
  121780. 2,
  121781. 12,
  121782. 1,
  121783. 13,
  121784. 0,
  121785. 14,
  121786. };
  121787. static long _vq_lengthlist__8c1_s_p9_1[] = {
  121788. 1, 4, 4, 5, 5, 7, 7, 9, 9,11,11,12,12,13,13, 6,
  121789. 5, 5, 6, 6, 9, 9,10,10,12,12,12,13,15,14, 6, 5,
  121790. 5, 7, 7, 9, 9,10,10,12,12,12,13,14,13,17, 7, 7,
  121791. 8, 8,10,10,11,11,12,13,13,13,13,13,17, 7, 7, 8,
  121792. 8,10,10,11,11,13,13,13,13,14,14,17,11,11, 9, 9,
  121793. 11,11,12,12,12,13,13,14,15,13,17,12,12, 9, 9,11,
  121794. 11,12,12,13,13,13,13,14,16,17,17,17,11,12,12,12,
  121795. 13,13,13,14,15,14,15,15,17,17,17,12,12,11,11,13,
  121796. 13,14,14,15,14,15,15,17,17,17,15,15,13,13,14,14,
  121797. 15,14,15,15,16,15,17,17,17,15,15,13,13,13,14,14,
  121798. 15,15,15,15,16,17,17,17,17,16,14,15,14,14,15,14,
  121799. 14,15,15,15,17,17,17,17,17,14,14,16,14,15,15,15,
  121800. 15,15,15,17,17,17,17,17,17,16,16,15,17,15,15,14,
  121801. 17,15,17,16,17,17,17,17,16,15,14,15,15,15,15,15,
  121802. 15,
  121803. };
  121804. static float _vq_quantthresh__8c1_s_p9_1[] = {
  121805. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  121806. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  121807. };
  121808. static long _vq_quantmap__8c1_s_p9_1[] = {
  121809. 13, 11, 9, 7, 5, 3, 1, 0,
  121810. 2, 4, 6, 8, 10, 12, 14,
  121811. };
  121812. static encode_aux_threshmatch _vq_auxt__8c1_s_p9_1 = {
  121813. _vq_quantthresh__8c1_s_p9_1,
  121814. _vq_quantmap__8c1_s_p9_1,
  121815. 15,
  121816. 15
  121817. };
  121818. static static_codebook _8c1_s_p9_1 = {
  121819. 2, 225,
  121820. _vq_lengthlist__8c1_s_p9_1,
  121821. 1, -520986624, 1620377600, 4, 0,
  121822. _vq_quantlist__8c1_s_p9_1,
  121823. NULL,
  121824. &_vq_auxt__8c1_s_p9_1,
  121825. NULL,
  121826. 0
  121827. };
  121828. static long _vq_quantlist__8c1_s_p9_2[] = {
  121829. 10,
  121830. 9,
  121831. 11,
  121832. 8,
  121833. 12,
  121834. 7,
  121835. 13,
  121836. 6,
  121837. 14,
  121838. 5,
  121839. 15,
  121840. 4,
  121841. 16,
  121842. 3,
  121843. 17,
  121844. 2,
  121845. 18,
  121846. 1,
  121847. 19,
  121848. 0,
  121849. 20,
  121850. };
  121851. static long _vq_lengthlist__8c1_s_p9_2[] = {
  121852. 2, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8, 9, 8, 9, 9, 9,
  121853. 9, 9, 9, 9, 9,11,11,12, 7, 7, 7, 7, 8, 8, 9, 9,
  121854. 9, 9,10,10,10,10,10,10,10,10,11,11,11, 7, 7, 7,
  121855. 7, 8, 8, 9, 8, 9, 9, 9, 9, 9, 9,10,10,10,10,11,
  121856. 11,12, 8, 8, 8, 8, 8, 8, 9, 9, 9, 9,10,10,10,10,
  121857. 10,10,10,10,11,11,11, 7, 7, 8, 8, 8, 8, 9, 9, 9,
  121858. 9,10,10,10,10,10,10,10,10,11,11,11, 8, 8, 8, 8,
  121859. 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,11,11,
  121860. 11, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,10,10,10,10,10,
  121861. 10,10,10,11,12,11, 9, 9, 8, 9, 9, 9, 9, 9,10,10,
  121862. 10,10,10,10,10,10,10,10,11,11,11,11,11, 8, 8, 9,
  121863. 9, 9, 9,10,10,10,10,10,10,10,10,10,10,11,12,11,
  121864. 12,11, 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,
  121865. 10,10,11,11,11,11,11, 9, 9, 9, 9,10,10,10,10,10,
  121866. 10,10,10,10,10,10,10,12,11,12,11,11, 9, 9, 9,10,
  121867. 10,10,10,10,10,10,10,10,10,10,10,10,12,11,11,11,
  121868. 11,11,11,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121869. 11,11,11,12,11,11,12,11,10,10,10,10,10,10,10,10,
  121870. 10,10,10,10,11,10,11,11,11,11,11,11,11,10,10,10,
  121871. 10,10,10,10,10,10,10,10,10,10,10,11,11,12,11,12,
  121872. 11,11,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  121873. 11,11,12,11,12,11,11,11,11,10,10,10,10,10,10,10,
  121874. 10,10,10,10,10,11,11,12,11,11,12,11,11,12,10,10,
  121875. 11,10,10,10,10,10,10,10,10,10,11,11,11,11,11,11,
  121876. 11,11,11,10,10,10,10,10,10,10,10,10,10,10,10,12,
  121877. 12,11,12,11,11,12,12,12,11,11,10,10,10,10,10,10,
  121878. 10,10,10,11,12,12,11,12,12,11,12,11,11,11,11,10,
  121879. 10,10,10,10,10,10,10,10,10,
  121880. };
  121881. static float _vq_quantthresh__8c1_s_p9_2[] = {
  121882. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  121883. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  121884. 6.5, 7.5, 8.5, 9.5,
  121885. };
  121886. static long _vq_quantmap__8c1_s_p9_2[] = {
  121887. 19, 17, 15, 13, 11, 9, 7, 5,
  121888. 3, 1, 0, 2, 4, 6, 8, 10,
  121889. 12, 14, 16, 18, 20,
  121890. };
  121891. static encode_aux_threshmatch _vq_auxt__8c1_s_p9_2 = {
  121892. _vq_quantthresh__8c1_s_p9_2,
  121893. _vq_quantmap__8c1_s_p9_2,
  121894. 21,
  121895. 21
  121896. };
  121897. static static_codebook _8c1_s_p9_2 = {
  121898. 2, 441,
  121899. _vq_lengthlist__8c1_s_p9_2,
  121900. 1, -529268736, 1611661312, 5, 0,
  121901. _vq_quantlist__8c1_s_p9_2,
  121902. NULL,
  121903. &_vq_auxt__8c1_s_p9_2,
  121904. NULL,
  121905. 0
  121906. };
  121907. static long _huff_lengthlist__8c1_s_single[] = {
  121908. 4, 6,18, 8,11, 8, 8, 9, 9,10, 4, 4,18, 5, 9, 5,
  121909. 6, 7, 8,10,18,18,18,18,17,17,17,17,17,17, 7, 5,
  121910. 17, 6,11, 6, 7, 8, 9,12,12, 9,17,12, 8, 8, 9,10,
  121911. 10,13, 7, 5,17, 6, 8, 4, 5, 6, 8,10, 6, 5,17, 6,
  121912. 8, 5, 4, 5, 7, 9, 7, 7,17, 8, 9, 6, 5, 5, 6, 8,
  121913. 8, 8,17, 9,11, 8, 6, 6, 6, 7, 9,10,17,12,12,10,
  121914. 9, 7, 7, 8,
  121915. };
  121916. static static_codebook _huff_book__8c1_s_single = {
  121917. 2, 100,
  121918. _huff_lengthlist__8c1_s_single,
  121919. 0, 0, 0, 0, 0,
  121920. NULL,
  121921. NULL,
  121922. NULL,
  121923. NULL,
  121924. 0
  121925. };
  121926. static long _huff_lengthlist__44c2_s_long[] = {
  121927. 6, 6,12,10,10,10, 9,10,12,12, 6, 1,10, 5, 6, 6,
  121928. 7, 9,11,14,12, 9, 8,11, 7, 8, 9,11,13,15,10, 5,
  121929. 12, 7, 8, 7, 9,12,14,15,10, 6, 7, 8, 5, 6, 7, 9,
  121930. 12,14, 9, 6, 8, 7, 6, 6, 7, 9,12,12, 9, 7, 9, 9,
  121931. 7, 6, 6, 7,10,10,10, 9,10,11, 8, 7, 6, 6, 8,10,
  121932. 12,11,13,13,11,10, 8, 8, 8,10,11,13,15,15,14,13,
  121933. 10, 8, 8, 9,
  121934. };
  121935. static static_codebook _huff_book__44c2_s_long = {
  121936. 2, 100,
  121937. _huff_lengthlist__44c2_s_long,
  121938. 0, 0, 0, 0, 0,
  121939. NULL,
  121940. NULL,
  121941. NULL,
  121942. NULL,
  121943. 0
  121944. };
  121945. static long _vq_quantlist__44c2_s_p1_0[] = {
  121946. 1,
  121947. 0,
  121948. 2,
  121949. };
  121950. static long _vq_lengthlist__44c2_s_p1_0[] = {
  121951. 2, 4, 4, 0, 0, 0, 0, 0, 0, 5, 6, 6, 0, 0, 0, 0,
  121952. 0, 0, 5, 6, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121953. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121954. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121955. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121956. 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,
  121957. 0, 0, 0, 6, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121958. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121959. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121960. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121961. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 6, 8, 7, 0, 0,
  121962. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121963. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121964. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121965. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121966. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121967. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121968. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121972. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121973. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121974. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121975. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121976. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121977. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121978. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121981. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121984. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121985. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121986. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121989. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121990. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121991. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121992. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121995. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121996. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  121997. 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  121998. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  121999. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122000. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122001. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,
  122002. 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0,
  122003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122004. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122005. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 8, 8, 0, 0,
  122007. 0, 0, 0, 0, 8, 9, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9,
  122008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122009. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122010. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122013. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122023. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122036. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122037. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122041. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122042. 0, 0, 4, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  122043. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122047. 0, 0, 0, 6, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0,
  122048. 0, 0, 0, 0, 0, 8, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0,
  122049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122052. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9,
  122053. 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  122054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122361. 0,
  122362. };
  122363. static float _vq_quantthresh__44c2_s_p1_0[] = {
  122364. -0.5, 0.5,
  122365. };
  122366. static long _vq_quantmap__44c2_s_p1_0[] = {
  122367. 1, 0, 2,
  122368. };
  122369. static encode_aux_threshmatch _vq_auxt__44c2_s_p1_0 = {
  122370. _vq_quantthresh__44c2_s_p1_0,
  122371. _vq_quantmap__44c2_s_p1_0,
  122372. 3,
  122373. 3
  122374. };
  122375. static static_codebook _44c2_s_p1_0 = {
  122376. 8, 6561,
  122377. _vq_lengthlist__44c2_s_p1_0,
  122378. 1, -535822336, 1611661312, 2, 0,
  122379. _vq_quantlist__44c2_s_p1_0,
  122380. NULL,
  122381. &_vq_auxt__44c2_s_p1_0,
  122382. NULL,
  122383. 0
  122384. };
  122385. static long _vq_quantlist__44c2_s_p2_0[] = {
  122386. 2,
  122387. 1,
  122388. 3,
  122389. 0,
  122390. 4,
  122391. };
  122392. static long _vq_lengthlist__44c2_s_p2_0[] = {
  122393. 1, 4, 4, 0, 0, 0, 7, 7, 0, 0, 0, 7, 7, 0, 0, 0,
  122394. 8, 8, 0, 0, 0, 0, 0, 0, 0, 4, 6, 6, 0, 0, 0, 8,
  122395. 8, 0, 0, 0, 8, 8, 0, 0, 0, 9, 9, 0, 0, 0, 0, 0,
  122396. 0, 0, 4, 6, 6, 0, 0, 0, 8, 8, 0, 0, 0, 8, 8, 0,
  122397. 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122398. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122399. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122400. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122401. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122402. 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,11,11, 0, 0,
  122403. 0,11,11, 0, 0, 0,12,11, 0, 0, 0, 0, 0, 0, 0, 7,
  122404. 8, 8, 0, 0, 0,10,11, 0, 0, 0,11,11, 0, 0, 0,11,
  122405. 12, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122406. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122408. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122409. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122410. 0, 0, 0, 6, 8, 8, 0, 0, 0,11,11, 0, 0, 0,11,11,
  122411. 0, 0, 0,12,12, 0, 0, 0, 0, 0, 0, 0, 6, 8, 8, 0,
  122412. 0, 0,10,11, 0, 0, 0,10,11, 0, 0, 0,11,11, 0, 0,
  122413. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122414. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122415. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122416. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122417. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122418. 8, 9, 9, 0, 0, 0,11,12, 0, 0, 0,11,12, 0, 0, 0,
  122419. 12,11, 0, 0, 0, 0, 0, 0, 0, 8,10, 9, 0, 0, 0,12,
  122420. 11, 0, 0, 0,12,11, 0, 0, 0,11,12, 0, 0, 0, 0, 0,
  122421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122423. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122424. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122425. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122426. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122427. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122428. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122429. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122430. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122431. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122432. 0,
  122433. };
  122434. static float _vq_quantthresh__44c2_s_p2_0[] = {
  122435. -1.5, -0.5, 0.5, 1.5,
  122436. };
  122437. static long _vq_quantmap__44c2_s_p2_0[] = {
  122438. 3, 1, 0, 2, 4,
  122439. };
  122440. static encode_aux_threshmatch _vq_auxt__44c2_s_p2_0 = {
  122441. _vq_quantthresh__44c2_s_p2_0,
  122442. _vq_quantmap__44c2_s_p2_0,
  122443. 5,
  122444. 5
  122445. };
  122446. static static_codebook _44c2_s_p2_0 = {
  122447. 4, 625,
  122448. _vq_lengthlist__44c2_s_p2_0,
  122449. 1, -533725184, 1611661312, 3, 0,
  122450. _vq_quantlist__44c2_s_p2_0,
  122451. NULL,
  122452. &_vq_auxt__44c2_s_p2_0,
  122453. NULL,
  122454. 0
  122455. };
  122456. static long _vq_quantlist__44c2_s_p3_0[] = {
  122457. 2,
  122458. 1,
  122459. 3,
  122460. 0,
  122461. 4,
  122462. };
  122463. static long _vq_lengthlist__44c2_s_p3_0[] = {
  122464. 2, 4, 3, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122465. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 4, 4, 6, 6, 0, 0,
  122466. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122467. 0, 0, 4, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122468. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 6, 6, 9, 9,
  122469. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122470. 0, 0, 0, 0, 6, 6, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  122471. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122472. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122473. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122474. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122475. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122476. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122477. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122478. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122479. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122480. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122481. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122482. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122483. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122484. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122485. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122486. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122487. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122488. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122489. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122490. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122491. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122492. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122493. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122494. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122495. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122496. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122497. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122498. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122499. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122500. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122501. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122502. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122503. 0,
  122504. };
  122505. static float _vq_quantthresh__44c2_s_p3_0[] = {
  122506. -1.5, -0.5, 0.5, 1.5,
  122507. };
  122508. static long _vq_quantmap__44c2_s_p3_0[] = {
  122509. 3, 1, 0, 2, 4,
  122510. };
  122511. static encode_aux_threshmatch _vq_auxt__44c2_s_p3_0 = {
  122512. _vq_quantthresh__44c2_s_p3_0,
  122513. _vq_quantmap__44c2_s_p3_0,
  122514. 5,
  122515. 5
  122516. };
  122517. static static_codebook _44c2_s_p3_0 = {
  122518. 4, 625,
  122519. _vq_lengthlist__44c2_s_p3_0,
  122520. 1, -533725184, 1611661312, 3, 0,
  122521. _vq_quantlist__44c2_s_p3_0,
  122522. NULL,
  122523. &_vq_auxt__44c2_s_p3_0,
  122524. NULL,
  122525. 0
  122526. };
  122527. static long _vq_quantlist__44c2_s_p4_0[] = {
  122528. 4,
  122529. 3,
  122530. 5,
  122531. 2,
  122532. 6,
  122533. 1,
  122534. 7,
  122535. 0,
  122536. 8,
  122537. };
  122538. static long _vq_lengthlist__44c2_s_p4_0[] = {
  122539. 1, 3, 3, 6, 6, 0, 0, 0, 0, 0, 6, 6, 6, 6, 0, 0,
  122540. 0, 0, 0, 6, 6, 6, 6, 0, 0, 0, 0, 0, 7, 7, 6, 6,
  122541. 0, 0, 0, 0, 0, 0, 0, 6, 7, 0, 0, 0, 0, 0, 0, 0,
  122542. 7, 8, 0, 0, 0, 0, 0, 0, 0, 8, 8, 0, 0, 0, 0, 0,
  122543. 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  122544. 0,
  122545. };
  122546. static float _vq_quantthresh__44c2_s_p4_0[] = {
  122547. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  122548. };
  122549. static long _vq_quantmap__44c2_s_p4_0[] = {
  122550. 7, 5, 3, 1, 0, 2, 4, 6,
  122551. 8,
  122552. };
  122553. static encode_aux_threshmatch _vq_auxt__44c2_s_p4_0 = {
  122554. _vq_quantthresh__44c2_s_p4_0,
  122555. _vq_quantmap__44c2_s_p4_0,
  122556. 9,
  122557. 9
  122558. };
  122559. static static_codebook _44c2_s_p4_0 = {
  122560. 2, 81,
  122561. _vq_lengthlist__44c2_s_p4_0,
  122562. 1, -531628032, 1611661312, 4, 0,
  122563. _vq_quantlist__44c2_s_p4_0,
  122564. NULL,
  122565. &_vq_auxt__44c2_s_p4_0,
  122566. NULL,
  122567. 0
  122568. };
  122569. static long _vq_quantlist__44c2_s_p5_0[] = {
  122570. 4,
  122571. 3,
  122572. 5,
  122573. 2,
  122574. 6,
  122575. 1,
  122576. 7,
  122577. 0,
  122578. 8,
  122579. };
  122580. static long _vq_lengthlist__44c2_s_p5_0[] = {
  122581. 1, 3, 3, 6, 6, 7, 7, 9, 9, 0, 7, 7, 7, 7, 7, 7,
  122582. 9, 9, 0, 7, 7, 7, 7, 7, 7, 9, 9, 0, 8, 8, 7, 7,
  122583. 8, 8,10,10, 0, 0, 0, 7, 7, 8, 8,10,10, 0, 0, 0,
  122584. 9, 9, 8, 8,10,10, 0, 0, 0, 9, 9, 8, 8,10,10, 0,
  122585. 0, 0,10,10, 9, 9,11,11, 0, 0, 0, 0, 0, 9, 9,11,
  122586. 11,
  122587. };
  122588. static float _vq_quantthresh__44c2_s_p5_0[] = {
  122589. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  122590. };
  122591. static long _vq_quantmap__44c2_s_p5_0[] = {
  122592. 7, 5, 3, 1, 0, 2, 4, 6,
  122593. 8,
  122594. };
  122595. static encode_aux_threshmatch _vq_auxt__44c2_s_p5_0 = {
  122596. _vq_quantthresh__44c2_s_p5_0,
  122597. _vq_quantmap__44c2_s_p5_0,
  122598. 9,
  122599. 9
  122600. };
  122601. static static_codebook _44c2_s_p5_0 = {
  122602. 2, 81,
  122603. _vq_lengthlist__44c2_s_p5_0,
  122604. 1, -531628032, 1611661312, 4, 0,
  122605. _vq_quantlist__44c2_s_p5_0,
  122606. NULL,
  122607. &_vq_auxt__44c2_s_p5_0,
  122608. NULL,
  122609. 0
  122610. };
  122611. static long _vq_quantlist__44c2_s_p6_0[] = {
  122612. 8,
  122613. 7,
  122614. 9,
  122615. 6,
  122616. 10,
  122617. 5,
  122618. 11,
  122619. 4,
  122620. 12,
  122621. 3,
  122622. 13,
  122623. 2,
  122624. 14,
  122625. 1,
  122626. 15,
  122627. 0,
  122628. 16,
  122629. };
  122630. static long _vq_lengthlist__44c2_s_p6_0[] = {
  122631. 1, 4, 3, 6, 6, 8, 8, 9, 9, 9, 9, 9, 9,10,10,11,
  122632. 11, 0, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,11,
  122633. 12,11, 0, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,
  122634. 11,11,12, 0, 8, 8, 7, 7, 9, 9,10,10, 9, 9,10,10,
  122635. 11,11,12,12, 0, 0, 0, 7, 7, 9, 9,10,10,10, 9,10,
  122636. 10,11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,10,
  122637. 11,11,11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,
  122638. 10,11,11,12,12,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,
  122639. 10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 9, 9,10,
  122640. 10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,
  122641. 10,10,11,11,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9,
  122642. 9,10,10,11,11,11,11,12,12,13,13, 0, 0, 0, 0, 0,
  122643. 10,10,10,10,11,11,12,12,13,12,13,13, 0, 0, 0, 0,
  122644. 0, 0, 0,10,10,11,11,12,12,13,13,13,13, 0, 0, 0,
  122645. 0, 0, 0, 0,11,11,12,12,12,12,13,13,13,14, 0, 0,
  122646. 0, 0, 0, 0, 0,11,11,12,12,12,12,13,13,13,14, 0,
  122647. 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,13,13,14,14,
  122648. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,13,13,13,13,14,
  122649. 14,
  122650. };
  122651. static float _vq_quantthresh__44c2_s_p6_0[] = {
  122652. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  122653. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  122654. };
  122655. static long _vq_quantmap__44c2_s_p6_0[] = {
  122656. 15, 13, 11, 9, 7, 5, 3, 1,
  122657. 0, 2, 4, 6, 8, 10, 12, 14,
  122658. 16,
  122659. };
  122660. static encode_aux_threshmatch _vq_auxt__44c2_s_p6_0 = {
  122661. _vq_quantthresh__44c2_s_p6_0,
  122662. _vq_quantmap__44c2_s_p6_0,
  122663. 17,
  122664. 17
  122665. };
  122666. static static_codebook _44c2_s_p6_0 = {
  122667. 2, 289,
  122668. _vq_lengthlist__44c2_s_p6_0,
  122669. 1, -529530880, 1611661312, 5, 0,
  122670. _vq_quantlist__44c2_s_p6_0,
  122671. NULL,
  122672. &_vq_auxt__44c2_s_p6_0,
  122673. NULL,
  122674. 0
  122675. };
  122676. static long _vq_quantlist__44c2_s_p7_0[] = {
  122677. 1,
  122678. 0,
  122679. 2,
  122680. };
  122681. static long _vq_lengthlist__44c2_s_p7_0[] = {
  122682. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,11,
  122683. 9, 9, 4, 7, 7,10, 9, 9,10, 9, 9, 7,10,10,11,10,
  122684. 11,11,10,11, 6, 9, 9,11,10,10,11,10,10, 6, 9, 9,
  122685. 11,10,11,11,10,10, 7,11,10,11,11,11,12,11,11, 6,
  122686. 9, 9,11,10,10,11,11,10, 6, 9, 9,11,10,10,12,10,
  122687. 11,
  122688. };
  122689. static float _vq_quantthresh__44c2_s_p7_0[] = {
  122690. -5.5, 5.5,
  122691. };
  122692. static long _vq_quantmap__44c2_s_p7_0[] = {
  122693. 1, 0, 2,
  122694. };
  122695. static encode_aux_threshmatch _vq_auxt__44c2_s_p7_0 = {
  122696. _vq_quantthresh__44c2_s_p7_0,
  122697. _vq_quantmap__44c2_s_p7_0,
  122698. 3,
  122699. 3
  122700. };
  122701. static static_codebook _44c2_s_p7_0 = {
  122702. 4, 81,
  122703. _vq_lengthlist__44c2_s_p7_0,
  122704. 1, -529137664, 1618345984, 2, 0,
  122705. _vq_quantlist__44c2_s_p7_0,
  122706. NULL,
  122707. &_vq_auxt__44c2_s_p7_0,
  122708. NULL,
  122709. 0
  122710. };
  122711. static long _vq_quantlist__44c2_s_p7_1[] = {
  122712. 5,
  122713. 4,
  122714. 6,
  122715. 3,
  122716. 7,
  122717. 2,
  122718. 8,
  122719. 1,
  122720. 9,
  122721. 0,
  122722. 10,
  122723. };
  122724. static long _vq_lengthlist__44c2_s_p7_1[] = {
  122725. 2, 3, 4, 6, 6, 7, 7, 7, 7, 7, 7, 9, 7, 7, 6, 6,
  122726. 7, 7, 8, 8, 8, 8, 9, 6, 6, 6, 6, 7, 7, 8, 8, 8,
  122727. 8,10, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8,10,10,10, 7,
  122728. 7, 7, 7, 8, 8, 8, 8,10,10,10, 7, 7, 8, 8, 8, 8,
  122729. 8, 8,10,10,10, 7, 8, 8, 8, 8, 8, 8, 8,10,10,10,
  122730. 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,10,10, 8, 8, 8,
  122731. 8, 8, 8,10,10,10,10,10, 9, 9, 8, 8, 8, 8,10,10,
  122732. 10,10,10, 8, 8, 8, 8, 8, 8,
  122733. };
  122734. static float _vq_quantthresh__44c2_s_p7_1[] = {
  122735. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  122736. 3.5, 4.5,
  122737. };
  122738. static long _vq_quantmap__44c2_s_p7_1[] = {
  122739. 9, 7, 5, 3, 1, 0, 2, 4,
  122740. 6, 8, 10,
  122741. };
  122742. static encode_aux_threshmatch _vq_auxt__44c2_s_p7_1 = {
  122743. _vq_quantthresh__44c2_s_p7_1,
  122744. _vq_quantmap__44c2_s_p7_1,
  122745. 11,
  122746. 11
  122747. };
  122748. static static_codebook _44c2_s_p7_1 = {
  122749. 2, 121,
  122750. _vq_lengthlist__44c2_s_p7_1,
  122751. 1, -531365888, 1611661312, 4, 0,
  122752. _vq_quantlist__44c2_s_p7_1,
  122753. NULL,
  122754. &_vq_auxt__44c2_s_p7_1,
  122755. NULL,
  122756. 0
  122757. };
  122758. static long _vq_quantlist__44c2_s_p8_0[] = {
  122759. 6,
  122760. 5,
  122761. 7,
  122762. 4,
  122763. 8,
  122764. 3,
  122765. 9,
  122766. 2,
  122767. 10,
  122768. 1,
  122769. 11,
  122770. 0,
  122771. 12,
  122772. };
  122773. static long _vq_lengthlist__44c2_s_p8_0[] = {
  122774. 1, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9, 6, 5, 5,
  122775. 7, 7, 8, 8, 8, 8, 9, 9,10,10, 7, 6, 5, 7, 7, 8,
  122776. 8, 8, 8, 9, 9,10,10, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  122777. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  122778. 11, 0,12,12, 9, 9,10,10,10,10,11,11,11,11, 0,13,
  122779. 13, 9, 9,10,10,10,10,11,11,12,12, 0, 0, 0,10,10,
  122780. 10,10,11,11,12,12,12,13, 0, 0, 0,10,10,10,10,11,
  122781. 11,12,12,12,12, 0, 0, 0,14,14,10,11,11,11,12,12,
  122782. 13,13, 0, 0, 0,14,14,11,10,11,11,13,12,13,13, 0,
  122783. 0, 0, 0, 0,12,12,11,12,13,12,14,14, 0, 0, 0, 0,
  122784. 0,12,12,12,12,13,12,14,14,
  122785. };
  122786. static float _vq_quantthresh__44c2_s_p8_0[] = {
  122787. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  122788. 12.5, 17.5, 22.5, 27.5,
  122789. };
  122790. static long _vq_quantmap__44c2_s_p8_0[] = {
  122791. 11, 9, 7, 5, 3, 1, 0, 2,
  122792. 4, 6, 8, 10, 12,
  122793. };
  122794. static encode_aux_threshmatch _vq_auxt__44c2_s_p8_0 = {
  122795. _vq_quantthresh__44c2_s_p8_0,
  122796. _vq_quantmap__44c2_s_p8_0,
  122797. 13,
  122798. 13
  122799. };
  122800. static static_codebook _44c2_s_p8_0 = {
  122801. 2, 169,
  122802. _vq_lengthlist__44c2_s_p8_0,
  122803. 1, -526516224, 1616117760, 4, 0,
  122804. _vq_quantlist__44c2_s_p8_0,
  122805. NULL,
  122806. &_vq_auxt__44c2_s_p8_0,
  122807. NULL,
  122808. 0
  122809. };
  122810. static long _vq_quantlist__44c2_s_p8_1[] = {
  122811. 2,
  122812. 1,
  122813. 3,
  122814. 0,
  122815. 4,
  122816. };
  122817. static long _vq_lengthlist__44c2_s_p8_1[] = {
  122818. 2, 4, 4, 5, 4, 6, 5, 5, 5, 5, 6, 5, 5, 5, 5, 6,
  122819. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  122820. };
  122821. static float _vq_quantthresh__44c2_s_p8_1[] = {
  122822. -1.5, -0.5, 0.5, 1.5,
  122823. };
  122824. static long _vq_quantmap__44c2_s_p8_1[] = {
  122825. 3, 1, 0, 2, 4,
  122826. };
  122827. static encode_aux_threshmatch _vq_auxt__44c2_s_p8_1 = {
  122828. _vq_quantthresh__44c2_s_p8_1,
  122829. _vq_quantmap__44c2_s_p8_1,
  122830. 5,
  122831. 5
  122832. };
  122833. static static_codebook _44c2_s_p8_1 = {
  122834. 2, 25,
  122835. _vq_lengthlist__44c2_s_p8_1,
  122836. 1, -533725184, 1611661312, 3, 0,
  122837. _vq_quantlist__44c2_s_p8_1,
  122838. NULL,
  122839. &_vq_auxt__44c2_s_p8_1,
  122840. NULL,
  122841. 0
  122842. };
  122843. static long _vq_quantlist__44c2_s_p9_0[] = {
  122844. 6,
  122845. 5,
  122846. 7,
  122847. 4,
  122848. 8,
  122849. 3,
  122850. 9,
  122851. 2,
  122852. 10,
  122853. 1,
  122854. 11,
  122855. 0,
  122856. 12,
  122857. };
  122858. static long _vq_lengthlist__44c2_s_p9_0[] = {
  122859. 1, 5, 4,12,12,12,12,12,12,12,12,12,12, 4, 9, 8,
  122860. 11,11,11,11,11,11,11,11,11,11, 2, 8, 7,11,11,11,
  122861. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  122862. 11,11,11,11,11,11,10,11,11,11,11,11,11,11,11,11,
  122863. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  122864. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  122865. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  122866. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  122867. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  122868. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  122869. 11,11,11,11,11,11,11,11,11,
  122870. };
  122871. static float _vq_quantthresh__44c2_s_p9_0[] = {
  122872. -1215.5, -994.5, -773.5, -552.5, -331.5, -110.5, 110.5, 331.5,
  122873. 552.5, 773.5, 994.5, 1215.5,
  122874. };
  122875. static long _vq_quantmap__44c2_s_p9_0[] = {
  122876. 11, 9, 7, 5, 3, 1, 0, 2,
  122877. 4, 6, 8, 10, 12,
  122878. };
  122879. static encode_aux_threshmatch _vq_auxt__44c2_s_p9_0 = {
  122880. _vq_quantthresh__44c2_s_p9_0,
  122881. _vq_quantmap__44c2_s_p9_0,
  122882. 13,
  122883. 13
  122884. };
  122885. static static_codebook _44c2_s_p9_0 = {
  122886. 2, 169,
  122887. _vq_lengthlist__44c2_s_p9_0,
  122888. 1, -514541568, 1627103232, 4, 0,
  122889. _vq_quantlist__44c2_s_p9_0,
  122890. NULL,
  122891. &_vq_auxt__44c2_s_p9_0,
  122892. NULL,
  122893. 0
  122894. };
  122895. static long _vq_quantlist__44c2_s_p9_1[] = {
  122896. 6,
  122897. 5,
  122898. 7,
  122899. 4,
  122900. 8,
  122901. 3,
  122902. 9,
  122903. 2,
  122904. 10,
  122905. 1,
  122906. 11,
  122907. 0,
  122908. 12,
  122909. };
  122910. static long _vq_lengthlist__44c2_s_p9_1[] = {
  122911. 1, 4, 4, 6, 6, 7, 6, 8, 8,10, 9,10,10, 6, 5, 5,
  122912. 7, 7, 8, 7,10, 9,11,11,12,13, 6, 5, 5, 7, 7, 8,
  122913. 8,10,10,11,11,13,13,18, 8, 8, 8, 8, 9, 9,10,10,
  122914. 12,12,12,13,18, 8, 8, 8, 8, 9, 9,10,10,12,12,13,
  122915. 13,18,11,11, 8, 8,10,10,11,11,12,11,13,12,18,11,
  122916. 11, 9, 7,10,10,11,11,11,12,12,13,17,17,17,10,10,
  122917. 11,11,12,12,12,10,12,12,17,17,17,11,10,11,10,13,
  122918. 12,11,12,12,12,17,17,17,15,14,11,11,12,11,13,10,
  122919. 13,12,17,17,17,14,14,12,10,11,11,13,13,13,13,17,
  122920. 17,16,17,16,13,13,12,10,13,10,14,13,17,16,17,16,
  122921. 17,13,12,12,10,13,11,14,14,
  122922. };
  122923. static float _vq_quantthresh__44c2_s_p9_1[] = {
  122924. -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5, 25.5,
  122925. 42.5, 59.5, 76.5, 93.5,
  122926. };
  122927. static long _vq_quantmap__44c2_s_p9_1[] = {
  122928. 11, 9, 7, 5, 3, 1, 0, 2,
  122929. 4, 6, 8, 10, 12,
  122930. };
  122931. static encode_aux_threshmatch _vq_auxt__44c2_s_p9_1 = {
  122932. _vq_quantthresh__44c2_s_p9_1,
  122933. _vq_quantmap__44c2_s_p9_1,
  122934. 13,
  122935. 13
  122936. };
  122937. static static_codebook _44c2_s_p9_1 = {
  122938. 2, 169,
  122939. _vq_lengthlist__44c2_s_p9_1,
  122940. 1, -522616832, 1620115456, 4, 0,
  122941. _vq_quantlist__44c2_s_p9_1,
  122942. NULL,
  122943. &_vq_auxt__44c2_s_p9_1,
  122944. NULL,
  122945. 0
  122946. };
  122947. static long _vq_quantlist__44c2_s_p9_2[] = {
  122948. 8,
  122949. 7,
  122950. 9,
  122951. 6,
  122952. 10,
  122953. 5,
  122954. 11,
  122955. 4,
  122956. 12,
  122957. 3,
  122958. 13,
  122959. 2,
  122960. 14,
  122961. 1,
  122962. 15,
  122963. 0,
  122964. 16,
  122965. };
  122966. static long _vq_lengthlist__44c2_s_p9_2[] = {
  122967. 2, 4, 4, 6, 6, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 8,
  122968. 8,10, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9,
  122969. 9, 9,10, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 9, 9, 9,
  122970. 9, 9, 9,10, 8, 8, 8, 8, 8, 8, 8, 8, 9, 9, 9, 9,
  122971. 9, 9, 9, 9,10,10,10, 8, 7, 8, 8, 8, 8, 9, 9, 9,
  122972. 9, 9, 9, 9, 9,10,11,11, 8, 8, 8, 8, 9, 9, 9, 9,
  122973. 9, 9,10, 9, 9, 9,10,11,10, 8, 8, 8, 8, 9, 9, 9,
  122974. 9, 9, 9, 9,10,10,10,10,11,10, 8, 8, 9, 9, 9, 9,
  122975. 9, 9,10, 9, 9,10, 9,10,11,10,11,11,11, 8, 8, 9,
  122976. 9, 9, 9, 9, 9, 9, 9,10,10,11,11,11,11,11, 9, 9,
  122977. 9, 9, 9, 9,10, 9, 9, 9,10,10,11,11,11,11,11, 9,
  122978. 9, 9, 9, 9, 9, 9, 9, 9,10, 9,10,11,11,11,11,11,
  122979. 9, 9, 9, 9,10,10, 9, 9, 9,10,10,10,11,11,11,11,
  122980. 11,11,11, 9, 9, 9,10, 9, 9,10,10,10,10,11,11,10,
  122981. 11,11,11,11,10, 9,10,10, 9, 9, 9, 9,10,10,11,10,
  122982. 11,11,11,11,11, 9, 9, 9, 9,10, 9,10,10,10,10,11,
  122983. 10,11,11,11,11,11,10,10, 9, 9,10, 9,10,10,10,10,
  122984. 10,10,10,11,11,11,11,11,11, 9, 9,10, 9,10, 9,10,
  122985. 10,
  122986. };
  122987. static float _vq_quantthresh__44c2_s_p9_2[] = {
  122988. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  122989. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  122990. };
  122991. static long _vq_quantmap__44c2_s_p9_2[] = {
  122992. 15, 13, 11, 9, 7, 5, 3, 1,
  122993. 0, 2, 4, 6, 8, 10, 12, 14,
  122994. 16,
  122995. };
  122996. static encode_aux_threshmatch _vq_auxt__44c2_s_p9_2 = {
  122997. _vq_quantthresh__44c2_s_p9_2,
  122998. _vq_quantmap__44c2_s_p9_2,
  122999. 17,
  123000. 17
  123001. };
  123002. static static_codebook _44c2_s_p9_2 = {
  123003. 2, 289,
  123004. _vq_lengthlist__44c2_s_p9_2,
  123005. 1, -529530880, 1611661312, 5, 0,
  123006. _vq_quantlist__44c2_s_p9_2,
  123007. NULL,
  123008. &_vq_auxt__44c2_s_p9_2,
  123009. NULL,
  123010. 0
  123011. };
  123012. static long _huff_lengthlist__44c2_s_short[] = {
  123013. 11, 9,13,12,12,11,12,12,13,15, 8, 2,11, 4, 8, 5,
  123014. 7,10,12,15,13, 7,10, 9, 8, 8,10,13,17,17,11, 4,
  123015. 12, 5, 9, 5, 8,11,14,16,12, 6, 8, 7, 6, 6, 8,11,
  123016. 13,16,11, 4, 9, 5, 6, 4, 6,10,13,16,11, 6,11, 7,
  123017. 7, 6, 7,10,13,15,13, 9,12, 9, 8, 6, 8,10,12,14,
  123018. 14,10,10, 8, 6, 5, 6, 9,11,13,15,11,11, 9, 6, 5,
  123019. 6, 8, 9,12,
  123020. };
  123021. static static_codebook _huff_book__44c2_s_short = {
  123022. 2, 100,
  123023. _huff_lengthlist__44c2_s_short,
  123024. 0, 0, 0, 0, 0,
  123025. NULL,
  123026. NULL,
  123027. NULL,
  123028. NULL,
  123029. 0
  123030. };
  123031. static long _huff_lengthlist__44c3_s_long[] = {
  123032. 5, 6,11,11,11,11,10,10,12,11, 5, 2,11, 5, 6, 6,
  123033. 7, 9,11,13,13,10, 7,11, 6, 7, 8, 9,10,12,11, 5,
  123034. 11, 6, 8, 7, 9,11,14,15,11, 6, 6, 8, 4, 5, 7, 8,
  123035. 10,13,10, 5, 7, 7, 5, 5, 6, 8,10,11,10, 7, 7, 8,
  123036. 6, 5, 5, 7, 9, 9,11, 8, 8,11, 8, 7, 6, 6, 7, 9,
  123037. 12,11,10,13, 9, 9, 7, 7, 7, 9,11,13,12,15,12,11,
  123038. 9, 8, 8, 8,
  123039. };
  123040. static static_codebook _huff_book__44c3_s_long = {
  123041. 2, 100,
  123042. _huff_lengthlist__44c3_s_long,
  123043. 0, 0, 0, 0, 0,
  123044. NULL,
  123045. NULL,
  123046. NULL,
  123047. NULL,
  123048. 0
  123049. };
  123050. static long _vq_quantlist__44c3_s_p1_0[] = {
  123051. 1,
  123052. 0,
  123053. 2,
  123054. };
  123055. static long _vq_lengthlist__44c3_s_p1_0[] = {
  123056. 2, 4, 4, 0, 0, 0, 0, 0, 0, 5, 6, 6, 0, 0, 0, 0,
  123057. 0, 0, 5, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123061. 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,
  123062. 0, 0, 0, 6, 7, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123066. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 6, 8, 7, 0, 0,
  123067. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  123102. 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  123103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,
  123107. 0, 0, 0, 8, 8, 9, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0,
  123108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 8, 8, 0, 0,
  123112. 0, 0, 0, 0, 7, 9, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9,
  123113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123147. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  123148. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123152. 0, 0, 0, 6, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0,
  123153. 0, 0, 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0,
  123154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123157. 0, 0, 0, 0, 6, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9,
  123158. 0, 0, 0, 0, 0, 0, 8, 9, 8, 0, 0, 0, 0, 0, 0, 0,
  123159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123377. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123378. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123379. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123380. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123381. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123382. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123383. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123384. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123385. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123386. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123387. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123388. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123389. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123390. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123391. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123392. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123393. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123394. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123395. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123396. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123397. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123398. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123399. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123400. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123401. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123402. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123403. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123404. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123405. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123406. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123408. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123409. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123410. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123411. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123412. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123413. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123414. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123415. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123416. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123417. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123418. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123419. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123420. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123423. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123424. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123425. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123426. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123427. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123428. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123429. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123430. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123431. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123432. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123433. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123434. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123435. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123436. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123437. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123438. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123439. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123440. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123441. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123442. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123443. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123444. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123445. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123446. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123447. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123448. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123449. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123450. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123451. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123452. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123453. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123454. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123455. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123456. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123457. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123458. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123459. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123460. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123461. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123462. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123463. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123464. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123465. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123466. 0,
  123467. };
  123468. static float _vq_quantthresh__44c3_s_p1_0[] = {
  123469. -0.5, 0.5,
  123470. };
  123471. static long _vq_quantmap__44c3_s_p1_0[] = {
  123472. 1, 0, 2,
  123473. };
  123474. static encode_aux_threshmatch _vq_auxt__44c3_s_p1_0 = {
  123475. _vq_quantthresh__44c3_s_p1_0,
  123476. _vq_quantmap__44c3_s_p1_0,
  123477. 3,
  123478. 3
  123479. };
  123480. static static_codebook _44c3_s_p1_0 = {
  123481. 8, 6561,
  123482. _vq_lengthlist__44c3_s_p1_0,
  123483. 1, -535822336, 1611661312, 2, 0,
  123484. _vq_quantlist__44c3_s_p1_0,
  123485. NULL,
  123486. &_vq_auxt__44c3_s_p1_0,
  123487. NULL,
  123488. 0
  123489. };
  123490. static long _vq_quantlist__44c3_s_p2_0[] = {
  123491. 2,
  123492. 1,
  123493. 3,
  123494. 0,
  123495. 4,
  123496. };
  123497. static long _vq_lengthlist__44c3_s_p2_0[] = {
  123498. 2, 5, 5, 0, 0, 0, 5, 5, 0, 0, 0, 5, 5, 0, 0, 0,
  123499. 7, 8, 0, 0, 0, 0, 0, 0, 0, 5, 6, 6, 0, 0, 0, 7,
  123500. 7, 0, 0, 0, 7, 7, 0, 0, 0,10,10, 0, 0, 0, 0, 0,
  123501. 0, 0, 5, 6, 6, 0, 0, 0, 7, 7, 0, 0, 0, 7, 7, 0,
  123502. 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123503. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123504. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123505. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123506. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123507. 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 7, 7, 0, 0,
  123508. 0, 7, 7, 0, 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 5,
  123509. 7, 7, 0, 0, 0, 7, 7, 0, 0, 0, 7, 7, 0, 0, 0, 9,
  123510. 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123511. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123512. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123513. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123514. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123515. 0, 0, 0, 5, 7, 7, 0, 0, 0, 7, 7, 0, 0, 0, 7, 7,
  123516. 0, 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0,
  123517. 0, 0, 7, 7, 0, 0, 0, 7, 7, 0, 0, 0, 9, 9, 0, 0,
  123518. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123519. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123520. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123521. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123522. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123523. 8,10,10, 0, 0, 0, 9, 9, 0, 0, 0, 9, 9, 0, 0, 0,
  123524. 10,10, 0, 0, 0, 0, 0, 0, 0, 8,10,10, 0, 0, 0, 9,
  123525. 9, 0, 0, 0, 9, 9, 0, 0, 0,10,10, 0, 0, 0, 0, 0,
  123526. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123527. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123528. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123529. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123530. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123531. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123532. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123533. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123534. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123535. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123536. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123537. 0,
  123538. };
  123539. static float _vq_quantthresh__44c3_s_p2_0[] = {
  123540. -1.5, -0.5, 0.5, 1.5,
  123541. };
  123542. static long _vq_quantmap__44c3_s_p2_0[] = {
  123543. 3, 1, 0, 2, 4,
  123544. };
  123545. static encode_aux_threshmatch _vq_auxt__44c3_s_p2_0 = {
  123546. _vq_quantthresh__44c3_s_p2_0,
  123547. _vq_quantmap__44c3_s_p2_0,
  123548. 5,
  123549. 5
  123550. };
  123551. static static_codebook _44c3_s_p2_0 = {
  123552. 4, 625,
  123553. _vq_lengthlist__44c3_s_p2_0,
  123554. 1, -533725184, 1611661312, 3, 0,
  123555. _vq_quantlist__44c3_s_p2_0,
  123556. NULL,
  123557. &_vq_auxt__44c3_s_p2_0,
  123558. NULL,
  123559. 0
  123560. };
  123561. static long _vq_quantlist__44c3_s_p3_0[] = {
  123562. 2,
  123563. 1,
  123564. 3,
  123565. 0,
  123566. 4,
  123567. };
  123568. static long _vq_lengthlist__44c3_s_p3_0[] = {
  123569. 2, 4, 3, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123570. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 4, 4, 6, 6, 0, 0,
  123571. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123572. 0, 0, 4, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123573. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 6, 6, 9, 9,
  123574. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123575. 0, 0, 0, 0, 6, 6, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  123576. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123577. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123578. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123579. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123580. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123581. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123582. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123583. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123584. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123585. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123586. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123587. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123588. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123589. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123590. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123591. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123592. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123593. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123594. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123595. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123596. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123597. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123598. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123599. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123600. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123601. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123602. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123603. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123604. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123605. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123606. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123607. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123608. 0,
  123609. };
  123610. static float _vq_quantthresh__44c3_s_p3_0[] = {
  123611. -1.5, -0.5, 0.5, 1.5,
  123612. };
  123613. static long _vq_quantmap__44c3_s_p3_0[] = {
  123614. 3, 1, 0, 2, 4,
  123615. };
  123616. static encode_aux_threshmatch _vq_auxt__44c3_s_p3_0 = {
  123617. _vq_quantthresh__44c3_s_p3_0,
  123618. _vq_quantmap__44c3_s_p3_0,
  123619. 5,
  123620. 5
  123621. };
  123622. static static_codebook _44c3_s_p3_0 = {
  123623. 4, 625,
  123624. _vq_lengthlist__44c3_s_p3_0,
  123625. 1, -533725184, 1611661312, 3, 0,
  123626. _vq_quantlist__44c3_s_p3_0,
  123627. NULL,
  123628. &_vq_auxt__44c3_s_p3_0,
  123629. NULL,
  123630. 0
  123631. };
  123632. static long _vq_quantlist__44c3_s_p4_0[] = {
  123633. 4,
  123634. 3,
  123635. 5,
  123636. 2,
  123637. 6,
  123638. 1,
  123639. 7,
  123640. 0,
  123641. 8,
  123642. };
  123643. static long _vq_lengthlist__44c3_s_p4_0[] = {
  123644. 2, 3, 3, 6, 6, 0, 0, 0, 0, 0, 4, 4, 6, 6, 0, 0,
  123645. 0, 0, 0, 4, 4, 6, 6, 0, 0, 0, 0, 0, 5, 5, 6, 6,
  123646. 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0,
  123647. 7, 8, 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0,
  123648. 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  123649. 0,
  123650. };
  123651. static float _vq_quantthresh__44c3_s_p4_0[] = {
  123652. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  123653. };
  123654. static long _vq_quantmap__44c3_s_p4_0[] = {
  123655. 7, 5, 3, 1, 0, 2, 4, 6,
  123656. 8,
  123657. };
  123658. static encode_aux_threshmatch _vq_auxt__44c3_s_p4_0 = {
  123659. _vq_quantthresh__44c3_s_p4_0,
  123660. _vq_quantmap__44c3_s_p4_0,
  123661. 9,
  123662. 9
  123663. };
  123664. static static_codebook _44c3_s_p4_0 = {
  123665. 2, 81,
  123666. _vq_lengthlist__44c3_s_p4_0,
  123667. 1, -531628032, 1611661312, 4, 0,
  123668. _vq_quantlist__44c3_s_p4_0,
  123669. NULL,
  123670. &_vq_auxt__44c3_s_p4_0,
  123671. NULL,
  123672. 0
  123673. };
  123674. static long _vq_quantlist__44c3_s_p5_0[] = {
  123675. 4,
  123676. 3,
  123677. 5,
  123678. 2,
  123679. 6,
  123680. 1,
  123681. 7,
  123682. 0,
  123683. 8,
  123684. };
  123685. static long _vq_lengthlist__44c3_s_p5_0[] = {
  123686. 1, 3, 4, 6, 6, 7, 7, 9, 9, 0, 5, 5, 7, 7, 7, 8,
  123687. 9, 9, 0, 5, 5, 7, 7, 8, 8, 9, 9, 0, 7, 7, 8, 8,
  123688. 8, 8,10,10, 0, 0, 0, 8, 8, 8, 8,10,10, 0, 0, 0,
  123689. 9, 9, 9, 9,10,10, 0, 0, 0, 9, 9, 9, 9,10,10, 0,
  123690. 0, 0,10,10,10,10,11,11, 0, 0, 0, 0, 0,10,10,11,
  123691. 11,
  123692. };
  123693. static float _vq_quantthresh__44c3_s_p5_0[] = {
  123694. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  123695. };
  123696. static long _vq_quantmap__44c3_s_p5_0[] = {
  123697. 7, 5, 3, 1, 0, 2, 4, 6,
  123698. 8,
  123699. };
  123700. static encode_aux_threshmatch _vq_auxt__44c3_s_p5_0 = {
  123701. _vq_quantthresh__44c3_s_p5_0,
  123702. _vq_quantmap__44c3_s_p5_0,
  123703. 9,
  123704. 9
  123705. };
  123706. static static_codebook _44c3_s_p5_0 = {
  123707. 2, 81,
  123708. _vq_lengthlist__44c3_s_p5_0,
  123709. 1, -531628032, 1611661312, 4, 0,
  123710. _vq_quantlist__44c3_s_p5_0,
  123711. NULL,
  123712. &_vq_auxt__44c3_s_p5_0,
  123713. NULL,
  123714. 0
  123715. };
  123716. static long _vq_quantlist__44c3_s_p6_0[] = {
  123717. 8,
  123718. 7,
  123719. 9,
  123720. 6,
  123721. 10,
  123722. 5,
  123723. 11,
  123724. 4,
  123725. 12,
  123726. 3,
  123727. 13,
  123728. 2,
  123729. 14,
  123730. 1,
  123731. 15,
  123732. 0,
  123733. 16,
  123734. };
  123735. static long _vq_lengthlist__44c3_s_p6_0[] = {
  123736. 2, 3, 3, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,11,
  123737. 10, 0, 5, 5, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,10,
  123738. 11,11, 0, 5, 5, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,
  123739. 10,11,11, 0, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  123740. 11,11,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  123741. 10,11,11,11,12, 0, 0, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  123742. 10,10,11,11,12,12, 0, 0, 0, 8, 8, 8, 8, 9, 9, 9,
  123743. 9,10,10,11,11,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,
  123744. 10,10,11,10,11,11,12,12, 0, 0, 0, 0, 0, 9, 9,10,
  123745. 10,10,10,11,11,11,11,12,12, 0, 0, 0, 0, 0, 9, 8,
  123746. 9, 9,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 8,
  123747. 8, 9, 9,10,10,11,11,12,11,12,12, 0, 0, 0, 0, 0,
  123748. 9,10,10,10,11,11,11,11,12,12,13,13, 0, 0, 0, 0,
  123749. 0, 0, 0,10,10,10,10,11,11,12,12,13,13, 0, 0, 0,
  123750. 0, 0, 0, 0,11,11,11,11,12,12,12,12,13,13, 0, 0,
  123751. 0, 0, 0, 0, 0,11,11,11,11,12,12,12,12,13,13, 0,
  123752. 0, 0, 0, 0, 0, 0,11,11,12,12,12,12,13,13,13,13,
  123753. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,13,
  123754. 13,
  123755. };
  123756. static float _vq_quantthresh__44c3_s_p6_0[] = {
  123757. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  123758. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  123759. };
  123760. static long _vq_quantmap__44c3_s_p6_0[] = {
  123761. 15, 13, 11, 9, 7, 5, 3, 1,
  123762. 0, 2, 4, 6, 8, 10, 12, 14,
  123763. 16,
  123764. };
  123765. static encode_aux_threshmatch _vq_auxt__44c3_s_p6_0 = {
  123766. _vq_quantthresh__44c3_s_p6_0,
  123767. _vq_quantmap__44c3_s_p6_0,
  123768. 17,
  123769. 17
  123770. };
  123771. static static_codebook _44c3_s_p6_0 = {
  123772. 2, 289,
  123773. _vq_lengthlist__44c3_s_p6_0,
  123774. 1, -529530880, 1611661312, 5, 0,
  123775. _vq_quantlist__44c3_s_p6_0,
  123776. NULL,
  123777. &_vq_auxt__44c3_s_p6_0,
  123778. NULL,
  123779. 0
  123780. };
  123781. static long _vq_quantlist__44c3_s_p7_0[] = {
  123782. 1,
  123783. 0,
  123784. 2,
  123785. };
  123786. static long _vq_lengthlist__44c3_s_p7_0[] = {
  123787. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,11,
  123788. 9, 9, 4, 7, 7,10, 9, 9,11, 9, 9, 7,10,10,11,11,
  123789. 10,12,11,11, 6, 9, 9,11,10,10,11,10,10, 6, 9, 9,
  123790. 11,10,10,11,10,10, 7,11,11,11,11,11,12,11,11, 6,
  123791. 9, 9,11,10,10,11,10,10, 6, 9, 9,11,10,10,11,10,
  123792. 10,
  123793. };
  123794. static float _vq_quantthresh__44c3_s_p7_0[] = {
  123795. -5.5, 5.5,
  123796. };
  123797. static long _vq_quantmap__44c3_s_p7_0[] = {
  123798. 1, 0, 2,
  123799. };
  123800. static encode_aux_threshmatch _vq_auxt__44c3_s_p7_0 = {
  123801. _vq_quantthresh__44c3_s_p7_0,
  123802. _vq_quantmap__44c3_s_p7_0,
  123803. 3,
  123804. 3
  123805. };
  123806. static static_codebook _44c3_s_p7_0 = {
  123807. 4, 81,
  123808. _vq_lengthlist__44c3_s_p7_0,
  123809. 1, -529137664, 1618345984, 2, 0,
  123810. _vq_quantlist__44c3_s_p7_0,
  123811. NULL,
  123812. &_vq_auxt__44c3_s_p7_0,
  123813. NULL,
  123814. 0
  123815. };
  123816. static long _vq_quantlist__44c3_s_p7_1[] = {
  123817. 5,
  123818. 4,
  123819. 6,
  123820. 3,
  123821. 7,
  123822. 2,
  123823. 8,
  123824. 1,
  123825. 9,
  123826. 0,
  123827. 10,
  123828. };
  123829. static long _vq_lengthlist__44c3_s_p7_1[] = {
  123830. 2, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8,10, 5, 5, 6, 6,
  123831. 7, 7, 8, 8, 8, 8,10, 5, 5, 6, 6, 7, 7, 8, 8, 8,
  123832. 8,10, 6, 6, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10, 7,
  123833. 7, 8, 7, 8, 8, 8, 8,10,10,10, 8, 8, 8, 8, 8, 8,
  123834. 8, 8,10,10,10, 7, 8, 8, 8, 8, 8, 8, 8,10,10,10,
  123835. 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,10,10, 8, 8, 8,
  123836. 8, 8, 8,10,10,10,10,10, 9, 9, 8, 8, 9, 8,10,10,
  123837. 10,10,10, 8, 8, 8, 8, 8, 8,
  123838. };
  123839. static float _vq_quantthresh__44c3_s_p7_1[] = {
  123840. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  123841. 3.5, 4.5,
  123842. };
  123843. static long _vq_quantmap__44c3_s_p7_1[] = {
  123844. 9, 7, 5, 3, 1, 0, 2, 4,
  123845. 6, 8, 10,
  123846. };
  123847. static encode_aux_threshmatch _vq_auxt__44c3_s_p7_1 = {
  123848. _vq_quantthresh__44c3_s_p7_1,
  123849. _vq_quantmap__44c3_s_p7_1,
  123850. 11,
  123851. 11
  123852. };
  123853. static static_codebook _44c3_s_p7_1 = {
  123854. 2, 121,
  123855. _vq_lengthlist__44c3_s_p7_1,
  123856. 1, -531365888, 1611661312, 4, 0,
  123857. _vq_quantlist__44c3_s_p7_1,
  123858. NULL,
  123859. &_vq_auxt__44c3_s_p7_1,
  123860. NULL,
  123861. 0
  123862. };
  123863. static long _vq_quantlist__44c3_s_p8_0[] = {
  123864. 6,
  123865. 5,
  123866. 7,
  123867. 4,
  123868. 8,
  123869. 3,
  123870. 9,
  123871. 2,
  123872. 10,
  123873. 1,
  123874. 11,
  123875. 0,
  123876. 12,
  123877. };
  123878. static long _vq_lengthlist__44c3_s_p8_0[] = {
  123879. 1, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10, 6, 5, 5,
  123880. 7, 7, 8, 8, 8, 8, 9, 9,10,10, 7, 5, 5, 7, 7, 8,
  123881. 8, 8, 8, 9, 9,11,10, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  123882. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  123883. 11, 0,12,12, 9, 9,10,10,10,10,11,11,11,12, 0,13,
  123884. 13, 9, 9,10,10,10,10,11,11,12,12, 0, 0, 0,10,10,
  123885. 10,10,11,11,12,12,12,12, 0, 0, 0,10,10,10,10,11,
  123886. 11,12,12,12,12, 0, 0, 0,14,14,11,11,11,11,12,12,
  123887. 13,13, 0, 0, 0,14,14,11,11,11,11,12,12,13,13, 0,
  123888. 0, 0, 0, 0,12,12,12,12,13,13,14,13, 0, 0, 0, 0,
  123889. 0,13,13,12,12,13,12,14,13,
  123890. };
  123891. static float _vq_quantthresh__44c3_s_p8_0[] = {
  123892. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  123893. 12.5, 17.5, 22.5, 27.5,
  123894. };
  123895. static long _vq_quantmap__44c3_s_p8_0[] = {
  123896. 11, 9, 7, 5, 3, 1, 0, 2,
  123897. 4, 6, 8, 10, 12,
  123898. };
  123899. static encode_aux_threshmatch _vq_auxt__44c3_s_p8_0 = {
  123900. _vq_quantthresh__44c3_s_p8_0,
  123901. _vq_quantmap__44c3_s_p8_0,
  123902. 13,
  123903. 13
  123904. };
  123905. static static_codebook _44c3_s_p8_0 = {
  123906. 2, 169,
  123907. _vq_lengthlist__44c3_s_p8_0,
  123908. 1, -526516224, 1616117760, 4, 0,
  123909. _vq_quantlist__44c3_s_p8_0,
  123910. NULL,
  123911. &_vq_auxt__44c3_s_p8_0,
  123912. NULL,
  123913. 0
  123914. };
  123915. static long _vq_quantlist__44c3_s_p8_1[] = {
  123916. 2,
  123917. 1,
  123918. 3,
  123919. 0,
  123920. 4,
  123921. };
  123922. static long _vq_lengthlist__44c3_s_p8_1[] = {
  123923. 2, 4, 4, 5, 5, 6, 5, 5, 5, 5, 6, 4, 5, 5, 5, 6,
  123924. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  123925. };
  123926. static float _vq_quantthresh__44c3_s_p8_1[] = {
  123927. -1.5, -0.5, 0.5, 1.5,
  123928. };
  123929. static long _vq_quantmap__44c3_s_p8_1[] = {
  123930. 3, 1, 0, 2, 4,
  123931. };
  123932. static encode_aux_threshmatch _vq_auxt__44c3_s_p8_1 = {
  123933. _vq_quantthresh__44c3_s_p8_1,
  123934. _vq_quantmap__44c3_s_p8_1,
  123935. 5,
  123936. 5
  123937. };
  123938. static static_codebook _44c3_s_p8_1 = {
  123939. 2, 25,
  123940. _vq_lengthlist__44c3_s_p8_1,
  123941. 1, -533725184, 1611661312, 3, 0,
  123942. _vq_quantlist__44c3_s_p8_1,
  123943. NULL,
  123944. &_vq_auxt__44c3_s_p8_1,
  123945. NULL,
  123946. 0
  123947. };
  123948. static long _vq_quantlist__44c3_s_p9_0[] = {
  123949. 6,
  123950. 5,
  123951. 7,
  123952. 4,
  123953. 8,
  123954. 3,
  123955. 9,
  123956. 2,
  123957. 10,
  123958. 1,
  123959. 11,
  123960. 0,
  123961. 12,
  123962. };
  123963. static long _vq_lengthlist__44c3_s_p9_0[] = {
  123964. 1, 4, 4,12,12,12,12,12,12,12,12,12,12, 4, 9, 8,
  123965. 12,12,12,12,12,12,12,12,12,12, 2, 9, 7,12,12,12,
  123966. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  123967. 12,12,12,12,12,12,11,12,12,12,12,12,12,12,12,12,
  123968. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  123969. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  123970. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  123971. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  123972. 12,12,12,12,12,12,12,12,12,12,11,11,11,11,11,11,
  123973. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  123974. 11,11,11,11,11,11,11,11,11,
  123975. };
  123976. static float _vq_quantthresh__44c3_s_p9_0[] = {
  123977. -1402.5, -1147.5, -892.5, -637.5, -382.5, -127.5, 127.5, 382.5,
  123978. 637.5, 892.5, 1147.5, 1402.5,
  123979. };
  123980. static long _vq_quantmap__44c3_s_p9_0[] = {
  123981. 11, 9, 7, 5, 3, 1, 0, 2,
  123982. 4, 6, 8, 10, 12,
  123983. };
  123984. static encode_aux_threshmatch _vq_auxt__44c3_s_p9_0 = {
  123985. _vq_quantthresh__44c3_s_p9_0,
  123986. _vq_quantmap__44c3_s_p9_0,
  123987. 13,
  123988. 13
  123989. };
  123990. static static_codebook _44c3_s_p9_0 = {
  123991. 2, 169,
  123992. _vq_lengthlist__44c3_s_p9_0,
  123993. 1, -514332672, 1627381760, 4, 0,
  123994. _vq_quantlist__44c3_s_p9_0,
  123995. NULL,
  123996. &_vq_auxt__44c3_s_p9_0,
  123997. NULL,
  123998. 0
  123999. };
  124000. static long _vq_quantlist__44c3_s_p9_1[] = {
  124001. 7,
  124002. 6,
  124003. 8,
  124004. 5,
  124005. 9,
  124006. 4,
  124007. 10,
  124008. 3,
  124009. 11,
  124010. 2,
  124011. 12,
  124012. 1,
  124013. 13,
  124014. 0,
  124015. 14,
  124016. };
  124017. static long _vq_lengthlist__44c3_s_p9_1[] = {
  124018. 1, 4, 4, 6, 6, 7, 7, 8, 7, 9, 9,10,10,10,10, 6,
  124019. 5, 5, 7, 7, 8, 8,10, 8,11,10,12,12,13,13, 6, 5,
  124020. 5, 7, 7, 8, 8,10, 9,11,11,12,12,13,12,18, 8, 8,
  124021. 8, 8, 9, 9,10, 9,11,10,12,12,13,13,18, 8, 8, 8,
  124022. 8, 9, 9,10,10,11,11,13,12,14,13,18,11,11, 9, 9,
  124023. 10,10,11,11,11,12,13,12,13,14,18,11,11, 9, 8,11,
  124024. 10,11,11,11,11,12,12,14,13,18,18,18,10,11,10,11,
  124025. 12,12,12,12,13,12,14,13,18,18,18,10,11,11, 9,12,
  124026. 11,12,12,12,13,13,13,18,18,17,14,14,11,11,12,12,
  124027. 13,12,14,12,14,13,18,18,18,14,14,11,10,12, 9,12,
  124028. 13,13,13,13,13,18,18,17,16,18,13,13,12,12,13,11,
  124029. 14,12,14,14,17,18,18,17,18,13,12,13,10,12,11,14,
  124030. 14,14,14,17,18,18,18,18,15,16,12,12,13,10,14,12,
  124031. 14,15,18,18,18,16,17,16,14,12,11,13,10,13,13,14,
  124032. 15,
  124033. };
  124034. static float _vq_quantthresh__44c3_s_p9_1[] = {
  124035. -110.5, -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5,
  124036. 25.5, 42.5, 59.5, 76.5, 93.5, 110.5,
  124037. };
  124038. static long _vq_quantmap__44c3_s_p9_1[] = {
  124039. 13, 11, 9, 7, 5, 3, 1, 0,
  124040. 2, 4, 6, 8, 10, 12, 14,
  124041. };
  124042. static encode_aux_threshmatch _vq_auxt__44c3_s_p9_1 = {
  124043. _vq_quantthresh__44c3_s_p9_1,
  124044. _vq_quantmap__44c3_s_p9_1,
  124045. 15,
  124046. 15
  124047. };
  124048. static static_codebook _44c3_s_p9_1 = {
  124049. 2, 225,
  124050. _vq_lengthlist__44c3_s_p9_1,
  124051. 1, -522338304, 1620115456, 4, 0,
  124052. _vq_quantlist__44c3_s_p9_1,
  124053. NULL,
  124054. &_vq_auxt__44c3_s_p9_1,
  124055. NULL,
  124056. 0
  124057. };
  124058. static long _vq_quantlist__44c3_s_p9_2[] = {
  124059. 8,
  124060. 7,
  124061. 9,
  124062. 6,
  124063. 10,
  124064. 5,
  124065. 11,
  124066. 4,
  124067. 12,
  124068. 3,
  124069. 13,
  124070. 2,
  124071. 14,
  124072. 1,
  124073. 15,
  124074. 0,
  124075. 16,
  124076. };
  124077. static long _vq_lengthlist__44c3_s_p9_2[] = {
  124078. 2, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 8,
  124079. 8,10, 6, 6, 7, 7, 8, 7, 8, 8, 8, 8, 8, 9, 9, 9,
  124080. 9, 9,10, 6, 6, 7, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9,
  124081. 9, 9, 9,10, 7, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9,
  124082. 9, 9, 9, 9,10,10,10, 7, 7, 8, 8, 8, 9, 9, 9, 9,
  124083. 9, 9, 9, 9, 9,11,11,11, 8, 8, 8, 8, 9, 9, 9, 9,
  124084. 9, 9, 9, 9, 9, 9,10,10,10, 8, 8, 8, 8, 9, 9, 9,
  124085. 9, 9, 9, 9, 9, 9, 9,10,10,10, 8, 9, 9, 9, 9, 9,
  124086. 9, 9, 9, 9, 9, 9,10, 9,10,10,10,11,11, 9, 9, 9,
  124087. 9, 9, 9, 9, 9, 9, 9, 9, 9,11,10,11,11,11, 9, 9,
  124088. 9, 9, 9, 9,10,10, 9, 9,10, 9,11,10,11,11,11, 9,
  124089. 9, 9, 9, 9, 9, 9, 9,10,10,10, 9,11,11,11,11,11,
  124090. 9, 9, 9, 9,10,10, 9, 9, 9, 9,10, 9,11,11,11,11,
  124091. 11,11,11, 9, 9, 9, 9, 9, 9,10,10,10,10,11,11,11,
  124092. 11,11,11,11,10, 9,10,10, 9,10, 9, 9,10, 9,11,10,
  124093. 10,11,11,11,11, 9,10, 9, 9, 9, 9,10,10,10,10,11,
  124094. 11,11,11,11,11,10,10,10, 9, 9,10, 9,10, 9,10,10,
  124095. 10,10,11,11,11,11,11,11,11, 9, 9, 9, 9, 9,10,10,
  124096. 10,
  124097. };
  124098. static float _vq_quantthresh__44c3_s_p9_2[] = {
  124099. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  124100. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  124101. };
  124102. static long _vq_quantmap__44c3_s_p9_2[] = {
  124103. 15, 13, 11, 9, 7, 5, 3, 1,
  124104. 0, 2, 4, 6, 8, 10, 12, 14,
  124105. 16,
  124106. };
  124107. static encode_aux_threshmatch _vq_auxt__44c3_s_p9_2 = {
  124108. _vq_quantthresh__44c3_s_p9_2,
  124109. _vq_quantmap__44c3_s_p9_2,
  124110. 17,
  124111. 17
  124112. };
  124113. static static_codebook _44c3_s_p9_2 = {
  124114. 2, 289,
  124115. _vq_lengthlist__44c3_s_p9_2,
  124116. 1, -529530880, 1611661312, 5, 0,
  124117. _vq_quantlist__44c3_s_p9_2,
  124118. NULL,
  124119. &_vq_auxt__44c3_s_p9_2,
  124120. NULL,
  124121. 0
  124122. };
  124123. static long _huff_lengthlist__44c3_s_short[] = {
  124124. 10, 9,13,11,14,10,12,13,13,14, 7, 2,12, 5,10, 5,
  124125. 7,10,12,14,12, 6, 9, 8, 7, 7, 9,11,13,16,10, 4,
  124126. 12, 5,10, 6, 8,12,14,16,12, 6, 8, 7, 6, 5, 7,11,
  124127. 12,16,10, 4, 8, 5, 6, 4, 6, 9,13,16,10, 6,10, 7,
  124128. 7, 6, 7, 9,13,15,12, 9,11, 9, 8, 6, 7,10,12,14,
  124129. 14,11,10, 9, 6, 5, 6, 9,11,13,15,13,11,10, 6, 5,
  124130. 6, 8, 9,11,
  124131. };
  124132. static static_codebook _huff_book__44c3_s_short = {
  124133. 2, 100,
  124134. _huff_lengthlist__44c3_s_short,
  124135. 0, 0, 0, 0, 0,
  124136. NULL,
  124137. NULL,
  124138. NULL,
  124139. NULL,
  124140. 0
  124141. };
  124142. static long _huff_lengthlist__44c4_s_long[] = {
  124143. 4, 7,11,11,11,11,10,11,12,11, 5, 2,11, 5, 6, 6,
  124144. 7, 9,11,12,11, 9, 6,10, 6, 7, 8, 9,10,11,11, 5,
  124145. 11, 7, 8, 8, 9,11,13,14,11, 6, 5, 8, 4, 5, 7, 8,
  124146. 10,11,10, 6, 7, 7, 5, 5, 6, 8, 9,11,10, 7, 8, 9,
  124147. 6, 6, 6, 7, 8, 9,11, 9, 9,11, 7, 7, 6, 6, 7, 9,
  124148. 12,12,10,13, 9, 8, 7, 7, 7, 8,11,13,11,14,11,10,
  124149. 9, 8, 7, 7,
  124150. };
  124151. static static_codebook _huff_book__44c4_s_long = {
  124152. 2, 100,
  124153. _huff_lengthlist__44c4_s_long,
  124154. 0, 0, 0, 0, 0,
  124155. NULL,
  124156. NULL,
  124157. NULL,
  124158. NULL,
  124159. 0
  124160. };
  124161. static long _vq_quantlist__44c4_s_p1_0[] = {
  124162. 1,
  124163. 0,
  124164. 2,
  124165. };
  124166. static long _vq_lengthlist__44c4_s_p1_0[] = {
  124167. 2, 4, 4, 0, 0, 0, 0, 0, 0, 5, 6, 6, 0, 0, 0, 0,
  124168. 0, 0, 5, 6, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124172. 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,
  124173. 0, 0, 0, 6, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124177. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 6, 8, 7, 0, 0,
  124178. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  124213. 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  124214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,
  124218. 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0,
  124219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 8, 8, 0, 0,
  124223. 0, 0, 0, 0, 8, 9, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9,
  124224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124258. 0, 0, 4, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  124259. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124263. 0, 0, 0, 6, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0,
  124264. 0, 0, 0, 0, 0, 8, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0,
  124265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124268. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9,
  124269. 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  124270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124377. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124378. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124379. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124380. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124381. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124382. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124383. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124384. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124385. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124386. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124387. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124388. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124389. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124390. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124391. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124392. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124393. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124394. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124395. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124396. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124397. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124398. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124399. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124400. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124401. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124402. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124403. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124404. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124405. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124406. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124408. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124409. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124410. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124411. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124412. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124413. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124414. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124415. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124416. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124417. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124418. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124419. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124420. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124423. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124424. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124425. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124426. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124427. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124428. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124429. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124430. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124431. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124432. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124433. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124434. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124435. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124436. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124437. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124438. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124439. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124440. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124441. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124442. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124443. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124444. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124445. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124446. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124447. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124448. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124449. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124450. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124451. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124452. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124453. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124454. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124455. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124456. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124457. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124458. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124459. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124460. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124461. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124462. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124463. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124464. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124465. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124466. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124467. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124468. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124469. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124470. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124471. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124472. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124473. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124474. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124475. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124476. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124477. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124478. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124479. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124480. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124481. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124482. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124483. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124484. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124485. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124486. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124487. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124488. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124489. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124490. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124491. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124492. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124493. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124494. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124495. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124496. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124497. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124498. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124499. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124500. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124501. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124502. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124503. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124504. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124505. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124506. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124507. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124508. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124509. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124510. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124511. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124512. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124513. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124514. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124515. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124516. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124517. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124518. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124519. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124520. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124521. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124522. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124523. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124524. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124525. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124526. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124527. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124528. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124529. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124530. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124531. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124532. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124533. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124534. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124535. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124536. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124537. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124538. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124539. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124540. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124541. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124542. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124543. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124544. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124545. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124546. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124547. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124548. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124549. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124550. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124551. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124552. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124553. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124554. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124555. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124556. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124557. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124558. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124559. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124560. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124561. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124562. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124563. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124564. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124565. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124566. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124567. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124568. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124569. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124570. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124571. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124572. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124573. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124574. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124575. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124576. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124577. 0,
  124578. };
  124579. static float _vq_quantthresh__44c4_s_p1_0[] = {
  124580. -0.5, 0.5,
  124581. };
  124582. static long _vq_quantmap__44c4_s_p1_0[] = {
  124583. 1, 0, 2,
  124584. };
  124585. static encode_aux_threshmatch _vq_auxt__44c4_s_p1_0 = {
  124586. _vq_quantthresh__44c4_s_p1_0,
  124587. _vq_quantmap__44c4_s_p1_0,
  124588. 3,
  124589. 3
  124590. };
  124591. static static_codebook _44c4_s_p1_0 = {
  124592. 8, 6561,
  124593. _vq_lengthlist__44c4_s_p1_0,
  124594. 1, -535822336, 1611661312, 2, 0,
  124595. _vq_quantlist__44c4_s_p1_0,
  124596. NULL,
  124597. &_vq_auxt__44c4_s_p1_0,
  124598. NULL,
  124599. 0
  124600. };
  124601. static long _vq_quantlist__44c4_s_p2_0[] = {
  124602. 2,
  124603. 1,
  124604. 3,
  124605. 0,
  124606. 4,
  124607. };
  124608. static long _vq_lengthlist__44c4_s_p2_0[] = {
  124609. 2, 5, 5, 0, 0, 0, 5, 5, 0, 0, 0, 5, 5, 0, 0, 0,
  124610. 7, 7, 0, 0, 0, 0, 0, 0, 0, 5, 6, 6, 0, 0, 0, 7,
  124611. 7, 0, 0, 0, 7, 7, 0, 0, 0,10,10, 0, 0, 0, 0, 0,
  124612. 0, 0, 5, 6, 6, 0, 0, 0, 7, 7, 0, 0, 0, 7, 7, 0,
  124613. 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124614. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124615. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124616. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124617. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124618. 0, 0, 0, 0, 0, 0, 5, 8, 7, 0, 0, 0, 7, 7, 0, 0,
  124619. 0, 7, 7, 0, 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 5,
  124620. 7, 8, 0, 0, 0, 7, 7, 0, 0, 0, 7, 7, 0, 0, 0, 9,
  124621. 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124622. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124623. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124624. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124625. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124626. 0, 0, 0, 5, 7, 7, 0, 0, 0, 7, 7, 0, 0, 0, 7, 7,
  124627. 0, 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0,
  124628. 0, 0, 7, 7, 0, 0, 0, 7, 7, 0, 0, 0, 9, 9, 0, 0,
  124629. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124630. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124631. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124632. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124633. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124634. 7,10,10, 0, 0, 0, 9, 9, 0, 0, 0, 9, 9, 0, 0, 0,
  124635. 10,10, 0, 0, 0, 0, 0, 0, 0, 8,10,10, 0, 0, 0, 9,
  124636. 9, 0, 0, 0, 9, 9, 0, 0, 0,10,10, 0, 0, 0, 0, 0,
  124637. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124638. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124639. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124640. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124641. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124642. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124643. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124644. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124645. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124646. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124647. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124648. 0,
  124649. };
  124650. static float _vq_quantthresh__44c4_s_p2_0[] = {
  124651. -1.5, -0.5, 0.5, 1.5,
  124652. };
  124653. static long _vq_quantmap__44c4_s_p2_0[] = {
  124654. 3, 1, 0, 2, 4,
  124655. };
  124656. static encode_aux_threshmatch _vq_auxt__44c4_s_p2_0 = {
  124657. _vq_quantthresh__44c4_s_p2_0,
  124658. _vq_quantmap__44c4_s_p2_0,
  124659. 5,
  124660. 5
  124661. };
  124662. static static_codebook _44c4_s_p2_0 = {
  124663. 4, 625,
  124664. _vq_lengthlist__44c4_s_p2_0,
  124665. 1, -533725184, 1611661312, 3, 0,
  124666. _vq_quantlist__44c4_s_p2_0,
  124667. NULL,
  124668. &_vq_auxt__44c4_s_p2_0,
  124669. NULL,
  124670. 0
  124671. };
  124672. static long _vq_quantlist__44c4_s_p3_0[] = {
  124673. 2,
  124674. 1,
  124675. 3,
  124676. 0,
  124677. 4,
  124678. };
  124679. static long _vq_lengthlist__44c4_s_p3_0[] = {
  124680. 2, 3, 3, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124681. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 5, 4, 6, 6, 0, 0,
  124682. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124683. 0, 0, 4, 4, 5, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124684. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 6, 6, 9, 9,
  124685. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124686. 0, 0, 0, 0, 6, 6, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  124687. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124688. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124689. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124690. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124691. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124692. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124693. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124694. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124695. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124696. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124697. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124698. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124699. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124700. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124701. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124702. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124703. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124704. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124705. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124706. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124707. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124708. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124709. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124710. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124711. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124712. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124713. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124714. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124715. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124716. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124717. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124718. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124719. 0,
  124720. };
  124721. static float _vq_quantthresh__44c4_s_p3_0[] = {
  124722. -1.5, -0.5, 0.5, 1.5,
  124723. };
  124724. static long _vq_quantmap__44c4_s_p3_0[] = {
  124725. 3, 1, 0, 2, 4,
  124726. };
  124727. static encode_aux_threshmatch _vq_auxt__44c4_s_p3_0 = {
  124728. _vq_quantthresh__44c4_s_p3_0,
  124729. _vq_quantmap__44c4_s_p3_0,
  124730. 5,
  124731. 5
  124732. };
  124733. static static_codebook _44c4_s_p3_0 = {
  124734. 4, 625,
  124735. _vq_lengthlist__44c4_s_p3_0,
  124736. 1, -533725184, 1611661312, 3, 0,
  124737. _vq_quantlist__44c4_s_p3_0,
  124738. NULL,
  124739. &_vq_auxt__44c4_s_p3_0,
  124740. NULL,
  124741. 0
  124742. };
  124743. static long _vq_quantlist__44c4_s_p4_0[] = {
  124744. 4,
  124745. 3,
  124746. 5,
  124747. 2,
  124748. 6,
  124749. 1,
  124750. 7,
  124751. 0,
  124752. 8,
  124753. };
  124754. static long _vq_lengthlist__44c4_s_p4_0[] = {
  124755. 2, 3, 3, 6, 6, 0, 0, 0, 0, 0, 4, 4, 6, 6, 0, 0,
  124756. 0, 0, 0, 4, 4, 6, 6, 0, 0, 0, 0, 0, 5, 5, 6, 6,
  124757. 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0,
  124758. 7, 8, 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0,
  124759. 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  124760. 0,
  124761. };
  124762. static float _vq_quantthresh__44c4_s_p4_0[] = {
  124763. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  124764. };
  124765. static long _vq_quantmap__44c4_s_p4_0[] = {
  124766. 7, 5, 3, 1, 0, 2, 4, 6,
  124767. 8,
  124768. };
  124769. static encode_aux_threshmatch _vq_auxt__44c4_s_p4_0 = {
  124770. _vq_quantthresh__44c4_s_p4_0,
  124771. _vq_quantmap__44c4_s_p4_0,
  124772. 9,
  124773. 9
  124774. };
  124775. static static_codebook _44c4_s_p4_0 = {
  124776. 2, 81,
  124777. _vq_lengthlist__44c4_s_p4_0,
  124778. 1, -531628032, 1611661312, 4, 0,
  124779. _vq_quantlist__44c4_s_p4_0,
  124780. NULL,
  124781. &_vq_auxt__44c4_s_p4_0,
  124782. NULL,
  124783. 0
  124784. };
  124785. static long _vq_quantlist__44c4_s_p5_0[] = {
  124786. 4,
  124787. 3,
  124788. 5,
  124789. 2,
  124790. 6,
  124791. 1,
  124792. 7,
  124793. 0,
  124794. 8,
  124795. };
  124796. static long _vq_lengthlist__44c4_s_p5_0[] = {
  124797. 2, 3, 3, 6, 6, 7, 7, 9, 9, 0, 4, 4, 6, 6, 7, 7,
  124798. 9, 9, 0, 4, 5, 6, 6, 7, 7, 9, 9, 0, 6, 6, 7, 7,
  124799. 8, 8,10,10, 0, 0, 0, 7, 7, 8, 8,10, 9, 0, 0, 0,
  124800. 9, 8, 8, 8,10,10, 0, 0, 0, 8, 8, 8, 8,10,10, 0,
  124801. 0, 0,10,10, 9, 9,11,11, 0, 0, 0, 0, 0, 9, 9,10,
  124802. 10,
  124803. };
  124804. static float _vq_quantthresh__44c4_s_p5_0[] = {
  124805. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  124806. };
  124807. static long _vq_quantmap__44c4_s_p5_0[] = {
  124808. 7, 5, 3, 1, 0, 2, 4, 6,
  124809. 8,
  124810. };
  124811. static encode_aux_threshmatch _vq_auxt__44c4_s_p5_0 = {
  124812. _vq_quantthresh__44c4_s_p5_0,
  124813. _vq_quantmap__44c4_s_p5_0,
  124814. 9,
  124815. 9
  124816. };
  124817. static static_codebook _44c4_s_p5_0 = {
  124818. 2, 81,
  124819. _vq_lengthlist__44c4_s_p5_0,
  124820. 1, -531628032, 1611661312, 4, 0,
  124821. _vq_quantlist__44c4_s_p5_0,
  124822. NULL,
  124823. &_vq_auxt__44c4_s_p5_0,
  124824. NULL,
  124825. 0
  124826. };
  124827. static long _vq_quantlist__44c4_s_p6_0[] = {
  124828. 8,
  124829. 7,
  124830. 9,
  124831. 6,
  124832. 10,
  124833. 5,
  124834. 11,
  124835. 4,
  124836. 12,
  124837. 3,
  124838. 13,
  124839. 2,
  124840. 14,
  124841. 1,
  124842. 15,
  124843. 0,
  124844. 16,
  124845. };
  124846. static long _vq_lengthlist__44c4_s_p6_0[] = {
  124847. 2, 4, 4, 6, 6, 8, 8, 9, 9, 8, 8, 9, 9,10,10,11,
  124848. 11, 0, 4, 4, 6, 6, 8, 8, 9, 9, 9, 9,10,10,11,11,
  124849. 11,11, 0, 4, 4, 7, 6, 8, 8, 9, 9, 9, 9,10,10,11,
  124850. 11,11,11, 0, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  124851. 11,11,11,12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  124852. 10,11,11,12,12, 0, 0, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  124853. 10,10,11,11,12,12, 0, 0, 0, 8, 8, 8, 8, 9, 9, 9,
  124854. 9,10,10,11,11,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,
  124855. 10,10,11,11,11,11,12,12, 0, 0, 0, 0, 0, 9, 9,10,
  124856. 10,10,10,11,11,11,11,12,12, 0, 0, 0, 0, 0, 9, 9,
  124857. 9,10,10,10,11,11,11,11,12,12, 0, 0, 0, 0, 0, 9,
  124858. 9, 9, 9,10,10,11,11,11,12,12,12, 0, 0, 0, 0, 0,
  124859. 10,10,10,10,11,11,11,11,12,12,13,12, 0, 0, 0, 0,
  124860. 0, 0, 0,10,10,11,11,11,11,12,12,12,12, 0, 0, 0,
  124861. 0, 0, 0, 0,11,11,11,11,12,12,12,12,13,13, 0, 0,
  124862. 0, 0, 0, 0, 0,11,11,11,11,12,12,12,12,13,13, 0,
  124863. 0, 0, 0, 0, 0, 0,12,12,12,12,12,12,13,13,13,13,
  124864. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,12,12,12,13,13,
  124865. 13,
  124866. };
  124867. static float _vq_quantthresh__44c4_s_p6_0[] = {
  124868. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  124869. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  124870. };
  124871. static long _vq_quantmap__44c4_s_p6_0[] = {
  124872. 15, 13, 11, 9, 7, 5, 3, 1,
  124873. 0, 2, 4, 6, 8, 10, 12, 14,
  124874. 16,
  124875. };
  124876. static encode_aux_threshmatch _vq_auxt__44c4_s_p6_0 = {
  124877. _vq_quantthresh__44c4_s_p6_0,
  124878. _vq_quantmap__44c4_s_p6_0,
  124879. 17,
  124880. 17
  124881. };
  124882. static static_codebook _44c4_s_p6_0 = {
  124883. 2, 289,
  124884. _vq_lengthlist__44c4_s_p6_0,
  124885. 1, -529530880, 1611661312, 5, 0,
  124886. _vq_quantlist__44c4_s_p6_0,
  124887. NULL,
  124888. &_vq_auxt__44c4_s_p6_0,
  124889. NULL,
  124890. 0
  124891. };
  124892. static long _vq_quantlist__44c4_s_p7_0[] = {
  124893. 1,
  124894. 0,
  124895. 2,
  124896. };
  124897. static long _vq_lengthlist__44c4_s_p7_0[] = {
  124898. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,11,
  124899. 9, 9, 4, 7, 7,10, 9, 9,11, 9, 9, 7,10,10,11,11,
  124900. 10,11,11,11, 6, 9, 9,11,10,10,11,10,10, 6, 9, 9,
  124901. 11,10,10,11,10,10, 7,11,11,12,11,11,12,11,11, 6,
  124902. 9, 9,11,10,10,11,10,10, 6, 9, 9,11,10,10,11,10,
  124903. 10,
  124904. };
  124905. static float _vq_quantthresh__44c4_s_p7_0[] = {
  124906. -5.5, 5.5,
  124907. };
  124908. static long _vq_quantmap__44c4_s_p7_0[] = {
  124909. 1, 0, 2,
  124910. };
  124911. static encode_aux_threshmatch _vq_auxt__44c4_s_p7_0 = {
  124912. _vq_quantthresh__44c4_s_p7_0,
  124913. _vq_quantmap__44c4_s_p7_0,
  124914. 3,
  124915. 3
  124916. };
  124917. static static_codebook _44c4_s_p7_0 = {
  124918. 4, 81,
  124919. _vq_lengthlist__44c4_s_p7_0,
  124920. 1, -529137664, 1618345984, 2, 0,
  124921. _vq_quantlist__44c4_s_p7_0,
  124922. NULL,
  124923. &_vq_auxt__44c4_s_p7_0,
  124924. NULL,
  124925. 0
  124926. };
  124927. static long _vq_quantlist__44c4_s_p7_1[] = {
  124928. 5,
  124929. 4,
  124930. 6,
  124931. 3,
  124932. 7,
  124933. 2,
  124934. 8,
  124935. 1,
  124936. 9,
  124937. 0,
  124938. 10,
  124939. };
  124940. static long _vq_lengthlist__44c4_s_p7_1[] = {
  124941. 2, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8,10, 5, 5, 6, 6,
  124942. 7, 7, 8, 8, 8, 8,10, 5, 5, 6, 6, 7, 7, 8, 8, 8,
  124943. 8,10, 6, 6, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10, 7,
  124944. 7, 8, 8, 8, 8, 8, 8,10,10,10, 8, 7, 8, 8, 8, 8,
  124945. 8, 8,10,10,10, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10,
  124946. 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,10,10, 8, 8, 8,
  124947. 8, 8, 8,10,10,10,10,10, 9, 9, 8, 8, 9, 8,10,10,
  124948. 10,10,10, 8, 8, 8, 8, 9, 9,
  124949. };
  124950. static float _vq_quantthresh__44c4_s_p7_1[] = {
  124951. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  124952. 3.5, 4.5,
  124953. };
  124954. static long _vq_quantmap__44c4_s_p7_1[] = {
  124955. 9, 7, 5, 3, 1, 0, 2, 4,
  124956. 6, 8, 10,
  124957. };
  124958. static encode_aux_threshmatch _vq_auxt__44c4_s_p7_1 = {
  124959. _vq_quantthresh__44c4_s_p7_1,
  124960. _vq_quantmap__44c4_s_p7_1,
  124961. 11,
  124962. 11
  124963. };
  124964. static static_codebook _44c4_s_p7_1 = {
  124965. 2, 121,
  124966. _vq_lengthlist__44c4_s_p7_1,
  124967. 1, -531365888, 1611661312, 4, 0,
  124968. _vq_quantlist__44c4_s_p7_1,
  124969. NULL,
  124970. &_vq_auxt__44c4_s_p7_1,
  124971. NULL,
  124972. 0
  124973. };
  124974. static long _vq_quantlist__44c4_s_p8_0[] = {
  124975. 6,
  124976. 5,
  124977. 7,
  124978. 4,
  124979. 8,
  124980. 3,
  124981. 9,
  124982. 2,
  124983. 10,
  124984. 1,
  124985. 11,
  124986. 0,
  124987. 12,
  124988. };
  124989. static long _vq_lengthlist__44c4_s_p8_0[] = {
  124990. 1, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10, 6, 5, 5,
  124991. 7, 7, 8, 8, 8, 8, 9,10,11,11, 7, 5, 5, 7, 7, 8,
  124992. 8, 9, 9,10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  124993. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  124994. 11, 0,12,12, 9, 9, 9, 9,10,10,10,10,11,11, 0,13,
  124995. 13, 9, 9,10, 9,10,10,11,11,11,12, 0, 0, 0,10,10,
  124996. 10,10,10,10,11,11,12,12, 0, 0, 0,10,10,10,10,10,
  124997. 10,11,11,12,12, 0, 0, 0,14,14,11,11,11,11,12,12,
  124998. 12,12, 0, 0, 0,14,14,11,11,11,11,12,12,12,13, 0,
  124999. 0, 0, 0, 0,12,12,12,12,12,12,13,13, 0, 0, 0, 0,
  125000. 0,13,12,12,12,12,12,13,13,
  125001. };
  125002. static float _vq_quantthresh__44c4_s_p8_0[] = {
  125003. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  125004. 12.5, 17.5, 22.5, 27.5,
  125005. };
  125006. static long _vq_quantmap__44c4_s_p8_0[] = {
  125007. 11, 9, 7, 5, 3, 1, 0, 2,
  125008. 4, 6, 8, 10, 12,
  125009. };
  125010. static encode_aux_threshmatch _vq_auxt__44c4_s_p8_0 = {
  125011. _vq_quantthresh__44c4_s_p8_0,
  125012. _vq_quantmap__44c4_s_p8_0,
  125013. 13,
  125014. 13
  125015. };
  125016. static static_codebook _44c4_s_p8_0 = {
  125017. 2, 169,
  125018. _vq_lengthlist__44c4_s_p8_0,
  125019. 1, -526516224, 1616117760, 4, 0,
  125020. _vq_quantlist__44c4_s_p8_0,
  125021. NULL,
  125022. &_vq_auxt__44c4_s_p8_0,
  125023. NULL,
  125024. 0
  125025. };
  125026. static long _vq_quantlist__44c4_s_p8_1[] = {
  125027. 2,
  125028. 1,
  125029. 3,
  125030. 0,
  125031. 4,
  125032. };
  125033. static long _vq_lengthlist__44c4_s_p8_1[] = {
  125034. 2, 4, 4, 5, 5, 6, 5, 5, 5, 5, 6, 5, 4, 5, 5, 6,
  125035. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  125036. };
  125037. static float _vq_quantthresh__44c4_s_p8_1[] = {
  125038. -1.5, -0.5, 0.5, 1.5,
  125039. };
  125040. static long _vq_quantmap__44c4_s_p8_1[] = {
  125041. 3, 1, 0, 2, 4,
  125042. };
  125043. static encode_aux_threshmatch _vq_auxt__44c4_s_p8_1 = {
  125044. _vq_quantthresh__44c4_s_p8_1,
  125045. _vq_quantmap__44c4_s_p8_1,
  125046. 5,
  125047. 5
  125048. };
  125049. static static_codebook _44c4_s_p8_1 = {
  125050. 2, 25,
  125051. _vq_lengthlist__44c4_s_p8_1,
  125052. 1, -533725184, 1611661312, 3, 0,
  125053. _vq_quantlist__44c4_s_p8_1,
  125054. NULL,
  125055. &_vq_auxt__44c4_s_p8_1,
  125056. NULL,
  125057. 0
  125058. };
  125059. static long _vq_quantlist__44c4_s_p9_0[] = {
  125060. 6,
  125061. 5,
  125062. 7,
  125063. 4,
  125064. 8,
  125065. 3,
  125066. 9,
  125067. 2,
  125068. 10,
  125069. 1,
  125070. 11,
  125071. 0,
  125072. 12,
  125073. };
  125074. static long _vq_lengthlist__44c4_s_p9_0[] = {
  125075. 1, 3, 3,12,12,12,12,12,12,12,12,12,12, 4, 7, 7,
  125076. 12,12,12,12,12,12,12,12,12,12, 3, 8, 8,12,12,12,
  125077. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  125078. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  125079. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  125080. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  125081. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  125082. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  125083. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  125084. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  125085. 12,12,12,12,12,12,12,12,12,
  125086. };
  125087. static float _vq_quantthresh__44c4_s_p9_0[] = {
  125088. -1732.5, -1417.5, -1102.5, -787.5, -472.5, -157.5, 157.5, 472.5,
  125089. 787.5, 1102.5, 1417.5, 1732.5,
  125090. };
  125091. static long _vq_quantmap__44c4_s_p9_0[] = {
  125092. 11, 9, 7, 5, 3, 1, 0, 2,
  125093. 4, 6, 8, 10, 12,
  125094. };
  125095. static encode_aux_threshmatch _vq_auxt__44c4_s_p9_0 = {
  125096. _vq_quantthresh__44c4_s_p9_0,
  125097. _vq_quantmap__44c4_s_p9_0,
  125098. 13,
  125099. 13
  125100. };
  125101. static static_codebook _44c4_s_p9_0 = {
  125102. 2, 169,
  125103. _vq_lengthlist__44c4_s_p9_0,
  125104. 1, -513964032, 1628680192, 4, 0,
  125105. _vq_quantlist__44c4_s_p9_0,
  125106. NULL,
  125107. &_vq_auxt__44c4_s_p9_0,
  125108. NULL,
  125109. 0
  125110. };
  125111. static long _vq_quantlist__44c4_s_p9_1[] = {
  125112. 7,
  125113. 6,
  125114. 8,
  125115. 5,
  125116. 9,
  125117. 4,
  125118. 10,
  125119. 3,
  125120. 11,
  125121. 2,
  125122. 12,
  125123. 1,
  125124. 13,
  125125. 0,
  125126. 14,
  125127. };
  125128. static long _vq_lengthlist__44c4_s_p9_1[] = {
  125129. 1, 4, 4, 5, 5, 7, 7, 9, 8,10, 9,10,10,10,10, 6,
  125130. 5, 5, 7, 7, 9, 8,10, 9,11,10,12,12,13,13, 6, 5,
  125131. 5, 7, 7, 9, 9,10,10,11,11,12,12,12,13,19, 8, 8,
  125132. 8, 8, 9, 9,10,10,12,11,12,12,13,13,19, 8, 8, 8,
  125133. 8, 9, 9,11,11,12,12,13,13,13,13,19,12,12, 9, 9,
  125134. 11,11,11,11,12,11,13,12,13,13,18,12,12, 9, 9,11,
  125135. 10,11,11,12,12,12,13,13,14,19,18,18,11,11,11,11,
  125136. 12,12,13,12,13,13,14,14,16,18,18,11,11,11,10,12,
  125137. 11,13,13,13,13,13,14,17,18,18,14,15,11,12,12,13,
  125138. 13,13,13,14,14,14,18,18,18,15,15,12,10,13,10,13,
  125139. 13,13,13,13,14,18,17,18,17,18,12,13,12,13,13,13,
  125140. 14,14,16,14,18,17,18,18,17,13,12,13,10,12,12,14,
  125141. 14,14,14,17,18,18,18,18,14,15,12,12,13,12,14,14,
  125142. 15,15,18,18,18,17,18,15,14,12,11,12,12,14,14,14,
  125143. 15,
  125144. };
  125145. static float _vq_quantthresh__44c4_s_p9_1[] = {
  125146. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  125147. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  125148. };
  125149. static long _vq_quantmap__44c4_s_p9_1[] = {
  125150. 13, 11, 9, 7, 5, 3, 1, 0,
  125151. 2, 4, 6, 8, 10, 12, 14,
  125152. };
  125153. static encode_aux_threshmatch _vq_auxt__44c4_s_p9_1 = {
  125154. _vq_quantthresh__44c4_s_p9_1,
  125155. _vq_quantmap__44c4_s_p9_1,
  125156. 15,
  125157. 15
  125158. };
  125159. static static_codebook _44c4_s_p9_1 = {
  125160. 2, 225,
  125161. _vq_lengthlist__44c4_s_p9_1,
  125162. 1, -520986624, 1620377600, 4, 0,
  125163. _vq_quantlist__44c4_s_p9_1,
  125164. NULL,
  125165. &_vq_auxt__44c4_s_p9_1,
  125166. NULL,
  125167. 0
  125168. };
  125169. static long _vq_quantlist__44c4_s_p9_2[] = {
  125170. 10,
  125171. 9,
  125172. 11,
  125173. 8,
  125174. 12,
  125175. 7,
  125176. 13,
  125177. 6,
  125178. 14,
  125179. 5,
  125180. 15,
  125181. 4,
  125182. 16,
  125183. 3,
  125184. 17,
  125185. 2,
  125186. 18,
  125187. 1,
  125188. 19,
  125189. 0,
  125190. 20,
  125191. };
  125192. static long _vq_lengthlist__44c4_s_p9_2[] = {
  125193. 2, 5, 5, 6, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8,
  125194. 8, 9, 9, 9, 9,11, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,
  125195. 9, 9, 9, 9, 9, 9,10,10,10,10,11, 6, 6, 7, 7, 8,
  125196. 8, 8, 8, 9, 9, 9, 9, 9, 9,10, 9,10,10,10,10,11,
  125197. 7, 7, 7, 7, 8, 8, 9, 9, 9, 9, 9, 9, 9,10,10,10,
  125198. 10,10,10,10,12,11,11, 7, 7, 8, 8, 9, 9, 9, 9, 9,
  125199. 9,10,10,10,10,10,10,10,10,12,11,12, 8, 8, 8, 8,
  125200. 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,11,11,
  125201. 11, 8, 8, 8, 8, 9, 9, 9, 9,10,10,10,10,10,10,10,
  125202. 10,10,10,11,11,12, 9, 9, 9, 9, 9, 9,10, 9,10,10,
  125203. 10,10,10,10,10,10,10,10,11,11,11,11,11, 9, 9, 9,
  125204. 9,10,10,10,10,10,10,10,10,10,10,10,10,11,12,11,
  125205. 11,11, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10,
  125206. 10,10,11,11,11,11,11, 9, 9, 9, 9,10,10,10,10,10,
  125207. 10,10,10,10,10,10,10,11,11,11,12,12,10,10,10,10,
  125208. 10,10,10,10,10,10,10,10,10,10,10,10,11,12,11,12,
  125209. 11,11,11, 9,10,10,10,10,10,10,10,10,10,10,10,10,
  125210. 10,11,12,11,11,11,11,11,10,10,10,10,10,10,10,10,
  125211. 10,10,10,10,10,10,11,11,11,12,11,11,11,10,10,10,
  125212. 10,10,10,10,10,10,10,10,10,10,10,12,11,11,12,11,
  125213. 11,11,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  125214. 11,11,11,11,11,11,11,11,11,10,10,10,10,10,10,10,
  125215. 10,10,10,10,10,11,11,11,11,12,12,11,11,11,11,11,
  125216. 11,11,10,10,10,10,10,10,10,10,12,12,12,11,11,11,
  125217. 12,11,11,11,10,10,10,10,10,10,10,10,10,10,10,12,
  125218. 11,12,12,12,12,12,11,12,11,11,10,10,10,10,10,10,
  125219. 10,10,10,10,12,12,12,12,11,11,11,11,11,11,11,10,
  125220. 10,10,10,10,10,10,10,10,10,
  125221. };
  125222. static float _vq_quantthresh__44c4_s_p9_2[] = {
  125223. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  125224. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  125225. 6.5, 7.5, 8.5, 9.5,
  125226. };
  125227. static long _vq_quantmap__44c4_s_p9_2[] = {
  125228. 19, 17, 15, 13, 11, 9, 7, 5,
  125229. 3, 1, 0, 2, 4, 6, 8, 10,
  125230. 12, 14, 16, 18, 20,
  125231. };
  125232. static encode_aux_threshmatch _vq_auxt__44c4_s_p9_2 = {
  125233. _vq_quantthresh__44c4_s_p9_2,
  125234. _vq_quantmap__44c4_s_p9_2,
  125235. 21,
  125236. 21
  125237. };
  125238. static static_codebook _44c4_s_p9_2 = {
  125239. 2, 441,
  125240. _vq_lengthlist__44c4_s_p9_2,
  125241. 1, -529268736, 1611661312, 5, 0,
  125242. _vq_quantlist__44c4_s_p9_2,
  125243. NULL,
  125244. &_vq_auxt__44c4_s_p9_2,
  125245. NULL,
  125246. 0
  125247. };
  125248. static long _huff_lengthlist__44c4_s_short[] = {
  125249. 4, 7,14,10,15,10,12,15,16,15, 4, 2,11, 5,10, 6,
  125250. 8,11,14,14,14,10, 7,11, 6, 8,10,11,13,15, 9, 4,
  125251. 11, 5, 9, 6, 9,12,14,15,14, 9, 6, 9, 4, 5, 7,10,
  125252. 12,13, 9, 5, 7, 6, 5, 5, 7,10,13,13,10, 8, 9, 8,
  125253. 7, 6, 8,10,14,14,13,11,10,10, 7, 7, 8,11,14,15,
  125254. 13,12, 9, 9, 6, 5, 7,10,14,17,15,13,11,10, 6, 6,
  125255. 7, 9,12,17,
  125256. };
  125257. static static_codebook _huff_book__44c4_s_short = {
  125258. 2, 100,
  125259. _huff_lengthlist__44c4_s_short,
  125260. 0, 0, 0, 0, 0,
  125261. NULL,
  125262. NULL,
  125263. NULL,
  125264. NULL,
  125265. 0
  125266. };
  125267. static long _huff_lengthlist__44c5_s_long[] = {
  125268. 3, 8, 9,13,10,12,12,12,12,12, 6, 4, 6, 8, 6, 8,
  125269. 10,10,11,12, 8, 5, 4,10, 4, 7, 8, 9,10,11,13, 8,
  125270. 10, 8, 9, 9,11,12,13,14,10, 6, 4, 9, 3, 5, 6, 8,
  125271. 10,11,11, 8, 6, 9, 5, 5, 6, 7, 9,11,12, 9, 7,11,
  125272. 6, 6, 6, 7, 8,10,12,11, 9,12, 7, 7, 6, 6, 7, 9,
  125273. 13,12,10,13, 9, 8, 7, 7, 7, 8,11,15,11,15,11,10,
  125274. 9, 8, 7, 7,
  125275. };
  125276. static static_codebook _huff_book__44c5_s_long = {
  125277. 2, 100,
  125278. _huff_lengthlist__44c5_s_long,
  125279. 0, 0, 0, 0, 0,
  125280. NULL,
  125281. NULL,
  125282. NULL,
  125283. NULL,
  125284. 0
  125285. };
  125286. static long _vq_quantlist__44c5_s_p1_0[] = {
  125287. 1,
  125288. 0,
  125289. 2,
  125290. };
  125291. static long _vq_lengthlist__44c5_s_p1_0[] = {
  125292. 2, 4, 4, 0, 0, 0, 0, 0, 0, 4, 7, 7, 0, 0, 0, 0,
  125293. 0, 0, 4, 6, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125297. 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  125298. 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125302. 0, 0, 4, 7, 7, 0, 0, 0, 0, 0, 0, 7, 9, 8, 0, 0,
  125303. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 7, 7, 0, 0, 0, 0,
  125338. 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  125339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  125343. 0, 0, 0, 9,10,11, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  125344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  125348. 0, 0, 0, 0, 8,10, 9, 0, 0, 0, 0, 0, 0, 9,10,11,
  125349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125377. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125378. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125379. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125380. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125381. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125382. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125383. 0, 0, 4, 7, 7, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  125384. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125385. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125386. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125387. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125388. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,11,10, 0,
  125389. 0, 0, 0, 0, 0, 8, 9,10, 0, 0, 0, 0, 0, 0, 0, 0,
  125390. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125391. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125392. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125393. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,10,
  125394. 0, 0, 0, 0, 0, 0, 9,11,10, 0, 0, 0, 0, 0, 0, 0,
  125395. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125396. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125397. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125398. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125399. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125400. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125401. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125402. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125403. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125404. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125405. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125406. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125408. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125409. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125410. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125411. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125412. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125413. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125414. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125415. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125416. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125417. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125418. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125419. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125420. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125423. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125424. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125425. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125426. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125427. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125428. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125429. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125430. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125431. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125432. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125433. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125434. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125435. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125436. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125437. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125438. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125439. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125440. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125441. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125442. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125443. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125444. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125445. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125446. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125447. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125448. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125449. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125450. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125451. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125452. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125453. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125454. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125455. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125456. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125457. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125458. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125459. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125460. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125461. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125462. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125463. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125464. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125465. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125466. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125467. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125468. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125469. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125470. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125471. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125472. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125473. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125474. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125475. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125476. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125477. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125478. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125479. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125480. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125481. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125482. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125483. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125484. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125485. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125486. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125487. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125488. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125489. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125490. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125491. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125492. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125493. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125494. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125495. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125496. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125497. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125498. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125499. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125500. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125501. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125502. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125503. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125504. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125505. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125506. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125507. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125508. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125509. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125510. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125511. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125512. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125513. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125514. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125515. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125516. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125517. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125518. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125519. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125520. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125521. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125522. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125523. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125524. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125525. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125526. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125527. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125528. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125529. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125530. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125531. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125532. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125533. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125534. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125535. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125536. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125537. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125538. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125539. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125540. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125541. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125542. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125543. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125544. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125545. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125546. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125547. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125548. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125549. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125550. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125551. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125552. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125553. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125554. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125555. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125556. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125557. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125558. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125559. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125560. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125561. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125562. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125563. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125564. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125565. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125566. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125567. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125568. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125569. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125570. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125571. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125572. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125573. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125574. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125575. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125576. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125577. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125578. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125579. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125580. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125581. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125582. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125583. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125584. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125585. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125586. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125587. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125588. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125589. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125590. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125591. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125592. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125593. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125594. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125595. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125596. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125597. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125598. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125599. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125600. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125601. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125602. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125603. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125604. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125605. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125606. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125607. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125608. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125609. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125610. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125611. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125612. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125613. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125614. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125615. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125616. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125617. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125618. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125619. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125620. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125621. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125622. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125623. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125624. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125625. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125626. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125627. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125628. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125629. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125630. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125631. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125632. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125633. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125634. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125635. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125636. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125637. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125638. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125639. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125640. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125641. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125642. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125643. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125644. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125645. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125646. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125647. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125648. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125649. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125650. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125651. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125652. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125653. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125654. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125655. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125656. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125657. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125658. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125659. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125660. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125661. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125662. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125663. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125664. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125665. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125666. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125667. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125668. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125669. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125670. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125671. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125672. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125673. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125674. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125675. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125676. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125677. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125678. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125679. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125680. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125681. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125682. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125683. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125684. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125685. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125686. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125687. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125688. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125689. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125690. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125691. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125692. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125693. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125694. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125695. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125696. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125697. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125698. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125699. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125700. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125701. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125702. 0,
  125703. };
  125704. static float _vq_quantthresh__44c5_s_p1_0[] = {
  125705. -0.5, 0.5,
  125706. };
  125707. static long _vq_quantmap__44c5_s_p1_0[] = {
  125708. 1, 0, 2,
  125709. };
  125710. static encode_aux_threshmatch _vq_auxt__44c5_s_p1_0 = {
  125711. _vq_quantthresh__44c5_s_p1_0,
  125712. _vq_quantmap__44c5_s_p1_0,
  125713. 3,
  125714. 3
  125715. };
  125716. static static_codebook _44c5_s_p1_0 = {
  125717. 8, 6561,
  125718. _vq_lengthlist__44c5_s_p1_0,
  125719. 1, -535822336, 1611661312, 2, 0,
  125720. _vq_quantlist__44c5_s_p1_0,
  125721. NULL,
  125722. &_vq_auxt__44c5_s_p1_0,
  125723. NULL,
  125724. 0
  125725. };
  125726. static long _vq_quantlist__44c5_s_p2_0[] = {
  125727. 2,
  125728. 1,
  125729. 3,
  125730. 0,
  125731. 4,
  125732. };
  125733. static long _vq_lengthlist__44c5_s_p2_0[] = {
  125734. 2, 4, 4, 0, 0, 0, 5, 5, 0, 0, 0, 5, 5, 0, 0, 0,
  125735. 8, 7, 0, 0, 0, 0, 0, 0, 0, 4, 6, 6, 0, 0, 0, 8,
  125736. 8, 0, 0, 0, 8, 7, 0, 0, 0,10,10, 0, 0, 0, 0, 0,
  125737. 0, 0, 4, 6, 6, 0, 0, 0, 8, 8, 0, 0, 0, 7, 8, 0,
  125738. 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125739. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125740. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125741. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125742. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125743. 0, 0, 0, 0, 0, 0, 5, 8, 7, 0, 0, 0, 8, 8, 0, 0,
  125744. 0, 8, 8, 0, 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 5,
  125745. 7, 8, 0, 0, 0, 8, 8, 0, 0, 0, 8, 8, 0, 0, 0,10,
  125746. 10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125747. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125748. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125749. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125750. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125751. 0, 0, 0, 5, 8, 8, 0, 0, 0, 8, 8, 0, 0, 0, 8, 8,
  125752. 0, 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 5, 8, 8, 0,
  125753. 0, 0, 8, 8, 0, 0, 0, 8, 8, 0, 0, 0,10,10, 0, 0,
  125754. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125755. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125756. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125757. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125758. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125759. 8,10,10, 0, 0, 0,10,10, 0, 0, 0, 9,10, 0, 0, 0,
  125760. 11,10, 0, 0, 0, 0, 0, 0, 0, 8,10,10, 0, 0, 0,10,
  125761. 10, 0, 0, 0,10,10, 0, 0, 0,10,11, 0, 0, 0, 0, 0,
  125762. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125763. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125764. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125765. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125766. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125767. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125768. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125769. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125770. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125771. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125772. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125773. 0,
  125774. };
  125775. static float _vq_quantthresh__44c5_s_p2_0[] = {
  125776. -1.5, -0.5, 0.5, 1.5,
  125777. };
  125778. static long _vq_quantmap__44c5_s_p2_0[] = {
  125779. 3, 1, 0, 2, 4,
  125780. };
  125781. static encode_aux_threshmatch _vq_auxt__44c5_s_p2_0 = {
  125782. _vq_quantthresh__44c5_s_p2_0,
  125783. _vq_quantmap__44c5_s_p2_0,
  125784. 5,
  125785. 5
  125786. };
  125787. static static_codebook _44c5_s_p2_0 = {
  125788. 4, 625,
  125789. _vq_lengthlist__44c5_s_p2_0,
  125790. 1, -533725184, 1611661312, 3, 0,
  125791. _vq_quantlist__44c5_s_p2_0,
  125792. NULL,
  125793. &_vq_auxt__44c5_s_p2_0,
  125794. NULL,
  125795. 0
  125796. };
  125797. static long _vq_quantlist__44c5_s_p3_0[] = {
  125798. 2,
  125799. 1,
  125800. 3,
  125801. 0,
  125802. 4,
  125803. };
  125804. static long _vq_lengthlist__44c5_s_p3_0[] = {
  125805. 2, 4, 3, 5, 5, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125806. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 5, 5, 6, 6, 0, 0,
  125807. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125808. 0, 0, 3, 5, 5, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125809. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 6, 6, 8, 8,
  125810. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125811. 0, 0, 0, 0, 5, 6, 6, 8, 8, 0, 0, 0, 0, 0, 0, 0,
  125812. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125813. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125814. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125815. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125816. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125817. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125818. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125819. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125820. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125821. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125822. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125823. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125824. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125825. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125826. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125827. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125828. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125829. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125830. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125831. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125832. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125833. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125834. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125835. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125836. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125837. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125838. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125839. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125840. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125841. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125842. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125843. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125844. 0,
  125845. };
  125846. static float _vq_quantthresh__44c5_s_p3_0[] = {
  125847. -1.5, -0.5, 0.5, 1.5,
  125848. };
  125849. static long _vq_quantmap__44c5_s_p3_0[] = {
  125850. 3, 1, 0, 2, 4,
  125851. };
  125852. static encode_aux_threshmatch _vq_auxt__44c5_s_p3_0 = {
  125853. _vq_quantthresh__44c5_s_p3_0,
  125854. _vq_quantmap__44c5_s_p3_0,
  125855. 5,
  125856. 5
  125857. };
  125858. static static_codebook _44c5_s_p3_0 = {
  125859. 4, 625,
  125860. _vq_lengthlist__44c5_s_p3_0,
  125861. 1, -533725184, 1611661312, 3, 0,
  125862. _vq_quantlist__44c5_s_p3_0,
  125863. NULL,
  125864. &_vq_auxt__44c5_s_p3_0,
  125865. NULL,
  125866. 0
  125867. };
  125868. static long _vq_quantlist__44c5_s_p4_0[] = {
  125869. 4,
  125870. 3,
  125871. 5,
  125872. 2,
  125873. 6,
  125874. 1,
  125875. 7,
  125876. 0,
  125877. 8,
  125878. };
  125879. static long _vq_lengthlist__44c5_s_p4_0[] = {
  125880. 2, 3, 3, 6, 6, 0, 0, 0, 0, 0, 4, 4, 6, 6, 0, 0,
  125881. 0, 0, 0, 4, 4, 6, 6, 0, 0, 0, 0, 0, 5, 5, 6, 6,
  125882. 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0,
  125883. 7, 7, 0, 0, 0, 0, 0, 0, 0, 8, 7, 0, 0, 0, 0, 0,
  125884. 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  125885. 0,
  125886. };
  125887. static float _vq_quantthresh__44c5_s_p4_0[] = {
  125888. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  125889. };
  125890. static long _vq_quantmap__44c5_s_p4_0[] = {
  125891. 7, 5, 3, 1, 0, 2, 4, 6,
  125892. 8,
  125893. };
  125894. static encode_aux_threshmatch _vq_auxt__44c5_s_p4_0 = {
  125895. _vq_quantthresh__44c5_s_p4_0,
  125896. _vq_quantmap__44c5_s_p4_0,
  125897. 9,
  125898. 9
  125899. };
  125900. static static_codebook _44c5_s_p4_0 = {
  125901. 2, 81,
  125902. _vq_lengthlist__44c5_s_p4_0,
  125903. 1, -531628032, 1611661312, 4, 0,
  125904. _vq_quantlist__44c5_s_p4_0,
  125905. NULL,
  125906. &_vq_auxt__44c5_s_p4_0,
  125907. NULL,
  125908. 0
  125909. };
  125910. static long _vq_quantlist__44c5_s_p5_0[] = {
  125911. 4,
  125912. 3,
  125913. 5,
  125914. 2,
  125915. 6,
  125916. 1,
  125917. 7,
  125918. 0,
  125919. 8,
  125920. };
  125921. static long _vq_lengthlist__44c5_s_p5_0[] = {
  125922. 2, 4, 3, 6, 6, 7, 7, 9, 9, 0, 4, 4, 6, 6, 7, 7,
  125923. 9, 9, 0, 4, 4, 6, 6, 7, 7, 9, 9, 0, 6, 6, 7, 7,
  125924. 7, 7, 9, 9, 0, 0, 0, 7, 6, 7, 7, 9, 9, 0, 0, 0,
  125925. 8, 8, 8, 8,10,10, 0, 0, 0, 8, 8, 8, 8,10,10, 0,
  125926. 0, 0, 9, 9, 9, 9,10,10, 0, 0, 0, 0, 0, 9, 9,10,
  125927. 10,
  125928. };
  125929. static float _vq_quantthresh__44c5_s_p5_0[] = {
  125930. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  125931. };
  125932. static long _vq_quantmap__44c5_s_p5_0[] = {
  125933. 7, 5, 3, 1, 0, 2, 4, 6,
  125934. 8,
  125935. };
  125936. static encode_aux_threshmatch _vq_auxt__44c5_s_p5_0 = {
  125937. _vq_quantthresh__44c5_s_p5_0,
  125938. _vq_quantmap__44c5_s_p5_0,
  125939. 9,
  125940. 9
  125941. };
  125942. static static_codebook _44c5_s_p5_0 = {
  125943. 2, 81,
  125944. _vq_lengthlist__44c5_s_p5_0,
  125945. 1, -531628032, 1611661312, 4, 0,
  125946. _vq_quantlist__44c5_s_p5_0,
  125947. NULL,
  125948. &_vq_auxt__44c5_s_p5_0,
  125949. NULL,
  125950. 0
  125951. };
  125952. static long _vq_quantlist__44c5_s_p6_0[] = {
  125953. 8,
  125954. 7,
  125955. 9,
  125956. 6,
  125957. 10,
  125958. 5,
  125959. 11,
  125960. 4,
  125961. 12,
  125962. 3,
  125963. 13,
  125964. 2,
  125965. 14,
  125966. 1,
  125967. 15,
  125968. 0,
  125969. 16,
  125970. };
  125971. static long _vq_lengthlist__44c5_s_p6_0[] = {
  125972. 2, 4, 4, 6, 6, 8, 8, 9, 9, 9, 9,10,10,10,10,11,
  125973. 11, 0, 4, 4, 6, 6, 8, 8, 9, 9, 9, 9,10,10,11,11,
  125974. 12,12, 0, 4, 4, 6, 6, 8, 8, 9, 9, 9, 9,10,10,11,
  125975. 11,12,12, 0, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  125976. 11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  125977. 10,11,11,12,12, 0, 0, 0, 7, 7, 9, 9,10,10,10,10,
  125978. 11,11,11,11,12,12, 0, 0, 0, 7, 7, 8, 9,10,10,10,
  125979. 10,11,11,11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,
  125980. 10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 9, 9,10,
  125981. 10,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 9, 9,
  125982. 10,10,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 9,
  125983. 9, 9,10,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0,
  125984. 10,10,10,10,11,11,11,12,12,12,13,13, 0, 0, 0, 0,
  125985. 0, 0, 0,10,10,11,11,11,11,12,12,13,13, 0, 0, 0,
  125986. 0, 0, 0, 0,11,11,11,11,12,12,12,13,13,13, 0, 0,
  125987. 0, 0, 0, 0, 0,11,11,11,11,12,12,12,12,13,13, 0,
  125988. 0, 0, 0, 0, 0, 0,12,12,12,12,13,12,13,13,13,13,
  125989. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,13,
  125990. 13,
  125991. };
  125992. static float _vq_quantthresh__44c5_s_p6_0[] = {
  125993. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  125994. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  125995. };
  125996. static long _vq_quantmap__44c5_s_p6_0[] = {
  125997. 15, 13, 11, 9, 7, 5, 3, 1,
  125998. 0, 2, 4, 6, 8, 10, 12, 14,
  125999. 16,
  126000. };
  126001. static encode_aux_threshmatch _vq_auxt__44c5_s_p6_0 = {
  126002. _vq_quantthresh__44c5_s_p6_0,
  126003. _vq_quantmap__44c5_s_p6_0,
  126004. 17,
  126005. 17
  126006. };
  126007. static static_codebook _44c5_s_p6_0 = {
  126008. 2, 289,
  126009. _vq_lengthlist__44c5_s_p6_0,
  126010. 1, -529530880, 1611661312, 5, 0,
  126011. _vq_quantlist__44c5_s_p6_0,
  126012. NULL,
  126013. &_vq_auxt__44c5_s_p6_0,
  126014. NULL,
  126015. 0
  126016. };
  126017. static long _vq_quantlist__44c5_s_p7_0[] = {
  126018. 1,
  126019. 0,
  126020. 2,
  126021. };
  126022. static long _vq_lengthlist__44c5_s_p7_0[] = {
  126023. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,11,
  126024. 9, 9, 4, 7, 7,10, 9, 9,11, 9, 9, 7,10,10,11,11,
  126025. 10,11,11,11, 6, 9, 9,11,10,10,11,10,10, 6, 9, 9,
  126026. 11,10,10,11,10,10, 7,11,11,12,11,11,12,11,11, 6,
  126027. 9, 9,11,10,10,11,10,10, 6, 9, 9,11,10,10,11,10,
  126028. 10,
  126029. };
  126030. static float _vq_quantthresh__44c5_s_p7_0[] = {
  126031. -5.5, 5.5,
  126032. };
  126033. static long _vq_quantmap__44c5_s_p7_0[] = {
  126034. 1, 0, 2,
  126035. };
  126036. static encode_aux_threshmatch _vq_auxt__44c5_s_p7_0 = {
  126037. _vq_quantthresh__44c5_s_p7_0,
  126038. _vq_quantmap__44c5_s_p7_0,
  126039. 3,
  126040. 3
  126041. };
  126042. static static_codebook _44c5_s_p7_0 = {
  126043. 4, 81,
  126044. _vq_lengthlist__44c5_s_p7_0,
  126045. 1, -529137664, 1618345984, 2, 0,
  126046. _vq_quantlist__44c5_s_p7_0,
  126047. NULL,
  126048. &_vq_auxt__44c5_s_p7_0,
  126049. NULL,
  126050. 0
  126051. };
  126052. static long _vq_quantlist__44c5_s_p7_1[] = {
  126053. 5,
  126054. 4,
  126055. 6,
  126056. 3,
  126057. 7,
  126058. 2,
  126059. 8,
  126060. 1,
  126061. 9,
  126062. 0,
  126063. 10,
  126064. };
  126065. static long _vq_lengthlist__44c5_s_p7_1[] = {
  126066. 2, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8,10, 5, 5, 6, 6,
  126067. 7, 7, 8, 8, 8, 8,10, 5, 5, 6, 6, 7, 7, 8, 8, 8,
  126068. 8,10, 6, 6, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10, 7,
  126069. 7, 8, 8, 8, 8, 8, 8,10,10,10, 7, 7, 8, 8, 8, 8,
  126070. 8, 8,10,10,10, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10,
  126071. 8, 8, 8, 8, 8, 8, 8, 9,10,10,10,10,10, 8, 8, 8,
  126072. 8, 8, 8,10,10,10,10,10, 9, 9, 8, 8, 8, 8,10,10,
  126073. 10,10,10, 8, 8, 8, 8, 8, 8,
  126074. };
  126075. static float _vq_quantthresh__44c5_s_p7_1[] = {
  126076. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  126077. 3.5, 4.5,
  126078. };
  126079. static long _vq_quantmap__44c5_s_p7_1[] = {
  126080. 9, 7, 5, 3, 1, 0, 2, 4,
  126081. 6, 8, 10,
  126082. };
  126083. static encode_aux_threshmatch _vq_auxt__44c5_s_p7_1 = {
  126084. _vq_quantthresh__44c5_s_p7_1,
  126085. _vq_quantmap__44c5_s_p7_1,
  126086. 11,
  126087. 11
  126088. };
  126089. static static_codebook _44c5_s_p7_1 = {
  126090. 2, 121,
  126091. _vq_lengthlist__44c5_s_p7_1,
  126092. 1, -531365888, 1611661312, 4, 0,
  126093. _vq_quantlist__44c5_s_p7_1,
  126094. NULL,
  126095. &_vq_auxt__44c5_s_p7_1,
  126096. NULL,
  126097. 0
  126098. };
  126099. static long _vq_quantlist__44c5_s_p8_0[] = {
  126100. 6,
  126101. 5,
  126102. 7,
  126103. 4,
  126104. 8,
  126105. 3,
  126106. 9,
  126107. 2,
  126108. 10,
  126109. 1,
  126110. 11,
  126111. 0,
  126112. 12,
  126113. };
  126114. static long _vq_lengthlist__44c5_s_p8_0[] = {
  126115. 1, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10, 6, 5, 5,
  126116. 7, 7, 8, 8, 8, 9,10,10,10,10, 7, 5, 5, 7, 7, 8,
  126117. 8, 9, 9,10,10,10,10, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  126118. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  126119. 11, 0,12,12, 9, 9, 9,10,10,10,10,10,11,11, 0,13,
  126120. 13, 9, 9, 9, 9,10,10,11,11,11,11, 0, 0, 0,10,10,
  126121. 10,10,10,10,11,11,11,11, 0, 0, 0,10,10,10,10,10,
  126122. 10,11,11,12,12, 0, 0, 0,14,14,11,11,11,11,12,12,
  126123. 12,12, 0, 0, 0,14,14,11,11,11,11,12,12,12,12, 0,
  126124. 0, 0, 0, 0,12,12,12,12,12,12,13,13, 0, 0, 0, 0,
  126125. 0,12,12,12,12,12,12,13,13,
  126126. };
  126127. static float _vq_quantthresh__44c5_s_p8_0[] = {
  126128. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  126129. 12.5, 17.5, 22.5, 27.5,
  126130. };
  126131. static long _vq_quantmap__44c5_s_p8_0[] = {
  126132. 11, 9, 7, 5, 3, 1, 0, 2,
  126133. 4, 6, 8, 10, 12,
  126134. };
  126135. static encode_aux_threshmatch _vq_auxt__44c5_s_p8_0 = {
  126136. _vq_quantthresh__44c5_s_p8_0,
  126137. _vq_quantmap__44c5_s_p8_0,
  126138. 13,
  126139. 13
  126140. };
  126141. static static_codebook _44c5_s_p8_0 = {
  126142. 2, 169,
  126143. _vq_lengthlist__44c5_s_p8_0,
  126144. 1, -526516224, 1616117760, 4, 0,
  126145. _vq_quantlist__44c5_s_p8_0,
  126146. NULL,
  126147. &_vq_auxt__44c5_s_p8_0,
  126148. NULL,
  126149. 0
  126150. };
  126151. static long _vq_quantlist__44c5_s_p8_1[] = {
  126152. 2,
  126153. 1,
  126154. 3,
  126155. 0,
  126156. 4,
  126157. };
  126158. static long _vq_lengthlist__44c5_s_p8_1[] = {
  126159. 2, 4, 4, 5, 5, 6, 5, 5, 5, 5, 6, 4, 5, 5, 5, 6,
  126160. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  126161. };
  126162. static float _vq_quantthresh__44c5_s_p8_1[] = {
  126163. -1.5, -0.5, 0.5, 1.5,
  126164. };
  126165. static long _vq_quantmap__44c5_s_p8_1[] = {
  126166. 3, 1, 0, 2, 4,
  126167. };
  126168. static encode_aux_threshmatch _vq_auxt__44c5_s_p8_1 = {
  126169. _vq_quantthresh__44c5_s_p8_1,
  126170. _vq_quantmap__44c5_s_p8_1,
  126171. 5,
  126172. 5
  126173. };
  126174. static static_codebook _44c5_s_p8_1 = {
  126175. 2, 25,
  126176. _vq_lengthlist__44c5_s_p8_1,
  126177. 1, -533725184, 1611661312, 3, 0,
  126178. _vq_quantlist__44c5_s_p8_1,
  126179. NULL,
  126180. &_vq_auxt__44c5_s_p8_1,
  126181. NULL,
  126182. 0
  126183. };
  126184. static long _vq_quantlist__44c5_s_p9_0[] = {
  126185. 7,
  126186. 6,
  126187. 8,
  126188. 5,
  126189. 9,
  126190. 4,
  126191. 10,
  126192. 3,
  126193. 11,
  126194. 2,
  126195. 12,
  126196. 1,
  126197. 13,
  126198. 0,
  126199. 14,
  126200. };
  126201. static long _vq_lengthlist__44c5_s_p9_0[] = {
  126202. 1, 3, 3,13,13,13,13,13,13,13,13,13,13,13,13, 4,
  126203. 7, 7,13,13,13,13,13,13,13,13,13,13,13,13, 3, 8,
  126204. 6,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126205. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126206. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126207. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126208. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126209. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126210. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126211. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126212. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126213. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126214. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  126215. 13,13,13,13,13,13,13,13,13,12,12,12,12,12,12,12,
  126216. 12,
  126217. };
  126218. static float _vq_quantthresh__44c5_s_p9_0[] = {
  126219. -2320.5, -1963.5, -1606.5, -1249.5, -892.5, -535.5, -178.5, 178.5,
  126220. 535.5, 892.5, 1249.5, 1606.5, 1963.5, 2320.5,
  126221. };
  126222. static long _vq_quantmap__44c5_s_p9_0[] = {
  126223. 13, 11, 9, 7, 5, 3, 1, 0,
  126224. 2, 4, 6, 8, 10, 12, 14,
  126225. };
  126226. static encode_aux_threshmatch _vq_auxt__44c5_s_p9_0 = {
  126227. _vq_quantthresh__44c5_s_p9_0,
  126228. _vq_quantmap__44c5_s_p9_0,
  126229. 15,
  126230. 15
  126231. };
  126232. static static_codebook _44c5_s_p9_0 = {
  126233. 2, 225,
  126234. _vq_lengthlist__44c5_s_p9_0,
  126235. 1, -512522752, 1628852224, 4, 0,
  126236. _vq_quantlist__44c5_s_p9_0,
  126237. NULL,
  126238. &_vq_auxt__44c5_s_p9_0,
  126239. NULL,
  126240. 0
  126241. };
  126242. static long _vq_quantlist__44c5_s_p9_1[] = {
  126243. 8,
  126244. 7,
  126245. 9,
  126246. 6,
  126247. 10,
  126248. 5,
  126249. 11,
  126250. 4,
  126251. 12,
  126252. 3,
  126253. 13,
  126254. 2,
  126255. 14,
  126256. 1,
  126257. 15,
  126258. 0,
  126259. 16,
  126260. };
  126261. static long _vq_lengthlist__44c5_s_p9_1[] = {
  126262. 1, 4, 4, 5, 5, 7, 7, 9, 8,10, 9,10,10,11,10,11,
  126263. 11, 6, 5, 5, 7, 7, 8, 9,10,10,11,10,12,11,12,11,
  126264. 13,12, 6, 5, 5, 7, 7, 9, 9,10,10,11,11,12,12,13,
  126265. 12,13,13,18, 8, 8, 8, 8, 9, 9,10,11,11,11,12,11,
  126266. 13,11,13,12,18, 8, 8, 8, 8,10,10,11,11,12,12,13,
  126267. 13,13,13,13,14,18,12,12, 9, 9,11,11,11,11,12,12,
  126268. 13,12,13,12,13,13,20,13,12, 9, 9,11,11,11,11,12,
  126269. 12,13,13,13,14,14,13,20,18,19,11,12,11,11,12,12,
  126270. 13,13,13,13,13,13,14,13,18,19,19,12,11,11,11,12,
  126271. 12,13,12,13,13,13,14,14,13,18,17,19,14,15,12,12,
  126272. 12,13,13,13,14,14,14,14,14,14,19,19,19,16,15,12,
  126273. 11,13,12,14,14,14,13,13,14,14,14,19,18,19,18,19,
  126274. 13,13,13,13,14,14,14,13,14,14,14,14,18,17,19,19,
  126275. 19,13,13,13,11,13,11,13,14,14,14,14,14,19,17,17,
  126276. 18,18,16,16,13,13,13,13,14,13,15,15,14,14,19,19,
  126277. 17,17,18,16,16,13,11,14,10,13,12,14,14,14,14,19,
  126278. 19,19,19,19,18,17,13,14,13,11,14,13,14,14,15,15,
  126279. 19,19,19,17,19,18,18,14,13,12,11,14,11,15,15,15,
  126280. 15,
  126281. };
  126282. static float _vq_quantthresh__44c5_s_p9_1[] = {
  126283. -157.5, -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5,
  126284. 10.5, 31.5, 52.5, 73.5, 94.5, 115.5, 136.5, 157.5,
  126285. };
  126286. static long _vq_quantmap__44c5_s_p9_1[] = {
  126287. 15, 13, 11, 9, 7, 5, 3, 1,
  126288. 0, 2, 4, 6, 8, 10, 12, 14,
  126289. 16,
  126290. };
  126291. static encode_aux_threshmatch _vq_auxt__44c5_s_p9_1 = {
  126292. _vq_quantthresh__44c5_s_p9_1,
  126293. _vq_quantmap__44c5_s_p9_1,
  126294. 17,
  126295. 17
  126296. };
  126297. static static_codebook _44c5_s_p9_1 = {
  126298. 2, 289,
  126299. _vq_lengthlist__44c5_s_p9_1,
  126300. 1, -520814592, 1620377600, 5, 0,
  126301. _vq_quantlist__44c5_s_p9_1,
  126302. NULL,
  126303. &_vq_auxt__44c5_s_p9_1,
  126304. NULL,
  126305. 0
  126306. };
  126307. static long _vq_quantlist__44c5_s_p9_2[] = {
  126308. 10,
  126309. 9,
  126310. 11,
  126311. 8,
  126312. 12,
  126313. 7,
  126314. 13,
  126315. 6,
  126316. 14,
  126317. 5,
  126318. 15,
  126319. 4,
  126320. 16,
  126321. 3,
  126322. 17,
  126323. 2,
  126324. 18,
  126325. 1,
  126326. 19,
  126327. 0,
  126328. 20,
  126329. };
  126330. static long _vq_lengthlist__44c5_s_p9_2[] = {
  126331. 3, 5, 5, 6, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8,
  126332. 8, 8, 8, 8, 9,11, 5, 6, 7, 7, 8, 7, 8, 8, 8, 8,
  126333. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11, 5, 5, 7, 7, 7,
  126334. 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,
  126335. 7, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9,
  126336. 9,10, 9,10,11,11,11, 7, 7, 8, 8, 8, 8, 9, 9, 9,
  126337. 9, 9, 9,10,10,10,10,10,10,11,11,11, 8, 8, 8, 8,
  126338. 9, 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,10,11,11,
  126339. 11, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,10,10,10,10,10,
  126340. 10,10,10,11,11,11, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  126341. 10,10,10,10,10,10,10,10,11,11,11,11,11, 9, 9, 9,
  126342. 9, 9, 9,10, 9,10,10,10,10,10,10,10,10,11,11,11,
  126343. 11,11, 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,
  126344. 10,10,11,11,11,11,11, 9, 9, 9, 9, 9, 9,10,10,10,
  126345. 10,10,10,10,10,10,10,11,11,11,11,11, 9, 9,10, 9,
  126346. 10,10,10,10,10,10,10,10,10,10,10,10,11,11,11,11,
  126347. 11,11,11, 9, 9,10,10,10,10,10,10,10,10,10,10,10,
  126348. 10,11,11,11,11,11,11,11,10,10,10,10,10,10,10,10,
  126349. 10,10,10,10,10,10,11,11,11,11,11,11,11,10,10,10,
  126350. 10,10,10,10,10,10,10,10,10,10,10,11,11,11,11,11,
  126351. 11,11,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  126352. 11,11,11,11,11,11,11,11,11,10,10,10,10,10,10,10,
  126353. 10,10,10,10,10,11,11,11,11,11,11,11,11,11,10,10,
  126354. 10,10,10,10,10,10,10,10,10,10,11,11,11,11,11,11,
  126355. 11,11,11,10,10,10,10,10,10,10,10,10,10,10,10,11,
  126356. 11,11,11,11,11,11,11,11,10,10,10,10,10,10,10,10,
  126357. 10,10,10,10,11,11,11,11,11,11,11,11,11,11,11,10,
  126358. 10,10,10,10,10,10,10,10,10,
  126359. };
  126360. static float _vq_quantthresh__44c5_s_p9_2[] = {
  126361. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  126362. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  126363. 6.5, 7.5, 8.5, 9.5,
  126364. };
  126365. static long _vq_quantmap__44c5_s_p9_2[] = {
  126366. 19, 17, 15, 13, 11, 9, 7, 5,
  126367. 3, 1, 0, 2, 4, 6, 8, 10,
  126368. 12, 14, 16, 18, 20,
  126369. };
  126370. static encode_aux_threshmatch _vq_auxt__44c5_s_p9_2 = {
  126371. _vq_quantthresh__44c5_s_p9_2,
  126372. _vq_quantmap__44c5_s_p9_2,
  126373. 21,
  126374. 21
  126375. };
  126376. static static_codebook _44c5_s_p9_2 = {
  126377. 2, 441,
  126378. _vq_lengthlist__44c5_s_p9_2,
  126379. 1, -529268736, 1611661312, 5, 0,
  126380. _vq_quantlist__44c5_s_p9_2,
  126381. NULL,
  126382. &_vq_auxt__44c5_s_p9_2,
  126383. NULL,
  126384. 0
  126385. };
  126386. static long _huff_lengthlist__44c5_s_short[] = {
  126387. 5, 8,10,14,11,11,12,16,15,17, 5, 5, 7, 9, 7, 8,
  126388. 10,13,17,17, 7, 5, 5,10, 5, 7, 8,11,13,15,10, 8,
  126389. 10, 8, 8, 8,11,15,18,18, 8, 5, 5, 8, 3, 4, 6,10,
  126390. 14,16, 9, 7, 6, 7, 4, 3, 5, 9,14,18,10, 9, 8,10,
  126391. 6, 5, 6, 9,14,18,12,12,11,12, 8, 7, 8,11,14,18,
  126392. 14,13,12,10, 7, 5, 6, 9,14,18,14,14,13,10, 6, 5,
  126393. 6, 8,11,16,
  126394. };
  126395. static static_codebook _huff_book__44c5_s_short = {
  126396. 2, 100,
  126397. _huff_lengthlist__44c5_s_short,
  126398. 0, 0, 0, 0, 0,
  126399. NULL,
  126400. NULL,
  126401. NULL,
  126402. NULL,
  126403. 0
  126404. };
  126405. static long _huff_lengthlist__44c6_s_long[] = {
  126406. 3, 8,11,13,14,14,13,13,16,14, 6, 3, 4, 7, 9, 9,
  126407. 10,11,14,13,10, 4, 3, 5, 7, 7, 9,10,13,15,12, 7,
  126408. 4, 4, 6, 6, 8,10,13,15,12, 8, 6, 6, 6, 6, 8,10,
  126409. 13,14,11, 9, 7, 6, 6, 6, 7, 8,12,11,13,10, 9, 8,
  126410. 7, 6, 6, 7,11,11,13,11,10, 9, 9, 7, 7, 6,10,11,
  126411. 13,13,13,13,13,11, 9, 8,10,12,12,15,15,16,15,12,
  126412. 11,10,10,12,
  126413. };
  126414. static static_codebook _huff_book__44c6_s_long = {
  126415. 2, 100,
  126416. _huff_lengthlist__44c6_s_long,
  126417. 0, 0, 0, 0, 0,
  126418. NULL,
  126419. NULL,
  126420. NULL,
  126421. NULL,
  126422. 0
  126423. };
  126424. static long _vq_quantlist__44c6_s_p1_0[] = {
  126425. 1,
  126426. 0,
  126427. 2,
  126428. };
  126429. static long _vq_lengthlist__44c6_s_p1_0[] = {
  126430. 1, 5, 5, 0, 5, 5, 0, 5, 5, 5, 8, 7, 0, 9, 9, 0,
  126431. 9, 8, 5, 7, 8, 0, 9, 9, 0, 8, 9, 0, 0, 0, 0, 0,
  126432. 0, 0, 0, 0, 5, 9, 8, 0, 8, 8, 0, 8, 8, 5, 8, 9,
  126433. 0, 8, 8, 0, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0, 5,
  126434. 9, 9, 0, 8, 8, 0, 8, 8, 5, 9, 9, 0, 8, 8, 0, 8,
  126435. 8,
  126436. };
  126437. static float _vq_quantthresh__44c6_s_p1_0[] = {
  126438. -0.5, 0.5,
  126439. };
  126440. static long _vq_quantmap__44c6_s_p1_0[] = {
  126441. 1, 0, 2,
  126442. };
  126443. static encode_aux_threshmatch _vq_auxt__44c6_s_p1_0 = {
  126444. _vq_quantthresh__44c6_s_p1_0,
  126445. _vq_quantmap__44c6_s_p1_0,
  126446. 3,
  126447. 3
  126448. };
  126449. static static_codebook _44c6_s_p1_0 = {
  126450. 4, 81,
  126451. _vq_lengthlist__44c6_s_p1_0,
  126452. 1, -535822336, 1611661312, 2, 0,
  126453. _vq_quantlist__44c6_s_p1_0,
  126454. NULL,
  126455. &_vq_auxt__44c6_s_p1_0,
  126456. NULL,
  126457. 0
  126458. };
  126459. static long _vq_quantlist__44c6_s_p2_0[] = {
  126460. 2,
  126461. 1,
  126462. 3,
  126463. 0,
  126464. 4,
  126465. };
  126466. static long _vq_lengthlist__44c6_s_p2_0[] = {
  126467. 3, 5, 5, 8, 8, 0, 5, 5, 8, 8, 0, 5, 5, 8, 8, 0,
  126468. 7, 7, 9, 9, 0, 0, 0, 9, 9, 5, 7, 7, 9, 9, 0, 8,
  126469. 8,10,10, 0, 8, 7,10, 9, 0,10,10,11,11, 0, 0, 0,
  126470. 11,11, 5, 7, 7, 9, 9, 0, 8, 8,10,10, 0, 7, 8, 9,
  126471. 10, 0,10,10,11,11, 0, 0, 0,11,11, 8, 9, 9,11,11,
  126472. 0,11,11,12,12, 0,11,10,12,12, 0,13,14,14,14, 0,
  126473. 0, 0,14,13, 8, 9, 9,11,11, 0,11,11,12,12, 0,10,
  126474. 11,12,12, 0,14,13,14,14, 0, 0, 0,13,14, 0, 0, 0,
  126475. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126476. 0, 0, 0, 0, 0, 0, 5, 8, 7,11,10, 0, 7, 7,10,10,
  126477. 0, 7, 7,10,10, 0, 9, 9,11,10, 0, 0, 0,11,11, 5,
  126478. 7, 8,10,11, 0, 7, 7,10,10, 0, 7, 7,10,10, 0, 9,
  126479. 9,10,11, 0, 0, 0,11,11, 8,10, 9,12,12, 0,10,10,
  126480. 12,12, 0,10,10,12,12, 0,12,12,13,13, 0, 0, 0,13,
  126481. 13, 8, 9,10,12,12, 0,10,10,11,12, 0,10,10,12,12,
  126482. 0,12,12,13,13, 0, 0, 0,13,13, 0, 0, 0, 0, 0, 0,
  126483. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126484. 0, 0, 0, 5, 8, 8,11,11, 0, 7, 7,10,10, 0, 7, 7,
  126485. 10,10, 0, 9, 9,10,11, 0, 0, 0,11,10, 5, 8, 8,11,
  126486. 11, 0, 7, 7,10,10, 0, 7, 7,10,10, 0, 9, 9,11,11,
  126487. 0, 0, 0,10,11, 8,10,10,12,12, 0,10,10,12,12, 0,
  126488. 10,10,12,12, 0,12,13,13,13, 0, 0, 0,14,13, 8,10,
  126489. 10,12,12, 0,10,10,12,12, 0,10,10,12,12, 0,13,12,
  126490. 13,13, 0, 0, 0,13,13, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126491. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126492. 7,10,10,14,13, 0, 9, 9,13,12, 0, 9, 9,12,12, 0,
  126493. 10,10,12,12, 0, 0, 0,12,12, 7,10,10,13,14, 0, 9,
  126494. 9,12,13, 0, 9, 9,12,12, 0,10,10,12,12, 0, 0, 0,
  126495. 12,12, 9,11,11,14,13, 0,11,10,14,13, 0,11,11,13,
  126496. 13, 0,12,12,13,13, 0, 0, 0,13,13, 9,11,11,13,14,
  126497. 0,10,11,13,14, 0,11,11,13,13, 0,12,12,13,13, 0,
  126498. 0, 0,13,13, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126499. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126500. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126501. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126502. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 9,
  126503. 11,11,14,14, 0,11,11,13,13, 0,11,10,13,13, 0,12,
  126504. 12,13,13, 0, 0, 0,13,13, 9,11,11,14,14, 0,11,11,
  126505. 13,13, 0,10,11,13,13, 0,12,12,14,13, 0, 0, 0,13,
  126506. 13,
  126507. };
  126508. static float _vq_quantthresh__44c6_s_p2_0[] = {
  126509. -1.5, -0.5, 0.5, 1.5,
  126510. };
  126511. static long _vq_quantmap__44c6_s_p2_0[] = {
  126512. 3, 1, 0, 2, 4,
  126513. };
  126514. static encode_aux_threshmatch _vq_auxt__44c6_s_p2_0 = {
  126515. _vq_quantthresh__44c6_s_p2_0,
  126516. _vq_quantmap__44c6_s_p2_0,
  126517. 5,
  126518. 5
  126519. };
  126520. static static_codebook _44c6_s_p2_0 = {
  126521. 4, 625,
  126522. _vq_lengthlist__44c6_s_p2_0,
  126523. 1, -533725184, 1611661312, 3, 0,
  126524. _vq_quantlist__44c6_s_p2_0,
  126525. NULL,
  126526. &_vq_auxt__44c6_s_p2_0,
  126527. NULL,
  126528. 0
  126529. };
  126530. static long _vq_quantlist__44c6_s_p3_0[] = {
  126531. 4,
  126532. 3,
  126533. 5,
  126534. 2,
  126535. 6,
  126536. 1,
  126537. 7,
  126538. 0,
  126539. 8,
  126540. };
  126541. static long _vq_lengthlist__44c6_s_p3_0[] = {
  126542. 2, 3, 4, 6, 6, 7, 7, 9, 9, 0, 4, 4, 6, 6, 7, 7,
  126543. 9,10, 0, 4, 4, 6, 6, 7, 7,10, 9, 0, 5, 5, 7, 7,
  126544. 8, 8,10,10, 0, 0, 0, 7, 6, 8, 8,10,10, 0, 0, 0,
  126545. 7, 7, 9, 9,11,11, 0, 0, 0, 7, 7, 9, 9,11,11, 0,
  126546. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126547. 0,
  126548. };
  126549. static float _vq_quantthresh__44c6_s_p3_0[] = {
  126550. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  126551. };
  126552. static long _vq_quantmap__44c6_s_p3_0[] = {
  126553. 7, 5, 3, 1, 0, 2, 4, 6,
  126554. 8,
  126555. };
  126556. static encode_aux_threshmatch _vq_auxt__44c6_s_p3_0 = {
  126557. _vq_quantthresh__44c6_s_p3_0,
  126558. _vq_quantmap__44c6_s_p3_0,
  126559. 9,
  126560. 9
  126561. };
  126562. static static_codebook _44c6_s_p3_0 = {
  126563. 2, 81,
  126564. _vq_lengthlist__44c6_s_p3_0,
  126565. 1, -531628032, 1611661312, 4, 0,
  126566. _vq_quantlist__44c6_s_p3_0,
  126567. NULL,
  126568. &_vq_auxt__44c6_s_p3_0,
  126569. NULL,
  126570. 0
  126571. };
  126572. static long _vq_quantlist__44c6_s_p4_0[] = {
  126573. 8,
  126574. 7,
  126575. 9,
  126576. 6,
  126577. 10,
  126578. 5,
  126579. 11,
  126580. 4,
  126581. 12,
  126582. 3,
  126583. 13,
  126584. 2,
  126585. 14,
  126586. 1,
  126587. 15,
  126588. 0,
  126589. 16,
  126590. };
  126591. static long _vq_lengthlist__44c6_s_p4_0[] = {
  126592. 2, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9,10,10,
  126593. 10, 0, 4, 4, 6, 6, 8, 8, 9, 9, 9, 9,10,10,10,10,
  126594. 11,11, 0, 4, 4, 6, 6, 8, 8, 9, 9, 9, 9,10,10,10,
  126595. 10,11,11, 0, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  126596. 11,11,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  126597. 10,11,11,11,11, 0, 0, 0, 7, 7, 9, 9,10,10,10,10,
  126598. 11,11,11,11,12,12, 0, 0, 0, 7, 7, 9, 9,10,10,10,
  126599. 10,11,11,11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,
  126600. 10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 8, 8, 9,
  126601. 9,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 0, 0,
  126602. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126603. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126604. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126605. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126606. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126607. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126608. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126609. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126610. 0,
  126611. };
  126612. static float _vq_quantthresh__44c6_s_p4_0[] = {
  126613. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  126614. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  126615. };
  126616. static long _vq_quantmap__44c6_s_p4_0[] = {
  126617. 15, 13, 11, 9, 7, 5, 3, 1,
  126618. 0, 2, 4, 6, 8, 10, 12, 14,
  126619. 16,
  126620. };
  126621. static encode_aux_threshmatch _vq_auxt__44c6_s_p4_0 = {
  126622. _vq_quantthresh__44c6_s_p4_0,
  126623. _vq_quantmap__44c6_s_p4_0,
  126624. 17,
  126625. 17
  126626. };
  126627. static static_codebook _44c6_s_p4_0 = {
  126628. 2, 289,
  126629. _vq_lengthlist__44c6_s_p4_0,
  126630. 1, -529530880, 1611661312, 5, 0,
  126631. _vq_quantlist__44c6_s_p4_0,
  126632. NULL,
  126633. &_vq_auxt__44c6_s_p4_0,
  126634. NULL,
  126635. 0
  126636. };
  126637. static long _vq_quantlist__44c6_s_p5_0[] = {
  126638. 1,
  126639. 0,
  126640. 2,
  126641. };
  126642. static long _vq_lengthlist__44c6_s_p5_0[] = {
  126643. 1, 4, 4, 5, 7, 7, 6, 7, 7, 4, 6, 6, 9, 9,10,10,
  126644. 10, 9, 4, 6, 6, 9,10, 9,10, 9,10, 6, 9, 9,10,12,
  126645. 11,10,11,11, 7,10, 9,11,12,12,12,12,12, 7,10,10,
  126646. 11,12,12,12,12,12, 6,10,10,10,12,12,11,12,12, 7,
  126647. 9,10,11,12,12,12,12,12, 7,10, 9,12,12,12,12,12,
  126648. 12,
  126649. };
  126650. static float _vq_quantthresh__44c6_s_p5_0[] = {
  126651. -5.5, 5.5,
  126652. };
  126653. static long _vq_quantmap__44c6_s_p5_0[] = {
  126654. 1, 0, 2,
  126655. };
  126656. static encode_aux_threshmatch _vq_auxt__44c6_s_p5_0 = {
  126657. _vq_quantthresh__44c6_s_p5_0,
  126658. _vq_quantmap__44c6_s_p5_0,
  126659. 3,
  126660. 3
  126661. };
  126662. static static_codebook _44c6_s_p5_0 = {
  126663. 4, 81,
  126664. _vq_lengthlist__44c6_s_p5_0,
  126665. 1, -529137664, 1618345984, 2, 0,
  126666. _vq_quantlist__44c6_s_p5_0,
  126667. NULL,
  126668. &_vq_auxt__44c6_s_p5_0,
  126669. NULL,
  126670. 0
  126671. };
  126672. static long _vq_quantlist__44c6_s_p5_1[] = {
  126673. 5,
  126674. 4,
  126675. 6,
  126676. 3,
  126677. 7,
  126678. 2,
  126679. 8,
  126680. 1,
  126681. 9,
  126682. 0,
  126683. 10,
  126684. };
  126685. static long _vq_lengthlist__44c6_s_p5_1[] = {
  126686. 3, 5, 4, 6, 6, 7, 7, 8, 8, 8, 8,11, 4, 4, 6, 6,
  126687. 7, 7, 8, 8, 8, 8,11, 4, 4, 6, 6, 7, 7, 8, 8, 8,
  126688. 8,11, 6, 6, 6, 6, 8, 8, 8, 8, 9, 9,11,11,11, 6,
  126689. 6, 7, 8, 8, 8, 8, 9,11,11,11, 7, 7, 8, 8, 8, 8,
  126690. 8, 8,11,11,11, 7, 7, 8, 8, 8, 8, 8, 8,11,11,11,
  126691. 8, 8, 8, 8, 8, 8, 8, 8,11,11,11,10,10, 8, 8, 8,
  126692. 8, 8, 8,11,11,11,10,10, 8, 8, 8, 8, 8, 8,11,11,
  126693. 11,10,10, 7, 7, 8, 8, 8, 8,
  126694. };
  126695. static float _vq_quantthresh__44c6_s_p5_1[] = {
  126696. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  126697. 3.5, 4.5,
  126698. };
  126699. static long _vq_quantmap__44c6_s_p5_1[] = {
  126700. 9, 7, 5, 3, 1, 0, 2, 4,
  126701. 6, 8, 10,
  126702. };
  126703. static encode_aux_threshmatch _vq_auxt__44c6_s_p5_1 = {
  126704. _vq_quantthresh__44c6_s_p5_1,
  126705. _vq_quantmap__44c6_s_p5_1,
  126706. 11,
  126707. 11
  126708. };
  126709. static static_codebook _44c6_s_p5_1 = {
  126710. 2, 121,
  126711. _vq_lengthlist__44c6_s_p5_1,
  126712. 1, -531365888, 1611661312, 4, 0,
  126713. _vq_quantlist__44c6_s_p5_1,
  126714. NULL,
  126715. &_vq_auxt__44c6_s_p5_1,
  126716. NULL,
  126717. 0
  126718. };
  126719. static long _vq_quantlist__44c6_s_p6_0[] = {
  126720. 6,
  126721. 5,
  126722. 7,
  126723. 4,
  126724. 8,
  126725. 3,
  126726. 9,
  126727. 2,
  126728. 10,
  126729. 1,
  126730. 11,
  126731. 0,
  126732. 12,
  126733. };
  126734. static long _vq_lengthlist__44c6_s_p6_0[] = {
  126735. 1, 4, 4, 6, 6, 8, 8, 8, 8,10, 9,10,10, 6, 5, 5,
  126736. 7, 7, 9, 9, 9, 9,10,10,11,11, 6, 5, 5, 7, 7, 9,
  126737. 9,10, 9,11,10,11,11, 0, 6, 6, 7, 7, 9, 9,10,10,
  126738. 11,11,12,12, 0, 7, 7, 7, 7, 9, 9,10,10,11,11,12,
  126739. 12, 0,11,11, 8, 8,10,10,11,11,12,12,12,12, 0,11,
  126740. 12, 9, 8,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,
  126741. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126742. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126743. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126744. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126745. 0, 0, 0, 0, 0, 0, 0, 0, 0,
  126746. };
  126747. static float _vq_quantthresh__44c6_s_p6_0[] = {
  126748. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  126749. 12.5, 17.5, 22.5, 27.5,
  126750. };
  126751. static long _vq_quantmap__44c6_s_p6_0[] = {
  126752. 11, 9, 7, 5, 3, 1, 0, 2,
  126753. 4, 6, 8, 10, 12,
  126754. };
  126755. static encode_aux_threshmatch _vq_auxt__44c6_s_p6_0 = {
  126756. _vq_quantthresh__44c6_s_p6_0,
  126757. _vq_quantmap__44c6_s_p6_0,
  126758. 13,
  126759. 13
  126760. };
  126761. static static_codebook _44c6_s_p6_0 = {
  126762. 2, 169,
  126763. _vq_lengthlist__44c6_s_p6_0,
  126764. 1, -526516224, 1616117760, 4, 0,
  126765. _vq_quantlist__44c6_s_p6_0,
  126766. NULL,
  126767. &_vq_auxt__44c6_s_p6_0,
  126768. NULL,
  126769. 0
  126770. };
  126771. static long _vq_quantlist__44c6_s_p6_1[] = {
  126772. 2,
  126773. 1,
  126774. 3,
  126775. 0,
  126776. 4,
  126777. };
  126778. static long _vq_lengthlist__44c6_s_p6_1[] = {
  126779. 3, 4, 4, 5, 5, 5, 4, 4, 5, 5, 5, 4, 4, 5, 5, 6,
  126780. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  126781. };
  126782. static float _vq_quantthresh__44c6_s_p6_1[] = {
  126783. -1.5, -0.5, 0.5, 1.5,
  126784. };
  126785. static long _vq_quantmap__44c6_s_p6_1[] = {
  126786. 3, 1, 0, 2, 4,
  126787. };
  126788. static encode_aux_threshmatch _vq_auxt__44c6_s_p6_1 = {
  126789. _vq_quantthresh__44c6_s_p6_1,
  126790. _vq_quantmap__44c6_s_p6_1,
  126791. 5,
  126792. 5
  126793. };
  126794. static static_codebook _44c6_s_p6_1 = {
  126795. 2, 25,
  126796. _vq_lengthlist__44c6_s_p6_1,
  126797. 1, -533725184, 1611661312, 3, 0,
  126798. _vq_quantlist__44c6_s_p6_1,
  126799. NULL,
  126800. &_vq_auxt__44c6_s_p6_1,
  126801. NULL,
  126802. 0
  126803. };
  126804. static long _vq_quantlist__44c6_s_p7_0[] = {
  126805. 6,
  126806. 5,
  126807. 7,
  126808. 4,
  126809. 8,
  126810. 3,
  126811. 9,
  126812. 2,
  126813. 10,
  126814. 1,
  126815. 11,
  126816. 0,
  126817. 12,
  126818. };
  126819. static long _vq_lengthlist__44c6_s_p7_0[] = {
  126820. 1, 4, 4, 6, 6, 8, 8, 8, 8,10,10,11,10, 6, 5, 5,
  126821. 7, 7, 8, 8, 9, 9,10,10,12,11, 6, 5, 5, 7, 7, 8,
  126822. 8, 9, 9,10,10,12,11,21, 7, 7, 7, 7, 9, 9,10,10,
  126823. 11,11,12,12,21, 7, 7, 7, 7, 9, 9,10,10,11,11,12,
  126824. 12,21,12,12, 9, 9,10,10,11,11,11,11,12,12,21,12,
  126825. 12, 9, 9,10,10,11,11,12,12,12,12,21,21,21,11,11,
  126826. 10,10,11,12,12,12,13,13,21,21,21,11,11,10,10,12,
  126827. 12,12,12,13,13,21,21,21,15,15,11,11,12,12,13,13,
  126828. 13,13,21,21,21,15,16,11,11,12,12,13,13,14,14,21,
  126829. 21,21,21,20,13,13,13,13,13,13,14,14,20,20,20,20,
  126830. 20,13,13,13,13,13,13,14,14,
  126831. };
  126832. static float _vq_quantthresh__44c6_s_p7_0[] = {
  126833. -60.5, -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5,
  126834. 27.5, 38.5, 49.5, 60.5,
  126835. };
  126836. static long _vq_quantmap__44c6_s_p7_0[] = {
  126837. 11, 9, 7, 5, 3, 1, 0, 2,
  126838. 4, 6, 8, 10, 12,
  126839. };
  126840. static encode_aux_threshmatch _vq_auxt__44c6_s_p7_0 = {
  126841. _vq_quantthresh__44c6_s_p7_0,
  126842. _vq_quantmap__44c6_s_p7_0,
  126843. 13,
  126844. 13
  126845. };
  126846. static static_codebook _44c6_s_p7_0 = {
  126847. 2, 169,
  126848. _vq_lengthlist__44c6_s_p7_0,
  126849. 1, -523206656, 1618345984, 4, 0,
  126850. _vq_quantlist__44c6_s_p7_0,
  126851. NULL,
  126852. &_vq_auxt__44c6_s_p7_0,
  126853. NULL,
  126854. 0
  126855. };
  126856. static long _vq_quantlist__44c6_s_p7_1[] = {
  126857. 5,
  126858. 4,
  126859. 6,
  126860. 3,
  126861. 7,
  126862. 2,
  126863. 8,
  126864. 1,
  126865. 9,
  126866. 0,
  126867. 10,
  126868. };
  126869. static long _vq_lengthlist__44c6_s_p7_1[] = {
  126870. 3, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 9, 5, 5, 6, 6,
  126871. 7, 7, 7, 7, 8, 7, 8, 5, 5, 6, 6, 7, 7, 7, 7, 7,
  126872. 7, 9, 6, 6, 7, 7, 7, 7, 8, 7, 7, 8, 9, 9, 9, 7,
  126873. 7, 7, 7, 7, 7, 7, 8, 9, 9, 9, 7, 7, 7, 7, 8, 8,
  126874. 8, 8, 9, 9, 9, 7, 7, 7, 7, 7, 7, 8, 8, 9, 9, 9,
  126875. 8, 8, 8, 8, 7, 7, 8, 8, 9, 9, 9, 9, 8, 8, 8, 7,
  126876. 7, 8, 8, 9, 9, 9, 8, 8, 8, 8, 7, 7, 8, 8, 9, 9,
  126877. 9, 8, 8, 7, 7, 7, 7, 8, 8,
  126878. };
  126879. static float _vq_quantthresh__44c6_s_p7_1[] = {
  126880. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  126881. 3.5, 4.5,
  126882. };
  126883. static long _vq_quantmap__44c6_s_p7_1[] = {
  126884. 9, 7, 5, 3, 1, 0, 2, 4,
  126885. 6, 8, 10,
  126886. };
  126887. static encode_aux_threshmatch _vq_auxt__44c6_s_p7_1 = {
  126888. _vq_quantthresh__44c6_s_p7_1,
  126889. _vq_quantmap__44c6_s_p7_1,
  126890. 11,
  126891. 11
  126892. };
  126893. static static_codebook _44c6_s_p7_1 = {
  126894. 2, 121,
  126895. _vq_lengthlist__44c6_s_p7_1,
  126896. 1, -531365888, 1611661312, 4, 0,
  126897. _vq_quantlist__44c6_s_p7_1,
  126898. NULL,
  126899. &_vq_auxt__44c6_s_p7_1,
  126900. NULL,
  126901. 0
  126902. };
  126903. static long _vq_quantlist__44c6_s_p8_0[] = {
  126904. 7,
  126905. 6,
  126906. 8,
  126907. 5,
  126908. 9,
  126909. 4,
  126910. 10,
  126911. 3,
  126912. 11,
  126913. 2,
  126914. 12,
  126915. 1,
  126916. 13,
  126917. 0,
  126918. 14,
  126919. };
  126920. static long _vq_lengthlist__44c6_s_p8_0[] = {
  126921. 1, 4, 4, 7, 7, 8, 8, 7, 7, 8, 7, 9, 8,10, 9, 6,
  126922. 5, 5, 8, 8, 9, 9, 8, 8, 9, 9,11,10,11,10, 6, 5,
  126923. 5, 8, 8, 9, 9, 8, 8, 9, 9,10,10,11,11,18, 8, 8,
  126924. 9, 8,10,10, 9, 9,10,10,10,10,11,10,18, 8, 8, 9,
  126925. 9,10,10, 9, 9,10,10,11,11,12,12,18,12,13, 9,10,
  126926. 10,10, 9,10,10,10,11,11,12,11,18,13,13, 9, 9,10,
  126927. 10,10,10,10,10,11,11,12,12,18,18,18,10,10, 9, 9,
  126928. 11,11,11,11,11,12,12,12,18,18,18,10, 9,10, 9,11,
  126929. 10,11,11,11,11,13,12,18,18,18,14,13,10,10,11,11,
  126930. 12,12,12,12,12,12,18,18,18,14,13,10,10,11,10,12,
  126931. 12,12,12,12,12,18,18,18,18,18,12,12,11,11,12,12,
  126932. 13,13,13,14,18,18,18,18,18,12,12,11,11,12,11,13,
  126933. 13,14,13,18,18,18,18,18,16,16,11,12,12,13,13,13,
  126934. 14,13,18,18,18,18,18,16,15,12,11,12,11,13,11,15,
  126935. 14,
  126936. };
  126937. static float _vq_quantthresh__44c6_s_p8_0[] = {
  126938. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  126939. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  126940. };
  126941. static long _vq_quantmap__44c6_s_p8_0[] = {
  126942. 13, 11, 9, 7, 5, 3, 1, 0,
  126943. 2, 4, 6, 8, 10, 12, 14,
  126944. };
  126945. static encode_aux_threshmatch _vq_auxt__44c6_s_p8_0 = {
  126946. _vq_quantthresh__44c6_s_p8_0,
  126947. _vq_quantmap__44c6_s_p8_0,
  126948. 15,
  126949. 15
  126950. };
  126951. static static_codebook _44c6_s_p8_0 = {
  126952. 2, 225,
  126953. _vq_lengthlist__44c6_s_p8_0,
  126954. 1, -520986624, 1620377600, 4, 0,
  126955. _vq_quantlist__44c6_s_p8_0,
  126956. NULL,
  126957. &_vq_auxt__44c6_s_p8_0,
  126958. NULL,
  126959. 0
  126960. };
  126961. static long _vq_quantlist__44c6_s_p8_1[] = {
  126962. 10,
  126963. 9,
  126964. 11,
  126965. 8,
  126966. 12,
  126967. 7,
  126968. 13,
  126969. 6,
  126970. 14,
  126971. 5,
  126972. 15,
  126973. 4,
  126974. 16,
  126975. 3,
  126976. 17,
  126977. 2,
  126978. 18,
  126979. 1,
  126980. 19,
  126981. 0,
  126982. 20,
  126983. };
  126984. static long _vq_lengthlist__44c6_s_p8_1[] = {
  126985. 3, 5, 5, 6, 6, 7, 7, 7, 7, 8, 7, 8, 8, 8, 8, 8,
  126986. 8, 8, 8, 8, 8,10, 6, 6, 7, 7, 8, 8, 8, 8, 8, 8,
  126987. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 6, 6, 7, 7, 8,
  126988. 8, 8, 8, 8, 8, 9, 8, 9, 9, 9, 9, 9, 9, 9, 9,10,
  126989. 7, 7, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  126990. 9, 9, 9, 9,10,11,11, 8, 7, 8, 8, 8, 9, 9, 9, 9,
  126991. 9, 9, 9, 9, 9, 9, 9, 9, 9,11,11,11, 8, 8, 8, 8,
  126992. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,11,
  126993. 11, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  126994. 9, 9, 9,11,11,11, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  126995. 9, 9, 9, 9, 9, 9, 9, 9,11,11,11,11,11, 9, 9, 9,
  126996. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10, 9,11,11,11,
  126997. 11,11, 9, 9, 9, 9, 9, 9,10, 9, 9,10, 9,10, 9, 9,
  126998. 10, 9,11,11,11,11,11, 9, 9, 9, 9, 9, 9, 9,10,10,
  126999. 10,10, 9,10,10, 9,10,11,11,11,11,11, 9, 9, 9, 9,
  127000. 10,10,10, 9,10,10,10,10, 9,10,10, 9,11,11,11,11,
  127001. 11,11,11, 9, 9, 9, 9,10,10,10,10, 9,10,10,10,10,
  127002. 10,11,11,11,11,11,11,11,10, 9,10,10,10,10,10,10,
  127003. 10, 9,10, 9,10,10,11,11,11,11,11,11,11,10, 9,10,
  127004. 9,10,10, 9,10,10,10,10,10,10,10,11,11,11,11,11,
  127005. 11,11,10,10,10,10,10,10,10, 9,10,10,10,10,10, 9,
  127006. 11,11,11,11,11,11,11,11,11,10,10,10,10,10,10,10,
  127007. 10,10,10,10,10,11,11,11,11,11,11,11,11,11,10,10,
  127008. 10,10,10,10,10,10,10,10,10,10,11,11,11,11,11,11,
  127009. 11,11,11,10,10,10,10,10,10,10,10,10, 9,10,10,11,
  127010. 11,11,11,11,11,11,11,11,10,10,10, 9,10,10,10,10,
  127011. 10,10,10,10,10,11,11,11,11,11,11,11,11,10,11, 9,
  127012. 10,10,10,10,10,10,10,10,10,
  127013. };
  127014. static float _vq_quantthresh__44c6_s_p8_1[] = {
  127015. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  127016. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  127017. 6.5, 7.5, 8.5, 9.5,
  127018. };
  127019. static long _vq_quantmap__44c6_s_p8_1[] = {
  127020. 19, 17, 15, 13, 11, 9, 7, 5,
  127021. 3, 1, 0, 2, 4, 6, 8, 10,
  127022. 12, 14, 16, 18, 20,
  127023. };
  127024. static encode_aux_threshmatch _vq_auxt__44c6_s_p8_1 = {
  127025. _vq_quantthresh__44c6_s_p8_1,
  127026. _vq_quantmap__44c6_s_p8_1,
  127027. 21,
  127028. 21
  127029. };
  127030. static static_codebook _44c6_s_p8_1 = {
  127031. 2, 441,
  127032. _vq_lengthlist__44c6_s_p8_1,
  127033. 1, -529268736, 1611661312, 5, 0,
  127034. _vq_quantlist__44c6_s_p8_1,
  127035. NULL,
  127036. &_vq_auxt__44c6_s_p8_1,
  127037. NULL,
  127038. 0
  127039. };
  127040. static long _vq_quantlist__44c6_s_p9_0[] = {
  127041. 6,
  127042. 5,
  127043. 7,
  127044. 4,
  127045. 8,
  127046. 3,
  127047. 9,
  127048. 2,
  127049. 10,
  127050. 1,
  127051. 11,
  127052. 0,
  127053. 12,
  127054. };
  127055. static long _vq_lengthlist__44c6_s_p9_0[] = {
  127056. 1, 3, 3,11,11,11,11,11,11,11,11,11,11, 4, 7, 7,
  127057. 11,11,11,11,11,11,11,11,11,11, 5, 8, 9,11,11,11,
  127058. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127059. 11,11,11,11,11,10,10,10,10,10,10,10,10,10,10,10,
  127060. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  127061. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  127062. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  127063. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  127064. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  127065. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  127066. 10,10,10,10,10,10,10,10,10,
  127067. };
  127068. static float _vq_quantthresh__44c6_s_p9_0[] = {
  127069. -3503.5, -2866.5, -2229.5, -1592.5, -955.5, -318.5, 318.5, 955.5,
  127070. 1592.5, 2229.5, 2866.5, 3503.5,
  127071. };
  127072. static long _vq_quantmap__44c6_s_p9_0[] = {
  127073. 11, 9, 7, 5, 3, 1, 0, 2,
  127074. 4, 6, 8, 10, 12,
  127075. };
  127076. static encode_aux_threshmatch _vq_auxt__44c6_s_p9_0 = {
  127077. _vq_quantthresh__44c6_s_p9_0,
  127078. _vq_quantmap__44c6_s_p9_0,
  127079. 13,
  127080. 13
  127081. };
  127082. static static_codebook _44c6_s_p9_0 = {
  127083. 2, 169,
  127084. _vq_lengthlist__44c6_s_p9_0,
  127085. 1, -511845376, 1630791680, 4, 0,
  127086. _vq_quantlist__44c6_s_p9_0,
  127087. NULL,
  127088. &_vq_auxt__44c6_s_p9_0,
  127089. NULL,
  127090. 0
  127091. };
  127092. static long _vq_quantlist__44c6_s_p9_1[] = {
  127093. 6,
  127094. 5,
  127095. 7,
  127096. 4,
  127097. 8,
  127098. 3,
  127099. 9,
  127100. 2,
  127101. 10,
  127102. 1,
  127103. 11,
  127104. 0,
  127105. 12,
  127106. };
  127107. static long _vq_lengthlist__44c6_s_p9_1[] = {
  127108. 1, 4, 4, 7, 7, 7, 7, 7, 6, 8, 8, 8, 8, 6, 6, 6,
  127109. 8, 8, 8, 8, 8, 7, 9, 8,10,10, 5, 6, 6, 8, 8, 9,
  127110. 9, 8, 8,10,10,10,10,16, 9, 9, 9, 9, 9, 9, 9, 8,
  127111. 10, 9,11,11,16, 8, 9, 9, 9, 9, 9, 9, 9,10,10,11,
  127112. 11,16,13,13, 9, 9,10, 9, 9,10,11,11,11,12,16,13,
  127113. 14, 9, 8,10, 8, 9, 9,10,10,12,11,16,14,16, 9, 9,
  127114. 9, 9,11,11,12,11,12,11,16,16,16, 9, 7, 9, 6,11,
  127115. 11,11,10,11,11,16,16,16,11,12, 9,10,11,11,12,11,
  127116. 13,13,16,16,16,12,11,10, 7,12,10,12,12,12,12,16,
  127117. 16,15,16,16,10,11,10,11,13,13,14,12,16,16,16,15,
  127118. 15,12,10,11,11,13,11,12,13,
  127119. };
  127120. static float _vq_quantthresh__44c6_s_p9_1[] = {
  127121. -269.5, -220.5, -171.5, -122.5, -73.5, -24.5, 24.5, 73.5,
  127122. 122.5, 171.5, 220.5, 269.5,
  127123. };
  127124. static long _vq_quantmap__44c6_s_p9_1[] = {
  127125. 11, 9, 7, 5, 3, 1, 0, 2,
  127126. 4, 6, 8, 10, 12,
  127127. };
  127128. static encode_aux_threshmatch _vq_auxt__44c6_s_p9_1 = {
  127129. _vq_quantthresh__44c6_s_p9_1,
  127130. _vq_quantmap__44c6_s_p9_1,
  127131. 13,
  127132. 13
  127133. };
  127134. static static_codebook _44c6_s_p9_1 = {
  127135. 2, 169,
  127136. _vq_lengthlist__44c6_s_p9_1,
  127137. 1, -518889472, 1622704128, 4, 0,
  127138. _vq_quantlist__44c6_s_p9_1,
  127139. NULL,
  127140. &_vq_auxt__44c6_s_p9_1,
  127141. NULL,
  127142. 0
  127143. };
  127144. static long _vq_quantlist__44c6_s_p9_2[] = {
  127145. 24,
  127146. 23,
  127147. 25,
  127148. 22,
  127149. 26,
  127150. 21,
  127151. 27,
  127152. 20,
  127153. 28,
  127154. 19,
  127155. 29,
  127156. 18,
  127157. 30,
  127158. 17,
  127159. 31,
  127160. 16,
  127161. 32,
  127162. 15,
  127163. 33,
  127164. 14,
  127165. 34,
  127166. 13,
  127167. 35,
  127168. 12,
  127169. 36,
  127170. 11,
  127171. 37,
  127172. 10,
  127173. 38,
  127174. 9,
  127175. 39,
  127176. 8,
  127177. 40,
  127178. 7,
  127179. 41,
  127180. 6,
  127181. 42,
  127182. 5,
  127183. 43,
  127184. 4,
  127185. 44,
  127186. 3,
  127187. 45,
  127188. 2,
  127189. 46,
  127190. 1,
  127191. 47,
  127192. 0,
  127193. 48,
  127194. };
  127195. static long _vq_lengthlist__44c6_s_p9_2[] = {
  127196. 2, 4, 3, 4, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 6, 6,
  127197. 6, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  127198. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  127199. 7,
  127200. };
  127201. static float _vq_quantthresh__44c6_s_p9_2[] = {
  127202. -23.5, -22.5, -21.5, -20.5, -19.5, -18.5, -17.5, -16.5,
  127203. -15.5, -14.5, -13.5, -12.5, -11.5, -10.5, -9.5, -8.5,
  127204. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  127205. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  127206. 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5,
  127207. 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5,
  127208. };
  127209. static long _vq_quantmap__44c6_s_p9_2[] = {
  127210. 47, 45, 43, 41, 39, 37, 35, 33,
  127211. 31, 29, 27, 25, 23, 21, 19, 17,
  127212. 15, 13, 11, 9, 7, 5, 3, 1,
  127213. 0, 2, 4, 6, 8, 10, 12, 14,
  127214. 16, 18, 20, 22, 24, 26, 28, 30,
  127215. 32, 34, 36, 38, 40, 42, 44, 46,
  127216. 48,
  127217. };
  127218. static encode_aux_threshmatch _vq_auxt__44c6_s_p9_2 = {
  127219. _vq_quantthresh__44c6_s_p9_2,
  127220. _vq_quantmap__44c6_s_p9_2,
  127221. 49,
  127222. 49
  127223. };
  127224. static static_codebook _44c6_s_p9_2 = {
  127225. 1, 49,
  127226. _vq_lengthlist__44c6_s_p9_2,
  127227. 1, -526909440, 1611661312, 6, 0,
  127228. _vq_quantlist__44c6_s_p9_2,
  127229. NULL,
  127230. &_vq_auxt__44c6_s_p9_2,
  127231. NULL,
  127232. 0
  127233. };
  127234. static long _huff_lengthlist__44c6_s_short[] = {
  127235. 3, 9,11,11,13,14,19,17,17,19, 5, 4, 5, 8,10,10,
  127236. 13,16,18,19, 7, 4, 4, 5, 8, 9,12,14,17,19, 8, 6,
  127237. 5, 5, 7, 7,10,13,16,18,10, 8, 7, 6, 5, 5, 8,11,
  127238. 17,19,11, 9, 7, 7, 5, 4, 5, 8,17,19,13,11, 8, 7,
  127239. 7, 5, 5, 7,16,18,14,13, 8, 6, 6, 5, 5, 7,16,18,
  127240. 18,16,10, 8, 8, 7, 7, 9,16,18,18,18,12,10,10, 9,
  127241. 9,10,17,18,
  127242. };
  127243. static static_codebook _huff_book__44c6_s_short = {
  127244. 2, 100,
  127245. _huff_lengthlist__44c6_s_short,
  127246. 0, 0, 0, 0, 0,
  127247. NULL,
  127248. NULL,
  127249. NULL,
  127250. NULL,
  127251. 0
  127252. };
  127253. static long _huff_lengthlist__44c7_s_long[] = {
  127254. 3, 8,11,13,15,14,14,13,15,14, 6, 4, 5, 7, 9,10,
  127255. 11,11,14,13,10, 4, 3, 5, 7, 8, 9,10,13,13,12, 7,
  127256. 4, 4, 5, 6, 8, 9,12,14,13, 9, 6, 5, 5, 6, 8, 9,
  127257. 12,14,12, 9, 7, 6, 5, 5, 6, 8,11,11,12,11, 9, 8,
  127258. 7, 6, 6, 7,10,11,13,11,10, 9, 8, 7, 6, 6, 9,11,
  127259. 13,13,12,12,12,10, 9, 8, 9,11,12,14,15,15,14,12,
  127260. 11,10,10,12,
  127261. };
  127262. static static_codebook _huff_book__44c7_s_long = {
  127263. 2, 100,
  127264. _huff_lengthlist__44c7_s_long,
  127265. 0, 0, 0, 0, 0,
  127266. NULL,
  127267. NULL,
  127268. NULL,
  127269. NULL,
  127270. 0
  127271. };
  127272. static long _vq_quantlist__44c7_s_p1_0[] = {
  127273. 1,
  127274. 0,
  127275. 2,
  127276. };
  127277. static long _vq_lengthlist__44c7_s_p1_0[] = {
  127278. 1, 5, 5, 0, 5, 5, 0, 5, 5, 5, 8, 7, 0, 9, 9, 0,
  127279. 9, 8, 5, 7, 8, 0, 9, 9, 0, 8, 9, 0, 0, 0, 0, 0,
  127280. 0, 0, 0, 0, 5, 9, 9, 0, 8, 8, 0, 8, 8, 5, 8, 9,
  127281. 0, 8, 8, 0, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0, 5,
  127282. 9, 9, 0, 8, 8, 0, 8, 8, 5, 8, 9, 0, 8, 8, 0, 8,
  127283. 8,
  127284. };
  127285. static float _vq_quantthresh__44c7_s_p1_0[] = {
  127286. -0.5, 0.5,
  127287. };
  127288. static long _vq_quantmap__44c7_s_p1_0[] = {
  127289. 1, 0, 2,
  127290. };
  127291. static encode_aux_threshmatch _vq_auxt__44c7_s_p1_0 = {
  127292. _vq_quantthresh__44c7_s_p1_0,
  127293. _vq_quantmap__44c7_s_p1_0,
  127294. 3,
  127295. 3
  127296. };
  127297. static static_codebook _44c7_s_p1_0 = {
  127298. 4, 81,
  127299. _vq_lengthlist__44c7_s_p1_0,
  127300. 1, -535822336, 1611661312, 2, 0,
  127301. _vq_quantlist__44c7_s_p1_0,
  127302. NULL,
  127303. &_vq_auxt__44c7_s_p1_0,
  127304. NULL,
  127305. 0
  127306. };
  127307. static long _vq_quantlist__44c7_s_p2_0[] = {
  127308. 2,
  127309. 1,
  127310. 3,
  127311. 0,
  127312. 4,
  127313. };
  127314. static long _vq_lengthlist__44c7_s_p2_0[] = {
  127315. 3, 5, 5, 8, 8, 0, 5, 5, 8, 8, 0, 5, 5, 8, 8, 0,
  127316. 7, 7, 9, 9, 0, 0, 0, 9, 9, 5, 7, 7, 9, 9, 0, 8,
  127317. 8,10,10, 0, 8, 7,10, 9, 0,10,10,11,11, 0, 0, 0,
  127318. 11,11, 5, 7, 7, 9, 9, 0, 8, 8,10,10, 0, 7, 8, 9,
  127319. 10, 0,10,10,11,11, 0, 0, 0,11,11, 8, 9, 9,11,10,
  127320. 0,11,11,12,12, 0,11,10,12,12, 0,13,14,14,14, 0,
  127321. 0, 0,14,13, 8, 9, 9,10,11, 0,11,11,12,12, 0,10,
  127322. 11,12,12, 0,13,13,14,14, 0, 0, 0,13,14, 0, 0, 0,
  127323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127324. 0, 0, 0, 0, 0, 0, 5, 8, 7,11,10, 0, 7, 7,10,10,
  127325. 0, 7, 7,10,10, 0, 9, 9,11,10, 0, 0, 0,11,11, 5,
  127326. 7, 8,10,11, 0, 7, 7,10,10, 0, 7, 7,10,10, 0, 9,
  127327. 9,10,11, 0, 0, 0,11,11, 8,10, 9,12,12, 0,10,10,
  127328. 12,12, 0,10,10,12,12, 0,12,12,13,13, 0, 0, 0,13,
  127329. 13, 8, 9,10,12,12, 0,10,10,12,12, 0,10,10,11,12,
  127330. 0,12,12,13,13, 0, 0, 0,13,13, 0, 0, 0, 0, 0, 0,
  127331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127332. 0, 0, 0, 5, 8, 8,11,11, 0, 7, 7,10,10, 0, 7, 7,
  127333. 10,10, 0, 9, 9,10,11, 0, 0, 0,11,10, 5, 8, 8,10,
  127334. 11, 0, 7, 7,10,10, 0, 7, 7,10,10, 0, 9, 9,11,10,
  127335. 0, 0, 0,10,11, 9,10,10,12,12, 0,10,10,12,12, 0,
  127336. 10,10,12,12, 0,12,13,13,13, 0, 0, 0,13,12, 9,10,
  127337. 10,12,12, 0,10,10,12,12, 0,10,10,12,12, 0,13,12,
  127338. 13,13, 0, 0, 0,12,13, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127340. 7,10,10,14,13, 0, 9, 9,12,12, 0, 9, 9,12,12, 0,
  127341. 10,10,12,12, 0, 0, 0,12,12, 7,10,10,13,14, 0, 9,
  127342. 9,12,13, 0, 9, 9,12,12, 0,10,10,12,12, 0, 0, 0,
  127343. 12,12, 9,11,11,14,13, 0,11,10,13,12, 0,11,11,13,
  127344. 13, 0,12,12,13,13, 0, 0, 0,13,13, 9,11,11,13,14,
  127345. 0,10,11,12,13, 0,11,11,13,13, 0,12,12,13,13, 0,
  127346. 0, 0,13,13, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 9,
  127351. 11,11,14,14, 0,10,11,13,13, 0,11,10,13,13, 0,12,
  127352. 12,13,13, 0, 0, 0,13,12, 9,11,11,14,14, 0,11,10,
  127353. 13,13, 0,10,11,13,13, 0,12,12,14,13, 0, 0, 0,13,
  127354. 13,
  127355. };
  127356. static float _vq_quantthresh__44c7_s_p2_0[] = {
  127357. -1.5, -0.5, 0.5, 1.5,
  127358. };
  127359. static long _vq_quantmap__44c7_s_p2_0[] = {
  127360. 3, 1, 0, 2, 4,
  127361. };
  127362. static encode_aux_threshmatch _vq_auxt__44c7_s_p2_0 = {
  127363. _vq_quantthresh__44c7_s_p2_0,
  127364. _vq_quantmap__44c7_s_p2_0,
  127365. 5,
  127366. 5
  127367. };
  127368. static static_codebook _44c7_s_p2_0 = {
  127369. 4, 625,
  127370. _vq_lengthlist__44c7_s_p2_0,
  127371. 1, -533725184, 1611661312, 3, 0,
  127372. _vq_quantlist__44c7_s_p2_0,
  127373. NULL,
  127374. &_vq_auxt__44c7_s_p2_0,
  127375. NULL,
  127376. 0
  127377. };
  127378. static long _vq_quantlist__44c7_s_p3_0[] = {
  127379. 4,
  127380. 3,
  127381. 5,
  127382. 2,
  127383. 6,
  127384. 1,
  127385. 7,
  127386. 0,
  127387. 8,
  127388. };
  127389. static long _vq_lengthlist__44c7_s_p3_0[] = {
  127390. 2, 4, 4, 5, 5, 7, 7, 9, 9, 0, 4, 4, 6, 6, 7, 7,
  127391. 9, 9, 0, 4, 4, 6, 6, 7, 7, 9, 9, 0, 5, 5, 6, 6,
  127392. 8, 8,10,10, 0, 0, 0, 6, 6, 8, 8,10,10, 0, 0, 0,
  127393. 7, 7, 9, 9,10,10, 0, 0, 0, 7, 7, 8, 8,10,10, 0,
  127394. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127395. 0,
  127396. };
  127397. static float _vq_quantthresh__44c7_s_p3_0[] = {
  127398. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  127399. };
  127400. static long _vq_quantmap__44c7_s_p3_0[] = {
  127401. 7, 5, 3, 1, 0, 2, 4, 6,
  127402. 8,
  127403. };
  127404. static encode_aux_threshmatch _vq_auxt__44c7_s_p3_0 = {
  127405. _vq_quantthresh__44c7_s_p3_0,
  127406. _vq_quantmap__44c7_s_p3_0,
  127407. 9,
  127408. 9
  127409. };
  127410. static static_codebook _44c7_s_p3_0 = {
  127411. 2, 81,
  127412. _vq_lengthlist__44c7_s_p3_0,
  127413. 1, -531628032, 1611661312, 4, 0,
  127414. _vq_quantlist__44c7_s_p3_0,
  127415. NULL,
  127416. &_vq_auxt__44c7_s_p3_0,
  127417. NULL,
  127418. 0
  127419. };
  127420. static long _vq_quantlist__44c7_s_p4_0[] = {
  127421. 8,
  127422. 7,
  127423. 9,
  127424. 6,
  127425. 10,
  127426. 5,
  127427. 11,
  127428. 4,
  127429. 12,
  127430. 3,
  127431. 13,
  127432. 2,
  127433. 14,
  127434. 1,
  127435. 15,
  127436. 0,
  127437. 16,
  127438. };
  127439. static long _vq_lengthlist__44c7_s_p4_0[] = {
  127440. 3, 4, 4, 5, 5, 7, 7, 8, 8, 8, 8, 9, 9,10,10,11,
  127441. 11, 0, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10,11,11,
  127442. 12,12, 0, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10,11,
  127443. 11,12,12, 0, 5, 5, 6, 6, 8, 8, 9, 9, 9, 9,10,10,
  127444. 11,12,12,12, 0, 0, 0, 6, 6, 8, 7, 9, 9, 9, 9,10,
  127445. 10,11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,10,10,
  127446. 11,11,12,12,13,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,10,
  127447. 10,11,11,12,12,12,13, 0, 0, 0, 7, 7, 8, 8, 9, 9,
  127448. 10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 8, 8, 9,
  127449. 9,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 0, 0,
  127450. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127451. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127452. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127453. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127454. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127455. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127456. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127457. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127458. 0,
  127459. };
  127460. static float _vq_quantthresh__44c7_s_p4_0[] = {
  127461. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  127462. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  127463. };
  127464. static long _vq_quantmap__44c7_s_p4_0[] = {
  127465. 15, 13, 11, 9, 7, 5, 3, 1,
  127466. 0, 2, 4, 6, 8, 10, 12, 14,
  127467. 16,
  127468. };
  127469. static encode_aux_threshmatch _vq_auxt__44c7_s_p4_0 = {
  127470. _vq_quantthresh__44c7_s_p4_0,
  127471. _vq_quantmap__44c7_s_p4_0,
  127472. 17,
  127473. 17
  127474. };
  127475. static static_codebook _44c7_s_p4_0 = {
  127476. 2, 289,
  127477. _vq_lengthlist__44c7_s_p4_0,
  127478. 1, -529530880, 1611661312, 5, 0,
  127479. _vq_quantlist__44c7_s_p4_0,
  127480. NULL,
  127481. &_vq_auxt__44c7_s_p4_0,
  127482. NULL,
  127483. 0
  127484. };
  127485. static long _vq_quantlist__44c7_s_p5_0[] = {
  127486. 1,
  127487. 0,
  127488. 2,
  127489. };
  127490. static long _vq_lengthlist__44c7_s_p5_0[] = {
  127491. 1, 4, 4, 5, 7, 7, 6, 7, 7, 4, 6, 7,10,10,10,10,
  127492. 10, 9, 4, 6, 6,10,10,10,10, 9,10, 5,10,10, 9,11,
  127493. 12,10,11,12, 7,10,10,11,12,12,12,12,12, 7,10,10,
  127494. 11,12,12,12,12,12, 6,10,10,10,12,12,11,12,12, 7,
  127495. 10,10,12,12,12,12,11,12, 7,10,10,11,12,12,12,12,
  127496. 12,
  127497. };
  127498. static float _vq_quantthresh__44c7_s_p5_0[] = {
  127499. -5.5, 5.5,
  127500. };
  127501. static long _vq_quantmap__44c7_s_p5_0[] = {
  127502. 1, 0, 2,
  127503. };
  127504. static encode_aux_threshmatch _vq_auxt__44c7_s_p5_0 = {
  127505. _vq_quantthresh__44c7_s_p5_0,
  127506. _vq_quantmap__44c7_s_p5_0,
  127507. 3,
  127508. 3
  127509. };
  127510. static static_codebook _44c7_s_p5_0 = {
  127511. 4, 81,
  127512. _vq_lengthlist__44c7_s_p5_0,
  127513. 1, -529137664, 1618345984, 2, 0,
  127514. _vq_quantlist__44c7_s_p5_0,
  127515. NULL,
  127516. &_vq_auxt__44c7_s_p5_0,
  127517. NULL,
  127518. 0
  127519. };
  127520. static long _vq_quantlist__44c7_s_p5_1[] = {
  127521. 5,
  127522. 4,
  127523. 6,
  127524. 3,
  127525. 7,
  127526. 2,
  127527. 8,
  127528. 1,
  127529. 9,
  127530. 0,
  127531. 10,
  127532. };
  127533. static long _vq_lengthlist__44c7_s_p5_1[] = {
  127534. 3, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8,11, 4, 4, 6, 6,
  127535. 7, 7, 8, 8, 9, 9,11, 4, 4, 6, 6, 7, 7, 8, 8, 9,
  127536. 9,12, 5, 5, 6, 6, 7, 7, 9, 9, 9, 9,12,12,12, 6,
  127537. 6, 7, 7, 9, 9, 9, 9,11,11,11, 7, 7, 7, 7, 8, 8,
  127538. 9, 9,11,11,11, 7, 7, 7, 7, 8, 8, 9, 9,11,11,11,
  127539. 7, 7, 8, 8, 8, 8, 9, 9,11,11,11,11,11, 8, 8, 8,
  127540. 8, 8, 9,11,11,11,11,11, 8, 8, 8, 8, 8, 8,11,11,
  127541. 11,11,11, 7, 7, 8, 8, 8, 8,
  127542. };
  127543. static float _vq_quantthresh__44c7_s_p5_1[] = {
  127544. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  127545. 3.5, 4.5,
  127546. };
  127547. static long _vq_quantmap__44c7_s_p5_1[] = {
  127548. 9, 7, 5, 3, 1, 0, 2, 4,
  127549. 6, 8, 10,
  127550. };
  127551. static encode_aux_threshmatch _vq_auxt__44c7_s_p5_1 = {
  127552. _vq_quantthresh__44c7_s_p5_1,
  127553. _vq_quantmap__44c7_s_p5_1,
  127554. 11,
  127555. 11
  127556. };
  127557. static static_codebook _44c7_s_p5_1 = {
  127558. 2, 121,
  127559. _vq_lengthlist__44c7_s_p5_1,
  127560. 1, -531365888, 1611661312, 4, 0,
  127561. _vq_quantlist__44c7_s_p5_1,
  127562. NULL,
  127563. &_vq_auxt__44c7_s_p5_1,
  127564. NULL,
  127565. 0
  127566. };
  127567. static long _vq_quantlist__44c7_s_p6_0[] = {
  127568. 6,
  127569. 5,
  127570. 7,
  127571. 4,
  127572. 8,
  127573. 3,
  127574. 9,
  127575. 2,
  127576. 10,
  127577. 1,
  127578. 11,
  127579. 0,
  127580. 12,
  127581. };
  127582. static long _vq_lengthlist__44c7_s_p6_0[] = {
  127583. 1, 4, 4, 6, 6, 7, 7, 8, 7, 9, 8,10,10, 6, 5, 5,
  127584. 7, 7, 8, 8, 9, 9, 9,10,11,11, 7, 5, 5, 7, 7, 8,
  127585. 8, 9, 9,10,10,11,11, 0, 7, 7, 7, 7, 9, 8, 9, 9,
  127586. 10,10,11,11, 0, 8, 8, 7, 7, 8, 9, 9, 9,10,10,11,
  127587. 11, 0,11,11, 9, 9,10,10,11,10,11,11,12,12, 0,12,
  127588. 12, 9, 9,10,10,11,11,11,11,12,12, 0, 0, 0, 0, 0,
  127589. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127590. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127591. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127592. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127593. 0, 0, 0, 0, 0, 0, 0, 0, 0,
  127594. };
  127595. static float _vq_quantthresh__44c7_s_p6_0[] = {
  127596. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  127597. 12.5, 17.5, 22.5, 27.5,
  127598. };
  127599. static long _vq_quantmap__44c7_s_p6_0[] = {
  127600. 11, 9, 7, 5, 3, 1, 0, 2,
  127601. 4, 6, 8, 10, 12,
  127602. };
  127603. static encode_aux_threshmatch _vq_auxt__44c7_s_p6_0 = {
  127604. _vq_quantthresh__44c7_s_p6_0,
  127605. _vq_quantmap__44c7_s_p6_0,
  127606. 13,
  127607. 13
  127608. };
  127609. static static_codebook _44c7_s_p6_0 = {
  127610. 2, 169,
  127611. _vq_lengthlist__44c7_s_p6_0,
  127612. 1, -526516224, 1616117760, 4, 0,
  127613. _vq_quantlist__44c7_s_p6_0,
  127614. NULL,
  127615. &_vq_auxt__44c7_s_p6_0,
  127616. NULL,
  127617. 0
  127618. };
  127619. static long _vq_quantlist__44c7_s_p6_1[] = {
  127620. 2,
  127621. 1,
  127622. 3,
  127623. 0,
  127624. 4,
  127625. };
  127626. static long _vq_lengthlist__44c7_s_p6_1[] = {
  127627. 3, 4, 4, 5, 5, 5, 4, 4, 5, 5, 5, 4, 4, 5, 5, 6,
  127628. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  127629. };
  127630. static float _vq_quantthresh__44c7_s_p6_1[] = {
  127631. -1.5, -0.5, 0.5, 1.5,
  127632. };
  127633. static long _vq_quantmap__44c7_s_p6_1[] = {
  127634. 3, 1, 0, 2, 4,
  127635. };
  127636. static encode_aux_threshmatch _vq_auxt__44c7_s_p6_1 = {
  127637. _vq_quantthresh__44c7_s_p6_1,
  127638. _vq_quantmap__44c7_s_p6_1,
  127639. 5,
  127640. 5
  127641. };
  127642. static static_codebook _44c7_s_p6_1 = {
  127643. 2, 25,
  127644. _vq_lengthlist__44c7_s_p6_1,
  127645. 1, -533725184, 1611661312, 3, 0,
  127646. _vq_quantlist__44c7_s_p6_1,
  127647. NULL,
  127648. &_vq_auxt__44c7_s_p6_1,
  127649. NULL,
  127650. 0
  127651. };
  127652. static long _vq_quantlist__44c7_s_p7_0[] = {
  127653. 6,
  127654. 5,
  127655. 7,
  127656. 4,
  127657. 8,
  127658. 3,
  127659. 9,
  127660. 2,
  127661. 10,
  127662. 1,
  127663. 11,
  127664. 0,
  127665. 12,
  127666. };
  127667. static long _vq_lengthlist__44c7_s_p7_0[] = {
  127668. 1, 4, 4, 6, 6, 7, 8, 9, 9,10,10,12,11, 6, 5, 5,
  127669. 7, 7, 8, 8, 9,10,11,11,12,12, 7, 5, 5, 7, 7, 8,
  127670. 8,10,10,11,11,12,12,20, 7, 7, 7, 7, 8, 9,10,10,
  127671. 11,11,12,13,20, 7, 7, 7, 7, 9, 9,10,10,11,12,13,
  127672. 13,20,11,11, 8, 8, 9, 9,11,11,12,12,13,13,20,11,
  127673. 11, 8, 8, 9, 9,11,11,12,12,13,13,20,20,20,10,10,
  127674. 10,10,12,12,13,13,13,13,20,20,20,10,10,10,10,12,
  127675. 12,13,13,13,14,20,20,20,14,14,11,11,12,12,13,13,
  127676. 14,14,20,20,20,14,14,11,11,12,12,13,13,14,14,20,
  127677. 20,20,20,19,13,13,13,13,14,14,15,14,19,19,19,19,
  127678. 19,13,13,13,13,14,14,15,15,
  127679. };
  127680. static float _vq_quantthresh__44c7_s_p7_0[] = {
  127681. -60.5, -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5,
  127682. 27.5, 38.5, 49.5, 60.5,
  127683. };
  127684. static long _vq_quantmap__44c7_s_p7_0[] = {
  127685. 11, 9, 7, 5, 3, 1, 0, 2,
  127686. 4, 6, 8, 10, 12,
  127687. };
  127688. static encode_aux_threshmatch _vq_auxt__44c7_s_p7_0 = {
  127689. _vq_quantthresh__44c7_s_p7_0,
  127690. _vq_quantmap__44c7_s_p7_0,
  127691. 13,
  127692. 13
  127693. };
  127694. static static_codebook _44c7_s_p7_0 = {
  127695. 2, 169,
  127696. _vq_lengthlist__44c7_s_p7_0,
  127697. 1, -523206656, 1618345984, 4, 0,
  127698. _vq_quantlist__44c7_s_p7_0,
  127699. NULL,
  127700. &_vq_auxt__44c7_s_p7_0,
  127701. NULL,
  127702. 0
  127703. };
  127704. static long _vq_quantlist__44c7_s_p7_1[] = {
  127705. 5,
  127706. 4,
  127707. 6,
  127708. 3,
  127709. 7,
  127710. 2,
  127711. 8,
  127712. 1,
  127713. 9,
  127714. 0,
  127715. 10,
  127716. };
  127717. static long _vq_lengthlist__44c7_s_p7_1[] = {
  127718. 4, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 8, 6, 6, 7, 7,
  127719. 7, 7, 7, 7, 7, 7, 8, 6, 6, 6, 7, 7, 7, 7, 7, 7,
  127720. 7, 8, 6, 6, 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8, 7,
  127721. 7, 7, 7, 7, 7, 7, 7, 8, 8, 8, 7, 7, 7, 7, 7, 7,
  127722. 7, 7, 8, 8, 8, 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8,
  127723. 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 8, 7, 7, 7,
  127724. 7, 7, 7, 8, 8, 8, 8, 8, 7, 7, 7, 7, 7, 7, 8, 8,
  127725. 8, 8, 8, 7, 7, 7, 7, 7, 7,
  127726. };
  127727. static float _vq_quantthresh__44c7_s_p7_1[] = {
  127728. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  127729. 3.5, 4.5,
  127730. };
  127731. static long _vq_quantmap__44c7_s_p7_1[] = {
  127732. 9, 7, 5, 3, 1, 0, 2, 4,
  127733. 6, 8, 10,
  127734. };
  127735. static encode_aux_threshmatch _vq_auxt__44c7_s_p7_1 = {
  127736. _vq_quantthresh__44c7_s_p7_1,
  127737. _vq_quantmap__44c7_s_p7_1,
  127738. 11,
  127739. 11
  127740. };
  127741. static static_codebook _44c7_s_p7_1 = {
  127742. 2, 121,
  127743. _vq_lengthlist__44c7_s_p7_1,
  127744. 1, -531365888, 1611661312, 4, 0,
  127745. _vq_quantlist__44c7_s_p7_1,
  127746. NULL,
  127747. &_vq_auxt__44c7_s_p7_1,
  127748. NULL,
  127749. 0
  127750. };
  127751. static long _vq_quantlist__44c7_s_p8_0[] = {
  127752. 7,
  127753. 6,
  127754. 8,
  127755. 5,
  127756. 9,
  127757. 4,
  127758. 10,
  127759. 3,
  127760. 11,
  127761. 2,
  127762. 12,
  127763. 1,
  127764. 13,
  127765. 0,
  127766. 14,
  127767. };
  127768. static long _vq_lengthlist__44c7_s_p8_0[] = {
  127769. 1, 4, 4, 7, 7, 8, 8, 8, 7, 9, 8, 9, 9,10,10, 6,
  127770. 5, 5, 7, 7, 9, 9, 8, 8,10, 9,11,10,12,11, 6, 5,
  127771. 5, 8, 7, 9, 9, 8, 8,10,10,11,11,12,11,19, 8, 8,
  127772. 8, 8,10,10, 9, 9,10,10,11,11,12,11,19, 8, 8, 8,
  127773. 8,10,10, 9, 9,10,10,11,11,12,12,19,12,12, 9, 9,
  127774. 10,10, 9,10,10,10,11,11,12,12,19,12,12, 9, 9,10,
  127775. 10,10,10,10,10,12,12,12,12,19,19,19, 9, 9, 9, 9,
  127776. 11,10,11,11,12,11,13,13,19,19,19, 9, 9, 9, 9,11,
  127777. 10,11,11,11,12,13,13,19,19,19,13,13,10,10,11,11,
  127778. 12,12,12,12,13,12,19,19,19,14,13,10,10,11,11,12,
  127779. 12,12,13,13,13,19,19,19,19,19,12,12,12,11,12,13,
  127780. 14,13,13,13,19,19,19,19,19,12,12,12,11,12,12,13,
  127781. 14,13,14,19,19,19,19,19,16,16,12,13,12,13,13,14,
  127782. 15,14,19,18,18,18,18,16,15,12,11,12,11,14,12,14,
  127783. 14,
  127784. };
  127785. static float _vq_quantthresh__44c7_s_p8_0[] = {
  127786. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  127787. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  127788. };
  127789. static long _vq_quantmap__44c7_s_p8_0[] = {
  127790. 13, 11, 9, 7, 5, 3, 1, 0,
  127791. 2, 4, 6, 8, 10, 12, 14,
  127792. };
  127793. static encode_aux_threshmatch _vq_auxt__44c7_s_p8_0 = {
  127794. _vq_quantthresh__44c7_s_p8_0,
  127795. _vq_quantmap__44c7_s_p8_0,
  127796. 15,
  127797. 15
  127798. };
  127799. static static_codebook _44c7_s_p8_0 = {
  127800. 2, 225,
  127801. _vq_lengthlist__44c7_s_p8_0,
  127802. 1, -520986624, 1620377600, 4, 0,
  127803. _vq_quantlist__44c7_s_p8_0,
  127804. NULL,
  127805. &_vq_auxt__44c7_s_p8_0,
  127806. NULL,
  127807. 0
  127808. };
  127809. static long _vq_quantlist__44c7_s_p8_1[] = {
  127810. 10,
  127811. 9,
  127812. 11,
  127813. 8,
  127814. 12,
  127815. 7,
  127816. 13,
  127817. 6,
  127818. 14,
  127819. 5,
  127820. 15,
  127821. 4,
  127822. 16,
  127823. 3,
  127824. 17,
  127825. 2,
  127826. 18,
  127827. 1,
  127828. 19,
  127829. 0,
  127830. 20,
  127831. };
  127832. static long _vq_lengthlist__44c7_s_p8_1[] = {
  127833. 3, 5, 5, 7, 6, 7, 7, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  127834. 8, 8, 8, 8, 8,10, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,
  127835. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 6, 6, 7, 7, 8,
  127836. 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,
  127837. 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  127838. 9, 9, 9, 9,10,10,10, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  127839. 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10, 8, 8, 8, 9,
  127840. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,
  127841. 10, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  127842. 9, 9, 9,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  127843. 9, 9, 9, 9, 9, 9, 9, 9,10,11,10,10,10, 9, 9, 9,
  127844. 9, 9, 9, 9, 9, 9, 9,10, 9, 9,10, 9, 9,10,11,10,
  127845. 11,10, 9, 9, 9, 9, 9, 9, 9,10,10,10, 9,10, 9, 9,
  127846. 9, 9,11,10,11,10,10, 9, 9, 9, 9, 9, 9,10, 9, 9,
  127847. 10, 9, 9,10, 9, 9,10,11,10,10,11,10, 9, 9, 9, 9,
  127848. 9,10,10, 9,10,10,10,10, 9,10,10,10,10,10,10,11,
  127849. 11,11,10, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,
  127850. 10,10,10,11,11,10,10,10,10,10,10,10,10,10,10,10,
  127851. 10, 9,10,10, 9,10,11,11,10,11,10,11,10, 9,10,10,
  127852. 9,10,10,10,10,10,10,10,10,10,10,11,11,11,11,10,
  127853. 11,11,10,10,10,10,10,10, 9,10, 9,10,10, 9,10, 9,
  127854. 10,10,10,11,10,11,10,11,11,10,10,10,10,10,10, 9,
  127855. 10,10,10,10,10,10,10,11,10,10,10,10,10,10,10,10,
  127856. 10,10,10,10,10,10,10,10,10,10,10,10,10,11,10,11,
  127857. 11,10,10,10,10, 9, 9,10,10, 9, 9,10, 9,10,10,10,
  127858. 10,11,11,10,10,10,10,10,10,10, 9, 9,10,10,10, 9,
  127859. 9,10,10,10,10,10,11,10,11,10,10,10,10,10,10, 9,
  127860. 10,10,10,10,10,10,10,10,10,
  127861. };
  127862. static float _vq_quantthresh__44c7_s_p8_1[] = {
  127863. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  127864. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  127865. 6.5, 7.5, 8.5, 9.5,
  127866. };
  127867. static long _vq_quantmap__44c7_s_p8_1[] = {
  127868. 19, 17, 15, 13, 11, 9, 7, 5,
  127869. 3, 1, 0, 2, 4, 6, 8, 10,
  127870. 12, 14, 16, 18, 20,
  127871. };
  127872. static encode_aux_threshmatch _vq_auxt__44c7_s_p8_1 = {
  127873. _vq_quantthresh__44c7_s_p8_1,
  127874. _vq_quantmap__44c7_s_p8_1,
  127875. 21,
  127876. 21
  127877. };
  127878. static static_codebook _44c7_s_p8_1 = {
  127879. 2, 441,
  127880. _vq_lengthlist__44c7_s_p8_1,
  127881. 1, -529268736, 1611661312, 5, 0,
  127882. _vq_quantlist__44c7_s_p8_1,
  127883. NULL,
  127884. &_vq_auxt__44c7_s_p8_1,
  127885. NULL,
  127886. 0
  127887. };
  127888. static long _vq_quantlist__44c7_s_p9_0[] = {
  127889. 6,
  127890. 5,
  127891. 7,
  127892. 4,
  127893. 8,
  127894. 3,
  127895. 9,
  127896. 2,
  127897. 10,
  127898. 1,
  127899. 11,
  127900. 0,
  127901. 12,
  127902. };
  127903. static long _vq_lengthlist__44c7_s_p9_0[] = {
  127904. 1, 3, 3,11,11,11,11,11,11,11,11,11,11, 4, 6, 6,
  127905. 11,11,11,11,11,11,11,11,11,11, 4, 7, 7,11,11,11,
  127906. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127907. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127908. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127909. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127910. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127911. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127912. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127913. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  127914. 11,11,11,11,11,11,11,11,11,
  127915. };
  127916. static float _vq_quantthresh__44c7_s_p9_0[] = {
  127917. -3503.5, -2866.5, -2229.5, -1592.5, -955.5, -318.5, 318.5, 955.5,
  127918. 1592.5, 2229.5, 2866.5, 3503.5,
  127919. };
  127920. static long _vq_quantmap__44c7_s_p9_0[] = {
  127921. 11, 9, 7, 5, 3, 1, 0, 2,
  127922. 4, 6, 8, 10, 12,
  127923. };
  127924. static encode_aux_threshmatch _vq_auxt__44c7_s_p9_0 = {
  127925. _vq_quantthresh__44c7_s_p9_0,
  127926. _vq_quantmap__44c7_s_p9_0,
  127927. 13,
  127928. 13
  127929. };
  127930. static static_codebook _44c7_s_p9_0 = {
  127931. 2, 169,
  127932. _vq_lengthlist__44c7_s_p9_0,
  127933. 1, -511845376, 1630791680, 4, 0,
  127934. _vq_quantlist__44c7_s_p9_0,
  127935. NULL,
  127936. &_vq_auxt__44c7_s_p9_0,
  127937. NULL,
  127938. 0
  127939. };
  127940. static long _vq_quantlist__44c7_s_p9_1[] = {
  127941. 6,
  127942. 5,
  127943. 7,
  127944. 4,
  127945. 8,
  127946. 3,
  127947. 9,
  127948. 2,
  127949. 10,
  127950. 1,
  127951. 11,
  127952. 0,
  127953. 12,
  127954. };
  127955. static long _vq_lengthlist__44c7_s_p9_1[] = {
  127956. 1, 4, 4, 7, 7, 7, 7, 7, 6, 8, 8, 8, 8, 6, 6, 6,
  127957. 8, 8, 9, 8, 8, 7, 9, 8,11,10, 5, 6, 6, 8, 8, 9,
  127958. 8, 8, 8,10, 9,11,11,16, 8, 8, 9, 8, 9, 9, 9, 8,
  127959. 10, 9,11,10,16, 8, 8, 9, 9,10,10, 9, 9,10,10,11,
  127960. 11,16,13,13, 9, 9,10,10, 9,10,11,11,12,11,16,13,
  127961. 13, 9, 8,10, 9,10,10,10,10,11,11,16,14,16, 8, 9,
  127962. 9, 9,11,10,11,11,12,11,16,16,16, 9, 7,10, 7,11,
  127963. 10,11,11,12,11,16,16,16,12,12, 9,10,11,11,12,11,
  127964. 12,12,16,16,16,12,10,10, 7,11, 8,12,11,12,12,16,
  127965. 16,15,16,16,11,12,10,10,12,11,12,12,16,16,16,15,
  127966. 15,11,11,10,10,12,12,12,12,
  127967. };
  127968. static float _vq_quantthresh__44c7_s_p9_1[] = {
  127969. -269.5, -220.5, -171.5, -122.5, -73.5, -24.5, 24.5, 73.5,
  127970. 122.5, 171.5, 220.5, 269.5,
  127971. };
  127972. static long _vq_quantmap__44c7_s_p9_1[] = {
  127973. 11, 9, 7, 5, 3, 1, 0, 2,
  127974. 4, 6, 8, 10, 12,
  127975. };
  127976. static encode_aux_threshmatch _vq_auxt__44c7_s_p9_1 = {
  127977. _vq_quantthresh__44c7_s_p9_1,
  127978. _vq_quantmap__44c7_s_p9_1,
  127979. 13,
  127980. 13
  127981. };
  127982. static static_codebook _44c7_s_p9_1 = {
  127983. 2, 169,
  127984. _vq_lengthlist__44c7_s_p9_1,
  127985. 1, -518889472, 1622704128, 4, 0,
  127986. _vq_quantlist__44c7_s_p9_1,
  127987. NULL,
  127988. &_vq_auxt__44c7_s_p9_1,
  127989. NULL,
  127990. 0
  127991. };
  127992. static long _vq_quantlist__44c7_s_p9_2[] = {
  127993. 24,
  127994. 23,
  127995. 25,
  127996. 22,
  127997. 26,
  127998. 21,
  127999. 27,
  128000. 20,
  128001. 28,
  128002. 19,
  128003. 29,
  128004. 18,
  128005. 30,
  128006. 17,
  128007. 31,
  128008. 16,
  128009. 32,
  128010. 15,
  128011. 33,
  128012. 14,
  128013. 34,
  128014. 13,
  128015. 35,
  128016. 12,
  128017. 36,
  128018. 11,
  128019. 37,
  128020. 10,
  128021. 38,
  128022. 9,
  128023. 39,
  128024. 8,
  128025. 40,
  128026. 7,
  128027. 41,
  128028. 6,
  128029. 42,
  128030. 5,
  128031. 43,
  128032. 4,
  128033. 44,
  128034. 3,
  128035. 45,
  128036. 2,
  128037. 46,
  128038. 1,
  128039. 47,
  128040. 0,
  128041. 48,
  128042. };
  128043. static long _vq_lengthlist__44c7_s_p9_2[] = {
  128044. 2, 4, 3, 4, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 6, 6,
  128045. 6, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  128046. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  128047. 7,
  128048. };
  128049. static float _vq_quantthresh__44c7_s_p9_2[] = {
  128050. -23.5, -22.5, -21.5, -20.5, -19.5, -18.5, -17.5, -16.5,
  128051. -15.5, -14.5, -13.5, -12.5, -11.5, -10.5, -9.5, -8.5,
  128052. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  128053. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  128054. 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5,
  128055. 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5,
  128056. };
  128057. static long _vq_quantmap__44c7_s_p9_2[] = {
  128058. 47, 45, 43, 41, 39, 37, 35, 33,
  128059. 31, 29, 27, 25, 23, 21, 19, 17,
  128060. 15, 13, 11, 9, 7, 5, 3, 1,
  128061. 0, 2, 4, 6, 8, 10, 12, 14,
  128062. 16, 18, 20, 22, 24, 26, 28, 30,
  128063. 32, 34, 36, 38, 40, 42, 44, 46,
  128064. 48,
  128065. };
  128066. static encode_aux_threshmatch _vq_auxt__44c7_s_p9_2 = {
  128067. _vq_quantthresh__44c7_s_p9_2,
  128068. _vq_quantmap__44c7_s_p9_2,
  128069. 49,
  128070. 49
  128071. };
  128072. static static_codebook _44c7_s_p9_2 = {
  128073. 1, 49,
  128074. _vq_lengthlist__44c7_s_p9_2,
  128075. 1, -526909440, 1611661312, 6, 0,
  128076. _vq_quantlist__44c7_s_p9_2,
  128077. NULL,
  128078. &_vq_auxt__44c7_s_p9_2,
  128079. NULL,
  128080. 0
  128081. };
  128082. static long _huff_lengthlist__44c7_s_short[] = {
  128083. 4,11,12,14,15,15,17,17,18,18, 5, 6, 6, 8, 9,10,
  128084. 13,17,18,19, 7, 5, 4, 6, 8, 9,11,15,19,19, 8, 6,
  128085. 5, 5, 6, 7,11,14,16,17, 9, 7, 7, 6, 7, 7,10,13,
  128086. 15,19,10, 8, 7, 6, 7, 6, 7, 9,14,16,12,10, 9, 7,
  128087. 7, 6, 4, 5,10,15,14,13,11, 7, 6, 6, 4, 2, 7,13,
  128088. 16,16,15, 9, 8, 8, 8, 6, 9,13,19,19,17,12,11,10,
  128089. 10, 9,11,14,
  128090. };
  128091. static static_codebook _huff_book__44c7_s_short = {
  128092. 2, 100,
  128093. _huff_lengthlist__44c7_s_short,
  128094. 0, 0, 0, 0, 0,
  128095. NULL,
  128096. NULL,
  128097. NULL,
  128098. NULL,
  128099. 0
  128100. };
  128101. static long _huff_lengthlist__44c8_s_long[] = {
  128102. 3, 8,12,13,14,14,14,13,14,14, 6, 4, 5, 8,10,10,
  128103. 11,11,14,13, 9, 5, 4, 5, 7, 8, 9,10,13,13,12, 7,
  128104. 5, 4, 5, 6, 8, 9,12,13,13, 9, 6, 5, 5, 5, 7, 9,
  128105. 11,14,12,10, 7, 6, 5, 4, 6, 7,10,11,12,11, 9, 8,
  128106. 7, 5, 5, 6,10,10,13,12,10, 9, 8, 6, 6, 5, 8,10,
  128107. 14,13,12,12,11,10, 9, 7, 8,10,12,13,14,14,13,12,
  128108. 11, 9, 9,10,
  128109. };
  128110. static static_codebook _huff_book__44c8_s_long = {
  128111. 2, 100,
  128112. _huff_lengthlist__44c8_s_long,
  128113. 0, 0, 0, 0, 0,
  128114. NULL,
  128115. NULL,
  128116. NULL,
  128117. NULL,
  128118. 0
  128119. };
  128120. static long _vq_quantlist__44c8_s_p1_0[] = {
  128121. 1,
  128122. 0,
  128123. 2,
  128124. };
  128125. static long _vq_lengthlist__44c8_s_p1_0[] = {
  128126. 1, 5, 5, 0, 5, 5, 0, 5, 5, 5, 7, 7, 0, 9, 8, 0,
  128127. 9, 8, 6, 7, 7, 0, 8, 9, 0, 8, 9, 0, 0, 0, 0, 0,
  128128. 0, 0, 0, 0, 5, 9, 8, 0, 8, 8, 0, 8, 8, 5, 8, 9,
  128129. 0, 8, 8, 0, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0, 5,
  128130. 9, 8, 0, 8, 8, 0, 8, 8, 5, 8, 9, 0, 8, 8, 0, 8,
  128131. 8,
  128132. };
  128133. static float _vq_quantthresh__44c8_s_p1_0[] = {
  128134. -0.5, 0.5,
  128135. };
  128136. static long _vq_quantmap__44c8_s_p1_0[] = {
  128137. 1, 0, 2,
  128138. };
  128139. static encode_aux_threshmatch _vq_auxt__44c8_s_p1_0 = {
  128140. _vq_quantthresh__44c8_s_p1_0,
  128141. _vq_quantmap__44c8_s_p1_0,
  128142. 3,
  128143. 3
  128144. };
  128145. static static_codebook _44c8_s_p1_0 = {
  128146. 4, 81,
  128147. _vq_lengthlist__44c8_s_p1_0,
  128148. 1, -535822336, 1611661312, 2, 0,
  128149. _vq_quantlist__44c8_s_p1_0,
  128150. NULL,
  128151. &_vq_auxt__44c8_s_p1_0,
  128152. NULL,
  128153. 0
  128154. };
  128155. static long _vq_quantlist__44c8_s_p2_0[] = {
  128156. 2,
  128157. 1,
  128158. 3,
  128159. 0,
  128160. 4,
  128161. };
  128162. static long _vq_lengthlist__44c8_s_p2_0[] = {
  128163. 3, 5, 5, 8, 8, 0, 5, 5, 8, 8, 0, 5, 5, 8, 8, 0,
  128164. 7, 7, 9, 9, 0, 0, 0, 9, 9, 5, 7, 7, 9, 9, 0, 8,
  128165. 7,10, 9, 0, 8, 7,10, 9, 0,10,10,11,11, 0, 0, 0,
  128166. 11,11, 5, 7, 7, 9, 9, 0, 7, 8, 9,10, 0, 7, 8, 9,
  128167. 10, 0,10,10,11,11, 0, 0, 0,11,11, 8, 9, 9,11,10,
  128168. 0,11,10,12,11, 0,11,10,12,12, 0,13,13,14,14, 0,
  128169. 0, 0,14,13, 8, 9, 9,10,11, 0,10,11,12,12, 0,10,
  128170. 11,12,12, 0,13,13,14,14, 0, 0, 0,13,14, 0, 0, 0,
  128171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128172. 0, 0, 0, 0, 0, 0, 5, 8, 7,11,10, 0, 7, 7,10,10,
  128173. 0, 7, 7,10,10, 0, 9, 9,10,10, 0, 0, 0,11,10, 5,
  128174. 7, 8,10,11, 0, 7, 7,10,10, 0, 7, 7,10,10, 0, 9,
  128175. 9,10,10, 0, 0, 0,10,10, 8,10, 9,12,12, 0,10,10,
  128176. 12,11, 0,10,10,12,12, 0,12,12,13,12, 0, 0, 0,13,
  128177. 12, 8, 9,10,12,12, 0,10,10,11,12, 0,10,10,11,12,
  128178. 0,12,12,13,13, 0, 0, 0,12,13, 0, 0, 0, 0, 0, 0,
  128179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128180. 0, 0, 0, 6, 8, 7,11,10, 0, 7, 7,10,10, 0, 7, 7,
  128181. 10,10, 0, 9, 9,10,11, 0, 0, 0,10,10, 6, 7, 8,10,
  128182. 11, 0, 7, 7,10,10, 0, 7, 7,10,10, 0, 9, 9,10,10,
  128183. 0, 0, 0,10,10, 9,10, 9,12,12, 0,10,10,12,12, 0,
  128184. 10,10,12,11, 0,12,12,13,13, 0, 0, 0,13,12, 8, 9,
  128185. 10,12,12, 0,10,10,12,12, 0,10,10,11,12, 0,12,12,
  128186. 13,13, 0, 0, 0,12,13, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128188. 7,10,10,13,13, 0, 9, 9,12,12, 0, 9, 9,12,12, 0,
  128189. 10,10,12,12, 0, 0, 0,12,12, 7,10,10,13,13, 0, 9,
  128190. 9,12,12, 0, 9, 9,12,12, 0,10,10,12,12, 0, 0, 0,
  128191. 12,12, 9,11,11,14,13, 0,10,10,13,12, 0,11,10,13,
  128192. 12, 0,12,12,13,12, 0, 0, 0,13,13, 9,11,11,13,14,
  128193. 0,10,11,12,13, 0,10,11,13,13, 0,12,12,12,13, 0,
  128194. 0, 0,13,13, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 9,
  128199. 11,11,14,14, 0,10,11,13,13, 0,11,10,13,13, 0,11,
  128200. 12,13,13, 0, 0, 0,13,12, 9,11,11,14,14, 0,11,10,
  128201. 13,13, 0,10,11,13,13, 0,12,12,13,13, 0, 0, 0,12,
  128202. 13,
  128203. };
  128204. static float _vq_quantthresh__44c8_s_p2_0[] = {
  128205. -1.5, -0.5, 0.5, 1.5,
  128206. };
  128207. static long _vq_quantmap__44c8_s_p2_0[] = {
  128208. 3, 1, 0, 2, 4,
  128209. };
  128210. static encode_aux_threshmatch _vq_auxt__44c8_s_p2_0 = {
  128211. _vq_quantthresh__44c8_s_p2_0,
  128212. _vq_quantmap__44c8_s_p2_0,
  128213. 5,
  128214. 5
  128215. };
  128216. static static_codebook _44c8_s_p2_0 = {
  128217. 4, 625,
  128218. _vq_lengthlist__44c8_s_p2_0,
  128219. 1, -533725184, 1611661312, 3, 0,
  128220. _vq_quantlist__44c8_s_p2_0,
  128221. NULL,
  128222. &_vq_auxt__44c8_s_p2_0,
  128223. NULL,
  128224. 0
  128225. };
  128226. static long _vq_quantlist__44c8_s_p3_0[] = {
  128227. 4,
  128228. 3,
  128229. 5,
  128230. 2,
  128231. 6,
  128232. 1,
  128233. 7,
  128234. 0,
  128235. 8,
  128236. };
  128237. static long _vq_lengthlist__44c8_s_p3_0[] = {
  128238. 2, 4, 4, 5, 5, 7, 7, 9, 9, 0, 4, 4, 6, 6, 7, 7,
  128239. 9, 9, 0, 4, 4, 6, 6, 7, 7, 9, 9, 0, 5, 5, 6, 6,
  128240. 8, 8,10,10, 0, 0, 0, 6, 6, 8, 8,10,10, 0, 0, 0,
  128241. 7, 7, 9, 9,10,10, 0, 0, 0, 7, 7, 8, 8,10,10, 0,
  128242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128243. 0,
  128244. };
  128245. static float _vq_quantthresh__44c8_s_p3_0[] = {
  128246. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  128247. };
  128248. static long _vq_quantmap__44c8_s_p3_0[] = {
  128249. 7, 5, 3, 1, 0, 2, 4, 6,
  128250. 8,
  128251. };
  128252. static encode_aux_threshmatch _vq_auxt__44c8_s_p3_0 = {
  128253. _vq_quantthresh__44c8_s_p3_0,
  128254. _vq_quantmap__44c8_s_p3_0,
  128255. 9,
  128256. 9
  128257. };
  128258. static static_codebook _44c8_s_p3_0 = {
  128259. 2, 81,
  128260. _vq_lengthlist__44c8_s_p3_0,
  128261. 1, -531628032, 1611661312, 4, 0,
  128262. _vq_quantlist__44c8_s_p3_0,
  128263. NULL,
  128264. &_vq_auxt__44c8_s_p3_0,
  128265. NULL,
  128266. 0
  128267. };
  128268. static long _vq_quantlist__44c8_s_p4_0[] = {
  128269. 8,
  128270. 7,
  128271. 9,
  128272. 6,
  128273. 10,
  128274. 5,
  128275. 11,
  128276. 4,
  128277. 12,
  128278. 3,
  128279. 13,
  128280. 2,
  128281. 14,
  128282. 1,
  128283. 15,
  128284. 0,
  128285. 16,
  128286. };
  128287. static long _vq_lengthlist__44c8_s_p4_0[] = {
  128288. 3, 4, 4, 5, 5, 7, 7, 8, 8, 8, 8, 9, 9,10,10,11,
  128289. 11, 0, 4, 4, 6, 6, 7, 7, 8, 8, 9, 8,10,10,11,11,
  128290. 11,11, 0, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10,11,
  128291. 11,11,11, 0, 6, 5, 6, 6, 7, 7, 9, 9, 9, 9,10,10,
  128292. 11,11,12,12, 0, 0, 0, 6, 6, 7, 7, 9, 9, 9, 9,10,
  128293. 10,11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,10,10,
  128294. 11,11,11,12,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,10,
  128295. 10,11,11,11,12,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,
  128296. 10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 8, 8, 9,
  128297. 9,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 0, 0,
  128298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128306. 0,
  128307. };
  128308. static float _vq_quantthresh__44c8_s_p4_0[] = {
  128309. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  128310. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  128311. };
  128312. static long _vq_quantmap__44c8_s_p4_0[] = {
  128313. 15, 13, 11, 9, 7, 5, 3, 1,
  128314. 0, 2, 4, 6, 8, 10, 12, 14,
  128315. 16,
  128316. };
  128317. static encode_aux_threshmatch _vq_auxt__44c8_s_p4_0 = {
  128318. _vq_quantthresh__44c8_s_p4_0,
  128319. _vq_quantmap__44c8_s_p4_0,
  128320. 17,
  128321. 17
  128322. };
  128323. static static_codebook _44c8_s_p4_0 = {
  128324. 2, 289,
  128325. _vq_lengthlist__44c8_s_p4_0,
  128326. 1, -529530880, 1611661312, 5, 0,
  128327. _vq_quantlist__44c8_s_p4_0,
  128328. NULL,
  128329. &_vq_auxt__44c8_s_p4_0,
  128330. NULL,
  128331. 0
  128332. };
  128333. static long _vq_quantlist__44c8_s_p5_0[] = {
  128334. 1,
  128335. 0,
  128336. 2,
  128337. };
  128338. static long _vq_lengthlist__44c8_s_p5_0[] = {
  128339. 1, 4, 4, 5, 7, 7, 6, 7, 7, 4, 7, 6,10,10,10,10,
  128340. 10,10, 4, 6, 6,10,10,10,10, 9,10, 5,10,10, 9,11,
  128341. 11,10,11,11, 7,10,10,11,12,12,12,12,12, 7,10,10,
  128342. 11,12,12,12,12,12, 6,10,10,10,12,12,10,12,12, 7,
  128343. 10,10,11,12,12,12,12,12, 7,10,10,11,12,12,12,12,
  128344. 12,
  128345. };
  128346. static float _vq_quantthresh__44c8_s_p5_0[] = {
  128347. -5.5, 5.5,
  128348. };
  128349. static long _vq_quantmap__44c8_s_p5_0[] = {
  128350. 1, 0, 2,
  128351. };
  128352. static encode_aux_threshmatch _vq_auxt__44c8_s_p5_0 = {
  128353. _vq_quantthresh__44c8_s_p5_0,
  128354. _vq_quantmap__44c8_s_p5_0,
  128355. 3,
  128356. 3
  128357. };
  128358. static static_codebook _44c8_s_p5_0 = {
  128359. 4, 81,
  128360. _vq_lengthlist__44c8_s_p5_0,
  128361. 1, -529137664, 1618345984, 2, 0,
  128362. _vq_quantlist__44c8_s_p5_0,
  128363. NULL,
  128364. &_vq_auxt__44c8_s_p5_0,
  128365. NULL,
  128366. 0
  128367. };
  128368. static long _vq_quantlist__44c8_s_p5_1[] = {
  128369. 5,
  128370. 4,
  128371. 6,
  128372. 3,
  128373. 7,
  128374. 2,
  128375. 8,
  128376. 1,
  128377. 9,
  128378. 0,
  128379. 10,
  128380. };
  128381. static long _vq_lengthlist__44c8_s_p5_1[] = {
  128382. 3, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8,11, 4, 5, 6, 6,
  128383. 7, 7, 8, 8, 8, 8,11, 5, 5, 6, 6, 7, 7, 8, 8, 8,
  128384. 9,12, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9,12,12,12, 6,
  128385. 6, 7, 7, 8, 8, 9, 9,11,11,11, 6, 6, 7, 7, 8, 8,
  128386. 8, 8,11,11,11, 6, 6, 7, 7, 8, 8, 8, 8,11,11,11,
  128387. 7, 7, 7, 8, 8, 8, 8, 8,11,11,11,11,11, 7, 7, 8,
  128388. 8, 8, 8,11,11,11,11,11, 7, 7, 7, 7, 8, 8,11,11,
  128389. 11,11,11, 7, 7, 7, 7, 8, 8,
  128390. };
  128391. static float _vq_quantthresh__44c8_s_p5_1[] = {
  128392. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  128393. 3.5, 4.5,
  128394. };
  128395. static long _vq_quantmap__44c8_s_p5_1[] = {
  128396. 9, 7, 5, 3, 1, 0, 2, 4,
  128397. 6, 8, 10,
  128398. };
  128399. static encode_aux_threshmatch _vq_auxt__44c8_s_p5_1 = {
  128400. _vq_quantthresh__44c8_s_p5_1,
  128401. _vq_quantmap__44c8_s_p5_1,
  128402. 11,
  128403. 11
  128404. };
  128405. static static_codebook _44c8_s_p5_1 = {
  128406. 2, 121,
  128407. _vq_lengthlist__44c8_s_p5_1,
  128408. 1, -531365888, 1611661312, 4, 0,
  128409. _vq_quantlist__44c8_s_p5_1,
  128410. NULL,
  128411. &_vq_auxt__44c8_s_p5_1,
  128412. NULL,
  128413. 0
  128414. };
  128415. static long _vq_quantlist__44c8_s_p6_0[] = {
  128416. 6,
  128417. 5,
  128418. 7,
  128419. 4,
  128420. 8,
  128421. 3,
  128422. 9,
  128423. 2,
  128424. 10,
  128425. 1,
  128426. 11,
  128427. 0,
  128428. 12,
  128429. };
  128430. static long _vq_lengthlist__44c8_s_p6_0[] = {
  128431. 1, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10, 6, 5, 5,
  128432. 7, 7, 8, 8, 9, 9,10,10,11,11, 6, 5, 5, 7, 7, 8,
  128433. 8, 9, 9,10,10,11,11, 0, 7, 7, 7, 7, 9, 9,10,10,
  128434. 10,10,11,11, 0, 7, 7, 7, 7, 9, 9,10,10,10,10,11,
  128435. 11, 0,11,11, 9, 9,10,10,11,11,11,11,12,12, 0,12,
  128436. 12, 9, 9,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0,
  128437. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128438. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128439. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128440. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128441. 0, 0, 0, 0, 0, 0, 0, 0, 0,
  128442. };
  128443. static float _vq_quantthresh__44c8_s_p6_0[] = {
  128444. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  128445. 12.5, 17.5, 22.5, 27.5,
  128446. };
  128447. static long _vq_quantmap__44c8_s_p6_0[] = {
  128448. 11, 9, 7, 5, 3, 1, 0, 2,
  128449. 4, 6, 8, 10, 12,
  128450. };
  128451. static encode_aux_threshmatch _vq_auxt__44c8_s_p6_0 = {
  128452. _vq_quantthresh__44c8_s_p6_0,
  128453. _vq_quantmap__44c8_s_p6_0,
  128454. 13,
  128455. 13
  128456. };
  128457. static static_codebook _44c8_s_p6_0 = {
  128458. 2, 169,
  128459. _vq_lengthlist__44c8_s_p6_0,
  128460. 1, -526516224, 1616117760, 4, 0,
  128461. _vq_quantlist__44c8_s_p6_0,
  128462. NULL,
  128463. &_vq_auxt__44c8_s_p6_0,
  128464. NULL,
  128465. 0
  128466. };
  128467. static long _vq_quantlist__44c8_s_p6_1[] = {
  128468. 2,
  128469. 1,
  128470. 3,
  128471. 0,
  128472. 4,
  128473. };
  128474. static long _vq_lengthlist__44c8_s_p6_1[] = {
  128475. 3, 4, 4, 5, 5, 5, 4, 4, 5, 5, 5, 4, 4, 5, 5, 6,
  128476. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  128477. };
  128478. static float _vq_quantthresh__44c8_s_p6_1[] = {
  128479. -1.5, -0.5, 0.5, 1.5,
  128480. };
  128481. static long _vq_quantmap__44c8_s_p6_1[] = {
  128482. 3, 1, 0, 2, 4,
  128483. };
  128484. static encode_aux_threshmatch _vq_auxt__44c8_s_p6_1 = {
  128485. _vq_quantthresh__44c8_s_p6_1,
  128486. _vq_quantmap__44c8_s_p6_1,
  128487. 5,
  128488. 5
  128489. };
  128490. static static_codebook _44c8_s_p6_1 = {
  128491. 2, 25,
  128492. _vq_lengthlist__44c8_s_p6_1,
  128493. 1, -533725184, 1611661312, 3, 0,
  128494. _vq_quantlist__44c8_s_p6_1,
  128495. NULL,
  128496. &_vq_auxt__44c8_s_p6_1,
  128497. NULL,
  128498. 0
  128499. };
  128500. static long _vq_quantlist__44c8_s_p7_0[] = {
  128501. 6,
  128502. 5,
  128503. 7,
  128504. 4,
  128505. 8,
  128506. 3,
  128507. 9,
  128508. 2,
  128509. 10,
  128510. 1,
  128511. 11,
  128512. 0,
  128513. 12,
  128514. };
  128515. static long _vq_lengthlist__44c8_s_p7_0[] = {
  128516. 1, 4, 4, 6, 6, 8, 7, 9, 9,10,10,12,12, 6, 5, 5,
  128517. 7, 7, 8, 8,10,10,11,11,12,12, 7, 5, 5, 7, 7, 8,
  128518. 8,10,10,11,11,12,12,21, 7, 7, 7, 7, 8, 9,10,10,
  128519. 11,11,12,12,21, 7, 7, 7, 7, 9, 9,10,10,12,12,13,
  128520. 13,21,11,11, 8, 8, 9, 9,11,11,12,12,13,13,21,11,
  128521. 11, 8, 8, 9, 9,11,11,12,12,13,13,21,21,21,10,10,
  128522. 10,10,11,11,12,13,13,13,21,21,21,10,10,10,10,11,
  128523. 11,13,13,14,13,21,21,21,13,13,11,11,12,12,13,13,
  128524. 14,14,21,21,21,14,14,11,11,12,12,13,13,14,14,21,
  128525. 21,21,21,20,13,13,13,12,14,14,16,15,20,20,20,20,
  128526. 20,13,13,13,13,14,13,15,15,
  128527. };
  128528. static float _vq_quantthresh__44c8_s_p7_0[] = {
  128529. -60.5, -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5,
  128530. 27.5, 38.5, 49.5, 60.5,
  128531. };
  128532. static long _vq_quantmap__44c8_s_p7_0[] = {
  128533. 11, 9, 7, 5, 3, 1, 0, 2,
  128534. 4, 6, 8, 10, 12,
  128535. };
  128536. static encode_aux_threshmatch _vq_auxt__44c8_s_p7_0 = {
  128537. _vq_quantthresh__44c8_s_p7_0,
  128538. _vq_quantmap__44c8_s_p7_0,
  128539. 13,
  128540. 13
  128541. };
  128542. static static_codebook _44c8_s_p7_0 = {
  128543. 2, 169,
  128544. _vq_lengthlist__44c8_s_p7_0,
  128545. 1, -523206656, 1618345984, 4, 0,
  128546. _vq_quantlist__44c8_s_p7_0,
  128547. NULL,
  128548. &_vq_auxt__44c8_s_p7_0,
  128549. NULL,
  128550. 0
  128551. };
  128552. static long _vq_quantlist__44c8_s_p7_1[] = {
  128553. 5,
  128554. 4,
  128555. 6,
  128556. 3,
  128557. 7,
  128558. 2,
  128559. 8,
  128560. 1,
  128561. 9,
  128562. 0,
  128563. 10,
  128564. };
  128565. static long _vq_lengthlist__44c8_s_p7_1[] = {
  128566. 4, 5, 6, 6, 6, 7, 7, 7, 7, 7, 7, 8, 6, 6, 6, 7,
  128567. 7, 7, 7, 7, 7, 7, 8, 6, 6, 6, 6, 7, 7, 7, 7, 7,
  128568. 7, 8, 6, 6, 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8, 7,
  128569. 7, 7, 7, 7, 7, 7, 7, 8, 8, 8, 7, 7, 7, 7, 7, 7,
  128570. 7, 7, 8, 8, 8, 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8,
  128571. 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 8, 7, 7, 7,
  128572. 7, 7, 7, 8, 8, 8, 8, 8, 7, 7, 7, 7, 7, 7, 8, 8,
  128573. 8, 8, 8, 7, 7, 7, 7, 7, 7,
  128574. };
  128575. static float _vq_quantthresh__44c8_s_p7_1[] = {
  128576. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  128577. 3.5, 4.5,
  128578. };
  128579. static long _vq_quantmap__44c8_s_p7_1[] = {
  128580. 9, 7, 5, 3, 1, 0, 2, 4,
  128581. 6, 8, 10,
  128582. };
  128583. static encode_aux_threshmatch _vq_auxt__44c8_s_p7_1 = {
  128584. _vq_quantthresh__44c8_s_p7_1,
  128585. _vq_quantmap__44c8_s_p7_1,
  128586. 11,
  128587. 11
  128588. };
  128589. static static_codebook _44c8_s_p7_1 = {
  128590. 2, 121,
  128591. _vq_lengthlist__44c8_s_p7_1,
  128592. 1, -531365888, 1611661312, 4, 0,
  128593. _vq_quantlist__44c8_s_p7_1,
  128594. NULL,
  128595. &_vq_auxt__44c8_s_p7_1,
  128596. NULL,
  128597. 0
  128598. };
  128599. static long _vq_quantlist__44c8_s_p8_0[] = {
  128600. 7,
  128601. 6,
  128602. 8,
  128603. 5,
  128604. 9,
  128605. 4,
  128606. 10,
  128607. 3,
  128608. 11,
  128609. 2,
  128610. 12,
  128611. 1,
  128612. 13,
  128613. 0,
  128614. 14,
  128615. };
  128616. static long _vq_lengthlist__44c8_s_p8_0[] = {
  128617. 1, 4, 4, 7, 6, 8, 8, 8, 7, 9, 8,10,10,11,10, 6,
  128618. 5, 5, 7, 7, 9, 9, 8, 8,10,10,11,11,12,11, 6, 5,
  128619. 5, 7, 7, 9, 9, 9, 9,10,10,11,11,12,12,20, 8, 8,
  128620. 8, 8, 9, 9, 9, 9,10,10,11,11,12,12,20, 8, 8, 8,
  128621. 8,10, 9, 9, 9,10,10,11,11,12,12,20,12,12, 9, 9,
  128622. 10,10,10,10,10,11,12,12,12,12,20,12,12, 9, 9,10,
  128623. 10,10,10,11,11,12,12,13,13,20,20,20, 9, 9, 9, 9,
  128624. 11,10,11,11,12,12,12,13,20,19,19, 9, 9, 9, 9,11,
  128625. 11,11,12,12,12,13,13,19,19,19,13,13,10,10,11,11,
  128626. 12,12,13,13,13,13,19,19,19,14,13,11,10,11,11,12,
  128627. 12,12,13,13,13,19,19,19,19,19,12,12,12,12,13,13,
  128628. 13,13,14,13,19,19,19,19,19,12,12,12,11,12,12,13,
  128629. 14,14,14,19,19,19,19,19,16,15,13,12,13,13,13,14,
  128630. 14,14,19,19,19,19,19,17,17,13,12,13,11,14,13,15,
  128631. 15,
  128632. };
  128633. static float _vq_quantthresh__44c8_s_p8_0[] = {
  128634. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  128635. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  128636. };
  128637. static long _vq_quantmap__44c8_s_p8_0[] = {
  128638. 13, 11, 9, 7, 5, 3, 1, 0,
  128639. 2, 4, 6, 8, 10, 12, 14,
  128640. };
  128641. static encode_aux_threshmatch _vq_auxt__44c8_s_p8_0 = {
  128642. _vq_quantthresh__44c8_s_p8_0,
  128643. _vq_quantmap__44c8_s_p8_0,
  128644. 15,
  128645. 15
  128646. };
  128647. static static_codebook _44c8_s_p8_0 = {
  128648. 2, 225,
  128649. _vq_lengthlist__44c8_s_p8_0,
  128650. 1, -520986624, 1620377600, 4, 0,
  128651. _vq_quantlist__44c8_s_p8_0,
  128652. NULL,
  128653. &_vq_auxt__44c8_s_p8_0,
  128654. NULL,
  128655. 0
  128656. };
  128657. static long _vq_quantlist__44c8_s_p8_1[] = {
  128658. 10,
  128659. 9,
  128660. 11,
  128661. 8,
  128662. 12,
  128663. 7,
  128664. 13,
  128665. 6,
  128666. 14,
  128667. 5,
  128668. 15,
  128669. 4,
  128670. 16,
  128671. 3,
  128672. 17,
  128673. 2,
  128674. 18,
  128675. 1,
  128676. 19,
  128677. 0,
  128678. 20,
  128679. };
  128680. static long _vq_lengthlist__44c8_s_p8_1[] = {
  128681. 4, 5, 5, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  128682. 8, 8, 8, 8, 8,10, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,
  128683. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 6, 6, 7, 7, 8,
  128684. 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,
  128685. 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  128686. 9, 9, 9, 9,10,10,10, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  128687. 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10, 8, 8, 8, 9,
  128688. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,
  128689. 10, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  128690. 9, 9, 9,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  128691. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,10,10, 9, 9, 9,
  128692. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,
  128693. 10,10, 9, 9, 9, 9, 9, 9, 9, 9,10, 9, 9, 9, 9, 9,
  128694. 9, 9,10,10,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  128695. 9, 9, 9, 9, 9, 9, 9,10,10,10,10,10, 9, 9, 9, 9,
  128696. 9, 9, 9, 9,10,10,10, 9, 9, 9, 9, 9,10,10,10,10,
  128697. 10,10,10, 9, 9, 9, 9, 9,10,10,10, 9, 9, 9, 9, 9,
  128698. 9,10,10,10,10,10,10,10, 9,10,10, 9,10,10,10,10,
  128699. 9,10, 9,10,10, 9,10,10,10,10,10,10,10, 9,10,10,
  128700. 10,10,10,10, 9, 9,10,10, 9,10,10,10,10,10,10,10,
  128701. 10,10,10,10,10,10,10,10, 9, 9, 9,10, 9, 9, 9, 9,
  128702. 10,10,10,10,10,10,10,10,10,10,10,10,10,10, 9, 9,
  128703. 10, 9,10, 9,10,10,10,10,10,10,10,10,10,10,10,10,
  128704. 10,10,10,10, 9, 9,10, 9, 9, 9,10,10,10,10,10,10,
  128705. 10,10,10,10,10, 9, 9, 9, 9, 9, 9,10, 9, 9,10,10,
  128706. 10,10,10,10,10,10,10,10,10,10,10,10,10, 9,10, 9,
  128707. 9,10, 9, 9,10,10,10,10,10,10,10,10,10,10,10,10,
  128708. 10, 9, 9,10,10, 9,10, 9, 9,
  128709. };
  128710. static float _vq_quantthresh__44c8_s_p8_1[] = {
  128711. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  128712. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  128713. 6.5, 7.5, 8.5, 9.5,
  128714. };
  128715. static long _vq_quantmap__44c8_s_p8_1[] = {
  128716. 19, 17, 15, 13, 11, 9, 7, 5,
  128717. 3, 1, 0, 2, 4, 6, 8, 10,
  128718. 12, 14, 16, 18, 20,
  128719. };
  128720. static encode_aux_threshmatch _vq_auxt__44c8_s_p8_1 = {
  128721. _vq_quantthresh__44c8_s_p8_1,
  128722. _vq_quantmap__44c8_s_p8_1,
  128723. 21,
  128724. 21
  128725. };
  128726. static static_codebook _44c8_s_p8_1 = {
  128727. 2, 441,
  128728. _vq_lengthlist__44c8_s_p8_1,
  128729. 1, -529268736, 1611661312, 5, 0,
  128730. _vq_quantlist__44c8_s_p8_1,
  128731. NULL,
  128732. &_vq_auxt__44c8_s_p8_1,
  128733. NULL,
  128734. 0
  128735. };
  128736. static long _vq_quantlist__44c8_s_p9_0[] = {
  128737. 8,
  128738. 7,
  128739. 9,
  128740. 6,
  128741. 10,
  128742. 5,
  128743. 11,
  128744. 4,
  128745. 12,
  128746. 3,
  128747. 13,
  128748. 2,
  128749. 14,
  128750. 1,
  128751. 15,
  128752. 0,
  128753. 16,
  128754. };
  128755. static long _vq_lengthlist__44c8_s_p9_0[] = {
  128756. 1, 4, 3,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128757. 11, 4, 7, 7,11,11,11,11,11,11,11,11,11,11,11,11,
  128758. 11,11, 4, 8,11,11,11,11,11,11,11,11,11,11,11,11,
  128759. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128760. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128761. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128762. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128763. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128764. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128765. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128766. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128767. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128768. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128769. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  128770. 11,11,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  128771. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  128772. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  128773. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  128774. 10,
  128775. };
  128776. static float _vq_quantthresh__44c8_s_p9_0[] = {
  128777. -6982.5, -6051.5, -5120.5, -4189.5, -3258.5, -2327.5, -1396.5, -465.5,
  128778. 465.5, 1396.5, 2327.5, 3258.5, 4189.5, 5120.5, 6051.5, 6982.5,
  128779. };
  128780. static long _vq_quantmap__44c8_s_p9_0[] = {
  128781. 15, 13, 11, 9, 7, 5, 3, 1,
  128782. 0, 2, 4, 6, 8, 10, 12, 14,
  128783. 16,
  128784. };
  128785. static encode_aux_threshmatch _vq_auxt__44c8_s_p9_0 = {
  128786. _vq_quantthresh__44c8_s_p9_0,
  128787. _vq_quantmap__44c8_s_p9_0,
  128788. 17,
  128789. 17
  128790. };
  128791. static static_codebook _44c8_s_p9_0 = {
  128792. 2, 289,
  128793. _vq_lengthlist__44c8_s_p9_0,
  128794. 1, -509798400, 1631393792, 5, 0,
  128795. _vq_quantlist__44c8_s_p9_0,
  128796. NULL,
  128797. &_vq_auxt__44c8_s_p9_0,
  128798. NULL,
  128799. 0
  128800. };
  128801. static long _vq_quantlist__44c8_s_p9_1[] = {
  128802. 9,
  128803. 8,
  128804. 10,
  128805. 7,
  128806. 11,
  128807. 6,
  128808. 12,
  128809. 5,
  128810. 13,
  128811. 4,
  128812. 14,
  128813. 3,
  128814. 15,
  128815. 2,
  128816. 16,
  128817. 1,
  128818. 17,
  128819. 0,
  128820. 18,
  128821. };
  128822. static long _vq_lengthlist__44c8_s_p9_1[] = {
  128823. 1, 4, 4, 7, 6, 7, 7, 7, 7, 8, 8, 9, 9,10,10,10,
  128824. 10,11,11, 6, 6, 6, 8, 8, 9, 8, 8, 7,10, 8,11,10,
  128825. 12,11,12,12,13,13, 5, 5, 6, 8, 8, 9, 9, 8, 8,10,
  128826. 9,11,11,12,12,13,13,13,13,17, 8, 8, 9, 9, 9, 9,
  128827. 9, 9,10, 9,12,10,12,12,13,12,13,13,17, 9, 8, 9,
  128828. 9, 9, 9, 9, 9,10,10,12,12,12,12,13,13,13,13,17,
  128829. 13,13, 9, 9,10,10,10,10,11,11,12,11,13,12,13,13,
  128830. 14,15,17,13,13, 9, 8,10, 9,10,10,11,11,12,12,14,
  128831. 13,15,13,14,15,17,17,17, 9,10, 9,10,11,11,12,12,
  128832. 12,12,13,13,14,14,15,15,17,17,17, 9, 8, 9, 8,11,
  128833. 11,12,12,12,12,14,13,14,14,14,15,17,17,17,12,14,
  128834. 9,10,11,11,12,12,14,13,13,14,15,13,15,15,17,17,
  128835. 17,13,11,10, 8,11, 9,13,12,13,13,13,13,13,14,14,
  128836. 14,17,17,17,17,17,11,12,11,11,13,13,14,13,15,14,
  128837. 13,15,16,15,17,17,17,17,17,11,11,12, 8,13,12,14,
  128838. 13,17,14,15,14,15,14,17,17,17,17,17,15,15,12,12,
  128839. 12,12,13,14,14,14,15,14,17,14,17,17,17,17,17,16,
  128840. 17,12,12,13,12,13,13,14,14,14,14,14,14,17,17,17,
  128841. 17,17,17,17,14,14,13,12,13,13,15,15,14,13,15,17,
  128842. 17,17,17,17,17,17,17,13,14,13,13,13,13,14,15,15,
  128843. 15,14,15,17,17,17,17,17,17,17,16,15,13,14,13,13,
  128844. 14,14,15,14,14,16,17,17,17,17,17,17,17,16,16,13,
  128845. 14,13,13,14,14,15,14,15,14,
  128846. };
  128847. static float _vq_quantthresh__44c8_s_p9_1[] = {
  128848. -416.5, -367.5, -318.5, -269.5, -220.5, -171.5, -122.5, -73.5,
  128849. -24.5, 24.5, 73.5, 122.5, 171.5, 220.5, 269.5, 318.5,
  128850. 367.5, 416.5,
  128851. };
  128852. static long _vq_quantmap__44c8_s_p9_1[] = {
  128853. 17, 15, 13, 11, 9, 7, 5, 3,
  128854. 1, 0, 2, 4, 6, 8, 10, 12,
  128855. 14, 16, 18,
  128856. };
  128857. static encode_aux_threshmatch _vq_auxt__44c8_s_p9_1 = {
  128858. _vq_quantthresh__44c8_s_p9_1,
  128859. _vq_quantmap__44c8_s_p9_1,
  128860. 19,
  128861. 19
  128862. };
  128863. static static_codebook _44c8_s_p9_1 = {
  128864. 2, 361,
  128865. _vq_lengthlist__44c8_s_p9_1,
  128866. 1, -518287360, 1622704128, 5, 0,
  128867. _vq_quantlist__44c8_s_p9_1,
  128868. NULL,
  128869. &_vq_auxt__44c8_s_p9_1,
  128870. NULL,
  128871. 0
  128872. };
  128873. static long _vq_quantlist__44c8_s_p9_2[] = {
  128874. 24,
  128875. 23,
  128876. 25,
  128877. 22,
  128878. 26,
  128879. 21,
  128880. 27,
  128881. 20,
  128882. 28,
  128883. 19,
  128884. 29,
  128885. 18,
  128886. 30,
  128887. 17,
  128888. 31,
  128889. 16,
  128890. 32,
  128891. 15,
  128892. 33,
  128893. 14,
  128894. 34,
  128895. 13,
  128896. 35,
  128897. 12,
  128898. 36,
  128899. 11,
  128900. 37,
  128901. 10,
  128902. 38,
  128903. 9,
  128904. 39,
  128905. 8,
  128906. 40,
  128907. 7,
  128908. 41,
  128909. 6,
  128910. 42,
  128911. 5,
  128912. 43,
  128913. 4,
  128914. 44,
  128915. 3,
  128916. 45,
  128917. 2,
  128918. 46,
  128919. 1,
  128920. 47,
  128921. 0,
  128922. 48,
  128923. };
  128924. static long _vq_lengthlist__44c8_s_p9_2[] = {
  128925. 2, 4, 4, 4, 5, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 6,
  128926. 6, 6, 6, 6, 6, 6, 6, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  128927. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  128928. 7,
  128929. };
  128930. static float _vq_quantthresh__44c8_s_p9_2[] = {
  128931. -23.5, -22.5, -21.5, -20.5, -19.5, -18.5, -17.5, -16.5,
  128932. -15.5, -14.5, -13.5, -12.5, -11.5, -10.5, -9.5, -8.5,
  128933. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  128934. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  128935. 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5,
  128936. 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5,
  128937. };
  128938. static long _vq_quantmap__44c8_s_p9_2[] = {
  128939. 47, 45, 43, 41, 39, 37, 35, 33,
  128940. 31, 29, 27, 25, 23, 21, 19, 17,
  128941. 15, 13, 11, 9, 7, 5, 3, 1,
  128942. 0, 2, 4, 6, 8, 10, 12, 14,
  128943. 16, 18, 20, 22, 24, 26, 28, 30,
  128944. 32, 34, 36, 38, 40, 42, 44, 46,
  128945. 48,
  128946. };
  128947. static encode_aux_threshmatch _vq_auxt__44c8_s_p9_2 = {
  128948. _vq_quantthresh__44c8_s_p9_2,
  128949. _vq_quantmap__44c8_s_p9_2,
  128950. 49,
  128951. 49
  128952. };
  128953. static static_codebook _44c8_s_p9_2 = {
  128954. 1, 49,
  128955. _vq_lengthlist__44c8_s_p9_2,
  128956. 1, -526909440, 1611661312, 6, 0,
  128957. _vq_quantlist__44c8_s_p9_2,
  128958. NULL,
  128959. &_vq_auxt__44c8_s_p9_2,
  128960. NULL,
  128961. 0
  128962. };
  128963. static long _huff_lengthlist__44c8_s_short[] = {
  128964. 4,11,13,14,15,15,18,17,19,17, 5, 6, 8, 9,10,10,
  128965. 12,15,19,19, 6, 6, 6, 6, 8, 8,11,14,18,19, 8, 6,
  128966. 5, 4, 6, 7,10,13,16,17, 9, 7, 6, 5, 6, 7, 9,12,
  128967. 15,19,10, 8, 7, 6, 6, 6, 7, 9,13,15,12,10, 9, 8,
  128968. 7, 6, 4, 5,10,15,13,13,11, 8, 6, 6, 4, 2, 7,12,
  128969. 17,15,16,10, 8, 8, 7, 6, 9,12,19,18,17,13,11,10,
  128970. 10, 9,11,14,
  128971. };
  128972. static static_codebook _huff_book__44c8_s_short = {
  128973. 2, 100,
  128974. _huff_lengthlist__44c8_s_short,
  128975. 0, 0, 0, 0, 0,
  128976. NULL,
  128977. NULL,
  128978. NULL,
  128979. NULL,
  128980. 0
  128981. };
  128982. static long _huff_lengthlist__44c9_s_long[] = {
  128983. 3, 8,12,14,15,15,15,13,15,15, 6, 5, 8,10,12,12,
  128984. 13,12,14,13,10, 6, 5, 6, 8, 9,11,11,13,13,13, 8,
  128985. 5, 4, 5, 6, 8,10,11,13,14,10, 7, 5, 4, 5, 7, 9,
  128986. 11,12,13,11, 8, 6, 5, 4, 5, 7, 9,11,12,11,10, 8,
  128987. 7, 5, 4, 5, 9,10,13,13,11,10, 8, 6, 5, 4, 7, 9,
  128988. 15,14,13,12,10, 9, 8, 7, 8, 9,12,12,14,13,12,11,
  128989. 10, 9, 8, 9,
  128990. };
  128991. static static_codebook _huff_book__44c9_s_long = {
  128992. 2, 100,
  128993. _huff_lengthlist__44c9_s_long,
  128994. 0, 0, 0, 0, 0,
  128995. NULL,
  128996. NULL,
  128997. NULL,
  128998. NULL,
  128999. 0
  129000. };
  129001. static long _vq_quantlist__44c9_s_p1_0[] = {
  129002. 1,
  129003. 0,
  129004. 2,
  129005. };
  129006. static long _vq_lengthlist__44c9_s_p1_0[] = {
  129007. 1, 5, 5, 0, 5, 5, 0, 5, 5, 6, 8, 8, 0, 9, 8, 0,
  129008. 9, 8, 6, 8, 8, 0, 8, 9, 0, 8, 9, 0, 0, 0, 0, 0,
  129009. 0, 0, 0, 0, 5, 8, 8, 0, 7, 7, 0, 8, 8, 5, 8, 8,
  129010. 0, 7, 8, 0, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0, 5,
  129011. 9, 8, 0, 8, 8, 0, 7, 7, 5, 8, 9, 0, 8, 8, 0, 7,
  129012. 7,
  129013. };
  129014. static float _vq_quantthresh__44c9_s_p1_0[] = {
  129015. -0.5, 0.5,
  129016. };
  129017. static long _vq_quantmap__44c9_s_p1_0[] = {
  129018. 1, 0, 2,
  129019. };
  129020. static encode_aux_threshmatch _vq_auxt__44c9_s_p1_0 = {
  129021. _vq_quantthresh__44c9_s_p1_0,
  129022. _vq_quantmap__44c9_s_p1_0,
  129023. 3,
  129024. 3
  129025. };
  129026. static static_codebook _44c9_s_p1_0 = {
  129027. 4, 81,
  129028. _vq_lengthlist__44c9_s_p1_0,
  129029. 1, -535822336, 1611661312, 2, 0,
  129030. _vq_quantlist__44c9_s_p1_0,
  129031. NULL,
  129032. &_vq_auxt__44c9_s_p1_0,
  129033. NULL,
  129034. 0
  129035. };
  129036. static long _vq_quantlist__44c9_s_p2_0[] = {
  129037. 2,
  129038. 1,
  129039. 3,
  129040. 0,
  129041. 4,
  129042. };
  129043. static long _vq_lengthlist__44c9_s_p2_0[] = {
  129044. 3, 5, 5, 8, 8, 0, 5, 5, 8, 8, 0, 5, 5, 8, 8, 0,
  129045. 7, 7, 9, 9, 0, 0, 0, 9, 9, 6, 7, 7, 9, 8, 0, 8,
  129046. 8, 9, 9, 0, 8, 7, 9, 9, 0, 9,10,10,10, 0, 0, 0,
  129047. 11,10, 6, 7, 7, 8, 9, 0, 8, 8, 9, 9, 0, 7, 8, 9,
  129048. 9, 0,10, 9,11,10, 0, 0, 0,10,10, 8, 9, 8,10,10,
  129049. 0,10,10,12,11, 0,10,10,11,11, 0,12,13,13,13, 0,
  129050. 0, 0,13,12, 8, 8, 9,10,10, 0,10,10,11,12, 0,10,
  129051. 10,11,11, 0,13,12,13,13, 0, 0, 0,13,13, 0, 0, 0,
  129052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129053. 0, 0, 0, 0, 0, 0, 6, 8, 7,10,10, 0, 7, 7,10, 9,
  129054. 0, 7, 7,10,10, 0, 9, 9,10,10, 0, 0, 0,10,10, 6,
  129055. 7, 8,10,10, 0, 7, 7, 9,10, 0, 7, 7,10,10, 0, 9,
  129056. 9,10,10, 0, 0, 0,10,10, 8, 9, 9,11,11, 0,10,10,
  129057. 11,11, 0,10,10,11,11, 0,12,12,12,12, 0, 0, 0,12,
  129058. 12, 8, 9,10,11,11, 0, 9,10,11,11, 0,10,10,11,11,
  129059. 0,12,12,12,12, 0, 0, 0,12,12, 0, 0, 0, 0, 0, 0,
  129060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129061. 0, 0, 0, 5, 8, 7,10,10, 0, 7, 7,10,10, 0, 7, 7,
  129062. 10, 9, 0, 9, 9,10,10, 0, 0, 0,10,10, 6, 7, 8,10,
  129063. 10, 0, 7, 7,10,10, 0, 7, 7, 9,10, 0, 9, 9,10,10,
  129064. 0, 0, 0,10,10, 8,10, 9,12,11, 0,10,10,12,11, 0,
  129065. 10, 9,11,11, 0,11,12,12,12, 0, 0, 0,12,12, 8, 9,
  129066. 10,11,12, 0,10,10,11,11, 0, 9,10,11,11, 0,12,11,
  129067. 12,12, 0, 0, 0,12,12, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129069. 7,10, 9,12,12, 0, 9, 9,12,11, 0, 9, 9,11,11, 0,
  129070. 10,10,12,11, 0, 0, 0,11,12, 7, 9,10,12,12, 0, 9,
  129071. 9,11,12, 0, 9, 9,11,11, 0,10,10,11,12, 0, 0, 0,
  129072. 11,11, 9,11,10,13,12, 0,10,10,12,12, 0,10,10,12,
  129073. 12, 0,11,11,12,12, 0, 0, 0,13,12, 9,10,11,12,13,
  129074. 0,10,10,12,12, 0,10,10,12,12, 0,11,12,12,12, 0,
  129075. 0, 0,12,13, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 9,
  129080. 11,10,13,13, 0,10,10,12,12, 0,10,10,12,12, 0,11,
  129081. 12,12,12, 0, 0, 0,12,12, 9,10,11,13,13, 0,10,10,
  129082. 12,12, 0,10,10,12,12, 0,12,11,13,12, 0, 0, 0,12,
  129083. 12,
  129084. };
  129085. static float _vq_quantthresh__44c9_s_p2_0[] = {
  129086. -1.5, -0.5, 0.5, 1.5,
  129087. };
  129088. static long _vq_quantmap__44c9_s_p2_0[] = {
  129089. 3, 1, 0, 2, 4,
  129090. };
  129091. static encode_aux_threshmatch _vq_auxt__44c9_s_p2_0 = {
  129092. _vq_quantthresh__44c9_s_p2_0,
  129093. _vq_quantmap__44c9_s_p2_0,
  129094. 5,
  129095. 5
  129096. };
  129097. static static_codebook _44c9_s_p2_0 = {
  129098. 4, 625,
  129099. _vq_lengthlist__44c9_s_p2_0,
  129100. 1, -533725184, 1611661312, 3, 0,
  129101. _vq_quantlist__44c9_s_p2_0,
  129102. NULL,
  129103. &_vq_auxt__44c9_s_p2_0,
  129104. NULL,
  129105. 0
  129106. };
  129107. static long _vq_quantlist__44c9_s_p3_0[] = {
  129108. 4,
  129109. 3,
  129110. 5,
  129111. 2,
  129112. 6,
  129113. 1,
  129114. 7,
  129115. 0,
  129116. 8,
  129117. };
  129118. static long _vq_lengthlist__44c9_s_p3_0[] = {
  129119. 3, 4, 4, 5, 5, 6, 6, 8, 8, 0, 4, 4, 5, 5, 6, 7,
  129120. 8, 8, 0, 4, 4, 5, 5, 7, 7, 8, 8, 0, 5, 5, 6, 6,
  129121. 7, 7, 9, 9, 0, 0, 0, 6, 6, 7, 7, 9, 9, 0, 0, 0,
  129122. 7, 7, 8, 8, 9, 9, 0, 0, 0, 7, 7, 8, 8, 9, 9, 0,
  129123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129124. 0,
  129125. };
  129126. static float _vq_quantthresh__44c9_s_p3_0[] = {
  129127. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  129128. };
  129129. static long _vq_quantmap__44c9_s_p3_0[] = {
  129130. 7, 5, 3, 1, 0, 2, 4, 6,
  129131. 8,
  129132. };
  129133. static encode_aux_threshmatch _vq_auxt__44c9_s_p3_0 = {
  129134. _vq_quantthresh__44c9_s_p3_0,
  129135. _vq_quantmap__44c9_s_p3_0,
  129136. 9,
  129137. 9
  129138. };
  129139. static static_codebook _44c9_s_p3_0 = {
  129140. 2, 81,
  129141. _vq_lengthlist__44c9_s_p3_0,
  129142. 1, -531628032, 1611661312, 4, 0,
  129143. _vq_quantlist__44c9_s_p3_0,
  129144. NULL,
  129145. &_vq_auxt__44c9_s_p3_0,
  129146. NULL,
  129147. 0
  129148. };
  129149. static long _vq_quantlist__44c9_s_p4_0[] = {
  129150. 8,
  129151. 7,
  129152. 9,
  129153. 6,
  129154. 10,
  129155. 5,
  129156. 11,
  129157. 4,
  129158. 12,
  129159. 3,
  129160. 13,
  129161. 2,
  129162. 14,
  129163. 1,
  129164. 15,
  129165. 0,
  129166. 16,
  129167. };
  129168. static long _vq_lengthlist__44c9_s_p4_0[] = {
  129169. 3, 4, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9,10,10,10,
  129170. 10, 0, 5, 4, 5, 5, 7, 7, 8, 8, 8, 8, 9, 9,10,10,
  129171. 11,11, 0, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,
  129172. 10,11,11, 0, 6, 5, 6, 6, 7, 7, 8, 8, 9, 9,10,10,
  129173. 11,11,11,12, 0, 0, 0, 6, 6, 7, 7, 8, 8, 9, 9,10,
  129174. 10,11,11,12,12, 0, 0, 0, 7, 7, 7, 7, 9, 9, 9, 9,
  129175. 10,10,11,11,12,12, 0, 0, 0, 7, 7, 7, 8, 9, 9, 9,
  129176. 9,10,10,11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,
  129177. 10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 8, 8, 9,
  129178. 9,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 0, 0,
  129179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129187. 0,
  129188. };
  129189. static float _vq_quantthresh__44c9_s_p4_0[] = {
  129190. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  129191. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  129192. };
  129193. static long _vq_quantmap__44c9_s_p4_0[] = {
  129194. 15, 13, 11, 9, 7, 5, 3, 1,
  129195. 0, 2, 4, 6, 8, 10, 12, 14,
  129196. 16,
  129197. };
  129198. static encode_aux_threshmatch _vq_auxt__44c9_s_p4_0 = {
  129199. _vq_quantthresh__44c9_s_p4_0,
  129200. _vq_quantmap__44c9_s_p4_0,
  129201. 17,
  129202. 17
  129203. };
  129204. static static_codebook _44c9_s_p4_0 = {
  129205. 2, 289,
  129206. _vq_lengthlist__44c9_s_p4_0,
  129207. 1, -529530880, 1611661312, 5, 0,
  129208. _vq_quantlist__44c9_s_p4_0,
  129209. NULL,
  129210. &_vq_auxt__44c9_s_p4_0,
  129211. NULL,
  129212. 0
  129213. };
  129214. static long _vq_quantlist__44c9_s_p5_0[] = {
  129215. 1,
  129216. 0,
  129217. 2,
  129218. };
  129219. static long _vq_lengthlist__44c9_s_p5_0[] = {
  129220. 1, 4, 4, 5, 7, 7, 6, 7, 7, 4, 7, 6, 9,10,10,10,
  129221. 10, 9, 4, 6, 7, 9,10,10,10, 9,10, 5, 9, 9, 9,11,
  129222. 11,10,11,11, 7,10, 9,11,12,11,12,12,12, 7, 9,10,
  129223. 11,11,12,12,12,12, 6,10,10,10,12,12,10,12,11, 7,
  129224. 10,10,11,12,12,11,12,12, 7,10,10,11,12,12,12,12,
  129225. 12,
  129226. };
  129227. static float _vq_quantthresh__44c9_s_p5_0[] = {
  129228. -5.5, 5.5,
  129229. };
  129230. static long _vq_quantmap__44c9_s_p5_0[] = {
  129231. 1, 0, 2,
  129232. };
  129233. static encode_aux_threshmatch _vq_auxt__44c9_s_p5_0 = {
  129234. _vq_quantthresh__44c9_s_p5_0,
  129235. _vq_quantmap__44c9_s_p5_0,
  129236. 3,
  129237. 3
  129238. };
  129239. static static_codebook _44c9_s_p5_0 = {
  129240. 4, 81,
  129241. _vq_lengthlist__44c9_s_p5_0,
  129242. 1, -529137664, 1618345984, 2, 0,
  129243. _vq_quantlist__44c9_s_p5_0,
  129244. NULL,
  129245. &_vq_auxt__44c9_s_p5_0,
  129246. NULL,
  129247. 0
  129248. };
  129249. static long _vq_quantlist__44c9_s_p5_1[] = {
  129250. 5,
  129251. 4,
  129252. 6,
  129253. 3,
  129254. 7,
  129255. 2,
  129256. 8,
  129257. 1,
  129258. 9,
  129259. 0,
  129260. 10,
  129261. };
  129262. static long _vq_lengthlist__44c9_s_p5_1[] = {
  129263. 4, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7,11, 5, 5, 6, 6,
  129264. 7, 7, 7, 7, 8, 8,11, 5, 5, 6, 6, 7, 7, 7, 7, 8,
  129265. 8,11, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8,11,11,11, 6,
  129266. 6, 7, 7, 7, 8, 8, 8,11,11,11, 6, 6, 7, 7, 7, 8,
  129267. 8, 8,11,11,11, 6, 6, 7, 7, 7, 7, 8, 8,11,11,11,
  129268. 7, 7, 7, 7, 7, 7, 8, 8,11,11,11,10,10, 7, 7, 7,
  129269. 7, 8, 8,11,11,11,11,11, 7, 7, 7, 7, 7, 7,11,11,
  129270. 11,11,11, 7, 7, 7, 7, 7, 7,
  129271. };
  129272. static float _vq_quantthresh__44c9_s_p5_1[] = {
  129273. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  129274. 3.5, 4.5,
  129275. };
  129276. static long _vq_quantmap__44c9_s_p5_1[] = {
  129277. 9, 7, 5, 3, 1, 0, 2, 4,
  129278. 6, 8, 10,
  129279. };
  129280. static encode_aux_threshmatch _vq_auxt__44c9_s_p5_1 = {
  129281. _vq_quantthresh__44c9_s_p5_1,
  129282. _vq_quantmap__44c9_s_p5_1,
  129283. 11,
  129284. 11
  129285. };
  129286. static static_codebook _44c9_s_p5_1 = {
  129287. 2, 121,
  129288. _vq_lengthlist__44c9_s_p5_1,
  129289. 1, -531365888, 1611661312, 4, 0,
  129290. _vq_quantlist__44c9_s_p5_1,
  129291. NULL,
  129292. &_vq_auxt__44c9_s_p5_1,
  129293. NULL,
  129294. 0
  129295. };
  129296. static long _vq_quantlist__44c9_s_p6_0[] = {
  129297. 6,
  129298. 5,
  129299. 7,
  129300. 4,
  129301. 8,
  129302. 3,
  129303. 9,
  129304. 2,
  129305. 10,
  129306. 1,
  129307. 11,
  129308. 0,
  129309. 12,
  129310. };
  129311. static long _vq_lengthlist__44c9_s_p6_0[] = {
  129312. 2, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9, 5, 4, 4,
  129313. 6, 6, 8, 8, 9, 9, 9, 9,10,10, 6, 4, 4, 6, 6, 8,
  129314. 8, 9, 9, 9, 9,10,10, 0, 6, 6, 7, 7, 8, 8, 9, 9,
  129315. 10,10,11,11, 0, 6, 6, 7, 7, 8, 8, 9, 9,10,10,11,
  129316. 11, 0,10,10, 8, 8, 9, 9,10,10,11,11,12,12, 0,11,
  129317. 11, 8, 8, 9, 9,10,10,11,11,12,12, 0, 0, 0, 0, 0,
  129318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129322. 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129323. };
  129324. static float _vq_quantthresh__44c9_s_p6_0[] = {
  129325. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  129326. 12.5, 17.5, 22.5, 27.5,
  129327. };
  129328. static long _vq_quantmap__44c9_s_p6_0[] = {
  129329. 11, 9, 7, 5, 3, 1, 0, 2,
  129330. 4, 6, 8, 10, 12,
  129331. };
  129332. static encode_aux_threshmatch _vq_auxt__44c9_s_p6_0 = {
  129333. _vq_quantthresh__44c9_s_p6_0,
  129334. _vq_quantmap__44c9_s_p6_0,
  129335. 13,
  129336. 13
  129337. };
  129338. static static_codebook _44c9_s_p6_0 = {
  129339. 2, 169,
  129340. _vq_lengthlist__44c9_s_p6_0,
  129341. 1, -526516224, 1616117760, 4, 0,
  129342. _vq_quantlist__44c9_s_p6_0,
  129343. NULL,
  129344. &_vq_auxt__44c9_s_p6_0,
  129345. NULL,
  129346. 0
  129347. };
  129348. static long _vq_quantlist__44c9_s_p6_1[] = {
  129349. 2,
  129350. 1,
  129351. 3,
  129352. 0,
  129353. 4,
  129354. };
  129355. static long _vq_lengthlist__44c9_s_p6_1[] = {
  129356. 4, 4, 4, 5, 5, 5, 4, 4, 5, 5, 5, 4, 4, 5, 5, 5,
  129357. 5, 5, 5, 5, 5, 5, 5, 5, 5,
  129358. };
  129359. static float _vq_quantthresh__44c9_s_p6_1[] = {
  129360. -1.5, -0.5, 0.5, 1.5,
  129361. };
  129362. static long _vq_quantmap__44c9_s_p6_1[] = {
  129363. 3, 1, 0, 2, 4,
  129364. };
  129365. static encode_aux_threshmatch _vq_auxt__44c9_s_p6_1 = {
  129366. _vq_quantthresh__44c9_s_p6_1,
  129367. _vq_quantmap__44c9_s_p6_1,
  129368. 5,
  129369. 5
  129370. };
  129371. static static_codebook _44c9_s_p6_1 = {
  129372. 2, 25,
  129373. _vq_lengthlist__44c9_s_p6_1,
  129374. 1, -533725184, 1611661312, 3, 0,
  129375. _vq_quantlist__44c9_s_p6_1,
  129376. NULL,
  129377. &_vq_auxt__44c9_s_p6_1,
  129378. NULL,
  129379. 0
  129380. };
  129381. static long _vq_quantlist__44c9_s_p7_0[] = {
  129382. 6,
  129383. 5,
  129384. 7,
  129385. 4,
  129386. 8,
  129387. 3,
  129388. 9,
  129389. 2,
  129390. 10,
  129391. 1,
  129392. 11,
  129393. 0,
  129394. 12,
  129395. };
  129396. static long _vq_lengthlist__44c9_s_p7_0[] = {
  129397. 2, 4, 4, 6, 6, 7, 7, 8, 8,10,10,11,11, 6, 4, 4,
  129398. 6, 6, 8, 8, 9, 9,10,10,12,12, 6, 4, 5, 6, 6, 8,
  129399. 8, 9, 9,10,10,12,12,20, 6, 6, 6, 6, 8, 8, 9,10,
  129400. 11,11,12,12,20, 6, 6, 6, 6, 8, 8,10,10,11,11,12,
  129401. 12,20,10,10, 7, 7, 9, 9,10,10,11,11,12,12,20,11,
  129402. 11, 7, 7, 9, 9,10,10,11,11,12,12,20,20,20, 9, 9,
  129403. 9, 9,11,11,12,12,13,13,20,20,20, 9, 9, 9, 9,11,
  129404. 11,12,12,13,13,20,20,20,13,13,10,10,11,11,12,13,
  129405. 13,13,20,20,20,13,13,10,10,11,11,12,13,13,13,20,
  129406. 20,20,20,19,12,12,12,12,13,13,14,15,19,19,19,19,
  129407. 19,12,12,12,12,13,13,14,14,
  129408. };
  129409. static float _vq_quantthresh__44c9_s_p7_0[] = {
  129410. -60.5, -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5,
  129411. 27.5, 38.5, 49.5, 60.5,
  129412. };
  129413. static long _vq_quantmap__44c9_s_p7_0[] = {
  129414. 11, 9, 7, 5, 3, 1, 0, 2,
  129415. 4, 6, 8, 10, 12,
  129416. };
  129417. static encode_aux_threshmatch _vq_auxt__44c9_s_p7_0 = {
  129418. _vq_quantthresh__44c9_s_p7_0,
  129419. _vq_quantmap__44c9_s_p7_0,
  129420. 13,
  129421. 13
  129422. };
  129423. static static_codebook _44c9_s_p7_0 = {
  129424. 2, 169,
  129425. _vq_lengthlist__44c9_s_p7_0,
  129426. 1, -523206656, 1618345984, 4, 0,
  129427. _vq_quantlist__44c9_s_p7_0,
  129428. NULL,
  129429. &_vq_auxt__44c9_s_p7_0,
  129430. NULL,
  129431. 0
  129432. };
  129433. static long _vq_quantlist__44c9_s_p7_1[] = {
  129434. 5,
  129435. 4,
  129436. 6,
  129437. 3,
  129438. 7,
  129439. 2,
  129440. 8,
  129441. 1,
  129442. 9,
  129443. 0,
  129444. 10,
  129445. };
  129446. static long _vq_lengthlist__44c9_s_p7_1[] = {
  129447. 5, 6, 6, 6, 6, 7, 7, 7, 7, 7, 7, 7, 6, 6, 6, 6,
  129448. 7, 7, 7, 7, 7, 7, 7, 6, 6, 6, 6, 7, 7, 7, 7, 7,
  129449. 7, 8, 6, 6, 6, 6, 7, 7, 7, 7, 7, 7, 8, 8, 8, 6,
  129450. 6, 7, 7, 7, 7, 7, 7, 8, 8, 8, 7, 7, 7, 7, 7, 7,
  129451. 7, 7, 8, 8, 8, 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8,
  129452. 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 8, 7, 7, 7,
  129453. 7, 7, 7, 8, 8, 8, 8, 8, 7, 7, 7, 7, 7, 7, 8, 8,
  129454. 8, 8, 8, 7, 7, 7, 7, 7, 7,
  129455. };
  129456. static float _vq_quantthresh__44c9_s_p7_1[] = {
  129457. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  129458. 3.5, 4.5,
  129459. };
  129460. static long _vq_quantmap__44c9_s_p7_1[] = {
  129461. 9, 7, 5, 3, 1, 0, 2, 4,
  129462. 6, 8, 10,
  129463. };
  129464. static encode_aux_threshmatch _vq_auxt__44c9_s_p7_1 = {
  129465. _vq_quantthresh__44c9_s_p7_1,
  129466. _vq_quantmap__44c9_s_p7_1,
  129467. 11,
  129468. 11
  129469. };
  129470. static static_codebook _44c9_s_p7_1 = {
  129471. 2, 121,
  129472. _vq_lengthlist__44c9_s_p7_1,
  129473. 1, -531365888, 1611661312, 4, 0,
  129474. _vq_quantlist__44c9_s_p7_1,
  129475. NULL,
  129476. &_vq_auxt__44c9_s_p7_1,
  129477. NULL,
  129478. 0
  129479. };
  129480. static long _vq_quantlist__44c9_s_p8_0[] = {
  129481. 7,
  129482. 6,
  129483. 8,
  129484. 5,
  129485. 9,
  129486. 4,
  129487. 10,
  129488. 3,
  129489. 11,
  129490. 2,
  129491. 12,
  129492. 1,
  129493. 13,
  129494. 0,
  129495. 14,
  129496. };
  129497. static long _vq_lengthlist__44c9_s_p8_0[] = {
  129498. 1, 4, 4, 7, 6, 8, 8, 8, 8, 9, 9,10,10,11,10, 6,
  129499. 5, 5, 7, 7, 9, 9, 8, 9,10,10,11,11,12,12, 6, 5,
  129500. 5, 7, 7, 9, 9, 9, 9,10,10,11,11,12,12,21, 7, 8,
  129501. 8, 8, 9, 9, 9, 9,10,10,11,11,12,12,21, 8, 8, 8,
  129502. 8, 9, 9, 9, 9,10,10,11,11,12,12,21,11,12, 9, 9,
  129503. 10,10,10,10,10,11,11,12,12,12,21,12,12, 9, 8,10,
  129504. 10,10,10,11,11,12,12,13,13,21,21,21, 9, 9, 9, 9,
  129505. 11,11,11,11,12,12,12,13,21,20,20, 9, 9, 9, 9,10,
  129506. 11,11,11,12,12,13,13,20,20,20,13,13,10,10,11,11,
  129507. 12,12,13,13,13,13,20,20,20,13,13,10,10,11,11,12,
  129508. 12,13,13,13,13,20,20,20,20,20,12,12,12,12,12,12,
  129509. 13,13,14,14,20,20,20,20,20,12,12,12,11,13,12,13,
  129510. 13,14,14,20,20,20,20,20,15,16,13,12,13,13,14,13,
  129511. 14,14,20,20,20,20,20,16,15,12,12,13,12,14,13,14,
  129512. 14,
  129513. };
  129514. static float _vq_quantthresh__44c9_s_p8_0[] = {
  129515. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  129516. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  129517. };
  129518. static long _vq_quantmap__44c9_s_p8_0[] = {
  129519. 13, 11, 9, 7, 5, 3, 1, 0,
  129520. 2, 4, 6, 8, 10, 12, 14,
  129521. };
  129522. static encode_aux_threshmatch _vq_auxt__44c9_s_p8_0 = {
  129523. _vq_quantthresh__44c9_s_p8_0,
  129524. _vq_quantmap__44c9_s_p8_0,
  129525. 15,
  129526. 15
  129527. };
  129528. static static_codebook _44c9_s_p8_0 = {
  129529. 2, 225,
  129530. _vq_lengthlist__44c9_s_p8_0,
  129531. 1, -520986624, 1620377600, 4, 0,
  129532. _vq_quantlist__44c9_s_p8_0,
  129533. NULL,
  129534. &_vq_auxt__44c9_s_p8_0,
  129535. NULL,
  129536. 0
  129537. };
  129538. static long _vq_quantlist__44c9_s_p8_1[] = {
  129539. 10,
  129540. 9,
  129541. 11,
  129542. 8,
  129543. 12,
  129544. 7,
  129545. 13,
  129546. 6,
  129547. 14,
  129548. 5,
  129549. 15,
  129550. 4,
  129551. 16,
  129552. 3,
  129553. 17,
  129554. 2,
  129555. 18,
  129556. 1,
  129557. 19,
  129558. 0,
  129559. 20,
  129560. };
  129561. static long _vq_lengthlist__44c9_s_p8_1[] = {
  129562. 4, 6, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  129563. 8, 8, 8, 8, 8,10, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,
  129564. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 6, 6, 7, 7, 8,
  129565. 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,
  129566. 7, 7, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  129567. 9, 9, 9, 9,10,10,10, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  129568. 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10, 8, 8, 8, 8,
  129569. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,
  129570. 10, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  129571. 9, 9, 9,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  129572. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,10,10, 9, 9, 9,
  129573. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,
  129574. 10,10, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  129575. 9, 9,10,10,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  129576. 9, 9, 9, 9, 9, 9, 9,10,10,10,10,10, 9, 9, 9, 9,
  129577. 9, 9, 9, 9, 9, 9, 9, 9,10, 9, 9, 9,10,10,10,10,
  129578. 10,10,10, 9, 9, 9, 9, 9, 9,10, 9, 9, 9, 9, 9, 9,
  129579. 9,10,10,10,10,10,10,10, 9, 9, 9,10,10,10,10,10,
  129580. 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,10, 9, 9,10,
  129581. 9,10, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,
  129582. 10,10,10,10, 9, 9,10,10, 9, 9, 9, 9, 9, 9, 9, 9,
  129583. 10,10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9,
  129584. 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10,
  129585. 10,10, 9, 9,10, 9, 9, 9, 9, 9,10,10,10,10,10,10,
  129586. 10,10,10,10,10, 9, 9,10,10, 9, 9,10, 9, 9, 9,10,
  129587. 10,10,10,10,10,10,10,10,10,10, 9, 9,10, 9, 9, 9,
  129588. 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10, 9,
  129589. 9, 9, 9,10, 9, 9, 9, 9, 9,
  129590. };
  129591. static float _vq_quantthresh__44c9_s_p8_1[] = {
  129592. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  129593. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  129594. 6.5, 7.5, 8.5, 9.5,
  129595. };
  129596. static long _vq_quantmap__44c9_s_p8_1[] = {
  129597. 19, 17, 15, 13, 11, 9, 7, 5,
  129598. 3, 1, 0, 2, 4, 6, 8, 10,
  129599. 12, 14, 16, 18, 20,
  129600. };
  129601. static encode_aux_threshmatch _vq_auxt__44c9_s_p8_1 = {
  129602. _vq_quantthresh__44c9_s_p8_1,
  129603. _vq_quantmap__44c9_s_p8_1,
  129604. 21,
  129605. 21
  129606. };
  129607. static static_codebook _44c9_s_p8_1 = {
  129608. 2, 441,
  129609. _vq_lengthlist__44c9_s_p8_1,
  129610. 1, -529268736, 1611661312, 5, 0,
  129611. _vq_quantlist__44c9_s_p8_1,
  129612. NULL,
  129613. &_vq_auxt__44c9_s_p8_1,
  129614. NULL,
  129615. 0
  129616. };
  129617. static long _vq_quantlist__44c9_s_p9_0[] = {
  129618. 9,
  129619. 8,
  129620. 10,
  129621. 7,
  129622. 11,
  129623. 6,
  129624. 12,
  129625. 5,
  129626. 13,
  129627. 4,
  129628. 14,
  129629. 3,
  129630. 15,
  129631. 2,
  129632. 16,
  129633. 1,
  129634. 17,
  129635. 0,
  129636. 18,
  129637. };
  129638. static long _vq_lengthlist__44c9_s_p9_0[] = {
  129639. 1, 4, 3,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129640. 12,12,12, 4, 5, 6,12,12,12,12,12,12,12,12,12,12,
  129641. 12,12,12,12,12,12, 4, 6, 6,12,12,12,12,12,12,12,
  129642. 12,12,12,12,12,12,12,12,12,12,12,11,12,12,12,12,
  129643. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129644. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129645. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129646. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129647. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129648. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129649. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129650. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129651. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129652. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129653. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129654. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  129655. 12,12,12,12,12,12,12,12,12,12,11,11,11,11,11,11,
  129656. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  129657. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  129658. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  129659. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  129660. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  129661. 11,11,11,11,11,11,11,11,11,
  129662. };
  129663. static float _vq_quantthresh__44c9_s_p9_0[] = {
  129664. -7913.5, -6982.5, -6051.5, -5120.5, -4189.5, -3258.5, -2327.5, -1396.5,
  129665. -465.5, 465.5, 1396.5, 2327.5, 3258.5, 4189.5, 5120.5, 6051.5,
  129666. 6982.5, 7913.5,
  129667. };
  129668. static long _vq_quantmap__44c9_s_p9_0[] = {
  129669. 17, 15, 13, 11, 9, 7, 5, 3,
  129670. 1, 0, 2, 4, 6, 8, 10, 12,
  129671. 14, 16, 18,
  129672. };
  129673. static encode_aux_threshmatch _vq_auxt__44c9_s_p9_0 = {
  129674. _vq_quantthresh__44c9_s_p9_0,
  129675. _vq_quantmap__44c9_s_p9_0,
  129676. 19,
  129677. 19
  129678. };
  129679. static static_codebook _44c9_s_p9_0 = {
  129680. 2, 361,
  129681. _vq_lengthlist__44c9_s_p9_0,
  129682. 1, -508535424, 1631393792, 5, 0,
  129683. _vq_quantlist__44c9_s_p9_0,
  129684. NULL,
  129685. &_vq_auxt__44c9_s_p9_0,
  129686. NULL,
  129687. 0
  129688. };
  129689. static long _vq_quantlist__44c9_s_p9_1[] = {
  129690. 9,
  129691. 8,
  129692. 10,
  129693. 7,
  129694. 11,
  129695. 6,
  129696. 12,
  129697. 5,
  129698. 13,
  129699. 4,
  129700. 14,
  129701. 3,
  129702. 15,
  129703. 2,
  129704. 16,
  129705. 1,
  129706. 17,
  129707. 0,
  129708. 18,
  129709. };
  129710. static long _vq_lengthlist__44c9_s_p9_1[] = {
  129711. 1, 4, 4, 7, 7, 7, 7, 8, 7, 9, 8, 9, 9,10,10,11,
  129712. 11,11,11, 6, 5, 5, 8, 8, 9, 9, 9, 8,10, 9,11,10,
  129713. 12,12,13,12,13,13, 5, 5, 5, 8, 8, 9, 9, 9, 9,10,
  129714. 10,11,11,12,12,13,12,13,13,17, 8, 8, 9, 9, 9, 9,
  129715. 9, 9,10,10,12,11,13,12,13,13,13,13,18, 8, 8, 9,
  129716. 9, 9, 9, 9, 9,11,11,12,12,13,13,13,13,13,13,17,
  129717. 13,12, 9, 9,10,10,10,10,11,11,12,12,12,13,13,13,
  129718. 14,14,18,13,12, 9, 9,10,10,10,10,11,11,12,12,13,
  129719. 13,13,14,14,14,17,18,18,10,10,10,10,11,11,11,12,
  129720. 12,12,14,13,14,13,13,14,18,18,18,10, 9,10, 9,11,
  129721. 11,12,12,12,12,13,13,15,14,14,14,18,18,16,13,14,
  129722. 10,11,11,11,12,13,13,13,13,14,13,13,14,14,18,18,
  129723. 18,14,12,11, 9,11,10,13,12,13,13,13,14,14,14,13,
  129724. 14,18,18,17,18,18,11,12,12,12,13,13,14,13,14,14,
  129725. 13,14,14,14,18,18,18,18,17,12,10,12, 9,13,11,13,
  129726. 14,14,14,14,14,15,14,18,18,17,17,18,14,15,12,13,
  129727. 13,13,14,13,14,14,15,14,15,14,18,17,18,18,18,15,
  129728. 15,12,10,14,10,14,14,13,13,14,14,14,14,18,16,18,
  129729. 18,18,18,17,14,14,13,14,14,13,13,14,14,14,15,15,
  129730. 18,18,18,18,17,17,17,14,14,14,12,14,13,14,14,15,
  129731. 14,15,14,18,18,18,18,18,18,18,17,16,13,13,13,14,
  129732. 14,14,14,15,16,15,18,18,18,18,18,18,18,17,17,13,
  129733. 13,13,13,14,13,14,15,15,15,
  129734. };
  129735. static float _vq_quantthresh__44c9_s_p9_1[] = {
  129736. -416.5, -367.5, -318.5, -269.5, -220.5, -171.5, -122.5, -73.5,
  129737. -24.5, 24.5, 73.5, 122.5, 171.5, 220.5, 269.5, 318.5,
  129738. 367.5, 416.5,
  129739. };
  129740. static long _vq_quantmap__44c9_s_p9_1[] = {
  129741. 17, 15, 13, 11, 9, 7, 5, 3,
  129742. 1, 0, 2, 4, 6, 8, 10, 12,
  129743. 14, 16, 18,
  129744. };
  129745. static encode_aux_threshmatch _vq_auxt__44c9_s_p9_1 = {
  129746. _vq_quantthresh__44c9_s_p9_1,
  129747. _vq_quantmap__44c9_s_p9_1,
  129748. 19,
  129749. 19
  129750. };
  129751. static static_codebook _44c9_s_p9_1 = {
  129752. 2, 361,
  129753. _vq_lengthlist__44c9_s_p9_1,
  129754. 1, -518287360, 1622704128, 5, 0,
  129755. _vq_quantlist__44c9_s_p9_1,
  129756. NULL,
  129757. &_vq_auxt__44c9_s_p9_1,
  129758. NULL,
  129759. 0
  129760. };
  129761. static long _vq_quantlist__44c9_s_p9_2[] = {
  129762. 24,
  129763. 23,
  129764. 25,
  129765. 22,
  129766. 26,
  129767. 21,
  129768. 27,
  129769. 20,
  129770. 28,
  129771. 19,
  129772. 29,
  129773. 18,
  129774. 30,
  129775. 17,
  129776. 31,
  129777. 16,
  129778. 32,
  129779. 15,
  129780. 33,
  129781. 14,
  129782. 34,
  129783. 13,
  129784. 35,
  129785. 12,
  129786. 36,
  129787. 11,
  129788. 37,
  129789. 10,
  129790. 38,
  129791. 9,
  129792. 39,
  129793. 8,
  129794. 40,
  129795. 7,
  129796. 41,
  129797. 6,
  129798. 42,
  129799. 5,
  129800. 43,
  129801. 4,
  129802. 44,
  129803. 3,
  129804. 45,
  129805. 2,
  129806. 46,
  129807. 1,
  129808. 47,
  129809. 0,
  129810. 48,
  129811. };
  129812. static long _vq_lengthlist__44c9_s_p9_2[] = {
  129813. 2, 4, 4, 5, 5, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 6,
  129814. 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 7, 7, 7, 7, 7,
  129815. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  129816. 7,
  129817. };
  129818. static float _vq_quantthresh__44c9_s_p9_2[] = {
  129819. -23.5, -22.5, -21.5, -20.5, -19.5, -18.5, -17.5, -16.5,
  129820. -15.5, -14.5, -13.5, -12.5, -11.5, -10.5, -9.5, -8.5,
  129821. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  129822. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  129823. 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5,
  129824. 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5,
  129825. };
  129826. static long _vq_quantmap__44c9_s_p9_2[] = {
  129827. 47, 45, 43, 41, 39, 37, 35, 33,
  129828. 31, 29, 27, 25, 23, 21, 19, 17,
  129829. 15, 13, 11, 9, 7, 5, 3, 1,
  129830. 0, 2, 4, 6, 8, 10, 12, 14,
  129831. 16, 18, 20, 22, 24, 26, 28, 30,
  129832. 32, 34, 36, 38, 40, 42, 44, 46,
  129833. 48,
  129834. };
  129835. static encode_aux_threshmatch _vq_auxt__44c9_s_p9_2 = {
  129836. _vq_quantthresh__44c9_s_p9_2,
  129837. _vq_quantmap__44c9_s_p9_2,
  129838. 49,
  129839. 49
  129840. };
  129841. static static_codebook _44c9_s_p9_2 = {
  129842. 1, 49,
  129843. _vq_lengthlist__44c9_s_p9_2,
  129844. 1, -526909440, 1611661312, 6, 0,
  129845. _vq_quantlist__44c9_s_p9_2,
  129846. NULL,
  129847. &_vq_auxt__44c9_s_p9_2,
  129848. NULL,
  129849. 0
  129850. };
  129851. static long _huff_lengthlist__44c9_s_short[] = {
  129852. 5,13,18,16,17,17,19,18,19,19, 5, 7,10,11,12,12,
  129853. 13,16,17,18, 6, 6, 7, 7, 9, 9,10,14,17,19, 8, 7,
  129854. 6, 5, 6, 7, 9,12,19,17, 8, 7, 7, 6, 5, 6, 8,11,
  129855. 15,19, 9, 8, 7, 6, 5, 5, 6, 8,13,15,11,10, 8, 8,
  129856. 7, 5, 4, 4,10,14,12,13,11, 9, 7, 6, 4, 2, 6,12,
  129857. 18,16,16,13, 8, 7, 7, 5, 8,13,16,17,18,15,11, 9,
  129858. 9, 8,10,13,
  129859. };
  129860. static static_codebook _huff_book__44c9_s_short = {
  129861. 2, 100,
  129862. _huff_lengthlist__44c9_s_short,
  129863. 0, 0, 0, 0, 0,
  129864. NULL,
  129865. NULL,
  129866. NULL,
  129867. NULL,
  129868. 0
  129869. };
  129870. static long _huff_lengthlist__44c0_s_long[] = {
  129871. 5, 4, 8, 9, 8, 9,10,12,15, 4, 1, 5, 5, 6, 8,11,
  129872. 12,12, 8, 5, 8, 9, 9,11,13,12,12, 9, 5, 8, 5, 7,
  129873. 9,12,13,13, 8, 6, 8, 7, 7, 9,11,11,11, 9, 7, 9,
  129874. 7, 7, 7, 7,10,12,10,10,11, 9, 8, 7, 7, 9,11,11,
  129875. 12,13,12,11, 9, 8, 9,11,13,16,16,15,15,12,10,11,
  129876. 12,
  129877. };
  129878. static static_codebook _huff_book__44c0_s_long = {
  129879. 2, 81,
  129880. _huff_lengthlist__44c0_s_long,
  129881. 0, 0, 0, 0, 0,
  129882. NULL,
  129883. NULL,
  129884. NULL,
  129885. NULL,
  129886. 0
  129887. };
  129888. static long _vq_quantlist__44c0_s_p1_0[] = {
  129889. 1,
  129890. 0,
  129891. 2,
  129892. };
  129893. static long _vq_lengthlist__44c0_s_p1_0[] = {
  129894. 1, 5, 5, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  129895. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129896. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129897. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129898. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129899. 0, 5, 8, 7, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  129900. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129901. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129902. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129903. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129904. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  129905. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129906. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129907. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129908. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129909. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129910. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129911. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129912. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129913. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129914. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129915. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129916. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129917. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129918. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129919. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129920. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129921. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129922. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129923. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129924. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129925. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129926. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129927. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129928. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129929. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129930. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129931. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129932. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129933. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129934. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129935. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129936. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129937. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129938. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129939. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  129940. 0, 0, 8,10, 9, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  129941. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129942. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129943. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129944. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  129945. 0, 0, 0, 9,10,11, 0, 0, 0, 0, 0, 0, 9,11,10, 0,
  129946. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129947. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129948. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129949. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  129950. 0, 0, 0, 0, 9,11, 9, 0, 0, 0, 0, 0, 0, 9,10,11,
  129951. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129952. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129953. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129954. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129955. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129956. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129957. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129958. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129959. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129960. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129961. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129962. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129963. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129964. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129965. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129966. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129967. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129968. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129972. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129973. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129974. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129975. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129976. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129977. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129978. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129981. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129984. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129985. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  129986. 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129989. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129990. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,11,10, 0,
  129991. 0, 0, 0, 0, 0, 9, 9,11, 0, 0, 0, 0, 0, 0, 0, 0,
  129992. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129995. 0, 0, 0, 0, 7, 9,10, 0, 0, 0, 0, 0, 0, 9,10,11,
  129996. 0, 0, 0, 0, 0, 0, 9,11,10, 0, 0, 0, 0, 0, 0, 0,
  129997. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129998. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  129999. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130000. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130001. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130002. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130004. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130005. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130007. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130009. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130010. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130013. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130023. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130036. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130037. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130041. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130042. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130047. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130304. 0,
  130305. };
  130306. static float _vq_quantthresh__44c0_s_p1_0[] = {
  130307. -0.5, 0.5,
  130308. };
  130309. static long _vq_quantmap__44c0_s_p1_0[] = {
  130310. 1, 0, 2,
  130311. };
  130312. static encode_aux_threshmatch _vq_auxt__44c0_s_p1_0 = {
  130313. _vq_quantthresh__44c0_s_p1_0,
  130314. _vq_quantmap__44c0_s_p1_0,
  130315. 3,
  130316. 3
  130317. };
  130318. static static_codebook _44c0_s_p1_0 = {
  130319. 8, 6561,
  130320. _vq_lengthlist__44c0_s_p1_0,
  130321. 1, -535822336, 1611661312, 2, 0,
  130322. _vq_quantlist__44c0_s_p1_0,
  130323. NULL,
  130324. &_vq_auxt__44c0_s_p1_0,
  130325. NULL,
  130326. 0
  130327. };
  130328. static long _vq_quantlist__44c0_s_p2_0[] = {
  130329. 2,
  130330. 1,
  130331. 3,
  130332. 0,
  130333. 4,
  130334. };
  130335. static long _vq_lengthlist__44c0_s_p2_0[] = {
  130336. 1, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 5, 5, 7, 6, 0, 0,
  130338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130339. 0, 0, 4, 5, 6, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 7, 7, 9, 9,
  130341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130342. 0, 0, 0, 0, 6, 7, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  130343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130375. 0,
  130376. };
  130377. static float _vq_quantthresh__44c0_s_p2_0[] = {
  130378. -1.5, -0.5, 0.5, 1.5,
  130379. };
  130380. static long _vq_quantmap__44c0_s_p2_0[] = {
  130381. 3, 1, 0, 2, 4,
  130382. };
  130383. static encode_aux_threshmatch _vq_auxt__44c0_s_p2_0 = {
  130384. _vq_quantthresh__44c0_s_p2_0,
  130385. _vq_quantmap__44c0_s_p2_0,
  130386. 5,
  130387. 5
  130388. };
  130389. static static_codebook _44c0_s_p2_0 = {
  130390. 4, 625,
  130391. _vq_lengthlist__44c0_s_p2_0,
  130392. 1, -533725184, 1611661312, 3, 0,
  130393. _vq_quantlist__44c0_s_p2_0,
  130394. NULL,
  130395. &_vq_auxt__44c0_s_p2_0,
  130396. NULL,
  130397. 0
  130398. };
  130399. static long _vq_quantlist__44c0_s_p3_0[] = {
  130400. 4,
  130401. 3,
  130402. 5,
  130403. 2,
  130404. 6,
  130405. 1,
  130406. 7,
  130407. 0,
  130408. 8,
  130409. };
  130410. static long _vq_lengthlist__44c0_s_p3_0[] = {
  130411. 1, 3, 2, 8, 7, 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0,
  130412. 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0, 7, 7,
  130413. 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  130414. 8, 8, 0, 0, 0, 0, 0, 0, 0, 8, 8, 0, 0, 0, 0, 0,
  130415. 0, 0, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130416. 0,
  130417. };
  130418. static float _vq_quantthresh__44c0_s_p3_0[] = {
  130419. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  130420. };
  130421. static long _vq_quantmap__44c0_s_p3_0[] = {
  130422. 7, 5, 3, 1, 0, 2, 4, 6,
  130423. 8,
  130424. };
  130425. static encode_aux_threshmatch _vq_auxt__44c0_s_p3_0 = {
  130426. _vq_quantthresh__44c0_s_p3_0,
  130427. _vq_quantmap__44c0_s_p3_0,
  130428. 9,
  130429. 9
  130430. };
  130431. static static_codebook _44c0_s_p3_0 = {
  130432. 2, 81,
  130433. _vq_lengthlist__44c0_s_p3_0,
  130434. 1, -531628032, 1611661312, 4, 0,
  130435. _vq_quantlist__44c0_s_p3_0,
  130436. NULL,
  130437. &_vq_auxt__44c0_s_p3_0,
  130438. NULL,
  130439. 0
  130440. };
  130441. static long _vq_quantlist__44c0_s_p4_0[] = {
  130442. 4,
  130443. 3,
  130444. 5,
  130445. 2,
  130446. 6,
  130447. 1,
  130448. 7,
  130449. 0,
  130450. 8,
  130451. };
  130452. static long _vq_lengthlist__44c0_s_p4_0[] = {
  130453. 1, 3, 3, 6, 6, 6, 6, 8, 8, 0, 0, 0, 7, 7, 7, 7,
  130454. 9, 9, 0, 0, 0, 7, 7, 7, 7, 9, 9, 0, 0, 0, 7, 7,
  130455. 7, 8, 9, 9, 0, 0, 0, 7, 7, 7, 7, 9, 9, 0, 0, 0,
  130456. 9, 9, 8, 8,10,10, 0, 0, 0, 8, 9, 8, 8,10,10, 0,
  130457. 0, 0,10,10, 9, 9,10,10, 0, 0, 0, 0, 0, 9, 9,10,
  130458. 10,
  130459. };
  130460. static float _vq_quantthresh__44c0_s_p4_0[] = {
  130461. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  130462. };
  130463. static long _vq_quantmap__44c0_s_p4_0[] = {
  130464. 7, 5, 3, 1, 0, 2, 4, 6,
  130465. 8,
  130466. };
  130467. static encode_aux_threshmatch _vq_auxt__44c0_s_p4_0 = {
  130468. _vq_quantthresh__44c0_s_p4_0,
  130469. _vq_quantmap__44c0_s_p4_0,
  130470. 9,
  130471. 9
  130472. };
  130473. static static_codebook _44c0_s_p4_0 = {
  130474. 2, 81,
  130475. _vq_lengthlist__44c0_s_p4_0,
  130476. 1, -531628032, 1611661312, 4, 0,
  130477. _vq_quantlist__44c0_s_p4_0,
  130478. NULL,
  130479. &_vq_auxt__44c0_s_p4_0,
  130480. NULL,
  130481. 0
  130482. };
  130483. static long _vq_quantlist__44c0_s_p5_0[] = {
  130484. 8,
  130485. 7,
  130486. 9,
  130487. 6,
  130488. 10,
  130489. 5,
  130490. 11,
  130491. 4,
  130492. 12,
  130493. 3,
  130494. 13,
  130495. 2,
  130496. 14,
  130497. 1,
  130498. 15,
  130499. 0,
  130500. 16,
  130501. };
  130502. static long _vq_lengthlist__44c0_s_p5_0[] = {
  130503. 1, 4, 3, 6, 6, 8, 7, 8, 8, 8, 8, 9, 9,10,10,11,
  130504. 11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9, 9,10,10,10,
  130505. 11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,
  130506. 10,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  130507. 11,11,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  130508. 10,11,11,11,11, 0, 0, 0, 8, 8, 9, 9, 9, 9,10,10,
  130509. 10,10,11,11,12,12, 0, 0, 0, 8, 8, 9, 9, 9, 9,10,
  130510. 10,10,10,11,11,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,
  130511. 10,10,11,11,11,12,12,12, 0, 0, 0, 0, 0, 9, 9,10,
  130512. 10,10,10,11,11,11,11,12,12, 0, 0, 0, 0, 0, 9, 9,
  130513. 10,10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9,
  130514. 9,10,10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,
  130515. 10,10,11,11,11,11,11,12,12,12,13,13, 0, 0, 0, 0,
  130516. 0, 0, 0,11,10,11,11,11,11,12,12,13,13, 0, 0, 0,
  130517. 0, 0, 0, 0,11,11,12,11,12,12,12,12,13,13, 0, 0,
  130518. 0, 0, 0, 0, 0,11,11,11,12,12,12,12,13,13,13, 0,
  130519. 0, 0, 0, 0, 0, 0,12,12,12,12,12,13,13,13,14,14,
  130520. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,14,
  130521. 14,
  130522. };
  130523. static float _vq_quantthresh__44c0_s_p5_0[] = {
  130524. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  130525. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  130526. };
  130527. static long _vq_quantmap__44c0_s_p5_0[] = {
  130528. 15, 13, 11, 9, 7, 5, 3, 1,
  130529. 0, 2, 4, 6, 8, 10, 12, 14,
  130530. 16,
  130531. };
  130532. static encode_aux_threshmatch _vq_auxt__44c0_s_p5_0 = {
  130533. _vq_quantthresh__44c0_s_p5_0,
  130534. _vq_quantmap__44c0_s_p5_0,
  130535. 17,
  130536. 17
  130537. };
  130538. static static_codebook _44c0_s_p5_0 = {
  130539. 2, 289,
  130540. _vq_lengthlist__44c0_s_p5_0,
  130541. 1, -529530880, 1611661312, 5, 0,
  130542. _vq_quantlist__44c0_s_p5_0,
  130543. NULL,
  130544. &_vq_auxt__44c0_s_p5_0,
  130545. NULL,
  130546. 0
  130547. };
  130548. static long _vq_quantlist__44c0_s_p6_0[] = {
  130549. 1,
  130550. 0,
  130551. 2,
  130552. };
  130553. static long _vq_lengthlist__44c0_s_p6_0[] = {
  130554. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,10,
  130555. 9, 9, 4, 6, 7,10, 9, 9,11, 9, 9, 7,10,10,11,11,
  130556. 11,12,10,11, 6, 9, 9,11,10,11,11,10,10, 6, 9, 9,
  130557. 11,10,11,11,10,10, 7,11,10,12,11,11,11,11,11, 7,
  130558. 9, 9,10,10,10,11,11,10, 6, 9, 9,11,10,10,11,10,
  130559. 10,
  130560. };
  130561. static float _vq_quantthresh__44c0_s_p6_0[] = {
  130562. -5.5, 5.5,
  130563. };
  130564. static long _vq_quantmap__44c0_s_p6_0[] = {
  130565. 1, 0, 2,
  130566. };
  130567. static encode_aux_threshmatch _vq_auxt__44c0_s_p6_0 = {
  130568. _vq_quantthresh__44c0_s_p6_0,
  130569. _vq_quantmap__44c0_s_p6_0,
  130570. 3,
  130571. 3
  130572. };
  130573. static static_codebook _44c0_s_p6_0 = {
  130574. 4, 81,
  130575. _vq_lengthlist__44c0_s_p6_0,
  130576. 1, -529137664, 1618345984, 2, 0,
  130577. _vq_quantlist__44c0_s_p6_0,
  130578. NULL,
  130579. &_vq_auxt__44c0_s_p6_0,
  130580. NULL,
  130581. 0
  130582. };
  130583. static long _vq_quantlist__44c0_s_p6_1[] = {
  130584. 5,
  130585. 4,
  130586. 6,
  130587. 3,
  130588. 7,
  130589. 2,
  130590. 8,
  130591. 1,
  130592. 9,
  130593. 0,
  130594. 10,
  130595. };
  130596. static long _vq_lengthlist__44c0_s_p6_1[] = {
  130597. 2, 3, 3, 6, 6, 7, 7, 7, 7, 7, 8,10,10,10, 6, 6,
  130598. 7, 7, 8, 8, 8, 8,10,10,10, 6, 6, 7, 7, 8, 8, 8,
  130599. 8,10,10,10, 7, 7, 7, 7, 8, 8, 8, 8,10,10,10, 7,
  130600. 7, 7, 7, 8, 8, 8, 8,10,10,10, 8, 7, 8, 8, 8, 8,
  130601. 8, 8,10,10,10, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10,
  130602. 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,10,10, 8, 8, 8,
  130603. 8, 8, 8,10,10,10,10,10, 9, 9, 8, 8, 8, 8,10,10,
  130604. 10,10,10, 8, 8, 8, 8, 8, 8,
  130605. };
  130606. static float _vq_quantthresh__44c0_s_p6_1[] = {
  130607. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  130608. 3.5, 4.5,
  130609. };
  130610. static long _vq_quantmap__44c0_s_p6_1[] = {
  130611. 9, 7, 5, 3, 1, 0, 2, 4,
  130612. 6, 8, 10,
  130613. };
  130614. static encode_aux_threshmatch _vq_auxt__44c0_s_p6_1 = {
  130615. _vq_quantthresh__44c0_s_p6_1,
  130616. _vq_quantmap__44c0_s_p6_1,
  130617. 11,
  130618. 11
  130619. };
  130620. static static_codebook _44c0_s_p6_1 = {
  130621. 2, 121,
  130622. _vq_lengthlist__44c0_s_p6_1,
  130623. 1, -531365888, 1611661312, 4, 0,
  130624. _vq_quantlist__44c0_s_p6_1,
  130625. NULL,
  130626. &_vq_auxt__44c0_s_p6_1,
  130627. NULL,
  130628. 0
  130629. };
  130630. static long _vq_quantlist__44c0_s_p7_0[] = {
  130631. 6,
  130632. 5,
  130633. 7,
  130634. 4,
  130635. 8,
  130636. 3,
  130637. 9,
  130638. 2,
  130639. 10,
  130640. 1,
  130641. 11,
  130642. 0,
  130643. 12,
  130644. };
  130645. static long _vq_lengthlist__44c0_s_p7_0[] = {
  130646. 1, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9, 7, 5, 5,
  130647. 7, 7, 8, 8, 8, 8, 9, 9,10,10, 7, 5, 6, 7, 7, 8,
  130648. 8, 8, 8, 9, 9,10,10, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  130649. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  130650. 11, 0,12,12, 9, 9,10,10,10,10,11,11,11,11, 0,13,
  130651. 13, 9, 9, 9, 9,10,10,11,11,11,12, 0, 0, 0,10,10,
  130652. 10,10,11,11,11,11,12,12, 0, 0, 0,10,10, 9, 9,11,
  130653. 11,11,12,12,12, 0, 0, 0,13,13,10,10,11,11,12,12,
  130654. 13,13, 0, 0, 0,14,14,10,10,11,11,12,12,13,13, 0,
  130655. 0, 0, 0, 0,11,11,11,11,13,12,13,13, 0, 0, 0, 0,
  130656. 0,12,12,11,11,12,12,13,13,
  130657. };
  130658. static float _vq_quantthresh__44c0_s_p7_0[] = {
  130659. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  130660. 12.5, 17.5, 22.5, 27.5,
  130661. };
  130662. static long _vq_quantmap__44c0_s_p7_0[] = {
  130663. 11, 9, 7, 5, 3, 1, 0, 2,
  130664. 4, 6, 8, 10, 12,
  130665. };
  130666. static encode_aux_threshmatch _vq_auxt__44c0_s_p7_0 = {
  130667. _vq_quantthresh__44c0_s_p7_0,
  130668. _vq_quantmap__44c0_s_p7_0,
  130669. 13,
  130670. 13
  130671. };
  130672. static static_codebook _44c0_s_p7_0 = {
  130673. 2, 169,
  130674. _vq_lengthlist__44c0_s_p7_0,
  130675. 1, -526516224, 1616117760, 4, 0,
  130676. _vq_quantlist__44c0_s_p7_0,
  130677. NULL,
  130678. &_vq_auxt__44c0_s_p7_0,
  130679. NULL,
  130680. 0
  130681. };
  130682. static long _vq_quantlist__44c0_s_p7_1[] = {
  130683. 2,
  130684. 1,
  130685. 3,
  130686. 0,
  130687. 4,
  130688. };
  130689. static long _vq_lengthlist__44c0_s_p7_1[] = {
  130690. 2, 3, 3, 5, 5, 6, 6, 6, 5, 5, 6, 6, 6, 5, 5, 6,
  130691. 6, 6, 5, 5, 6, 6, 6, 5, 5,
  130692. };
  130693. static float _vq_quantthresh__44c0_s_p7_1[] = {
  130694. -1.5, -0.5, 0.5, 1.5,
  130695. };
  130696. static long _vq_quantmap__44c0_s_p7_1[] = {
  130697. 3, 1, 0, 2, 4,
  130698. };
  130699. static encode_aux_threshmatch _vq_auxt__44c0_s_p7_1 = {
  130700. _vq_quantthresh__44c0_s_p7_1,
  130701. _vq_quantmap__44c0_s_p7_1,
  130702. 5,
  130703. 5
  130704. };
  130705. static static_codebook _44c0_s_p7_1 = {
  130706. 2, 25,
  130707. _vq_lengthlist__44c0_s_p7_1,
  130708. 1, -533725184, 1611661312, 3, 0,
  130709. _vq_quantlist__44c0_s_p7_1,
  130710. NULL,
  130711. &_vq_auxt__44c0_s_p7_1,
  130712. NULL,
  130713. 0
  130714. };
  130715. static long _vq_quantlist__44c0_s_p8_0[] = {
  130716. 2,
  130717. 1,
  130718. 3,
  130719. 0,
  130720. 4,
  130721. };
  130722. static long _vq_lengthlist__44c0_s_p8_0[] = {
  130723. 1, 5, 5,10,10, 6, 9, 8,10,10, 6,10, 9,10,10,10,
  130724. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130725. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130726. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130727. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130728. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130729. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130730. 10,10,10,10,10,10,10,10,10,10,10,10,10, 8,10,10,
  130731. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130732. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130733. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130734. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  130735. 10,10,10,10,10,10,10,10,11,11,11,11,11,11,11,11,
  130736. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130737. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130738. 11,11,11,11,11,11,11,11,11,11,10,11,11,11,11,11,
  130739. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130740. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130741. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130742. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130743. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130744. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130745. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130746. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130747. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130748. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130749. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130750. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130751. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130752. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130753. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130754. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130755. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130756. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130757. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130758. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130759. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130760. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130761. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  130762. 11,
  130763. };
  130764. static float _vq_quantthresh__44c0_s_p8_0[] = {
  130765. -331.5, -110.5, 110.5, 331.5,
  130766. };
  130767. static long _vq_quantmap__44c0_s_p8_0[] = {
  130768. 3, 1, 0, 2, 4,
  130769. };
  130770. static encode_aux_threshmatch _vq_auxt__44c0_s_p8_0 = {
  130771. _vq_quantthresh__44c0_s_p8_0,
  130772. _vq_quantmap__44c0_s_p8_0,
  130773. 5,
  130774. 5
  130775. };
  130776. static static_codebook _44c0_s_p8_0 = {
  130777. 4, 625,
  130778. _vq_lengthlist__44c0_s_p8_0,
  130779. 1, -518283264, 1627103232, 3, 0,
  130780. _vq_quantlist__44c0_s_p8_0,
  130781. NULL,
  130782. &_vq_auxt__44c0_s_p8_0,
  130783. NULL,
  130784. 0
  130785. };
  130786. static long _vq_quantlist__44c0_s_p8_1[] = {
  130787. 6,
  130788. 5,
  130789. 7,
  130790. 4,
  130791. 8,
  130792. 3,
  130793. 9,
  130794. 2,
  130795. 10,
  130796. 1,
  130797. 11,
  130798. 0,
  130799. 12,
  130800. };
  130801. static long _vq_lengthlist__44c0_s_p8_1[] = {
  130802. 1, 4, 4, 6, 6, 7, 7, 9, 9,11,12,13,12, 6, 5, 5,
  130803. 7, 7, 8, 8,10, 9,12,12,12,12, 6, 5, 5, 7, 7, 8,
  130804. 8,10, 9,12,11,11,13,16, 7, 7, 8, 8, 9, 9,10,10,
  130805. 12,12,13,12,16, 7, 7, 8, 7, 9, 9,10,10,11,12,12,
  130806. 13,16,10,10, 8, 8,10,10,11,12,12,12,13,13,16,11,
  130807. 10, 8, 7,11,10,11,11,12,11,13,13,16,16,16,10,10,
  130808. 10,10,11,11,13,12,13,13,16,16,16,11, 9,11, 9,15,
  130809. 13,12,13,13,13,16,16,16,15,13,11,11,12,13,12,12,
  130810. 14,13,16,16,16,14,13,11,11,13,12,14,13,13,13,16,
  130811. 16,16,16,16,13,13,13,12,14,13,14,14,16,16,16,16,
  130812. 16,13,13,12,12,14,14,15,13,
  130813. };
  130814. static float _vq_quantthresh__44c0_s_p8_1[] = {
  130815. -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5, 25.5,
  130816. 42.5, 59.5, 76.5, 93.5,
  130817. };
  130818. static long _vq_quantmap__44c0_s_p8_1[] = {
  130819. 11, 9, 7, 5, 3, 1, 0, 2,
  130820. 4, 6, 8, 10, 12,
  130821. };
  130822. static encode_aux_threshmatch _vq_auxt__44c0_s_p8_1 = {
  130823. _vq_quantthresh__44c0_s_p8_1,
  130824. _vq_quantmap__44c0_s_p8_1,
  130825. 13,
  130826. 13
  130827. };
  130828. static static_codebook _44c0_s_p8_1 = {
  130829. 2, 169,
  130830. _vq_lengthlist__44c0_s_p8_1,
  130831. 1, -522616832, 1620115456, 4, 0,
  130832. _vq_quantlist__44c0_s_p8_1,
  130833. NULL,
  130834. &_vq_auxt__44c0_s_p8_1,
  130835. NULL,
  130836. 0
  130837. };
  130838. static long _vq_quantlist__44c0_s_p8_2[] = {
  130839. 8,
  130840. 7,
  130841. 9,
  130842. 6,
  130843. 10,
  130844. 5,
  130845. 11,
  130846. 4,
  130847. 12,
  130848. 3,
  130849. 13,
  130850. 2,
  130851. 14,
  130852. 1,
  130853. 15,
  130854. 0,
  130855. 16,
  130856. };
  130857. static long _vq_lengthlist__44c0_s_p8_2[] = {
  130858. 2, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8,
  130859. 8,10,10,10, 7, 7, 7, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  130860. 9, 9,10,10,10, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9, 9,
  130861. 9, 9, 9,10,10,10, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9,
  130862. 9,10, 9, 9,10,10,10, 7, 7, 8, 8, 9, 8, 9, 9, 9,
  130863. 9,10, 9, 9,10,10,10,10, 8, 8, 8, 8, 9, 8, 9, 9,
  130864. 9, 9, 9,10, 9,10,10,10,10, 7, 7, 8, 8, 9, 9, 9,
  130865. 9, 9, 9,10, 9,10,10,10,10,10, 8, 8, 8, 9, 9, 9,
  130866. 9, 9, 9, 9,10,10,10, 9,11,10,10,10,10, 8, 8, 9,
  130867. 9, 9, 9, 9,10, 9, 9, 9,10,10,10,10,11,11, 9, 9,
  130868. 9, 9, 9, 9, 9, 9,10, 9, 9,10,11,10,10,11,11, 9,
  130869. 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,11,11,10,11,11,
  130870. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,11,10,10,11,
  130871. 11,11,11, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,
  130872. 11,11,11,11, 9,10, 9,10, 9, 9, 9, 9,10, 9,10,11,
  130873. 10,11,10,10,10,10,10, 9, 9, 9,10, 9, 9, 9,10,11,
  130874. 11,10,11,11,10,11,10,10,10, 9, 9, 9, 9,10, 9, 9,
  130875. 10,11,10,11,11,11,11,10,11,10,10, 9,10, 9, 9, 9,
  130876. 10,
  130877. };
  130878. static float _vq_quantthresh__44c0_s_p8_2[] = {
  130879. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  130880. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  130881. };
  130882. static long _vq_quantmap__44c0_s_p8_2[] = {
  130883. 15, 13, 11, 9, 7, 5, 3, 1,
  130884. 0, 2, 4, 6, 8, 10, 12, 14,
  130885. 16,
  130886. };
  130887. static encode_aux_threshmatch _vq_auxt__44c0_s_p8_2 = {
  130888. _vq_quantthresh__44c0_s_p8_2,
  130889. _vq_quantmap__44c0_s_p8_2,
  130890. 17,
  130891. 17
  130892. };
  130893. static static_codebook _44c0_s_p8_2 = {
  130894. 2, 289,
  130895. _vq_lengthlist__44c0_s_p8_2,
  130896. 1, -529530880, 1611661312, 5, 0,
  130897. _vq_quantlist__44c0_s_p8_2,
  130898. NULL,
  130899. &_vq_auxt__44c0_s_p8_2,
  130900. NULL,
  130901. 0
  130902. };
  130903. static long _huff_lengthlist__44c0_s_short[] = {
  130904. 9, 8,12,11,12,13,14,14,16, 6, 1, 5, 6, 6, 9,12,
  130905. 14,17, 9, 4, 5, 9, 7, 9,13,15,16, 8, 5, 8, 6, 8,
  130906. 10,13,17,17, 9, 6, 7, 7, 8, 9,13,15,17,11, 8, 9,
  130907. 9, 9,10,12,16,16,13, 7, 8, 7, 7, 9,12,14,15,13,
  130908. 6, 7, 5, 5, 7,10,13,13,14, 7, 8, 5, 6, 7, 9,10,
  130909. 12,
  130910. };
  130911. static static_codebook _huff_book__44c0_s_short = {
  130912. 2, 81,
  130913. _huff_lengthlist__44c0_s_short,
  130914. 0, 0, 0, 0, 0,
  130915. NULL,
  130916. NULL,
  130917. NULL,
  130918. NULL,
  130919. 0
  130920. };
  130921. static long _huff_lengthlist__44c0_sm_long[] = {
  130922. 5, 4, 9,10, 9,10,11,12,13, 4, 1, 5, 7, 7, 9,11,
  130923. 12,14, 8, 5, 7, 9, 8,10,13,13,13,10, 7, 9, 4, 6,
  130924. 7,10,12,14, 9, 6, 7, 6, 6, 7,10,12,12, 9, 8, 9,
  130925. 7, 6, 7, 8,11,12,11,11,11, 9, 8, 7, 8,10,12,12,
  130926. 13,14,12,11, 9, 9, 9,12,12,17,17,15,16,12,10,11,
  130927. 13,
  130928. };
  130929. static static_codebook _huff_book__44c0_sm_long = {
  130930. 2, 81,
  130931. _huff_lengthlist__44c0_sm_long,
  130932. 0, 0, 0, 0, 0,
  130933. NULL,
  130934. NULL,
  130935. NULL,
  130936. NULL,
  130937. 0
  130938. };
  130939. static long _vq_quantlist__44c0_sm_p1_0[] = {
  130940. 1,
  130941. 0,
  130942. 2,
  130943. };
  130944. static long _vq_lengthlist__44c0_sm_p1_0[] = {
  130945. 1, 5, 5, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  130946. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130947. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130948. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130949. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130950. 0, 5, 8, 7, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  130951. 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130952. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130953. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130954. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130955. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 9, 8, 0, 0,
  130956. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130957. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130958. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130959. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130960. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130961. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130962. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130963. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130964. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130965. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130966. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130967. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130968. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130972. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130973. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130974. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130975. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130976. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130977. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130978. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130981. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130984. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130985. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130986. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130989. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130990. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 8, 7, 0, 0, 0, 0,
  130991. 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  130992. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130995. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  130996. 0, 0, 0, 9,10,10, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  130997. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130998. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  130999. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131000. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  131001. 0, 0, 0, 0, 8,10, 9, 0, 0, 0, 0, 0, 0, 9,10,10,
  131002. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131004. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131005. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131007. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131009. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131010. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131013. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131023. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131036. 0, 0, 5, 7, 8, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  131037. 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131041. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  131042. 0, 0, 0, 0, 0, 9, 9,10, 0, 0, 0, 0, 0, 0, 0, 0,
  131043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131046. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,10,
  131047. 0, 0, 0, 0, 0, 0, 9,10,10, 0, 0, 0, 0, 0, 0, 0,
  131048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131355. 0,
  131356. };
  131357. static float _vq_quantthresh__44c0_sm_p1_0[] = {
  131358. -0.5, 0.5,
  131359. };
  131360. static long _vq_quantmap__44c0_sm_p1_0[] = {
  131361. 1, 0, 2,
  131362. };
  131363. static encode_aux_threshmatch _vq_auxt__44c0_sm_p1_0 = {
  131364. _vq_quantthresh__44c0_sm_p1_0,
  131365. _vq_quantmap__44c0_sm_p1_0,
  131366. 3,
  131367. 3
  131368. };
  131369. static static_codebook _44c0_sm_p1_0 = {
  131370. 8, 6561,
  131371. _vq_lengthlist__44c0_sm_p1_0,
  131372. 1, -535822336, 1611661312, 2, 0,
  131373. _vq_quantlist__44c0_sm_p1_0,
  131374. NULL,
  131375. &_vq_auxt__44c0_sm_p1_0,
  131376. NULL,
  131377. 0
  131378. };
  131379. static long _vq_quantlist__44c0_sm_p2_0[] = {
  131380. 2,
  131381. 1,
  131382. 3,
  131383. 0,
  131384. 4,
  131385. };
  131386. static long _vq_lengthlist__44c0_sm_p2_0[] = {
  131387. 1, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131388. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 5, 5, 7, 7, 0, 0,
  131389. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131390. 0, 0, 4, 5, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131391. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 7, 7, 9, 9,
  131392. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131393. 0, 0, 0, 0, 7, 7, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  131394. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131395. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131396. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131397. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131398. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131399. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131400. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131401. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131402. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131403. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131404. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131405. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131406. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131408. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131409. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131410. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131411. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131412. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131413. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131414. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131415. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131416. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131417. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131418. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131419. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131420. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131423. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131424. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131425. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131426. 0,
  131427. };
  131428. static float _vq_quantthresh__44c0_sm_p2_0[] = {
  131429. -1.5, -0.5, 0.5, 1.5,
  131430. };
  131431. static long _vq_quantmap__44c0_sm_p2_0[] = {
  131432. 3, 1, 0, 2, 4,
  131433. };
  131434. static encode_aux_threshmatch _vq_auxt__44c0_sm_p2_0 = {
  131435. _vq_quantthresh__44c0_sm_p2_0,
  131436. _vq_quantmap__44c0_sm_p2_0,
  131437. 5,
  131438. 5
  131439. };
  131440. static static_codebook _44c0_sm_p2_0 = {
  131441. 4, 625,
  131442. _vq_lengthlist__44c0_sm_p2_0,
  131443. 1, -533725184, 1611661312, 3, 0,
  131444. _vq_quantlist__44c0_sm_p2_0,
  131445. NULL,
  131446. &_vq_auxt__44c0_sm_p2_0,
  131447. NULL,
  131448. 0
  131449. };
  131450. static long _vq_quantlist__44c0_sm_p3_0[] = {
  131451. 4,
  131452. 3,
  131453. 5,
  131454. 2,
  131455. 6,
  131456. 1,
  131457. 7,
  131458. 0,
  131459. 8,
  131460. };
  131461. static long _vq_lengthlist__44c0_sm_p3_0[] = {
  131462. 1, 3, 3, 7, 7, 0, 0, 0, 0, 0, 5, 4, 7, 7, 0, 0,
  131463. 0, 0, 0, 5, 5, 7, 7, 0, 0, 0, 0, 0, 6, 7, 8, 8,
  131464. 0, 0, 0, 0, 0, 0, 0, 8, 8, 0, 0, 0, 0, 0, 0, 0,
  131465. 9,10, 0, 0, 0, 0, 0, 0, 0, 9, 9, 0, 0, 0, 0, 0,
  131466. 0, 0,11,11, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131467. 0,
  131468. };
  131469. static float _vq_quantthresh__44c0_sm_p3_0[] = {
  131470. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  131471. };
  131472. static long _vq_quantmap__44c0_sm_p3_0[] = {
  131473. 7, 5, 3, 1, 0, 2, 4, 6,
  131474. 8,
  131475. };
  131476. static encode_aux_threshmatch _vq_auxt__44c0_sm_p3_0 = {
  131477. _vq_quantthresh__44c0_sm_p3_0,
  131478. _vq_quantmap__44c0_sm_p3_0,
  131479. 9,
  131480. 9
  131481. };
  131482. static static_codebook _44c0_sm_p3_0 = {
  131483. 2, 81,
  131484. _vq_lengthlist__44c0_sm_p3_0,
  131485. 1, -531628032, 1611661312, 4, 0,
  131486. _vq_quantlist__44c0_sm_p3_0,
  131487. NULL,
  131488. &_vq_auxt__44c0_sm_p3_0,
  131489. NULL,
  131490. 0
  131491. };
  131492. static long _vq_quantlist__44c0_sm_p4_0[] = {
  131493. 4,
  131494. 3,
  131495. 5,
  131496. 2,
  131497. 6,
  131498. 1,
  131499. 7,
  131500. 0,
  131501. 8,
  131502. };
  131503. static long _vq_lengthlist__44c0_sm_p4_0[] = {
  131504. 1, 4, 3, 6, 6, 7, 7, 9, 9, 0, 5, 5, 7, 7, 8, 7,
  131505. 9, 9, 0, 5, 5, 7, 7, 8, 8, 9, 9, 0, 7, 7, 8, 8,
  131506. 8, 8,10,10, 0, 0, 0, 8, 8, 8, 8,10,10, 0, 0, 0,
  131507. 9, 9, 9, 9,11,11, 0, 0, 0, 9, 9, 9, 9,11,11, 0,
  131508. 0, 0,10,10,10,10,11,11, 0, 0, 0, 0, 0, 9, 9,11,
  131509. 11,
  131510. };
  131511. static float _vq_quantthresh__44c0_sm_p4_0[] = {
  131512. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  131513. };
  131514. static long _vq_quantmap__44c0_sm_p4_0[] = {
  131515. 7, 5, 3, 1, 0, 2, 4, 6,
  131516. 8,
  131517. };
  131518. static encode_aux_threshmatch _vq_auxt__44c0_sm_p4_0 = {
  131519. _vq_quantthresh__44c0_sm_p4_0,
  131520. _vq_quantmap__44c0_sm_p4_0,
  131521. 9,
  131522. 9
  131523. };
  131524. static static_codebook _44c0_sm_p4_0 = {
  131525. 2, 81,
  131526. _vq_lengthlist__44c0_sm_p4_0,
  131527. 1, -531628032, 1611661312, 4, 0,
  131528. _vq_quantlist__44c0_sm_p4_0,
  131529. NULL,
  131530. &_vq_auxt__44c0_sm_p4_0,
  131531. NULL,
  131532. 0
  131533. };
  131534. static long _vq_quantlist__44c0_sm_p5_0[] = {
  131535. 8,
  131536. 7,
  131537. 9,
  131538. 6,
  131539. 10,
  131540. 5,
  131541. 11,
  131542. 4,
  131543. 12,
  131544. 3,
  131545. 13,
  131546. 2,
  131547. 14,
  131548. 1,
  131549. 15,
  131550. 0,
  131551. 16,
  131552. };
  131553. static long _vq_lengthlist__44c0_sm_p5_0[] = {
  131554. 1, 4, 4, 6, 6, 8, 8, 8, 8, 8, 8, 9, 9,10,10,11,
  131555. 11, 0, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,11,
  131556. 11,11, 0, 5, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,
  131557. 11,11,11, 0, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9,10,10,
  131558. 11,11,12,12, 0, 0, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,
  131559. 10,11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,10,
  131560. 11,11,11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,
  131561. 10,11,11,11,11,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,
  131562. 10,10,11,11,12,12,12,13, 0, 0, 0, 0, 0, 9, 9,10,
  131563. 10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,
  131564. 10,10,11,11,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9,
  131565. 9,10,10,11,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,
  131566. 10,10,10,10,11,11,12,12,12,13,13,13, 0, 0, 0, 0,
  131567. 0, 0, 0,10,10,11,11,12,12,12,13,13,13, 0, 0, 0,
  131568. 0, 0, 0, 0,11,11,12,12,12,12,13,13,14,14, 0, 0,
  131569. 0, 0, 0, 0, 0,11,11,12,11,12,12,13,13,13,13, 0,
  131570. 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,13,13,14,14,
  131571. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,14,
  131572. 14,
  131573. };
  131574. static float _vq_quantthresh__44c0_sm_p5_0[] = {
  131575. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  131576. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  131577. };
  131578. static long _vq_quantmap__44c0_sm_p5_0[] = {
  131579. 15, 13, 11, 9, 7, 5, 3, 1,
  131580. 0, 2, 4, 6, 8, 10, 12, 14,
  131581. 16,
  131582. };
  131583. static encode_aux_threshmatch _vq_auxt__44c0_sm_p5_0 = {
  131584. _vq_quantthresh__44c0_sm_p5_0,
  131585. _vq_quantmap__44c0_sm_p5_0,
  131586. 17,
  131587. 17
  131588. };
  131589. static static_codebook _44c0_sm_p5_0 = {
  131590. 2, 289,
  131591. _vq_lengthlist__44c0_sm_p5_0,
  131592. 1, -529530880, 1611661312, 5, 0,
  131593. _vq_quantlist__44c0_sm_p5_0,
  131594. NULL,
  131595. &_vq_auxt__44c0_sm_p5_0,
  131596. NULL,
  131597. 0
  131598. };
  131599. static long _vq_quantlist__44c0_sm_p6_0[] = {
  131600. 1,
  131601. 0,
  131602. 2,
  131603. };
  131604. static long _vq_lengthlist__44c0_sm_p6_0[] = {
  131605. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,11,
  131606. 9, 9, 4, 7, 7,10, 9, 9,11, 9, 9, 7,10,10,10,11,
  131607. 11,11,10,10, 6, 9, 9,11,11,10,11,10,10, 6, 9, 9,
  131608. 11,10,11,11,10,10, 7,11,10,11,11,11,11,11,11, 6,
  131609. 9, 9,11,10,10,11,11,10, 6, 9, 9,11,10,10,11,10,
  131610. 11,
  131611. };
  131612. static float _vq_quantthresh__44c0_sm_p6_0[] = {
  131613. -5.5, 5.5,
  131614. };
  131615. static long _vq_quantmap__44c0_sm_p6_0[] = {
  131616. 1, 0, 2,
  131617. };
  131618. static encode_aux_threshmatch _vq_auxt__44c0_sm_p6_0 = {
  131619. _vq_quantthresh__44c0_sm_p6_0,
  131620. _vq_quantmap__44c0_sm_p6_0,
  131621. 3,
  131622. 3
  131623. };
  131624. static static_codebook _44c0_sm_p6_0 = {
  131625. 4, 81,
  131626. _vq_lengthlist__44c0_sm_p6_0,
  131627. 1, -529137664, 1618345984, 2, 0,
  131628. _vq_quantlist__44c0_sm_p6_0,
  131629. NULL,
  131630. &_vq_auxt__44c0_sm_p6_0,
  131631. NULL,
  131632. 0
  131633. };
  131634. static long _vq_quantlist__44c0_sm_p6_1[] = {
  131635. 5,
  131636. 4,
  131637. 6,
  131638. 3,
  131639. 7,
  131640. 2,
  131641. 8,
  131642. 1,
  131643. 9,
  131644. 0,
  131645. 10,
  131646. };
  131647. static long _vq_lengthlist__44c0_sm_p6_1[] = {
  131648. 2, 4, 4, 6, 6, 7, 7, 7, 7, 7, 8, 9, 5, 5, 6, 6,
  131649. 7, 7, 8, 8, 8, 8, 9, 5, 5, 6, 6, 7, 7, 8, 8, 8,
  131650. 8,10, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8,10,10,10, 7,
  131651. 7, 7, 7, 8, 8, 8, 8,10,10,10, 8, 8, 8, 8, 8, 8,
  131652. 8, 8,10,10,10, 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,
  131653. 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,10,10, 8, 8, 8,
  131654. 8, 8, 8,10,10,10,10,10, 9, 9, 8, 8, 8, 8,10,10,
  131655. 10,10,10, 8, 8, 8, 8, 8, 8,
  131656. };
  131657. static float _vq_quantthresh__44c0_sm_p6_1[] = {
  131658. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  131659. 3.5, 4.5,
  131660. };
  131661. static long _vq_quantmap__44c0_sm_p6_1[] = {
  131662. 9, 7, 5, 3, 1, 0, 2, 4,
  131663. 6, 8, 10,
  131664. };
  131665. static encode_aux_threshmatch _vq_auxt__44c0_sm_p6_1 = {
  131666. _vq_quantthresh__44c0_sm_p6_1,
  131667. _vq_quantmap__44c0_sm_p6_1,
  131668. 11,
  131669. 11
  131670. };
  131671. static static_codebook _44c0_sm_p6_1 = {
  131672. 2, 121,
  131673. _vq_lengthlist__44c0_sm_p6_1,
  131674. 1, -531365888, 1611661312, 4, 0,
  131675. _vq_quantlist__44c0_sm_p6_1,
  131676. NULL,
  131677. &_vq_auxt__44c0_sm_p6_1,
  131678. NULL,
  131679. 0
  131680. };
  131681. static long _vq_quantlist__44c0_sm_p7_0[] = {
  131682. 6,
  131683. 5,
  131684. 7,
  131685. 4,
  131686. 8,
  131687. 3,
  131688. 9,
  131689. 2,
  131690. 10,
  131691. 1,
  131692. 11,
  131693. 0,
  131694. 12,
  131695. };
  131696. static long _vq_lengthlist__44c0_sm_p7_0[] = {
  131697. 1, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9, 7, 5, 5,
  131698. 7, 7, 8, 8, 8, 8, 9, 9,10,10, 7, 6, 5, 7, 7, 8,
  131699. 8, 8, 8, 9, 9,10,10, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  131700. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  131701. 11, 0,12,12, 9, 9,10,10,10,10,11,11,11,11, 0,13,
  131702. 13, 9, 9, 9, 9,10,10,11,11,11,12, 0, 0, 0, 9,10,
  131703. 10,10,11,11,12,11,12,12, 0, 0, 0,10,10, 9, 9,11,
  131704. 11,12,12,12,12, 0, 0, 0,13,13,10,10,11,11,12,12,
  131705. 13,13, 0, 0, 0,14,14,10,10,11,11,12,12,13,13, 0,
  131706. 0, 0, 0, 0,11,12,11,11,13,12,13,13, 0, 0, 0, 0,
  131707. 0,12,12,11,11,13,12,14,14,
  131708. };
  131709. static float _vq_quantthresh__44c0_sm_p7_0[] = {
  131710. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  131711. 12.5, 17.5, 22.5, 27.5,
  131712. };
  131713. static long _vq_quantmap__44c0_sm_p7_0[] = {
  131714. 11, 9, 7, 5, 3, 1, 0, 2,
  131715. 4, 6, 8, 10, 12,
  131716. };
  131717. static encode_aux_threshmatch _vq_auxt__44c0_sm_p7_0 = {
  131718. _vq_quantthresh__44c0_sm_p7_0,
  131719. _vq_quantmap__44c0_sm_p7_0,
  131720. 13,
  131721. 13
  131722. };
  131723. static static_codebook _44c0_sm_p7_0 = {
  131724. 2, 169,
  131725. _vq_lengthlist__44c0_sm_p7_0,
  131726. 1, -526516224, 1616117760, 4, 0,
  131727. _vq_quantlist__44c0_sm_p7_0,
  131728. NULL,
  131729. &_vq_auxt__44c0_sm_p7_0,
  131730. NULL,
  131731. 0
  131732. };
  131733. static long _vq_quantlist__44c0_sm_p7_1[] = {
  131734. 2,
  131735. 1,
  131736. 3,
  131737. 0,
  131738. 4,
  131739. };
  131740. static long _vq_lengthlist__44c0_sm_p7_1[] = {
  131741. 2, 4, 4, 4, 4, 6, 5, 5, 5, 5, 6, 5, 5, 5, 5, 6,
  131742. 6, 6, 5, 5, 6, 6, 6, 5, 5,
  131743. };
  131744. static float _vq_quantthresh__44c0_sm_p7_1[] = {
  131745. -1.5, -0.5, 0.5, 1.5,
  131746. };
  131747. static long _vq_quantmap__44c0_sm_p7_1[] = {
  131748. 3, 1, 0, 2, 4,
  131749. };
  131750. static encode_aux_threshmatch _vq_auxt__44c0_sm_p7_1 = {
  131751. _vq_quantthresh__44c0_sm_p7_1,
  131752. _vq_quantmap__44c0_sm_p7_1,
  131753. 5,
  131754. 5
  131755. };
  131756. static static_codebook _44c0_sm_p7_1 = {
  131757. 2, 25,
  131758. _vq_lengthlist__44c0_sm_p7_1,
  131759. 1, -533725184, 1611661312, 3, 0,
  131760. _vq_quantlist__44c0_sm_p7_1,
  131761. NULL,
  131762. &_vq_auxt__44c0_sm_p7_1,
  131763. NULL,
  131764. 0
  131765. };
  131766. static long _vq_quantlist__44c0_sm_p8_0[] = {
  131767. 4,
  131768. 3,
  131769. 5,
  131770. 2,
  131771. 6,
  131772. 1,
  131773. 7,
  131774. 0,
  131775. 8,
  131776. };
  131777. static long _vq_lengthlist__44c0_sm_p8_0[] = {
  131778. 1, 3, 3,11,11,11,11,11,11, 3, 7, 6,11,11,11,11,
  131779. 11,11, 4, 8, 7,11,11,11,11,11,11,11,11,11,11,11,
  131780. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  131781. 11,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  131782. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  131783. 12,
  131784. };
  131785. static float _vq_quantthresh__44c0_sm_p8_0[] = {
  131786. -773.5, -552.5, -331.5, -110.5, 110.5, 331.5, 552.5, 773.5,
  131787. };
  131788. static long _vq_quantmap__44c0_sm_p8_0[] = {
  131789. 7, 5, 3, 1, 0, 2, 4, 6,
  131790. 8,
  131791. };
  131792. static encode_aux_threshmatch _vq_auxt__44c0_sm_p8_0 = {
  131793. _vq_quantthresh__44c0_sm_p8_0,
  131794. _vq_quantmap__44c0_sm_p8_0,
  131795. 9,
  131796. 9
  131797. };
  131798. static static_codebook _44c0_sm_p8_0 = {
  131799. 2, 81,
  131800. _vq_lengthlist__44c0_sm_p8_0,
  131801. 1, -516186112, 1627103232, 4, 0,
  131802. _vq_quantlist__44c0_sm_p8_0,
  131803. NULL,
  131804. &_vq_auxt__44c0_sm_p8_0,
  131805. NULL,
  131806. 0
  131807. };
  131808. static long _vq_quantlist__44c0_sm_p8_1[] = {
  131809. 6,
  131810. 5,
  131811. 7,
  131812. 4,
  131813. 8,
  131814. 3,
  131815. 9,
  131816. 2,
  131817. 10,
  131818. 1,
  131819. 11,
  131820. 0,
  131821. 12,
  131822. };
  131823. static long _vq_lengthlist__44c0_sm_p8_1[] = {
  131824. 1, 4, 4, 6, 6, 7, 7, 9, 9,10,11,12,12, 6, 5, 5,
  131825. 7, 7, 8, 8,10,10,12,11,12,12, 6, 5, 5, 7, 7, 8,
  131826. 8,10,10,12,11,12,12,17, 7, 7, 8, 8, 9, 9,10,10,
  131827. 12,12,13,13,18, 7, 7, 8, 7, 9, 9,10,10,12,12,12,
  131828. 13,19,10,10, 8, 8,10,10,11,11,12,12,13,14,19,11,
  131829. 10, 8, 7,10,10,11,11,12,12,13,12,19,19,19,10,10,
  131830. 10,10,11,11,12,12,13,13,19,19,19,11, 9,11, 9,14,
  131831. 12,13,12,13,13,19,20,18,13,14,11,11,12,12,13,13,
  131832. 14,13,20,20,20,15,13,11,10,13,11,13,13,14,13,20,
  131833. 20,20,20,20,13,14,12,12,13,13,13,13,20,20,20,20,
  131834. 20,13,13,12,12,16,13,15,13,
  131835. };
  131836. static float _vq_quantthresh__44c0_sm_p8_1[] = {
  131837. -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5, 25.5,
  131838. 42.5, 59.5, 76.5, 93.5,
  131839. };
  131840. static long _vq_quantmap__44c0_sm_p8_1[] = {
  131841. 11, 9, 7, 5, 3, 1, 0, 2,
  131842. 4, 6, 8, 10, 12,
  131843. };
  131844. static encode_aux_threshmatch _vq_auxt__44c0_sm_p8_1 = {
  131845. _vq_quantthresh__44c0_sm_p8_1,
  131846. _vq_quantmap__44c0_sm_p8_1,
  131847. 13,
  131848. 13
  131849. };
  131850. static static_codebook _44c0_sm_p8_1 = {
  131851. 2, 169,
  131852. _vq_lengthlist__44c0_sm_p8_1,
  131853. 1, -522616832, 1620115456, 4, 0,
  131854. _vq_quantlist__44c0_sm_p8_1,
  131855. NULL,
  131856. &_vq_auxt__44c0_sm_p8_1,
  131857. NULL,
  131858. 0
  131859. };
  131860. static long _vq_quantlist__44c0_sm_p8_2[] = {
  131861. 8,
  131862. 7,
  131863. 9,
  131864. 6,
  131865. 10,
  131866. 5,
  131867. 11,
  131868. 4,
  131869. 12,
  131870. 3,
  131871. 13,
  131872. 2,
  131873. 14,
  131874. 1,
  131875. 15,
  131876. 0,
  131877. 16,
  131878. };
  131879. static long _vq_lengthlist__44c0_sm_p8_2[] = {
  131880. 2, 5, 5, 6, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8,
  131881. 8,10, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9, 9, 9,
  131882. 9, 9,10, 6, 6, 7, 7, 8, 7, 8, 8, 9, 9, 9, 9, 9,
  131883. 9, 9, 9,10, 7, 7, 7, 7, 8, 8, 8, 9, 9, 9, 9, 9,
  131884. 9, 9, 9, 9,10,10,10, 7, 7, 8, 8, 9, 8, 9, 9, 9,
  131885. 9,10, 9, 9,10,10,10,11, 8, 8, 8, 8, 9, 9, 9, 9,
  131886. 9, 9, 9,10, 9,10,10,10,10, 8, 8, 8, 8, 9, 9, 9,
  131887. 9, 9, 9, 9, 9,10,10,11,10,10, 8, 8, 9, 9, 9, 9,
  131888. 9, 9, 9, 9, 9, 9,10,10,10,10,10,11,11, 8, 8, 9,
  131889. 9, 9, 9, 9, 9, 9, 9, 9,10,11,11,11,11,11, 9, 9,
  131890. 9, 9, 9, 9, 9, 9,10, 9,10, 9,11,11,10,11,11, 9,
  131891. 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,11,11,10,11,11,
  131892. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,11,10,11,11,
  131893. 11,11,11, 9, 9,10, 9, 9, 9, 9, 9, 9, 9,10,11,10,
  131894. 11,11,11,11,10,10,10,10, 9, 9, 9, 9, 9, 9,10,11,
  131895. 11,11,11,11,11, 9,10, 9, 9, 9, 9, 9, 9, 9, 9,11,
  131896. 11,10,11,11,11,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9,
  131897. 10,11,10,11,11,11,11,11,11, 9, 9, 9, 9, 9, 9, 9,
  131898. 9,
  131899. };
  131900. static float _vq_quantthresh__44c0_sm_p8_2[] = {
  131901. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  131902. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  131903. };
  131904. static long _vq_quantmap__44c0_sm_p8_2[] = {
  131905. 15, 13, 11, 9, 7, 5, 3, 1,
  131906. 0, 2, 4, 6, 8, 10, 12, 14,
  131907. 16,
  131908. };
  131909. static encode_aux_threshmatch _vq_auxt__44c0_sm_p8_2 = {
  131910. _vq_quantthresh__44c0_sm_p8_2,
  131911. _vq_quantmap__44c0_sm_p8_2,
  131912. 17,
  131913. 17
  131914. };
  131915. static static_codebook _44c0_sm_p8_2 = {
  131916. 2, 289,
  131917. _vq_lengthlist__44c0_sm_p8_2,
  131918. 1, -529530880, 1611661312, 5, 0,
  131919. _vq_quantlist__44c0_sm_p8_2,
  131920. NULL,
  131921. &_vq_auxt__44c0_sm_p8_2,
  131922. NULL,
  131923. 0
  131924. };
  131925. static long _huff_lengthlist__44c0_sm_short[] = {
  131926. 6, 6,12,13,13,14,16,17,17, 4, 2, 5, 8, 7, 9,12,
  131927. 15,15, 9, 4, 5, 9, 7, 9,12,16,18,11, 6, 7, 4, 6,
  131928. 8,11,14,18,10, 5, 6, 5, 5, 7,10,14,17,10, 5, 7,
  131929. 7, 6, 7,10,13,16,11, 5, 7, 7, 7, 8,10,12,15,13,
  131930. 6, 7, 5, 5, 7, 9,12,13,16, 8, 9, 6, 6, 7, 9,10,
  131931. 12,
  131932. };
  131933. static static_codebook _huff_book__44c0_sm_short = {
  131934. 2, 81,
  131935. _huff_lengthlist__44c0_sm_short,
  131936. 0, 0, 0, 0, 0,
  131937. NULL,
  131938. NULL,
  131939. NULL,
  131940. NULL,
  131941. 0
  131942. };
  131943. static long _huff_lengthlist__44c1_s_long[] = {
  131944. 5, 5, 9,10, 9, 9,10,11,12, 5, 1, 5, 6, 6, 7,10,
  131945. 12,14, 9, 5, 6, 8, 8,10,12,14,14,10, 5, 8, 5, 6,
  131946. 8,11,13,14, 9, 5, 7, 6, 6, 8,10,12,11, 9, 7, 9,
  131947. 7, 6, 6, 7,10,10,10, 9,12, 9, 8, 7, 7,10,12,11,
  131948. 11,13,12,10, 9, 8, 9,11,11,14,15,15,13,11, 9, 9,
  131949. 11,
  131950. };
  131951. static static_codebook _huff_book__44c1_s_long = {
  131952. 2, 81,
  131953. _huff_lengthlist__44c1_s_long,
  131954. 0, 0, 0, 0, 0,
  131955. NULL,
  131956. NULL,
  131957. NULL,
  131958. NULL,
  131959. 0
  131960. };
  131961. static long _vq_quantlist__44c1_s_p1_0[] = {
  131962. 1,
  131963. 0,
  131964. 2,
  131965. };
  131966. static long _vq_lengthlist__44c1_s_p1_0[] = {
  131967. 2, 4, 4, 0, 0, 0, 0, 0, 0, 5, 7, 6, 0, 0, 0, 0,
  131968. 0, 0, 5, 6, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131969. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131970. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131971. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131972. 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,
  131973. 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131974. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131975. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131976. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131977. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  131978. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131979. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131980. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131981. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131982. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131983. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131984. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131985. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131986. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131987. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131988. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131989. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131990. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131991. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131992. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131993. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131994. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131995. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131996. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131997. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131998. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  131999. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132000. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132001. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132002. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132004. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132005. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132007. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132009. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132010. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 7, 7, 0, 0, 0, 0,
  132013. 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  132014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0, 0,
  132018. 0, 0, 0, 8, 9,10, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0,
  132019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 8, 8, 0, 0,
  132023. 0, 0, 0, 0, 8, 9, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9,
  132024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132036. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132037. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132041. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132042. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132047. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132058. 0, 0, 4, 7, 7, 0, 0, 0, 0, 0, 0, 7, 8, 8, 0, 0,
  132059. 0, 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132063. 0, 0, 0, 6, 8, 8, 0, 0, 0, 0, 0, 0, 8,10, 9, 0,
  132064. 0, 0, 0, 0, 0, 8, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0,
  132065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132068. 0, 0, 0, 0, 7, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9,
  132069. 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  132070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132377. 0,
  132378. };
  132379. static float _vq_quantthresh__44c1_s_p1_0[] = {
  132380. -0.5, 0.5,
  132381. };
  132382. static long _vq_quantmap__44c1_s_p1_0[] = {
  132383. 1, 0, 2,
  132384. };
  132385. static encode_aux_threshmatch _vq_auxt__44c1_s_p1_0 = {
  132386. _vq_quantthresh__44c1_s_p1_0,
  132387. _vq_quantmap__44c1_s_p1_0,
  132388. 3,
  132389. 3
  132390. };
  132391. static static_codebook _44c1_s_p1_0 = {
  132392. 8, 6561,
  132393. _vq_lengthlist__44c1_s_p1_0,
  132394. 1, -535822336, 1611661312, 2, 0,
  132395. _vq_quantlist__44c1_s_p1_0,
  132396. NULL,
  132397. &_vq_auxt__44c1_s_p1_0,
  132398. NULL,
  132399. 0
  132400. };
  132401. static long _vq_quantlist__44c1_s_p2_0[] = {
  132402. 2,
  132403. 1,
  132404. 3,
  132405. 0,
  132406. 4,
  132407. };
  132408. static long _vq_lengthlist__44c1_s_p2_0[] = {
  132409. 2, 3, 4, 6, 5, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132410. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 4, 4, 6, 6, 0, 0,
  132411. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132412. 0, 0, 4, 4, 5, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132413. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 6, 6, 8, 8,
  132414. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132415. 0, 0, 0, 0, 6, 6, 6, 8, 8, 0, 0, 0, 0, 0, 0, 0,
  132416. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132417. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132418. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132419. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132420. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132423. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132424. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132425. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132426. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132427. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132428. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132429. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132430. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132431. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132432. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132433. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132434. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132435. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132436. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132437. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132438. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132439. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132440. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132441. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132442. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132443. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132444. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132445. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132446. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132447. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132448. 0,
  132449. };
  132450. static float _vq_quantthresh__44c1_s_p2_0[] = {
  132451. -1.5, -0.5, 0.5, 1.5,
  132452. };
  132453. static long _vq_quantmap__44c1_s_p2_0[] = {
  132454. 3, 1, 0, 2, 4,
  132455. };
  132456. static encode_aux_threshmatch _vq_auxt__44c1_s_p2_0 = {
  132457. _vq_quantthresh__44c1_s_p2_0,
  132458. _vq_quantmap__44c1_s_p2_0,
  132459. 5,
  132460. 5
  132461. };
  132462. static static_codebook _44c1_s_p2_0 = {
  132463. 4, 625,
  132464. _vq_lengthlist__44c1_s_p2_0,
  132465. 1, -533725184, 1611661312, 3, 0,
  132466. _vq_quantlist__44c1_s_p2_0,
  132467. NULL,
  132468. &_vq_auxt__44c1_s_p2_0,
  132469. NULL,
  132470. 0
  132471. };
  132472. static long _vq_quantlist__44c1_s_p3_0[] = {
  132473. 4,
  132474. 3,
  132475. 5,
  132476. 2,
  132477. 6,
  132478. 1,
  132479. 7,
  132480. 0,
  132481. 8,
  132482. };
  132483. static long _vq_lengthlist__44c1_s_p3_0[] = {
  132484. 1, 3, 2, 7, 7, 0, 0, 0, 0, 0,13,13, 6, 6, 0, 0,
  132485. 0, 0, 0,12, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0, 7, 7,
  132486. 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  132487. 8, 9, 0, 0, 0, 0, 0, 0, 0, 8, 8, 0, 0, 0, 0, 0,
  132488. 0, 0,11,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  132489. 0,
  132490. };
  132491. static float _vq_quantthresh__44c1_s_p3_0[] = {
  132492. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  132493. };
  132494. static long _vq_quantmap__44c1_s_p3_0[] = {
  132495. 7, 5, 3, 1, 0, 2, 4, 6,
  132496. 8,
  132497. };
  132498. static encode_aux_threshmatch _vq_auxt__44c1_s_p3_0 = {
  132499. _vq_quantthresh__44c1_s_p3_0,
  132500. _vq_quantmap__44c1_s_p3_0,
  132501. 9,
  132502. 9
  132503. };
  132504. static static_codebook _44c1_s_p3_0 = {
  132505. 2, 81,
  132506. _vq_lengthlist__44c1_s_p3_0,
  132507. 1, -531628032, 1611661312, 4, 0,
  132508. _vq_quantlist__44c1_s_p3_0,
  132509. NULL,
  132510. &_vq_auxt__44c1_s_p3_0,
  132511. NULL,
  132512. 0
  132513. };
  132514. static long _vq_quantlist__44c1_s_p4_0[] = {
  132515. 4,
  132516. 3,
  132517. 5,
  132518. 2,
  132519. 6,
  132520. 1,
  132521. 7,
  132522. 0,
  132523. 8,
  132524. };
  132525. static long _vq_lengthlist__44c1_s_p4_0[] = {
  132526. 1, 3, 3, 6, 5, 6, 6, 8, 8, 0, 0, 0, 7, 7, 7, 7,
  132527. 9, 9, 0, 0, 0, 7, 7, 7, 7, 9, 9, 0, 0, 0, 7, 7,
  132528. 8, 8,10,10, 0, 0, 0, 7, 7, 8, 8,10,10, 0, 0, 0,
  132529. 9, 9, 8, 8,10,10, 0, 0, 0, 8, 8, 8, 8,10,10, 0,
  132530. 0, 0,10,10, 9, 9,11,11, 0, 0, 0, 0, 0, 9, 9,11,
  132531. 11,
  132532. };
  132533. static float _vq_quantthresh__44c1_s_p4_0[] = {
  132534. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  132535. };
  132536. static long _vq_quantmap__44c1_s_p4_0[] = {
  132537. 7, 5, 3, 1, 0, 2, 4, 6,
  132538. 8,
  132539. };
  132540. static encode_aux_threshmatch _vq_auxt__44c1_s_p4_0 = {
  132541. _vq_quantthresh__44c1_s_p4_0,
  132542. _vq_quantmap__44c1_s_p4_0,
  132543. 9,
  132544. 9
  132545. };
  132546. static static_codebook _44c1_s_p4_0 = {
  132547. 2, 81,
  132548. _vq_lengthlist__44c1_s_p4_0,
  132549. 1, -531628032, 1611661312, 4, 0,
  132550. _vq_quantlist__44c1_s_p4_0,
  132551. NULL,
  132552. &_vq_auxt__44c1_s_p4_0,
  132553. NULL,
  132554. 0
  132555. };
  132556. static long _vq_quantlist__44c1_s_p5_0[] = {
  132557. 8,
  132558. 7,
  132559. 9,
  132560. 6,
  132561. 10,
  132562. 5,
  132563. 11,
  132564. 4,
  132565. 12,
  132566. 3,
  132567. 13,
  132568. 2,
  132569. 14,
  132570. 1,
  132571. 15,
  132572. 0,
  132573. 16,
  132574. };
  132575. static long _vq_lengthlist__44c1_s_p5_0[] = {
  132576. 1, 4, 3, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,11,
  132577. 11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,10,
  132578. 11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,
  132579. 10,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  132580. 11,11,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  132581. 10,11,11,12,11, 0, 0, 0, 8, 8, 9, 9, 9,10,10,10,
  132582. 10,10,11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10, 9,10,
  132583. 10,10,10,11,11,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,
  132584. 10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 9, 9,10,
  132585. 10,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 9, 9,
  132586. 10,10,10,11,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9,
  132587. 9,10,10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,
  132588. 10,10,10,10,11,11,12,12,12,12,13,13, 0, 0, 0, 0,
  132589. 0, 0, 0,10,10,11,11,12,12,12,12,13,13, 0, 0, 0,
  132590. 0, 0, 0, 0,11,11,12,12,12,12,13,13,13,13, 0, 0,
  132591. 0, 0, 0, 0, 0,11,11,11,11,12,12,13,13,13,13, 0,
  132592. 0, 0, 0, 0, 0, 0,12,12,12,12,12,12,13,13,14,14,
  132593. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,14,
  132594. 14,
  132595. };
  132596. static float _vq_quantthresh__44c1_s_p5_0[] = {
  132597. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  132598. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  132599. };
  132600. static long _vq_quantmap__44c1_s_p5_0[] = {
  132601. 15, 13, 11, 9, 7, 5, 3, 1,
  132602. 0, 2, 4, 6, 8, 10, 12, 14,
  132603. 16,
  132604. };
  132605. static encode_aux_threshmatch _vq_auxt__44c1_s_p5_0 = {
  132606. _vq_quantthresh__44c1_s_p5_0,
  132607. _vq_quantmap__44c1_s_p5_0,
  132608. 17,
  132609. 17
  132610. };
  132611. static static_codebook _44c1_s_p5_0 = {
  132612. 2, 289,
  132613. _vq_lengthlist__44c1_s_p5_0,
  132614. 1, -529530880, 1611661312, 5, 0,
  132615. _vq_quantlist__44c1_s_p5_0,
  132616. NULL,
  132617. &_vq_auxt__44c1_s_p5_0,
  132618. NULL,
  132619. 0
  132620. };
  132621. static long _vq_quantlist__44c1_s_p6_0[] = {
  132622. 1,
  132623. 0,
  132624. 2,
  132625. };
  132626. static long _vq_lengthlist__44c1_s_p6_0[] = {
  132627. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,11,
  132628. 9, 9, 4, 7, 7,10, 9, 9,11, 9, 9, 6,10,10,11,11,
  132629. 11,11,10,10, 6, 9, 9,11,10,10,11,10,10, 6, 9, 9,
  132630. 11,10,11,11,10,10, 7,11,10,11,11,11,12,11,11, 7,
  132631. 9, 9,11,10,10,11,11,10, 6, 9, 9,10,10,10,12,10,
  132632. 11,
  132633. };
  132634. static float _vq_quantthresh__44c1_s_p6_0[] = {
  132635. -5.5, 5.5,
  132636. };
  132637. static long _vq_quantmap__44c1_s_p6_0[] = {
  132638. 1, 0, 2,
  132639. };
  132640. static encode_aux_threshmatch _vq_auxt__44c1_s_p6_0 = {
  132641. _vq_quantthresh__44c1_s_p6_0,
  132642. _vq_quantmap__44c1_s_p6_0,
  132643. 3,
  132644. 3
  132645. };
  132646. static static_codebook _44c1_s_p6_0 = {
  132647. 4, 81,
  132648. _vq_lengthlist__44c1_s_p6_0,
  132649. 1, -529137664, 1618345984, 2, 0,
  132650. _vq_quantlist__44c1_s_p6_0,
  132651. NULL,
  132652. &_vq_auxt__44c1_s_p6_0,
  132653. NULL,
  132654. 0
  132655. };
  132656. static long _vq_quantlist__44c1_s_p6_1[] = {
  132657. 5,
  132658. 4,
  132659. 6,
  132660. 3,
  132661. 7,
  132662. 2,
  132663. 8,
  132664. 1,
  132665. 9,
  132666. 0,
  132667. 10,
  132668. };
  132669. static long _vq_lengthlist__44c1_s_p6_1[] = {
  132670. 2, 3, 3, 6, 6, 7, 7, 7, 7, 8, 8,10,10,10, 6, 6,
  132671. 7, 7, 8, 8, 8, 8,10,10,10, 6, 6, 7, 7, 8, 8, 8,
  132672. 8,10,10,10, 7, 7, 7, 7, 8, 8, 8, 8,10,10,10, 7,
  132673. 7, 7, 7, 8, 8, 8, 8,10,10,10, 7, 7, 8, 8, 8, 8,
  132674. 8, 8,10,10,10, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10,
  132675. 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,10,10, 8, 8, 8,
  132676. 8, 8, 8,10,10,10,10,10, 9, 9, 8, 8, 8, 8,10,10,
  132677. 10,10,10, 8, 8, 8, 8, 8, 8,
  132678. };
  132679. static float _vq_quantthresh__44c1_s_p6_1[] = {
  132680. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  132681. 3.5, 4.5,
  132682. };
  132683. static long _vq_quantmap__44c1_s_p6_1[] = {
  132684. 9, 7, 5, 3, 1, 0, 2, 4,
  132685. 6, 8, 10,
  132686. };
  132687. static encode_aux_threshmatch _vq_auxt__44c1_s_p6_1 = {
  132688. _vq_quantthresh__44c1_s_p6_1,
  132689. _vq_quantmap__44c1_s_p6_1,
  132690. 11,
  132691. 11
  132692. };
  132693. static static_codebook _44c1_s_p6_1 = {
  132694. 2, 121,
  132695. _vq_lengthlist__44c1_s_p6_1,
  132696. 1, -531365888, 1611661312, 4, 0,
  132697. _vq_quantlist__44c1_s_p6_1,
  132698. NULL,
  132699. &_vq_auxt__44c1_s_p6_1,
  132700. NULL,
  132701. 0
  132702. };
  132703. static long _vq_quantlist__44c1_s_p7_0[] = {
  132704. 6,
  132705. 5,
  132706. 7,
  132707. 4,
  132708. 8,
  132709. 3,
  132710. 9,
  132711. 2,
  132712. 10,
  132713. 1,
  132714. 11,
  132715. 0,
  132716. 12,
  132717. };
  132718. static long _vq_lengthlist__44c1_s_p7_0[] = {
  132719. 1, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8,10, 9, 7, 5, 6,
  132720. 7, 7, 8, 8, 8, 8, 9, 9,10,10, 7, 5, 5, 7, 7, 8,
  132721. 8, 8, 8, 9, 9,10,10, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  132722. 10,10,11,10, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  132723. 11, 0,12,12, 9, 9, 9,10,10,10,11,11,11,11, 0,13,
  132724. 13, 9, 9, 9, 9,10,10,11,11,11,11, 0, 0, 0,10,10,
  132725. 10,10,11,11,12,11,12,12, 0, 0, 0,10,10,10, 9,11,
  132726. 11,12,11,13,12, 0, 0, 0,13,13,10,10,11,11,12,12,
  132727. 13,13, 0, 0, 0,14,14,10,10,11,11,12,12,13,13, 0,
  132728. 0, 0, 0, 0,11,12,11,11,12,12,14,13, 0, 0, 0, 0,
  132729. 0,12,11,11,11,13,10,14,13,
  132730. };
  132731. static float _vq_quantthresh__44c1_s_p7_0[] = {
  132732. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  132733. 12.5, 17.5, 22.5, 27.5,
  132734. };
  132735. static long _vq_quantmap__44c1_s_p7_0[] = {
  132736. 11, 9, 7, 5, 3, 1, 0, 2,
  132737. 4, 6, 8, 10, 12,
  132738. };
  132739. static encode_aux_threshmatch _vq_auxt__44c1_s_p7_0 = {
  132740. _vq_quantthresh__44c1_s_p7_0,
  132741. _vq_quantmap__44c1_s_p7_0,
  132742. 13,
  132743. 13
  132744. };
  132745. static static_codebook _44c1_s_p7_0 = {
  132746. 2, 169,
  132747. _vq_lengthlist__44c1_s_p7_0,
  132748. 1, -526516224, 1616117760, 4, 0,
  132749. _vq_quantlist__44c1_s_p7_0,
  132750. NULL,
  132751. &_vq_auxt__44c1_s_p7_0,
  132752. NULL,
  132753. 0
  132754. };
  132755. static long _vq_quantlist__44c1_s_p7_1[] = {
  132756. 2,
  132757. 1,
  132758. 3,
  132759. 0,
  132760. 4,
  132761. };
  132762. static long _vq_lengthlist__44c1_s_p7_1[] = {
  132763. 2, 3, 3, 5, 5, 6, 6, 6, 5, 5, 6, 6, 6, 5, 5, 6,
  132764. 6, 6, 5, 5, 6, 6, 6, 5, 5,
  132765. };
  132766. static float _vq_quantthresh__44c1_s_p7_1[] = {
  132767. -1.5, -0.5, 0.5, 1.5,
  132768. };
  132769. static long _vq_quantmap__44c1_s_p7_1[] = {
  132770. 3, 1, 0, 2, 4,
  132771. };
  132772. static encode_aux_threshmatch _vq_auxt__44c1_s_p7_1 = {
  132773. _vq_quantthresh__44c1_s_p7_1,
  132774. _vq_quantmap__44c1_s_p7_1,
  132775. 5,
  132776. 5
  132777. };
  132778. static static_codebook _44c1_s_p7_1 = {
  132779. 2, 25,
  132780. _vq_lengthlist__44c1_s_p7_1,
  132781. 1, -533725184, 1611661312, 3, 0,
  132782. _vq_quantlist__44c1_s_p7_1,
  132783. NULL,
  132784. &_vq_auxt__44c1_s_p7_1,
  132785. NULL,
  132786. 0
  132787. };
  132788. static long _vq_quantlist__44c1_s_p8_0[] = {
  132789. 6,
  132790. 5,
  132791. 7,
  132792. 4,
  132793. 8,
  132794. 3,
  132795. 9,
  132796. 2,
  132797. 10,
  132798. 1,
  132799. 11,
  132800. 0,
  132801. 12,
  132802. };
  132803. static long _vq_lengthlist__44c1_s_p8_0[] = {
  132804. 1, 4, 3,10,10,10,10,10,10,10,10,10,10, 4, 8, 6,
  132805. 10,10,10,10,10,10,10,10,10,10, 4, 8, 7,10,10,10,
  132806. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  132807. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  132808. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  132809. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  132810. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  132811. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  132812. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  132813. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  132814. 10,10,10,10,10,10,10,10,10,
  132815. };
  132816. static float _vq_quantthresh__44c1_s_p8_0[] = {
  132817. -1215.5, -994.5, -773.5, -552.5, -331.5, -110.5, 110.5, 331.5,
  132818. 552.5, 773.5, 994.5, 1215.5,
  132819. };
  132820. static long _vq_quantmap__44c1_s_p8_0[] = {
  132821. 11, 9, 7, 5, 3, 1, 0, 2,
  132822. 4, 6, 8, 10, 12,
  132823. };
  132824. static encode_aux_threshmatch _vq_auxt__44c1_s_p8_0 = {
  132825. _vq_quantthresh__44c1_s_p8_0,
  132826. _vq_quantmap__44c1_s_p8_0,
  132827. 13,
  132828. 13
  132829. };
  132830. static static_codebook _44c1_s_p8_0 = {
  132831. 2, 169,
  132832. _vq_lengthlist__44c1_s_p8_0,
  132833. 1, -514541568, 1627103232, 4, 0,
  132834. _vq_quantlist__44c1_s_p8_0,
  132835. NULL,
  132836. &_vq_auxt__44c1_s_p8_0,
  132837. NULL,
  132838. 0
  132839. };
  132840. static long _vq_quantlist__44c1_s_p8_1[] = {
  132841. 6,
  132842. 5,
  132843. 7,
  132844. 4,
  132845. 8,
  132846. 3,
  132847. 9,
  132848. 2,
  132849. 10,
  132850. 1,
  132851. 11,
  132852. 0,
  132853. 12,
  132854. };
  132855. static long _vq_lengthlist__44c1_s_p8_1[] = {
  132856. 1, 4, 4, 6, 5, 7, 7, 9, 9,10,10,12,12, 6, 5, 5,
  132857. 7, 7, 8, 8,10,10,12,11,12,12, 6, 5, 5, 7, 7, 8,
  132858. 8,10,10,11,11,12,12,15, 7, 7, 8, 8, 9, 9,11,11,
  132859. 12,12,13,12,15, 8, 8, 8, 7, 9, 9,10,10,12,12,13,
  132860. 13,16,11,10, 8, 8,10,10,11,11,12,12,13,13,16,11,
  132861. 11, 9, 8,11,10,11,11,12,12,13,12,16,16,16,10,11,
  132862. 10,11,12,12,12,12,13,13,16,16,16,11, 9,11, 9,14,
  132863. 12,12,12,13,13,16,16,16,12,14,11,12,12,12,13,13,
  132864. 14,13,16,16,16,15,13,12,10,13,10,13,14,13,13,16,
  132865. 16,16,16,16,13,14,12,13,13,12,13,13,16,16,16,16,
  132866. 16,13,12,12,11,14,12,15,13,
  132867. };
  132868. static float _vq_quantthresh__44c1_s_p8_1[] = {
  132869. -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5, 25.5,
  132870. 42.5, 59.5, 76.5, 93.5,
  132871. };
  132872. static long _vq_quantmap__44c1_s_p8_1[] = {
  132873. 11, 9, 7, 5, 3, 1, 0, 2,
  132874. 4, 6, 8, 10, 12,
  132875. };
  132876. static encode_aux_threshmatch _vq_auxt__44c1_s_p8_1 = {
  132877. _vq_quantthresh__44c1_s_p8_1,
  132878. _vq_quantmap__44c1_s_p8_1,
  132879. 13,
  132880. 13
  132881. };
  132882. static static_codebook _44c1_s_p8_1 = {
  132883. 2, 169,
  132884. _vq_lengthlist__44c1_s_p8_1,
  132885. 1, -522616832, 1620115456, 4, 0,
  132886. _vq_quantlist__44c1_s_p8_1,
  132887. NULL,
  132888. &_vq_auxt__44c1_s_p8_1,
  132889. NULL,
  132890. 0
  132891. };
  132892. static long _vq_quantlist__44c1_s_p8_2[] = {
  132893. 8,
  132894. 7,
  132895. 9,
  132896. 6,
  132897. 10,
  132898. 5,
  132899. 11,
  132900. 4,
  132901. 12,
  132902. 3,
  132903. 13,
  132904. 2,
  132905. 14,
  132906. 1,
  132907. 15,
  132908. 0,
  132909. 16,
  132910. };
  132911. static long _vq_lengthlist__44c1_s_p8_2[] = {
  132912. 2, 4, 4, 6, 6, 6, 6, 7, 7, 8, 8, 8, 8, 8, 8, 8,
  132913. 8,10,10,10, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9, 9, 9,
  132914. 9, 9,10,10,10, 7, 7, 8, 7, 8, 8, 9, 9, 9, 9, 9,
  132915. 9, 9, 9,10,10,10, 7, 7, 8, 8, 8, 9, 9, 9, 9, 9,
  132916. 9,10, 9, 9,10,10,10, 7, 7, 8, 8, 9, 8, 9, 9, 9,
  132917. 9,10, 9, 9,10,10,11,11, 8, 8, 8, 8, 9, 9, 9, 9,
  132918. 9, 9,10, 9, 9,10,10,10,10, 8, 8, 8, 8, 9, 9, 9,
  132919. 9, 9, 9, 9, 9,10,10,11,11,11, 8, 8, 9, 9, 9, 9,
  132920. 9, 9, 9, 9, 9, 9,10,10,10,10,11,11,11, 8, 8, 9,
  132921. 9, 9, 9,10, 9, 9, 9, 9, 9,11,11,11,11,11, 9, 9,
  132922. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,10,10,11,11, 9,
  132923. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,10,11,10,11,11,
  132924. 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10, 9,10,10,11,11,
  132925. 11,11,11, 9, 9, 9,10, 9, 9, 9, 9, 9, 9,10,11,11,
  132926. 11,11,11,11,10,10,10,10, 9, 9, 9, 9, 9, 9,10,11,
  132927. 11,11,11,11,11, 9,10, 9, 9, 9, 9,10, 9, 9, 9,11,
  132928. 11,11,11,11,11,11,10,10, 9, 9, 9, 9, 9, 9,10, 9,
  132929. 11,11,10,11,11,11,11,10,11, 9, 9, 9, 9, 9, 9, 9,
  132930. 9,
  132931. };
  132932. static float _vq_quantthresh__44c1_s_p8_2[] = {
  132933. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  132934. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  132935. };
  132936. static long _vq_quantmap__44c1_s_p8_2[] = {
  132937. 15, 13, 11, 9, 7, 5, 3, 1,
  132938. 0, 2, 4, 6, 8, 10, 12, 14,
  132939. 16,
  132940. };
  132941. static encode_aux_threshmatch _vq_auxt__44c1_s_p8_2 = {
  132942. _vq_quantthresh__44c1_s_p8_2,
  132943. _vq_quantmap__44c1_s_p8_2,
  132944. 17,
  132945. 17
  132946. };
  132947. static static_codebook _44c1_s_p8_2 = {
  132948. 2, 289,
  132949. _vq_lengthlist__44c1_s_p8_2,
  132950. 1, -529530880, 1611661312, 5, 0,
  132951. _vq_quantlist__44c1_s_p8_2,
  132952. NULL,
  132953. &_vq_auxt__44c1_s_p8_2,
  132954. NULL,
  132955. 0
  132956. };
  132957. static long _huff_lengthlist__44c1_s_short[] = {
  132958. 6, 8,13,12,13,14,15,16,16, 4, 2, 4, 7, 6, 8,11,
  132959. 13,15,10, 4, 4, 8, 6, 8,11,14,17,11, 5, 6, 5, 6,
  132960. 8,12,14,17,11, 5, 5, 6, 5, 7,10,13,16,12, 6, 7,
  132961. 8, 7, 8,10,13,15,13, 8, 8, 7, 7, 8,10,12,15,15,
  132962. 7, 7, 5, 5, 7, 9,12,14,15, 8, 8, 6, 6, 7, 8,10,
  132963. 11,
  132964. };
  132965. static static_codebook _huff_book__44c1_s_short = {
  132966. 2, 81,
  132967. _huff_lengthlist__44c1_s_short,
  132968. 0, 0, 0, 0, 0,
  132969. NULL,
  132970. NULL,
  132971. NULL,
  132972. NULL,
  132973. 0
  132974. };
  132975. static long _huff_lengthlist__44c1_sm_long[] = {
  132976. 5, 4, 8,10, 9, 9,10,11,12, 4, 2, 5, 6, 6, 8,10,
  132977. 11,13, 8, 4, 6, 8, 7, 9,12,12,14,10, 6, 8, 4, 5,
  132978. 6, 9,11,12, 9, 5, 6, 5, 5, 6, 9,11,11, 9, 7, 9,
  132979. 6, 5, 5, 7,10,10,10, 9,11, 8, 7, 6, 7, 9,11,11,
  132980. 12,13,10,10, 9, 8, 9,11,11,15,15,12,13,11, 9,10,
  132981. 11,
  132982. };
  132983. static static_codebook _huff_book__44c1_sm_long = {
  132984. 2, 81,
  132985. _huff_lengthlist__44c1_sm_long,
  132986. 0, 0, 0, 0, 0,
  132987. NULL,
  132988. NULL,
  132989. NULL,
  132990. NULL,
  132991. 0
  132992. };
  132993. static long _vq_quantlist__44c1_sm_p1_0[] = {
  132994. 1,
  132995. 0,
  132996. 2,
  132997. };
  132998. static long _vq_lengthlist__44c1_sm_p1_0[] = {
  132999. 1, 5, 5, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  133000. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133001. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133002. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133003. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133004. 0, 5, 8, 7, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  133005. 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133006. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133007. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133008. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133009. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 7, 9, 8, 0, 0,
  133010. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133011. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133012. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133013. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133014. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133015. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133016. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133017. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133018. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133019. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133020. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133021. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133022. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133023. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133024. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133025. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133026. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133027. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133028. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133029. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133030. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133031. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133032. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133036. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133037. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133041. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133042. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 8, 7, 0, 0, 0, 0,
  133045. 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  133046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133047. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0, 0,
  133050. 0, 0, 0, 9, 9,10, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  133051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  133055. 0, 0, 0, 0, 8,10, 9, 0, 0, 0, 0, 0, 0, 9,10,10,
  133056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133077. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133082. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133087. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133090. 0, 0, 5, 7, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  133091. 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133095. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  133096. 0, 0, 0, 0, 0, 8, 9,10, 0, 0, 0, 0, 0, 0, 0, 0,
  133097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133100. 0, 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,10,
  133101. 0, 0, 0, 0, 0, 0, 9,10, 9, 0, 0, 0, 0, 0, 0, 0,
  133102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133128. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133133. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133377. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133378. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133379. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133380. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133381. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133382. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133383. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133384. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133385. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133386. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133387. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133388. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133389. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133390. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133391. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133392. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133393. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133394. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133395. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133396. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133397. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133398. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133399. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133400. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133401. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133402. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133403. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133404. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133405. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133406. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133408. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133409. 0,
  133410. };
  133411. static float _vq_quantthresh__44c1_sm_p1_0[] = {
  133412. -0.5, 0.5,
  133413. };
  133414. static long _vq_quantmap__44c1_sm_p1_0[] = {
  133415. 1, 0, 2,
  133416. };
  133417. static encode_aux_threshmatch _vq_auxt__44c1_sm_p1_0 = {
  133418. _vq_quantthresh__44c1_sm_p1_0,
  133419. _vq_quantmap__44c1_sm_p1_0,
  133420. 3,
  133421. 3
  133422. };
  133423. static static_codebook _44c1_sm_p1_0 = {
  133424. 8, 6561,
  133425. _vq_lengthlist__44c1_sm_p1_0,
  133426. 1, -535822336, 1611661312, 2, 0,
  133427. _vq_quantlist__44c1_sm_p1_0,
  133428. NULL,
  133429. &_vq_auxt__44c1_sm_p1_0,
  133430. NULL,
  133431. 0
  133432. };
  133433. static long _vq_quantlist__44c1_sm_p2_0[] = {
  133434. 2,
  133435. 1,
  133436. 3,
  133437. 0,
  133438. 4,
  133439. };
  133440. static long _vq_lengthlist__44c1_sm_p2_0[] = {
  133441. 2, 3, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133442. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 4, 4, 6, 6, 0, 0,
  133443. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133444. 0, 0, 4, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133445. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 6, 6, 9, 9,
  133446. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133447. 0, 0, 0, 0, 6, 6, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  133448. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133449. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133450. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133451. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133452. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133453. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133454. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133455. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133456. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133457. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133458. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133459. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133460. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133461. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133462. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133463. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133464. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133465. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133466. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133467. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133468. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133469. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133470. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133471. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133472. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133473. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133474. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133475. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133476. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133477. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133478. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133479. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133480. 0,
  133481. };
  133482. static float _vq_quantthresh__44c1_sm_p2_0[] = {
  133483. -1.5, -0.5, 0.5, 1.5,
  133484. };
  133485. static long _vq_quantmap__44c1_sm_p2_0[] = {
  133486. 3, 1, 0, 2, 4,
  133487. };
  133488. static encode_aux_threshmatch _vq_auxt__44c1_sm_p2_0 = {
  133489. _vq_quantthresh__44c1_sm_p2_0,
  133490. _vq_quantmap__44c1_sm_p2_0,
  133491. 5,
  133492. 5
  133493. };
  133494. static static_codebook _44c1_sm_p2_0 = {
  133495. 4, 625,
  133496. _vq_lengthlist__44c1_sm_p2_0,
  133497. 1, -533725184, 1611661312, 3, 0,
  133498. _vq_quantlist__44c1_sm_p2_0,
  133499. NULL,
  133500. &_vq_auxt__44c1_sm_p2_0,
  133501. NULL,
  133502. 0
  133503. };
  133504. static long _vq_quantlist__44c1_sm_p3_0[] = {
  133505. 4,
  133506. 3,
  133507. 5,
  133508. 2,
  133509. 6,
  133510. 1,
  133511. 7,
  133512. 0,
  133513. 8,
  133514. };
  133515. static long _vq_lengthlist__44c1_sm_p3_0[] = {
  133516. 1, 3, 3, 7, 7, 0, 0, 0, 0, 0, 5, 5, 6, 6, 0, 0,
  133517. 0, 0, 0, 5, 5, 7, 7, 0, 0, 0, 0, 0, 7, 7, 7, 7,
  133518. 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  133519. 8, 9, 0, 0, 0, 0, 0, 0, 0, 8, 8, 0, 0, 0, 0, 0,
  133520. 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  133521. 0,
  133522. };
  133523. static float _vq_quantthresh__44c1_sm_p3_0[] = {
  133524. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  133525. };
  133526. static long _vq_quantmap__44c1_sm_p3_0[] = {
  133527. 7, 5, 3, 1, 0, 2, 4, 6,
  133528. 8,
  133529. };
  133530. static encode_aux_threshmatch _vq_auxt__44c1_sm_p3_0 = {
  133531. _vq_quantthresh__44c1_sm_p3_0,
  133532. _vq_quantmap__44c1_sm_p3_0,
  133533. 9,
  133534. 9
  133535. };
  133536. static static_codebook _44c1_sm_p3_0 = {
  133537. 2, 81,
  133538. _vq_lengthlist__44c1_sm_p3_0,
  133539. 1, -531628032, 1611661312, 4, 0,
  133540. _vq_quantlist__44c1_sm_p3_0,
  133541. NULL,
  133542. &_vq_auxt__44c1_sm_p3_0,
  133543. NULL,
  133544. 0
  133545. };
  133546. static long _vq_quantlist__44c1_sm_p4_0[] = {
  133547. 4,
  133548. 3,
  133549. 5,
  133550. 2,
  133551. 6,
  133552. 1,
  133553. 7,
  133554. 0,
  133555. 8,
  133556. };
  133557. static long _vq_lengthlist__44c1_sm_p4_0[] = {
  133558. 1, 3, 3, 6, 6, 7, 7, 9, 9, 0, 6, 6, 7, 7, 8, 8,
  133559. 9, 9, 0, 6, 6, 7, 7, 8, 8, 9, 9, 0, 7, 7, 8, 8,
  133560. 8, 8,10,10, 0, 0, 0, 8, 8, 8, 8,10,10, 0, 0, 0,
  133561. 8, 8, 9, 9,11,11, 0, 0, 0, 9, 9, 9, 9,11,11, 0,
  133562. 0, 0,10,10,10,10,11,11, 0, 0, 0, 0, 0, 9, 9,11,
  133563. 11,
  133564. };
  133565. static float _vq_quantthresh__44c1_sm_p4_0[] = {
  133566. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  133567. };
  133568. static long _vq_quantmap__44c1_sm_p4_0[] = {
  133569. 7, 5, 3, 1, 0, 2, 4, 6,
  133570. 8,
  133571. };
  133572. static encode_aux_threshmatch _vq_auxt__44c1_sm_p4_0 = {
  133573. _vq_quantthresh__44c1_sm_p4_0,
  133574. _vq_quantmap__44c1_sm_p4_0,
  133575. 9,
  133576. 9
  133577. };
  133578. static static_codebook _44c1_sm_p4_0 = {
  133579. 2, 81,
  133580. _vq_lengthlist__44c1_sm_p4_0,
  133581. 1, -531628032, 1611661312, 4, 0,
  133582. _vq_quantlist__44c1_sm_p4_0,
  133583. NULL,
  133584. &_vq_auxt__44c1_sm_p4_0,
  133585. NULL,
  133586. 0
  133587. };
  133588. static long _vq_quantlist__44c1_sm_p5_0[] = {
  133589. 8,
  133590. 7,
  133591. 9,
  133592. 6,
  133593. 10,
  133594. 5,
  133595. 11,
  133596. 4,
  133597. 12,
  133598. 3,
  133599. 13,
  133600. 2,
  133601. 14,
  133602. 1,
  133603. 15,
  133604. 0,
  133605. 16,
  133606. };
  133607. static long _vq_lengthlist__44c1_sm_p5_0[] = {
  133608. 2, 3, 3, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,11,
  133609. 11, 0, 5, 5, 6, 6, 8, 8, 9, 9, 9, 9,10,10,10,10,
  133610. 11,11, 0, 5, 5, 6, 6, 8, 8, 9, 9, 9, 9,10,10,10,
  133611. 10,11,11, 0, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  133612. 11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  133613. 10,11,11,12,12, 0, 0, 0, 8, 8, 8, 8, 9, 9,10,10,
  133614. 10,11,11,11,12,12, 0, 0, 0, 8, 8, 8, 8, 9, 9,10,
  133615. 10,10,10,11,11,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,
  133616. 10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 9, 9,10,
  133617. 10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,
  133618. 9, 9,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9,
  133619. 9, 9, 9,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,
  133620. 9, 9,10,10,11,11,12,12,12,12,13,13, 0, 0, 0, 0,
  133621. 0, 0, 0,10,10,11,11,12,12,12,12,13,13, 0, 0, 0,
  133622. 0, 0, 0, 0,11,11,11,11,12,12,13,13,13,13, 0, 0,
  133623. 0, 0, 0, 0, 0,11,11,11,11,12,12,13,13,13,13, 0,
  133624. 0, 0, 0, 0, 0, 0,11,11,12,12,12,12,13,13,14,14,
  133625. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,12,12,13,13,14,
  133626. 14,
  133627. };
  133628. static float _vq_quantthresh__44c1_sm_p5_0[] = {
  133629. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  133630. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  133631. };
  133632. static long _vq_quantmap__44c1_sm_p5_0[] = {
  133633. 15, 13, 11, 9, 7, 5, 3, 1,
  133634. 0, 2, 4, 6, 8, 10, 12, 14,
  133635. 16,
  133636. };
  133637. static encode_aux_threshmatch _vq_auxt__44c1_sm_p5_0 = {
  133638. _vq_quantthresh__44c1_sm_p5_0,
  133639. _vq_quantmap__44c1_sm_p5_0,
  133640. 17,
  133641. 17
  133642. };
  133643. static static_codebook _44c1_sm_p5_0 = {
  133644. 2, 289,
  133645. _vq_lengthlist__44c1_sm_p5_0,
  133646. 1, -529530880, 1611661312, 5, 0,
  133647. _vq_quantlist__44c1_sm_p5_0,
  133648. NULL,
  133649. &_vq_auxt__44c1_sm_p5_0,
  133650. NULL,
  133651. 0
  133652. };
  133653. static long _vq_quantlist__44c1_sm_p6_0[] = {
  133654. 1,
  133655. 0,
  133656. 2,
  133657. };
  133658. static long _vq_lengthlist__44c1_sm_p6_0[] = {
  133659. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 7,10, 9, 9,11,
  133660. 9, 9, 4, 7, 7,10, 9, 9,11, 9, 9, 7,10,10,10,11,
  133661. 11,11,10,10, 6, 9, 9,11,11,10,11,10,10, 6, 9, 9,
  133662. 11,10,11,11,10,10, 7,11,11,11,11,11,11,11,11, 6,
  133663. 9, 9,11,10,10,11,11,10, 6, 9, 9,10,10,10,11,10,
  133664. 11,
  133665. };
  133666. static float _vq_quantthresh__44c1_sm_p6_0[] = {
  133667. -5.5, 5.5,
  133668. };
  133669. static long _vq_quantmap__44c1_sm_p6_0[] = {
  133670. 1, 0, 2,
  133671. };
  133672. static encode_aux_threshmatch _vq_auxt__44c1_sm_p6_0 = {
  133673. _vq_quantthresh__44c1_sm_p6_0,
  133674. _vq_quantmap__44c1_sm_p6_0,
  133675. 3,
  133676. 3
  133677. };
  133678. static static_codebook _44c1_sm_p6_0 = {
  133679. 4, 81,
  133680. _vq_lengthlist__44c1_sm_p6_0,
  133681. 1, -529137664, 1618345984, 2, 0,
  133682. _vq_quantlist__44c1_sm_p6_0,
  133683. NULL,
  133684. &_vq_auxt__44c1_sm_p6_0,
  133685. NULL,
  133686. 0
  133687. };
  133688. static long _vq_quantlist__44c1_sm_p6_1[] = {
  133689. 5,
  133690. 4,
  133691. 6,
  133692. 3,
  133693. 7,
  133694. 2,
  133695. 8,
  133696. 1,
  133697. 9,
  133698. 0,
  133699. 10,
  133700. };
  133701. static long _vq_lengthlist__44c1_sm_p6_1[] = {
  133702. 2, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8,10, 5, 5, 6, 6,
  133703. 7, 7, 8, 8, 8, 8,10, 5, 5, 6, 6, 7, 7, 8, 8, 8,
  133704. 8,10, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10, 7,
  133705. 7, 7, 7, 8, 8, 8, 8,10,10,10, 7, 7, 8, 8, 8, 8,
  133706. 8, 8,10,10,10, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10,
  133707. 8, 8, 8, 8, 8, 8, 9, 8,10,10,10,10,10, 8, 8, 8,
  133708. 8, 8, 8,10,10,10,10,10, 9, 9, 8, 8, 8, 8,10,10,
  133709. 10,10,10, 8, 8, 8, 8, 8, 8,
  133710. };
  133711. static float _vq_quantthresh__44c1_sm_p6_1[] = {
  133712. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  133713. 3.5, 4.5,
  133714. };
  133715. static long _vq_quantmap__44c1_sm_p6_1[] = {
  133716. 9, 7, 5, 3, 1, 0, 2, 4,
  133717. 6, 8, 10,
  133718. };
  133719. static encode_aux_threshmatch _vq_auxt__44c1_sm_p6_1 = {
  133720. _vq_quantthresh__44c1_sm_p6_1,
  133721. _vq_quantmap__44c1_sm_p6_1,
  133722. 11,
  133723. 11
  133724. };
  133725. static static_codebook _44c1_sm_p6_1 = {
  133726. 2, 121,
  133727. _vq_lengthlist__44c1_sm_p6_1,
  133728. 1, -531365888, 1611661312, 4, 0,
  133729. _vq_quantlist__44c1_sm_p6_1,
  133730. NULL,
  133731. &_vq_auxt__44c1_sm_p6_1,
  133732. NULL,
  133733. 0
  133734. };
  133735. static long _vq_quantlist__44c1_sm_p7_0[] = {
  133736. 6,
  133737. 5,
  133738. 7,
  133739. 4,
  133740. 8,
  133741. 3,
  133742. 9,
  133743. 2,
  133744. 10,
  133745. 1,
  133746. 11,
  133747. 0,
  133748. 12,
  133749. };
  133750. static long _vq_lengthlist__44c1_sm_p7_0[] = {
  133751. 1, 4, 4, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9, 7, 5, 5,
  133752. 7, 7, 8, 8, 8, 8, 9, 9,10,10, 7, 5, 6, 7, 7, 8,
  133753. 8, 8, 8, 9, 9,11,10, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  133754. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  133755. 11, 0,12,12, 9, 9,10,10,10,10,11,11,11,11, 0,13,
  133756. 13, 9, 9, 9, 9,10,10,11,11,12,12, 0, 0, 0, 9,10,
  133757. 9,10,11,11,12,11,13,12, 0, 0, 0,10,10, 9, 9,11,
  133758. 11,12,12,13,12, 0, 0, 0,13,13,10,10,11,11,12,12,
  133759. 13,13, 0, 0, 0,14,14,10,10,11,11,12,12,13,13, 0,
  133760. 0, 0, 0, 0,11,12,11,11,12,13,14,13, 0, 0, 0, 0,
  133761. 0,12,12,11,11,13,12,14,13,
  133762. };
  133763. static float _vq_quantthresh__44c1_sm_p7_0[] = {
  133764. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  133765. 12.5, 17.5, 22.5, 27.5,
  133766. };
  133767. static long _vq_quantmap__44c1_sm_p7_0[] = {
  133768. 11, 9, 7, 5, 3, 1, 0, 2,
  133769. 4, 6, 8, 10, 12,
  133770. };
  133771. static encode_aux_threshmatch _vq_auxt__44c1_sm_p7_0 = {
  133772. _vq_quantthresh__44c1_sm_p7_0,
  133773. _vq_quantmap__44c1_sm_p7_0,
  133774. 13,
  133775. 13
  133776. };
  133777. static static_codebook _44c1_sm_p7_0 = {
  133778. 2, 169,
  133779. _vq_lengthlist__44c1_sm_p7_0,
  133780. 1, -526516224, 1616117760, 4, 0,
  133781. _vq_quantlist__44c1_sm_p7_0,
  133782. NULL,
  133783. &_vq_auxt__44c1_sm_p7_0,
  133784. NULL,
  133785. 0
  133786. };
  133787. static long _vq_quantlist__44c1_sm_p7_1[] = {
  133788. 2,
  133789. 1,
  133790. 3,
  133791. 0,
  133792. 4,
  133793. };
  133794. static long _vq_lengthlist__44c1_sm_p7_1[] = {
  133795. 2, 4, 4, 4, 5, 6, 5, 5, 5, 5, 6, 5, 5, 5, 5, 6,
  133796. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  133797. };
  133798. static float _vq_quantthresh__44c1_sm_p7_1[] = {
  133799. -1.5, -0.5, 0.5, 1.5,
  133800. };
  133801. static long _vq_quantmap__44c1_sm_p7_1[] = {
  133802. 3, 1, 0, 2, 4,
  133803. };
  133804. static encode_aux_threshmatch _vq_auxt__44c1_sm_p7_1 = {
  133805. _vq_quantthresh__44c1_sm_p7_1,
  133806. _vq_quantmap__44c1_sm_p7_1,
  133807. 5,
  133808. 5
  133809. };
  133810. static static_codebook _44c1_sm_p7_1 = {
  133811. 2, 25,
  133812. _vq_lengthlist__44c1_sm_p7_1,
  133813. 1, -533725184, 1611661312, 3, 0,
  133814. _vq_quantlist__44c1_sm_p7_1,
  133815. NULL,
  133816. &_vq_auxt__44c1_sm_p7_1,
  133817. NULL,
  133818. 0
  133819. };
  133820. static long _vq_quantlist__44c1_sm_p8_0[] = {
  133821. 6,
  133822. 5,
  133823. 7,
  133824. 4,
  133825. 8,
  133826. 3,
  133827. 9,
  133828. 2,
  133829. 10,
  133830. 1,
  133831. 11,
  133832. 0,
  133833. 12,
  133834. };
  133835. static long _vq_lengthlist__44c1_sm_p8_0[] = {
  133836. 1, 3, 3,13,13,13,13,13,13,13,13,13,13, 3, 6, 6,
  133837. 13,13,13,13,13,13,13,13,13,13, 4, 8, 7,13,13,13,
  133838. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  133839. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  133840. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  133841. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  133842. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  133843. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  133844. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  133845. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  133846. 13,13,13,13,13,13,13,13,13,
  133847. };
  133848. static float _vq_quantthresh__44c1_sm_p8_0[] = {
  133849. -1215.5, -994.5, -773.5, -552.5, -331.5, -110.5, 110.5, 331.5,
  133850. 552.5, 773.5, 994.5, 1215.5,
  133851. };
  133852. static long _vq_quantmap__44c1_sm_p8_0[] = {
  133853. 11, 9, 7, 5, 3, 1, 0, 2,
  133854. 4, 6, 8, 10, 12,
  133855. };
  133856. static encode_aux_threshmatch _vq_auxt__44c1_sm_p8_0 = {
  133857. _vq_quantthresh__44c1_sm_p8_0,
  133858. _vq_quantmap__44c1_sm_p8_0,
  133859. 13,
  133860. 13
  133861. };
  133862. static static_codebook _44c1_sm_p8_0 = {
  133863. 2, 169,
  133864. _vq_lengthlist__44c1_sm_p8_0,
  133865. 1, -514541568, 1627103232, 4, 0,
  133866. _vq_quantlist__44c1_sm_p8_0,
  133867. NULL,
  133868. &_vq_auxt__44c1_sm_p8_0,
  133869. NULL,
  133870. 0
  133871. };
  133872. static long _vq_quantlist__44c1_sm_p8_1[] = {
  133873. 6,
  133874. 5,
  133875. 7,
  133876. 4,
  133877. 8,
  133878. 3,
  133879. 9,
  133880. 2,
  133881. 10,
  133882. 1,
  133883. 11,
  133884. 0,
  133885. 12,
  133886. };
  133887. static long _vq_lengthlist__44c1_sm_p8_1[] = {
  133888. 1, 4, 4, 6, 6, 7, 7, 9, 9,10,11,12,12, 6, 5, 5,
  133889. 7, 7, 8, 7,10,10,11,11,12,12, 6, 5, 5, 7, 7, 8,
  133890. 8,10,10,11,11,12,12,16, 7, 7, 8, 8, 9, 9,11,11,
  133891. 12,12,13,13,17, 7, 7, 8, 7, 9, 9,11,10,12,12,13,
  133892. 13,19,11,10, 8, 8,10,10,11,11,12,12,13,13,19,11,
  133893. 11, 9, 7,11,10,11,11,12,12,13,12,19,19,19,10,10,
  133894. 10,10,11,12,12,12,13,14,18,19,19,11, 9,11, 9,13,
  133895. 12,12,12,13,13,19,20,19,13,15,11,11,12,12,13,13,
  133896. 14,13,18,19,20,15,13,12,10,13,10,13,13,13,14,20,
  133897. 20,20,20,20,13,14,12,12,13,12,13,13,20,20,20,20,
  133898. 20,13,12,12,12,14,12,14,13,
  133899. };
  133900. static float _vq_quantthresh__44c1_sm_p8_1[] = {
  133901. -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5, 25.5,
  133902. 42.5, 59.5, 76.5, 93.5,
  133903. };
  133904. static long _vq_quantmap__44c1_sm_p8_1[] = {
  133905. 11, 9, 7, 5, 3, 1, 0, 2,
  133906. 4, 6, 8, 10, 12,
  133907. };
  133908. static encode_aux_threshmatch _vq_auxt__44c1_sm_p8_1 = {
  133909. _vq_quantthresh__44c1_sm_p8_1,
  133910. _vq_quantmap__44c1_sm_p8_1,
  133911. 13,
  133912. 13
  133913. };
  133914. static static_codebook _44c1_sm_p8_1 = {
  133915. 2, 169,
  133916. _vq_lengthlist__44c1_sm_p8_1,
  133917. 1, -522616832, 1620115456, 4, 0,
  133918. _vq_quantlist__44c1_sm_p8_1,
  133919. NULL,
  133920. &_vq_auxt__44c1_sm_p8_1,
  133921. NULL,
  133922. 0
  133923. };
  133924. static long _vq_quantlist__44c1_sm_p8_2[] = {
  133925. 8,
  133926. 7,
  133927. 9,
  133928. 6,
  133929. 10,
  133930. 5,
  133931. 11,
  133932. 4,
  133933. 12,
  133934. 3,
  133935. 13,
  133936. 2,
  133937. 14,
  133938. 1,
  133939. 15,
  133940. 0,
  133941. 16,
  133942. };
  133943. static long _vq_lengthlist__44c1_sm_p8_2[] = {
  133944. 2, 5, 5, 6, 6, 7, 6, 7, 7, 8, 8, 8, 8, 8, 8, 8,
  133945. 8,10, 6, 6, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9, 9, 9,
  133946. 9, 9,10, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  133947. 9, 9, 9,10, 7, 7, 7, 7, 8, 8, 8, 9, 9, 9, 9, 9,
  133948. 9, 9, 9, 9,10,10,10, 7, 7, 8, 8, 9, 9, 9, 9, 9,
  133949. 9, 9, 9, 9, 9,10,11,11, 8, 8, 8, 8, 9, 9, 9, 9,
  133950. 9, 9,10,10, 9,10,10,10,10, 8, 8, 8, 8, 9, 9, 9,
  133951. 9, 9, 9, 9, 9,10,10,11,10,10, 8, 8, 9, 9, 9, 9,
  133952. 9, 9, 9, 9, 9, 9,10, 9,10,10,10,11,11, 8, 8, 9,
  133953. 9, 9, 9, 9, 9, 9, 9, 9, 9,11,11,11,11,11, 9, 9,
  133954. 9, 9, 9, 9, 9, 9,10, 9,10, 9,11,11,11,11,11, 9,
  133955. 8, 9, 9, 9, 9, 9, 9, 9,10,10, 9,11,11,10,11,11,
  133956. 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10, 9,11,11,11,11,
  133957. 11,11,11, 9, 9,10, 9, 9, 9, 9,10, 9,10,10,11,10,
  133958. 11,11,11,11, 9,10,10,10, 9, 9, 9, 9, 9, 9,10,11,
  133959. 11,11,11,11,11, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,11,
  133960. 11,10,11,11,11,11,10,10, 9, 9, 9, 9, 9, 9,10, 9,
  133961. 10,11,10,11,11,11,11,11,11, 9, 9,10, 9, 9, 9, 9,
  133962. 9,
  133963. };
  133964. static float _vq_quantthresh__44c1_sm_p8_2[] = {
  133965. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  133966. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  133967. };
  133968. static long _vq_quantmap__44c1_sm_p8_2[] = {
  133969. 15, 13, 11, 9, 7, 5, 3, 1,
  133970. 0, 2, 4, 6, 8, 10, 12, 14,
  133971. 16,
  133972. };
  133973. static encode_aux_threshmatch _vq_auxt__44c1_sm_p8_2 = {
  133974. _vq_quantthresh__44c1_sm_p8_2,
  133975. _vq_quantmap__44c1_sm_p8_2,
  133976. 17,
  133977. 17
  133978. };
  133979. static static_codebook _44c1_sm_p8_2 = {
  133980. 2, 289,
  133981. _vq_lengthlist__44c1_sm_p8_2,
  133982. 1, -529530880, 1611661312, 5, 0,
  133983. _vq_quantlist__44c1_sm_p8_2,
  133984. NULL,
  133985. &_vq_auxt__44c1_sm_p8_2,
  133986. NULL,
  133987. 0
  133988. };
  133989. static long _huff_lengthlist__44c1_sm_short[] = {
  133990. 4, 7,13,14,14,15,16,18,18, 4, 2, 5, 8, 7, 9,12,
  133991. 15,15,10, 4, 5,10, 6, 8,11,15,17,12, 5, 7, 5, 6,
  133992. 8,11,14,17,11, 5, 6, 6, 5, 6, 9,13,17,12, 6, 7,
  133993. 6, 5, 6, 8,12,14,14, 7, 8, 6, 6, 7, 9,11,14,14,
  133994. 8, 9, 6, 5, 6, 9,11,13,16,10,10, 7, 6, 7, 8,10,
  133995. 11,
  133996. };
  133997. static static_codebook _huff_book__44c1_sm_short = {
  133998. 2, 81,
  133999. _huff_lengthlist__44c1_sm_short,
  134000. 0, 0, 0, 0, 0,
  134001. NULL,
  134002. NULL,
  134003. NULL,
  134004. NULL,
  134005. 0
  134006. };
  134007. static long _huff_lengthlist__44cn1_s_long[] = {
  134008. 4, 4, 7, 8, 7, 8,10,12,17, 3, 1, 6, 6, 7, 8,10,
  134009. 12,15, 7, 6, 9, 9, 9,11,12,14,17, 8, 6, 9, 6, 7,
  134010. 9,11,13,17, 7, 6, 9, 7, 7, 8, 9,12,15, 8, 8,10,
  134011. 8, 7, 7, 7,10,14, 9,10,12,10, 8, 8, 8,10,14,11,
  134012. 13,15,13,12,11,11,12,16,17,18,18,19,20,18,16,16,
  134013. 20,
  134014. };
  134015. static static_codebook _huff_book__44cn1_s_long = {
  134016. 2, 81,
  134017. _huff_lengthlist__44cn1_s_long,
  134018. 0, 0, 0, 0, 0,
  134019. NULL,
  134020. NULL,
  134021. NULL,
  134022. NULL,
  134023. 0
  134024. };
  134025. static long _vq_quantlist__44cn1_s_p1_0[] = {
  134026. 1,
  134027. 0,
  134028. 2,
  134029. };
  134030. static long _vq_lengthlist__44cn1_s_p1_0[] = {
  134031. 1, 4, 4, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  134032. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134033. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134034. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134035. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134036. 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0, 0,
  134037. 0, 0, 0, 7, 9,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134038. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134039. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134040. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134041. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 7,10, 9, 0, 0,
  134042. 0, 0, 0, 0, 8,10, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134043. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134044. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134045. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134046. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134047. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134048. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134049. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134050. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134051. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134052. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134053. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134054. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134055. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134056. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134057. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134058. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134059. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134060. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134061. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134062. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134063. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134064. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134065. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134066. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134067. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134068. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134069. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134070. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134071. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134072. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134073. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134074. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134075. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134076. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 8, 8, 0, 0, 0, 0,
  134077. 0, 0, 8,10,10, 0, 0, 0, 0, 0, 0, 8, 9,10, 0, 0,
  134078. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134079. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134080. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134081. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7,10,10, 0, 0, 0,
  134082. 0, 0, 0, 9, 9,11, 0, 0, 0, 0, 0, 0,10,11,11, 0,
  134083. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7,10,10, 0, 0,
  134087. 0, 0, 0, 0, 9,11, 9, 0, 0, 0, 0, 0, 0,10,11,11,
  134088. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134092. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134093. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134122. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 8,10,10, 0, 0,
  134123. 0, 0, 0, 0, 8,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134127. 0, 0, 0, 7,10,10, 0, 0, 0, 0, 0, 0,10,11,11, 0,
  134128. 0, 0, 0, 0, 0, 9, 9,11, 0, 0, 0, 0, 0, 0, 0, 0,
  134129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134132. 0, 0, 0, 0, 7,10,10, 0, 0, 0, 0, 0, 0,10,11,11,
  134133. 0, 0, 0, 0, 0, 0, 9,11, 9, 0, 0, 0, 0, 0, 0, 0,
  134134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134138. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134173. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134174. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134178. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134179. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134183. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134184. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134377. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134378. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134379. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134380. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134381. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134382. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134383. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134384. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134385. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134386. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134387. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134388. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134389. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134390. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134391. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134392. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134393. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134394. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134395. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134396. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134397. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134398. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134399. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134400. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134401. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134402. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134403. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134404. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134405. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134406. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134408. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134409. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134410. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134411. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134412. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134413. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134414. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134415. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134416. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134417. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134418. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134419. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134420. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134423. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134424. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134425. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134426. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134427. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134428. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134429. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134430. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134431. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134432. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134433. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134434. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134435. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134436. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134437. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134438. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134439. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134440. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134441. 0,
  134442. };
  134443. static float _vq_quantthresh__44cn1_s_p1_0[] = {
  134444. -0.5, 0.5,
  134445. };
  134446. static long _vq_quantmap__44cn1_s_p1_0[] = {
  134447. 1, 0, 2,
  134448. };
  134449. static encode_aux_threshmatch _vq_auxt__44cn1_s_p1_0 = {
  134450. _vq_quantthresh__44cn1_s_p1_0,
  134451. _vq_quantmap__44cn1_s_p1_0,
  134452. 3,
  134453. 3
  134454. };
  134455. static static_codebook _44cn1_s_p1_0 = {
  134456. 8, 6561,
  134457. _vq_lengthlist__44cn1_s_p1_0,
  134458. 1, -535822336, 1611661312, 2, 0,
  134459. _vq_quantlist__44cn1_s_p1_0,
  134460. NULL,
  134461. &_vq_auxt__44cn1_s_p1_0,
  134462. NULL,
  134463. 0
  134464. };
  134465. static long _vq_quantlist__44cn1_s_p2_0[] = {
  134466. 2,
  134467. 1,
  134468. 3,
  134469. 0,
  134470. 4,
  134471. };
  134472. static long _vq_lengthlist__44cn1_s_p2_0[] = {
  134473. 1, 4, 4, 7, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134474. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 5, 5, 7, 7, 0, 0,
  134475. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134476. 0, 0, 4, 5, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134477. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 7, 7, 9, 9,
  134478. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134479. 0, 0, 0, 0, 6, 7, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  134480. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134481. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134482. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134483. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134484. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134485. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134486. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134487. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134488. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134489. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134490. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134491. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134492. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134493. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134494. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134495. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134496. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134497. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134498. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134499. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134500. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134501. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134502. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134503. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134504. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134505. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134506. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134507. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134508. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134509. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134510. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134511. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134512. 0,
  134513. };
  134514. static float _vq_quantthresh__44cn1_s_p2_0[] = {
  134515. -1.5, -0.5, 0.5, 1.5,
  134516. };
  134517. static long _vq_quantmap__44cn1_s_p2_0[] = {
  134518. 3, 1, 0, 2, 4,
  134519. };
  134520. static encode_aux_threshmatch _vq_auxt__44cn1_s_p2_0 = {
  134521. _vq_quantthresh__44cn1_s_p2_0,
  134522. _vq_quantmap__44cn1_s_p2_0,
  134523. 5,
  134524. 5
  134525. };
  134526. static static_codebook _44cn1_s_p2_0 = {
  134527. 4, 625,
  134528. _vq_lengthlist__44cn1_s_p2_0,
  134529. 1, -533725184, 1611661312, 3, 0,
  134530. _vq_quantlist__44cn1_s_p2_0,
  134531. NULL,
  134532. &_vq_auxt__44cn1_s_p2_0,
  134533. NULL,
  134534. 0
  134535. };
  134536. static long _vq_quantlist__44cn1_s_p3_0[] = {
  134537. 4,
  134538. 3,
  134539. 5,
  134540. 2,
  134541. 6,
  134542. 1,
  134543. 7,
  134544. 0,
  134545. 8,
  134546. };
  134547. static long _vq_lengthlist__44cn1_s_p3_0[] = {
  134548. 1, 2, 3, 7, 7, 0, 0, 0, 0, 0, 0, 0, 6, 6, 0, 0,
  134549. 0, 0, 0, 0, 0, 6, 6, 0, 0, 0, 0, 0, 0, 0, 7, 7,
  134550. 0, 0, 0, 0, 0, 0, 0, 7, 7, 0, 0, 0, 0, 0, 0, 0,
  134551. 9, 8, 0, 0, 0, 0, 0, 0, 0, 8, 8, 0, 0, 0, 0, 0,
  134552. 0, 0,10,10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  134553. 0,
  134554. };
  134555. static float _vq_quantthresh__44cn1_s_p3_0[] = {
  134556. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  134557. };
  134558. static long _vq_quantmap__44cn1_s_p3_0[] = {
  134559. 7, 5, 3, 1, 0, 2, 4, 6,
  134560. 8,
  134561. };
  134562. static encode_aux_threshmatch _vq_auxt__44cn1_s_p3_0 = {
  134563. _vq_quantthresh__44cn1_s_p3_0,
  134564. _vq_quantmap__44cn1_s_p3_0,
  134565. 9,
  134566. 9
  134567. };
  134568. static static_codebook _44cn1_s_p3_0 = {
  134569. 2, 81,
  134570. _vq_lengthlist__44cn1_s_p3_0,
  134571. 1, -531628032, 1611661312, 4, 0,
  134572. _vq_quantlist__44cn1_s_p3_0,
  134573. NULL,
  134574. &_vq_auxt__44cn1_s_p3_0,
  134575. NULL,
  134576. 0
  134577. };
  134578. static long _vq_quantlist__44cn1_s_p4_0[] = {
  134579. 4,
  134580. 3,
  134581. 5,
  134582. 2,
  134583. 6,
  134584. 1,
  134585. 7,
  134586. 0,
  134587. 8,
  134588. };
  134589. static long _vq_lengthlist__44cn1_s_p4_0[] = {
  134590. 1, 3, 3, 6, 6, 6, 6, 8, 8, 0, 0, 0, 6, 6, 7, 7,
  134591. 9, 9, 0, 0, 0, 6, 6, 7, 7, 9, 9, 0, 0, 0, 7, 7,
  134592. 8, 8,10,10, 0, 0, 0, 7, 7, 8, 8,10,10, 0, 0, 0,
  134593. 9, 9, 9, 9,10,10, 0, 0, 0, 9, 9, 9, 9,10,10, 0,
  134594. 0, 0,10,10,10,10,11,11, 0, 0, 0, 0, 0,10,10,11,
  134595. 11,
  134596. };
  134597. static float _vq_quantthresh__44cn1_s_p4_0[] = {
  134598. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  134599. };
  134600. static long _vq_quantmap__44cn1_s_p4_0[] = {
  134601. 7, 5, 3, 1, 0, 2, 4, 6,
  134602. 8,
  134603. };
  134604. static encode_aux_threshmatch _vq_auxt__44cn1_s_p4_0 = {
  134605. _vq_quantthresh__44cn1_s_p4_0,
  134606. _vq_quantmap__44cn1_s_p4_0,
  134607. 9,
  134608. 9
  134609. };
  134610. static static_codebook _44cn1_s_p4_0 = {
  134611. 2, 81,
  134612. _vq_lengthlist__44cn1_s_p4_0,
  134613. 1, -531628032, 1611661312, 4, 0,
  134614. _vq_quantlist__44cn1_s_p4_0,
  134615. NULL,
  134616. &_vq_auxt__44cn1_s_p4_0,
  134617. NULL,
  134618. 0
  134619. };
  134620. static long _vq_quantlist__44cn1_s_p5_0[] = {
  134621. 8,
  134622. 7,
  134623. 9,
  134624. 6,
  134625. 10,
  134626. 5,
  134627. 11,
  134628. 4,
  134629. 12,
  134630. 3,
  134631. 13,
  134632. 2,
  134633. 14,
  134634. 1,
  134635. 15,
  134636. 0,
  134637. 16,
  134638. };
  134639. static long _vq_lengthlist__44cn1_s_p5_0[] = {
  134640. 1, 4, 3, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,10,
  134641. 10, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,10,
  134642. 11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,10,
  134643. 10,11,11, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  134644. 11,11,11,12, 0, 0, 0, 7, 7, 8, 8, 9, 9, 9, 9,10,
  134645. 10,11,11,11,11, 0, 0, 0, 8, 8, 9, 9, 9, 9,10,10,
  134646. 10,10,11,11,12,12, 0, 0, 0, 8, 8, 9, 9, 9, 9,10,
  134647. 10,10,11,11,11,12,12, 0, 0, 0, 9, 9,10, 9,10,10,
  134648. 10,10,11,11,11,11,12,12, 0, 0, 0, 0, 0, 9, 9,10,
  134649. 10,10,10,11,11,12,12,12,12, 0, 0, 0, 0, 0, 9, 9,
  134650. 10,10,10,11,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9,
  134651. 9,10,10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0,
  134652. 10,10,11,10,11,11,11,12,13,12,13,13, 0, 0, 0, 0,
  134653. 0, 0, 0,11,10,11,11,12,12,12,12,13,13, 0, 0, 0,
  134654. 0, 0, 0, 0,11,11,12,12,12,12,13,13,13,14, 0, 0,
  134655. 0, 0, 0, 0, 0,11,11,12,12,12,12,13,13,13,14, 0,
  134656. 0, 0, 0, 0, 0, 0,12,12,12,13,13,13,13,13,14,14,
  134657. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,13,12,13,13,14,
  134658. 14,
  134659. };
  134660. static float _vq_quantthresh__44cn1_s_p5_0[] = {
  134661. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  134662. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  134663. };
  134664. static long _vq_quantmap__44cn1_s_p5_0[] = {
  134665. 15, 13, 11, 9, 7, 5, 3, 1,
  134666. 0, 2, 4, 6, 8, 10, 12, 14,
  134667. 16,
  134668. };
  134669. static encode_aux_threshmatch _vq_auxt__44cn1_s_p5_0 = {
  134670. _vq_quantthresh__44cn1_s_p5_0,
  134671. _vq_quantmap__44cn1_s_p5_0,
  134672. 17,
  134673. 17
  134674. };
  134675. static static_codebook _44cn1_s_p5_0 = {
  134676. 2, 289,
  134677. _vq_lengthlist__44cn1_s_p5_0,
  134678. 1, -529530880, 1611661312, 5, 0,
  134679. _vq_quantlist__44cn1_s_p5_0,
  134680. NULL,
  134681. &_vq_auxt__44cn1_s_p5_0,
  134682. NULL,
  134683. 0
  134684. };
  134685. static long _vq_quantlist__44cn1_s_p6_0[] = {
  134686. 1,
  134687. 0,
  134688. 2,
  134689. };
  134690. static long _vq_lengthlist__44cn1_s_p6_0[] = {
  134691. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 6, 6,10, 9, 9,11,
  134692. 9, 9, 4, 6, 6,10, 9, 9,10, 9, 9, 7,10,10,11,11,
  134693. 11,12,11,11, 7, 9, 9,11,11,10,11,10,10, 7, 9, 9,
  134694. 11,10,11,11,10,10, 7,10,10,11,11,11,12,11,11, 7,
  134695. 9, 9,11,10,10,11,10,10, 7, 9, 9,11,10,10,11,10,
  134696. 10,
  134697. };
  134698. static float _vq_quantthresh__44cn1_s_p6_0[] = {
  134699. -5.5, 5.5,
  134700. };
  134701. static long _vq_quantmap__44cn1_s_p6_0[] = {
  134702. 1, 0, 2,
  134703. };
  134704. static encode_aux_threshmatch _vq_auxt__44cn1_s_p6_0 = {
  134705. _vq_quantthresh__44cn1_s_p6_0,
  134706. _vq_quantmap__44cn1_s_p6_0,
  134707. 3,
  134708. 3
  134709. };
  134710. static static_codebook _44cn1_s_p6_0 = {
  134711. 4, 81,
  134712. _vq_lengthlist__44cn1_s_p6_0,
  134713. 1, -529137664, 1618345984, 2, 0,
  134714. _vq_quantlist__44cn1_s_p6_0,
  134715. NULL,
  134716. &_vq_auxt__44cn1_s_p6_0,
  134717. NULL,
  134718. 0
  134719. };
  134720. static long _vq_quantlist__44cn1_s_p6_1[] = {
  134721. 5,
  134722. 4,
  134723. 6,
  134724. 3,
  134725. 7,
  134726. 2,
  134727. 8,
  134728. 1,
  134729. 9,
  134730. 0,
  134731. 10,
  134732. };
  134733. static long _vq_lengthlist__44cn1_s_p6_1[] = {
  134734. 1, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8,10,10,10, 7, 6,
  134735. 8, 8, 8, 8, 8, 8,10,10,10, 7, 6, 7, 7, 8, 8, 8,
  134736. 8,10,10,10, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10, 7,
  134737. 7, 8, 8, 8, 8, 8, 8,10,10,10, 8, 8, 8, 8, 9, 9,
  134738. 9, 9,10,10,10, 8, 8, 8, 8, 9, 9, 9, 9,10,10,10,
  134739. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,10,10, 9, 9, 9,
  134740. 9, 9, 9,10,10,10,10,10, 9, 9, 9, 9, 9, 9,10,10,
  134741. 10,10,10, 9, 9, 9, 9, 9, 9,
  134742. };
  134743. static float _vq_quantthresh__44cn1_s_p6_1[] = {
  134744. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  134745. 3.5, 4.5,
  134746. };
  134747. static long _vq_quantmap__44cn1_s_p6_1[] = {
  134748. 9, 7, 5, 3, 1, 0, 2, 4,
  134749. 6, 8, 10,
  134750. };
  134751. static encode_aux_threshmatch _vq_auxt__44cn1_s_p6_1 = {
  134752. _vq_quantthresh__44cn1_s_p6_1,
  134753. _vq_quantmap__44cn1_s_p6_1,
  134754. 11,
  134755. 11
  134756. };
  134757. static static_codebook _44cn1_s_p6_1 = {
  134758. 2, 121,
  134759. _vq_lengthlist__44cn1_s_p6_1,
  134760. 1, -531365888, 1611661312, 4, 0,
  134761. _vq_quantlist__44cn1_s_p6_1,
  134762. NULL,
  134763. &_vq_auxt__44cn1_s_p6_1,
  134764. NULL,
  134765. 0
  134766. };
  134767. static long _vq_quantlist__44cn1_s_p7_0[] = {
  134768. 6,
  134769. 5,
  134770. 7,
  134771. 4,
  134772. 8,
  134773. 3,
  134774. 9,
  134775. 2,
  134776. 10,
  134777. 1,
  134778. 11,
  134779. 0,
  134780. 12,
  134781. };
  134782. static long _vq_lengthlist__44cn1_s_p7_0[] = {
  134783. 1, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10, 6, 5, 5,
  134784. 7, 7, 8, 8, 8, 8, 9, 9,11,11, 7, 5, 5, 7, 7, 8,
  134785. 8, 8, 8, 9,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  134786. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  134787. 11, 0,12,12, 9, 9, 9,10,10,10,11,11,11,12, 0,13,
  134788. 13, 9, 9, 9, 9,10,10,11,11,11,12, 0, 0, 0,10,10,
  134789. 10,10,11,11,12,12,12,13, 0, 0, 0,10,10,10,10,11,
  134790. 11,12,12,13,12, 0, 0, 0,14,14,11,10,11,12,12,13,
  134791. 13,14, 0, 0, 0,15,15,11,11,12,11,12,12,14,13, 0,
  134792. 0, 0, 0, 0,12,12,12,12,13,13,14,14, 0, 0, 0, 0,
  134793. 0,13,13,12,12,13,13,13,14,
  134794. };
  134795. static float _vq_quantthresh__44cn1_s_p7_0[] = {
  134796. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  134797. 12.5, 17.5, 22.5, 27.5,
  134798. };
  134799. static long _vq_quantmap__44cn1_s_p7_0[] = {
  134800. 11, 9, 7, 5, 3, 1, 0, 2,
  134801. 4, 6, 8, 10, 12,
  134802. };
  134803. static encode_aux_threshmatch _vq_auxt__44cn1_s_p7_0 = {
  134804. _vq_quantthresh__44cn1_s_p7_0,
  134805. _vq_quantmap__44cn1_s_p7_0,
  134806. 13,
  134807. 13
  134808. };
  134809. static static_codebook _44cn1_s_p7_0 = {
  134810. 2, 169,
  134811. _vq_lengthlist__44cn1_s_p7_0,
  134812. 1, -526516224, 1616117760, 4, 0,
  134813. _vq_quantlist__44cn1_s_p7_0,
  134814. NULL,
  134815. &_vq_auxt__44cn1_s_p7_0,
  134816. NULL,
  134817. 0
  134818. };
  134819. static long _vq_quantlist__44cn1_s_p7_1[] = {
  134820. 2,
  134821. 1,
  134822. 3,
  134823. 0,
  134824. 4,
  134825. };
  134826. static long _vq_lengthlist__44cn1_s_p7_1[] = {
  134827. 2, 3, 3, 5, 5, 6, 6, 6, 5, 5, 6, 6, 6, 5, 5, 6,
  134828. 6, 6, 5, 5, 6, 6, 6, 5, 5,
  134829. };
  134830. static float _vq_quantthresh__44cn1_s_p7_1[] = {
  134831. -1.5, -0.5, 0.5, 1.5,
  134832. };
  134833. static long _vq_quantmap__44cn1_s_p7_1[] = {
  134834. 3, 1, 0, 2, 4,
  134835. };
  134836. static encode_aux_threshmatch _vq_auxt__44cn1_s_p7_1 = {
  134837. _vq_quantthresh__44cn1_s_p7_1,
  134838. _vq_quantmap__44cn1_s_p7_1,
  134839. 5,
  134840. 5
  134841. };
  134842. static static_codebook _44cn1_s_p7_1 = {
  134843. 2, 25,
  134844. _vq_lengthlist__44cn1_s_p7_1,
  134845. 1, -533725184, 1611661312, 3, 0,
  134846. _vq_quantlist__44cn1_s_p7_1,
  134847. NULL,
  134848. &_vq_auxt__44cn1_s_p7_1,
  134849. NULL,
  134850. 0
  134851. };
  134852. static long _vq_quantlist__44cn1_s_p8_0[] = {
  134853. 2,
  134854. 1,
  134855. 3,
  134856. 0,
  134857. 4,
  134858. };
  134859. static long _vq_lengthlist__44cn1_s_p8_0[] = {
  134860. 1, 7, 7,11,11, 8,11,11,11,11, 4,11, 3,11,11,11,
  134861. 11,11,11,11,11,11,11,11,11,11,11,10,11,11,11,11,
  134862. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134863. 11,11,11,10,11,11,11,11,11,11,11,11,11,11,11,11,
  134864. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134865. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134866. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134867. 11,11,11,11,11,11,11,11,11,11,11,11,11, 7,11,11,
  134868. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134869. 11,11,11,11,11,11,10,11,11,11,11,11,11,11,11,11,
  134870. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,10,
  134871. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134872. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134873. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134874. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134875. 11,11,11,11,11,11,11,11,11,11, 8,11,11,11,11,11,
  134876. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134877. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134878. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134879. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134880. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134881. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134882. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134883. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134884. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134885. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134886. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134887. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134888. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134889. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134890. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134891. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134892. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  134893. 11,11,11,11,11,11,11,12,12,12,12,12,12,12,12,12,
  134894. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  134895. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  134896. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  134897. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  134898. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  134899. 12,
  134900. };
  134901. static float _vq_quantthresh__44cn1_s_p8_0[] = {
  134902. -331.5, -110.5, 110.5, 331.5,
  134903. };
  134904. static long _vq_quantmap__44cn1_s_p8_0[] = {
  134905. 3, 1, 0, 2, 4,
  134906. };
  134907. static encode_aux_threshmatch _vq_auxt__44cn1_s_p8_0 = {
  134908. _vq_quantthresh__44cn1_s_p8_0,
  134909. _vq_quantmap__44cn1_s_p8_0,
  134910. 5,
  134911. 5
  134912. };
  134913. static static_codebook _44cn1_s_p8_0 = {
  134914. 4, 625,
  134915. _vq_lengthlist__44cn1_s_p8_0,
  134916. 1, -518283264, 1627103232, 3, 0,
  134917. _vq_quantlist__44cn1_s_p8_0,
  134918. NULL,
  134919. &_vq_auxt__44cn1_s_p8_0,
  134920. NULL,
  134921. 0
  134922. };
  134923. static long _vq_quantlist__44cn1_s_p8_1[] = {
  134924. 6,
  134925. 5,
  134926. 7,
  134927. 4,
  134928. 8,
  134929. 3,
  134930. 9,
  134931. 2,
  134932. 10,
  134933. 1,
  134934. 11,
  134935. 0,
  134936. 12,
  134937. };
  134938. static long _vq_lengthlist__44cn1_s_p8_1[] = {
  134939. 1, 4, 4, 6, 6, 8, 8, 9,10,10,11,11,11, 6, 5, 5,
  134940. 7, 7, 8, 8, 9,10, 9,11,11,12, 5, 5, 5, 7, 7, 8,
  134941. 9,10,10,12,12,14,13,15, 7, 7, 8, 8, 9,10,11,11,
  134942. 10,12,10,11,15, 7, 8, 8, 8, 9, 9,11,11,13,12,12,
  134943. 13,15,10,10, 8, 8,10,10,12,12,11,14,10,10,15,11,
  134944. 11, 8, 8,10,10,12,13,13,14,15,13,15,15,15,10,10,
  134945. 10,10,12,12,13,12,13,10,15,15,15,10,10,11,10,13,
  134946. 11,13,13,15,13,15,15,15,13,13,10,11,11,11,12,10,
  134947. 14,11,15,15,14,14,13,10,10,12,11,13,13,14,14,15,
  134948. 15,15,15,15,11,11,11,11,12,11,15,12,15,15,15,15,
  134949. 15,12,12,11,11,14,12,13,14,
  134950. };
  134951. static float _vq_quantthresh__44cn1_s_p8_1[] = {
  134952. -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5, 25.5,
  134953. 42.5, 59.5, 76.5, 93.5,
  134954. };
  134955. static long _vq_quantmap__44cn1_s_p8_1[] = {
  134956. 11, 9, 7, 5, 3, 1, 0, 2,
  134957. 4, 6, 8, 10, 12,
  134958. };
  134959. static encode_aux_threshmatch _vq_auxt__44cn1_s_p8_1 = {
  134960. _vq_quantthresh__44cn1_s_p8_1,
  134961. _vq_quantmap__44cn1_s_p8_1,
  134962. 13,
  134963. 13
  134964. };
  134965. static static_codebook _44cn1_s_p8_1 = {
  134966. 2, 169,
  134967. _vq_lengthlist__44cn1_s_p8_1,
  134968. 1, -522616832, 1620115456, 4, 0,
  134969. _vq_quantlist__44cn1_s_p8_1,
  134970. NULL,
  134971. &_vq_auxt__44cn1_s_p8_1,
  134972. NULL,
  134973. 0
  134974. };
  134975. static long _vq_quantlist__44cn1_s_p8_2[] = {
  134976. 8,
  134977. 7,
  134978. 9,
  134979. 6,
  134980. 10,
  134981. 5,
  134982. 11,
  134983. 4,
  134984. 12,
  134985. 3,
  134986. 13,
  134987. 2,
  134988. 14,
  134989. 1,
  134990. 15,
  134991. 0,
  134992. 16,
  134993. };
  134994. static long _vq_lengthlist__44cn1_s_p8_2[] = {
  134995. 3, 4, 3, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9, 9, 9, 9,
  134996. 9,10,11,11, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9, 9, 9,
  134997. 9, 9,10,10,10, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9, 9,
  134998. 9, 9, 9,10,10,10, 7, 7, 7, 8, 8, 8, 9, 9, 9, 9,
  134999. 9, 9,10, 9,10,11,10, 7, 6, 7, 7, 8, 8, 9, 9, 9,
  135000. 9, 9, 9, 9,10,10,10,11, 7, 7, 8, 8, 8, 8, 9, 9,
  135001. 9, 9, 9, 9, 9, 9,10,10,10, 7, 7, 8, 8, 8, 8, 9,
  135002. 9, 9, 9, 9, 9, 9,10,11,11,11, 8, 8, 8, 8, 8, 8,
  135003. 9, 9, 9, 9, 9, 9, 9, 9,11,10,10,11,11, 8, 8, 8,
  135004. 9, 9, 9, 9, 9, 9,10, 9,10,10,10,10,11,11, 9, 9,
  135005. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,11,10,11,11, 9,
  135006. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,10,11,10,11,11,
  135007. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,10,10,11,
  135008. 11,11,11, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,11,11,
  135009. 10,11,11,11, 9,10,10, 9, 9, 9, 9, 9, 9, 9,10,11,
  135010. 11,11,11,11,11, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,
  135011. 11,11,11,11,11,11,10,10, 9, 9, 9, 9, 9, 9, 9, 9,
  135012. 11,11,11,10,11,11,11,11,11, 9, 9, 9,10, 9, 9, 9,
  135013. 9,
  135014. };
  135015. static float _vq_quantthresh__44cn1_s_p8_2[] = {
  135016. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  135017. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  135018. };
  135019. static long _vq_quantmap__44cn1_s_p8_2[] = {
  135020. 15, 13, 11, 9, 7, 5, 3, 1,
  135021. 0, 2, 4, 6, 8, 10, 12, 14,
  135022. 16,
  135023. };
  135024. static encode_aux_threshmatch _vq_auxt__44cn1_s_p8_2 = {
  135025. _vq_quantthresh__44cn1_s_p8_2,
  135026. _vq_quantmap__44cn1_s_p8_2,
  135027. 17,
  135028. 17
  135029. };
  135030. static static_codebook _44cn1_s_p8_2 = {
  135031. 2, 289,
  135032. _vq_lengthlist__44cn1_s_p8_2,
  135033. 1, -529530880, 1611661312, 5, 0,
  135034. _vq_quantlist__44cn1_s_p8_2,
  135035. NULL,
  135036. &_vq_auxt__44cn1_s_p8_2,
  135037. NULL,
  135038. 0
  135039. };
  135040. static long _huff_lengthlist__44cn1_s_short[] = {
  135041. 10, 9,12,15,12,13,16,14,16, 7, 1, 5,14, 7,10,13,
  135042. 16,16, 9, 4, 6,16, 8,11,16,16,16,14, 4, 7,16, 9,
  135043. 12,14,16,16,10, 5, 7,14, 9,12,14,15,15,13, 8, 9,
  135044. 14,10,12,13,14,15,13, 9, 9, 7, 6, 8,11,12,12,14,
  135045. 8, 8, 5, 4, 5, 8,11,12,16,10,10, 6, 5, 6, 8, 9,
  135046. 10,
  135047. };
  135048. static static_codebook _huff_book__44cn1_s_short = {
  135049. 2, 81,
  135050. _huff_lengthlist__44cn1_s_short,
  135051. 0, 0, 0, 0, 0,
  135052. NULL,
  135053. NULL,
  135054. NULL,
  135055. NULL,
  135056. 0
  135057. };
  135058. static long _huff_lengthlist__44cn1_sm_long[] = {
  135059. 3, 3, 8, 8, 8, 8,10,12,14, 3, 2, 6, 7, 7, 8,10,
  135060. 12,16, 7, 6, 7, 9, 8,10,12,14,16, 8, 6, 8, 4, 5,
  135061. 7, 9,11,13, 7, 6, 8, 5, 6, 7, 9,11,14, 8, 8,10,
  135062. 7, 7, 6, 8,10,13, 9,11,12, 9, 9, 7, 8,10,12,10,
  135063. 13,15,11,11,10, 9,10,13,13,16,17,14,15,14,13,14,
  135064. 17,
  135065. };
  135066. static static_codebook _huff_book__44cn1_sm_long = {
  135067. 2, 81,
  135068. _huff_lengthlist__44cn1_sm_long,
  135069. 0, 0, 0, 0, 0,
  135070. NULL,
  135071. NULL,
  135072. NULL,
  135073. NULL,
  135074. 0
  135075. };
  135076. static long _vq_quantlist__44cn1_sm_p1_0[] = {
  135077. 1,
  135078. 0,
  135079. 2,
  135080. };
  135081. static long _vq_lengthlist__44cn1_sm_p1_0[] = {
  135082. 1, 4, 5, 0, 0, 0, 0, 0, 0, 5, 7, 7, 0, 0, 0, 0,
  135083. 0, 0, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135084. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135085. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135086. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135087. 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0, 0,
  135088. 0, 0, 0, 7, 8, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135089. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135090. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135091. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135092. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 7, 9, 8, 0, 0,
  135093. 0, 0, 0, 0, 8, 9, 9, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135094. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135095. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135096. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135097. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135098. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135099. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135100. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135101. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135102. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135103. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135104. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135105. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135106. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135107. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135108. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135109. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135110. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135111. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135112. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135113. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135114. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135115. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135116. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135117. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135118. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135119. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135120. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135121. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135122. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135123. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135124. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135125. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135126. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135127. 0, 0, 0, 0, 0, 0, 0, 0, 0, 5, 8, 8, 0, 0, 0, 0,
  135128. 0, 0, 8,10, 9, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  135129. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135130. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135131. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135132. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7,10, 9, 0, 0, 0,
  135133. 0, 0, 0, 9, 9,10, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  135134. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135135. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135136. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135137. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 9, 9, 0, 0,
  135138. 0, 0, 0, 0, 8,10, 9, 0, 0, 0, 0, 0, 0, 9,10,10,
  135139. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135140. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135141. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135142. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135143. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135144. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135145. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135146. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135147. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135148. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135149. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135150. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135151. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135152. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135153. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135154. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135155. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135156. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135157. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135158. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135159. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135160. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135161. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135162. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135163. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135164. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135165. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135166. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135167. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135168. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135169. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135170. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135171. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135172. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135173. 0, 0, 5, 8, 8, 0, 0, 0, 0, 0, 0, 8, 9, 9, 0, 0,
  135174. 0, 0, 0, 0, 8, 9,10, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135175. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135176. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135177. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135178. 0, 0, 0, 7, 9, 9, 0, 0, 0, 0, 0, 0, 9,10,10, 0,
  135179. 0, 0, 0, 0, 0, 8, 9,10, 0, 0, 0, 0, 0, 0, 0, 0,
  135180. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135181. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135182. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135183. 0, 0, 0, 0, 7, 9,10, 0, 0, 0, 0, 0, 0, 9,10,10,
  135184. 0, 0, 0, 0, 0, 0, 9,10, 9, 0, 0, 0, 0, 0, 0, 0,
  135185. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135186. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135187. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135188. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135189. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135190. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135191. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135192. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135193. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135194. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135195. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135196. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135197. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135198. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135199. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135200. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135201. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135202. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135203. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135204. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135205. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135206. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135207. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135208. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135209. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135210. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135211. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135212. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135213. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135214. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135215. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135216. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135217. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135218. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135219. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135220. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135221. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135222. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135223. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135224. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135225. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135226. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135227. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135228. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135229. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135230. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135231. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135232. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135233. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135234. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135235. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135236. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135237. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135238. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135239. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135240. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135241. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135242. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135243. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135244. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135245. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135246. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135247. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135248. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135249. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135250. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135251. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135252. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135253. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135254. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135255. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135256. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135257. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135258. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135259. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135260. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135261. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135262. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135263. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135264. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135265. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135266. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135267. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135268. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135269. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135270. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135271. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135272. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135273. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135274. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135275. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135276. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135277. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135278. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135279. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135280. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135281. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135282. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135283. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135284. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135285. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135286. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135287. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135288. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135289. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135290. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135291. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135292. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135293. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135294. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135295. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135296. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135297. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135298. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135299. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135300. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135301. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135302. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135303. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135304. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135305. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135306. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135307. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135308. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135309. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135310. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135311. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135312. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135313. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135314. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135315. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135316. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135317. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135318. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135319. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135320. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135321. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135322. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135323. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135324. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135325. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135326. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135327. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135328. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135329. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135330. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135331. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135332. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135333. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135334. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135335. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135336. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135337. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135338. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135339. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135340. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135341. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135342. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135343. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135344. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135345. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135346. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135347. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135348. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135349. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135350. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135351. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135352. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135353. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135354. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135355. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135356. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135357. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135358. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135359. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135360. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135361. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135362. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135363. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135364. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135365. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135366. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135367. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135368. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135369. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135370. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135371. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135372. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135373. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135374. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135375. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135376. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135377. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135378. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135379. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135380. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135381. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135382. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135383. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135384. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135385. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135386. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135387. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135388. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135389. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135390. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135391. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135392. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135393. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135394. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135395. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135396. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135397. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135398. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135399. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135400. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135401. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135402. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135403. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135404. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135405. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135406. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135407. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135408. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135409. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135410. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135411. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135412. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135413. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135414. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135415. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135416. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135417. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135418. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135419. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135420. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135421. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135422. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135423. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135424. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135425. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135426. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135427. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135428. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135429. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135430. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135431. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135432. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135433. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135434. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135435. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135436. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135437. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135438. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135439. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135440. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135441. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135442. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135443. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135444. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135445. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135446. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135447. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135448. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135449. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135450. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135451. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135452. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135453. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135454. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135455. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135456. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135457. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135458. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135459. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135460. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135461. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135462. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135463. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135464. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135465. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135466. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135467. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135468. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135469. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135470. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135471. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135472. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135473. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135474. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135475. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135476. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135477. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135478. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135479. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135480. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135481. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135482. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135483. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135484. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135485. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135486. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135487. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135488. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135489. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135490. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135491. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135492. 0,
  135493. };
  135494. static float _vq_quantthresh__44cn1_sm_p1_0[] = {
  135495. -0.5, 0.5,
  135496. };
  135497. static long _vq_quantmap__44cn1_sm_p1_0[] = {
  135498. 1, 0, 2,
  135499. };
  135500. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p1_0 = {
  135501. _vq_quantthresh__44cn1_sm_p1_0,
  135502. _vq_quantmap__44cn1_sm_p1_0,
  135503. 3,
  135504. 3
  135505. };
  135506. static static_codebook _44cn1_sm_p1_0 = {
  135507. 8, 6561,
  135508. _vq_lengthlist__44cn1_sm_p1_0,
  135509. 1, -535822336, 1611661312, 2, 0,
  135510. _vq_quantlist__44cn1_sm_p1_0,
  135511. NULL,
  135512. &_vq_auxt__44cn1_sm_p1_0,
  135513. NULL,
  135514. 0
  135515. };
  135516. static long _vq_quantlist__44cn1_sm_p2_0[] = {
  135517. 2,
  135518. 1,
  135519. 3,
  135520. 0,
  135521. 4,
  135522. };
  135523. static long _vq_lengthlist__44cn1_sm_p2_0[] = {
  135524. 1, 4, 4, 6, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135525. 0, 0, 0, 0, 0, 0, 0, 0, 0, 4, 5, 5, 7, 7, 0, 0,
  135526. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135527. 0, 0, 4, 5, 5, 7, 7, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135528. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 6, 7, 7, 9, 9,
  135529. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135530. 0, 0, 0, 0, 7, 7, 7, 9, 9, 0, 0, 0, 0, 0, 0, 0,
  135531. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135532. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135533. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135534. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135535. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135536. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135537. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135538. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135539. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135540. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135541. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135542. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135543. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135544. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135545. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135546. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135547. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135548. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135549. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135550. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135551. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135552. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135553. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135554. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135555. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135556. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135557. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135558. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135559. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135560. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135561. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135562. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135563. 0,
  135564. };
  135565. static float _vq_quantthresh__44cn1_sm_p2_0[] = {
  135566. -1.5, -0.5, 0.5, 1.5,
  135567. };
  135568. static long _vq_quantmap__44cn1_sm_p2_0[] = {
  135569. 3, 1, 0, 2, 4,
  135570. };
  135571. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p2_0 = {
  135572. _vq_quantthresh__44cn1_sm_p2_0,
  135573. _vq_quantmap__44cn1_sm_p2_0,
  135574. 5,
  135575. 5
  135576. };
  135577. static static_codebook _44cn1_sm_p2_0 = {
  135578. 4, 625,
  135579. _vq_lengthlist__44cn1_sm_p2_0,
  135580. 1, -533725184, 1611661312, 3, 0,
  135581. _vq_quantlist__44cn1_sm_p2_0,
  135582. NULL,
  135583. &_vq_auxt__44cn1_sm_p2_0,
  135584. NULL,
  135585. 0
  135586. };
  135587. static long _vq_quantlist__44cn1_sm_p3_0[] = {
  135588. 4,
  135589. 3,
  135590. 5,
  135591. 2,
  135592. 6,
  135593. 1,
  135594. 7,
  135595. 0,
  135596. 8,
  135597. };
  135598. static long _vq_lengthlist__44cn1_sm_p3_0[] = {
  135599. 1, 3, 4, 7, 7, 0, 0, 0, 0, 0, 4, 4, 7, 7, 0, 0,
  135600. 0, 0, 0, 4, 5, 7, 7, 0, 0, 0, 0, 0, 6, 7, 8, 8,
  135601. 0, 0, 0, 0, 0, 0, 0, 8, 8, 0, 0, 0, 0, 0, 0, 0,
  135602. 9, 9, 0, 0, 0, 0, 0, 0, 0,10, 9, 0, 0, 0, 0, 0,
  135603. 0, 0,11,11, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
  135604. 0,
  135605. };
  135606. static float _vq_quantthresh__44cn1_sm_p3_0[] = {
  135607. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  135608. };
  135609. static long _vq_quantmap__44cn1_sm_p3_0[] = {
  135610. 7, 5, 3, 1, 0, 2, 4, 6,
  135611. 8,
  135612. };
  135613. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p3_0 = {
  135614. _vq_quantthresh__44cn1_sm_p3_0,
  135615. _vq_quantmap__44cn1_sm_p3_0,
  135616. 9,
  135617. 9
  135618. };
  135619. static static_codebook _44cn1_sm_p3_0 = {
  135620. 2, 81,
  135621. _vq_lengthlist__44cn1_sm_p3_0,
  135622. 1, -531628032, 1611661312, 4, 0,
  135623. _vq_quantlist__44cn1_sm_p3_0,
  135624. NULL,
  135625. &_vq_auxt__44cn1_sm_p3_0,
  135626. NULL,
  135627. 0
  135628. };
  135629. static long _vq_quantlist__44cn1_sm_p4_0[] = {
  135630. 4,
  135631. 3,
  135632. 5,
  135633. 2,
  135634. 6,
  135635. 1,
  135636. 7,
  135637. 0,
  135638. 8,
  135639. };
  135640. static long _vq_lengthlist__44cn1_sm_p4_0[] = {
  135641. 1, 4, 3, 6, 6, 7, 7, 9, 9, 0, 5, 5, 7, 7, 8, 7,
  135642. 9, 9, 0, 5, 5, 7, 7, 8, 8, 9, 9, 0, 7, 7, 8, 8,
  135643. 8, 8,10,10, 0, 0, 0, 8, 8, 8, 8,10,10, 0, 0, 0,
  135644. 9, 9, 9, 9,10,10, 0, 0, 0, 9, 9, 9, 9,10,10, 0,
  135645. 0, 0,10,10,10,10,11,11, 0, 0, 0, 0, 0,10,10,11,
  135646. 11,
  135647. };
  135648. static float _vq_quantthresh__44cn1_sm_p4_0[] = {
  135649. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  135650. };
  135651. static long _vq_quantmap__44cn1_sm_p4_0[] = {
  135652. 7, 5, 3, 1, 0, 2, 4, 6,
  135653. 8,
  135654. };
  135655. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p4_0 = {
  135656. _vq_quantthresh__44cn1_sm_p4_0,
  135657. _vq_quantmap__44cn1_sm_p4_0,
  135658. 9,
  135659. 9
  135660. };
  135661. static static_codebook _44cn1_sm_p4_0 = {
  135662. 2, 81,
  135663. _vq_lengthlist__44cn1_sm_p4_0,
  135664. 1, -531628032, 1611661312, 4, 0,
  135665. _vq_quantlist__44cn1_sm_p4_0,
  135666. NULL,
  135667. &_vq_auxt__44cn1_sm_p4_0,
  135668. NULL,
  135669. 0
  135670. };
  135671. static long _vq_quantlist__44cn1_sm_p5_0[] = {
  135672. 8,
  135673. 7,
  135674. 9,
  135675. 6,
  135676. 10,
  135677. 5,
  135678. 11,
  135679. 4,
  135680. 12,
  135681. 3,
  135682. 13,
  135683. 2,
  135684. 14,
  135685. 1,
  135686. 15,
  135687. 0,
  135688. 16,
  135689. };
  135690. static long _vq_lengthlist__44cn1_sm_p5_0[] = {
  135691. 1, 4, 4, 6, 6, 8, 8, 9, 9, 8, 8, 9, 9,10,10,11,
  135692. 11, 0, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,11,
  135693. 12,12, 0, 6, 5, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,
  135694. 11,12,12, 0, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  135695. 11,11,12,12, 0, 0, 0, 7, 7, 8, 8, 9, 9,10,10,11,
  135696. 11,11,11,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,10,
  135697. 11,11,12,12,12,12, 0, 0, 0, 8, 8, 9, 9,10,10,10,
  135698. 10,11,11,12,12,12,12, 0, 0, 0, 9, 9, 9, 9,10,10,
  135699. 10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,10,
  135700. 10,10,10,11,11,12,12,13,13, 0, 0, 0, 0, 0, 9, 9,
  135701. 10,10,11,11,12,12,13,13,13,13, 0, 0, 0, 0, 0, 9,
  135702. 9,10,10,11,11,12,12,12,13,13,13, 0, 0, 0, 0, 0,
  135703. 10,10,11,11,11,11,12,12,13,13,14,14, 0, 0, 0, 0,
  135704. 0, 0, 0,11,11,11,11,12,12,13,13,14,14, 0, 0, 0,
  135705. 0, 0, 0, 0,11,11,12,12,13,13,13,13,14,14, 0, 0,
  135706. 0, 0, 0, 0, 0,11,11,12,12,13,13,13,13,14,14, 0,
  135707. 0, 0, 0, 0, 0, 0,12,12,12,13,13,13,14,14,14,14,
  135708. 0, 0, 0, 0, 0, 0, 0, 0, 0,12,12,13,13,14,14,14,
  135709. 14,
  135710. };
  135711. static float _vq_quantthresh__44cn1_sm_p5_0[] = {
  135712. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  135713. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  135714. };
  135715. static long _vq_quantmap__44cn1_sm_p5_0[] = {
  135716. 15, 13, 11, 9, 7, 5, 3, 1,
  135717. 0, 2, 4, 6, 8, 10, 12, 14,
  135718. 16,
  135719. };
  135720. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p5_0 = {
  135721. _vq_quantthresh__44cn1_sm_p5_0,
  135722. _vq_quantmap__44cn1_sm_p5_0,
  135723. 17,
  135724. 17
  135725. };
  135726. static static_codebook _44cn1_sm_p5_0 = {
  135727. 2, 289,
  135728. _vq_lengthlist__44cn1_sm_p5_0,
  135729. 1, -529530880, 1611661312, 5, 0,
  135730. _vq_quantlist__44cn1_sm_p5_0,
  135731. NULL,
  135732. &_vq_auxt__44cn1_sm_p5_0,
  135733. NULL,
  135734. 0
  135735. };
  135736. static long _vq_quantlist__44cn1_sm_p6_0[] = {
  135737. 1,
  135738. 0,
  135739. 2,
  135740. };
  135741. static long _vq_lengthlist__44cn1_sm_p6_0[] = {
  135742. 1, 4, 4, 7, 6, 6, 7, 6, 6, 4, 7, 6,10, 9, 9,11,
  135743. 9, 9, 4, 6, 7,10, 9, 9,11, 9, 9, 7,10,10,10,11,
  135744. 11,11,11,10, 6, 9, 9,11,10,10,11,10,10, 6, 9, 9,
  135745. 11,10,11,11,10,10, 7,11,11,11,11,11,12,11,11, 7,
  135746. 9, 9,11,10,10,12,10,10, 7, 9, 9,11,10,10,11,10,
  135747. 10,
  135748. };
  135749. static float _vq_quantthresh__44cn1_sm_p6_0[] = {
  135750. -5.5, 5.5,
  135751. };
  135752. static long _vq_quantmap__44cn1_sm_p6_0[] = {
  135753. 1, 0, 2,
  135754. };
  135755. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p6_0 = {
  135756. _vq_quantthresh__44cn1_sm_p6_0,
  135757. _vq_quantmap__44cn1_sm_p6_0,
  135758. 3,
  135759. 3
  135760. };
  135761. static static_codebook _44cn1_sm_p6_0 = {
  135762. 4, 81,
  135763. _vq_lengthlist__44cn1_sm_p6_0,
  135764. 1, -529137664, 1618345984, 2, 0,
  135765. _vq_quantlist__44cn1_sm_p6_0,
  135766. NULL,
  135767. &_vq_auxt__44cn1_sm_p6_0,
  135768. NULL,
  135769. 0
  135770. };
  135771. static long _vq_quantlist__44cn1_sm_p6_1[] = {
  135772. 5,
  135773. 4,
  135774. 6,
  135775. 3,
  135776. 7,
  135777. 2,
  135778. 8,
  135779. 1,
  135780. 9,
  135781. 0,
  135782. 10,
  135783. };
  135784. static long _vq_lengthlist__44cn1_sm_p6_1[] = {
  135785. 2, 4, 4, 5, 5, 7, 7, 7, 7, 8, 8,10, 5, 5, 6, 6,
  135786. 7, 7, 8, 8, 8, 8,10, 5, 5, 6, 6, 7, 7, 8, 8, 8,
  135787. 8,10, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8,10,10,10, 7,
  135788. 7, 7, 7, 8, 8, 8, 8,10,10,10, 8, 8, 8, 8, 8, 8,
  135789. 8, 8,10,10,10, 8, 8, 8, 8, 8, 8, 8, 8,10,10,10,
  135790. 8, 8, 8, 8, 8, 8, 9, 9,10,10,10,10,10, 8, 8, 8,
  135791. 8, 9, 9,10,10,10,10,10, 9, 9, 9, 9, 8, 9,10,10,
  135792. 10,10,10, 8, 9, 8, 8, 9, 8,
  135793. };
  135794. static float _vq_quantthresh__44cn1_sm_p6_1[] = {
  135795. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  135796. 3.5, 4.5,
  135797. };
  135798. static long _vq_quantmap__44cn1_sm_p6_1[] = {
  135799. 9, 7, 5, 3, 1, 0, 2, 4,
  135800. 6, 8, 10,
  135801. };
  135802. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p6_1 = {
  135803. _vq_quantthresh__44cn1_sm_p6_1,
  135804. _vq_quantmap__44cn1_sm_p6_1,
  135805. 11,
  135806. 11
  135807. };
  135808. static static_codebook _44cn1_sm_p6_1 = {
  135809. 2, 121,
  135810. _vq_lengthlist__44cn1_sm_p6_1,
  135811. 1, -531365888, 1611661312, 4, 0,
  135812. _vq_quantlist__44cn1_sm_p6_1,
  135813. NULL,
  135814. &_vq_auxt__44cn1_sm_p6_1,
  135815. NULL,
  135816. 0
  135817. };
  135818. static long _vq_quantlist__44cn1_sm_p7_0[] = {
  135819. 6,
  135820. 5,
  135821. 7,
  135822. 4,
  135823. 8,
  135824. 3,
  135825. 9,
  135826. 2,
  135827. 10,
  135828. 1,
  135829. 11,
  135830. 0,
  135831. 12,
  135832. };
  135833. static long _vq_lengthlist__44cn1_sm_p7_0[] = {
  135834. 1, 4, 4, 6, 6, 7, 7, 7, 7, 9, 9,10,10, 7, 5, 5,
  135835. 7, 7, 8, 8, 8, 8,10, 9,11,10, 7, 5, 5, 7, 7, 8,
  135836. 8, 8, 8, 9,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,
  135837. 10,10,11,11, 0, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,
  135838. 11, 0,12,12, 9, 9, 9,10,10,10,11,11,12,12, 0,13,
  135839. 13, 9, 9, 9, 9,10,10,11,11,12,12, 0, 0, 0,10,10,
  135840. 10,10,11,11,12,12,12,13, 0, 0, 0,10,10,10,10,11,
  135841. 11,12,12,12,12, 0, 0, 0,14,14,11,11,11,11,12,13,
  135842. 13,13, 0, 0, 0,14,14,11,10,11,11,12,12,13,13, 0,
  135843. 0, 0, 0, 0,12,12,12,12,13,13,13,14, 0, 0, 0, 0,
  135844. 0,13,12,12,12,13,13,13,14,
  135845. };
  135846. static float _vq_quantthresh__44cn1_sm_p7_0[] = {
  135847. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  135848. 12.5, 17.5, 22.5, 27.5,
  135849. };
  135850. static long _vq_quantmap__44cn1_sm_p7_0[] = {
  135851. 11, 9, 7, 5, 3, 1, 0, 2,
  135852. 4, 6, 8, 10, 12,
  135853. };
  135854. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p7_0 = {
  135855. _vq_quantthresh__44cn1_sm_p7_0,
  135856. _vq_quantmap__44cn1_sm_p7_0,
  135857. 13,
  135858. 13
  135859. };
  135860. static static_codebook _44cn1_sm_p7_0 = {
  135861. 2, 169,
  135862. _vq_lengthlist__44cn1_sm_p7_0,
  135863. 1, -526516224, 1616117760, 4, 0,
  135864. _vq_quantlist__44cn1_sm_p7_0,
  135865. NULL,
  135866. &_vq_auxt__44cn1_sm_p7_0,
  135867. NULL,
  135868. 0
  135869. };
  135870. static long _vq_quantlist__44cn1_sm_p7_1[] = {
  135871. 2,
  135872. 1,
  135873. 3,
  135874. 0,
  135875. 4,
  135876. };
  135877. static long _vq_lengthlist__44cn1_sm_p7_1[] = {
  135878. 2, 4, 4, 4, 5, 6, 5, 5, 5, 5, 6, 5, 5, 5, 5, 6,
  135879. 5, 5, 5, 5, 6, 6, 6, 5, 5,
  135880. };
  135881. static float _vq_quantthresh__44cn1_sm_p7_1[] = {
  135882. -1.5, -0.5, 0.5, 1.5,
  135883. };
  135884. static long _vq_quantmap__44cn1_sm_p7_1[] = {
  135885. 3, 1, 0, 2, 4,
  135886. };
  135887. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p7_1 = {
  135888. _vq_quantthresh__44cn1_sm_p7_1,
  135889. _vq_quantmap__44cn1_sm_p7_1,
  135890. 5,
  135891. 5
  135892. };
  135893. static static_codebook _44cn1_sm_p7_1 = {
  135894. 2, 25,
  135895. _vq_lengthlist__44cn1_sm_p7_1,
  135896. 1, -533725184, 1611661312, 3, 0,
  135897. _vq_quantlist__44cn1_sm_p7_1,
  135898. NULL,
  135899. &_vq_auxt__44cn1_sm_p7_1,
  135900. NULL,
  135901. 0
  135902. };
  135903. static long _vq_quantlist__44cn1_sm_p8_0[] = {
  135904. 4,
  135905. 3,
  135906. 5,
  135907. 2,
  135908. 6,
  135909. 1,
  135910. 7,
  135911. 0,
  135912. 8,
  135913. };
  135914. static long _vq_lengthlist__44cn1_sm_p8_0[] = {
  135915. 1, 4, 4,12,11,13,13,14,14, 4, 7, 7,11,13,14,14,
  135916. 14,14, 3, 8, 3,14,14,14,14,14,14,14,10,12,14,14,
  135917. 14,14,14,14,14,14, 5,14, 8,14,14,14,14,14,12,14,
  135918. 13,14,14,14,14,14,14,14,13,14,10,14,14,14,14,14,
  135919. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  135920. 14,
  135921. };
  135922. static float _vq_quantthresh__44cn1_sm_p8_0[] = {
  135923. -773.5, -552.5, -331.5, -110.5, 110.5, 331.5, 552.5, 773.5,
  135924. };
  135925. static long _vq_quantmap__44cn1_sm_p8_0[] = {
  135926. 7, 5, 3, 1, 0, 2, 4, 6,
  135927. 8,
  135928. };
  135929. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p8_0 = {
  135930. _vq_quantthresh__44cn1_sm_p8_0,
  135931. _vq_quantmap__44cn1_sm_p8_0,
  135932. 9,
  135933. 9
  135934. };
  135935. static static_codebook _44cn1_sm_p8_0 = {
  135936. 2, 81,
  135937. _vq_lengthlist__44cn1_sm_p8_0,
  135938. 1, -516186112, 1627103232, 4, 0,
  135939. _vq_quantlist__44cn1_sm_p8_0,
  135940. NULL,
  135941. &_vq_auxt__44cn1_sm_p8_0,
  135942. NULL,
  135943. 0
  135944. };
  135945. static long _vq_quantlist__44cn1_sm_p8_1[] = {
  135946. 6,
  135947. 5,
  135948. 7,
  135949. 4,
  135950. 8,
  135951. 3,
  135952. 9,
  135953. 2,
  135954. 10,
  135955. 1,
  135956. 11,
  135957. 0,
  135958. 12,
  135959. };
  135960. static long _vq_lengthlist__44cn1_sm_p8_1[] = {
  135961. 1, 4, 4, 6, 6, 8, 8, 9, 9,10,11,11,11, 6, 5, 5,
  135962. 7, 7, 8, 8,10,10,10,11,11,11, 6, 5, 5, 7, 7, 8,
  135963. 8,10,10,11,12,12,12,14, 7, 7, 7, 8, 9, 9,11,11,
  135964. 11,12,11,12,17, 7, 7, 8, 7, 9, 9,11,11,12,12,12,
  135965. 12,14,11,11, 8, 8,10,10,11,12,12,13,11,12,14,11,
  135966. 11, 8, 8,10,10,11,12,12,13,13,12,14,15,14,10,10,
  135967. 10,10,11,12,12,12,12,11,14,13,16,10,10,10, 9,12,
  135968. 11,12,12,13,14,14,15,14,14,13,10,10,11,11,12,11,
  135969. 13,11,14,12,15,13,14,11,10,12,10,12,12,13,13,13,
  135970. 13,14,15,15,12,12,11,11,12,11,13,12,14,14,14,14,
  135971. 17,12,12,11,10,13,11,13,13,
  135972. };
  135973. static float _vq_quantthresh__44cn1_sm_p8_1[] = {
  135974. -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5, 25.5,
  135975. 42.5, 59.5, 76.5, 93.5,
  135976. };
  135977. static long _vq_quantmap__44cn1_sm_p8_1[] = {
  135978. 11, 9, 7, 5, 3, 1, 0, 2,
  135979. 4, 6, 8, 10, 12,
  135980. };
  135981. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p8_1 = {
  135982. _vq_quantthresh__44cn1_sm_p8_1,
  135983. _vq_quantmap__44cn1_sm_p8_1,
  135984. 13,
  135985. 13
  135986. };
  135987. static static_codebook _44cn1_sm_p8_1 = {
  135988. 2, 169,
  135989. _vq_lengthlist__44cn1_sm_p8_1,
  135990. 1, -522616832, 1620115456, 4, 0,
  135991. _vq_quantlist__44cn1_sm_p8_1,
  135992. NULL,
  135993. &_vq_auxt__44cn1_sm_p8_1,
  135994. NULL,
  135995. 0
  135996. };
  135997. static long _vq_quantlist__44cn1_sm_p8_2[] = {
  135998. 8,
  135999. 7,
  136000. 9,
  136001. 6,
  136002. 10,
  136003. 5,
  136004. 11,
  136005. 4,
  136006. 12,
  136007. 3,
  136008. 13,
  136009. 2,
  136010. 14,
  136011. 1,
  136012. 15,
  136013. 0,
  136014. 16,
  136015. };
  136016. static long _vq_lengthlist__44cn1_sm_p8_2[] = {
  136017. 3, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  136018. 9,10, 6, 6, 6, 6, 7, 7, 8, 8, 8, 9, 9, 9, 9, 9,
  136019. 9, 9,10, 6, 6, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9,
  136020. 9, 9, 9,10, 7, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9,
  136021. 9, 9, 9, 9,10,10,10, 7, 7, 7, 8, 8, 8, 9, 9, 9,
  136022. 9, 9, 9, 9, 9,10,10,10, 8, 8, 8, 8, 8, 8, 9, 9,
  136023. 9, 9, 9, 9, 9, 9,10,10,10, 8, 8, 8, 8, 8, 8, 9,
  136024. 9, 9, 9, 9, 9, 9, 9,11,10,11, 8, 8, 8, 8, 8, 8,
  136025. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,11,11, 8, 8, 8,
  136026. 8, 9, 9, 9, 9, 9, 9, 9, 9,11,10,11,11,11, 9, 9,
  136027. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,11,10,11,11, 9,
  136028. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,11,11,10,11,11,
  136029. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,10,11,11,
  136030. 11,11,11, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,11,11,
  136031. 11,11,11,11, 9,10,10,10, 9, 9, 9, 9, 9, 9,11,10,
  136032. 11,11,11,11,11, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,11,
  136033. 11,11,11,11,11,11,10,10, 9, 9, 9, 9, 9, 9, 9, 9,
  136034. 10,11,11,11,11,11,11,11,11, 9, 9, 9, 9, 9, 9, 9,
  136035. 9,
  136036. };
  136037. static float _vq_quantthresh__44cn1_sm_p8_2[] = {
  136038. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  136039. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  136040. };
  136041. static long _vq_quantmap__44cn1_sm_p8_2[] = {
  136042. 15, 13, 11, 9, 7, 5, 3, 1,
  136043. 0, 2, 4, 6, 8, 10, 12, 14,
  136044. 16,
  136045. };
  136046. static encode_aux_threshmatch _vq_auxt__44cn1_sm_p8_2 = {
  136047. _vq_quantthresh__44cn1_sm_p8_2,
  136048. _vq_quantmap__44cn1_sm_p8_2,
  136049. 17,
  136050. 17
  136051. };
  136052. static static_codebook _44cn1_sm_p8_2 = {
  136053. 2, 289,
  136054. _vq_lengthlist__44cn1_sm_p8_2,
  136055. 1, -529530880, 1611661312, 5, 0,
  136056. _vq_quantlist__44cn1_sm_p8_2,
  136057. NULL,
  136058. &_vq_auxt__44cn1_sm_p8_2,
  136059. NULL,
  136060. 0
  136061. };
  136062. static long _huff_lengthlist__44cn1_sm_short[] = {
  136063. 5, 6,12,14,12,14,16,17,18, 4, 2, 5,11, 7,10,12,
  136064. 14,15, 9, 4, 5,11, 7,10,13,15,18,15, 6, 7, 5, 6,
  136065. 8,11,13,16,11, 5, 6, 5, 5, 6, 9,13,15,12, 5, 7,
  136066. 6, 5, 6, 9,12,14,12, 6, 7, 8, 6, 7, 9,12,13,14,
  136067. 8, 8, 7, 5, 5, 8,10,12,16, 9, 9, 8, 6, 6, 7, 9,
  136068. 9,
  136069. };
  136070. static static_codebook _huff_book__44cn1_sm_short = {
  136071. 2, 81,
  136072. _huff_lengthlist__44cn1_sm_short,
  136073. 0, 0, 0, 0, 0,
  136074. NULL,
  136075. NULL,
  136076. NULL,
  136077. NULL,
  136078. 0
  136079. };
  136080. /********* End of inlined file: res_books_stereo.h *********/
  136081. /***** residue backends *********************************************/
  136082. static vorbis_info_residue0 _residue_44_low={
  136083. 0,-1, -1, 9,-1,
  136084. /* 0 1 2 3 4 5 6 7 */
  136085. {0},
  136086. {-1},
  136087. { .5, 1.5, 2.5, 2.5, 4.5, 8.5, 16.5, 32.5},
  136088. { .5, .5, .5, 999., 4.5, 8.5, 16.5, 32.5},
  136089. };
  136090. static vorbis_info_residue0 _residue_44_mid={
  136091. 0,-1, -1, 10,-1,
  136092. /* 0 1 2 3 4 5 6 7 8 */
  136093. {0},
  136094. {-1},
  136095. { .5, 1.5, 1.5, 2.5, 2.5, 4.5, 8.5, 16.5, 32.5},
  136096. { .5, .5, 999., .5, 999., 4.5, 8.5, 16.5, 32.5},
  136097. };
  136098. static vorbis_info_residue0 _residue_44_high={
  136099. 0,-1, -1, 10,-1,
  136100. /* 0 1 2 3 4 5 6 7 8 */
  136101. {0},
  136102. {-1},
  136103. { .5, 1.5, 2.5, 4.5, 8.5, 16.5, 32.5, 71.5,157.5},
  136104. { .5, 1.5, 2.5, 3.5, 4.5, 8.5, 16.5, 71.5,157.5},
  136105. };
  136106. static static_bookblock _resbook_44s_n1={
  136107. {
  136108. {0},{0,0,&_44cn1_s_p1_0},{0,0,&_44cn1_s_p2_0},
  136109. {0,0,&_44cn1_s_p3_0},{0,0,&_44cn1_s_p4_0},{0,0,&_44cn1_s_p5_0},
  136110. {&_44cn1_s_p6_0,&_44cn1_s_p6_1},{&_44cn1_s_p7_0,&_44cn1_s_p7_1},
  136111. {&_44cn1_s_p8_0,&_44cn1_s_p8_1,&_44cn1_s_p8_2}
  136112. }
  136113. };
  136114. static static_bookblock _resbook_44sm_n1={
  136115. {
  136116. {0},{0,0,&_44cn1_sm_p1_0},{0,0,&_44cn1_sm_p2_0},
  136117. {0,0,&_44cn1_sm_p3_0},{0,0,&_44cn1_sm_p4_0},{0,0,&_44cn1_sm_p5_0},
  136118. {&_44cn1_sm_p6_0,&_44cn1_sm_p6_1},{&_44cn1_sm_p7_0,&_44cn1_sm_p7_1},
  136119. {&_44cn1_sm_p8_0,&_44cn1_sm_p8_1,&_44cn1_sm_p8_2}
  136120. }
  136121. };
  136122. static static_bookblock _resbook_44s_0={
  136123. {
  136124. {0},{0,0,&_44c0_s_p1_0},{0,0,&_44c0_s_p2_0},
  136125. {0,0,&_44c0_s_p3_0},{0,0,&_44c0_s_p4_0},{0,0,&_44c0_s_p5_0},
  136126. {&_44c0_s_p6_0,&_44c0_s_p6_1},{&_44c0_s_p7_0,&_44c0_s_p7_1},
  136127. {&_44c0_s_p8_0,&_44c0_s_p8_1,&_44c0_s_p8_2}
  136128. }
  136129. };
  136130. static static_bookblock _resbook_44sm_0={
  136131. {
  136132. {0},{0,0,&_44c0_sm_p1_0},{0,0,&_44c0_sm_p2_0},
  136133. {0,0,&_44c0_sm_p3_0},{0,0,&_44c0_sm_p4_0},{0,0,&_44c0_sm_p5_0},
  136134. {&_44c0_sm_p6_0,&_44c0_sm_p6_1},{&_44c0_sm_p7_0,&_44c0_sm_p7_1},
  136135. {&_44c0_sm_p8_0,&_44c0_sm_p8_1,&_44c0_sm_p8_2}
  136136. }
  136137. };
  136138. static static_bookblock _resbook_44s_1={
  136139. {
  136140. {0},{0,0,&_44c1_s_p1_0},{0,0,&_44c1_s_p2_0},
  136141. {0,0,&_44c1_s_p3_0},{0,0,&_44c1_s_p4_0},{0,0,&_44c1_s_p5_0},
  136142. {&_44c1_s_p6_0,&_44c1_s_p6_1},{&_44c1_s_p7_0,&_44c1_s_p7_1},
  136143. {&_44c1_s_p8_0,&_44c1_s_p8_1,&_44c1_s_p8_2}
  136144. }
  136145. };
  136146. static static_bookblock _resbook_44sm_1={
  136147. {
  136148. {0},{0,0,&_44c1_sm_p1_0},{0,0,&_44c1_sm_p2_0},
  136149. {0,0,&_44c1_sm_p3_0},{0,0,&_44c1_sm_p4_0},{0,0,&_44c1_sm_p5_0},
  136150. {&_44c1_sm_p6_0,&_44c1_sm_p6_1},{&_44c1_sm_p7_0,&_44c1_sm_p7_1},
  136151. {&_44c1_sm_p8_0,&_44c1_sm_p8_1,&_44c1_sm_p8_2}
  136152. }
  136153. };
  136154. static static_bookblock _resbook_44s_2={
  136155. {
  136156. {0},{0,0,&_44c2_s_p1_0},{0,0,&_44c2_s_p2_0},{0,0,&_44c2_s_p3_0},
  136157. {0,0,&_44c2_s_p4_0},{0,0,&_44c2_s_p5_0},{0,0,&_44c2_s_p6_0},
  136158. {&_44c2_s_p7_0,&_44c2_s_p7_1},{&_44c2_s_p8_0,&_44c2_s_p8_1},
  136159. {&_44c2_s_p9_0,&_44c2_s_p9_1,&_44c2_s_p9_2}
  136160. }
  136161. };
  136162. static static_bookblock _resbook_44s_3={
  136163. {
  136164. {0},{0,0,&_44c3_s_p1_0},{0,0,&_44c3_s_p2_0},{0,0,&_44c3_s_p3_0},
  136165. {0,0,&_44c3_s_p4_0},{0,0,&_44c3_s_p5_0},{0,0,&_44c3_s_p6_0},
  136166. {&_44c3_s_p7_0,&_44c3_s_p7_1},{&_44c3_s_p8_0,&_44c3_s_p8_1},
  136167. {&_44c3_s_p9_0,&_44c3_s_p9_1,&_44c3_s_p9_2}
  136168. }
  136169. };
  136170. static static_bookblock _resbook_44s_4={
  136171. {
  136172. {0},{0,0,&_44c4_s_p1_0},{0,0,&_44c4_s_p2_0},{0,0,&_44c4_s_p3_0},
  136173. {0,0,&_44c4_s_p4_0},{0,0,&_44c4_s_p5_0},{0,0,&_44c4_s_p6_0},
  136174. {&_44c4_s_p7_0,&_44c4_s_p7_1},{&_44c4_s_p8_0,&_44c4_s_p8_1},
  136175. {&_44c4_s_p9_0,&_44c4_s_p9_1,&_44c4_s_p9_2}
  136176. }
  136177. };
  136178. static static_bookblock _resbook_44s_5={
  136179. {
  136180. {0},{0,0,&_44c5_s_p1_0},{0,0,&_44c5_s_p2_0},{0,0,&_44c5_s_p3_0},
  136181. {0,0,&_44c5_s_p4_0},{0,0,&_44c5_s_p5_0},{0,0,&_44c5_s_p6_0},
  136182. {&_44c5_s_p7_0,&_44c5_s_p7_1},{&_44c5_s_p8_0,&_44c5_s_p8_1},
  136183. {&_44c5_s_p9_0,&_44c5_s_p9_1,&_44c5_s_p9_2}
  136184. }
  136185. };
  136186. static static_bookblock _resbook_44s_6={
  136187. {
  136188. {0},{0,0,&_44c6_s_p1_0},{0,0,&_44c6_s_p2_0},{0,0,&_44c6_s_p3_0},
  136189. {0,0,&_44c6_s_p4_0},
  136190. {&_44c6_s_p5_0,&_44c6_s_p5_1},
  136191. {&_44c6_s_p6_0,&_44c6_s_p6_1},
  136192. {&_44c6_s_p7_0,&_44c6_s_p7_1},
  136193. {&_44c6_s_p8_0,&_44c6_s_p8_1},
  136194. {&_44c6_s_p9_0,&_44c6_s_p9_1,&_44c6_s_p9_2}
  136195. }
  136196. };
  136197. static static_bookblock _resbook_44s_7={
  136198. {
  136199. {0},{0,0,&_44c7_s_p1_0},{0,0,&_44c7_s_p2_0},{0,0,&_44c7_s_p3_0},
  136200. {0,0,&_44c7_s_p4_0},
  136201. {&_44c7_s_p5_0,&_44c7_s_p5_1},
  136202. {&_44c7_s_p6_0,&_44c7_s_p6_1},
  136203. {&_44c7_s_p7_0,&_44c7_s_p7_1},
  136204. {&_44c7_s_p8_0,&_44c7_s_p8_1},
  136205. {&_44c7_s_p9_0,&_44c7_s_p9_1,&_44c7_s_p9_2}
  136206. }
  136207. };
  136208. static static_bookblock _resbook_44s_8={
  136209. {
  136210. {0},{0,0,&_44c8_s_p1_0},{0,0,&_44c8_s_p2_0},{0,0,&_44c8_s_p3_0},
  136211. {0,0,&_44c8_s_p4_0},
  136212. {&_44c8_s_p5_0,&_44c8_s_p5_1},
  136213. {&_44c8_s_p6_0,&_44c8_s_p6_1},
  136214. {&_44c8_s_p7_0,&_44c8_s_p7_1},
  136215. {&_44c8_s_p8_0,&_44c8_s_p8_1},
  136216. {&_44c8_s_p9_0,&_44c8_s_p9_1,&_44c8_s_p9_2}
  136217. }
  136218. };
  136219. static static_bookblock _resbook_44s_9={
  136220. {
  136221. {0},{0,0,&_44c9_s_p1_0},{0,0,&_44c9_s_p2_0},{0,0,&_44c9_s_p3_0},
  136222. {0,0,&_44c9_s_p4_0},
  136223. {&_44c9_s_p5_0,&_44c9_s_p5_1},
  136224. {&_44c9_s_p6_0,&_44c9_s_p6_1},
  136225. {&_44c9_s_p7_0,&_44c9_s_p7_1},
  136226. {&_44c9_s_p8_0,&_44c9_s_p8_1},
  136227. {&_44c9_s_p9_0,&_44c9_s_p9_1,&_44c9_s_p9_2}
  136228. }
  136229. };
  136230. static vorbis_residue_template _res_44s_n1[]={
  136231. {2,0, &_residue_44_low,
  136232. &_huff_book__44cn1_s_short,&_huff_book__44cn1_sm_short,
  136233. &_resbook_44s_n1,&_resbook_44sm_n1},
  136234. {2,0, &_residue_44_low,
  136235. &_huff_book__44cn1_s_long,&_huff_book__44cn1_sm_long,
  136236. &_resbook_44s_n1,&_resbook_44sm_n1}
  136237. };
  136238. static vorbis_residue_template _res_44s_0[]={
  136239. {2,0, &_residue_44_low,
  136240. &_huff_book__44c0_s_short,&_huff_book__44c0_sm_short,
  136241. &_resbook_44s_0,&_resbook_44sm_0},
  136242. {2,0, &_residue_44_low,
  136243. &_huff_book__44c0_s_long,&_huff_book__44c0_sm_long,
  136244. &_resbook_44s_0,&_resbook_44sm_0}
  136245. };
  136246. static vorbis_residue_template _res_44s_1[]={
  136247. {2,0, &_residue_44_low,
  136248. &_huff_book__44c1_s_short,&_huff_book__44c1_sm_short,
  136249. &_resbook_44s_1,&_resbook_44sm_1},
  136250. {2,0, &_residue_44_low,
  136251. &_huff_book__44c1_s_long,&_huff_book__44c1_sm_long,
  136252. &_resbook_44s_1,&_resbook_44sm_1}
  136253. };
  136254. static vorbis_residue_template _res_44s_2[]={
  136255. {2,0, &_residue_44_mid,
  136256. &_huff_book__44c2_s_short,&_huff_book__44c2_s_short,
  136257. &_resbook_44s_2,&_resbook_44s_2},
  136258. {2,0, &_residue_44_mid,
  136259. &_huff_book__44c2_s_long,&_huff_book__44c2_s_long,
  136260. &_resbook_44s_2,&_resbook_44s_2}
  136261. };
  136262. static vorbis_residue_template _res_44s_3[]={
  136263. {2,0, &_residue_44_mid,
  136264. &_huff_book__44c3_s_short,&_huff_book__44c3_s_short,
  136265. &_resbook_44s_3,&_resbook_44s_3},
  136266. {2,0, &_residue_44_mid,
  136267. &_huff_book__44c3_s_long,&_huff_book__44c3_s_long,
  136268. &_resbook_44s_3,&_resbook_44s_3}
  136269. };
  136270. static vorbis_residue_template _res_44s_4[]={
  136271. {2,0, &_residue_44_mid,
  136272. &_huff_book__44c4_s_short,&_huff_book__44c4_s_short,
  136273. &_resbook_44s_4,&_resbook_44s_4},
  136274. {2,0, &_residue_44_mid,
  136275. &_huff_book__44c4_s_long,&_huff_book__44c4_s_long,
  136276. &_resbook_44s_4,&_resbook_44s_4}
  136277. };
  136278. static vorbis_residue_template _res_44s_5[]={
  136279. {2,0, &_residue_44_mid,
  136280. &_huff_book__44c5_s_short,&_huff_book__44c5_s_short,
  136281. &_resbook_44s_5,&_resbook_44s_5},
  136282. {2,0, &_residue_44_mid,
  136283. &_huff_book__44c5_s_long,&_huff_book__44c5_s_long,
  136284. &_resbook_44s_5,&_resbook_44s_5}
  136285. };
  136286. static vorbis_residue_template _res_44s_6[]={
  136287. {2,0, &_residue_44_high,
  136288. &_huff_book__44c6_s_short,&_huff_book__44c6_s_short,
  136289. &_resbook_44s_6,&_resbook_44s_6},
  136290. {2,0, &_residue_44_high,
  136291. &_huff_book__44c6_s_long,&_huff_book__44c6_s_long,
  136292. &_resbook_44s_6,&_resbook_44s_6}
  136293. };
  136294. static vorbis_residue_template _res_44s_7[]={
  136295. {2,0, &_residue_44_high,
  136296. &_huff_book__44c7_s_short,&_huff_book__44c7_s_short,
  136297. &_resbook_44s_7,&_resbook_44s_7},
  136298. {2,0, &_residue_44_high,
  136299. &_huff_book__44c7_s_long,&_huff_book__44c7_s_long,
  136300. &_resbook_44s_7,&_resbook_44s_7}
  136301. };
  136302. static vorbis_residue_template _res_44s_8[]={
  136303. {2,0, &_residue_44_high,
  136304. &_huff_book__44c8_s_short,&_huff_book__44c8_s_short,
  136305. &_resbook_44s_8,&_resbook_44s_8},
  136306. {2,0, &_residue_44_high,
  136307. &_huff_book__44c8_s_long,&_huff_book__44c8_s_long,
  136308. &_resbook_44s_8,&_resbook_44s_8}
  136309. };
  136310. static vorbis_residue_template _res_44s_9[]={
  136311. {2,0, &_residue_44_high,
  136312. &_huff_book__44c9_s_short,&_huff_book__44c9_s_short,
  136313. &_resbook_44s_9,&_resbook_44s_9},
  136314. {2,0, &_residue_44_high,
  136315. &_huff_book__44c9_s_long,&_huff_book__44c9_s_long,
  136316. &_resbook_44s_9,&_resbook_44s_9}
  136317. };
  136318. static vorbis_mapping_template _mapres_template_44_stereo[]={
  136319. { _map_nominal, _res_44s_n1 }, /* -1 */
  136320. { _map_nominal, _res_44s_0 }, /* 0 */
  136321. { _map_nominal, _res_44s_1 }, /* 1 */
  136322. { _map_nominal, _res_44s_2 }, /* 2 */
  136323. { _map_nominal, _res_44s_3 }, /* 3 */
  136324. { _map_nominal, _res_44s_4 }, /* 4 */
  136325. { _map_nominal, _res_44s_5 }, /* 5 */
  136326. { _map_nominal, _res_44s_6 }, /* 6 */
  136327. { _map_nominal, _res_44s_7 }, /* 7 */
  136328. { _map_nominal, _res_44s_8 }, /* 8 */
  136329. { _map_nominal, _res_44s_9 }, /* 9 */
  136330. };
  136331. /********* End of inlined file: residue_44.h *********/
  136332. /********* Start of inlined file: psych_44.h *********/
  136333. /* preecho trigger settings *****************************************/
  136334. static vorbis_info_psy_global _psy_global_44[5]={
  136335. {8, /* lines per eighth octave */
  136336. {20.f,14.f,12.f,12.f,12.f,12.f,12.f},
  136337. {-60.f,-30.f,-40.f,-40.f,-40.f,-40.f,-40.f}, 2,-75.f,
  136338. -6.f,
  136339. {99.},{{99.},{99.}},{0},{0},{{0.},{0.}}
  136340. },
  136341. {8, /* lines per eighth octave */
  136342. {14.f,10.f,10.f,10.f,10.f,10.f,10.f},
  136343. {-40.f,-30.f,-25.f,-25.f,-25.f,-25.f,-25.f}, 2,-80.f,
  136344. -6.f,
  136345. {99.},{{99.},{99.}},{0},{0},{{0.},{0.}}
  136346. },
  136347. {8, /* lines per eighth octave */
  136348. {12.f,10.f,10.f,10.f,10.f,10.f,10.f},
  136349. {-20.f,-20.f,-15.f,-15.f,-15.f,-15.f,-15.f}, 0,-80.f,
  136350. -6.f,
  136351. {99.},{{99.},{99.}},{0},{0},{{0.},{0.}}
  136352. },
  136353. {8, /* lines per eighth octave */
  136354. {10.f,8.f,8.f,8.f,8.f,8.f,8.f},
  136355. {-20.f,-15.f,-12.f,-12.f,-12.f,-12.f,-12.f}, 0,-80.f,
  136356. -6.f,
  136357. {99.},{{99.},{99.}},{0},{0},{{0.},{0.}}
  136358. },
  136359. {8, /* lines per eighth octave */
  136360. {10.f,6.f,6.f,6.f,6.f,6.f,6.f},
  136361. {-15.f,-15.f,-12.f,-12.f,-12.f,-12.f,-12.f}, 0,-85.f,
  136362. -6.f,
  136363. {99.},{{99.},{99.}},{0},{0},{{0.},{0.}}
  136364. },
  136365. };
  136366. /* noise compander lookups * low, mid, high quality ****************/
  136367. static compandblock _psy_compand_44[6]={
  136368. /* sub-mode Z short */
  136369. {{
  136370. 0, 1, 2, 3, 4, 5, 6, 7, /* 7dB */
  136371. 8, 9,10,11,12,13,14, 15, /* 15dB */
  136372. 16,17,18,19,20,21,22, 23, /* 23dB */
  136373. 24,25,26,27,28,29,30, 31, /* 31dB */
  136374. 32,33,34,35,36,37,38, 39, /* 39dB */
  136375. }},
  136376. /* mode_Z nominal short */
  136377. {{
  136378. 0, 1, 2, 3, 4, 5, 6, 6, /* 7dB */
  136379. 7, 7, 7, 7, 6, 6, 6, 7, /* 15dB */
  136380. 7, 8, 9,10,11,12,13, 14, /* 23dB */
  136381. 15,16,17,17,17,18,18, 19, /* 31dB */
  136382. 19,19,20,21,22,23,24, 25, /* 39dB */
  136383. }},
  136384. /* mode A short */
  136385. {{
  136386. 0, 1, 2, 3, 4, 5, 5, 5, /* 7dB */
  136387. 6, 6, 6, 5, 4, 4, 4, 4, /* 15dB */
  136388. 4, 4, 5, 5, 5, 6, 6, 6, /* 23dB */
  136389. 7, 7, 7, 8, 8, 8, 9, 10, /* 31dB */
  136390. 11,12,13,14,15,16,17, 18, /* 39dB */
  136391. }},
  136392. /* sub-mode Z long */
  136393. {{
  136394. 0, 1, 2, 3, 4, 5, 6, 7, /* 7dB */
  136395. 8, 9,10,11,12,13,14, 15, /* 15dB */
  136396. 16,17,18,19,20,21,22, 23, /* 23dB */
  136397. 24,25,26,27,28,29,30, 31, /* 31dB */
  136398. 32,33,34,35,36,37,38, 39, /* 39dB */
  136399. }},
  136400. /* mode_Z nominal long */
  136401. {{
  136402. 0, 1, 2, 3, 4, 5, 6, 7, /* 7dB */
  136403. 8, 9,10,11,12,12,13, 13, /* 15dB */
  136404. 13,14,14,14,15,15,15, 15, /* 23dB */
  136405. 16,16,17,17,17,18,18, 19, /* 31dB */
  136406. 19,19,20,21,22,23,24, 25, /* 39dB */
  136407. }},
  136408. /* mode A long */
  136409. {{
  136410. 0, 1, 2, 3, 4, 5, 6, 7, /* 7dB */
  136411. 8, 8, 7, 6, 5, 4, 4, 4, /* 15dB */
  136412. 4, 4, 5, 5, 5, 6, 6, 6, /* 23dB */
  136413. 7, 7, 7, 8, 8, 8, 9, 10, /* 31dB */
  136414. 11,12,13,14,15,16,17, 18, /* 39dB */
  136415. }}
  136416. };
  136417. /* tonal masking curve level adjustments *************************/
  136418. static vp_adjblock _vp_tonemask_adj_longblock[12]={
  136419. /* 63 125 250 500 1 2 4 8 16 */
  136420. {{ -3, -8,-13,-15,-10,-10,-10,-10,-10,-10,-10, 0, 0, 0, 0, 0, 0}}, /* -1 */
  136421. /* {{-15,-15,-15,-15,-10, -8, -4, -2, 0, 0, 0, 10, 0, 0, 0, 0, 0}}, 0 */
  136422. {{ -4,-10,-14,-16,-15,-14,-13,-12,-12,-12,-11, -1, -1, -1, -1, -1, 0}}, /* 0 */
  136423. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 5, 0, 0, 0, 0, 0}}, 1 */
  136424. {{ -6,-12,-14,-16,-15,-15,-14,-13,-13,-12,-12, -2, -2, -1, -1, -1, 0}}, /* 1 */
  136425. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, 2 */
  136426. {{-12,-13,-14,-16,-16,-16,-15,-14,-13,-12,-12, -6, -3, -1, -1, -1, 0}}, /* 2 */
  136427. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, 3 */
  136428. {{-15,-15,-15,-16,-16,-16,-16,-14,-13,-13,-13,-10, -4, -2, -1, -1, 0}}, /* 3 */
  136429. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, *//* 4 */
  136430. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-13,-11, -7 -3, -1, -1 , 0}}, /* 4 */
  136431. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, 5 */
  136432. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-13,-11, -7 -3, -1, -1 , 0}}, /* 5 */
  136433. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, 6 */
  136434. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -8, -4, -2, -2, 0}}, /* 6 */
  136435. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, 7 */
  136436. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -9, -4, -2, -2, 0}}, /* 7 */
  136437. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, 8 */
  136438. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -9, -4, -2, -2, 0}}, /* 8 */
  136439. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, 9 */
  136440. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -9, -4, -2, -2, 0}}, /* 9 */
  136441. /* {{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, 10 */
  136442. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -9, -4, -2, -2, 0}}, /* 10 */
  136443. };
  136444. static vp_adjblock _vp_tonemask_adj_otherblock[12]={
  136445. /* 63 125 250 500 1 2 4 8 16 */
  136446. {{ -3, -8,-13,-15,-10,-10, -9, -9, -9, -9, -9, 1, 1, 1, 1, 1, 1}}, /* -1 */
  136447. /* {{-20,-20,-20,-20,-14,-12,-10, -8, -4, 0, 0, 10, 0, 0, 0, 0, 0}}, 0 */
  136448. {{ -4,-10,-14,-16,-14,-13,-12,-12,-11,-11,-10, 0, 0, 0, 0, 0, 0}}, /* 0 */
  136449. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 5, 0, 0, 0, 0, 0}}, 1 */
  136450. {{ -6,-12,-14,-16,-15,-15,-14,-13,-13,-12,-12, -2, -2, -1, 0, 0, 0}}, /* 1 */
  136451. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 2 */
  136452. {{-12,-13,-14,-16,-16,-16,-15,-14,-13,-12,-12, -5, -2, -1, 0, 0, 0}}, /* 2 */
  136453. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 3 */
  136454. {{-15,-15,-15,-16,-16,-16,-16,-14,-13,-13,-13,-10, -4, -2, 0, 0, 0}}, /* 3 */
  136455. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 4 */
  136456. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-13,-11, -7 -3, -1, -1 , 0}}, /* 4 */
  136457. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 5 */
  136458. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-13,-11, -7 -3, -1, -1 , 0}}, /* 5 */
  136459. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 6 */
  136460. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -8, -4, -2, -2, 0}}, /* 6 */
  136461. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 7 */
  136462. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -9, -4, -2, -2, 0}}, /* 7 */
  136463. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 8 */
  136464. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -9, -4, -2, -2, 0}}, /* 8 */
  136465. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 9 */
  136466. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -9, -4, -2, -2, 0}}, /* 9 */
  136467. /* {{-20,-20,-20,-20,-20,-18,-16,-14,-10, 0, 0, 0, 0, 0, 0, 0, 0}}, 10 */
  136468. {{-16,-16,-16,-16,-16,-16,-16,-15,-14,-14,-14,-12, -9, -4, -2, -2, 0}}, /* 10 */
  136469. };
  136470. /* noise bias (transition block) */
  136471. static noise3 _psy_noisebias_trans[12]={
  136472. /* 63 125 250 500 1k 2k 4k 8k 16k*/
  136473. /* -1 */
  136474. {{{-10,-10,-10,-10,-10, -4, 0, 0, 4, 8, 8, 8, 8, 10, 12, 14, 20},
  136475. {-30,-30,-30,-30,-26,-20,-16, -8, -6, -6, -2, 2, 2, 3, 6, 6, 15},
  136476. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -4, -2}}},
  136477. /* 0
  136478. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 4, 4, 5, 5, 5, 8, 10},
  136479. {-30,-30,-30,-30,-26,-22,-20,-14, -8, -4, 0, 0, 0, 0, 2, 4, 10},
  136480. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -6, -6, -6, -4, -4, -4, -2}}},*/
  136481. {{{-15,-15,-15,-15,-15,-12, -6, -4, 0, 2, 4, 4, 5, 5, 5, 8, 10},
  136482. {-30,-30,-30,-30,-26,-22,-20,-14, -8, -4, 0, 0, 0, 0, 2, 3, 6},
  136483. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -6, -6, -6, -4, -4, -4, -2}}},
  136484. /* 1
  136485. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 4, 4, 5, 5, 5, 8, 10},
  136486. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -2, -2, -2, -2, 0, 2, 8},
  136487. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -8, -8, -8, -8, -6, -6, -6, -4}}},*/
  136488. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 4, 4, 5, 5, 5, 8, 10},
  136489. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -2, -2, -2, -2, 0, 1, 4},
  136490. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -8, -8, -8, -8, -6, -6, -6, -4}}},
  136491. /* 2
  136492. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 2, 2, 4, 4, 5, 6, 10},
  136493. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -2, -2, -2, -2, 0, 2, 6},
  136494. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}}, */
  136495. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 2, 2, 4, 4, 5, 6, 10},
  136496. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -3, -3, -3, -2, -1, 0, 3},
  136497. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10, -8, -8, -7, -4}}},
  136498. /* 3
  136499. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 2, 2, 4, 4, 4, 5, 8},
  136500. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -3, -3, -3, -3, -1, 1, 6},
  136501. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}},*/
  136502. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 2, 2, 4, 4, 4, 5, 8},
  136503. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -3, -3, -3, -3, -2, 0, 2},
  136504. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}},
  136505. /* 4
  136506. {{{-20,-20,-20,-20,-20,-18,-14, -8, -1, 1, 1, 1, 2, 3, 3, 4, 7},
  136507. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -3, -3, -3, -3, -1, 1, 5},
  136508. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}},*/
  136509. {{{-20,-20,-20,-20,-20,-18,-14, -8, -1, 1, 1, 1, 2, 3, 3, 4, 7},
  136510. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -3, -3, -3, -3, -2, -1, 1},
  136511. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}},
  136512. /* 5
  136513. {{{-24,-24,-24,-24,-20,-18,-14, -8, -1, 1, 1, 1, 2, 3, 3, 4, 7},
  136514. {-32,-32,-32,-32,-28,-24,-22,-16,-12, -6, -4, -4, -4, -4, -2, -1, 2},
  136515. {-34,-34,-34,-34,-30,-24,-24,-18,-14,-12,-12,-12,-12,-10,-10, -9, -5}}}, */
  136516. {{{-24,-24,-24,-24,-20,-18,-14, -8, -1, 1, 1, 1, 2, 3, 3, 4, 7},
  136517. {-32,-32,-32,-32,-28,-24,-22,-16,-12, -6, -4, -4, -4, -4, -3, -1, 0},
  136518. {-34,-34,-34,-34,-30,-24,-24,-18,-14,-12,-12,-12,-12,-10,-10, -9, -5}}},
  136519. /* 6
  136520. {{{-24,-24,-24,-24,-20,-18,-14, -8, -1, 1, 1, 1, 2, 3, 3, 4, 7},
  136521. {-32,-32,-32,-32,-28,-24,-24,-18,-14, -8, -6, -6, -6, -6, -4, -2, 1},
  136522. {-34,-34,-34,-34,-30,-26,-24,-18,-17,-15,-15,-15,-15,-13,-13,-12, -8}}},*/
  136523. {{{-24,-24,-24,-24,-20,-18,-14, -8, -1, 1, 1, 1, 2, 3, 3, 4, 7},
  136524. {-32,-32,-32,-32,-28,-24,-24,-18,-14, -8, -6, -6, -6, -6, -5, -2, 0},
  136525. {-34,-34,-34,-34,-30,-26,-26,-24,-22,-19,-19,-19,-19,-18,-17,-16,-12}}},
  136526. /* 7
  136527. {{{-24,-24,-24,-24,-20,-18,-14, -8, -1, 1, 1, 1, 2, 3, 3, 4, 7},
  136528. {-32,-32,-32,-32,-28,-24,-24,-18,-14,-12,-10, -8, -8, -8, -6, -4, 0},
  136529. {-34,-34,-34,-34,-30,-26,-26,-24,-22,-19,-19,-19,-19,-18,-17,-16,-12}}},*/
  136530. {{{-24,-24,-24,-24,-20,-18,-14, -8, -1, 1, 1, 1, 2, 3, 3, 4, 7},
  136531. {-32,-32,-32,-32,-28,-24,-24,-24,-18,-14,-12,-10,-10,-10, -8, -6, -2},
  136532. {-34,-34,-34,-34,-30,-26,-26,-26,-24,-24,-24,-24,-24,-24,-24,-20,-16}}},
  136533. /* 8
  136534. {{{-24,-24,-24,-24,-22,-20,-15,-10, -8, -2, 0, 0, 0, 1, 2, 3, 7},
  136535. {-36,-36,-36,-36,-30,-30,-30,-24,-18,-14,-12,-10,-10,-10, -8, -6, -2},
  136536. {-36,-36,-36,-36,-34,-30,-28,-26,-24,-24,-24,-24,-24,-24,-24,-20,-16}}},*/
  136537. {{{-24,-24,-24,-24,-22,-20,-15,-10, -8, -2, 0, 0, 0, 1, 2, 3, 7},
  136538. {-36,-36,-36,-36,-30,-30,-30,-24,-20,-16,-16,-16,-16,-14,-12,-10, -7},
  136539. {-36,-36,-36,-36,-34,-30,-28,-26,-24,-30,-30,-30,-30,-30,-30,-24,-20}}},
  136540. /* 9
  136541. {{{-28,-28,-28,-28,-28,-28,-28,-20,-14, -8, -4, -4, -4, -4, -4, -2, 2},
  136542. {-36,-36,-36,-36,-34,-32,-32,-28,-20,-16,-16,-16,-16,-14,-12,-10, -7},
  136543. {-40,-40,-40,-40,-40,-40,-40,-32,-30,-30,-30,-30,-30,-30,-30,-24,-20}}},*/
  136544. {{{-28,-28,-28,-28,-28,-28,-28,-20,-14, -8, -4, -4, -4, -4, -4, -2, 2},
  136545. {-38,-38,-38,-38,-36,-34,-34,-30,-24,-20,-20,-20,-20,-18,-16,-12,-10},
  136546. {-40,-40,-40,-40,-40,-40,-40,-38,-35,-35,-35,-35,-35,-35,-35,-35,-30}}},
  136547. /* 10 */
  136548. {{{-30,-30,-30,-30,-30,-30,-30,-28,-20,-14,-14,-14,-14,-14,-14,-12,-10},
  136549. {-40,-40,-40,-40,-40,-40,-40,-40,-35,-30,-30,-30,-30,-30,-30,-30,-20},
  136550. {-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40}}},
  136551. };
  136552. /* noise bias (long block) */
  136553. static noise3 _psy_noisebias_long[12]={
  136554. /*63 125 250 500 1k 2k 4k 8k 16k*/
  136555. /* -1 */
  136556. {{{-10,-10,-10,-10,-10, -4, 0, 0, 0, 6, 6, 6, 6, 10, 10, 12, 20},
  136557. {-20,-20,-20,-20,-20,-20,-10, -2, 0, 0, 0, 0, 0, 2, 4, 6, 15},
  136558. {-20,-20,-20,-20,-20,-20,-20,-10, -6, -6, -6, -6, -6, -4, -4, -4, -2}}},
  136559. /* 0 */
  136560. /* {{{-10,-10,-10,-10,-10,-10, -8, 2, 2, 2, 4, 4, 5, 5, 5, 8, 10},
  136561. {-20,-20,-20,-20,-20,-20,-20,-14, -6, 0, 0, 0, 0, 0, 2, 4, 10},
  136562. {-20,-20,-20,-20,-20,-20,-20,-14, -8, -6, -6, -6, -6, -4, -4, -4, -2}}},*/
  136563. {{{-10,-10,-10,-10,-10,-10, -8, 2, 2, 2, 4, 4, 5, 5, 5, 8, 10},
  136564. {-20,-20,-20,-20,-20,-20,-20,-14, -6, 0, 0, 0, 0, 0, 2, 3, 6},
  136565. {-20,-20,-20,-20,-20,-20,-20,-14, -8, -6, -6, -6, -6, -4, -4, -4, -2}}},
  136566. /* 1 */
  136567. /* {{{-10,-10,-10,-10,-10,-10, -8, -4, 0, 2, 4, 4, 5, 5, 5, 8, 10},
  136568. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -4, -2, -2, -2, -2, 0, 2, 8},
  136569. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -8, -8, -8, -8, -6, -6, -6, -4}}},*/
  136570. {{{-10,-10,-10,-10,-10,-10, -8, -4, 0, 2, 4, 4, 5, 5, 5, 8, 10},
  136571. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -4, -2, -2, -2, -2, 0, 1, 4},
  136572. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -8, -8, -8, -8, -6, -6, -6, -4}}},
  136573. /* 2 */
  136574. /* {{{-10,-10,-10,-10,-10,-10,-10, -8, 0, 2, 2, 2, 4, 4, 5, 6, 10},
  136575. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -4, -2, -2, -2, -2, 0, 2, 6},
  136576. {-20,-20,-20,-20,-20,-20,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}},*/
  136577. {{{-10,-10,-10,-10,-10,-10,-10, -8, 0, 2, 2, 2, 4, 4, 5, 6, 10},
  136578. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -4, -3, -3, -3, -2, -1, 0, 3},
  136579. {-20,-20,-20,-20,-20,-20,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}},
  136580. /* 3 */
  136581. /* {{{-10,-10,-10,-10,-10,-10,-10, -8, 0, 2, 2, 2, 4, 4, 4, 5, 8},
  136582. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -4, -3, -3, -3, -3, -1, 1, 6},
  136583. {-20,-20,-20,-20,-20,-20,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}},*/
  136584. {{{-10,-10,-10,-10,-10,-10,-10, -8, 0, 2, 2, 2, 4, 4, 4, 5, 8},
  136585. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -4, -3, -3, -3, -3, -2, 0, 2},
  136586. {-20,-20,-20,-20,-20,-20,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -5}}},
  136587. /* 4 */
  136588. /* {{{-15,-15,-15,-15,-15,-15,-15,-10, -4, 1, 1, 1, 2, 3, 3, 4, 7},
  136589. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -4, -3, -3, -3, -3, -1, 1, 5},
  136590. {-20,-20,-20,-20,-20,-20,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -4}}},*/
  136591. {{{-15,-15,-15,-15,-15,-15,-15,-10, -4, 1, 1, 1, 2, 3, 3, 4, 7},
  136592. {-20,-20,-20,-20,-20,-20,-20,-14,-10, -4, -3, -3, -3, -3, -2, -1, 1},
  136593. {-20,-20,-20,-20,-20,-20,-20,-14,-10,-10,-10,-10,-10, -8, -8, -8, -7}}},
  136594. /* 5 */
  136595. /* {{{-15,-15,-15,-15,-15,-15,-15,-10, -4, 1, 1, 1, 2, 3, 3, 4, 7},
  136596. {-22,-22,-22,-22,-22,-22,-22,-16,-12, -6, -4, -4, -4, -4, -2, -1, 2},
  136597. {-24,-24,-24,-24,-24,-24,-24,-18,-14,-12,-12,-12,-12,-10,-10, -9, -5}}},*/
  136598. {{{-15,-15,-15,-15,-15,-15,-15,-10, -4, 1, 1, 1, 2, 3, 3, 4, 7},
  136599. {-22,-22,-22,-22,-22,-22,-22,-16,-12, -6, -4, -4, -4, -4, -3, -1, 0},
  136600. {-24,-24,-24,-24,-24,-24,-24,-18,-14,-12,-12,-12,-12,-10,-10, -9, -8}}},
  136601. /* 6 */
  136602. /* {{{-15,-15,-15,-15,-15,-15,-15,-10, -4, 1, 1, 1, 2, 3, 3, 4, 7},
  136603. {-24,-24,-24,-24,-24,-24,-24,-18,-14, -8, -6, -6, -6, -6, -4, -2, 1},
  136604. {-26,-26,-26,-26,-26,-26,-26,-18,-16,-15,-15,-15,-15,-13,-13,-12, -8}}},*/
  136605. {{{-15,-15,-15,-15,-15,-15,-15,-10, -4, 1, 1, 1, 2, 3, 3, 4, 7},
  136606. {-24,-24,-24,-24,-24,-24,-24,-18,-14, -8, -6, -6, -6, -6, -5, -2, 0},
  136607. {-26,-26,-26,-26,-26,-26,-26,-18,-16,-15,-15,-15,-15,-13,-13,-12,-10}}},
  136608. /* 7 */
  136609. {{{-15,-15,-15,-15,-15,-15,-15,-10, -4, 1, 1, 1, 2, 3, 3, 4, 7},
  136610. {-24,-24,-24,-24,-24,-24,-24,-18,-14,-10, -8, -8, -8, -8, -6, -4, 0},
  136611. {-26,-26,-26,-26,-26,-26,-26,-22,-20,-19,-19,-19,-19,-18,-17,-16,-12}}},
  136612. /* 8 */
  136613. {{{-15,-15,-15,-15,-15,-15,-15,-10, -4, 0, 0, 0, 0, 1, 2, 3, 7},
  136614. {-26,-26,-26,-26,-26,-26,-26,-20,-16,-12,-10,-10,-10,-10, -8, -6, -2},
  136615. {-28,-28,-28,-28,-28,-28,-28,-26,-24,-24,-24,-24,-24,-24,-24,-20,-16}}},
  136616. /* 9 */
  136617. {{{-22,-22,-22,-22,-22,-22,-22,-18,-14, -8, -4, -4, -4, -4, -4, -2, 2},
  136618. {-26,-26,-26,-26,-26,-26,-26,-22,-18,-16,-16,-16,-16,-14,-12,-10, -7},
  136619. {-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-24,-20}}},
  136620. /* 10 */
  136621. {{{-24,-24,-24,-24,-24,-24,-24,-24,-24,-18,-14,-14,-14,-14,-14,-12,-10},
  136622. {-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-30,-20},
  136623. {-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40}}},
  136624. };
  136625. /* noise bias (impulse block) */
  136626. static noise3 _psy_noisebias_impulse[12]={
  136627. /* 63 125 250 500 1k 2k 4k 8k 16k*/
  136628. /* -1 */
  136629. {{{-10,-10,-10,-10,-10, -4, 0, 0, 4, 8, 8, 8, 8, 10, 12, 14, 20},
  136630. {-30,-30,-30,-30,-26,-20,-16, -8, -6, -6, -2, 2, 2, 3, 6, 6, 15},
  136631. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -4, -2}}},
  136632. /* 0 */
  136633. /* {{{-10,-10,-10,-10,-10, -4, 0, 0, 4, 4, 8, 8, 8, 10, 12, 14, 20},
  136634. {-30,-30,-30,-30,-26,-22,-20,-14, -6, -2, 0, 0, 0, 0, 2, 4, 10},
  136635. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -4, -2}}},*/
  136636. {{{-10,-10,-10,-10,-10, -4, 0, 0, 4, 4, 8, 8, 8, 10, 12, 14, 20},
  136637. {-30,-30,-30,-30,-26,-22,-20,-14, -6, -2, 0, 0, 0, 0, 2, 3, 6},
  136638. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -4, -2}}},
  136639. /* 1 */
  136640. {{{-12,-12,-12,-12,-12, -8, -6, -4, 0, 4, 4, 4, 4, 10, 12, 14, 20},
  136641. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -4, -4, -2, -2, -2, -2, 2},
  136642. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -8,-10,-10, -8, -8, -8, -6, -4}}},
  136643. /* 2 */
  136644. {{{-14,-14,-14,-14,-14,-10, -8, -6, -2, 2, 2, 2, 2, 8, 10, 10, 16},
  136645. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -6, -6, -4, -4, -4, -2, 0},
  136646. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10,-10,-10, -8, -4}}},
  136647. /* 3 */
  136648. {{{-14,-14,-14,-14,-14,-10, -8, -6, -2, 2, 2, 2, 2, 6, 8, 8, 14},
  136649. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -6, -6, -4, -4, -4, -2, 0},
  136650. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10,-10,-10, -8, -4}}},
  136651. /* 4 */
  136652. {{{-16,-16,-16,-16,-16,-12,-10, -6, -2, 0, 0, 0, 0, 4, 6, 6, 12},
  136653. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -6, -6, -4, -4, -4, -2, 0},
  136654. {-30,-30,-30,-30,-26,-22,-20,-14,-10,-10,-10,-10,-10,-10,-10, -8, -4}}},
  136655. /* 5 */
  136656. {{{-20,-20,-20,-20,-20,-18,-14,-10, -4, 0, 0, 0, 0, 4, 4, 6, 11},
  136657. {-32,-32,-32,-32,-28,-24,-22,-16,-10, -6, -8, -8, -6, -6, -6, -4, -2},
  136658. {-34,-34,-34,-34,-30,-26,-24,-18,-14,-12,-12,-12,-12,-12,-10, -9, -5}}},
  136659. /* 6
  136660. {{{-20,-20,-20,-20,-20,-18,-14,-10, -4, 0, 0, 0, 0, 4, 4, 6, 11},
  136661. {-34,-34,-34,-34,-30,-30,-24,-20,-12,-12,-14,-14,-10, -9, -8, -6, -4},
  136662. {-34,-34,-34,-34,-34,-30,-26,-20,-16,-15,-15,-15,-15,-15,-13,-12, -8}}},*/
  136663. {{{-20,-20,-20,-20,-20,-18,-14,-10, -4, 0, 0, 0, 0, 4, 4, 6, 11},
  136664. {-34,-34,-34,-34,-30,-30,-30,-24,-16,-16,-16,-16,-16,-16,-14,-14,-12},
  136665. {-36,-36,-36,-36,-36,-34,-28,-24,-20,-20,-20,-20,-20,-20,-20,-18,-16}}},
  136666. /* 7 */
  136667. /* {{{-22,-22,-22,-22,-22,-20,-14,-10, -6, 0, 0, 0, 0, 4, 4, 6, 11},
  136668. {-34,-34,-34,-34,-30,-30,-24,-20,-14,-14,-16,-16,-14,-12,-10,-10,-10},
  136669. {-34,-34,-34,-34,-32,-32,-30,-24,-20,-19,-19,-19,-19,-19,-17,-16,-12}}},*/
  136670. {{{-22,-22,-22,-22,-22,-20,-14,-10, -6, 0, 0, 0, 0, 4, 4, 6, 11},
  136671. {-34,-34,-34,-34,-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-24,-22},
  136672. {-40,-40,-40,-40,-40,-40,-40,-32,-30,-30,-30,-30,-30,-30,-30,-30,-24}}},
  136673. /* 8 */
  136674. /* {{{-24,-24,-24,-24,-24,-22,-14,-10, -6, -1, -1, -1, -1, 3, 3, 5, 10},
  136675. {-34,-34,-34,-34,-30,-30,-30,-24,-20,-20,-20,-20,-20,-18,-16,-16,-14},
  136676. {-36,-36,-36,-36,-36,-34,-28,-24,-24,-24,-24,-24,-24,-24,-24,-20,-16}}},*/
  136677. {{{-24,-24,-24,-24,-24,-22,-14,-10, -6, -1, -1, -1, -1, 3, 3, 5, 10},
  136678. {-34,-34,-34,-34,-34,-32,-32,-30,-26,-26,-26,-26,-26,-26,-26,-26,-24},
  136679. {-40,-40,-40,-40,-40,-40,-40,-32,-30,-30,-30,-30,-30,-30,-30,-30,-24}}},
  136680. /* 9 */
  136681. /* {{{-28,-28,-28,-28,-28,-28,-28,-20,-14, -8, -4, -4, -4, -4, -4, -2, 2},
  136682. {-36,-36,-36,-36,-34,-32,-32,-30,-26,-26,-26,-26,-26,-22,-20,-20,-18},
  136683. {-40,-40,-40,-40,-40,-40,-40,-32,-30,-30,-30,-30,-30,-30,-30,-24,-20}}},*/
  136684. {{{-28,-28,-28,-28,-28,-28,-28,-20,-14, -8, -4, -4, -4, -4, -4, -2, 2},
  136685. {-36,-36,-36,-36,-34,-32,-32,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26},
  136686. {-40,-40,-40,-40,-40,-40,-40,-32,-30,-30,-30,-30,-30,-30,-30,-24,-20}}},
  136687. /* 10 */
  136688. {{{-30,-30,-30,-30,-30,-26,-24,-24,-24,-20,-16,-16,-16,-16,-16,-14,-12},
  136689. {-40,-40,-40,-40,-40,-40,-40,-40,-35,-30,-30,-30,-30,-30,-30,-30,-26},
  136690. {-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40}}},
  136691. };
  136692. /* noise bias (padding block) */
  136693. static noise3 _psy_noisebias_padding[12]={
  136694. /* 63 125 250 500 1k 2k 4k 8k 16k*/
  136695. /* -1 */
  136696. {{{-10,-10,-10,-10,-10, -4, 0, 0, 4, 8, 8, 8, 8, 10, 12, 14, 20},
  136697. {-30,-30,-30,-30,-26,-20,-16, -8, -6, -6, -2, 2, 2, 3, 6, 6, 15},
  136698. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -4, -2}}},
  136699. /* 0 */
  136700. {{{-10,-10,-10,-10,-10, -4, 0, 0, 4, 8, 8, 8, 8, 10, 12, 14, 20},
  136701. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -2, 2, 3, 6, 6, 8, 10},
  136702. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, -4, -4, -4, -4, -2, 0, 2}}},
  136703. /* 1 */
  136704. {{{-12,-12,-12,-12,-12, -8, -6, -4, 0, 4, 4, 4, 4, 10, 12, 14, 20},
  136705. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, 0, 0, 0, 2, 2, 4, 8},
  136706. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -6, -6, -6, -6, -4, -2, 0}}},
  136707. /* 2 */
  136708. /* {{{-14,-14,-14,-14,-14,-10, -8, -6, -2, 2, 2, 2, 2, 8, 10, 10, 16},
  136709. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -4, 0, 0, 0, 2, 2, 4, 8},
  136710. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -8, -8, -8, -8, -8, -6, -4, -2}}},*/
  136711. {{{-14,-14,-14,-14,-14,-10, -8, -6, -2, 2, 2, 2, 2, 8, 10, 10, 16},
  136712. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -1, -1, -1, 0, 0, 2, 6},
  136713. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -8, -8, -8, -8, -8, -6, -4, -2}}},
  136714. /* 3 */
  136715. {{{-14,-14,-14,-14,-14,-10, -8, -6, -2, 2, 2, 2, 2, 6, 8, 8, 14},
  136716. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -1, -1, -1, 0, 0, 2, 6},
  136717. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -8, -8, -8, -8, -8, -6, -4, -2}}},
  136718. /* 4 */
  136719. {{{-16,-16,-16,-16,-16,-12,-10, -6, -2, 0, 0, 0, 0, 4, 6, 6, 12},
  136720. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -6, -1, -1, -1, -1, 0, 2, 6},
  136721. {-30,-30,-30,-30,-26,-22,-20,-14,-10, -8, -8, -8, -8, -8, -6, -4, -2}}},
  136722. /* 5 */
  136723. {{{-20,-20,-20,-20,-20,-18,-14,-10, -4, 0, 0, 0, 0, 4, 6, 6, 12},
  136724. {-32,-32,-32,-32,-28,-24,-22,-16,-12, -6, -3, -3, -3, -3, -2, 0, 4},
  136725. {-34,-34,-34,-34,-30,-26,-24,-18,-14,-10,-10,-10,-10,-10, -8, -5, -3}}},
  136726. /* 6 */
  136727. {{{-20,-20,-20,-20,-20,-18,-14,-10, -4, 0, 0, 0, 0, 4, 6, 6, 12},
  136728. {-34,-34,-34,-34,-30,-30,-24,-20,-14, -8, -4, -4, -4, -4, -3, -1, 4},
  136729. {-34,-34,-34,-34,-34,-30,-26,-20,-16,-13,-13,-13,-13,-13,-11, -8, -6}}},
  136730. /* 7 */
  136731. {{{-20,-20,-20,-20,-20,-18,-14,-10, -4, 0, 0, 0, 0, 4, 6, 6, 12},
  136732. {-34,-34,-34,-34,-30,-30,-30,-24,-16,-10, -8, -6, -6, -6, -5, -3, 1},
  136733. {-34,-34,-34,-34,-32,-32,-28,-22,-18,-16,-16,-16,-16,-16,-14,-12,-10}}},
  136734. /* 8 */
  136735. {{{-22,-22,-22,-22,-22,-20,-14,-10, -4, 0, 0, 0, 0, 3, 5, 5, 11},
  136736. {-34,-34,-34,-34,-30,-30,-30,-24,-16,-12,-10, -8, -8, -8, -7, -5, -2},
  136737. {-36,-36,-36,-36,-36,-34,-28,-22,-20,-20,-20,-20,-20,-20,-20,-16,-14}}},
  136738. /* 9 */
  136739. {{{-28,-28,-28,-28,-28,-28,-28,-20,-14, -8, -2, -2, -2, -2, 0, 2, 6},
  136740. {-36,-36,-36,-36,-34,-32,-32,-24,-16,-12,-12,-12,-12,-12,-10, -8, -5},
  136741. {-40,-40,-40,-40,-40,-40,-40,-32,-26,-24,-24,-24,-24,-24,-24,-20,-18}}},
  136742. /* 10 */
  136743. {{{-30,-30,-30,-30,-30,-26,-24,-24,-24,-20,-12,-12,-12,-12,-12,-10, -8},
  136744. {-40,-40,-40,-40,-40,-40,-40,-40,-35,-30,-25,-25,-25,-25,-25,-25,-15},
  136745. {-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40,-40}}},
  136746. };
  136747. static noiseguard _psy_noiseguards_44[4]={
  136748. {3,3,15},
  136749. {3,3,15},
  136750. {10,10,100},
  136751. {10,10,100},
  136752. };
  136753. static int _psy_tone_suppress[12]={
  136754. -20,-20,-20,-20,-20,-24,-30,-40,-40,-45,-45,-45,
  136755. };
  136756. static int _psy_tone_0dB[12]={
  136757. 90,90,95,95,95,95,105,105,105,105,105,105,
  136758. };
  136759. static int _psy_noise_suppress[12]={
  136760. -20,-20,-24,-24,-24,-24,-30,-40,-40,-45,-45,-45,
  136761. };
  136762. static vorbis_info_psy _psy_info_template={
  136763. /* blockflag */
  136764. -1,
  136765. /* ath_adjatt, ath_maxatt */
  136766. -140.,-140.,
  136767. /* tonemask att boost/decay,suppr,curves */
  136768. {0.f,0.f,0.f}, 0.,0., -40.f, {0.},
  136769. /*noisemaskp,supp, low/high window, low/hi guard, minimum */
  136770. 1, -0.f, .5f, .5f, 0,0,0,
  136771. /* noiseoffset*3, noisecompand, max_curve_dB */
  136772. {{-1},{-1},{-1}},{-1},105.f,
  136773. /* noise normalization - channel_p, point_p, start, partition, thresh. */
  136774. 0,0,-1,-1,0.,
  136775. };
  136776. /* ath ****************/
  136777. static int _psy_ath_floater[12]={
  136778. -100,-100,-100,-100,-100,-100,-105,-105,-105,-105,-110,-120,
  136779. };
  136780. static int _psy_ath_abs[12]={
  136781. -130,-130,-130,-130,-140,-140,-140,-140,-140,-140,-140,-150,
  136782. };
  136783. /* stereo setup. These don't map directly to quality level, there's
  136784. an additional indirection as several of the below may be used in a
  136785. single bitmanaged stream
  136786. ****************/
  136787. /* various stereo possibilities */
  136788. /* stereo mode by base quality level */
  136789. static adj_stereo _psy_stereo_modes_44[12]={
  136790. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 -1 */
  136791. {{ 4, 4, 4, 4, 4, 4, 4, 3, 2, 2, 1, 0, 0, 0, 0},
  136792. { 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 5, 4, 3},
  136793. { 1, 2, 3, 4, 4, 4, 4, 4, 4, 5, 6, 7, 8, 8, 8},
  136794. { 12,12.5, 13,13.5, 14,14.5, 15, 99, 99, 99, 99, 99, 99, 99, 99}},
  136795. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 0 */
  136796. /*{{ 4, 4, 4, 4, 4, 4, 4, 3, 2, 2, 1, 0, 0, 0, 0},
  136797. { 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 5, 4, 3},
  136798. { 1, 2, 3, 4, 5, 5, 6, 6, 6, 6, 6, 7, 8, 8, 8},
  136799. { 12,12.5, 13,13.5, 14,14.5, 15, 99, 99, 99, 99, 99, 99, 99, 99}},*/
  136800. {{ 4, 4, 4, 4, 4, 4, 4, 3, 2, 1, 0, 0, 0, 0, 0},
  136801. { 8, 8, 8, 8, 6, 6, 5, 5, 5, 5, 5, 5, 5, 4, 3},
  136802. { 1, 2, 3, 4, 4, 5, 6, 6, 6, 6, 6, 8, 8, 8, 8},
  136803. { 12,12.5, 13,13.5, 14,14.5, 15, 99, 99, 99, 99, 99, 99, 99, 99}},
  136804. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 1 */
  136805. {{ 3, 3, 3, 3, 3, 3, 3, 3, 2, 1, 0, 0, 0, 0, 0},
  136806. { 8, 8, 8, 8, 6, 6, 5, 5, 5, 5, 5, 5, 5, 4, 3},
  136807. { 1, 2, 3, 4, 4, 5, 6, 6, 6, 6, 6, 8, 8, 8, 8},
  136808. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136809. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 2 */
  136810. /* {{ 3, 3, 3, 3, 3, 3, 2, 2, 2, 1, 0, 0, 0, 0, 0},
  136811. { 8, 8, 8, 6, 5, 5, 5, 5, 5, 5, 5, 4, 3, 2, 1},
  136812. { 3, 4, 4, 4, 5, 6, 6, 6, 6, 6, 6, 8, 8, 8, 8},
  136813. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}}, */
  136814. {{ 3, 3, 3, 3, 3, 3, 3, 2, 1, 1, 0, 0, 0, 0, 0},
  136815. { 8, 8, 6, 6, 5, 5, 4, 4, 4, 4, 4, 4, 3, 2, 1},
  136816. { 3, 4, 4, 5, 5, 6, 6, 6, 6, 6, 6, 8, 8, 8, 8},
  136817. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136818. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 3 */
  136819. {{ 2, 2, 2, 2, 2, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0},
  136820. { 5, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 3, 2, 1},
  136821. { 4, 4, 5, 6, 6, 6, 6, 6, 8, 8, 10, 10, 10, 10, 10},
  136822. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136823. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 4 */
  136824. {{ 2, 2, 2, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136825. { 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 3, 3, 2, 1, 0},
  136826. { 6, 6, 6, 8, 8, 8, 8, 8, 8, 8, 10, 10, 10, 10, 10},
  136827. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136828. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 5 */
  136829. /* {{ 2, 2, 2, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136830. { 3, 3, 3, 3, 3, 2, 2, 2, 2, 2, 2, 0, 0, 0, 0},
  136831. { 6, 6, 8, 8, 8, 8, 10, 10, 10, 10, 10, 10, 10, 10, 10},
  136832. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},*/
  136833. {{ 2, 2, 2, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136834. { 3, 3, 3, 3, 3, 2, 2, 2, 2, 2, 2, 0, 0, 0, 0},
  136835. { 6, 7, 8, 8, 8, 10, 10, 12, 12, 12, 12, 12, 12, 12, 12},
  136836. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136837. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 6 */
  136838. /* {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136839. { 3, 3, 3, 2, 2, 2, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136840. { 8, 8, 8, 8, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
  136841. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}}, */
  136842. {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136843. { 3, 3, 3, 2, 2, 2, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136844. { 8, 8, 8, 10, 10, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12},
  136845. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136846. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 7 */
  136847. /* {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136848. { 3, 3, 3, 2, 2, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136849. { 8, 8, 8, 8, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
  136850. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},*/
  136851. {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136852. { 3, 3, 3, 2, 2, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136853. { 8, 8, 10, 10, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12},
  136854. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136855. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 8 */
  136856. /* {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136857. { 2, 2, 2, 2, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136858. { 8, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10},
  136859. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},*/
  136860. {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136861. { 2, 2, 2, 2, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136862. { 8, 10, 10, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12, 12},
  136863. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136864. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 9 */
  136865. {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136866. { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136867. { 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4},
  136868. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136869. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 10 */
  136870. {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136871. { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  136872. { 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4},
  136873. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  136874. };
  136875. /* tone master attenuation by base quality mode and bitrate tweak */
  136876. static att3 _psy_tone_masteratt_44[12]={
  136877. {{ 35, 21, 9}, 0, 0}, /* -1 */
  136878. {{ 30, 20, 8}, -2, 1.25}, /* 0 */
  136879. /* {{ 25, 14, 4}, 0, 0}, *//* 1 */
  136880. {{ 25, 12, 2}, 0, 0}, /* 1 */
  136881. /* {{ 20, 10, -2}, 0, 0}, *//* 2 */
  136882. {{ 20, 9, -3}, 0, 0}, /* 2 */
  136883. {{ 20, 9, -4}, 0, 0}, /* 3 */
  136884. {{ 20, 9, -4}, 0, 0}, /* 4 */
  136885. {{ 20, 6, -6}, 0, 0}, /* 5 */
  136886. {{ 20, 3, -10}, 0, 0}, /* 6 */
  136887. {{ 18, 1, -14}, 0, 0}, /* 7 */
  136888. {{ 18, 0, -16}, 0, 0}, /* 8 */
  136889. {{ 18, -2, -16}, 0, 0}, /* 9 */
  136890. {{ 12, -2, -20}, 0, 0}, /* 10 */
  136891. };
  136892. /* lowpass by mode **************/
  136893. static double _psy_lowpass_44[12]={
  136894. /* 15.1,15.8,16.5,17.9,20.5,48.,999.,999.,999.,999.,999. */
  136895. 13.9,15.1,15.8,16.5,17.2,18.9,20.1,48.,999.,999.,999.,999.
  136896. };
  136897. /* noise normalization **********/
  136898. static int _noise_start_short_44[11]={
  136899. /* 16,16,16,16,32,32,9999,9999,9999,9999 */
  136900. 32,16,16,16,32,9999,9999,9999,9999,9999,9999
  136901. };
  136902. static int _noise_start_long_44[11]={
  136903. /* 128,128,128,256,512,512,9999,9999,9999,9999 */
  136904. 256,128,128,256,512,9999,9999,9999,9999,9999,9999
  136905. };
  136906. static int _noise_part_short_44[11]={
  136907. 8,8,8,8,8,8,8,8,8,8,8
  136908. };
  136909. static int _noise_part_long_44[11]={
  136910. 32,32,32,32,32,32,32,32,32,32,32
  136911. };
  136912. static double _noise_thresh_44[11]={
  136913. /* .2,.2,.3,.4,.5,.5,9999.,9999.,9999.,9999., */
  136914. .2,.2,.2,.4,.6,9999.,9999.,9999.,9999.,9999.,9999.,
  136915. };
  136916. static double _noise_thresh_5only[2]={
  136917. .5,.5,
  136918. };
  136919. /********* End of inlined file: psych_44.h *********/
  136920. static double rate_mapping_44_stereo[12]={
  136921. 22500.,32000.,40000.,48000.,56000.,64000.,
  136922. 80000.,96000.,112000.,128000.,160000.,250001.
  136923. };
  136924. static double quality_mapping_44[12]={
  136925. -.1,.0,.1,.2,.3,.4,.5,.6,.7,.8,.9,1.0
  136926. };
  136927. static int blocksize_short_44[11]={
  136928. 512,256,256,256,256,256,256,256,256,256,256
  136929. };
  136930. static int blocksize_long_44[11]={
  136931. 4096,2048,2048,2048,2048,2048,2048,2048,2048,2048,2048
  136932. };
  136933. static double _psy_compand_short_mapping[12]={
  136934. 0.5, 1., 1., 1.3, 1.6, 2., 2., 2., 2., 2., 2., 2.
  136935. };
  136936. static double _psy_compand_long_mapping[12]={
  136937. 3.5, 4., 4., 4.3, 4.6, 5., 5., 5., 5., 5., 5., 5.
  136938. };
  136939. static double _global_mapping_44[12]={
  136940. /* 1., 1., 1.5, 2., 2., 2.5, 2.7, 3.0, 3.5, 4., 4. */
  136941. 0., 1., 1., 1.5, 2., 2., 2.5, 2.7, 3.0, 3.7, 4., 4.
  136942. };
  136943. static int _floor_short_mapping_44[11]={
  136944. 1,0,0,2,2,4,5,5,5,5,5
  136945. };
  136946. static int _floor_long_mapping_44[11]={
  136947. 8,7,7,7,7,7,7,7,7,7,7
  136948. };
  136949. ve_setup_data_template ve_setup_44_stereo={
  136950. 11,
  136951. rate_mapping_44_stereo,
  136952. quality_mapping_44,
  136953. 2,
  136954. 40000,
  136955. 50000,
  136956. blocksize_short_44,
  136957. blocksize_long_44,
  136958. _psy_tone_masteratt_44,
  136959. _psy_tone_0dB,
  136960. _psy_tone_suppress,
  136961. _vp_tonemask_adj_otherblock,
  136962. _vp_tonemask_adj_longblock,
  136963. _vp_tonemask_adj_otherblock,
  136964. _psy_noiseguards_44,
  136965. _psy_noisebias_impulse,
  136966. _psy_noisebias_padding,
  136967. _psy_noisebias_trans,
  136968. _psy_noisebias_long,
  136969. _psy_noise_suppress,
  136970. _psy_compand_44,
  136971. _psy_compand_short_mapping,
  136972. _psy_compand_long_mapping,
  136973. {_noise_start_short_44,_noise_start_long_44},
  136974. {_noise_part_short_44,_noise_part_long_44},
  136975. _noise_thresh_44,
  136976. _psy_ath_floater,
  136977. _psy_ath_abs,
  136978. _psy_lowpass_44,
  136979. _psy_global_44,
  136980. _global_mapping_44,
  136981. _psy_stereo_modes_44,
  136982. _floor_books,
  136983. _floor,
  136984. _floor_short_mapping_44,
  136985. _floor_long_mapping_44,
  136986. _mapres_template_44_stereo
  136987. };
  136988. /********* End of inlined file: setup_44.h *********/
  136989. /********* Start of inlined file: setup_44u.h *********/
  136990. /********* Start of inlined file: residue_44u.h *********/
  136991. /********* Start of inlined file: res_books_uncoupled.h *********/
  136992. static long _vq_quantlist__16u0__p1_0[] = {
  136993. 1,
  136994. 0,
  136995. 2,
  136996. };
  136997. static long _vq_lengthlist__16u0__p1_0[] = {
  136998. 1, 4, 4, 5, 7, 7, 5, 7, 8, 5, 8, 8, 8,10,10, 8,
  136999. 10,11, 5, 8, 8, 8,10,10, 8,10,10, 4, 9, 9, 9,12,
  137000. 11, 8,11,11, 8,12,11,10,12,14,10,13,13, 7,11,11,
  137001. 10,14,12,11,14,14, 4, 9, 9, 8,11,11, 9,11,12, 7,
  137002. 11,11,10,13,14,10,12,14, 8,11,12,10,14,14,10,13,
  137003. 12,
  137004. };
  137005. static float _vq_quantthresh__16u0__p1_0[] = {
  137006. -0.5, 0.5,
  137007. };
  137008. static long _vq_quantmap__16u0__p1_0[] = {
  137009. 1, 0, 2,
  137010. };
  137011. static encode_aux_threshmatch _vq_auxt__16u0__p1_0 = {
  137012. _vq_quantthresh__16u0__p1_0,
  137013. _vq_quantmap__16u0__p1_0,
  137014. 3,
  137015. 3
  137016. };
  137017. static static_codebook _16u0__p1_0 = {
  137018. 4, 81,
  137019. _vq_lengthlist__16u0__p1_0,
  137020. 1, -535822336, 1611661312, 2, 0,
  137021. _vq_quantlist__16u0__p1_0,
  137022. NULL,
  137023. &_vq_auxt__16u0__p1_0,
  137024. NULL,
  137025. 0
  137026. };
  137027. static long _vq_quantlist__16u0__p2_0[] = {
  137028. 1,
  137029. 0,
  137030. 2,
  137031. };
  137032. static long _vq_lengthlist__16u0__p2_0[] = {
  137033. 2, 4, 4, 5, 6, 6, 5, 6, 6, 5, 7, 7, 7, 8, 9, 7,
  137034. 8, 9, 5, 7, 7, 7, 9, 8, 7, 9, 7, 4, 7, 7, 7, 9,
  137035. 9, 7, 8, 8, 6, 9, 8, 7, 8,11, 9,11,10, 6, 8, 9,
  137036. 8,11, 8, 9,10,11, 4, 7, 7, 7, 8, 8, 7, 9, 9, 6,
  137037. 9, 8, 9,11,10, 8, 8,11, 6, 8, 9, 9,10,11, 8,11,
  137038. 8,
  137039. };
  137040. static float _vq_quantthresh__16u0__p2_0[] = {
  137041. -0.5, 0.5,
  137042. };
  137043. static long _vq_quantmap__16u0__p2_0[] = {
  137044. 1, 0, 2,
  137045. };
  137046. static encode_aux_threshmatch _vq_auxt__16u0__p2_0 = {
  137047. _vq_quantthresh__16u0__p2_0,
  137048. _vq_quantmap__16u0__p2_0,
  137049. 3,
  137050. 3
  137051. };
  137052. static static_codebook _16u0__p2_0 = {
  137053. 4, 81,
  137054. _vq_lengthlist__16u0__p2_0,
  137055. 1, -535822336, 1611661312, 2, 0,
  137056. _vq_quantlist__16u0__p2_0,
  137057. NULL,
  137058. &_vq_auxt__16u0__p2_0,
  137059. NULL,
  137060. 0
  137061. };
  137062. static long _vq_quantlist__16u0__p3_0[] = {
  137063. 2,
  137064. 1,
  137065. 3,
  137066. 0,
  137067. 4,
  137068. };
  137069. static long _vq_lengthlist__16u0__p3_0[] = {
  137070. 1, 5, 5, 7, 7, 6, 7, 7, 8, 8, 6, 7, 8, 8, 8, 8,
  137071. 9, 9,11,11, 8, 9, 9,11,11, 6, 9, 8,10,10, 8,10,
  137072. 10,11,11, 8,10,10,11,11,10,11,10,13,12, 9,11,10,
  137073. 13,13, 6, 8, 9,10,10, 8,10,10,11,11, 8,10,10,11,
  137074. 11, 9,10,11,13,12,10,10,11,12,12, 8,11,11,14,13,
  137075. 10,12,11,15,13, 9,12,11,15,14,12,14,13,16,14,12,
  137076. 13,13,17,14, 8,11,11,13,14, 9,11,12,14,15,10,11,
  137077. 12,13,15,11,13,13,14,16,12,13,14,14,16, 5, 9, 9,
  137078. 11,11, 9,11,11,12,12, 8,11,11,12,12,11,12,12,15,
  137079. 14,10,12,12,15,15, 8,11,11,13,12,10,12,12,13,13,
  137080. 10,12,12,14,13,12,12,13,14,15,11,13,13,17,16, 7,
  137081. 11,11,13,13,10,12,12,14,13,10,12,12,13,14,12,13,
  137082. 12,15,14,11,13,13,15,14, 9,12,12,16,15,11,13,13,
  137083. 17,16,10,13,13,16,16,13,14,15,15,16,13,15,14,19,
  137084. 17, 9,12,12,14,16,11,13,13,15,16,10,13,13,17,16,
  137085. 13,14,13,17,15,12,15,15,16,17, 5, 9, 9,11,11, 8,
  137086. 11,11,13,12, 9,11,11,12,12,10,12,12,14,15,11,12,
  137087. 12,14,14, 7,11,10,13,12,10,12,12,14,13,10,11,12,
  137088. 13,13,11,13,13,15,16,12,12,13,15,15, 7,11,11,13,
  137089. 13,10,13,13,14,14,10,12,12,13,13,11,13,13,16,15,
  137090. 12,13,13,15,14, 9,12,12,15,15,10,13,13,17,16,11,
  137091. 12,13,15,15,12,15,14,18,18,13,14,14,16,17, 9,12,
  137092. 12,15,16,10,13,13,15,16,11,13,13,15,16,13,15,15,
  137093. 17,17,13,15,14,16,15, 7,11,11,15,16,10,13,12,16,
  137094. 17,10,12,13,15,17,15,16,16,18,17,13,15,15,17,18,
  137095. 8,12,12,16,16,11,13,14,17,18,11,13,13,18,16,15,
  137096. 17,16,17,19,14,15,15,17,16, 8,12,12,16,15,11,14,
  137097. 13,18,17,11,13,14,18,17,15,16,16,18,17,13,16,16,
  137098. 18,18,11,15,14,18,17,13,14,15,18, 0,12,15,15, 0,
  137099. 17,17,16,17,17,18,14,16,18,18, 0,11,14,14,17, 0,
  137100. 12,15,14,17,19,12,15,14,18, 0,15,18,16, 0,17,14,
  137101. 18,16,18, 0, 7,11,11,16,15,10,12,12,18,16,10,13,
  137102. 13,16,15,13,15,14,17,17,14,16,16,19,18, 8,12,12,
  137103. 16,16,11,13,13,18,16,11,13,14,17,16,14,15,15,19,
  137104. 18,15,16,16, 0,19, 8,12,12,16,17,11,13,13,17,17,
  137105. 11,14,13,17,17,13,15,15,17,19,15,17,17,19, 0,11,
  137106. 14,15,19,17,12,15,16,18,18,12,14,15,19,17,14,16,
  137107. 17, 0,18,16,16,19,17, 0,11,14,14,18,19,12,15,14,
  137108. 17,17,13,16,14,17,16,14,17,16,18,18,15,18,15, 0,
  137109. 18,
  137110. };
  137111. static float _vq_quantthresh__16u0__p3_0[] = {
  137112. -1.5, -0.5, 0.5, 1.5,
  137113. };
  137114. static long _vq_quantmap__16u0__p3_0[] = {
  137115. 3, 1, 0, 2, 4,
  137116. };
  137117. static encode_aux_threshmatch _vq_auxt__16u0__p3_0 = {
  137118. _vq_quantthresh__16u0__p3_0,
  137119. _vq_quantmap__16u0__p3_0,
  137120. 5,
  137121. 5
  137122. };
  137123. static static_codebook _16u0__p3_0 = {
  137124. 4, 625,
  137125. _vq_lengthlist__16u0__p3_0,
  137126. 1, -533725184, 1611661312, 3, 0,
  137127. _vq_quantlist__16u0__p3_0,
  137128. NULL,
  137129. &_vq_auxt__16u0__p3_0,
  137130. NULL,
  137131. 0
  137132. };
  137133. static long _vq_quantlist__16u0__p4_0[] = {
  137134. 2,
  137135. 1,
  137136. 3,
  137137. 0,
  137138. 4,
  137139. };
  137140. static long _vq_lengthlist__16u0__p4_0[] = {
  137141. 3, 5, 5, 8, 8, 6, 6, 6, 9, 9, 6, 6, 6, 9, 9, 9,
  137142. 10, 9,11,11, 9, 9, 9,11,11, 6, 7, 7,10,10, 7, 7,
  137143. 8,10,10, 7, 7, 8,10,10,10,10,10,11,12, 9,10,10,
  137144. 11,12, 6, 7, 7,10,10, 7, 8, 7,10,10, 7, 8, 7,10,
  137145. 10,10,11,10,12,11,10,10,10,13,10, 9,10,10,12,12,
  137146. 10,11,10,14,12, 9,11,11,13,13,11,12,13,13,13,11,
  137147. 12,12,15,13, 9,10,10,12,13, 9,11,10,12,13,10,10,
  137148. 11,12,13,11,12,12,12,13,11,12,12,13,13, 5, 7, 7,
  137149. 10,10, 7, 8, 8,10,10, 7, 8, 8,10,10,10,11,10,12,
  137150. 13,10,10,11,12,12, 6, 8, 8,11,10, 7, 8, 9,10,12,
  137151. 8, 9, 9,11,11,11,10,11,11,12,10,11,11,13,12, 7,
  137152. 8, 8,10,11, 8, 9, 8,11,10, 8, 9, 9,11,11,10,12,
  137153. 10,13,11,10,11,11,13,13,10,11,10,14,13,10,10,11,
  137154. 13,13,10,12,11,14,13,12,11,13,12,13,13,12,13,14,
  137155. 14,10,11,11,13,13,10,11,10,12,13,10,12,12,12,14,
  137156. 12,12,12,14,12,12,13,12,17,15, 5, 7, 7,10,10, 7,
  137157. 8, 8,10,10, 7, 8, 8,11,10,10,10,11,12,12,10,11,
  137158. 11,12,13, 6, 8, 8,11,10, 8, 9, 9,11,11, 7, 8, 9,
  137159. 10,11,11,11,11,12,12,10,10,11,12,13, 6, 8, 8,10,
  137160. 11, 8, 9, 9,11,11, 7, 9, 7,11,10,10,12,12,13,13,
  137161. 11,11,10,13,11, 9,11,10,14,13,11,11,11,15,13,10,
  137162. 10,11,13,13,12,13,13,14,14,12,11,12,12,13,10,11,
  137163. 11,12,13,10,11,12,13,13,10,11,10,13,12,12,12,13,
  137164. 14, 0,12,13,11,13,11, 8,10,10,13,13,10,11,11,14,
  137165. 13,10,11,11,13,12,13,14,14,14,15,12,12,12,15,14,
  137166. 9,11,10,13,12,10,10,11,13,14,11,11,11,15,12,13,
  137167. 12,14,15,16,13,13,13,14,13, 9,11,11,12,12,10,12,
  137168. 11,13,13,10,11,11,13,14,13,13,13,15,15,13,13,14,
  137169. 17,15,11,12,12,14,14,10,11,12,13,15,12,13,13, 0,
  137170. 15,13,11,14,12,16,14,16,14, 0,15,11,12,12,14,16,
  137171. 11,13,12,16,15,12,13,13,14,15,12,14,12,15,13,15,
  137172. 14,14,16,16, 8,10,10,13,13,10,11,10,13,14,10,11,
  137173. 11,13,13,13,13,12,14,14,14,13,13,16,17, 9,10,10,
  137174. 12,14,10,12,11,14,13,10,11,12,13,14,12,12,12,15,
  137175. 15,13,13,13,14,14, 9,10,10,13,13,10,11,12,12,14,
  137176. 10,11,10,13,13,13,13,13,14,16,13,13,13,14,14,11,
  137177. 12,13,15,13,12,14,13,14,16,12,12,13,13,14,13,14,
  137178. 14,17,15,13,12,17,13,16,11,12,13,14,15,12,13,14,
  137179. 14,17,11,12,11,14,14,13,16,14,16, 0,14,15,11,15,
  137180. 11,
  137181. };
  137182. static float _vq_quantthresh__16u0__p4_0[] = {
  137183. -1.5, -0.5, 0.5, 1.5,
  137184. };
  137185. static long _vq_quantmap__16u0__p4_0[] = {
  137186. 3, 1, 0, 2, 4,
  137187. };
  137188. static encode_aux_threshmatch _vq_auxt__16u0__p4_0 = {
  137189. _vq_quantthresh__16u0__p4_0,
  137190. _vq_quantmap__16u0__p4_0,
  137191. 5,
  137192. 5
  137193. };
  137194. static static_codebook _16u0__p4_0 = {
  137195. 4, 625,
  137196. _vq_lengthlist__16u0__p4_0,
  137197. 1, -533725184, 1611661312, 3, 0,
  137198. _vq_quantlist__16u0__p4_0,
  137199. NULL,
  137200. &_vq_auxt__16u0__p4_0,
  137201. NULL,
  137202. 0
  137203. };
  137204. static long _vq_quantlist__16u0__p5_0[] = {
  137205. 4,
  137206. 3,
  137207. 5,
  137208. 2,
  137209. 6,
  137210. 1,
  137211. 7,
  137212. 0,
  137213. 8,
  137214. };
  137215. static long _vq_lengthlist__16u0__p5_0[] = {
  137216. 1, 4, 4, 7, 7, 7, 7, 9, 9, 4, 6, 6, 8, 8, 8, 8,
  137217. 9, 9, 4, 6, 6, 8, 8, 8, 8, 9, 9, 7, 8, 8, 9, 9,
  137218. 9, 9,11,10, 7, 8, 8, 9, 9, 9, 9,10,11, 7, 8, 8,
  137219. 9, 9,10,10,11,11, 7, 8, 8, 9, 9,10,10,11,11, 9,
  137220. 9, 9,10,10,11,11,12,12, 9, 9, 9,10,10,11,11,12,
  137221. 12,
  137222. };
  137223. static float _vq_quantthresh__16u0__p5_0[] = {
  137224. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  137225. };
  137226. static long _vq_quantmap__16u0__p5_0[] = {
  137227. 7, 5, 3, 1, 0, 2, 4, 6,
  137228. 8,
  137229. };
  137230. static encode_aux_threshmatch _vq_auxt__16u0__p5_0 = {
  137231. _vq_quantthresh__16u0__p5_0,
  137232. _vq_quantmap__16u0__p5_0,
  137233. 9,
  137234. 9
  137235. };
  137236. static static_codebook _16u0__p5_0 = {
  137237. 2, 81,
  137238. _vq_lengthlist__16u0__p5_0,
  137239. 1, -531628032, 1611661312, 4, 0,
  137240. _vq_quantlist__16u0__p5_0,
  137241. NULL,
  137242. &_vq_auxt__16u0__p5_0,
  137243. NULL,
  137244. 0
  137245. };
  137246. static long _vq_quantlist__16u0__p6_0[] = {
  137247. 6,
  137248. 5,
  137249. 7,
  137250. 4,
  137251. 8,
  137252. 3,
  137253. 9,
  137254. 2,
  137255. 10,
  137256. 1,
  137257. 11,
  137258. 0,
  137259. 12,
  137260. };
  137261. static long _vq_lengthlist__16u0__p6_0[] = {
  137262. 1, 4, 4, 7, 7,10,10,12,12,13,13,18,17, 3, 6, 6,
  137263. 9, 9,11,11,13,13,14,14,18,17, 3, 6, 6, 9, 9,11,
  137264. 11,13,13,14,14,17,18, 7, 9, 9,11,11,13,13,14,14,
  137265. 15,15, 0, 0, 7, 9, 9,11,11,13,13,14,14,15,16,19,
  137266. 18,10,11,11,13,13,14,14,16,15,17,18, 0, 0,10,11,
  137267. 11,13,13,14,14,15,15,16,18, 0, 0,11,13,13,14,14,
  137268. 15,15,17,17, 0,19, 0, 0,11,13,13,14,14,14,15,16,
  137269. 18, 0,19, 0, 0,13,14,14,15,15,18,17,18,18, 0,19,
  137270. 0, 0,13,14,14,15,16,16,16,18,18,19, 0, 0, 0,16,
  137271. 17,17, 0,17,19,19, 0,19, 0, 0, 0, 0,16,19,16,17,
  137272. 18, 0,19, 0, 0, 0, 0, 0, 0,
  137273. };
  137274. static float _vq_quantthresh__16u0__p6_0[] = {
  137275. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  137276. 12.5, 17.5, 22.5, 27.5,
  137277. };
  137278. static long _vq_quantmap__16u0__p6_0[] = {
  137279. 11, 9, 7, 5, 3, 1, 0, 2,
  137280. 4, 6, 8, 10, 12,
  137281. };
  137282. static encode_aux_threshmatch _vq_auxt__16u0__p6_0 = {
  137283. _vq_quantthresh__16u0__p6_0,
  137284. _vq_quantmap__16u0__p6_0,
  137285. 13,
  137286. 13
  137287. };
  137288. static static_codebook _16u0__p6_0 = {
  137289. 2, 169,
  137290. _vq_lengthlist__16u0__p6_0,
  137291. 1, -526516224, 1616117760, 4, 0,
  137292. _vq_quantlist__16u0__p6_0,
  137293. NULL,
  137294. &_vq_auxt__16u0__p6_0,
  137295. NULL,
  137296. 0
  137297. };
  137298. static long _vq_quantlist__16u0__p6_1[] = {
  137299. 2,
  137300. 1,
  137301. 3,
  137302. 0,
  137303. 4,
  137304. };
  137305. static long _vq_lengthlist__16u0__p6_1[] = {
  137306. 1, 4, 5, 6, 6, 4, 6, 6, 6, 6, 4, 6, 6, 6, 6, 6,
  137307. 6, 6, 7, 7, 6, 6, 6, 7, 7,
  137308. };
  137309. static float _vq_quantthresh__16u0__p6_1[] = {
  137310. -1.5, -0.5, 0.5, 1.5,
  137311. };
  137312. static long _vq_quantmap__16u0__p6_1[] = {
  137313. 3, 1, 0, 2, 4,
  137314. };
  137315. static encode_aux_threshmatch _vq_auxt__16u0__p6_1 = {
  137316. _vq_quantthresh__16u0__p6_1,
  137317. _vq_quantmap__16u0__p6_1,
  137318. 5,
  137319. 5
  137320. };
  137321. static static_codebook _16u0__p6_1 = {
  137322. 2, 25,
  137323. _vq_lengthlist__16u0__p6_1,
  137324. 1, -533725184, 1611661312, 3, 0,
  137325. _vq_quantlist__16u0__p6_1,
  137326. NULL,
  137327. &_vq_auxt__16u0__p6_1,
  137328. NULL,
  137329. 0
  137330. };
  137331. static long _vq_quantlist__16u0__p7_0[] = {
  137332. 1,
  137333. 0,
  137334. 2,
  137335. };
  137336. static long _vq_lengthlist__16u0__p7_0[] = {
  137337. 1, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  137338. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  137339. 8, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  137340. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  137341. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  137342. 7,
  137343. };
  137344. static float _vq_quantthresh__16u0__p7_0[] = {
  137345. -157.5, 157.5,
  137346. };
  137347. static long _vq_quantmap__16u0__p7_0[] = {
  137348. 1, 0, 2,
  137349. };
  137350. static encode_aux_threshmatch _vq_auxt__16u0__p7_0 = {
  137351. _vq_quantthresh__16u0__p7_0,
  137352. _vq_quantmap__16u0__p7_0,
  137353. 3,
  137354. 3
  137355. };
  137356. static static_codebook _16u0__p7_0 = {
  137357. 4, 81,
  137358. _vq_lengthlist__16u0__p7_0,
  137359. 1, -518803456, 1628680192, 2, 0,
  137360. _vq_quantlist__16u0__p7_0,
  137361. NULL,
  137362. &_vq_auxt__16u0__p7_0,
  137363. NULL,
  137364. 0
  137365. };
  137366. static long _vq_quantlist__16u0__p7_1[] = {
  137367. 7,
  137368. 6,
  137369. 8,
  137370. 5,
  137371. 9,
  137372. 4,
  137373. 10,
  137374. 3,
  137375. 11,
  137376. 2,
  137377. 12,
  137378. 1,
  137379. 13,
  137380. 0,
  137381. 14,
  137382. };
  137383. static long _vq_lengthlist__16u0__p7_1[] = {
  137384. 1, 5, 5, 6, 5, 9,10,11,11,10,10,10,10,10,10, 5,
  137385. 8, 8, 8,10,10,10,10,10,10,10,10,10,10,10, 5, 8,
  137386. 9, 9, 9,10,10,10,10,10,10,10,10,10,10, 5,10, 8,
  137387. 10,10,10,10,10,10,10,10,10,10,10,10, 4, 8, 9,10,
  137388. 10,10,10,10,10,10,10,10,10,10,10, 9,10,10,10,10,
  137389. 10,10,10,10,10,10,10,10,10,10, 9,10,10,10,10,10,
  137390. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  137391. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  137392. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  137393. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  137394. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  137395. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  137396. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  137397. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  137398. 10,
  137399. };
  137400. static float _vq_quantthresh__16u0__p7_1[] = {
  137401. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  137402. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  137403. };
  137404. static long _vq_quantmap__16u0__p7_1[] = {
  137405. 13, 11, 9, 7, 5, 3, 1, 0,
  137406. 2, 4, 6, 8, 10, 12, 14,
  137407. };
  137408. static encode_aux_threshmatch _vq_auxt__16u0__p7_1 = {
  137409. _vq_quantthresh__16u0__p7_1,
  137410. _vq_quantmap__16u0__p7_1,
  137411. 15,
  137412. 15
  137413. };
  137414. static static_codebook _16u0__p7_1 = {
  137415. 2, 225,
  137416. _vq_lengthlist__16u0__p7_1,
  137417. 1, -520986624, 1620377600, 4, 0,
  137418. _vq_quantlist__16u0__p7_1,
  137419. NULL,
  137420. &_vq_auxt__16u0__p7_1,
  137421. NULL,
  137422. 0
  137423. };
  137424. static long _vq_quantlist__16u0__p7_2[] = {
  137425. 10,
  137426. 9,
  137427. 11,
  137428. 8,
  137429. 12,
  137430. 7,
  137431. 13,
  137432. 6,
  137433. 14,
  137434. 5,
  137435. 15,
  137436. 4,
  137437. 16,
  137438. 3,
  137439. 17,
  137440. 2,
  137441. 18,
  137442. 1,
  137443. 19,
  137444. 0,
  137445. 20,
  137446. };
  137447. static long _vq_lengthlist__16u0__p7_2[] = {
  137448. 1, 6, 6, 7, 8, 7, 7,10, 9,10, 9,11,10, 9,11,10,
  137449. 9, 9, 9, 9,10, 6, 8, 7, 9, 9, 8, 8,10,10, 9,11,
  137450. 11,12,12,10, 9,11, 9,12,10, 9, 6, 9, 8, 9,12, 8,
  137451. 8,11, 9,11,11,12,11,12,12,10,11,11,10,10,11, 7,
  137452. 10, 9, 9, 9, 9, 9,10, 9,10, 9,10,10,12,10,10,10,
  137453. 11,12,10,10, 7, 9, 9, 9,10, 9, 9,10,10, 9, 9, 9,
  137454. 11,11,10,10,10,10, 9, 9,12, 7, 9,10, 9,11, 9,10,
  137455. 9,10,11,11,11,10,11,12, 9,12,11,10,10,10, 7, 9,
  137456. 9, 9, 9,10,12,10, 9,11,12,10,11,12,12,11, 9,10,
  137457. 11,10,11, 7, 9,10,10,11,10, 9,10,11,11,11,10,12,
  137458. 12,12,11,11,10,11,11,12, 8, 9,10,12,11,10,10,12,
  137459. 12,12,12,12,10,11,11, 9,11,10,12,11,11, 8, 9,10,
  137460. 10,11,12,11,11,10,10,10,12,12,12, 9,10,12,12,12,
  137461. 12,12, 8,10,11,10,10,12, 9,11,12,12,11,12,12,12,
  137462. 12,10,12,10,10,10,10, 8,12,11,11,11,10,10,11,12,
  137463. 12,12,12,11,12,12,12,11,11,11,12,10, 9,10,10,12,
  137464. 10,12,10,12,12,10,10,10,11,12,12,12,11,12,12,12,
  137465. 11,10,11,12,12,12,11,12,12,11,12,12,11,12,12,12,
  137466. 12,11,12,12,10,10,10,10,11,11,12,11,12,12,12,12,
  137467. 12,12,12,11,12,11,10,11,11,12,11,11, 9,10,10,10,
  137468. 12,10,10,11, 9,11,12,11,12,11,12,12,10,11,10,12,
  137469. 9, 9, 9,12,11,10,11,10,12,10,12,10,12,12,12,11,
  137470. 11,11,11,11,10, 9,10,10,11,10,11,11,12,11,10,11,
  137471. 12,12,12,11,11, 9,12,10,12, 9,10,12,10,10,11,10,
  137472. 11,11,12,11,10,11,10,11,11,11,11,12,11,11,10, 9,
  137473. 10,10,10, 9,11,11,10, 9,12,10,11,12,11,12,12,11,
  137474. 12,11,12,11,10,11,10,12,11,12,11,12,11,12,10,11,
  137475. 10,10,12,11,10,11,11,11,10,
  137476. };
  137477. static float _vq_quantthresh__16u0__p7_2[] = {
  137478. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  137479. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  137480. 6.5, 7.5, 8.5, 9.5,
  137481. };
  137482. static long _vq_quantmap__16u0__p7_2[] = {
  137483. 19, 17, 15, 13, 11, 9, 7, 5,
  137484. 3, 1, 0, 2, 4, 6, 8, 10,
  137485. 12, 14, 16, 18, 20,
  137486. };
  137487. static encode_aux_threshmatch _vq_auxt__16u0__p7_2 = {
  137488. _vq_quantthresh__16u0__p7_2,
  137489. _vq_quantmap__16u0__p7_2,
  137490. 21,
  137491. 21
  137492. };
  137493. static static_codebook _16u0__p7_2 = {
  137494. 2, 441,
  137495. _vq_lengthlist__16u0__p7_2,
  137496. 1, -529268736, 1611661312, 5, 0,
  137497. _vq_quantlist__16u0__p7_2,
  137498. NULL,
  137499. &_vq_auxt__16u0__p7_2,
  137500. NULL,
  137501. 0
  137502. };
  137503. static long _huff_lengthlist__16u0__single[] = {
  137504. 3, 5, 8, 7,14, 8, 9,19, 5, 2, 5, 5, 9, 6, 9,19,
  137505. 8, 4, 5, 7, 8, 9,13,19, 7, 4, 6, 5, 9, 6, 9,19,
  137506. 12, 8, 7, 9,10,11,13,19, 8, 5, 8, 6, 9, 6, 7,19,
  137507. 8, 8,10, 7, 7, 4, 5,19,12,17,19,15,18,13,11,18,
  137508. };
  137509. static static_codebook _huff_book__16u0__single = {
  137510. 2, 64,
  137511. _huff_lengthlist__16u0__single,
  137512. 0, 0, 0, 0, 0,
  137513. NULL,
  137514. NULL,
  137515. NULL,
  137516. NULL,
  137517. 0
  137518. };
  137519. static long _huff_lengthlist__16u1__long[] = {
  137520. 3, 6,10, 8,12, 8,14, 8,14,19, 5, 3, 5, 5, 7, 6,
  137521. 11, 7,16,19, 7, 5, 6, 7, 7, 9,11,12,19,19, 6, 4,
  137522. 7, 5, 7, 6,10, 7,18,18, 8, 6, 7, 7, 7, 7, 8, 9,
  137523. 18,18, 7, 5, 8, 5, 7, 5, 8, 6,18,18,12, 9,10, 9,
  137524. 9, 9, 8, 9,18,18, 8, 7,10, 6, 8, 5, 6, 4,11,18,
  137525. 11,15,16,12,11, 8, 8, 6, 9,18,14,18,18,18,16,16,
  137526. 16,13,16,18,
  137527. };
  137528. static static_codebook _huff_book__16u1__long = {
  137529. 2, 100,
  137530. _huff_lengthlist__16u1__long,
  137531. 0, 0, 0, 0, 0,
  137532. NULL,
  137533. NULL,
  137534. NULL,
  137535. NULL,
  137536. 0
  137537. };
  137538. static long _vq_quantlist__16u1__p1_0[] = {
  137539. 1,
  137540. 0,
  137541. 2,
  137542. };
  137543. static long _vq_lengthlist__16u1__p1_0[] = {
  137544. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 8, 7, 7,10,10, 7,
  137545. 9,10, 5, 7, 8, 7,10, 9, 7,10,10, 5, 8, 8, 8,10,
  137546. 10, 8,10,10, 7,10,10,10,11,12,10,12,13, 7,10,10,
  137547. 9,13,11,10,12,13, 5, 8, 8, 8,10,10, 8,10,10, 7,
  137548. 10,10,10,12,12, 9,11,12, 7,10,11,10,12,12,10,13,
  137549. 11,
  137550. };
  137551. static float _vq_quantthresh__16u1__p1_0[] = {
  137552. -0.5, 0.5,
  137553. };
  137554. static long _vq_quantmap__16u1__p1_0[] = {
  137555. 1, 0, 2,
  137556. };
  137557. static encode_aux_threshmatch _vq_auxt__16u1__p1_0 = {
  137558. _vq_quantthresh__16u1__p1_0,
  137559. _vq_quantmap__16u1__p1_0,
  137560. 3,
  137561. 3
  137562. };
  137563. static static_codebook _16u1__p1_0 = {
  137564. 4, 81,
  137565. _vq_lengthlist__16u1__p1_0,
  137566. 1, -535822336, 1611661312, 2, 0,
  137567. _vq_quantlist__16u1__p1_0,
  137568. NULL,
  137569. &_vq_auxt__16u1__p1_0,
  137570. NULL,
  137571. 0
  137572. };
  137573. static long _vq_quantlist__16u1__p2_0[] = {
  137574. 1,
  137575. 0,
  137576. 2,
  137577. };
  137578. static long _vq_lengthlist__16u1__p2_0[] = {
  137579. 3, 4, 4, 5, 6, 6, 5, 6, 6, 5, 6, 6, 6, 7, 8, 6,
  137580. 7, 8, 5, 6, 6, 6, 8, 7, 6, 8, 7, 5, 6, 6, 6, 8,
  137581. 8, 6, 8, 8, 6, 8, 8, 7, 7,10, 8, 9, 9, 6, 8, 8,
  137582. 7, 9, 8, 8, 9,10, 5, 6, 6, 6, 8, 8, 7, 8, 8, 6,
  137583. 8, 8, 8,10, 9, 7, 8, 9, 6, 8, 8, 8, 9, 9, 7,10,
  137584. 8,
  137585. };
  137586. static float _vq_quantthresh__16u1__p2_0[] = {
  137587. -0.5, 0.5,
  137588. };
  137589. static long _vq_quantmap__16u1__p2_0[] = {
  137590. 1, 0, 2,
  137591. };
  137592. static encode_aux_threshmatch _vq_auxt__16u1__p2_0 = {
  137593. _vq_quantthresh__16u1__p2_0,
  137594. _vq_quantmap__16u1__p2_0,
  137595. 3,
  137596. 3
  137597. };
  137598. static static_codebook _16u1__p2_0 = {
  137599. 4, 81,
  137600. _vq_lengthlist__16u1__p2_0,
  137601. 1, -535822336, 1611661312, 2, 0,
  137602. _vq_quantlist__16u1__p2_0,
  137603. NULL,
  137604. &_vq_auxt__16u1__p2_0,
  137605. NULL,
  137606. 0
  137607. };
  137608. static long _vq_quantlist__16u1__p3_0[] = {
  137609. 2,
  137610. 1,
  137611. 3,
  137612. 0,
  137613. 4,
  137614. };
  137615. static long _vq_lengthlist__16u1__p3_0[] = {
  137616. 1, 5, 5, 8, 8, 6, 7, 7, 9, 9, 5, 7, 7, 9, 9, 9,
  137617. 10, 9,11,11, 9, 9,10,11,11, 6, 8, 8,10,10, 8, 9,
  137618. 10,11,11, 8, 9,10,11,11,10,11,11,12,13,10,11,11,
  137619. 13,13, 6, 8, 8,10,10, 8,10, 9,11,11, 8,10, 9,11,
  137620. 11,10,11,11,13,13,10,11,11,13,12, 9,11,11,14,13,
  137621. 10,12,12,15,14,10,12,11,14,13,12,13,13,15,15,12,
  137622. 13,13,16,14, 9,11,11,13,14,10,11,12,14,14,10,12,
  137623. 12,14,15,12,13,13,14,15,12,13,14,15,16, 5, 8, 8,
  137624. 11,11, 8,10,10,12,12, 8,10,10,12,12,11,12,12,14,
  137625. 14,11,12,12,14,14, 8,10,10,12,12, 9,11,12,12,13,
  137626. 10,12,12,13,13,12,12,13,14,15,11,13,13,15,15, 7,
  137627. 10,10,12,12, 9,12,11,13,12,10,11,12,13,13,12,13,
  137628. 12,15,14,11,12,13,15,15,10,12,12,15,14,11,13,13,
  137629. 16,15,11,13,13,16,15,14,13,14,15,16,13,15,15,17,
  137630. 17,10,12,12,14,15,11,12,12,15,15,11,13,13,15,16,
  137631. 13,15,13,16,15,13,15,15,16,17, 5, 8, 8,11,11, 8,
  137632. 10,10,12,12, 8,10,10,12,12,11,12,12,14,14,11,12,
  137633. 12,14,14, 7,10,10,12,12,10,12,12,14,13, 9,11,12,
  137634. 12,13,12,13,13,15,15,12,12,13,13,15, 7,10,10,12,
  137635. 13,10,11,12,13,13,10,12,11,13,13,11,13,13,15,15,
  137636. 12,13,12,15,14, 9,12,12,15,14,11,13,13,15,15,11,
  137637. 12,13,15,15,13,14,14,17,19,13,13,14,16,16,10,12,
  137638. 12,14,15,11,13,13,15,16,11,13,12,16,15,13,15,15,
  137639. 17,18,14,15,13,16,15, 8,11,11,15,14,10,12,12,16,
  137640. 15,10,12,12,16,16,14,15,15,18,17,13,14,15,16,18,
  137641. 9,12,12,15,15,11,12,14,16,17,11,13,13,16,15,15,
  137642. 15,15,17,18,14,15,16,17,17, 9,12,12,15,15,11,14,
  137643. 13,16,16,11,13,13,16,16,15,16,15,17,18,14,16,15,
  137644. 17,16,12,14,14,17,16,12,14,15,18,17,13,15,15,17,
  137645. 17,15,15,18,16,20,15,16,17,18,18,11,14,14,16,17,
  137646. 13,15,14,18,17,13,15,15,17,17,15,17,15,18,17,15,
  137647. 17,16,19,18, 8,11,11,14,15,10,12,12,15,15,10,12,
  137648. 12,16,16,13,14,14,17,16,14,15,15,17,17, 9,12,12,
  137649. 15,16,11,13,13,16,16,11,12,13,16,16,14,16,15,20,
  137650. 17,14,16,16,17,17, 9,12,12,15,16,11,13,13,16,17,
  137651. 11,13,13,17,16,14,15,15,17,18,15,15,15,18,18,11,
  137652. 14,14,17,16,13,15,15,17,17,13,14,14,18,17,15,16,
  137653. 16,18,19,15,15,17,17,19,11,14,14,16,17,13,15,14,
  137654. 17,19,13,15,14,18,17,15,17,16,18,18,15,17,15,18,
  137655. 16,
  137656. };
  137657. static float _vq_quantthresh__16u1__p3_0[] = {
  137658. -1.5, -0.5, 0.5, 1.5,
  137659. };
  137660. static long _vq_quantmap__16u1__p3_0[] = {
  137661. 3, 1, 0, 2, 4,
  137662. };
  137663. static encode_aux_threshmatch _vq_auxt__16u1__p3_0 = {
  137664. _vq_quantthresh__16u1__p3_0,
  137665. _vq_quantmap__16u1__p3_0,
  137666. 5,
  137667. 5
  137668. };
  137669. static static_codebook _16u1__p3_0 = {
  137670. 4, 625,
  137671. _vq_lengthlist__16u1__p3_0,
  137672. 1, -533725184, 1611661312, 3, 0,
  137673. _vq_quantlist__16u1__p3_0,
  137674. NULL,
  137675. &_vq_auxt__16u1__p3_0,
  137676. NULL,
  137677. 0
  137678. };
  137679. static long _vq_quantlist__16u1__p4_0[] = {
  137680. 2,
  137681. 1,
  137682. 3,
  137683. 0,
  137684. 4,
  137685. };
  137686. static long _vq_lengthlist__16u1__p4_0[] = {
  137687. 4, 5, 5, 8, 8, 6, 6, 7, 9, 9, 6, 6, 6, 9, 9, 9,
  137688. 10, 9,11,11, 9, 9,10,11,11, 6, 7, 7,10, 9, 7, 7,
  137689. 8, 9,10, 7, 7, 8,10,10,10,10,10,10,12, 9, 9,10,
  137690. 11,12, 6, 7, 7, 9, 9, 7, 8, 7,10,10, 7, 8, 7,10,
  137691. 10, 9,10, 9,12,11,10,10, 9,12,10, 9,10,10,12,11,
  137692. 10,10,10,12,12, 9,10,10,12,12,12,11,12,13,13,11,
  137693. 11,12,12,13, 9,10,10,11,12, 9,10,10,12,12,10,10,
  137694. 10,12,12,11,12,11,14,13,11,12,12,14,13, 5, 7, 7,
  137695. 10,10, 7, 8, 8,10,10, 7, 8, 7,10,10,10,10,10,12,
  137696. 12,10,10,10,12,12, 6, 8, 7,10,10, 7, 7, 9,10,11,
  137697. 8, 9, 9,11,10,10,10,11,11,13,10,10,11,12,13, 6,
  137698. 8, 8,10,10, 7, 9, 8,11,10, 8, 9, 9,10,11,10,11,
  137699. 10,13,11,10,11,10,12,12,10,11,10,12,11,10,10,10,
  137700. 12,13,10,11,11,13,12,11,11,13,11,14,12,12,13,14,
  137701. 14, 9,10,10,12,13,10,11,10,13,12,10,11,11,12,13,
  137702. 11,12,11,14,12,12,13,13,15,14, 5, 7, 7,10,10, 7,
  137703. 7, 8,10,10, 7, 8, 8,10,10,10,10,10,11,12,10,10,
  137704. 10,12,12, 7, 8, 8,10,10, 8, 9, 8,11,10, 7, 8, 9,
  137705. 10,11,10,11,11,12,12,10,10,11,11,13, 7, 7, 8,10,
  137706. 10, 8, 8, 9,10,11, 7, 9, 7,11,10,10,11,11,13,12,
  137707. 11,11,10,13,11, 9,10,10,12,12,10,11,11,13,12,10,
  137708. 10,11,12,12,12,13,13,14,14,11,11,12,12,14,10,10,
  137709. 11,12,12,10,11,11,12,13,10,10,10,13,12,12,13,13,
  137710. 15,14,12,13,10,14,11, 8,10,10,12,12,10,11,10,13,
  137711. 13, 9,10,10,12,12,12,13,13,15,14,11,12,12,13,13,
  137712. 9,10,10,13,12,10,10,11,13,13,10,11,10,13,12,12,
  137713. 12,13,14,15,12,13,12,15,13, 9,10,10,12,13,10,11,
  137714. 10,13,12,10,10,11,12,13,12,14,12,15,13,12,12,13,
  137715. 14,15,11,12,11,14,13,11,11,12,14,15,12,13,12,15,
  137716. 14,13,11,15,11,16,13,14,14,16,15,11,12,12,14,14,
  137717. 11,12,11,14,13,12,12,13,14,15,13,14,12,16,12,14,
  137718. 14,14,15,15, 8,10,10,12,12, 9,10,10,12,12,10,10,
  137719. 11,13,13,11,12,12,13,13,12,13,13,14,15, 9,10,10,
  137720. 13,12,10,11,11,13,12,10,10,11,13,13,12,13,12,15,
  137721. 14,12,12,13,13,16, 9, 9,10,12,13,10,10,11,12,13,
  137722. 10,11,10,13,13,12,12,13,13,15,13,13,12,15,13,11,
  137723. 12,12,14,14,12,13,12,15,14,11,11,12,13,14,14,14,
  137724. 14,16,15,13,12,15,12,16,11,11,12,13,14,12,13,13,
  137725. 14,15,10,12,11,14,13,14,15,14,16,16,13,14,11,15,
  137726. 11,
  137727. };
  137728. static float _vq_quantthresh__16u1__p4_0[] = {
  137729. -1.5, -0.5, 0.5, 1.5,
  137730. };
  137731. static long _vq_quantmap__16u1__p4_0[] = {
  137732. 3, 1, 0, 2, 4,
  137733. };
  137734. static encode_aux_threshmatch _vq_auxt__16u1__p4_0 = {
  137735. _vq_quantthresh__16u1__p4_0,
  137736. _vq_quantmap__16u1__p4_0,
  137737. 5,
  137738. 5
  137739. };
  137740. static static_codebook _16u1__p4_0 = {
  137741. 4, 625,
  137742. _vq_lengthlist__16u1__p4_0,
  137743. 1, -533725184, 1611661312, 3, 0,
  137744. _vq_quantlist__16u1__p4_0,
  137745. NULL,
  137746. &_vq_auxt__16u1__p4_0,
  137747. NULL,
  137748. 0
  137749. };
  137750. static long _vq_quantlist__16u1__p5_0[] = {
  137751. 4,
  137752. 3,
  137753. 5,
  137754. 2,
  137755. 6,
  137756. 1,
  137757. 7,
  137758. 0,
  137759. 8,
  137760. };
  137761. static long _vq_lengthlist__16u1__p5_0[] = {
  137762. 1, 4, 4, 7, 7, 7, 7, 9, 9, 4, 6, 6, 8, 8, 8, 8,
  137763. 10,10, 4, 5, 6, 8, 8, 8, 8,10,10, 7, 8, 8, 9, 9,
  137764. 9, 9,11,11, 7, 8, 8, 9, 9, 9, 9,11,11, 7, 8, 8,
  137765. 10, 9,11,11,12,11, 7, 8, 8, 9, 9,11,11,12,12, 9,
  137766. 10,10,11,11,12,12,13,12, 9,10,10,11,11,12,12,12,
  137767. 13,
  137768. };
  137769. static float _vq_quantthresh__16u1__p5_0[] = {
  137770. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  137771. };
  137772. static long _vq_quantmap__16u1__p5_0[] = {
  137773. 7, 5, 3, 1, 0, 2, 4, 6,
  137774. 8,
  137775. };
  137776. static encode_aux_threshmatch _vq_auxt__16u1__p5_0 = {
  137777. _vq_quantthresh__16u1__p5_0,
  137778. _vq_quantmap__16u1__p5_0,
  137779. 9,
  137780. 9
  137781. };
  137782. static static_codebook _16u1__p5_0 = {
  137783. 2, 81,
  137784. _vq_lengthlist__16u1__p5_0,
  137785. 1, -531628032, 1611661312, 4, 0,
  137786. _vq_quantlist__16u1__p5_0,
  137787. NULL,
  137788. &_vq_auxt__16u1__p5_0,
  137789. NULL,
  137790. 0
  137791. };
  137792. static long _vq_quantlist__16u1__p6_0[] = {
  137793. 4,
  137794. 3,
  137795. 5,
  137796. 2,
  137797. 6,
  137798. 1,
  137799. 7,
  137800. 0,
  137801. 8,
  137802. };
  137803. static long _vq_lengthlist__16u1__p6_0[] = {
  137804. 3, 4, 4, 6, 6, 7, 7, 9, 9, 4, 4, 4, 6, 6, 8, 8,
  137805. 9, 9, 4, 4, 4, 6, 6, 7, 7, 9, 9, 6, 6, 6, 7, 7,
  137806. 8, 8,10, 9, 6, 6, 6, 7, 7, 8, 8, 9,10, 7, 8, 7,
  137807. 8, 8, 9, 9,10,10, 7, 8, 8, 8, 8, 9, 9,10,10, 9,
  137808. 9, 9,10,10,10,10,11,11, 9, 9, 9,10,10,10,10,11,
  137809. 11,
  137810. };
  137811. static float _vq_quantthresh__16u1__p6_0[] = {
  137812. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  137813. };
  137814. static long _vq_quantmap__16u1__p6_0[] = {
  137815. 7, 5, 3, 1, 0, 2, 4, 6,
  137816. 8,
  137817. };
  137818. static encode_aux_threshmatch _vq_auxt__16u1__p6_0 = {
  137819. _vq_quantthresh__16u1__p6_0,
  137820. _vq_quantmap__16u1__p6_0,
  137821. 9,
  137822. 9
  137823. };
  137824. static static_codebook _16u1__p6_0 = {
  137825. 2, 81,
  137826. _vq_lengthlist__16u1__p6_0,
  137827. 1, -531628032, 1611661312, 4, 0,
  137828. _vq_quantlist__16u1__p6_0,
  137829. NULL,
  137830. &_vq_auxt__16u1__p6_0,
  137831. NULL,
  137832. 0
  137833. };
  137834. static long _vq_quantlist__16u1__p7_0[] = {
  137835. 1,
  137836. 0,
  137837. 2,
  137838. };
  137839. static long _vq_lengthlist__16u1__p7_0[] = {
  137840. 1, 4, 4, 4, 8, 8, 4, 8, 8, 5,11, 9, 8,12,11, 8,
  137841. 12,11, 5,10,11, 8,11,12, 8,11,12, 4,11,11,11,14,
  137842. 13,10,13,13, 8,14,13,12,14,16,12,16,15, 8,14,14,
  137843. 13,16,14,12,15,16, 4,11,11,10,14,13,11,14,14, 8,
  137844. 15,14,12,15,15,12,14,16, 8,14,14,11,16,15,12,15,
  137845. 13,
  137846. };
  137847. static float _vq_quantthresh__16u1__p7_0[] = {
  137848. -5.5, 5.5,
  137849. };
  137850. static long _vq_quantmap__16u1__p7_0[] = {
  137851. 1, 0, 2,
  137852. };
  137853. static encode_aux_threshmatch _vq_auxt__16u1__p7_0 = {
  137854. _vq_quantthresh__16u1__p7_0,
  137855. _vq_quantmap__16u1__p7_0,
  137856. 3,
  137857. 3
  137858. };
  137859. static static_codebook _16u1__p7_0 = {
  137860. 4, 81,
  137861. _vq_lengthlist__16u1__p7_0,
  137862. 1, -529137664, 1618345984, 2, 0,
  137863. _vq_quantlist__16u1__p7_0,
  137864. NULL,
  137865. &_vq_auxt__16u1__p7_0,
  137866. NULL,
  137867. 0
  137868. };
  137869. static long _vq_quantlist__16u1__p7_1[] = {
  137870. 5,
  137871. 4,
  137872. 6,
  137873. 3,
  137874. 7,
  137875. 2,
  137876. 8,
  137877. 1,
  137878. 9,
  137879. 0,
  137880. 10,
  137881. };
  137882. static long _vq_lengthlist__16u1__p7_1[] = {
  137883. 2, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8, 4, 6, 5, 7, 7,
  137884. 8, 8, 8, 8, 8, 8, 4, 5, 6, 7, 7, 8, 8, 8, 8, 8,
  137885. 8, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 6, 7, 7, 8,
  137886. 8, 8, 8, 9, 9, 9, 9, 7, 8, 8, 8, 8, 9, 9, 9,10,
  137887. 9,10, 7, 8, 8, 8, 8, 9, 9, 9, 9,10, 9, 8, 8, 8,
  137888. 9, 9,10,10,10,10,10,10, 8, 8, 8, 9, 9, 9, 9,10,
  137889. 10,10,10, 8, 8, 8, 9, 9, 9,10,10,10,10,10, 8, 8,
  137890. 8, 9, 9,10,10,10,10,10,10,
  137891. };
  137892. static float _vq_quantthresh__16u1__p7_1[] = {
  137893. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  137894. 3.5, 4.5,
  137895. };
  137896. static long _vq_quantmap__16u1__p7_1[] = {
  137897. 9, 7, 5, 3, 1, 0, 2, 4,
  137898. 6, 8, 10,
  137899. };
  137900. static encode_aux_threshmatch _vq_auxt__16u1__p7_1 = {
  137901. _vq_quantthresh__16u1__p7_1,
  137902. _vq_quantmap__16u1__p7_1,
  137903. 11,
  137904. 11
  137905. };
  137906. static static_codebook _16u1__p7_1 = {
  137907. 2, 121,
  137908. _vq_lengthlist__16u1__p7_1,
  137909. 1, -531365888, 1611661312, 4, 0,
  137910. _vq_quantlist__16u1__p7_1,
  137911. NULL,
  137912. &_vq_auxt__16u1__p7_1,
  137913. NULL,
  137914. 0
  137915. };
  137916. static long _vq_quantlist__16u1__p8_0[] = {
  137917. 5,
  137918. 4,
  137919. 6,
  137920. 3,
  137921. 7,
  137922. 2,
  137923. 8,
  137924. 1,
  137925. 9,
  137926. 0,
  137927. 10,
  137928. };
  137929. static long _vq_lengthlist__16u1__p8_0[] = {
  137930. 1, 4, 4, 5, 5, 8, 8,10,10,12,12, 4, 7, 7, 8, 8,
  137931. 9, 9,12,11,14,13, 4, 7, 7, 7, 8, 9,10,11,11,13,
  137932. 12, 5, 8, 8, 9, 9,11,11,12,13,15,14, 5, 7, 8, 9,
  137933. 9,11,11,13,13,17,15, 8, 9,10,11,11,12,13,17,14,
  137934. 17,16, 8,10, 9,11,11,12,12,13,15,15,17,10,11,11,
  137935. 12,13,14,15,15,16,16,17, 9,11,11,12,12,14,15,17,
  137936. 15,15,16,11,14,12,14,15,16,15,16,16,16,15,11,13,
  137937. 13,14,14,15,15,16,16,15,16,
  137938. };
  137939. static float _vq_quantthresh__16u1__p8_0[] = {
  137940. -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5, 27.5,
  137941. 38.5, 49.5,
  137942. };
  137943. static long _vq_quantmap__16u1__p8_0[] = {
  137944. 9, 7, 5, 3, 1, 0, 2, 4,
  137945. 6, 8, 10,
  137946. };
  137947. static encode_aux_threshmatch _vq_auxt__16u1__p8_0 = {
  137948. _vq_quantthresh__16u1__p8_0,
  137949. _vq_quantmap__16u1__p8_0,
  137950. 11,
  137951. 11
  137952. };
  137953. static static_codebook _16u1__p8_0 = {
  137954. 2, 121,
  137955. _vq_lengthlist__16u1__p8_0,
  137956. 1, -524582912, 1618345984, 4, 0,
  137957. _vq_quantlist__16u1__p8_0,
  137958. NULL,
  137959. &_vq_auxt__16u1__p8_0,
  137960. NULL,
  137961. 0
  137962. };
  137963. static long _vq_quantlist__16u1__p8_1[] = {
  137964. 5,
  137965. 4,
  137966. 6,
  137967. 3,
  137968. 7,
  137969. 2,
  137970. 8,
  137971. 1,
  137972. 9,
  137973. 0,
  137974. 10,
  137975. };
  137976. static long _vq_lengthlist__16u1__p8_1[] = {
  137977. 2, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8, 4, 6, 6, 7, 7,
  137978. 8, 7, 8, 8, 8, 8, 4, 6, 6, 7, 7, 7, 7, 8, 8, 8,
  137979. 8, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 9, 6, 7, 7, 7,
  137980. 7, 8, 8, 8, 8, 9, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9,
  137981. 9, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 8, 8, 8,
  137982. 8, 8, 9, 9, 9, 9, 9, 9, 8, 8, 8, 8, 8, 9, 9, 9,
  137983. 9, 9, 9, 8, 8, 8, 9, 8, 9, 9, 9, 9, 9, 9, 8, 8,
  137984. 8, 9, 9, 9, 9, 9, 9, 9, 9,
  137985. };
  137986. static float _vq_quantthresh__16u1__p8_1[] = {
  137987. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  137988. 3.5, 4.5,
  137989. };
  137990. static long _vq_quantmap__16u1__p8_1[] = {
  137991. 9, 7, 5, 3, 1, 0, 2, 4,
  137992. 6, 8, 10,
  137993. };
  137994. static encode_aux_threshmatch _vq_auxt__16u1__p8_1 = {
  137995. _vq_quantthresh__16u1__p8_1,
  137996. _vq_quantmap__16u1__p8_1,
  137997. 11,
  137998. 11
  137999. };
  138000. static static_codebook _16u1__p8_1 = {
  138001. 2, 121,
  138002. _vq_lengthlist__16u1__p8_1,
  138003. 1, -531365888, 1611661312, 4, 0,
  138004. _vq_quantlist__16u1__p8_1,
  138005. NULL,
  138006. &_vq_auxt__16u1__p8_1,
  138007. NULL,
  138008. 0
  138009. };
  138010. static long _vq_quantlist__16u1__p9_0[] = {
  138011. 7,
  138012. 6,
  138013. 8,
  138014. 5,
  138015. 9,
  138016. 4,
  138017. 10,
  138018. 3,
  138019. 11,
  138020. 2,
  138021. 12,
  138022. 1,
  138023. 13,
  138024. 0,
  138025. 14,
  138026. };
  138027. static long _vq_lengthlist__16u1__p9_0[] = {
  138028. 1, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138029. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138030. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138031. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138032. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138033. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138034. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138035. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138036. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138037. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138038. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138039. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138040. 9, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  138041. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  138042. 8,
  138043. };
  138044. static float _vq_quantthresh__16u1__p9_0[] = {
  138045. -1657.5, -1402.5, -1147.5, -892.5, -637.5, -382.5, -127.5, 127.5,
  138046. 382.5, 637.5, 892.5, 1147.5, 1402.5, 1657.5,
  138047. };
  138048. static long _vq_quantmap__16u1__p9_0[] = {
  138049. 13, 11, 9, 7, 5, 3, 1, 0,
  138050. 2, 4, 6, 8, 10, 12, 14,
  138051. };
  138052. static encode_aux_threshmatch _vq_auxt__16u1__p9_0 = {
  138053. _vq_quantthresh__16u1__p9_0,
  138054. _vq_quantmap__16u1__p9_0,
  138055. 15,
  138056. 15
  138057. };
  138058. static static_codebook _16u1__p9_0 = {
  138059. 2, 225,
  138060. _vq_lengthlist__16u1__p9_0,
  138061. 1, -514071552, 1627381760, 4, 0,
  138062. _vq_quantlist__16u1__p9_0,
  138063. NULL,
  138064. &_vq_auxt__16u1__p9_0,
  138065. NULL,
  138066. 0
  138067. };
  138068. static long _vq_quantlist__16u1__p9_1[] = {
  138069. 7,
  138070. 6,
  138071. 8,
  138072. 5,
  138073. 9,
  138074. 4,
  138075. 10,
  138076. 3,
  138077. 11,
  138078. 2,
  138079. 12,
  138080. 1,
  138081. 13,
  138082. 0,
  138083. 14,
  138084. };
  138085. static long _vq_lengthlist__16u1__p9_1[] = {
  138086. 1, 6, 5, 9, 9,10,10, 6, 7, 9, 9,10,10,10,10, 5,
  138087. 10, 8,10, 8,10,10, 8, 8,10, 9,10,10,10,10, 5, 8,
  138088. 9,10,10,10,10, 8,10,10,10,10,10,10,10, 9,10,10,
  138089. 10,10,10,10, 9, 9,10,10,10,10,10,10, 9, 9, 8, 9,
  138090. 10,10,10, 9,10,10,10,10,10,10,10,10,10,10,10,10,
  138091. 10,10,10,10,10,10,10,10,10,10,10, 8,10,10,10,10,
  138092. 10,10,10,10,10,10,10,10,10, 6, 8, 8,10,10,10, 8,
  138093. 10,10,10,10,10,10,10,10, 5, 8, 8,10,10,10, 9, 9,
  138094. 10,10,10,10,10,10,10,10, 9,10,10,10,10,10,10,10,
  138095. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138096. 10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9,
  138097. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138098. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138099. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  138100. 9,
  138101. };
  138102. static float _vq_quantthresh__16u1__p9_1[] = {
  138103. -110.5, -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5,
  138104. 25.5, 42.5, 59.5, 76.5, 93.5, 110.5,
  138105. };
  138106. static long _vq_quantmap__16u1__p9_1[] = {
  138107. 13, 11, 9, 7, 5, 3, 1, 0,
  138108. 2, 4, 6, 8, 10, 12, 14,
  138109. };
  138110. static encode_aux_threshmatch _vq_auxt__16u1__p9_1 = {
  138111. _vq_quantthresh__16u1__p9_1,
  138112. _vq_quantmap__16u1__p9_1,
  138113. 15,
  138114. 15
  138115. };
  138116. static static_codebook _16u1__p9_1 = {
  138117. 2, 225,
  138118. _vq_lengthlist__16u1__p9_1,
  138119. 1, -522338304, 1620115456, 4, 0,
  138120. _vq_quantlist__16u1__p9_1,
  138121. NULL,
  138122. &_vq_auxt__16u1__p9_1,
  138123. NULL,
  138124. 0
  138125. };
  138126. static long _vq_quantlist__16u1__p9_2[] = {
  138127. 8,
  138128. 7,
  138129. 9,
  138130. 6,
  138131. 10,
  138132. 5,
  138133. 11,
  138134. 4,
  138135. 12,
  138136. 3,
  138137. 13,
  138138. 2,
  138139. 14,
  138140. 1,
  138141. 15,
  138142. 0,
  138143. 16,
  138144. };
  138145. static long _vq_lengthlist__16u1__p9_2[] = {
  138146. 1, 6, 6, 7, 8, 8,11,10, 9, 9,11, 9,10, 9,11,11,
  138147. 9, 6, 7, 6,11, 8,11, 9,10,10,11, 9,11,10,10,10,
  138148. 11, 9, 5, 7, 7, 8, 8,10,11, 8, 8,11, 9, 9,10,11,
  138149. 9,10,11, 8, 9, 6, 8, 8, 9, 9,10,10,11,11,11, 9,
  138150. 11,10, 9,11, 8, 8, 8, 9, 8, 9,10,11, 9, 9,11,11,
  138151. 10, 9, 9,11,10, 8,11, 8, 9, 8,11, 9,10, 9,10,11,
  138152. 11,10,10, 9,10,10, 8, 8, 9,10,10,10, 9,11, 9,10,
  138153. 11,11,11,11,10, 9,11, 9, 9,11,11,10, 8,11,11,11,
  138154. 9,10,10,11,10,11,11, 9,11,10, 9,11,10,10,10,10,
  138155. 9,11,10,11,10, 9, 9,10,11, 9, 8,10,11,11,10,10,
  138156. 11, 9,11,10,11,11,10,11, 9, 9, 8,10, 8, 9,11, 9,
  138157. 8,10,10, 9,11,10,11,10,11, 9,11, 8,10,11,11,11,
  138158. 11,10,10,11,11,11,11,10,11,11,10, 9, 8,10,10, 9,
  138159. 11,10,11,11,11, 9, 9, 9,11,11,11,10,10, 9, 9,10,
  138160. 9,11,11,11,11, 8,10,11,10,11,11,10,11,11, 9, 9,
  138161. 9,10, 9,11, 9,11,11,11,11,11,10,11,11,10,11,10,
  138162. 11,11, 9,11,10,11,10, 9,10, 9,10,10,11,11,11,11,
  138163. 9,10, 9,10,11,11,10,11,11,11,11,11,11,10,11,11,
  138164. 10,
  138165. };
  138166. static float _vq_quantthresh__16u1__p9_2[] = {
  138167. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  138168. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  138169. };
  138170. static long _vq_quantmap__16u1__p9_2[] = {
  138171. 15, 13, 11, 9, 7, 5, 3, 1,
  138172. 0, 2, 4, 6, 8, 10, 12, 14,
  138173. 16,
  138174. };
  138175. static encode_aux_threshmatch _vq_auxt__16u1__p9_2 = {
  138176. _vq_quantthresh__16u1__p9_2,
  138177. _vq_quantmap__16u1__p9_2,
  138178. 17,
  138179. 17
  138180. };
  138181. static static_codebook _16u1__p9_2 = {
  138182. 2, 289,
  138183. _vq_lengthlist__16u1__p9_2,
  138184. 1, -529530880, 1611661312, 5, 0,
  138185. _vq_quantlist__16u1__p9_2,
  138186. NULL,
  138187. &_vq_auxt__16u1__p9_2,
  138188. NULL,
  138189. 0
  138190. };
  138191. static long _huff_lengthlist__16u1__short[] = {
  138192. 5, 7,10, 9,11,10,15,11,13,16, 6, 4, 6, 6, 7, 7,
  138193. 10, 9,12,16,10, 6, 5, 6, 6, 7,10,11,16,16, 9, 6,
  138194. 7, 6, 7, 7,10, 8,14,16,11, 6, 5, 4, 5, 6, 8, 9,
  138195. 15,16, 9, 6, 6, 5, 6, 6, 9, 8,14,16,12, 7, 6, 6,
  138196. 5, 6, 6, 7,13,16, 8, 6, 7, 6, 5, 5, 4, 4,11,16,
  138197. 9, 8, 9, 9, 7, 7, 6, 5,13,16,14,14,16,15,16,15,
  138198. 16,16,16,16,
  138199. };
  138200. static static_codebook _huff_book__16u1__short = {
  138201. 2, 100,
  138202. _huff_lengthlist__16u1__short,
  138203. 0, 0, 0, 0, 0,
  138204. NULL,
  138205. NULL,
  138206. NULL,
  138207. NULL,
  138208. 0
  138209. };
  138210. static long _huff_lengthlist__16u2__long[] = {
  138211. 5, 7,10,10,10,11,11,13,18,19, 6, 5, 5, 6, 7, 8,
  138212. 9,12,19,19, 8, 5, 4, 4, 6, 7, 9,13,19,19, 8, 5,
  138213. 4, 4, 5, 6, 8,12,17,19, 7, 5, 5, 4, 4, 5, 7,12,
  138214. 18,18, 8, 7, 7, 6, 5, 5, 6,10,18,18, 9, 9, 9, 8,
  138215. 6, 5, 6, 9,18,18,11,13,13,13, 8, 7, 7, 9,16,18,
  138216. 13,17,18,16,11, 9, 9, 9,17,18,15,18,18,18,15,13,
  138217. 13,14,18,18,
  138218. };
  138219. static static_codebook _huff_book__16u2__long = {
  138220. 2, 100,
  138221. _huff_lengthlist__16u2__long,
  138222. 0, 0, 0, 0, 0,
  138223. NULL,
  138224. NULL,
  138225. NULL,
  138226. NULL,
  138227. 0
  138228. };
  138229. static long _huff_lengthlist__16u2__short[] = {
  138230. 8,11,12,12,14,15,16,16,16,16, 9, 7, 7, 8, 9,11,
  138231. 13,14,16,16,13, 7, 6, 6, 7, 9,12,13,15,16,15, 7,
  138232. 6, 5, 4, 6,10,11,14,16,12, 8, 7, 4, 2, 4, 7,10,
  138233. 14,16,11, 9, 7, 5, 3, 4, 6, 9,14,16,11,10, 9, 7,
  138234. 5, 5, 6, 9,16,16,10,10, 9, 8, 6, 6, 7,10,16,16,
  138235. 11,11,11,10,10,10,11,14,16,16,16,14,14,13,14,16,
  138236. 16,16,16,16,
  138237. };
  138238. static static_codebook _huff_book__16u2__short = {
  138239. 2, 100,
  138240. _huff_lengthlist__16u2__short,
  138241. 0, 0, 0, 0, 0,
  138242. NULL,
  138243. NULL,
  138244. NULL,
  138245. NULL,
  138246. 0
  138247. };
  138248. static long _vq_quantlist__16u2_p1_0[] = {
  138249. 1,
  138250. 0,
  138251. 2,
  138252. };
  138253. static long _vq_lengthlist__16u2_p1_0[] = {
  138254. 1, 5, 5, 5, 7, 7, 5, 7, 7, 5, 7, 7, 7, 9, 9, 7,
  138255. 9, 9, 5, 7, 7, 7, 9, 9, 7, 9, 9, 5, 7, 7, 8, 9,
  138256. 9, 7, 9, 9, 7, 9, 9, 9,10,10, 9,10,10, 7, 9, 9,
  138257. 9,10,10, 9,10,11, 5, 7, 8, 8, 9, 9, 8, 9, 9, 7,
  138258. 9, 9, 9,10,10, 9, 9,10, 7, 9, 9, 9,10,10, 9,11,
  138259. 10,
  138260. };
  138261. static float _vq_quantthresh__16u2_p1_0[] = {
  138262. -0.5, 0.5,
  138263. };
  138264. static long _vq_quantmap__16u2_p1_0[] = {
  138265. 1, 0, 2,
  138266. };
  138267. static encode_aux_threshmatch _vq_auxt__16u2_p1_0 = {
  138268. _vq_quantthresh__16u2_p1_0,
  138269. _vq_quantmap__16u2_p1_0,
  138270. 3,
  138271. 3
  138272. };
  138273. static static_codebook _16u2_p1_0 = {
  138274. 4, 81,
  138275. _vq_lengthlist__16u2_p1_0,
  138276. 1, -535822336, 1611661312, 2, 0,
  138277. _vq_quantlist__16u2_p1_0,
  138278. NULL,
  138279. &_vq_auxt__16u2_p1_0,
  138280. NULL,
  138281. 0
  138282. };
  138283. static long _vq_quantlist__16u2_p2_0[] = {
  138284. 2,
  138285. 1,
  138286. 3,
  138287. 0,
  138288. 4,
  138289. };
  138290. static long _vq_lengthlist__16u2_p2_0[] = {
  138291. 3, 5, 5, 8, 8, 5, 7, 7, 9, 9, 5, 7, 7, 9, 9, 9,
  138292. 10, 9,11,11, 9, 9, 9,11,11, 5, 7, 7, 9, 9, 7, 8,
  138293. 8,10,10, 7, 8, 8,10,10,10,10,10,12,12, 9,10,10,
  138294. 11,12, 5, 7, 7, 9, 9, 7, 8, 8,10,10, 7, 8, 8,10,
  138295. 10, 9,10,10,12,11,10,10,10,12,12, 9,10,10,12,12,
  138296. 10,11,10,13,12, 9,10,10,12,12,12,12,12,14,14,11,
  138297. 12,12,13,14, 9,10,10,12,12, 9,10,10,12,12,10,10,
  138298. 10,12,12,11,12,12,14,13,12,13,12,14,14, 5, 7, 7,
  138299. 9, 9, 7, 8, 8,10,10, 7, 8, 8,10,10,10,11,10,12,
  138300. 12,10,10,11,12,12, 7, 8, 8,10,10, 8, 9, 9,11,11,
  138301. 8, 9, 9,11,11,11,11,11,12,13,10,11,11,12,13, 7,
  138302. 8, 8,10,10, 8, 9, 8,11,10, 8, 9, 9,11,11,10,11,
  138303. 10,13,12,10,11,11,13,13, 9,11,10,13,13,10,11,11,
  138304. 13,13,10,11,11,13,13,12,12,13,13,15,12,12,13,14,
  138305. 15, 9,10,10,12,12,10,11,10,13,12,10,11,11,13,13,
  138306. 11,13,11,14,13,12,13,13,15,15, 5, 7, 7, 9, 9, 7,
  138307. 8, 8,10,10, 7, 8, 8,10,10,10,10,10,12,12,10,10,
  138308. 11,12,12, 7, 8, 8,10,10, 8, 9, 9,11,11, 8, 8, 9,
  138309. 10,11,10,11,11,13,13,10,10,11,12,13, 7, 8, 8,10,
  138310. 11, 8, 9, 9,11,11, 8, 9, 9,11,11,10,11,11,13,12,
  138311. 11,11,11,13,12, 9,10,10,12,12,10,11,11,13,13,10,
  138312. 10,11,12,13,12,13,13,15,14,11,11,13,12,14,10,10,
  138313. 11,13,13,10,11,11,13,13,10,11,11,13,13,12,13,13,
  138314. 14,14,12,13,12,14,13, 8,10, 9,12,12, 9,11,10,13,
  138315. 13, 9,10,10,12,13,12,13,13,14,14,12,12,13,14,14,
  138316. 9,11,10,13,13,10,11,11,13,13,10,11,11,13,13,12,
  138317. 13,13,15,15,13,13,13,14,15, 9,10,10,12,13,10,11,
  138318. 10,13,12,10,11,11,13,13,12,13,12,15,14,13,13,13,
  138319. 14,15,11,12,12,15,14,12,12,13,15,15,12,13,13,15,
  138320. 14,14,13,15,14,16,13,14,15,16,16,11,12,12,14,14,
  138321. 11,12,12,15,14,12,13,13,15,15,13,14,13,16,14,14,
  138322. 14,14,16,16, 8, 9, 9,12,12, 9,10,10,13,12, 9,10,
  138323. 10,13,13,12,12,12,14,14,12,12,13,15,15, 9,10,10,
  138324. 13,12,10,11,11,13,13,10,10,11,13,14,12,13,13,15,
  138325. 15,12,12,13,14,15, 9,10,10,13,13,10,11,11,13,13,
  138326. 10,11,11,13,13,12,13,13,14,14,13,14,13,15,14,11,
  138327. 12,12,14,14,12,13,13,15,14,11,12,12,14,15,14,14,
  138328. 14,16,15,13,12,14,14,16,11,12,13,14,15,12,13,13,
  138329. 14,16,12,13,12,15,14,13,15,14,16,16,14,15,13,16,
  138330. 13,
  138331. };
  138332. static float _vq_quantthresh__16u2_p2_0[] = {
  138333. -1.5, -0.5, 0.5, 1.5,
  138334. };
  138335. static long _vq_quantmap__16u2_p2_0[] = {
  138336. 3, 1, 0, 2, 4,
  138337. };
  138338. static encode_aux_threshmatch _vq_auxt__16u2_p2_0 = {
  138339. _vq_quantthresh__16u2_p2_0,
  138340. _vq_quantmap__16u2_p2_0,
  138341. 5,
  138342. 5
  138343. };
  138344. static static_codebook _16u2_p2_0 = {
  138345. 4, 625,
  138346. _vq_lengthlist__16u2_p2_0,
  138347. 1, -533725184, 1611661312, 3, 0,
  138348. _vq_quantlist__16u2_p2_0,
  138349. NULL,
  138350. &_vq_auxt__16u2_p2_0,
  138351. NULL,
  138352. 0
  138353. };
  138354. static long _vq_quantlist__16u2_p3_0[] = {
  138355. 4,
  138356. 3,
  138357. 5,
  138358. 2,
  138359. 6,
  138360. 1,
  138361. 7,
  138362. 0,
  138363. 8,
  138364. };
  138365. static long _vq_lengthlist__16u2_p3_0[] = {
  138366. 2, 4, 4, 6, 6, 7, 7, 9, 9, 4, 5, 5, 6, 6, 8, 7,
  138367. 9, 9, 4, 5, 5, 6, 6, 7, 8, 9, 9, 6, 6, 6, 7, 7,
  138368. 8, 8,10,10, 6, 6, 6, 7, 7, 8, 8, 9,10, 7, 8, 7,
  138369. 8, 8, 9, 9,10,10, 7, 8, 8, 8, 8, 9, 9,10,10, 9,
  138370. 9, 9,10, 9,10,10,11,11, 9, 9, 9,10,10,10,10,11,
  138371. 11,
  138372. };
  138373. static float _vq_quantthresh__16u2_p3_0[] = {
  138374. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  138375. };
  138376. static long _vq_quantmap__16u2_p3_0[] = {
  138377. 7, 5, 3, 1, 0, 2, 4, 6,
  138378. 8,
  138379. };
  138380. static encode_aux_threshmatch _vq_auxt__16u2_p3_0 = {
  138381. _vq_quantthresh__16u2_p3_0,
  138382. _vq_quantmap__16u2_p3_0,
  138383. 9,
  138384. 9
  138385. };
  138386. static static_codebook _16u2_p3_0 = {
  138387. 2, 81,
  138388. _vq_lengthlist__16u2_p3_0,
  138389. 1, -531628032, 1611661312, 4, 0,
  138390. _vq_quantlist__16u2_p3_0,
  138391. NULL,
  138392. &_vq_auxt__16u2_p3_0,
  138393. NULL,
  138394. 0
  138395. };
  138396. static long _vq_quantlist__16u2_p4_0[] = {
  138397. 8,
  138398. 7,
  138399. 9,
  138400. 6,
  138401. 10,
  138402. 5,
  138403. 11,
  138404. 4,
  138405. 12,
  138406. 3,
  138407. 13,
  138408. 2,
  138409. 14,
  138410. 1,
  138411. 15,
  138412. 0,
  138413. 16,
  138414. };
  138415. static long _vq_lengthlist__16u2_p4_0[] = {
  138416. 2, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10,11,11,11,
  138417. 11, 5, 5, 5, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,11,
  138418. 12,11, 5, 5, 5, 7, 7, 8, 8, 9, 9, 9, 9,10,10,11,
  138419. 11,12,12, 6, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  138420. 11,11,12,12, 6, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9,10,
  138421. 10,11,11,12,12, 7, 8, 8, 8, 8, 9, 9, 9, 9,10,10,
  138422. 11,11,12,12,12,12, 7, 8, 8, 8, 8, 9, 9, 9, 9,10,
  138423. 10,11,11,11,12,12,12, 9, 9, 9, 9, 9, 9,10,10,10,
  138424. 10,10,11,11,12,12,13,13, 8, 9, 9, 9, 9,10, 9,10,
  138425. 10,10,10,11,11,12,12,13,13, 9, 9, 9, 9, 9,10,10,
  138426. 10,10,11,11,11,12,12,12,13,13, 9, 9, 9, 9, 9,10,
  138427. 10,10,10,11,11,12,11,12,12,13,13,10,10,10,10,10,
  138428. 11,11,11,11,11,12,12,12,12,13,13,14,10,10,10,10,
  138429. 10,11,11,11,11,12,11,12,12,13,12,13,13,11,11,11,
  138430. 11,11,12,12,12,12,12,12,13,13,13,13,14,14,11,11,
  138431. 11,11,11,12,12,12,12,12,12,13,12,13,13,14,14,11,
  138432. 12,12,12,12,12,12,13,13,13,13,13,13,14,14,14,14,
  138433. 11,12,12,12,12,12,12,13,13,13,13,14,13,14,14,14,
  138434. 14,
  138435. };
  138436. static float _vq_quantthresh__16u2_p4_0[] = {
  138437. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  138438. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  138439. };
  138440. static long _vq_quantmap__16u2_p4_0[] = {
  138441. 15, 13, 11, 9, 7, 5, 3, 1,
  138442. 0, 2, 4, 6, 8, 10, 12, 14,
  138443. 16,
  138444. };
  138445. static encode_aux_threshmatch _vq_auxt__16u2_p4_0 = {
  138446. _vq_quantthresh__16u2_p4_0,
  138447. _vq_quantmap__16u2_p4_0,
  138448. 17,
  138449. 17
  138450. };
  138451. static static_codebook _16u2_p4_0 = {
  138452. 2, 289,
  138453. _vq_lengthlist__16u2_p4_0,
  138454. 1, -529530880, 1611661312, 5, 0,
  138455. _vq_quantlist__16u2_p4_0,
  138456. NULL,
  138457. &_vq_auxt__16u2_p4_0,
  138458. NULL,
  138459. 0
  138460. };
  138461. static long _vq_quantlist__16u2_p5_0[] = {
  138462. 1,
  138463. 0,
  138464. 2,
  138465. };
  138466. static long _vq_lengthlist__16u2_p5_0[] = {
  138467. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 9, 8, 7,10, 9, 7,
  138468. 10, 9, 5, 8, 9, 7, 9,10, 7, 9,10, 4, 9, 9, 9,11,
  138469. 11, 8,11,11, 7,11,11,10,10,13,10,14,13, 7,11,11,
  138470. 10,13,11,10,13,14, 5, 9, 9, 8,11,11, 9,11,11, 7,
  138471. 11,11,10,14,13,10,12,14, 7,11,11,10,13,13,10,13,
  138472. 10,
  138473. };
  138474. static float _vq_quantthresh__16u2_p5_0[] = {
  138475. -5.5, 5.5,
  138476. };
  138477. static long _vq_quantmap__16u2_p5_0[] = {
  138478. 1, 0, 2,
  138479. };
  138480. static encode_aux_threshmatch _vq_auxt__16u2_p5_0 = {
  138481. _vq_quantthresh__16u2_p5_0,
  138482. _vq_quantmap__16u2_p5_0,
  138483. 3,
  138484. 3
  138485. };
  138486. static static_codebook _16u2_p5_0 = {
  138487. 4, 81,
  138488. _vq_lengthlist__16u2_p5_0,
  138489. 1, -529137664, 1618345984, 2, 0,
  138490. _vq_quantlist__16u2_p5_0,
  138491. NULL,
  138492. &_vq_auxt__16u2_p5_0,
  138493. NULL,
  138494. 0
  138495. };
  138496. static long _vq_quantlist__16u2_p5_1[] = {
  138497. 5,
  138498. 4,
  138499. 6,
  138500. 3,
  138501. 7,
  138502. 2,
  138503. 8,
  138504. 1,
  138505. 9,
  138506. 0,
  138507. 10,
  138508. };
  138509. static long _vq_lengthlist__16u2_p5_1[] = {
  138510. 2, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8, 5, 5, 5, 7, 7,
  138511. 7, 7, 8, 8, 8, 8, 5, 5, 6, 7, 7, 7, 7, 8, 8, 8,
  138512. 8, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 6, 7, 7, 7,
  138513. 7, 8, 8, 8, 8, 8, 8, 7, 7, 7, 8, 8, 8, 8, 9, 9,
  138514. 9, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 8, 8, 8,
  138515. 8, 8, 9, 9, 9, 9, 9, 9, 8, 8, 8, 8, 8, 9, 9, 9,
  138516. 9, 9, 9, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 8, 8,
  138517. 8, 8, 8, 9, 9, 9, 9, 9, 9,
  138518. };
  138519. static float _vq_quantthresh__16u2_p5_1[] = {
  138520. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  138521. 3.5, 4.5,
  138522. };
  138523. static long _vq_quantmap__16u2_p5_1[] = {
  138524. 9, 7, 5, 3, 1, 0, 2, 4,
  138525. 6, 8, 10,
  138526. };
  138527. static encode_aux_threshmatch _vq_auxt__16u2_p5_1 = {
  138528. _vq_quantthresh__16u2_p5_1,
  138529. _vq_quantmap__16u2_p5_1,
  138530. 11,
  138531. 11
  138532. };
  138533. static static_codebook _16u2_p5_1 = {
  138534. 2, 121,
  138535. _vq_lengthlist__16u2_p5_1,
  138536. 1, -531365888, 1611661312, 4, 0,
  138537. _vq_quantlist__16u2_p5_1,
  138538. NULL,
  138539. &_vq_auxt__16u2_p5_1,
  138540. NULL,
  138541. 0
  138542. };
  138543. static long _vq_quantlist__16u2_p6_0[] = {
  138544. 6,
  138545. 5,
  138546. 7,
  138547. 4,
  138548. 8,
  138549. 3,
  138550. 9,
  138551. 2,
  138552. 10,
  138553. 1,
  138554. 11,
  138555. 0,
  138556. 12,
  138557. };
  138558. static long _vq_lengthlist__16u2_p6_0[] = {
  138559. 1, 4, 4, 7, 7, 8, 8, 8, 8, 9, 9,10,10, 4, 6, 6,
  138560. 8, 8, 9, 9, 9, 9,10,10,12,11, 4, 6, 6, 8, 8, 9,
  138561. 9, 9, 9,10,10,11,12, 7, 8, 8, 9, 9,10,10,10,10,
  138562. 12,12,13,12, 7, 8, 8, 9, 9,10,10,10,10,11,12,12,
  138563. 12, 8, 9, 9,10,10,11,11,11,11,12,12,13,13, 8, 9,
  138564. 9,10,10,11,11,11,11,12,13,13,13, 8, 9, 9,10,10,
  138565. 11,11,12,12,13,13,14,14, 8, 9, 9,10,10,11,11,12,
  138566. 12,13,13,14,14, 9,10,10,11,12,13,12,13,14,14,14,
  138567. 14,14, 9,10,10,11,12,12,13,13,13,14,14,14,14,10,
  138568. 11,11,12,12,13,13,14,14,15,15,15,15,10,11,11,12,
  138569. 12,13,13,14,14,14,14,15,15,
  138570. };
  138571. static float _vq_quantthresh__16u2_p6_0[] = {
  138572. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  138573. 12.5, 17.5, 22.5, 27.5,
  138574. };
  138575. static long _vq_quantmap__16u2_p6_0[] = {
  138576. 11, 9, 7, 5, 3, 1, 0, 2,
  138577. 4, 6, 8, 10, 12,
  138578. };
  138579. static encode_aux_threshmatch _vq_auxt__16u2_p6_0 = {
  138580. _vq_quantthresh__16u2_p6_0,
  138581. _vq_quantmap__16u2_p6_0,
  138582. 13,
  138583. 13
  138584. };
  138585. static static_codebook _16u2_p6_0 = {
  138586. 2, 169,
  138587. _vq_lengthlist__16u2_p6_0,
  138588. 1, -526516224, 1616117760, 4, 0,
  138589. _vq_quantlist__16u2_p6_0,
  138590. NULL,
  138591. &_vq_auxt__16u2_p6_0,
  138592. NULL,
  138593. 0
  138594. };
  138595. static long _vq_quantlist__16u2_p6_1[] = {
  138596. 2,
  138597. 1,
  138598. 3,
  138599. 0,
  138600. 4,
  138601. };
  138602. static long _vq_lengthlist__16u2_p6_1[] = {
  138603. 2, 4, 4, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5,
  138604. 5, 5, 6, 6, 5, 5, 5, 6, 6,
  138605. };
  138606. static float _vq_quantthresh__16u2_p6_1[] = {
  138607. -1.5, -0.5, 0.5, 1.5,
  138608. };
  138609. static long _vq_quantmap__16u2_p6_1[] = {
  138610. 3, 1, 0, 2, 4,
  138611. };
  138612. static encode_aux_threshmatch _vq_auxt__16u2_p6_1 = {
  138613. _vq_quantthresh__16u2_p6_1,
  138614. _vq_quantmap__16u2_p6_1,
  138615. 5,
  138616. 5
  138617. };
  138618. static static_codebook _16u2_p6_1 = {
  138619. 2, 25,
  138620. _vq_lengthlist__16u2_p6_1,
  138621. 1, -533725184, 1611661312, 3, 0,
  138622. _vq_quantlist__16u2_p6_1,
  138623. NULL,
  138624. &_vq_auxt__16u2_p6_1,
  138625. NULL,
  138626. 0
  138627. };
  138628. static long _vq_quantlist__16u2_p7_0[] = {
  138629. 6,
  138630. 5,
  138631. 7,
  138632. 4,
  138633. 8,
  138634. 3,
  138635. 9,
  138636. 2,
  138637. 10,
  138638. 1,
  138639. 11,
  138640. 0,
  138641. 12,
  138642. };
  138643. static long _vq_lengthlist__16u2_p7_0[] = {
  138644. 1, 4, 4, 7, 7, 7, 7, 8, 8, 9, 9,10,10, 4, 6, 6,
  138645. 9, 9, 9, 9, 9, 9,10,10,11,11, 4, 6, 6, 8, 9, 9,
  138646. 9, 9, 9,10,11,12,11, 7, 8, 9,10,10,10,10,11,10,
  138647. 11,12,12,13, 7, 9, 9,10,10,10,10,10,10,11,12,13,
  138648. 13, 7, 9, 8,10,10,11,11,11,12,12,13,13,14, 7, 9,
  138649. 9,10,10,11,11,11,12,13,13,13,13, 8, 9, 9,10,11,
  138650. 11,12,12,12,13,13,13,13, 8, 9, 9,10,11,11,11,12,
  138651. 12,13,13,14,14, 9,10,10,12,11,12,13,13,13,14,13,
  138652. 13,13, 9,10,10,11,11,12,12,13,14,13,13,14,13,10,
  138653. 11,11,12,13,14,14,14,15,14,14,14,14,10,11,11,12,
  138654. 12,13,13,13,14,14,14,15,14,
  138655. };
  138656. static float _vq_quantthresh__16u2_p7_0[] = {
  138657. -60.5, -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5,
  138658. 27.5, 38.5, 49.5, 60.5,
  138659. };
  138660. static long _vq_quantmap__16u2_p7_0[] = {
  138661. 11, 9, 7, 5, 3, 1, 0, 2,
  138662. 4, 6, 8, 10, 12,
  138663. };
  138664. static encode_aux_threshmatch _vq_auxt__16u2_p7_0 = {
  138665. _vq_quantthresh__16u2_p7_0,
  138666. _vq_quantmap__16u2_p7_0,
  138667. 13,
  138668. 13
  138669. };
  138670. static static_codebook _16u2_p7_0 = {
  138671. 2, 169,
  138672. _vq_lengthlist__16u2_p7_0,
  138673. 1, -523206656, 1618345984, 4, 0,
  138674. _vq_quantlist__16u2_p7_0,
  138675. NULL,
  138676. &_vq_auxt__16u2_p7_0,
  138677. NULL,
  138678. 0
  138679. };
  138680. static long _vq_quantlist__16u2_p7_1[] = {
  138681. 5,
  138682. 4,
  138683. 6,
  138684. 3,
  138685. 7,
  138686. 2,
  138687. 8,
  138688. 1,
  138689. 9,
  138690. 0,
  138691. 10,
  138692. };
  138693. static long _vq_lengthlist__16u2_p7_1[] = {
  138694. 3, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 5, 6, 6, 7, 7,
  138695. 7, 7, 7, 7, 8, 8, 5, 6, 6, 6, 6, 7, 7, 7, 7, 8,
  138696. 8, 6, 6, 7, 7, 7, 8, 7, 8, 8, 8, 8, 6, 7, 7, 7,
  138697. 7, 7, 7, 8, 8, 8, 8, 7, 7, 7, 7, 7, 8, 8, 8, 8,
  138698. 8, 8, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8, 7, 7, 7,
  138699. 8, 8, 8, 8, 8, 8, 8, 8, 7, 7, 7, 8, 8, 8, 8, 8,
  138700. 8, 8, 8, 7, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 7, 8,
  138701. 8, 8, 8, 8, 8, 8, 8, 8, 8,
  138702. };
  138703. static float _vq_quantthresh__16u2_p7_1[] = {
  138704. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  138705. 3.5, 4.5,
  138706. };
  138707. static long _vq_quantmap__16u2_p7_1[] = {
  138708. 9, 7, 5, 3, 1, 0, 2, 4,
  138709. 6, 8, 10,
  138710. };
  138711. static encode_aux_threshmatch _vq_auxt__16u2_p7_1 = {
  138712. _vq_quantthresh__16u2_p7_1,
  138713. _vq_quantmap__16u2_p7_1,
  138714. 11,
  138715. 11
  138716. };
  138717. static static_codebook _16u2_p7_1 = {
  138718. 2, 121,
  138719. _vq_lengthlist__16u2_p7_1,
  138720. 1, -531365888, 1611661312, 4, 0,
  138721. _vq_quantlist__16u2_p7_1,
  138722. NULL,
  138723. &_vq_auxt__16u2_p7_1,
  138724. NULL,
  138725. 0
  138726. };
  138727. static long _vq_quantlist__16u2_p8_0[] = {
  138728. 7,
  138729. 6,
  138730. 8,
  138731. 5,
  138732. 9,
  138733. 4,
  138734. 10,
  138735. 3,
  138736. 11,
  138737. 2,
  138738. 12,
  138739. 1,
  138740. 13,
  138741. 0,
  138742. 14,
  138743. };
  138744. static long _vq_lengthlist__16u2_p8_0[] = {
  138745. 1, 5, 5, 7, 7, 8, 8, 7, 7, 8, 8,10, 9,11,11, 4,
  138746. 6, 6, 8, 8,10, 9, 9, 8, 9, 9,10,10,12,14, 4, 6,
  138747. 7, 8, 9, 9,10, 9, 8, 9, 9,10,12,12,11, 7, 8, 8,
  138748. 10,10,10,10, 9, 9,10,10,11,13,13,12, 7, 8, 8, 9,
  138749. 11,11,10, 9, 9,11,10,12,11,11,14, 8, 9, 9,11,10,
  138750. 11,11,10,10,11,11,13,12,14,12, 8, 9, 9,11,12,11,
  138751. 11,10,10,12,11,12,12,12,14, 7, 8, 8, 9, 9,10,10,
  138752. 10,11,12,11,13,13,14,12, 7, 8, 9, 9, 9,10,10,11,
  138753. 11,11,12,12,14,14,14, 8,10, 9,10,11,11,11,11,14,
  138754. 12,12,13,14,14,13, 9, 9, 9,10,11,11,11,12,12,12,
  138755. 14,12,14,13,14,10,10,10,12,11,12,11,14,13,14,13,
  138756. 14,14,13,14, 9,10,10,11,12,11,13,12,13,13,14,14,
  138757. 14,13,14,10,13,13,12,12,11,12,14,13,14,13,14,12,
  138758. 14,13,10,11,11,12,11,12,12,14,14,14,13,14,14,14,
  138759. 14,
  138760. };
  138761. static float _vq_quantthresh__16u2_p8_0[] = {
  138762. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  138763. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  138764. };
  138765. static long _vq_quantmap__16u2_p8_0[] = {
  138766. 13, 11, 9, 7, 5, 3, 1, 0,
  138767. 2, 4, 6, 8, 10, 12, 14,
  138768. };
  138769. static encode_aux_threshmatch _vq_auxt__16u2_p8_0 = {
  138770. _vq_quantthresh__16u2_p8_0,
  138771. _vq_quantmap__16u2_p8_0,
  138772. 15,
  138773. 15
  138774. };
  138775. static static_codebook _16u2_p8_0 = {
  138776. 2, 225,
  138777. _vq_lengthlist__16u2_p8_0,
  138778. 1, -520986624, 1620377600, 4, 0,
  138779. _vq_quantlist__16u2_p8_0,
  138780. NULL,
  138781. &_vq_auxt__16u2_p8_0,
  138782. NULL,
  138783. 0
  138784. };
  138785. static long _vq_quantlist__16u2_p8_1[] = {
  138786. 10,
  138787. 9,
  138788. 11,
  138789. 8,
  138790. 12,
  138791. 7,
  138792. 13,
  138793. 6,
  138794. 14,
  138795. 5,
  138796. 15,
  138797. 4,
  138798. 16,
  138799. 3,
  138800. 17,
  138801. 2,
  138802. 18,
  138803. 1,
  138804. 19,
  138805. 0,
  138806. 20,
  138807. };
  138808. static long _vq_lengthlist__16u2_p8_1[] = {
  138809. 2, 5, 5, 7, 7, 8, 8, 8, 8, 9, 9,10, 9,10, 9, 9,
  138810. 9,10,10,10,10, 5, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,
  138811. 10, 9,10,10,10,10,10,10,11,10, 5, 6, 6, 7, 7, 8,
  138812. 8, 8, 9, 9,10,10,10,10,10,10,10,10,10,10,10, 7,
  138813. 7, 7, 8, 8, 9, 8, 9, 9,10, 9,10,10,10,10,10,10,
  138814. 11,10,11,10, 7, 7, 7, 8, 8, 8, 9, 9, 9,10, 9,10,
  138815. 10,10,10,10,10,10,10,10,10, 8, 8, 8, 9, 9, 9, 9,
  138816. 10, 9,10,10,10,10,10,10,10,11,10,10,11,10, 8, 8,
  138817. 8, 8, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,11,
  138818. 11,10,10, 8, 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,
  138819. 11,10,11,10,11,10,11,10, 8, 9, 9, 9, 9, 9,10,10,
  138820. 10,10,10,10,10,10,10,10,11,11,10,10,10, 9,10, 9,
  138821. 9,10,10,10,11,10,10,10,10,10,10,10,10,11,11,11,
  138822. 11,11, 9, 9, 9,10, 9,10,10,10,10,10,10,11,10,11,
  138823. 10,11,11,11,11,10,10, 9,10, 9,10,10,10,10,11,10,
  138824. 10,10,10,10,11,10,11,10,11,10,10,11, 9,10,10,10,
  138825. 10,10,10,10,10,10,11,10,10,11,11,10,11,11,11,11,
  138826. 11, 9, 9,10,10,10,10,10,11,10,10,11,10,10,11,10,
  138827. 10,11,11,11,11,11, 9,10,10,10,10,10,10,10,11,10,
  138828. 11,10,11,10,11,11,11,11,11,10,11,10,10,10,10,10,
  138829. 10,10,10,10,11,11,11,11,11,11,11,11,11,10,11,11,
  138830. 10,10,10,10,10,11,10,10,10,11,10,11,11,11,11,10,
  138831. 12,11,11,11,10,10,10,10,10,10,11,10,10,10,11,11,
  138832. 12,11,11,11,11,11,11,11,11,11,10,10,10,11,10,11,
  138833. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,10,
  138834. 10,10,11,10,11,10,10,11,11,11,11,11,11,11,11,11,
  138835. 11,11,11,10,10,10,10,10,10,10,11,11,10,11,11,10,
  138836. 11,11,10,11,11,11,10,11,11,
  138837. };
  138838. static float _vq_quantthresh__16u2_p8_1[] = {
  138839. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  138840. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  138841. 6.5, 7.5, 8.5, 9.5,
  138842. };
  138843. static long _vq_quantmap__16u2_p8_1[] = {
  138844. 19, 17, 15, 13, 11, 9, 7, 5,
  138845. 3, 1, 0, 2, 4, 6, 8, 10,
  138846. 12, 14, 16, 18, 20,
  138847. };
  138848. static encode_aux_threshmatch _vq_auxt__16u2_p8_1 = {
  138849. _vq_quantthresh__16u2_p8_1,
  138850. _vq_quantmap__16u2_p8_1,
  138851. 21,
  138852. 21
  138853. };
  138854. static static_codebook _16u2_p8_1 = {
  138855. 2, 441,
  138856. _vq_lengthlist__16u2_p8_1,
  138857. 1, -529268736, 1611661312, 5, 0,
  138858. _vq_quantlist__16u2_p8_1,
  138859. NULL,
  138860. &_vq_auxt__16u2_p8_1,
  138861. NULL,
  138862. 0
  138863. };
  138864. static long _vq_quantlist__16u2_p9_0[] = {
  138865. 5586,
  138866. 4655,
  138867. 6517,
  138868. 3724,
  138869. 7448,
  138870. 2793,
  138871. 8379,
  138872. 1862,
  138873. 9310,
  138874. 931,
  138875. 10241,
  138876. 0,
  138877. 11172,
  138878. 5521,
  138879. 5651,
  138880. };
  138881. static long _vq_lengthlist__16u2_p9_0[] = {
  138882. 1,10,10,10,10,10,10,10,10,10,10,10,10, 5, 4,10,
  138883. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138884. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138885. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138886. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138887. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138888. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138889. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138890. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138891. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138892. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138893. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  138894. 10,10,10, 4,10,10,10,10,10,10,10,10,10,10,10,10,
  138895. 6, 6, 5,10,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9, 5,
  138896. 5,
  138897. };
  138898. static float _vq_quantthresh__16u2_p9_0[] = {
  138899. -5120.5, -4189.5, -3258.5, -2327.5, -1396.5, -498, -32.5, 32.5,
  138900. 498, 1396.5, 2327.5, 3258.5, 4189.5, 5120.5,
  138901. };
  138902. static long _vq_quantmap__16u2_p9_0[] = {
  138903. 11, 9, 7, 5, 3, 1, 13, 0,
  138904. 14, 2, 4, 6, 8, 10, 12,
  138905. };
  138906. static encode_aux_threshmatch _vq_auxt__16u2_p9_0 = {
  138907. _vq_quantthresh__16u2_p9_0,
  138908. _vq_quantmap__16u2_p9_0,
  138909. 15,
  138910. 15
  138911. };
  138912. static static_codebook _16u2_p9_0 = {
  138913. 2, 225,
  138914. _vq_lengthlist__16u2_p9_0,
  138915. 1, -510275072, 1611661312, 14, 0,
  138916. _vq_quantlist__16u2_p9_0,
  138917. NULL,
  138918. &_vq_auxt__16u2_p9_0,
  138919. NULL,
  138920. 0
  138921. };
  138922. static long _vq_quantlist__16u2_p9_1[] = {
  138923. 392,
  138924. 343,
  138925. 441,
  138926. 294,
  138927. 490,
  138928. 245,
  138929. 539,
  138930. 196,
  138931. 588,
  138932. 147,
  138933. 637,
  138934. 98,
  138935. 686,
  138936. 49,
  138937. 735,
  138938. 0,
  138939. 784,
  138940. 388,
  138941. 396,
  138942. };
  138943. static long _vq_lengthlist__16u2_p9_1[] = {
  138944. 1,12,10,12,10,12,10,12,11,12,12,12,12,12,12,12,
  138945. 12, 5, 5, 9,10,12,11,11,12,12,12,12,12,12,12,12,
  138946. 12,12,12,12,10, 9, 9,11, 9,11,11,12,11,12,12,12,
  138947. 12,12,12,12,12,12,12, 8, 8,10,11, 9,12,11,12,12,
  138948. 12,12,12,12,12,12,12,12,12,12, 9, 8,10,11,12,11,
  138949. 12,11,12,12,12,12,12,12,12,12,12,12,12, 8, 9,11,
  138950. 11,10,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  138951. 9,10,11,12,11,12,11,12,12,12,12,12,12,12,12,12,
  138952. 12,12,12, 9, 9,11,12,12,12,12,12,12,12,12,12,12,
  138953. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  138954. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  138955. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  138956. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  138957. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  138958. 12,12,12,12,11,11,11,11,11,11,11,11,11,11,11,11,
  138959. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  138960. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  138961. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  138962. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  138963. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  138964. 11,11,11, 5, 8, 9, 9, 8,11, 9,11,11,11,11,11,11,
  138965. 11,11,11,11, 5, 5, 4, 8, 8, 8, 8,10, 9,10,10,11,
  138966. 11,11,11,11,11,11,11, 5, 4,
  138967. };
  138968. static float _vq_quantthresh__16u2_p9_1[] = {
  138969. -367.5, -318.5, -269.5, -220.5, -171.5, -122.5, -73.5, -26.5,
  138970. -2, 2, 26.5, 73.5, 122.5, 171.5, 220.5, 269.5,
  138971. 318.5, 367.5,
  138972. };
  138973. static long _vq_quantmap__16u2_p9_1[] = {
  138974. 15, 13, 11, 9, 7, 5, 3, 1,
  138975. 17, 0, 18, 2, 4, 6, 8, 10,
  138976. 12, 14, 16,
  138977. };
  138978. static encode_aux_threshmatch _vq_auxt__16u2_p9_1 = {
  138979. _vq_quantthresh__16u2_p9_1,
  138980. _vq_quantmap__16u2_p9_1,
  138981. 19,
  138982. 19
  138983. };
  138984. static static_codebook _16u2_p9_1 = {
  138985. 2, 361,
  138986. _vq_lengthlist__16u2_p9_1,
  138987. 1, -518488064, 1611661312, 10, 0,
  138988. _vq_quantlist__16u2_p9_1,
  138989. NULL,
  138990. &_vq_auxt__16u2_p9_1,
  138991. NULL,
  138992. 0
  138993. };
  138994. static long _vq_quantlist__16u2_p9_2[] = {
  138995. 24,
  138996. 23,
  138997. 25,
  138998. 22,
  138999. 26,
  139000. 21,
  139001. 27,
  139002. 20,
  139003. 28,
  139004. 19,
  139005. 29,
  139006. 18,
  139007. 30,
  139008. 17,
  139009. 31,
  139010. 16,
  139011. 32,
  139012. 15,
  139013. 33,
  139014. 14,
  139015. 34,
  139016. 13,
  139017. 35,
  139018. 12,
  139019. 36,
  139020. 11,
  139021. 37,
  139022. 10,
  139023. 38,
  139024. 9,
  139025. 39,
  139026. 8,
  139027. 40,
  139028. 7,
  139029. 41,
  139030. 6,
  139031. 42,
  139032. 5,
  139033. 43,
  139034. 4,
  139035. 44,
  139036. 3,
  139037. 45,
  139038. 2,
  139039. 46,
  139040. 1,
  139041. 47,
  139042. 0,
  139043. 48,
  139044. };
  139045. static long _vq_lengthlist__16u2_p9_2[] = {
  139046. 1, 3, 3, 4, 7, 7, 7, 8, 7, 7, 7, 7, 8, 8, 8, 8,
  139047. 7, 8, 8, 8, 8, 8, 8, 8, 8, 8, 7, 9, 9, 8, 9, 9,
  139048. 9, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,12,12,10,
  139049. 11,
  139050. };
  139051. static float _vq_quantthresh__16u2_p9_2[] = {
  139052. -23.5, -22.5, -21.5, -20.5, -19.5, -18.5, -17.5, -16.5,
  139053. -15.5, -14.5, -13.5, -12.5, -11.5, -10.5, -9.5, -8.5,
  139054. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  139055. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  139056. 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5,
  139057. 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5,
  139058. };
  139059. static long _vq_quantmap__16u2_p9_2[] = {
  139060. 47, 45, 43, 41, 39, 37, 35, 33,
  139061. 31, 29, 27, 25, 23, 21, 19, 17,
  139062. 15, 13, 11, 9, 7, 5, 3, 1,
  139063. 0, 2, 4, 6, 8, 10, 12, 14,
  139064. 16, 18, 20, 22, 24, 26, 28, 30,
  139065. 32, 34, 36, 38, 40, 42, 44, 46,
  139066. 48,
  139067. };
  139068. static encode_aux_threshmatch _vq_auxt__16u2_p9_2 = {
  139069. _vq_quantthresh__16u2_p9_2,
  139070. _vq_quantmap__16u2_p9_2,
  139071. 49,
  139072. 49
  139073. };
  139074. static static_codebook _16u2_p9_2 = {
  139075. 1, 49,
  139076. _vq_lengthlist__16u2_p9_2,
  139077. 1, -526909440, 1611661312, 6, 0,
  139078. _vq_quantlist__16u2_p9_2,
  139079. NULL,
  139080. &_vq_auxt__16u2_p9_2,
  139081. NULL,
  139082. 0
  139083. };
  139084. static long _vq_quantlist__8u0__p1_0[] = {
  139085. 1,
  139086. 0,
  139087. 2,
  139088. };
  139089. static long _vq_lengthlist__8u0__p1_0[] = {
  139090. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 8, 8, 8,10,10, 7,
  139091. 10,10, 5, 8, 8, 7,10,10, 8,10,10, 4, 9, 8, 8,11,
  139092. 11, 8,11,11, 7,11,11,10,11,13,10,13,13, 7,11,11,
  139093. 10,13,12,10,13,13, 5, 9, 8, 8,11,11, 8,11,11, 7,
  139094. 11,11, 9,13,13,10,12,13, 7,11,11,10,13,13,10,13,
  139095. 11,
  139096. };
  139097. static float _vq_quantthresh__8u0__p1_0[] = {
  139098. -0.5, 0.5,
  139099. };
  139100. static long _vq_quantmap__8u0__p1_0[] = {
  139101. 1, 0, 2,
  139102. };
  139103. static encode_aux_threshmatch _vq_auxt__8u0__p1_0 = {
  139104. _vq_quantthresh__8u0__p1_0,
  139105. _vq_quantmap__8u0__p1_0,
  139106. 3,
  139107. 3
  139108. };
  139109. static static_codebook _8u0__p1_0 = {
  139110. 4, 81,
  139111. _vq_lengthlist__8u0__p1_0,
  139112. 1, -535822336, 1611661312, 2, 0,
  139113. _vq_quantlist__8u0__p1_0,
  139114. NULL,
  139115. &_vq_auxt__8u0__p1_0,
  139116. NULL,
  139117. 0
  139118. };
  139119. static long _vq_quantlist__8u0__p2_0[] = {
  139120. 1,
  139121. 0,
  139122. 2,
  139123. };
  139124. static long _vq_lengthlist__8u0__p2_0[] = {
  139125. 2, 4, 4, 5, 6, 6, 5, 6, 6, 5, 7, 7, 6, 7, 8, 6,
  139126. 7, 8, 5, 7, 7, 6, 8, 8, 7, 9, 7, 5, 7, 7, 7, 9,
  139127. 9, 7, 8, 8, 6, 9, 8, 7, 7,10, 8,10,10, 6, 8, 8,
  139128. 8,10, 8, 8,10,10, 5, 7, 7, 7, 8, 8, 7, 8, 9, 6,
  139129. 8, 8, 8,10,10, 8, 8,10, 6, 8, 9, 8,10,10, 7,10,
  139130. 8,
  139131. };
  139132. static float _vq_quantthresh__8u0__p2_0[] = {
  139133. -0.5, 0.5,
  139134. };
  139135. static long _vq_quantmap__8u0__p2_0[] = {
  139136. 1, 0, 2,
  139137. };
  139138. static encode_aux_threshmatch _vq_auxt__8u0__p2_0 = {
  139139. _vq_quantthresh__8u0__p2_0,
  139140. _vq_quantmap__8u0__p2_0,
  139141. 3,
  139142. 3
  139143. };
  139144. static static_codebook _8u0__p2_0 = {
  139145. 4, 81,
  139146. _vq_lengthlist__8u0__p2_0,
  139147. 1, -535822336, 1611661312, 2, 0,
  139148. _vq_quantlist__8u0__p2_0,
  139149. NULL,
  139150. &_vq_auxt__8u0__p2_0,
  139151. NULL,
  139152. 0
  139153. };
  139154. static long _vq_quantlist__8u0__p3_0[] = {
  139155. 2,
  139156. 1,
  139157. 3,
  139158. 0,
  139159. 4,
  139160. };
  139161. static long _vq_lengthlist__8u0__p3_0[] = {
  139162. 1, 5, 5, 7, 7, 6, 7, 7, 9, 9, 6, 7, 7, 9, 9, 8,
  139163. 10, 9,11,11, 8, 9, 9,11,11, 6, 8, 8,10,10, 8,10,
  139164. 10,11,11, 8,10,10,11,11,10,11,11,12,12,10,11,11,
  139165. 12,13, 6, 8, 8,10,10, 8,10,10,11,11, 8,10,10,11,
  139166. 11, 9,10,11,12,12,10,11,11,12,12, 8,11,11,14,13,
  139167. 10,12,11,15,13,10,12,11,14,14,12,13,12,16,14,12,
  139168. 14,12,16,15, 8,11,11,13,14,10,11,12,13,15,10,11,
  139169. 12,13,15,11,12,13,14,15,12,12,14,14,16, 5, 8, 8,
  139170. 11,11, 9,11,11,12,12, 8,10,11,12,12,11,12,12,15,
  139171. 14,11,12,12,14,14, 7,11,10,13,12,10,11,12,13,14,
  139172. 10,12,12,14,13,12,13,13,14,15,12,13,13,15,15, 7,
  139173. 10,11,12,13,10,12,11,14,13,10,12,13,13,15,12,13,
  139174. 12,14,14,11,13,13,15,16, 9,12,12,15,14,11,13,13,
  139175. 15,16,11,13,13,16,16,13,14,15,15,15,12,14,15,17,
  139176. 16, 9,12,12,14,15,11,13,13,15,16,11,13,13,16,18,
  139177. 13,14,14,17,16,13,15,15,17,18, 5, 8, 9,11,11, 8,
  139178. 11,11,12,12, 8,10,11,12,12,11,12,12,14,14,11,12,
  139179. 12,14,15, 7,11,10,12,13,10,12,12,14,13,10,11,12,
  139180. 13,14,11,13,13,15,14,12,13,13,14,15, 7,10,11,13,
  139181. 13,10,12,12,13,14,10,12,12,13,13,11,13,13,16,16,
  139182. 12,13,13,15,14, 9,12,12,16,15,10,13,13,15,15,11,
  139183. 13,13,17,15,12,15,15,18,17,13,14,14,15,16, 9,12,
  139184. 12,15,15,11,13,13,15,16,11,13,13,15,15,12,15,15,
  139185. 16,16,13,15,14,17,15, 7,11,11,15,15,10,13,13,16,
  139186. 15,10,13,13,15,16,14,15,15,17,19,13,15,14,15,18,
  139187. 9,12,12,16,16,11,13,14,17,16,11,13,13,17,16,15,
  139188. 15,16,17,19,13,15,16, 0,18, 9,12,12,16,15,11,14,
  139189. 13,17,17,11,13,14,16,16,15,16,16,19,18,13,15,15,
  139190. 17,19,11,14,14,19,16,12,14,15, 0,18,12,16,15,18,
  139191. 17,15,15,18,16,19,14,15,17,19,19,11,14,14,18,19,
  139192. 13,15,14,19,19,12,16,15,18,17,15,17,15, 0,16,14,
  139193. 17,16,19, 0, 7,11,11,14,14,10,12,12,15,15,10,13,
  139194. 13,16,15,13,15,15,17, 0,14,15,15,16,19, 9,12,12,
  139195. 16,16,11,14,14,16,16,11,13,13,16,16,14,17,16,19,
  139196. 0,14,18,17,17,19, 9,12,12,15,16,11,13,13,15,17,
  139197. 12,14,13,19,16,13,15,15,17,19,15,17,16,17,19,11,
  139198. 14,14,19,16,12,15,15,19,17,13,14,15,17,19,14,16,
  139199. 17,19,19,16,15,16,17,19,11,15,14,16,16,12,15,15,
  139200. 19, 0,12,14,15,19,19,14,16,16, 0,18,15,19,14,18,
  139201. 16,
  139202. };
  139203. static float _vq_quantthresh__8u0__p3_0[] = {
  139204. -1.5, -0.5, 0.5, 1.5,
  139205. };
  139206. static long _vq_quantmap__8u0__p3_0[] = {
  139207. 3, 1, 0, 2, 4,
  139208. };
  139209. static encode_aux_threshmatch _vq_auxt__8u0__p3_0 = {
  139210. _vq_quantthresh__8u0__p3_0,
  139211. _vq_quantmap__8u0__p3_0,
  139212. 5,
  139213. 5
  139214. };
  139215. static static_codebook _8u0__p3_0 = {
  139216. 4, 625,
  139217. _vq_lengthlist__8u0__p3_0,
  139218. 1, -533725184, 1611661312, 3, 0,
  139219. _vq_quantlist__8u0__p3_0,
  139220. NULL,
  139221. &_vq_auxt__8u0__p3_0,
  139222. NULL,
  139223. 0
  139224. };
  139225. static long _vq_quantlist__8u0__p4_0[] = {
  139226. 2,
  139227. 1,
  139228. 3,
  139229. 0,
  139230. 4,
  139231. };
  139232. static long _vq_lengthlist__8u0__p4_0[] = {
  139233. 3, 5, 5, 8, 8, 5, 6, 7, 9, 9, 6, 7, 6, 9, 9, 9,
  139234. 9, 9,10,11, 9, 9, 9,11,10, 6, 7, 7,10,10, 7, 7,
  139235. 8,10,10, 7, 8, 8,10,10,10,10,10,10,11, 9,10,10,
  139236. 11,12, 6, 7, 7,10,10, 7, 8, 8,10,10, 7, 8, 7,10,
  139237. 10, 9,10,10,12,11,10,10,10,11,10, 9,10,10,12,11,
  139238. 10,10,10,13,11, 9,10,10,12,12,11,11,12,12,13,11,
  139239. 11,11,12,13, 9,10,10,12,12,10,10,11,12,12,10,10,
  139240. 11,12,12,11,11,11,13,13,11,12,12,13,13, 5, 7, 7,
  139241. 10,10, 7, 8, 8,10,10, 7, 8, 8,10,10,10,11,11,12,
  139242. 12,10,11,10,12,12, 7, 8, 8,11,11, 7, 8, 9,10,11,
  139243. 8, 9, 9,11,11,11,10,11,10,12,10,11,11,12,13, 7,
  139244. 8, 8,10,11, 8, 9, 8,12,10, 8, 9, 9,11,12,10,11,
  139245. 10,13,11,10,11,11,13,12, 9,11,10,13,12,10,10,11,
  139246. 12,12,10,11,11,13,13,12,10,13,11,14,11,12,12,15,
  139247. 13, 9,11,11,13,13,10,11,11,13,12,10,11,11,12,14,
  139248. 12,13,11,14,12,12,12,12,14,14, 5, 7, 7,10,10, 7,
  139249. 8, 8,10,10, 7, 8, 8,11,10,10,11,11,12,12,10,11,
  139250. 10,12,12, 7, 8, 8,10,11, 8, 9, 9,12,11, 8, 8, 9,
  139251. 10,11,10,11,11,12,13,11,10,11,11,13, 6, 8, 8,10,
  139252. 11, 8, 9, 9,11,11, 7, 9, 7,11,10,10,11,11,12,12,
  139253. 10,11,10,13,10, 9,11,10,13,12,10,12,11,13,13,10,
  139254. 10,11,12,13,11,12,13,15,14,11,11,13,12,13, 9,10,
  139255. 11,12,13,10,11,11,12,13,10,11,10,13,12,12,13,13,
  139256. 13,14,12,12,11,14,11, 8,10,10,12,13,10,11,11,13,
  139257. 13,10,11,10,13,13,12,13,14,15,14,12,12,12,14,13,
  139258. 9,10,10,13,12,10,10,12,13,13,10,11,11,15,12,12,
  139259. 12,13,15,14,12,13,13,15,13, 9,10,11,12,13,10,12,
  139260. 10,13,12,10,11,11,12,13,12,14,12,15,13,12,12,12,
  139261. 15,14,11,12,11,14,13,11,11,12,14,14,12,13,13,14,
  139262. 13,13,11,15,11,15,14,14,14,16,15,11,12,12,13,14,
  139263. 11,13,11,14,14,12,12,13,14,15,12,14,12,15,12,13,
  139264. 15,14,16,15, 8,10,10,12,12,10,10,10,12,13,10,11,
  139265. 11,13,13,12,12,12,13,14,13,13,13,15,15, 9,10,10,
  139266. 12,12,10,11,11,13,12,10,10,11,13,13,12,12,12,14,
  139267. 14,12,12,13,15,14, 9,10,10,13,12,10,10,12,12,13,
  139268. 10,11,10,13,13,12,13,13,14,14,12,13,12,14,13,11,
  139269. 12,12,14,13,12,13,12,14,14,10,12,12,14,14,14,14,
  139270. 14,16,14,13,12,14,12,15,10,12,12,14,15,12,13,13,
  139271. 14,16,11,12,11,15,14,13,14,14,14,15,13,14,11,14,
  139272. 12,
  139273. };
  139274. static float _vq_quantthresh__8u0__p4_0[] = {
  139275. -1.5, -0.5, 0.5, 1.5,
  139276. };
  139277. static long _vq_quantmap__8u0__p4_0[] = {
  139278. 3, 1, 0, 2, 4,
  139279. };
  139280. static encode_aux_threshmatch _vq_auxt__8u0__p4_0 = {
  139281. _vq_quantthresh__8u0__p4_0,
  139282. _vq_quantmap__8u0__p4_0,
  139283. 5,
  139284. 5
  139285. };
  139286. static static_codebook _8u0__p4_0 = {
  139287. 4, 625,
  139288. _vq_lengthlist__8u0__p4_0,
  139289. 1, -533725184, 1611661312, 3, 0,
  139290. _vq_quantlist__8u0__p4_0,
  139291. NULL,
  139292. &_vq_auxt__8u0__p4_0,
  139293. NULL,
  139294. 0
  139295. };
  139296. static long _vq_quantlist__8u0__p5_0[] = {
  139297. 4,
  139298. 3,
  139299. 5,
  139300. 2,
  139301. 6,
  139302. 1,
  139303. 7,
  139304. 0,
  139305. 8,
  139306. };
  139307. static long _vq_lengthlist__8u0__p5_0[] = {
  139308. 1, 4, 4, 7, 7, 7, 7, 9, 9, 4, 6, 6, 8, 7, 8, 8,
  139309. 10,10, 4, 6, 6, 8, 8, 8, 8,10,10, 6, 8, 8, 9, 9,
  139310. 9, 9,11,11, 7, 8, 8, 9, 9, 9, 9,11,11, 7, 8, 8,
  139311. 9, 9,10,10,12,11, 7, 8, 8, 9, 9,10,10,11,11, 9,
  139312. 10,10,11,11,11,12,12,12, 9,10,10,11,11,12,12,12,
  139313. 12,
  139314. };
  139315. static float _vq_quantthresh__8u0__p5_0[] = {
  139316. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  139317. };
  139318. static long _vq_quantmap__8u0__p5_0[] = {
  139319. 7, 5, 3, 1, 0, 2, 4, 6,
  139320. 8,
  139321. };
  139322. static encode_aux_threshmatch _vq_auxt__8u0__p5_0 = {
  139323. _vq_quantthresh__8u0__p5_0,
  139324. _vq_quantmap__8u0__p5_0,
  139325. 9,
  139326. 9
  139327. };
  139328. static static_codebook _8u0__p5_0 = {
  139329. 2, 81,
  139330. _vq_lengthlist__8u0__p5_0,
  139331. 1, -531628032, 1611661312, 4, 0,
  139332. _vq_quantlist__8u0__p5_0,
  139333. NULL,
  139334. &_vq_auxt__8u0__p5_0,
  139335. NULL,
  139336. 0
  139337. };
  139338. static long _vq_quantlist__8u0__p6_0[] = {
  139339. 6,
  139340. 5,
  139341. 7,
  139342. 4,
  139343. 8,
  139344. 3,
  139345. 9,
  139346. 2,
  139347. 10,
  139348. 1,
  139349. 11,
  139350. 0,
  139351. 12,
  139352. };
  139353. static long _vq_lengthlist__8u0__p6_0[] = {
  139354. 1, 4, 4, 7, 7, 9, 9,11,11,12,12,16,16, 3, 6, 6,
  139355. 9, 9,11,11,12,12,13,14,18,16, 3, 6, 7, 9, 9,11,
  139356. 11,13,12,14,14,17,16, 7, 9, 9,11,11,12,12,14,14,
  139357. 14,14,17,16, 7, 9, 9,11,11,13,12,13,13,14,14,17,
  139358. 0, 9,11,11,12,13,14,14,14,13,15,14,17,17, 9,11,
  139359. 11,12,12,14,14,13,14,14,15, 0, 0,11,12,12,15,14,
  139360. 15,14,15,14,15,16,17, 0,11,12,13,13,13,14,14,15,
  139361. 14,15,15, 0, 0,12,14,14,15,15,14,16,15,15,17,16,
  139362. 0,18,13,14,14,15,14,15,14,15,16,17,16, 0, 0,17,
  139363. 17,18, 0,16,18,16, 0, 0, 0,17, 0, 0,16, 0, 0,16,
  139364. 16, 0,15, 0,17, 0, 0, 0, 0,
  139365. };
  139366. static float _vq_quantthresh__8u0__p6_0[] = {
  139367. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  139368. 12.5, 17.5, 22.5, 27.5,
  139369. };
  139370. static long _vq_quantmap__8u0__p6_0[] = {
  139371. 11, 9, 7, 5, 3, 1, 0, 2,
  139372. 4, 6, 8, 10, 12,
  139373. };
  139374. static encode_aux_threshmatch _vq_auxt__8u0__p6_0 = {
  139375. _vq_quantthresh__8u0__p6_0,
  139376. _vq_quantmap__8u0__p6_0,
  139377. 13,
  139378. 13
  139379. };
  139380. static static_codebook _8u0__p6_0 = {
  139381. 2, 169,
  139382. _vq_lengthlist__8u0__p6_0,
  139383. 1, -526516224, 1616117760, 4, 0,
  139384. _vq_quantlist__8u0__p6_0,
  139385. NULL,
  139386. &_vq_auxt__8u0__p6_0,
  139387. NULL,
  139388. 0
  139389. };
  139390. static long _vq_quantlist__8u0__p6_1[] = {
  139391. 2,
  139392. 1,
  139393. 3,
  139394. 0,
  139395. 4,
  139396. };
  139397. static long _vq_lengthlist__8u0__p6_1[] = {
  139398. 1, 4, 4, 6, 6, 4, 6, 5, 7, 7, 4, 5, 6, 7, 7, 6,
  139399. 7, 7, 7, 7, 6, 7, 7, 7, 7,
  139400. };
  139401. static float _vq_quantthresh__8u0__p6_1[] = {
  139402. -1.5, -0.5, 0.5, 1.5,
  139403. };
  139404. static long _vq_quantmap__8u0__p6_1[] = {
  139405. 3, 1, 0, 2, 4,
  139406. };
  139407. static encode_aux_threshmatch _vq_auxt__8u0__p6_1 = {
  139408. _vq_quantthresh__8u0__p6_1,
  139409. _vq_quantmap__8u0__p6_1,
  139410. 5,
  139411. 5
  139412. };
  139413. static static_codebook _8u0__p6_1 = {
  139414. 2, 25,
  139415. _vq_lengthlist__8u0__p6_1,
  139416. 1, -533725184, 1611661312, 3, 0,
  139417. _vq_quantlist__8u0__p6_1,
  139418. NULL,
  139419. &_vq_auxt__8u0__p6_1,
  139420. NULL,
  139421. 0
  139422. };
  139423. static long _vq_quantlist__8u0__p7_0[] = {
  139424. 1,
  139425. 0,
  139426. 2,
  139427. };
  139428. static long _vq_lengthlist__8u0__p7_0[] = {
  139429. 1, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  139430. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  139431. 8, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  139432. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  139433. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  139434. 7,
  139435. };
  139436. static float _vq_quantthresh__8u0__p7_0[] = {
  139437. -157.5, 157.5,
  139438. };
  139439. static long _vq_quantmap__8u0__p7_0[] = {
  139440. 1, 0, 2,
  139441. };
  139442. static encode_aux_threshmatch _vq_auxt__8u0__p7_0 = {
  139443. _vq_quantthresh__8u0__p7_0,
  139444. _vq_quantmap__8u0__p7_0,
  139445. 3,
  139446. 3
  139447. };
  139448. static static_codebook _8u0__p7_0 = {
  139449. 4, 81,
  139450. _vq_lengthlist__8u0__p7_0,
  139451. 1, -518803456, 1628680192, 2, 0,
  139452. _vq_quantlist__8u0__p7_0,
  139453. NULL,
  139454. &_vq_auxt__8u0__p7_0,
  139455. NULL,
  139456. 0
  139457. };
  139458. static long _vq_quantlist__8u0__p7_1[] = {
  139459. 7,
  139460. 6,
  139461. 8,
  139462. 5,
  139463. 9,
  139464. 4,
  139465. 10,
  139466. 3,
  139467. 11,
  139468. 2,
  139469. 12,
  139470. 1,
  139471. 13,
  139472. 0,
  139473. 14,
  139474. };
  139475. static long _vq_lengthlist__8u0__p7_1[] = {
  139476. 1, 5, 5, 5, 5,10,10,11,11,11,11,11,11,11,11, 5,
  139477. 7, 6, 8, 8, 9,10,11,11,11,11,11,11,11,11, 6, 6,
  139478. 7, 9, 7,11,10,11,11,11,11,11,11,11,11, 5, 6, 6,
  139479. 11, 8,11,11,11,11,11,11,11,11,11,11, 5, 6, 6, 9,
  139480. 10,11,10,11,11,11,11,11,11,11,11, 7,10,10,11,11,
  139481. 11,11,11,11,11,11,11,11,11,11, 7,11, 8,11,11,11,
  139482. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  139483. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  139484. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  139485. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  139486. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  139487. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  139488. 11,11,11,11,11,11,11,11,11,11,11,10,10,10,10,10,
  139489. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  139490. 10,
  139491. };
  139492. static float _vq_quantthresh__8u0__p7_1[] = {
  139493. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  139494. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  139495. };
  139496. static long _vq_quantmap__8u0__p7_1[] = {
  139497. 13, 11, 9, 7, 5, 3, 1, 0,
  139498. 2, 4, 6, 8, 10, 12, 14,
  139499. };
  139500. static encode_aux_threshmatch _vq_auxt__8u0__p7_1 = {
  139501. _vq_quantthresh__8u0__p7_1,
  139502. _vq_quantmap__8u0__p7_1,
  139503. 15,
  139504. 15
  139505. };
  139506. static static_codebook _8u0__p7_1 = {
  139507. 2, 225,
  139508. _vq_lengthlist__8u0__p7_1,
  139509. 1, -520986624, 1620377600, 4, 0,
  139510. _vq_quantlist__8u0__p7_1,
  139511. NULL,
  139512. &_vq_auxt__8u0__p7_1,
  139513. NULL,
  139514. 0
  139515. };
  139516. static long _vq_quantlist__8u0__p7_2[] = {
  139517. 10,
  139518. 9,
  139519. 11,
  139520. 8,
  139521. 12,
  139522. 7,
  139523. 13,
  139524. 6,
  139525. 14,
  139526. 5,
  139527. 15,
  139528. 4,
  139529. 16,
  139530. 3,
  139531. 17,
  139532. 2,
  139533. 18,
  139534. 1,
  139535. 19,
  139536. 0,
  139537. 20,
  139538. };
  139539. static long _vq_lengthlist__8u0__p7_2[] = {
  139540. 1, 6, 5, 7, 7, 9, 9, 9, 9,10,12,12,10,11,11,10,
  139541. 11,11,11,10,11, 6, 8, 8, 9, 9,10,10, 9,10,11,11,
  139542. 10,11,11,11,11,10,11,11,11,11, 6, 7, 8, 9, 9, 9,
  139543. 10,11,10,11,12,11,10,11,11,11,11,11,11,12,10, 8,
  139544. 9, 9,10, 9,10,10, 9,10,10,10,10,10, 9,10,10,10,
  139545. 10, 9,10,10, 9, 9, 9, 9,10,10, 9, 9,10,10,11,10,
  139546. 9,12,10,11,10, 9,10,10,10, 8, 9, 9,10, 9,10, 9,
  139547. 9,10,10, 9,10, 9,11,10,10,10,10,10, 9,10, 8, 8,
  139548. 9, 9,10, 9,11, 9, 8, 9, 9,10,11,10,10,10,11,12,
  139549. 9, 9,11, 8, 9, 8,11,10,11,10,10, 9,11,10,10,10,
  139550. 10,10,10,10,11,11,11,11, 8, 9, 9, 9,10,10,10,11,
  139551. 11,12,11,12,11,10,10,10,12,11,11,11,10, 8,10, 9,
  139552. 11,10,10,11,12,10,11,12,11,11,12,11,12,12,10,11,
  139553. 11,10, 9, 9,10,11,12,10,10,10,11,10,11,11,10,12,
  139554. 12,10,11,10,11,12,10, 9,10,10,11,10,11,11,11,11,
  139555. 11,12,11,11,11, 9,11,10,11,10,11,10, 9, 9,10,11,
  139556. 11,11,10,10,11,12,12,11,12,11,11,11,12,12,12,12,
  139557. 11, 9,11,11,12,10,11,11,11,11,11,11,12,11,11,12,
  139558. 11,11,11,10,11,11, 9,11,10,11,11,11,10,10,10,11,
  139559. 11,11,12,10,11,10,11,11,11,11,12, 9,11,10,11,11,
  139560. 10,10,11,11, 9,11,11,12,10,10,10,10,10,11,11,10,
  139561. 9,10,11,11,12,11,10,10,12,11,11,12,11,12,11,11,
  139562. 10,10,11,11,10,12,11,10,11,10,11,10,10,10,11,11,
  139563. 10,10,11,11,11,11,10,10,10,12,11,11,11,11,10, 9,
  139564. 10,11,11,11,12,11,11,11,12,10,11,11,11, 9,10,11,
  139565. 11,11,11,11,11,10,10,11,11,12,11,10,11,12,11,10,
  139566. 10,11, 9,10,11,11,11,11,11,10,11,11,10,12,11,11,
  139567. 11,12,11,11,11,10,10,11,11,
  139568. };
  139569. static float _vq_quantthresh__8u0__p7_2[] = {
  139570. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  139571. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  139572. 6.5, 7.5, 8.5, 9.5,
  139573. };
  139574. static long _vq_quantmap__8u0__p7_2[] = {
  139575. 19, 17, 15, 13, 11, 9, 7, 5,
  139576. 3, 1, 0, 2, 4, 6, 8, 10,
  139577. 12, 14, 16, 18, 20,
  139578. };
  139579. static encode_aux_threshmatch _vq_auxt__8u0__p7_2 = {
  139580. _vq_quantthresh__8u0__p7_2,
  139581. _vq_quantmap__8u0__p7_2,
  139582. 21,
  139583. 21
  139584. };
  139585. static static_codebook _8u0__p7_2 = {
  139586. 2, 441,
  139587. _vq_lengthlist__8u0__p7_2,
  139588. 1, -529268736, 1611661312, 5, 0,
  139589. _vq_quantlist__8u0__p7_2,
  139590. NULL,
  139591. &_vq_auxt__8u0__p7_2,
  139592. NULL,
  139593. 0
  139594. };
  139595. static long _huff_lengthlist__8u0__single[] = {
  139596. 4, 7,11, 9,12, 8, 7,10, 6, 4, 5, 5, 7, 5, 6,16,
  139597. 9, 5, 5, 6, 7, 7, 9,16, 7, 4, 6, 5, 7, 5, 7,17,
  139598. 10, 7, 7, 8, 7, 7, 8,18, 7, 5, 6, 4, 5, 4, 5,15,
  139599. 7, 6, 7, 5, 6, 4, 5,15,12,13,18,12,17,11, 9,17,
  139600. };
  139601. static static_codebook _huff_book__8u0__single = {
  139602. 2, 64,
  139603. _huff_lengthlist__8u0__single,
  139604. 0, 0, 0, 0, 0,
  139605. NULL,
  139606. NULL,
  139607. NULL,
  139608. NULL,
  139609. 0
  139610. };
  139611. static long _vq_quantlist__8u1__p1_0[] = {
  139612. 1,
  139613. 0,
  139614. 2,
  139615. };
  139616. static long _vq_lengthlist__8u1__p1_0[] = {
  139617. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 8, 8, 7, 9,10, 7,
  139618. 9, 9, 5, 8, 8, 7,10, 9, 7, 9, 9, 5, 8, 8, 8,10,
  139619. 10, 8,10,10, 7,10,10, 9,10,12,10,12,12, 7,10,10,
  139620. 9,12,11,10,12,12, 5, 8, 8, 8,10,10, 8,10,10, 7,
  139621. 10,10,10,12,12, 9,11,12, 7,10,10,10,12,12, 9,12,
  139622. 10,
  139623. };
  139624. static float _vq_quantthresh__8u1__p1_0[] = {
  139625. -0.5, 0.5,
  139626. };
  139627. static long _vq_quantmap__8u1__p1_0[] = {
  139628. 1, 0, 2,
  139629. };
  139630. static encode_aux_threshmatch _vq_auxt__8u1__p1_0 = {
  139631. _vq_quantthresh__8u1__p1_0,
  139632. _vq_quantmap__8u1__p1_0,
  139633. 3,
  139634. 3
  139635. };
  139636. static static_codebook _8u1__p1_0 = {
  139637. 4, 81,
  139638. _vq_lengthlist__8u1__p1_0,
  139639. 1, -535822336, 1611661312, 2, 0,
  139640. _vq_quantlist__8u1__p1_0,
  139641. NULL,
  139642. &_vq_auxt__8u1__p1_0,
  139643. NULL,
  139644. 0
  139645. };
  139646. static long _vq_quantlist__8u1__p2_0[] = {
  139647. 1,
  139648. 0,
  139649. 2,
  139650. };
  139651. static long _vq_lengthlist__8u1__p2_0[] = {
  139652. 3, 4, 5, 5, 6, 6, 5, 6, 6, 5, 7, 6, 6, 7, 8, 6,
  139653. 7, 8, 5, 6, 6, 6, 8, 7, 6, 8, 7, 5, 6, 6, 7, 8,
  139654. 8, 6, 7, 7, 6, 8, 7, 7, 7, 9, 8, 9, 9, 6, 7, 8,
  139655. 7, 9, 7, 8, 9, 9, 5, 6, 6, 6, 7, 7, 7, 8, 8, 6,
  139656. 8, 7, 8, 9, 9, 7, 7, 9, 6, 7, 8, 8, 9, 9, 7, 9,
  139657. 7,
  139658. };
  139659. static float _vq_quantthresh__8u1__p2_0[] = {
  139660. -0.5, 0.5,
  139661. };
  139662. static long _vq_quantmap__8u1__p2_0[] = {
  139663. 1, 0, 2,
  139664. };
  139665. static encode_aux_threshmatch _vq_auxt__8u1__p2_0 = {
  139666. _vq_quantthresh__8u1__p2_0,
  139667. _vq_quantmap__8u1__p2_0,
  139668. 3,
  139669. 3
  139670. };
  139671. static static_codebook _8u1__p2_0 = {
  139672. 4, 81,
  139673. _vq_lengthlist__8u1__p2_0,
  139674. 1, -535822336, 1611661312, 2, 0,
  139675. _vq_quantlist__8u1__p2_0,
  139676. NULL,
  139677. &_vq_auxt__8u1__p2_0,
  139678. NULL,
  139679. 0
  139680. };
  139681. static long _vq_quantlist__8u1__p3_0[] = {
  139682. 2,
  139683. 1,
  139684. 3,
  139685. 0,
  139686. 4,
  139687. };
  139688. static long _vq_lengthlist__8u1__p3_0[] = {
  139689. 1, 5, 5, 7, 7, 6, 7, 7, 9, 9, 6, 7, 7, 9, 9, 8,
  139690. 10, 9,11,11, 9, 9, 9,11,11, 6, 8, 8,10,10, 8,10,
  139691. 10,11,11, 8, 9,10,11,11,10,11,11,12,12,10,11,11,
  139692. 12,13, 6, 8, 8,10,10, 8,10, 9,11,11, 8,10, 9,11,
  139693. 11,10,11,11,12,12,10,11,11,12,12, 9,11,11,14,13,
  139694. 10,12,11,14,14,10,12,11,14,13,12,13,13,15,14,12,
  139695. 13,13,15,14, 8,11,11,13,14,10,11,12,13,15,10,11,
  139696. 12,14,14,12,13,13,14,15,12,13,13,14,15, 5, 8, 8,
  139697. 11,11, 8,10,10,12,12, 8,10,10,12,12,11,12,12,14,
  139698. 13,11,12,12,13,14, 8,10,10,12,12, 9,11,12,13,14,
  139699. 10,12,12,13,13,12,12,13,14,14,11,13,13,15,15, 7,
  139700. 10,10,12,12, 9,12,11,14,12,10,11,12,13,14,12,13,
  139701. 12,14,14,12,13,13,15,16,10,12,12,15,14,11,12,13,
  139702. 15,15,11,13,13,15,16,14,14,15,15,16,13,14,15,17,
  139703. 15, 9,12,12,14,15,11,13,12,15,15,11,13,13,15,15,
  139704. 13,14,13,15,14,13,14,14,17, 0, 5, 8, 8,11,11, 8,
  139705. 10,10,12,12, 8,10,10,12,12,11,12,12,14,14,11,12,
  139706. 12,14,14, 7,10,10,12,12,10,12,12,13,13, 9,11,12,
  139707. 12,13,11,12,13,15,15,11,12,13,14,15, 8,10,10,12,
  139708. 12,10,12,11,13,13,10,12,11,13,13,11,13,13,15,14,
  139709. 12,13,12,15,13, 9,12,12,14,14,11,13,13,16,15,11,
  139710. 12,13,16,15,13,14,15,16,16,13,13,15,15,16,10,12,
  139711. 12,15,14,11,13,13,14,16,11,13,13,15,16,13,15,15,
  139712. 16,17,13,15,14,16,15, 8,11,11,14,15,10,12,12,15,
  139713. 15,10,12,12,15,16,14,15,15,16,17,13,14,14,16,16,
  139714. 9,12,12,15,15,11,13,14,15,17,11,13,13,15,16,14,
  139715. 15,16,19,17,13,15,15, 0,17, 9,12,12,15,15,11,14,
  139716. 13,16,15,11,13,13,15,16,15,15,15,18,17,13,15,15,
  139717. 17,17,11,15,14,18,16,12,14,15,17,17,12,15,15,18,
  139718. 18,15,15,16,15,19,14,16,16, 0, 0,11,14,14,16,17,
  139719. 12,15,14,18,17,12,15,15,18,18,15,17,15,18,16,14,
  139720. 16,16,18,18, 7,11,11,14,14,10,12,12,15,15,10,12,
  139721. 13,15,15,13,14,15,16,16,14,15,15,18,18, 9,12,12,
  139722. 15,15,11,13,13,16,15,11,12,13,16,16,14,15,15,17,
  139723. 16,15,16,16,17,17, 9,12,12,15,15,11,13,13,15,17,
  139724. 11,14,13,16,15,13,15,15,17,17,15,15,15,18,17,11,
  139725. 14,14,17,15,12,14,15,17,18,13,13,15,17,17,14,16,
  139726. 16,19,18,16,15,17,17, 0,11,14,14,17,17,12,15,15,
  139727. 18, 0,12,15,14,18,16,14,17,17,19, 0,16,18,15, 0,
  139728. 16,
  139729. };
  139730. static float _vq_quantthresh__8u1__p3_0[] = {
  139731. -1.5, -0.5, 0.5, 1.5,
  139732. };
  139733. static long _vq_quantmap__8u1__p3_0[] = {
  139734. 3, 1, 0, 2, 4,
  139735. };
  139736. static encode_aux_threshmatch _vq_auxt__8u1__p3_0 = {
  139737. _vq_quantthresh__8u1__p3_0,
  139738. _vq_quantmap__8u1__p3_0,
  139739. 5,
  139740. 5
  139741. };
  139742. static static_codebook _8u1__p3_0 = {
  139743. 4, 625,
  139744. _vq_lengthlist__8u1__p3_0,
  139745. 1, -533725184, 1611661312, 3, 0,
  139746. _vq_quantlist__8u1__p3_0,
  139747. NULL,
  139748. &_vq_auxt__8u1__p3_0,
  139749. NULL,
  139750. 0
  139751. };
  139752. static long _vq_quantlist__8u1__p4_0[] = {
  139753. 2,
  139754. 1,
  139755. 3,
  139756. 0,
  139757. 4,
  139758. };
  139759. static long _vq_lengthlist__8u1__p4_0[] = {
  139760. 4, 5, 5, 9, 9, 6, 7, 7, 9, 9, 6, 7, 7, 9, 9, 9,
  139761. 9, 9,11,11, 9, 9, 9,11,11, 6, 7, 7, 9, 9, 7, 7,
  139762. 8, 9,10, 7, 7, 8, 9,10, 9, 9,10,10,11, 9, 9,10,
  139763. 10,12, 6, 7, 7, 9, 9, 7, 8, 7,10, 9, 7, 8, 7,10,
  139764. 9, 9,10, 9,12,11,10,10, 9,12,10, 9,10,10,12,11,
  139765. 9,10,10,12,11, 9,10,10,12,12,11,11,12,12,13,11,
  139766. 11,12,12,13, 9, 9,10,12,11, 9,10,10,12,12,10,10,
  139767. 10,12,12,11,12,11,13,12,11,12,11,13,12, 6, 7, 7,
  139768. 9, 9, 7, 8, 8,10,10, 7, 8, 7,10, 9,10,10,10,12,
  139769. 12,10,10,10,12,11, 7, 8, 7,10,10, 7, 7, 9,10,11,
  139770. 8, 9, 9,11,10,10,10,11,10,12,10,10,11,12,12, 7,
  139771. 8, 8,10,10, 7, 9, 8,11,10, 8, 8, 9,11,11,10,11,
  139772. 10,12,11,10,11,11,12,12, 9,10,10,12,12, 9,10,10,
  139773. 12,12,10,11,11,13,12,11,10,12,10,14,12,12,12,13,
  139774. 14, 9,10,10,12,12, 9,11,10,12,12,10,11,11,12,12,
  139775. 11,12,11,14,12,12,12,12,14,14, 5, 7, 7, 9, 9, 7,
  139776. 7, 7, 9,10, 7, 8, 8,10,10,10,10,10,11,11,10,10,
  139777. 10,12,12, 7, 8, 8,10,10, 8, 9, 8,11,10, 7, 8, 9,
  139778. 10,11,10,10,10,11,12,10,10,11,11,13, 6, 7, 8,10,
  139779. 10, 8, 9, 9,10,10, 7, 9, 7,11,10,10,11,10,12,12,
  139780. 10,11,10,12,10, 9,10,10,12,12,10,11,11,13,12, 9,
  139781. 10,10,12,12,12,12,12,14,13,11,11,12,11,14, 9,10,
  139782. 10,11,12,10,11,11,12,13, 9,10,10,12,12,12,12,12,
  139783. 14,13,11,12,10,14,11, 9, 9,10,11,12, 9,10,10,12,
  139784. 12, 9,10,10,12,12,12,12,12,14,14,11,12,12,13,12,
  139785. 9,10, 9,12,12, 9,10,11,12,13,10,11,10,13,11,12,
  139786. 12,13,13,14,12,12,12,13,13, 9,10,10,12,12,10,11,
  139787. 10,13,12,10,10,11,12,13,12,13,12,14,13,12,12,12,
  139788. 13,14,11,12,11,14,13,10,10,11,13,13,12,12,12,14,
  139789. 13,12,10,14,10,15,13,14,14,14,14,11,11,12,13,14,
  139790. 10,12,11,13,13,12,12,12,13,15,12,13,11,15,12,13,
  139791. 13,14,14,14, 9,10, 9,12,12, 9,10,10,12,12,10,10,
  139792. 10,12,12,11,11,12,12,13,12,12,12,14,14, 9,10,10,
  139793. 12,12,10,11,10,13,12,10,10,11,12,13,12,12,12,14,
  139794. 13,12,12,13,13,14, 9,10,10,12,13,10,10,11,11,12,
  139795. 9,11,10,13,12,12,12,12,13,14,12,13,12,14,13,11,
  139796. 12,11,13,13,12,13,12,14,13,10,11,12,13,13,13,13,
  139797. 13,14,15,12,11,14,12,14,11,11,12,12,13,12,12,12,
  139798. 13,14,10,12,10,14,13,13,13,13,14,15,12,14,11,15,
  139799. 10,
  139800. };
  139801. static float _vq_quantthresh__8u1__p4_0[] = {
  139802. -1.5, -0.5, 0.5, 1.5,
  139803. };
  139804. static long _vq_quantmap__8u1__p4_0[] = {
  139805. 3, 1, 0, 2, 4,
  139806. };
  139807. static encode_aux_threshmatch _vq_auxt__8u1__p4_0 = {
  139808. _vq_quantthresh__8u1__p4_0,
  139809. _vq_quantmap__8u1__p4_0,
  139810. 5,
  139811. 5
  139812. };
  139813. static static_codebook _8u1__p4_0 = {
  139814. 4, 625,
  139815. _vq_lengthlist__8u1__p4_0,
  139816. 1, -533725184, 1611661312, 3, 0,
  139817. _vq_quantlist__8u1__p4_0,
  139818. NULL,
  139819. &_vq_auxt__8u1__p4_0,
  139820. NULL,
  139821. 0
  139822. };
  139823. static long _vq_quantlist__8u1__p5_0[] = {
  139824. 4,
  139825. 3,
  139826. 5,
  139827. 2,
  139828. 6,
  139829. 1,
  139830. 7,
  139831. 0,
  139832. 8,
  139833. };
  139834. static long _vq_lengthlist__8u1__p5_0[] = {
  139835. 1, 4, 4, 7, 7, 7, 7, 9, 9, 4, 6, 5, 8, 7, 8, 8,
  139836. 10,10, 4, 6, 6, 8, 8, 8, 8,10,10, 7, 8, 8, 9, 9,
  139837. 9, 9,11,11, 7, 8, 8, 9, 9, 9, 9,11,11, 8, 8, 8,
  139838. 9, 9,10,10,12,11, 8, 8, 8, 9, 9,10,10,11,11, 9,
  139839. 10,10,11,11,11,11,13,12, 9,10,10,11,11,12,12,12,
  139840. 13,
  139841. };
  139842. static float _vq_quantthresh__8u1__p5_0[] = {
  139843. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  139844. };
  139845. static long _vq_quantmap__8u1__p5_0[] = {
  139846. 7, 5, 3, 1, 0, 2, 4, 6,
  139847. 8,
  139848. };
  139849. static encode_aux_threshmatch _vq_auxt__8u1__p5_0 = {
  139850. _vq_quantthresh__8u1__p5_0,
  139851. _vq_quantmap__8u1__p5_0,
  139852. 9,
  139853. 9
  139854. };
  139855. static static_codebook _8u1__p5_0 = {
  139856. 2, 81,
  139857. _vq_lengthlist__8u1__p5_0,
  139858. 1, -531628032, 1611661312, 4, 0,
  139859. _vq_quantlist__8u1__p5_0,
  139860. NULL,
  139861. &_vq_auxt__8u1__p5_0,
  139862. NULL,
  139863. 0
  139864. };
  139865. static long _vq_quantlist__8u1__p6_0[] = {
  139866. 4,
  139867. 3,
  139868. 5,
  139869. 2,
  139870. 6,
  139871. 1,
  139872. 7,
  139873. 0,
  139874. 8,
  139875. };
  139876. static long _vq_lengthlist__8u1__p6_0[] = {
  139877. 3, 4, 4, 6, 6, 7, 7, 9, 9, 4, 4, 5, 6, 6, 7, 7,
  139878. 9, 9, 4, 4, 4, 6, 6, 7, 7, 9, 9, 6, 6, 6, 7, 7,
  139879. 8, 8, 9, 9, 6, 6, 6, 7, 7, 8, 8, 9, 9, 7, 7, 7,
  139880. 8, 8, 8, 9,10,10, 7, 7, 7, 8, 8, 9, 8,10,10, 9,
  139881. 9, 9, 9, 9,10,10,10,10, 9, 9, 9, 9, 9,10,10,10,
  139882. 10,
  139883. };
  139884. static float _vq_quantthresh__8u1__p6_0[] = {
  139885. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  139886. };
  139887. static long _vq_quantmap__8u1__p6_0[] = {
  139888. 7, 5, 3, 1, 0, 2, 4, 6,
  139889. 8,
  139890. };
  139891. static encode_aux_threshmatch _vq_auxt__8u1__p6_0 = {
  139892. _vq_quantthresh__8u1__p6_0,
  139893. _vq_quantmap__8u1__p6_0,
  139894. 9,
  139895. 9
  139896. };
  139897. static static_codebook _8u1__p6_0 = {
  139898. 2, 81,
  139899. _vq_lengthlist__8u1__p6_0,
  139900. 1, -531628032, 1611661312, 4, 0,
  139901. _vq_quantlist__8u1__p6_0,
  139902. NULL,
  139903. &_vq_auxt__8u1__p6_0,
  139904. NULL,
  139905. 0
  139906. };
  139907. static long _vq_quantlist__8u1__p7_0[] = {
  139908. 1,
  139909. 0,
  139910. 2,
  139911. };
  139912. static long _vq_lengthlist__8u1__p7_0[] = {
  139913. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 9, 9, 8,10,10, 8,
  139914. 10,10, 5, 9, 9, 7,10,10, 8,10,10, 4,10,10, 9,12,
  139915. 12, 9,11,11, 7,12,11,10,11,13,10,13,13, 7,12,12,
  139916. 10,13,12,10,13,13, 4,10,10, 9,12,12, 9,12,12, 7,
  139917. 12,12,10,13,13,10,12,13, 7,11,12,10,13,13,10,13,
  139918. 11,
  139919. };
  139920. static float _vq_quantthresh__8u1__p7_0[] = {
  139921. -5.5, 5.5,
  139922. };
  139923. static long _vq_quantmap__8u1__p7_0[] = {
  139924. 1, 0, 2,
  139925. };
  139926. static encode_aux_threshmatch _vq_auxt__8u1__p7_0 = {
  139927. _vq_quantthresh__8u1__p7_0,
  139928. _vq_quantmap__8u1__p7_0,
  139929. 3,
  139930. 3
  139931. };
  139932. static static_codebook _8u1__p7_0 = {
  139933. 4, 81,
  139934. _vq_lengthlist__8u1__p7_0,
  139935. 1, -529137664, 1618345984, 2, 0,
  139936. _vq_quantlist__8u1__p7_0,
  139937. NULL,
  139938. &_vq_auxt__8u1__p7_0,
  139939. NULL,
  139940. 0
  139941. };
  139942. static long _vq_quantlist__8u1__p7_1[] = {
  139943. 5,
  139944. 4,
  139945. 6,
  139946. 3,
  139947. 7,
  139948. 2,
  139949. 8,
  139950. 1,
  139951. 9,
  139952. 0,
  139953. 10,
  139954. };
  139955. static long _vq_lengthlist__8u1__p7_1[] = {
  139956. 2, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8, 4, 5, 5, 7, 7,
  139957. 8, 8, 9, 9, 9, 9, 4, 5, 5, 7, 7, 8, 8, 9, 9, 9,
  139958. 9, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 6, 7, 7, 8,
  139959. 8, 8, 8, 9, 9, 9, 9, 8, 8, 8, 8, 8, 9, 9, 9, 9,
  139960. 9, 9, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 8, 9, 9,
  139961. 9, 9, 9, 9,10,10,10,10, 8, 9, 9, 9, 9, 9, 9,10,
  139962. 10,10,10, 8, 9, 9, 9, 9, 9, 9,10,10,10,10, 8, 9,
  139963. 9, 9, 9, 9, 9,10,10,10,10,
  139964. };
  139965. static float _vq_quantthresh__8u1__p7_1[] = {
  139966. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  139967. 3.5, 4.5,
  139968. };
  139969. static long _vq_quantmap__8u1__p7_1[] = {
  139970. 9, 7, 5, 3, 1, 0, 2, 4,
  139971. 6, 8, 10,
  139972. };
  139973. static encode_aux_threshmatch _vq_auxt__8u1__p7_1 = {
  139974. _vq_quantthresh__8u1__p7_1,
  139975. _vq_quantmap__8u1__p7_1,
  139976. 11,
  139977. 11
  139978. };
  139979. static static_codebook _8u1__p7_1 = {
  139980. 2, 121,
  139981. _vq_lengthlist__8u1__p7_1,
  139982. 1, -531365888, 1611661312, 4, 0,
  139983. _vq_quantlist__8u1__p7_1,
  139984. NULL,
  139985. &_vq_auxt__8u1__p7_1,
  139986. NULL,
  139987. 0
  139988. };
  139989. static long _vq_quantlist__8u1__p8_0[] = {
  139990. 5,
  139991. 4,
  139992. 6,
  139993. 3,
  139994. 7,
  139995. 2,
  139996. 8,
  139997. 1,
  139998. 9,
  139999. 0,
  140000. 10,
  140001. };
  140002. static long _vq_lengthlist__8u1__p8_0[] = {
  140003. 1, 4, 4, 6, 6, 8, 8,10,10,11,11, 4, 6, 6, 7, 7,
  140004. 9, 9,11,11,13,12, 4, 6, 6, 7, 7, 9, 9,11,11,12,
  140005. 12, 6, 7, 7, 9, 9,11,11,12,12,13,13, 6, 7, 7, 9,
  140006. 9,11,11,12,12,13,13, 8, 9, 9,11,11,12,12,13,13,
  140007. 14,14, 8, 9, 9,11,11,12,12,13,13,14,14, 9,11,11,
  140008. 12,12,13,13,14,14,15,15, 9,11,11,12,12,13,13,14,
  140009. 14,15,14,11,12,12,13,13,14,14,15,15,16,16,11,12,
  140010. 12,13,13,14,14,15,15,15,15,
  140011. };
  140012. static float _vq_quantthresh__8u1__p8_0[] = {
  140013. -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5, 27.5,
  140014. 38.5, 49.5,
  140015. };
  140016. static long _vq_quantmap__8u1__p8_0[] = {
  140017. 9, 7, 5, 3, 1, 0, 2, 4,
  140018. 6, 8, 10,
  140019. };
  140020. static encode_aux_threshmatch _vq_auxt__8u1__p8_0 = {
  140021. _vq_quantthresh__8u1__p8_0,
  140022. _vq_quantmap__8u1__p8_0,
  140023. 11,
  140024. 11
  140025. };
  140026. static static_codebook _8u1__p8_0 = {
  140027. 2, 121,
  140028. _vq_lengthlist__8u1__p8_0,
  140029. 1, -524582912, 1618345984, 4, 0,
  140030. _vq_quantlist__8u1__p8_0,
  140031. NULL,
  140032. &_vq_auxt__8u1__p8_0,
  140033. NULL,
  140034. 0
  140035. };
  140036. static long _vq_quantlist__8u1__p8_1[] = {
  140037. 5,
  140038. 4,
  140039. 6,
  140040. 3,
  140041. 7,
  140042. 2,
  140043. 8,
  140044. 1,
  140045. 9,
  140046. 0,
  140047. 10,
  140048. };
  140049. static long _vq_lengthlist__8u1__p8_1[] = {
  140050. 2, 5, 5, 6, 6, 7, 7, 7, 7, 8, 8, 5, 6, 6, 7, 7,
  140051. 7, 7, 8, 8, 8, 8, 5, 6, 6, 7, 7, 7, 7, 8, 8, 8,
  140052. 8, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 6, 7, 7, 7,
  140053. 7, 8, 8, 8, 8, 8, 8, 7, 7, 7, 8, 8, 8, 8, 8, 8,
  140054. 8, 8, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  140055. 8, 8, 8, 8, 9, 8, 9, 9, 7, 8, 8, 8, 8, 8, 8, 9,
  140056. 8, 9, 9, 8, 8, 8, 8, 8, 8, 8, 9, 9, 9, 9, 8, 8,
  140057. 8, 8, 8, 8, 8, 9, 9, 9, 9,
  140058. };
  140059. static float _vq_quantthresh__8u1__p8_1[] = {
  140060. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  140061. 3.5, 4.5,
  140062. };
  140063. static long _vq_quantmap__8u1__p8_1[] = {
  140064. 9, 7, 5, 3, 1, 0, 2, 4,
  140065. 6, 8, 10,
  140066. };
  140067. static encode_aux_threshmatch _vq_auxt__8u1__p8_1 = {
  140068. _vq_quantthresh__8u1__p8_1,
  140069. _vq_quantmap__8u1__p8_1,
  140070. 11,
  140071. 11
  140072. };
  140073. static static_codebook _8u1__p8_1 = {
  140074. 2, 121,
  140075. _vq_lengthlist__8u1__p8_1,
  140076. 1, -531365888, 1611661312, 4, 0,
  140077. _vq_quantlist__8u1__p8_1,
  140078. NULL,
  140079. &_vq_auxt__8u1__p8_1,
  140080. NULL,
  140081. 0
  140082. };
  140083. static long _vq_quantlist__8u1__p9_0[] = {
  140084. 7,
  140085. 6,
  140086. 8,
  140087. 5,
  140088. 9,
  140089. 4,
  140090. 10,
  140091. 3,
  140092. 11,
  140093. 2,
  140094. 12,
  140095. 1,
  140096. 13,
  140097. 0,
  140098. 14,
  140099. };
  140100. static long _vq_lengthlist__8u1__p9_0[] = {
  140101. 1, 4, 4,11,11,11,11,11,11,11,11,11,11,11,11, 3,
  140102. 11, 8,11,11,11,11,11,11,11,11,11,11,11,11, 3, 9,
  140103. 9,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140104. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140105. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140106. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140107. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140108. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140109. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140110. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140111. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140112. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140113. 11,11,11,11,11,11,11,11,11,11,10,10,10,10,10,10,
  140114. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140115. 10,
  140116. };
  140117. static float _vq_quantthresh__8u1__p9_0[] = {
  140118. -1657.5, -1402.5, -1147.5, -892.5, -637.5, -382.5, -127.5, 127.5,
  140119. 382.5, 637.5, 892.5, 1147.5, 1402.5, 1657.5,
  140120. };
  140121. static long _vq_quantmap__8u1__p9_0[] = {
  140122. 13, 11, 9, 7, 5, 3, 1, 0,
  140123. 2, 4, 6, 8, 10, 12, 14,
  140124. };
  140125. static encode_aux_threshmatch _vq_auxt__8u1__p9_0 = {
  140126. _vq_quantthresh__8u1__p9_0,
  140127. _vq_quantmap__8u1__p9_0,
  140128. 15,
  140129. 15
  140130. };
  140131. static static_codebook _8u1__p9_0 = {
  140132. 2, 225,
  140133. _vq_lengthlist__8u1__p9_0,
  140134. 1, -514071552, 1627381760, 4, 0,
  140135. _vq_quantlist__8u1__p9_0,
  140136. NULL,
  140137. &_vq_auxt__8u1__p9_0,
  140138. NULL,
  140139. 0
  140140. };
  140141. static long _vq_quantlist__8u1__p9_1[] = {
  140142. 7,
  140143. 6,
  140144. 8,
  140145. 5,
  140146. 9,
  140147. 4,
  140148. 10,
  140149. 3,
  140150. 11,
  140151. 2,
  140152. 12,
  140153. 1,
  140154. 13,
  140155. 0,
  140156. 14,
  140157. };
  140158. static long _vq_lengthlist__8u1__p9_1[] = {
  140159. 1, 4, 4, 7, 7, 9, 9, 7, 7, 8, 8,10,10,11,11, 4,
  140160. 7, 7, 9, 9,10,10, 8, 8,10,10,10,11,10,11, 4, 7,
  140161. 7, 9, 9,10,10, 8, 8,10, 9,11,11,11,11, 7, 9, 9,
  140162. 12,12,11,12,10,10,11,10,12,11,11,11, 7, 9, 9,11,
  140163. 11,13,12, 9, 9,11,10,11,11,12,11, 9,10,10,12,12,
  140164. 14,14,10,10,11,12,12,11,11,11, 9,10,11,11,13,14,
  140165. 13,10,11,11,11,12,11,12,12, 7, 8, 8,10, 9,11,10,
  140166. 11,12,12,11,12,14,12,13, 7, 8, 8, 9,10,10,11,12,
  140167. 12,12,11,12,12,12,13, 9, 9, 9,11,11,13,12,12,12,
  140168. 12,11,12,12,13,12, 8,10,10,11,10,11,12,12,12,12,
  140169. 12,12,14,12,12, 9,11,11,11,12,12,12,12,13,13,12,
  140170. 12,13,13,12,10,11,11,12,11,12,12,12,11,12,13,12,
  140171. 12,12,13,11,11,12,12,12,13,12,12,11,12,13,13,12,
  140172. 12,13,12,11,12,12,13,13,12,13,12,13,13,13,13,14,
  140173. 13,
  140174. };
  140175. static float _vq_quantthresh__8u1__p9_1[] = {
  140176. -110.5, -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5,
  140177. 25.5, 42.5, 59.5, 76.5, 93.5, 110.5,
  140178. };
  140179. static long _vq_quantmap__8u1__p9_1[] = {
  140180. 13, 11, 9, 7, 5, 3, 1, 0,
  140181. 2, 4, 6, 8, 10, 12, 14,
  140182. };
  140183. static encode_aux_threshmatch _vq_auxt__8u1__p9_1 = {
  140184. _vq_quantthresh__8u1__p9_1,
  140185. _vq_quantmap__8u1__p9_1,
  140186. 15,
  140187. 15
  140188. };
  140189. static static_codebook _8u1__p9_1 = {
  140190. 2, 225,
  140191. _vq_lengthlist__8u1__p9_1,
  140192. 1, -522338304, 1620115456, 4, 0,
  140193. _vq_quantlist__8u1__p9_1,
  140194. NULL,
  140195. &_vq_auxt__8u1__p9_1,
  140196. NULL,
  140197. 0
  140198. };
  140199. static long _vq_quantlist__8u1__p9_2[] = {
  140200. 8,
  140201. 7,
  140202. 9,
  140203. 6,
  140204. 10,
  140205. 5,
  140206. 11,
  140207. 4,
  140208. 12,
  140209. 3,
  140210. 13,
  140211. 2,
  140212. 14,
  140213. 1,
  140214. 15,
  140215. 0,
  140216. 16,
  140217. };
  140218. static long _vq_lengthlist__8u1__p9_2[] = {
  140219. 2, 5, 4, 6, 6, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  140220. 9, 5, 6, 6, 7, 7, 8, 8, 9, 8, 9, 9, 9, 9, 9, 9,
  140221. 9, 9, 5, 6, 6, 7, 7, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  140222. 9, 9, 9, 7, 7, 7, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9,
  140223. 9,10,10, 9, 7, 7, 7, 8, 8, 9, 9, 9, 9, 9, 9, 9,
  140224. 9, 9, 9,10,10, 8, 8, 8, 9, 9, 9, 9,10,10,10, 9,
  140225. 10,10,10,10,10,10, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9,
  140226. 10,10,10,10,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9,10,
  140227. 10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9,10,10,10,
  140228. 10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9, 9,10,
  140229. 10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9,10,
  140230. 10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9,10,
  140231. 10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9,
  140232. 9,10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9,
  140233. 10,10,10,10,10,10,10,10,10,10,10,10,10,10, 9,10,
  140234. 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10,10, 9,
  140235. 10, 9,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140236. 9, 9,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140237. 10,
  140238. };
  140239. static float _vq_quantthresh__8u1__p9_2[] = {
  140240. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  140241. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  140242. };
  140243. static long _vq_quantmap__8u1__p9_2[] = {
  140244. 15, 13, 11, 9, 7, 5, 3, 1,
  140245. 0, 2, 4, 6, 8, 10, 12, 14,
  140246. 16,
  140247. };
  140248. static encode_aux_threshmatch _vq_auxt__8u1__p9_2 = {
  140249. _vq_quantthresh__8u1__p9_2,
  140250. _vq_quantmap__8u1__p9_2,
  140251. 17,
  140252. 17
  140253. };
  140254. static static_codebook _8u1__p9_2 = {
  140255. 2, 289,
  140256. _vq_lengthlist__8u1__p9_2,
  140257. 1, -529530880, 1611661312, 5, 0,
  140258. _vq_quantlist__8u1__p9_2,
  140259. NULL,
  140260. &_vq_auxt__8u1__p9_2,
  140261. NULL,
  140262. 0
  140263. };
  140264. static long _huff_lengthlist__8u1__single[] = {
  140265. 4, 7,13, 9,15, 9,16, 8,10,13, 7, 5, 8, 6, 9, 7,
  140266. 10, 7,10,11,11, 6, 7, 8, 8, 9, 9, 9,12,16, 8, 5,
  140267. 8, 6, 8, 6, 9, 7,10,12,11, 7, 7, 7, 6, 7, 7, 7,
  140268. 11,15, 7, 5, 8, 6, 7, 5, 7, 6, 9,13,13, 9, 9, 8,
  140269. 6, 6, 5, 5, 9,14, 8, 6, 8, 6, 6, 4, 5, 3, 5,13,
  140270. 9, 9,11, 8,10, 7, 8, 4, 5,12,11,16,17,15,17,12,
  140271. 13, 8, 8,15,
  140272. };
  140273. static static_codebook _huff_book__8u1__single = {
  140274. 2, 100,
  140275. _huff_lengthlist__8u1__single,
  140276. 0, 0, 0, 0, 0,
  140277. NULL,
  140278. NULL,
  140279. NULL,
  140280. NULL,
  140281. 0
  140282. };
  140283. static long _huff_lengthlist__44u0__long[] = {
  140284. 5, 8,13,10,17,11,11,15, 7, 2, 4, 5, 8, 7, 9,16,
  140285. 13, 4, 3, 5, 6, 8,11,20,10, 4, 5, 5, 7, 6, 8,18,
  140286. 15, 7, 6, 7, 8,10,14,20,10, 6, 7, 6, 9, 7, 8,17,
  140287. 9, 8,10, 8,10, 5, 4,11,12,17,19,14,16,10, 7,12,
  140288. };
  140289. static static_codebook _huff_book__44u0__long = {
  140290. 2, 64,
  140291. _huff_lengthlist__44u0__long,
  140292. 0, 0, 0, 0, 0,
  140293. NULL,
  140294. NULL,
  140295. NULL,
  140296. NULL,
  140297. 0
  140298. };
  140299. static long _vq_quantlist__44u0__p1_0[] = {
  140300. 1,
  140301. 0,
  140302. 2,
  140303. };
  140304. static long _vq_lengthlist__44u0__p1_0[] = {
  140305. 1, 4, 4, 5, 8, 7, 5, 7, 8, 5, 8, 8, 8,11,11, 8,
  140306. 10,10, 5, 8, 8, 8,11,10, 8,11,11, 4, 8, 8, 8,11,
  140307. 11, 8,11,11, 8,12,11,11,13,13,11,13,14, 7,11,11,
  140308. 10,13,12,11,13,14, 4, 8, 8, 8,11,11, 8,11,12, 8,
  140309. 11,11,11,13,13,10,12,13, 8,11,11,11,14,13,11,14,
  140310. 13,
  140311. };
  140312. static float _vq_quantthresh__44u0__p1_0[] = {
  140313. -0.5, 0.5,
  140314. };
  140315. static long _vq_quantmap__44u0__p1_0[] = {
  140316. 1, 0, 2,
  140317. };
  140318. static encode_aux_threshmatch _vq_auxt__44u0__p1_0 = {
  140319. _vq_quantthresh__44u0__p1_0,
  140320. _vq_quantmap__44u0__p1_0,
  140321. 3,
  140322. 3
  140323. };
  140324. static static_codebook _44u0__p1_0 = {
  140325. 4, 81,
  140326. _vq_lengthlist__44u0__p1_0,
  140327. 1, -535822336, 1611661312, 2, 0,
  140328. _vq_quantlist__44u0__p1_0,
  140329. NULL,
  140330. &_vq_auxt__44u0__p1_0,
  140331. NULL,
  140332. 0
  140333. };
  140334. static long _vq_quantlist__44u0__p2_0[] = {
  140335. 1,
  140336. 0,
  140337. 2,
  140338. };
  140339. static long _vq_lengthlist__44u0__p2_0[] = {
  140340. 2, 4, 4, 5, 6, 6, 5, 6, 6, 5, 7, 7, 7, 8, 8, 6,
  140341. 8, 8, 5, 7, 7, 6, 8, 8, 7, 8, 8, 4, 7, 7, 7, 8,
  140342. 8, 7, 8, 8, 7, 8, 8, 8, 9,10, 8,10,10, 6, 8, 8,
  140343. 8,10, 8, 8,10,10, 5, 7, 7, 7, 8, 8, 7, 8, 8, 6,
  140344. 8, 8, 8,10,10, 8, 8,10, 6, 8, 8, 8,10,10, 8,10,
  140345. 9,
  140346. };
  140347. static float _vq_quantthresh__44u0__p2_0[] = {
  140348. -0.5, 0.5,
  140349. };
  140350. static long _vq_quantmap__44u0__p2_0[] = {
  140351. 1, 0, 2,
  140352. };
  140353. static encode_aux_threshmatch _vq_auxt__44u0__p2_0 = {
  140354. _vq_quantthresh__44u0__p2_0,
  140355. _vq_quantmap__44u0__p2_0,
  140356. 3,
  140357. 3
  140358. };
  140359. static static_codebook _44u0__p2_0 = {
  140360. 4, 81,
  140361. _vq_lengthlist__44u0__p2_0,
  140362. 1, -535822336, 1611661312, 2, 0,
  140363. _vq_quantlist__44u0__p2_0,
  140364. NULL,
  140365. &_vq_auxt__44u0__p2_0,
  140366. NULL,
  140367. 0
  140368. };
  140369. static long _vq_quantlist__44u0__p3_0[] = {
  140370. 2,
  140371. 1,
  140372. 3,
  140373. 0,
  140374. 4,
  140375. };
  140376. static long _vq_lengthlist__44u0__p3_0[] = {
  140377. 1, 5, 5, 8, 8, 5, 8, 7, 9, 9, 5, 7, 8, 9, 9, 9,
  140378. 10, 9,12,12, 9, 9,10,12,12, 6, 8, 8,11,10, 8,10,
  140379. 10,11,11, 8, 9,10,11,11,10,11,11,14,13,10,11,11,
  140380. 13,13, 5, 8, 8,10,10, 8,10,10,11,11, 8,10,10,11,
  140381. 11,10,11,11,13,13,10,11,11,13,13, 9,11,11,15,14,
  140382. 10,12,12,15,14,10,12,11,15,14,13,14,14,16,16,12,
  140383. 14,13,17,15, 9,11,11,14,15,10,11,12,14,16,10,11,
  140384. 12,14,16,12,13,14,16,16,13,13,15,15,18, 5, 8, 8,
  140385. 11,11, 8,10,10,12,12, 8,10,10,12,13,11,12,12,14,
  140386. 14,11,12,12,15,15, 8,10,10,13,13,10,12,12,13,13,
  140387. 10,12,12,14,14,12,13,13,15,15,12,13,13,16,16, 7,
  140388. 10,10,12,12,10,12,11,13,13,10,12,12,13,14,12,13,
  140389. 12,15,14,12,13,13,16,16,10,12,12,17,16,12,13,13,
  140390. 16,15,11,13,13,17,17,15,15,15,16,17,14,15,15,19,
  140391. 19,10,12,12,15,16,11,13,12,15,18,11,13,13,16,16,
  140392. 14,15,15,17,17,14,15,15,17,19, 5, 8, 8,11,11, 8,
  140393. 10,10,12,12, 8,10,10,12,12,11,12,12,16,15,11,12,
  140394. 12,14,15, 7,10,10,13,13,10,12,12,14,13,10,11,12,
  140395. 13,13,12,13,13,16,16,12,12,13,15,15, 8,10,10,13,
  140396. 13,10,12,12,14,14,10,12,12,13,13,12,13,13,16,16,
  140397. 12,13,13,15,15,10,12,12,16,15,11,13,13,17,16,11,
  140398. 12,13,16,15,13,15,15,19,17,14,15,14,17,16,10,12,
  140399. 12,16,16,11,13,13,16,17,12,13,13,15,17,14,15,15,
  140400. 17,19,14,15,15,17,17, 8,11,11,16,16,10,13,12,17,
  140401. 17,10,12,13,16,16,15,17,16,20,19,14,15,17,18,19,
  140402. 9,12,12,16,17,11,13,14,17,18,11,13,13,19,18,16,
  140403. 17,18,19,19,15,16,16,19,19, 9,12,12,16,17,11,14,
  140404. 13,18,17,11,13,13,17,17,16,17,16,20,19,14,16,16,
  140405. 18,18,12,15,15,19,17,14,15,16, 0,20,13,15,16,20,
  140406. 17,18,16,20, 0, 0,15,16,19,20, 0,12,15,14,18,19,
  140407. 13,16,15,20,19,13,16,15,20,18,17,18,17, 0,20,16,
  140408. 17,16, 0, 0, 8,11,11,16,15,10,12,12,17,17,10,13,
  140409. 13,17,16,14,16,15,18,20,15,16,16,19,19, 9,12,12,
  140410. 16,16,11,13,13,17,16,11,13,14,17,18,15,15,16,20,
  140411. 20,16,16,17,19,19, 9,13,12,16,17,11,14,13,17,17,
  140412. 11,14,14,18,17,14,16,15,18,19,16,17,18,18,19,12,
  140413. 14,15,19,18,13,15,16,18, 0,13,14,15, 0, 0,16,16,
  140414. 17,20, 0,17,17,20,20, 0,12,15,15,19,20,13,15,15,
  140415. 0, 0,14,16,15, 0, 0,15,18,16, 0, 0,17,18,16, 0,
  140416. 19,
  140417. };
  140418. static float _vq_quantthresh__44u0__p3_0[] = {
  140419. -1.5, -0.5, 0.5, 1.5,
  140420. };
  140421. static long _vq_quantmap__44u0__p3_0[] = {
  140422. 3, 1, 0, 2, 4,
  140423. };
  140424. static encode_aux_threshmatch _vq_auxt__44u0__p3_0 = {
  140425. _vq_quantthresh__44u0__p3_0,
  140426. _vq_quantmap__44u0__p3_0,
  140427. 5,
  140428. 5
  140429. };
  140430. static static_codebook _44u0__p3_0 = {
  140431. 4, 625,
  140432. _vq_lengthlist__44u0__p3_0,
  140433. 1, -533725184, 1611661312, 3, 0,
  140434. _vq_quantlist__44u0__p3_0,
  140435. NULL,
  140436. &_vq_auxt__44u0__p3_0,
  140437. NULL,
  140438. 0
  140439. };
  140440. static long _vq_quantlist__44u0__p4_0[] = {
  140441. 2,
  140442. 1,
  140443. 3,
  140444. 0,
  140445. 4,
  140446. };
  140447. static long _vq_lengthlist__44u0__p4_0[] = {
  140448. 4, 5, 5, 9, 9, 5, 6, 6, 9, 9, 5, 6, 6, 9, 9, 9,
  140449. 10, 9,12,12, 9, 9,10,12,12, 5, 7, 7,10,10, 7, 7,
  140450. 8,10,10, 6, 7, 8,10,10,10,10,10,11,13,10, 9,10,
  140451. 12,13, 5, 7, 7,10,10, 6, 8, 7,10,10, 7, 8, 7,10,
  140452. 10, 9,10,10,12,12,10,10,10,13,11, 9,10,10,13,13,
  140453. 10,11,10,13,13,10,10,10,13,13,12,12,13,14,14,12,
  140454. 12,13,14,14, 9,10,10,13,13,10,10,10,13,13,10,10,
  140455. 10,13,13,12,13,12,15,14,12,13,12,15,15, 5, 7, 6,
  140456. 10,10, 7, 8, 8,10,10, 7, 8, 8,10,10,10,11,10,13,
  140457. 13,10,10,10,12,12, 7, 8, 8,11,10, 8, 8, 9,10,11,
  140458. 8, 9, 9,11,11,11,10,11,11,14,11,11,11,13,13, 6,
  140459. 8, 8,10,10, 7, 9, 8,11,10, 8, 9, 9,11,11,10,11,
  140460. 10,14,11,10,11,11,13,13,10,11,11,14,13,10,10,11,
  140461. 14,13,10,11,11,14,14,12,11,13,12,16,13,14,14,15,
  140462. 15,10,10,11,13,14,10,11,10,14,13,10,11,11,14,14,
  140463. 12,13,12,15,13,13,13,14,15,16, 5, 7, 7,10,10, 7,
  140464. 8, 8,10,10, 7, 8, 8,10,10,10,10,10,13,13,10,10,
  140465. 11,12,13, 6, 8, 8,11,10, 8, 9, 9,11,11, 7, 8, 9,
  140466. 10,11,10,11,11,13,13,10,10,11,11,13, 6, 8, 8,10,
  140467. 11, 8, 9, 9,11,11, 8, 9, 8,12,10,10,11,11,13,13,
  140468. 10,11,10,14,11,10,10,10,14,13,10,11,11,14,13,10,
  140469. 10,11,13,13,12,14,14,16,16,12,12,13,13,15,10,11,
  140470. 11,13,14,10,11,11,14,15,10,11,10,13,13,13,14,13,
  140471. 16,16,12,13,11,15,12, 9,10,10,13,13,10,11,11,14,
  140472. 13,10,10,11,13,14,13,14,13,16,16,13,13,13,15,16,
  140473. 9,10,10,13,13,10,10,11,13,14,10,11,11,15,13,13,
  140474. 13,14,14,18,13,13,14,16,15, 9,10,10,13,14,10,11,
  140475. 10,14,13,10,11,11,13,14,13,14,13,16,15,13,13,14,
  140476. 15,16,12,13,12,16,14,11,11,13,15,15,13,14,13,16,
  140477. 15,15,12,16,12,17,14,15,15,17,17,12,13,13,14,16,
  140478. 11,13,11,16,15,12,13,14,15,16,14,15,13, 0,14,14,
  140479. 16,16, 0, 0, 9,10,10,13,13,10,11,10,14,14,10,11,
  140480. 11,13,13,12,13,13,14,16,13,14,14,16,16, 9,10,10,
  140481. 14,14,11,11,11,14,13,10,10,11,14,14,13,13,13,16,
  140482. 16,13,13,14,14,17, 9,10,10,13,14,10,11,11,13,15,
  140483. 10,11,10,14,14,13,13,13,14,17,13,14,13,17,14,12,
  140484. 13,13,16,14,13,14,13,16,15,12,12,13,15,16,15,15,
  140485. 16,18,16,15,13,15,14, 0,12,12,13,14,16,13,13,14,
  140486. 15,16,11,12,11,16,14,15,16,16,17,17,14,15,12,17,
  140487. 12,
  140488. };
  140489. static float _vq_quantthresh__44u0__p4_0[] = {
  140490. -1.5, -0.5, 0.5, 1.5,
  140491. };
  140492. static long _vq_quantmap__44u0__p4_0[] = {
  140493. 3, 1, 0, 2, 4,
  140494. };
  140495. static encode_aux_threshmatch _vq_auxt__44u0__p4_0 = {
  140496. _vq_quantthresh__44u0__p4_0,
  140497. _vq_quantmap__44u0__p4_0,
  140498. 5,
  140499. 5
  140500. };
  140501. static static_codebook _44u0__p4_0 = {
  140502. 4, 625,
  140503. _vq_lengthlist__44u0__p4_0,
  140504. 1, -533725184, 1611661312, 3, 0,
  140505. _vq_quantlist__44u0__p4_0,
  140506. NULL,
  140507. &_vq_auxt__44u0__p4_0,
  140508. NULL,
  140509. 0
  140510. };
  140511. static long _vq_quantlist__44u0__p5_0[] = {
  140512. 4,
  140513. 3,
  140514. 5,
  140515. 2,
  140516. 6,
  140517. 1,
  140518. 7,
  140519. 0,
  140520. 8,
  140521. };
  140522. static long _vq_lengthlist__44u0__p5_0[] = {
  140523. 1, 4, 4, 7, 7, 7, 7, 9, 9, 4, 6, 6, 8, 8, 8, 8,
  140524. 9, 9, 4, 6, 6, 8, 8, 8, 8, 9, 9, 7, 8, 8, 9, 9,
  140525. 9, 9,11,10, 7, 8, 8, 9, 9, 9, 9,10,10, 7, 8, 8,
  140526. 9, 9,10,10,11,11, 7, 8, 8, 9, 9,10,10,11,11, 9,
  140527. 9, 9,10,10,11,11,12,12, 9, 9, 9,10,11,11,11,12,
  140528. 12,
  140529. };
  140530. static float _vq_quantthresh__44u0__p5_0[] = {
  140531. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  140532. };
  140533. static long _vq_quantmap__44u0__p5_0[] = {
  140534. 7, 5, 3, 1, 0, 2, 4, 6,
  140535. 8,
  140536. };
  140537. static encode_aux_threshmatch _vq_auxt__44u0__p5_0 = {
  140538. _vq_quantthresh__44u0__p5_0,
  140539. _vq_quantmap__44u0__p5_0,
  140540. 9,
  140541. 9
  140542. };
  140543. static static_codebook _44u0__p5_0 = {
  140544. 2, 81,
  140545. _vq_lengthlist__44u0__p5_0,
  140546. 1, -531628032, 1611661312, 4, 0,
  140547. _vq_quantlist__44u0__p5_0,
  140548. NULL,
  140549. &_vq_auxt__44u0__p5_0,
  140550. NULL,
  140551. 0
  140552. };
  140553. static long _vq_quantlist__44u0__p6_0[] = {
  140554. 6,
  140555. 5,
  140556. 7,
  140557. 4,
  140558. 8,
  140559. 3,
  140560. 9,
  140561. 2,
  140562. 10,
  140563. 1,
  140564. 11,
  140565. 0,
  140566. 12,
  140567. };
  140568. static long _vq_lengthlist__44u0__p6_0[] = {
  140569. 1, 4, 4, 6, 6, 8, 8,10, 9,11,10,14,13, 4, 6, 5,
  140570. 8, 8, 9, 9,11,10,11,11,14,14, 4, 5, 6, 8, 8, 9,
  140571. 9,10,10,11,11,14,14, 6, 8, 8, 9, 9,10,10,11,11,
  140572. 12,12,16,15, 7, 8, 8, 9, 9,10,10,11,11,12,12,15,
  140573. 15, 9,10,10,10,10,11,11,12,12,12,12,15,15, 9,10,
  140574. 9,10,11,11,11,12,12,12,13,15,15,10,10,11,11,11,
  140575. 12,12,13,12,13,13,16,15,10,11,11,11,11,12,12,13,
  140576. 12,13,13,16,17,11,11,12,12,12,13,13,13,14,14,15,
  140577. 17,17,11,11,12,12,12,13,13,13,14,14,14,16,18,14,
  140578. 15,15,15,15,16,16,16,16,17,18, 0, 0,14,15,15,15,
  140579. 15,17,16,17,18,17,17,18, 0,
  140580. };
  140581. static float _vq_quantthresh__44u0__p6_0[] = {
  140582. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  140583. 12.5, 17.5, 22.5, 27.5,
  140584. };
  140585. static long _vq_quantmap__44u0__p6_0[] = {
  140586. 11, 9, 7, 5, 3, 1, 0, 2,
  140587. 4, 6, 8, 10, 12,
  140588. };
  140589. static encode_aux_threshmatch _vq_auxt__44u0__p6_0 = {
  140590. _vq_quantthresh__44u0__p6_0,
  140591. _vq_quantmap__44u0__p6_0,
  140592. 13,
  140593. 13
  140594. };
  140595. static static_codebook _44u0__p6_0 = {
  140596. 2, 169,
  140597. _vq_lengthlist__44u0__p6_0,
  140598. 1, -526516224, 1616117760, 4, 0,
  140599. _vq_quantlist__44u0__p6_0,
  140600. NULL,
  140601. &_vq_auxt__44u0__p6_0,
  140602. NULL,
  140603. 0
  140604. };
  140605. static long _vq_quantlist__44u0__p6_1[] = {
  140606. 2,
  140607. 1,
  140608. 3,
  140609. 0,
  140610. 4,
  140611. };
  140612. static long _vq_lengthlist__44u0__p6_1[] = {
  140613. 2, 4, 4, 5, 5, 4, 5, 5, 5, 5, 4, 5, 5, 5, 5, 5,
  140614. 6, 6, 6, 6, 5, 6, 6, 6, 6,
  140615. };
  140616. static float _vq_quantthresh__44u0__p6_1[] = {
  140617. -1.5, -0.5, 0.5, 1.5,
  140618. };
  140619. static long _vq_quantmap__44u0__p6_1[] = {
  140620. 3, 1, 0, 2, 4,
  140621. };
  140622. static encode_aux_threshmatch _vq_auxt__44u0__p6_1 = {
  140623. _vq_quantthresh__44u0__p6_1,
  140624. _vq_quantmap__44u0__p6_1,
  140625. 5,
  140626. 5
  140627. };
  140628. static static_codebook _44u0__p6_1 = {
  140629. 2, 25,
  140630. _vq_lengthlist__44u0__p6_1,
  140631. 1, -533725184, 1611661312, 3, 0,
  140632. _vq_quantlist__44u0__p6_1,
  140633. NULL,
  140634. &_vq_auxt__44u0__p6_1,
  140635. NULL,
  140636. 0
  140637. };
  140638. static long _vq_quantlist__44u0__p7_0[] = {
  140639. 2,
  140640. 1,
  140641. 3,
  140642. 0,
  140643. 4,
  140644. };
  140645. static long _vq_lengthlist__44u0__p7_0[] = {
  140646. 1, 4, 4,11,11, 9,11,11,11,11,11,11,11,11,11,11,
  140647. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140648. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140649. 11,11, 9,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140650. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140651. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140652. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140653. 11,11,11,11,11,11,11,11,11,11,11,11,11,10,11,11,
  140654. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140655. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140656. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140657. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140658. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140659. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140660. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140661. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140662. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140663. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140664. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140665. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140666. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140667. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140668. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140669. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140670. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140671. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140672. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140673. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140674. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140675. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  140676. 11,11,11,11,11,11,10,10,10,10,10,10,10,10,10,10,
  140677. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140678. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140679. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140680. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140681. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140682. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140683. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140684. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  140685. 10,
  140686. };
  140687. static float _vq_quantthresh__44u0__p7_0[] = {
  140688. -253.5, -84.5, 84.5, 253.5,
  140689. };
  140690. static long _vq_quantmap__44u0__p7_0[] = {
  140691. 3, 1, 0, 2, 4,
  140692. };
  140693. static encode_aux_threshmatch _vq_auxt__44u0__p7_0 = {
  140694. _vq_quantthresh__44u0__p7_0,
  140695. _vq_quantmap__44u0__p7_0,
  140696. 5,
  140697. 5
  140698. };
  140699. static static_codebook _44u0__p7_0 = {
  140700. 4, 625,
  140701. _vq_lengthlist__44u0__p7_0,
  140702. 1, -518709248, 1626677248, 3, 0,
  140703. _vq_quantlist__44u0__p7_0,
  140704. NULL,
  140705. &_vq_auxt__44u0__p7_0,
  140706. NULL,
  140707. 0
  140708. };
  140709. static long _vq_quantlist__44u0__p7_1[] = {
  140710. 6,
  140711. 5,
  140712. 7,
  140713. 4,
  140714. 8,
  140715. 3,
  140716. 9,
  140717. 2,
  140718. 10,
  140719. 1,
  140720. 11,
  140721. 0,
  140722. 12,
  140723. };
  140724. static long _vq_lengthlist__44u0__p7_1[] = {
  140725. 1, 4, 4, 6, 6, 6, 6, 7, 7, 8, 8, 9, 9, 5, 7, 7,
  140726. 8, 7, 7, 7, 9, 8,10, 9,10,11, 5, 7, 7, 8, 8, 7,
  140727. 7, 8, 9,10,10,11,11, 6, 8, 8, 9, 9, 9, 9,11,10,
  140728. 12,12,15,12, 6, 8, 8, 9, 9, 9, 9,11,11,12,11,14,
  140729. 12, 7, 8, 8,10,10,12,12,13,13,13,15,13,13, 7, 8,
  140730. 8,10,10,11,11,13,12,14,15,15,15, 9,10,10,11,12,
  140731. 13,13,14,15,14,15,14,15, 8,10,10,12,12,14,14,15,
  140732. 14,14,15,15,14,10,12,12,14,14,15,14,15,15,15,14,
  140733. 15,15,10,12,12,13,14,15,14,15,15,14,15,15,15,12,
  140734. 15,13,15,14,15,15,15,15,15,15,15,15,13,13,15,15,
  140735. 15,15,15,15,15,15,15,15,15,
  140736. };
  140737. static float _vq_quantthresh__44u0__p7_1[] = {
  140738. -71.5, -58.5, -45.5, -32.5, -19.5, -6.5, 6.5, 19.5,
  140739. 32.5, 45.5, 58.5, 71.5,
  140740. };
  140741. static long _vq_quantmap__44u0__p7_1[] = {
  140742. 11, 9, 7, 5, 3, 1, 0, 2,
  140743. 4, 6, 8, 10, 12,
  140744. };
  140745. static encode_aux_threshmatch _vq_auxt__44u0__p7_1 = {
  140746. _vq_quantthresh__44u0__p7_1,
  140747. _vq_quantmap__44u0__p7_1,
  140748. 13,
  140749. 13
  140750. };
  140751. static static_codebook _44u0__p7_1 = {
  140752. 2, 169,
  140753. _vq_lengthlist__44u0__p7_1,
  140754. 1, -523010048, 1618608128, 4, 0,
  140755. _vq_quantlist__44u0__p7_1,
  140756. NULL,
  140757. &_vq_auxt__44u0__p7_1,
  140758. NULL,
  140759. 0
  140760. };
  140761. static long _vq_quantlist__44u0__p7_2[] = {
  140762. 6,
  140763. 5,
  140764. 7,
  140765. 4,
  140766. 8,
  140767. 3,
  140768. 9,
  140769. 2,
  140770. 10,
  140771. 1,
  140772. 11,
  140773. 0,
  140774. 12,
  140775. };
  140776. static long _vq_lengthlist__44u0__p7_2[] = {
  140777. 2, 5, 4, 6, 6, 7, 7, 8, 8, 8, 8, 9, 8, 5, 5, 6,
  140778. 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 5, 6, 5, 7, 7, 8,
  140779. 8, 8, 8, 9, 9, 9, 9, 6, 7, 7, 8, 8, 8, 8, 9, 8,
  140780. 9, 9, 9, 9, 6, 7, 7, 8, 7, 8, 8, 9, 9, 9, 9, 9,
  140781. 9, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 7, 8,
  140782. 8, 9, 8, 9, 8, 9, 9, 9, 9, 9, 9, 8, 9, 8, 9, 9,
  140783. 9, 9, 9, 9, 9, 9,10,10, 8, 8, 9, 9, 9, 9, 9, 9,
  140784. 9, 9,10, 9,10, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  140785. 9, 9, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  140786. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10, 9, 9, 9, 9, 9,
  140787. 9, 9, 9,10, 9, 9,10,10, 9,
  140788. };
  140789. static float _vq_quantthresh__44u0__p7_2[] = {
  140790. -5.5, -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5,
  140791. 2.5, 3.5, 4.5, 5.5,
  140792. };
  140793. static long _vq_quantmap__44u0__p7_2[] = {
  140794. 11, 9, 7, 5, 3, 1, 0, 2,
  140795. 4, 6, 8, 10, 12,
  140796. };
  140797. static encode_aux_threshmatch _vq_auxt__44u0__p7_2 = {
  140798. _vq_quantthresh__44u0__p7_2,
  140799. _vq_quantmap__44u0__p7_2,
  140800. 13,
  140801. 13
  140802. };
  140803. static static_codebook _44u0__p7_2 = {
  140804. 2, 169,
  140805. _vq_lengthlist__44u0__p7_2,
  140806. 1, -531103744, 1611661312, 4, 0,
  140807. _vq_quantlist__44u0__p7_2,
  140808. NULL,
  140809. &_vq_auxt__44u0__p7_2,
  140810. NULL,
  140811. 0
  140812. };
  140813. static long _huff_lengthlist__44u0__short[] = {
  140814. 12,13,14,13,17,12,15,17, 5, 5, 6,10,10,11,15,16,
  140815. 4, 3, 3, 7, 5, 7,10,16, 7, 7, 7,10, 9,11,12,16,
  140816. 6, 5, 5, 9, 5, 6,10,16, 8, 7, 7, 9, 6, 7, 9,16,
  140817. 11, 7, 3, 6, 4, 5, 8,16,12, 9, 4, 8, 5, 7, 9,16,
  140818. };
  140819. static static_codebook _huff_book__44u0__short = {
  140820. 2, 64,
  140821. _huff_lengthlist__44u0__short,
  140822. 0, 0, 0, 0, 0,
  140823. NULL,
  140824. NULL,
  140825. NULL,
  140826. NULL,
  140827. 0
  140828. };
  140829. static long _huff_lengthlist__44u1__long[] = {
  140830. 5, 8,13,10,17,11,11,15, 7, 2, 4, 5, 8, 7, 9,16,
  140831. 13, 4, 3, 5, 6, 8,11,20,10, 4, 5, 5, 7, 6, 8,18,
  140832. 15, 7, 6, 7, 8,10,14,20,10, 6, 7, 6, 9, 7, 8,17,
  140833. 9, 8,10, 8,10, 5, 4,11,12,17,19,14,16,10, 7,12,
  140834. };
  140835. static static_codebook _huff_book__44u1__long = {
  140836. 2, 64,
  140837. _huff_lengthlist__44u1__long,
  140838. 0, 0, 0, 0, 0,
  140839. NULL,
  140840. NULL,
  140841. NULL,
  140842. NULL,
  140843. 0
  140844. };
  140845. static long _vq_quantlist__44u1__p1_0[] = {
  140846. 1,
  140847. 0,
  140848. 2,
  140849. };
  140850. static long _vq_lengthlist__44u1__p1_0[] = {
  140851. 1, 4, 4, 5, 8, 7, 5, 7, 8, 5, 8, 8, 8,11,11, 8,
  140852. 10,10, 5, 8, 8, 8,11,10, 8,11,11, 4, 8, 8, 8,11,
  140853. 11, 8,11,11, 8,12,11,11,13,13,11,13,14, 7,11,11,
  140854. 10,13,12,11,13,14, 4, 8, 8, 8,11,11, 8,11,12, 8,
  140855. 11,11,11,13,13,10,12,13, 8,11,11,11,14,13,11,14,
  140856. 13,
  140857. };
  140858. static float _vq_quantthresh__44u1__p1_0[] = {
  140859. -0.5, 0.5,
  140860. };
  140861. static long _vq_quantmap__44u1__p1_0[] = {
  140862. 1, 0, 2,
  140863. };
  140864. static encode_aux_threshmatch _vq_auxt__44u1__p1_0 = {
  140865. _vq_quantthresh__44u1__p1_0,
  140866. _vq_quantmap__44u1__p1_0,
  140867. 3,
  140868. 3
  140869. };
  140870. static static_codebook _44u1__p1_0 = {
  140871. 4, 81,
  140872. _vq_lengthlist__44u1__p1_0,
  140873. 1, -535822336, 1611661312, 2, 0,
  140874. _vq_quantlist__44u1__p1_0,
  140875. NULL,
  140876. &_vq_auxt__44u1__p1_0,
  140877. NULL,
  140878. 0
  140879. };
  140880. static long _vq_quantlist__44u1__p2_0[] = {
  140881. 1,
  140882. 0,
  140883. 2,
  140884. };
  140885. static long _vq_lengthlist__44u1__p2_0[] = {
  140886. 2, 4, 4, 5, 6, 6, 5, 6, 6, 5, 7, 7, 7, 8, 8, 6,
  140887. 8, 8, 5, 7, 7, 6, 8, 8, 7, 8, 8, 4, 7, 7, 7, 8,
  140888. 8, 7, 8, 8, 7, 8, 8, 8, 9,10, 8,10,10, 6, 8, 8,
  140889. 8,10, 8, 8,10,10, 5, 7, 7, 7, 8, 8, 7, 8, 8, 6,
  140890. 8, 8, 8,10,10, 8, 8,10, 6, 8, 8, 8,10,10, 8,10,
  140891. 9,
  140892. };
  140893. static float _vq_quantthresh__44u1__p2_0[] = {
  140894. -0.5, 0.5,
  140895. };
  140896. static long _vq_quantmap__44u1__p2_0[] = {
  140897. 1, 0, 2,
  140898. };
  140899. static encode_aux_threshmatch _vq_auxt__44u1__p2_0 = {
  140900. _vq_quantthresh__44u1__p2_0,
  140901. _vq_quantmap__44u1__p2_0,
  140902. 3,
  140903. 3
  140904. };
  140905. static static_codebook _44u1__p2_0 = {
  140906. 4, 81,
  140907. _vq_lengthlist__44u1__p2_0,
  140908. 1, -535822336, 1611661312, 2, 0,
  140909. _vq_quantlist__44u1__p2_0,
  140910. NULL,
  140911. &_vq_auxt__44u1__p2_0,
  140912. NULL,
  140913. 0
  140914. };
  140915. static long _vq_quantlist__44u1__p3_0[] = {
  140916. 2,
  140917. 1,
  140918. 3,
  140919. 0,
  140920. 4,
  140921. };
  140922. static long _vq_lengthlist__44u1__p3_0[] = {
  140923. 1, 5, 5, 8, 8, 5, 8, 7, 9, 9, 5, 7, 8, 9, 9, 9,
  140924. 10, 9,12,12, 9, 9,10,12,12, 6, 8, 8,11,10, 8,10,
  140925. 10,11,11, 8, 9,10,11,11,10,11,11,14,13,10,11,11,
  140926. 13,13, 5, 8, 8,10,10, 8,10,10,11,11, 8,10,10,11,
  140927. 11,10,11,11,13,13,10,11,11,13,13, 9,11,11,15,14,
  140928. 10,12,12,15,14,10,12,11,15,14,13,14,14,16,16,12,
  140929. 14,13,17,15, 9,11,11,14,15,10,11,12,14,16,10,11,
  140930. 12,14,16,12,13,14,16,16,13,13,15,15,18, 5, 8, 8,
  140931. 11,11, 8,10,10,12,12, 8,10,10,12,13,11,12,12,14,
  140932. 14,11,12,12,15,15, 8,10,10,13,13,10,12,12,13,13,
  140933. 10,12,12,14,14,12,13,13,15,15,12,13,13,16,16, 7,
  140934. 10,10,12,12,10,12,11,13,13,10,12,12,13,14,12,13,
  140935. 12,15,14,12,13,13,16,16,10,12,12,17,16,12,13,13,
  140936. 16,15,11,13,13,17,17,15,15,15,16,17,14,15,15,19,
  140937. 19,10,12,12,15,16,11,13,12,15,18,11,13,13,16,16,
  140938. 14,15,15,17,17,14,15,15,17,19, 5, 8, 8,11,11, 8,
  140939. 10,10,12,12, 8,10,10,12,12,11,12,12,16,15,11,12,
  140940. 12,14,15, 7,10,10,13,13,10,12,12,14,13,10,11,12,
  140941. 13,13,12,13,13,16,16,12,12,13,15,15, 8,10,10,13,
  140942. 13,10,12,12,14,14,10,12,12,13,13,12,13,13,16,16,
  140943. 12,13,13,15,15,10,12,12,16,15,11,13,13,17,16,11,
  140944. 12,13,16,15,13,15,15,19,17,14,15,14,17,16,10,12,
  140945. 12,16,16,11,13,13,16,17,12,13,13,15,17,14,15,15,
  140946. 17,19,14,15,15,17,17, 8,11,11,16,16,10,13,12,17,
  140947. 17,10,12,13,16,16,15,17,16,20,19,14,15,17,18,19,
  140948. 9,12,12,16,17,11,13,14,17,18,11,13,13,19,18,16,
  140949. 17,18,19,19,15,16,16,19,19, 9,12,12,16,17,11,14,
  140950. 13,18,17,11,13,13,17,17,16,17,16,20,19,14,16,16,
  140951. 18,18,12,15,15,19,17,14,15,16, 0,20,13,15,16,20,
  140952. 17,18,16,20, 0, 0,15,16,19,20, 0,12,15,14,18,19,
  140953. 13,16,15,20,19,13,16,15,20,18,17,18,17, 0,20,16,
  140954. 17,16, 0, 0, 8,11,11,16,15,10,12,12,17,17,10,13,
  140955. 13,17,16,14,16,15,18,20,15,16,16,19,19, 9,12,12,
  140956. 16,16,11,13,13,17,16,11,13,14,17,18,15,15,16,20,
  140957. 20,16,16,17,19,19, 9,13,12,16,17,11,14,13,17,17,
  140958. 11,14,14,18,17,14,16,15,18,19,16,17,18,18,19,12,
  140959. 14,15,19,18,13,15,16,18, 0,13,14,15, 0, 0,16,16,
  140960. 17,20, 0,17,17,20,20, 0,12,15,15,19,20,13,15,15,
  140961. 0, 0,14,16,15, 0, 0,15,18,16, 0, 0,17,18,16, 0,
  140962. 19,
  140963. };
  140964. static float _vq_quantthresh__44u1__p3_0[] = {
  140965. -1.5, -0.5, 0.5, 1.5,
  140966. };
  140967. static long _vq_quantmap__44u1__p3_0[] = {
  140968. 3, 1, 0, 2, 4,
  140969. };
  140970. static encode_aux_threshmatch _vq_auxt__44u1__p3_0 = {
  140971. _vq_quantthresh__44u1__p3_0,
  140972. _vq_quantmap__44u1__p3_0,
  140973. 5,
  140974. 5
  140975. };
  140976. static static_codebook _44u1__p3_0 = {
  140977. 4, 625,
  140978. _vq_lengthlist__44u1__p3_0,
  140979. 1, -533725184, 1611661312, 3, 0,
  140980. _vq_quantlist__44u1__p3_0,
  140981. NULL,
  140982. &_vq_auxt__44u1__p3_0,
  140983. NULL,
  140984. 0
  140985. };
  140986. static long _vq_quantlist__44u1__p4_0[] = {
  140987. 2,
  140988. 1,
  140989. 3,
  140990. 0,
  140991. 4,
  140992. };
  140993. static long _vq_lengthlist__44u1__p4_0[] = {
  140994. 4, 5, 5, 9, 9, 5, 6, 6, 9, 9, 5, 6, 6, 9, 9, 9,
  140995. 10, 9,12,12, 9, 9,10,12,12, 5, 7, 7,10,10, 7, 7,
  140996. 8,10,10, 6, 7, 8,10,10,10,10,10,11,13,10, 9,10,
  140997. 12,13, 5, 7, 7,10,10, 6, 8, 7,10,10, 7, 8, 7,10,
  140998. 10, 9,10,10,12,12,10,10,10,13,11, 9,10,10,13,13,
  140999. 10,11,10,13,13,10,10,10,13,13,12,12,13,14,14,12,
  141000. 12,13,14,14, 9,10,10,13,13,10,10,10,13,13,10,10,
  141001. 10,13,13,12,13,12,15,14,12,13,12,15,15, 5, 7, 6,
  141002. 10,10, 7, 8, 8,10,10, 7, 8, 8,10,10,10,11,10,13,
  141003. 13,10,10,10,12,12, 7, 8, 8,11,10, 8, 8, 9,10,11,
  141004. 8, 9, 9,11,11,11,10,11,11,14,11,11,11,13,13, 6,
  141005. 8, 8,10,10, 7, 9, 8,11,10, 8, 9, 9,11,11,10,11,
  141006. 10,14,11,10,11,11,13,13,10,11,11,14,13,10,10,11,
  141007. 14,13,10,11,11,14,14,12,11,13,12,16,13,14,14,15,
  141008. 15,10,10,11,13,14,10,11,10,14,13,10,11,11,14,14,
  141009. 12,13,12,15,13,13,13,14,15,16, 5, 7, 7,10,10, 7,
  141010. 8, 8,10,10, 7, 8, 8,10,10,10,10,10,13,13,10,10,
  141011. 11,12,13, 6, 8, 8,11,10, 8, 9, 9,11,11, 7, 8, 9,
  141012. 10,11,10,11,11,13,13,10,10,11,11,13, 6, 8, 8,10,
  141013. 11, 8, 9, 9,11,11, 8, 9, 8,12,10,10,11,11,13,13,
  141014. 10,11,10,14,11,10,10,10,14,13,10,11,11,14,13,10,
  141015. 10,11,13,13,12,14,14,16,16,12,12,13,13,15,10,11,
  141016. 11,13,14,10,11,11,14,15,10,11,10,13,13,13,14,13,
  141017. 16,16,12,13,11,15,12, 9,10,10,13,13,10,11,11,14,
  141018. 13,10,10,11,13,14,13,14,13,16,16,13,13,13,15,16,
  141019. 9,10,10,13,13,10,10,11,13,14,10,11,11,15,13,13,
  141020. 13,14,14,18,13,13,14,16,15, 9,10,10,13,14,10,11,
  141021. 10,14,13,10,11,11,13,14,13,14,13,16,15,13,13,14,
  141022. 15,16,12,13,12,16,14,11,11,13,15,15,13,14,13,16,
  141023. 15,15,12,16,12,17,14,15,15,17,17,12,13,13,14,16,
  141024. 11,13,11,16,15,12,13,14,15,16,14,15,13, 0,14,14,
  141025. 16,16, 0, 0, 9,10,10,13,13,10,11,10,14,14,10,11,
  141026. 11,13,13,12,13,13,14,16,13,14,14,16,16, 9,10,10,
  141027. 14,14,11,11,11,14,13,10,10,11,14,14,13,13,13,16,
  141028. 16,13,13,14,14,17, 9,10,10,13,14,10,11,11,13,15,
  141029. 10,11,10,14,14,13,13,13,14,17,13,14,13,17,14,12,
  141030. 13,13,16,14,13,14,13,16,15,12,12,13,15,16,15,15,
  141031. 16,18,16,15,13,15,14, 0,12,12,13,14,16,13,13,14,
  141032. 15,16,11,12,11,16,14,15,16,16,17,17,14,15,12,17,
  141033. 12,
  141034. };
  141035. static float _vq_quantthresh__44u1__p4_0[] = {
  141036. -1.5, -0.5, 0.5, 1.5,
  141037. };
  141038. static long _vq_quantmap__44u1__p4_0[] = {
  141039. 3, 1, 0, 2, 4,
  141040. };
  141041. static encode_aux_threshmatch _vq_auxt__44u1__p4_0 = {
  141042. _vq_quantthresh__44u1__p4_0,
  141043. _vq_quantmap__44u1__p4_0,
  141044. 5,
  141045. 5
  141046. };
  141047. static static_codebook _44u1__p4_0 = {
  141048. 4, 625,
  141049. _vq_lengthlist__44u1__p4_0,
  141050. 1, -533725184, 1611661312, 3, 0,
  141051. _vq_quantlist__44u1__p4_0,
  141052. NULL,
  141053. &_vq_auxt__44u1__p4_0,
  141054. NULL,
  141055. 0
  141056. };
  141057. static long _vq_quantlist__44u1__p5_0[] = {
  141058. 4,
  141059. 3,
  141060. 5,
  141061. 2,
  141062. 6,
  141063. 1,
  141064. 7,
  141065. 0,
  141066. 8,
  141067. };
  141068. static long _vq_lengthlist__44u1__p5_0[] = {
  141069. 1, 4, 4, 7, 7, 7, 7, 9, 9, 4, 6, 6, 8, 8, 8, 8,
  141070. 9, 9, 4, 6, 6, 8, 8, 8, 8, 9, 9, 7, 8, 8, 9, 9,
  141071. 9, 9,11,10, 7, 8, 8, 9, 9, 9, 9,10,10, 7, 8, 8,
  141072. 9, 9,10,10,11,11, 7, 8, 8, 9, 9,10,10,11,11, 9,
  141073. 9, 9,10,10,11,11,12,12, 9, 9, 9,10,11,11,11,12,
  141074. 12,
  141075. };
  141076. static float _vq_quantthresh__44u1__p5_0[] = {
  141077. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  141078. };
  141079. static long _vq_quantmap__44u1__p5_0[] = {
  141080. 7, 5, 3, 1, 0, 2, 4, 6,
  141081. 8,
  141082. };
  141083. static encode_aux_threshmatch _vq_auxt__44u1__p5_0 = {
  141084. _vq_quantthresh__44u1__p5_0,
  141085. _vq_quantmap__44u1__p5_0,
  141086. 9,
  141087. 9
  141088. };
  141089. static static_codebook _44u1__p5_0 = {
  141090. 2, 81,
  141091. _vq_lengthlist__44u1__p5_0,
  141092. 1, -531628032, 1611661312, 4, 0,
  141093. _vq_quantlist__44u1__p5_0,
  141094. NULL,
  141095. &_vq_auxt__44u1__p5_0,
  141096. NULL,
  141097. 0
  141098. };
  141099. static long _vq_quantlist__44u1__p6_0[] = {
  141100. 6,
  141101. 5,
  141102. 7,
  141103. 4,
  141104. 8,
  141105. 3,
  141106. 9,
  141107. 2,
  141108. 10,
  141109. 1,
  141110. 11,
  141111. 0,
  141112. 12,
  141113. };
  141114. static long _vq_lengthlist__44u1__p6_0[] = {
  141115. 1, 4, 4, 6, 6, 8, 8,10, 9,11,10,14,13, 4, 6, 5,
  141116. 8, 8, 9, 9,11,10,11,11,14,14, 4, 5, 6, 8, 8, 9,
  141117. 9,10,10,11,11,14,14, 6, 8, 8, 9, 9,10,10,11,11,
  141118. 12,12,16,15, 7, 8, 8, 9, 9,10,10,11,11,12,12,15,
  141119. 15, 9,10,10,10,10,11,11,12,12,12,12,15,15, 9,10,
  141120. 9,10,11,11,11,12,12,12,13,15,15,10,10,11,11,11,
  141121. 12,12,13,12,13,13,16,15,10,11,11,11,11,12,12,13,
  141122. 12,13,13,16,17,11,11,12,12,12,13,13,13,14,14,15,
  141123. 17,17,11,11,12,12,12,13,13,13,14,14,14,16,18,14,
  141124. 15,15,15,15,16,16,16,16,17,18, 0, 0,14,15,15,15,
  141125. 15,17,16,17,18,17,17,18, 0,
  141126. };
  141127. static float _vq_quantthresh__44u1__p6_0[] = {
  141128. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  141129. 12.5, 17.5, 22.5, 27.5,
  141130. };
  141131. static long _vq_quantmap__44u1__p6_0[] = {
  141132. 11, 9, 7, 5, 3, 1, 0, 2,
  141133. 4, 6, 8, 10, 12,
  141134. };
  141135. static encode_aux_threshmatch _vq_auxt__44u1__p6_0 = {
  141136. _vq_quantthresh__44u1__p6_0,
  141137. _vq_quantmap__44u1__p6_0,
  141138. 13,
  141139. 13
  141140. };
  141141. static static_codebook _44u1__p6_0 = {
  141142. 2, 169,
  141143. _vq_lengthlist__44u1__p6_0,
  141144. 1, -526516224, 1616117760, 4, 0,
  141145. _vq_quantlist__44u1__p6_0,
  141146. NULL,
  141147. &_vq_auxt__44u1__p6_0,
  141148. NULL,
  141149. 0
  141150. };
  141151. static long _vq_quantlist__44u1__p6_1[] = {
  141152. 2,
  141153. 1,
  141154. 3,
  141155. 0,
  141156. 4,
  141157. };
  141158. static long _vq_lengthlist__44u1__p6_1[] = {
  141159. 2, 4, 4, 5, 5, 4, 5, 5, 5, 5, 4, 5, 5, 5, 5, 5,
  141160. 6, 6, 6, 6, 5, 6, 6, 6, 6,
  141161. };
  141162. static float _vq_quantthresh__44u1__p6_1[] = {
  141163. -1.5, -0.5, 0.5, 1.5,
  141164. };
  141165. static long _vq_quantmap__44u1__p6_1[] = {
  141166. 3, 1, 0, 2, 4,
  141167. };
  141168. static encode_aux_threshmatch _vq_auxt__44u1__p6_1 = {
  141169. _vq_quantthresh__44u1__p6_1,
  141170. _vq_quantmap__44u1__p6_1,
  141171. 5,
  141172. 5
  141173. };
  141174. static static_codebook _44u1__p6_1 = {
  141175. 2, 25,
  141176. _vq_lengthlist__44u1__p6_1,
  141177. 1, -533725184, 1611661312, 3, 0,
  141178. _vq_quantlist__44u1__p6_1,
  141179. NULL,
  141180. &_vq_auxt__44u1__p6_1,
  141181. NULL,
  141182. 0
  141183. };
  141184. static long _vq_quantlist__44u1__p7_0[] = {
  141185. 3,
  141186. 2,
  141187. 4,
  141188. 1,
  141189. 5,
  141190. 0,
  141191. 6,
  141192. };
  141193. static long _vq_lengthlist__44u1__p7_0[] = {
  141194. 1, 3, 2, 9, 9, 7, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  141195. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  141196. 9, 9, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  141197. 8,
  141198. };
  141199. static float _vq_quantthresh__44u1__p7_0[] = {
  141200. -422.5, -253.5, -84.5, 84.5, 253.5, 422.5,
  141201. };
  141202. static long _vq_quantmap__44u1__p7_0[] = {
  141203. 5, 3, 1, 0, 2, 4, 6,
  141204. };
  141205. static encode_aux_threshmatch _vq_auxt__44u1__p7_0 = {
  141206. _vq_quantthresh__44u1__p7_0,
  141207. _vq_quantmap__44u1__p7_0,
  141208. 7,
  141209. 7
  141210. };
  141211. static static_codebook _44u1__p7_0 = {
  141212. 2, 49,
  141213. _vq_lengthlist__44u1__p7_0,
  141214. 1, -518017024, 1626677248, 3, 0,
  141215. _vq_quantlist__44u1__p7_0,
  141216. NULL,
  141217. &_vq_auxt__44u1__p7_0,
  141218. NULL,
  141219. 0
  141220. };
  141221. static long _vq_quantlist__44u1__p7_1[] = {
  141222. 6,
  141223. 5,
  141224. 7,
  141225. 4,
  141226. 8,
  141227. 3,
  141228. 9,
  141229. 2,
  141230. 10,
  141231. 1,
  141232. 11,
  141233. 0,
  141234. 12,
  141235. };
  141236. static long _vq_lengthlist__44u1__p7_1[] = {
  141237. 1, 4, 4, 6, 6, 6, 6, 7, 7, 8, 8, 9, 9, 5, 7, 7,
  141238. 8, 7, 7, 7, 9, 8,10, 9,10,11, 5, 7, 7, 8, 8, 7,
  141239. 7, 8, 9,10,10,11,11, 6, 8, 8, 9, 9, 9, 9,11,10,
  141240. 12,12,15,12, 6, 8, 8, 9, 9, 9, 9,11,11,12,11,14,
  141241. 12, 7, 8, 8,10,10,12,12,13,13,13,15,13,13, 7, 8,
  141242. 8,10,10,11,11,13,12,14,15,15,15, 9,10,10,11,12,
  141243. 13,13,14,15,14,15,14,15, 8,10,10,12,12,14,14,15,
  141244. 14,14,15,15,14,10,12,12,14,14,15,14,15,15,15,14,
  141245. 15,15,10,12,12,13,14,15,14,15,15,14,15,15,15,12,
  141246. 15,13,15,14,15,15,15,15,15,15,15,15,13,13,15,15,
  141247. 15,15,15,15,15,15,15,15,15,
  141248. };
  141249. static float _vq_quantthresh__44u1__p7_1[] = {
  141250. -71.5, -58.5, -45.5, -32.5, -19.5, -6.5, 6.5, 19.5,
  141251. 32.5, 45.5, 58.5, 71.5,
  141252. };
  141253. static long _vq_quantmap__44u1__p7_1[] = {
  141254. 11, 9, 7, 5, 3, 1, 0, 2,
  141255. 4, 6, 8, 10, 12,
  141256. };
  141257. static encode_aux_threshmatch _vq_auxt__44u1__p7_1 = {
  141258. _vq_quantthresh__44u1__p7_1,
  141259. _vq_quantmap__44u1__p7_1,
  141260. 13,
  141261. 13
  141262. };
  141263. static static_codebook _44u1__p7_1 = {
  141264. 2, 169,
  141265. _vq_lengthlist__44u1__p7_1,
  141266. 1, -523010048, 1618608128, 4, 0,
  141267. _vq_quantlist__44u1__p7_1,
  141268. NULL,
  141269. &_vq_auxt__44u1__p7_1,
  141270. NULL,
  141271. 0
  141272. };
  141273. static long _vq_quantlist__44u1__p7_2[] = {
  141274. 6,
  141275. 5,
  141276. 7,
  141277. 4,
  141278. 8,
  141279. 3,
  141280. 9,
  141281. 2,
  141282. 10,
  141283. 1,
  141284. 11,
  141285. 0,
  141286. 12,
  141287. };
  141288. static long _vq_lengthlist__44u1__p7_2[] = {
  141289. 2, 5, 4, 6, 6, 7, 7, 8, 8, 8, 8, 9, 8, 5, 5, 6,
  141290. 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 5, 6, 5, 7, 7, 8,
  141291. 8, 8, 8, 9, 9, 9, 9, 6, 7, 7, 8, 8, 8, 8, 9, 8,
  141292. 9, 9, 9, 9, 6, 7, 7, 8, 7, 8, 8, 9, 9, 9, 9, 9,
  141293. 9, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 7, 8,
  141294. 8, 9, 8, 9, 8, 9, 9, 9, 9, 9, 9, 8, 9, 8, 9, 9,
  141295. 9, 9, 9, 9, 9, 9,10,10, 8, 8, 9, 9, 9, 9, 9, 9,
  141296. 9, 9,10, 9,10, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  141297. 9, 9, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  141298. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10, 9, 9, 9, 9, 9,
  141299. 9, 9, 9,10, 9, 9,10,10, 9,
  141300. };
  141301. static float _vq_quantthresh__44u1__p7_2[] = {
  141302. -5.5, -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5,
  141303. 2.5, 3.5, 4.5, 5.5,
  141304. };
  141305. static long _vq_quantmap__44u1__p7_2[] = {
  141306. 11, 9, 7, 5, 3, 1, 0, 2,
  141307. 4, 6, 8, 10, 12,
  141308. };
  141309. static encode_aux_threshmatch _vq_auxt__44u1__p7_2 = {
  141310. _vq_quantthresh__44u1__p7_2,
  141311. _vq_quantmap__44u1__p7_2,
  141312. 13,
  141313. 13
  141314. };
  141315. static static_codebook _44u1__p7_2 = {
  141316. 2, 169,
  141317. _vq_lengthlist__44u1__p7_2,
  141318. 1, -531103744, 1611661312, 4, 0,
  141319. _vq_quantlist__44u1__p7_2,
  141320. NULL,
  141321. &_vq_auxt__44u1__p7_2,
  141322. NULL,
  141323. 0
  141324. };
  141325. static long _huff_lengthlist__44u1__short[] = {
  141326. 12,13,14,13,17,12,15,17, 5, 5, 6,10,10,11,15,16,
  141327. 4, 3, 3, 7, 5, 7,10,16, 7, 7, 7,10, 9,11,12,16,
  141328. 6, 5, 5, 9, 5, 6,10,16, 8, 7, 7, 9, 6, 7, 9,16,
  141329. 11, 7, 3, 6, 4, 5, 8,16,12, 9, 4, 8, 5, 7, 9,16,
  141330. };
  141331. static static_codebook _huff_book__44u1__short = {
  141332. 2, 64,
  141333. _huff_lengthlist__44u1__short,
  141334. 0, 0, 0, 0, 0,
  141335. NULL,
  141336. NULL,
  141337. NULL,
  141338. NULL,
  141339. 0
  141340. };
  141341. static long _huff_lengthlist__44u2__long[] = {
  141342. 5, 9,14,12,15,13,10,13, 7, 4, 5, 6, 8, 7, 8,12,
  141343. 13, 4, 3, 5, 5, 6, 9,15,12, 6, 5, 6, 6, 6, 7,14,
  141344. 14, 7, 4, 6, 4, 6, 8,15,12, 6, 6, 5, 5, 5, 6,14,
  141345. 9, 7, 8, 6, 7, 5, 4,10,10,13,14,14,15,10, 6, 8,
  141346. };
  141347. static static_codebook _huff_book__44u2__long = {
  141348. 2, 64,
  141349. _huff_lengthlist__44u2__long,
  141350. 0, 0, 0, 0, 0,
  141351. NULL,
  141352. NULL,
  141353. NULL,
  141354. NULL,
  141355. 0
  141356. };
  141357. static long _vq_quantlist__44u2__p1_0[] = {
  141358. 1,
  141359. 0,
  141360. 2,
  141361. };
  141362. static long _vq_lengthlist__44u2__p1_0[] = {
  141363. 1, 4, 4, 5, 8, 7, 5, 7, 8, 5, 8, 8, 8,11,11, 8,
  141364. 10,11, 5, 8, 8, 8,11,10, 8,11,11, 4, 8, 8, 8,11,
  141365. 11, 8,11,11, 8,11,11,11,13,14,11,13,13, 7,11,11,
  141366. 10,13,12,11,14,14, 4, 8, 8, 8,11,11, 8,11,11, 8,
  141367. 11,11,11,14,13,10,12,13, 8,11,11,11,13,13,11,13,
  141368. 13,
  141369. };
  141370. static float _vq_quantthresh__44u2__p1_0[] = {
  141371. -0.5, 0.5,
  141372. };
  141373. static long _vq_quantmap__44u2__p1_0[] = {
  141374. 1, 0, 2,
  141375. };
  141376. static encode_aux_threshmatch _vq_auxt__44u2__p1_0 = {
  141377. _vq_quantthresh__44u2__p1_0,
  141378. _vq_quantmap__44u2__p1_0,
  141379. 3,
  141380. 3
  141381. };
  141382. static static_codebook _44u2__p1_0 = {
  141383. 4, 81,
  141384. _vq_lengthlist__44u2__p1_0,
  141385. 1, -535822336, 1611661312, 2, 0,
  141386. _vq_quantlist__44u2__p1_0,
  141387. NULL,
  141388. &_vq_auxt__44u2__p1_0,
  141389. NULL,
  141390. 0
  141391. };
  141392. static long _vq_quantlist__44u2__p2_0[] = {
  141393. 1,
  141394. 0,
  141395. 2,
  141396. };
  141397. static long _vq_lengthlist__44u2__p2_0[] = {
  141398. 2, 5, 5, 5, 6, 6, 5, 6, 6, 5, 6, 6, 7, 8, 8, 6,
  141399. 8, 8, 5, 6, 6, 6, 8, 7, 7, 8, 8, 5, 6, 6, 7, 8,
  141400. 8, 6, 8, 8, 6, 8, 8, 8, 9,10, 8,10,10, 6, 8, 8,
  141401. 7,10, 8, 8,10,10, 5, 6, 6, 6, 8, 8, 7, 8, 8, 6,
  141402. 8, 8, 8,10,10, 8, 8,10, 6, 8, 8, 8,10,10, 8,10,
  141403. 9,
  141404. };
  141405. static float _vq_quantthresh__44u2__p2_0[] = {
  141406. -0.5, 0.5,
  141407. };
  141408. static long _vq_quantmap__44u2__p2_0[] = {
  141409. 1, 0, 2,
  141410. };
  141411. static encode_aux_threshmatch _vq_auxt__44u2__p2_0 = {
  141412. _vq_quantthresh__44u2__p2_0,
  141413. _vq_quantmap__44u2__p2_0,
  141414. 3,
  141415. 3
  141416. };
  141417. static static_codebook _44u2__p2_0 = {
  141418. 4, 81,
  141419. _vq_lengthlist__44u2__p2_0,
  141420. 1, -535822336, 1611661312, 2, 0,
  141421. _vq_quantlist__44u2__p2_0,
  141422. NULL,
  141423. &_vq_auxt__44u2__p2_0,
  141424. NULL,
  141425. 0
  141426. };
  141427. static long _vq_quantlist__44u2__p3_0[] = {
  141428. 2,
  141429. 1,
  141430. 3,
  141431. 0,
  141432. 4,
  141433. };
  141434. static long _vq_lengthlist__44u2__p3_0[] = {
  141435. 2, 4, 4, 7, 8, 5, 7, 7, 9, 9, 5, 7, 7, 9, 9, 8,
  141436. 9, 9,12,11, 8, 9, 9,11,12, 5, 7, 7,10,10, 7, 9,
  141437. 9,11,11, 7, 9, 9,10,11,10,11,11,13,13, 9,10,11,
  141438. 12,13, 5, 7, 7,10,10, 7, 9, 9,11,10, 7, 9, 9,11,
  141439. 11, 9,11,10,13,13,10,11,11,13,13, 8,10,10,14,13,
  141440. 10,11,11,15,14, 9,11,11,15,14,13,14,13,16,14,12,
  141441. 13,13,15,16, 8,10,10,13,14, 9,11,11,14,15,10,11,
  141442. 11,14,15,12,13,13,15,15,12,13,14,15,16, 5, 7, 7,
  141443. 10,10, 7, 9, 9,11,11, 7, 9, 9,11,12,10,11,11,14,
  141444. 13,10,11,11,14,14, 7, 9, 9,12,12, 9,11,11,13,13,
  141445. 9,11,11,13,13,12,13,12,14,14,11,12,13,15,15, 7,
  141446. 9, 9,12,12, 8,11,10,13,12, 9,11,11,13,13,11,13,
  141447. 12,15,13,11,13,13,15,16, 9,12,11,15,15,11,12,12,
  141448. 16,15,11,12,13,16,16,13,14,15,16,15,13,15,15,17,
  141449. 17, 9,11,11,14,15,10,12,12,15,15,11,13,12,15,16,
  141450. 13,15,14,16,16,13,15,15,17,19, 5, 7, 7,10,10, 7,
  141451. 9, 9,12,11, 7, 9, 9,11,11,10,11,11,14,14,10,11,
  141452. 11,13,14, 7, 9, 9,12,12, 9,11,11,13,13, 9,10,11,
  141453. 12,13,11,13,12,16,15,11,12,12,14,15, 7, 9, 9,12,
  141454. 12, 9,11,11,13,13, 9,11,11,13,12,11,13,12,15,16,
  141455. 12,13,13,15,14, 9,11,11,15,14,11,13,12,16,15,10,
  141456. 11,12,15,15,13,14,14,18,17,13,14,14,15,17,10,11,
  141457. 11,14,15,11,13,12,15,17,11,13,12,15,16,13,15,14,
  141458. 18,17,14,15,15,16,18, 7,10,10,14,14,10,12,12,15,
  141459. 15,10,12,12,15,15,14,15,15,18,17,13,15,15,16,16,
  141460. 9,11,11,16,15,11,13,13,16,18,11,13,13,16,16,15,
  141461. 16,16, 0, 0,14,15,16,18,17, 9,11,11,15,15,10,13,
  141462. 12,17,16,11,12,13,16,17,14,15,16,19,19,14,15,15,
  141463. 0,20,12,14,14, 0, 0,13,14,16,19,18,13,15,16,20,
  141464. 17,16,18, 0, 0, 0,15,16,17,18,19,11,14,14, 0,19,
  141465. 12,15,14,17,17,13,15,15, 0, 0,16,17,15,20,19,15,
  141466. 17,16,19, 0, 8,10,10,14,15,10,12,11,15,15,10,11,
  141467. 12,16,15,13,14,14,19,17,14,15,15, 0, 0, 9,11,11,
  141468. 16,15,11,13,13,17,16,10,12,13,16,17,14,15,15,18,
  141469. 18,14,15,16,20,19, 9,12,12, 0,15,11,13,13,16,17,
  141470. 11,13,13,19,17,14,16,16,18,17,15,16,16,17,19,11,
  141471. 14,14,18,18,13,14,15, 0, 0,12,14,15,19,18,15,16,
  141472. 19, 0,19,15,16,19,19,17,12,14,14,16,19,13,15,15,
  141473. 0,17,13,15,14,18,18,15,16,15, 0,18,16,17,17, 0,
  141474. 0,
  141475. };
  141476. static float _vq_quantthresh__44u2__p3_0[] = {
  141477. -1.5, -0.5, 0.5, 1.5,
  141478. };
  141479. static long _vq_quantmap__44u2__p3_0[] = {
  141480. 3, 1, 0, 2, 4,
  141481. };
  141482. static encode_aux_threshmatch _vq_auxt__44u2__p3_0 = {
  141483. _vq_quantthresh__44u2__p3_0,
  141484. _vq_quantmap__44u2__p3_0,
  141485. 5,
  141486. 5
  141487. };
  141488. static static_codebook _44u2__p3_0 = {
  141489. 4, 625,
  141490. _vq_lengthlist__44u2__p3_0,
  141491. 1, -533725184, 1611661312, 3, 0,
  141492. _vq_quantlist__44u2__p3_0,
  141493. NULL,
  141494. &_vq_auxt__44u2__p3_0,
  141495. NULL,
  141496. 0
  141497. };
  141498. static long _vq_quantlist__44u2__p4_0[] = {
  141499. 2,
  141500. 1,
  141501. 3,
  141502. 0,
  141503. 4,
  141504. };
  141505. static long _vq_lengthlist__44u2__p4_0[] = {
  141506. 4, 5, 5, 8, 8, 5, 7, 6, 9, 9, 5, 6, 7, 9, 9, 9,
  141507. 9, 9,11,11, 9, 9, 9,11,11, 5, 7, 7, 9, 9, 7, 8,
  141508. 8,10,10, 7, 7, 8,10,10,10,10,10,11,12, 9,10,10,
  141509. 11,12, 5, 7, 7, 9, 9, 6, 8, 7,10,10, 7, 8, 8,10,
  141510. 10, 9,10,10,12,11, 9,10,10,12,11, 9,10,10,12,12,
  141511. 10,10,10,13,12, 9,10,10,12,13,12,12,12,14,14,11,
  141512. 12,12,13,14, 9,10,10,12,12, 9,10,10,12,13,10,10,
  141513. 10,12,13,11,12,12,14,13,12,12,12,14,13, 5, 7, 7,
  141514. 10, 9, 7, 8, 8,10,10, 7, 8, 8,10,10,10,10,10,12,
  141515. 12,10,10,10,12,12, 7, 8, 8,11,10, 8, 8, 9,11,11,
  141516. 8, 9, 9,11,11,10,11,11,12,13,10,11,11,13,13, 6,
  141517. 8, 8,10,10, 7, 9, 8,11,10, 8, 9, 9,11,11,10,11,
  141518. 10,13,11,10,11,11,13,13, 9,10,10,13,13,10,11,11,
  141519. 13,13,10,11,11,14,13,12,11,13,12,15,12,13,13,15,
  141520. 15, 9,10,10,12,13,10,11,10,13,13,10,11,11,13,13,
  141521. 12,13,11,15,13,12,13,13,15,15, 5, 7, 7, 9,10, 7,
  141522. 8, 8,10,10, 7, 8, 8,10,10,10,10,10,12,12,10,10,
  141523. 11,12,12, 6, 8, 8,10,10, 8, 9, 9,11,11, 7, 8, 9,
  141524. 10,11,10,11,11,13,13,10,10,11,11,13, 7, 8, 8,10,
  141525. 11, 8, 9, 9,11,11, 8, 9, 8,11,11,10,11,11,13,13,
  141526. 10,11,11,13,12, 9,10,10,13,12,10,11,11,14,13,10,
  141527. 10,11,13,13,12,13,13,15,15,12,11,13,12,14, 9,10,
  141528. 10,12,13,10,11,11,13,14,10,11,11,13,13,12,13,13,
  141529. 15,15,12,13,12,15,12, 8, 9, 9,12,12, 9,11,10,13,
  141530. 13, 9,10,10,13,13,12,13,13,15,15,12,12,12,14,14,
  141531. 9,10,10,13,13,10,11,11,13,14,10,11,11,14,12,13,
  141532. 13,14,14,16,12,13,13,15,14, 9,10,10,13,13,10,11,
  141533. 10,14,13,10,11,11,13,14,12,14,13,16,14,13,13,13,
  141534. 14,15,11,13,12,15,14,11,12,13,14,15,12,13,13,16,
  141535. 15,14,12,15,12,16,14,15,15,17,16,11,12,12,14,15,
  141536. 11,13,11,15,14,12,13,13,15,16,13,15,12,17,13,14,
  141537. 15,15,16,16, 8, 9, 9,12,12, 9,10,10,13,13, 9,10,
  141538. 10,13,13,12,13,12,14,14,12,13,13,15,15, 9,10,10,
  141539. 13,13,10,11,11,14,13,10,10,11,13,14,12,13,13,15,
  141540. 14,12,12,14,14,16, 9,10,10,13,13,10,11,11,13,14,
  141541. 10,11,11,14,13,13,13,13,15,15,13,14,13,16,14,11,
  141542. 12,12,14,14,12,13,13,16,15,11,12,13,14,15,14,15,
  141543. 15,16,16,14,13,15,13,17,11,12,12,14,15,12,13,13,
  141544. 15,16,11,13,12,15,15,14,15,14,16,16,14,15,12,17,
  141545. 13,
  141546. };
  141547. static float _vq_quantthresh__44u2__p4_0[] = {
  141548. -1.5, -0.5, 0.5, 1.5,
  141549. };
  141550. static long _vq_quantmap__44u2__p4_0[] = {
  141551. 3, 1, 0, 2, 4,
  141552. };
  141553. static encode_aux_threshmatch _vq_auxt__44u2__p4_0 = {
  141554. _vq_quantthresh__44u2__p4_0,
  141555. _vq_quantmap__44u2__p4_0,
  141556. 5,
  141557. 5
  141558. };
  141559. static static_codebook _44u2__p4_0 = {
  141560. 4, 625,
  141561. _vq_lengthlist__44u2__p4_0,
  141562. 1, -533725184, 1611661312, 3, 0,
  141563. _vq_quantlist__44u2__p4_0,
  141564. NULL,
  141565. &_vq_auxt__44u2__p4_0,
  141566. NULL,
  141567. 0
  141568. };
  141569. static long _vq_quantlist__44u2__p5_0[] = {
  141570. 4,
  141571. 3,
  141572. 5,
  141573. 2,
  141574. 6,
  141575. 1,
  141576. 7,
  141577. 0,
  141578. 8,
  141579. };
  141580. static long _vq_lengthlist__44u2__p5_0[] = {
  141581. 1, 4, 4, 7, 7, 8, 8, 9, 9, 4, 6, 5, 8, 8, 8, 8,
  141582. 10,10, 4, 5, 6, 8, 8, 8, 8,10,10, 7, 8, 8, 9, 9,
  141583. 9, 9,11,11, 7, 8, 8, 9, 9, 9, 9,11,11, 8, 8, 8,
  141584. 9, 9,10,11,12,12, 8, 8, 8, 9, 9,10,10,12,12,10,
  141585. 10,10,11,11,12,12,13,13,10,10,10,11,11,12,12,13,
  141586. 13,
  141587. };
  141588. static float _vq_quantthresh__44u2__p5_0[] = {
  141589. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  141590. };
  141591. static long _vq_quantmap__44u2__p5_0[] = {
  141592. 7, 5, 3, 1, 0, 2, 4, 6,
  141593. 8,
  141594. };
  141595. static encode_aux_threshmatch _vq_auxt__44u2__p5_0 = {
  141596. _vq_quantthresh__44u2__p5_0,
  141597. _vq_quantmap__44u2__p5_0,
  141598. 9,
  141599. 9
  141600. };
  141601. static static_codebook _44u2__p5_0 = {
  141602. 2, 81,
  141603. _vq_lengthlist__44u2__p5_0,
  141604. 1, -531628032, 1611661312, 4, 0,
  141605. _vq_quantlist__44u2__p5_0,
  141606. NULL,
  141607. &_vq_auxt__44u2__p5_0,
  141608. NULL,
  141609. 0
  141610. };
  141611. static long _vq_quantlist__44u2__p6_0[] = {
  141612. 6,
  141613. 5,
  141614. 7,
  141615. 4,
  141616. 8,
  141617. 3,
  141618. 9,
  141619. 2,
  141620. 10,
  141621. 1,
  141622. 11,
  141623. 0,
  141624. 12,
  141625. };
  141626. static long _vq_lengthlist__44u2__p6_0[] = {
  141627. 1, 4, 4, 6, 6, 8, 8,10,10,11,11,14,13, 4, 6, 5,
  141628. 8, 8, 9, 9,11,10,12,11,15,14, 4, 5, 6, 8, 8, 9,
  141629. 9,11,11,11,11,14,14, 6, 8, 8,10, 9,11,11,11,11,
  141630. 12,12,15,15, 6, 8, 8, 9, 9,11,11,11,12,12,12,15,
  141631. 15, 8,10,10,11,11,11,11,12,12,13,13,15,16, 8,10,
  141632. 10,11,11,11,11,12,12,13,13,16,16,10,11,11,12,12,
  141633. 12,12,13,13,13,13,17,16,10,11,11,12,12,12,12,13,
  141634. 13,13,14,16,17,11,12,12,13,13,13,13,14,14,15,14,
  141635. 18,17,11,12,12,13,13,13,13,14,14,14,15,19,18,14,
  141636. 15,15,15,15,16,16,18,19,18,18, 0, 0,14,15,15,16,
  141637. 15,17,17,16,18,17,18, 0, 0,
  141638. };
  141639. static float _vq_quantthresh__44u2__p6_0[] = {
  141640. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  141641. 12.5, 17.5, 22.5, 27.5,
  141642. };
  141643. static long _vq_quantmap__44u2__p6_0[] = {
  141644. 11, 9, 7, 5, 3, 1, 0, 2,
  141645. 4, 6, 8, 10, 12,
  141646. };
  141647. static encode_aux_threshmatch _vq_auxt__44u2__p6_0 = {
  141648. _vq_quantthresh__44u2__p6_0,
  141649. _vq_quantmap__44u2__p6_0,
  141650. 13,
  141651. 13
  141652. };
  141653. static static_codebook _44u2__p6_0 = {
  141654. 2, 169,
  141655. _vq_lengthlist__44u2__p6_0,
  141656. 1, -526516224, 1616117760, 4, 0,
  141657. _vq_quantlist__44u2__p6_0,
  141658. NULL,
  141659. &_vq_auxt__44u2__p6_0,
  141660. NULL,
  141661. 0
  141662. };
  141663. static long _vq_quantlist__44u2__p6_1[] = {
  141664. 2,
  141665. 1,
  141666. 3,
  141667. 0,
  141668. 4,
  141669. };
  141670. static long _vq_lengthlist__44u2__p6_1[] = {
  141671. 2, 4, 4, 5, 5, 4, 5, 5, 6, 5, 4, 5, 5, 5, 6, 5,
  141672. 6, 5, 6, 6, 5, 5, 6, 6, 6,
  141673. };
  141674. static float _vq_quantthresh__44u2__p6_1[] = {
  141675. -1.5, -0.5, 0.5, 1.5,
  141676. };
  141677. static long _vq_quantmap__44u2__p6_1[] = {
  141678. 3, 1, 0, 2, 4,
  141679. };
  141680. static encode_aux_threshmatch _vq_auxt__44u2__p6_1 = {
  141681. _vq_quantthresh__44u2__p6_1,
  141682. _vq_quantmap__44u2__p6_1,
  141683. 5,
  141684. 5
  141685. };
  141686. static static_codebook _44u2__p6_1 = {
  141687. 2, 25,
  141688. _vq_lengthlist__44u2__p6_1,
  141689. 1, -533725184, 1611661312, 3, 0,
  141690. _vq_quantlist__44u2__p6_1,
  141691. NULL,
  141692. &_vq_auxt__44u2__p6_1,
  141693. NULL,
  141694. 0
  141695. };
  141696. static long _vq_quantlist__44u2__p7_0[] = {
  141697. 4,
  141698. 3,
  141699. 5,
  141700. 2,
  141701. 6,
  141702. 1,
  141703. 7,
  141704. 0,
  141705. 8,
  141706. };
  141707. static long _vq_lengthlist__44u2__p7_0[] = {
  141708. 1, 3, 2,12,12,12,12,12,12, 4,12,12,12,12,12,12,
  141709. 12,12, 5,12,12,12,12,12,12,12,12,12,12,11,11,11,
  141710. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  141711. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  141712. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  141713. 11,
  141714. };
  141715. static float _vq_quantthresh__44u2__p7_0[] = {
  141716. -591.5, -422.5, -253.5, -84.5, 84.5, 253.5, 422.5, 591.5,
  141717. };
  141718. static long _vq_quantmap__44u2__p7_0[] = {
  141719. 7, 5, 3, 1, 0, 2, 4, 6,
  141720. 8,
  141721. };
  141722. static encode_aux_threshmatch _vq_auxt__44u2__p7_0 = {
  141723. _vq_quantthresh__44u2__p7_0,
  141724. _vq_quantmap__44u2__p7_0,
  141725. 9,
  141726. 9
  141727. };
  141728. static static_codebook _44u2__p7_0 = {
  141729. 2, 81,
  141730. _vq_lengthlist__44u2__p7_0,
  141731. 1, -516612096, 1626677248, 4, 0,
  141732. _vq_quantlist__44u2__p7_0,
  141733. NULL,
  141734. &_vq_auxt__44u2__p7_0,
  141735. NULL,
  141736. 0
  141737. };
  141738. static long _vq_quantlist__44u2__p7_1[] = {
  141739. 6,
  141740. 5,
  141741. 7,
  141742. 4,
  141743. 8,
  141744. 3,
  141745. 9,
  141746. 2,
  141747. 10,
  141748. 1,
  141749. 11,
  141750. 0,
  141751. 12,
  141752. };
  141753. static long _vq_lengthlist__44u2__p7_1[] = {
  141754. 1, 4, 4, 7, 6, 7, 6, 8, 7, 9, 7, 9, 8, 4, 7, 6,
  141755. 8, 8, 9, 8,10, 9,10,10,11,11, 4, 7, 7, 8, 8, 8,
  141756. 8, 9,10,11,11,11,11, 6, 8, 8,10,10,10,10,11,11,
  141757. 12,12,12,12, 7, 8, 8,10,10,10,10,11,11,12,12,13,
  141758. 13, 7, 9, 9,11,10,12,12,13,13,14,13,14,14, 7, 9,
  141759. 9,10,11,11,12,13,13,13,13,16,14, 9,10,10,12,12,
  141760. 13,13,14,14,15,16,15,16, 9,10,10,12,12,12,13,14,
  141761. 14,14,15,16,15,10,12,12,13,13,15,13,16,16,15,17,
  141762. 17,17,10,11,11,12,14,14,14,15,15,17,17,15,17,11,
  141763. 12,12,14,14,14,15,15,15,17,16,17,17,10,12,12,13,
  141764. 14,14,14,17,15,17,17,17,17,
  141765. };
  141766. static float _vq_quantthresh__44u2__p7_1[] = {
  141767. -71.5, -58.5, -45.5, -32.5, -19.5, -6.5, 6.5, 19.5,
  141768. 32.5, 45.5, 58.5, 71.5,
  141769. };
  141770. static long _vq_quantmap__44u2__p7_1[] = {
  141771. 11, 9, 7, 5, 3, 1, 0, 2,
  141772. 4, 6, 8, 10, 12,
  141773. };
  141774. static encode_aux_threshmatch _vq_auxt__44u2__p7_1 = {
  141775. _vq_quantthresh__44u2__p7_1,
  141776. _vq_quantmap__44u2__p7_1,
  141777. 13,
  141778. 13
  141779. };
  141780. static static_codebook _44u2__p7_1 = {
  141781. 2, 169,
  141782. _vq_lengthlist__44u2__p7_1,
  141783. 1, -523010048, 1618608128, 4, 0,
  141784. _vq_quantlist__44u2__p7_1,
  141785. NULL,
  141786. &_vq_auxt__44u2__p7_1,
  141787. NULL,
  141788. 0
  141789. };
  141790. static long _vq_quantlist__44u2__p7_2[] = {
  141791. 6,
  141792. 5,
  141793. 7,
  141794. 4,
  141795. 8,
  141796. 3,
  141797. 9,
  141798. 2,
  141799. 10,
  141800. 1,
  141801. 11,
  141802. 0,
  141803. 12,
  141804. };
  141805. static long _vq_lengthlist__44u2__p7_2[] = {
  141806. 2, 5, 5, 6, 6, 7, 7, 8, 7, 8, 8, 8, 8, 5, 6, 6,
  141807. 7, 7, 8, 8, 8, 8, 8, 8, 8, 8, 5, 6, 6, 7, 7, 8,
  141808. 7, 8, 8, 8, 8, 8, 8, 6, 7, 7, 7, 8, 8, 8, 8, 8,
  141809. 9, 9, 9, 9, 6, 7, 7, 8, 7, 8, 8, 9, 9, 9, 9, 9,
  141810. 9, 7, 8, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 7, 8,
  141811. 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 8, 8, 8, 8, 9,
  141812. 9, 9, 9, 9, 9, 9, 9, 9, 8, 8, 8, 9, 9, 9, 9, 9,
  141813. 9, 9, 9, 9, 9, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  141814. 9, 9, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 8,
  141815. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 8, 9, 9, 9,
  141816. 9, 9, 9, 9, 9, 9, 9, 9, 9,
  141817. };
  141818. static float _vq_quantthresh__44u2__p7_2[] = {
  141819. -5.5, -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5,
  141820. 2.5, 3.5, 4.5, 5.5,
  141821. };
  141822. static long _vq_quantmap__44u2__p7_2[] = {
  141823. 11, 9, 7, 5, 3, 1, 0, 2,
  141824. 4, 6, 8, 10, 12,
  141825. };
  141826. static encode_aux_threshmatch _vq_auxt__44u2__p7_2 = {
  141827. _vq_quantthresh__44u2__p7_2,
  141828. _vq_quantmap__44u2__p7_2,
  141829. 13,
  141830. 13
  141831. };
  141832. static static_codebook _44u2__p7_2 = {
  141833. 2, 169,
  141834. _vq_lengthlist__44u2__p7_2,
  141835. 1, -531103744, 1611661312, 4, 0,
  141836. _vq_quantlist__44u2__p7_2,
  141837. NULL,
  141838. &_vq_auxt__44u2__p7_2,
  141839. NULL,
  141840. 0
  141841. };
  141842. static long _huff_lengthlist__44u2__short[] = {
  141843. 13,15,17,17,15,15,12,17,11, 9, 7,10,10, 9,12,17,
  141844. 10, 6, 3, 6, 5, 7,10,17,15,10, 6, 9, 8, 9,11,17,
  141845. 15, 8, 4, 7, 3, 5, 9,16,16,10, 5, 8, 4, 5, 8,16,
  141846. 13,11, 5, 8, 3, 3, 5,14,13,12, 7,10, 5, 5, 7,14,
  141847. };
  141848. static static_codebook _huff_book__44u2__short = {
  141849. 2, 64,
  141850. _huff_lengthlist__44u2__short,
  141851. 0, 0, 0, 0, 0,
  141852. NULL,
  141853. NULL,
  141854. NULL,
  141855. NULL,
  141856. 0
  141857. };
  141858. static long _huff_lengthlist__44u3__long[] = {
  141859. 6, 9,13,12,14,11,10,13, 8, 4, 5, 7, 8, 7, 8,12,
  141860. 11, 4, 3, 5, 5, 7, 9,14,11, 6, 5, 6, 6, 6, 7,13,
  141861. 13, 7, 5, 6, 4, 5, 7,14,11, 7, 6, 6, 5, 5, 6,13,
  141862. 9, 7, 8, 6, 7, 5, 3, 9, 9,12,13,12,14,10, 6, 7,
  141863. };
  141864. static static_codebook _huff_book__44u3__long = {
  141865. 2, 64,
  141866. _huff_lengthlist__44u3__long,
  141867. 0, 0, 0, 0, 0,
  141868. NULL,
  141869. NULL,
  141870. NULL,
  141871. NULL,
  141872. 0
  141873. };
  141874. static long _vq_quantlist__44u3__p1_0[] = {
  141875. 1,
  141876. 0,
  141877. 2,
  141878. };
  141879. static long _vq_lengthlist__44u3__p1_0[] = {
  141880. 1, 4, 4, 5, 8, 7, 5, 7, 8, 5, 8, 8, 8,10,11, 8,
  141881. 10,11, 5, 8, 8, 8,11,10, 8,11,11, 4, 8, 8, 8,11,
  141882. 11, 8,11,11, 8,11,11,11,13,14,11,14,14, 8,11,11,
  141883. 10,14,12,11,14,14, 4, 8, 8, 8,11,11, 8,11,11, 7,
  141884. 11,11,11,14,14,10,12,14, 8,11,11,11,14,14,11,14,
  141885. 13,
  141886. };
  141887. static float _vq_quantthresh__44u3__p1_0[] = {
  141888. -0.5, 0.5,
  141889. };
  141890. static long _vq_quantmap__44u3__p1_0[] = {
  141891. 1, 0, 2,
  141892. };
  141893. static encode_aux_threshmatch _vq_auxt__44u3__p1_0 = {
  141894. _vq_quantthresh__44u3__p1_0,
  141895. _vq_quantmap__44u3__p1_0,
  141896. 3,
  141897. 3
  141898. };
  141899. static static_codebook _44u3__p1_0 = {
  141900. 4, 81,
  141901. _vq_lengthlist__44u3__p1_0,
  141902. 1, -535822336, 1611661312, 2, 0,
  141903. _vq_quantlist__44u3__p1_0,
  141904. NULL,
  141905. &_vq_auxt__44u3__p1_0,
  141906. NULL,
  141907. 0
  141908. };
  141909. static long _vq_quantlist__44u3__p2_0[] = {
  141910. 1,
  141911. 0,
  141912. 2,
  141913. };
  141914. static long _vq_lengthlist__44u3__p2_0[] = {
  141915. 2, 5, 4, 5, 6, 6, 5, 6, 6, 5, 6, 6, 7, 8, 8, 6,
  141916. 8, 8, 5, 6, 6, 6, 8, 8, 7, 8, 8, 5, 7, 6, 7, 8,
  141917. 8, 6, 8, 8, 7, 8, 8, 8, 9,10, 8,10,10, 6, 8, 8,
  141918. 8,10, 8, 8,10,10, 5, 6, 6, 6, 8, 8, 7, 8, 8, 6,
  141919. 8, 8, 8,10,10, 8, 8,10, 7, 8, 8, 8,10,10, 8,10,
  141920. 9,
  141921. };
  141922. static float _vq_quantthresh__44u3__p2_0[] = {
  141923. -0.5, 0.5,
  141924. };
  141925. static long _vq_quantmap__44u3__p2_0[] = {
  141926. 1, 0, 2,
  141927. };
  141928. static encode_aux_threshmatch _vq_auxt__44u3__p2_0 = {
  141929. _vq_quantthresh__44u3__p2_0,
  141930. _vq_quantmap__44u3__p2_0,
  141931. 3,
  141932. 3
  141933. };
  141934. static static_codebook _44u3__p2_0 = {
  141935. 4, 81,
  141936. _vq_lengthlist__44u3__p2_0,
  141937. 1, -535822336, 1611661312, 2, 0,
  141938. _vq_quantlist__44u3__p2_0,
  141939. NULL,
  141940. &_vq_auxt__44u3__p2_0,
  141941. NULL,
  141942. 0
  141943. };
  141944. static long _vq_quantlist__44u3__p3_0[] = {
  141945. 2,
  141946. 1,
  141947. 3,
  141948. 0,
  141949. 4,
  141950. };
  141951. static long _vq_lengthlist__44u3__p3_0[] = {
  141952. 2, 4, 4, 7, 7, 5, 7, 7, 9, 9, 5, 7, 7, 9, 9, 8,
  141953. 9, 9,12,12, 8, 9, 9,11,12, 5, 7, 7,10,10, 7, 9,
  141954. 9,11,11, 7, 9, 9,10,11,10,11,11,13,13, 9,10,11,
  141955. 13,13, 5, 7, 7,10,10, 7, 9, 9,11,10, 7, 9, 9,11,
  141956. 11, 9,11,10,13,13,10,11,11,14,13, 8,10,10,14,13,
  141957. 10,11,11,15,14, 9,11,11,14,14,13,14,13,16,16,12,
  141958. 13,13,15,15, 8,10,10,13,14, 9,11,11,14,14,10,11,
  141959. 11,14,15,12,13,13,15,15,13,14,14,15,16, 5, 7, 7,
  141960. 10,10, 7, 9, 9,11,11, 7, 9, 9,11,12,10,11,11,14,
  141961. 14,10,11,11,14,14, 7, 9, 9,12,12, 9,11,11,13,13,
  141962. 9,11,11,13,13,12,12,13,15,15,11,12,13,15,16, 7,
  141963. 9, 9,11,11, 8,11,10,13,12, 9,11,11,13,13,11,13,
  141964. 12,15,13,11,13,13,15,16, 9,12,11,15,14,11,12,13,
  141965. 16,15,11,13,13,15,16,14,14,15,17,16,13,15,16, 0,
  141966. 17, 9,11,11,15,15,10,13,12,15,15,11,13,13,15,16,
  141967. 13,15,13,16,15,14,16,15, 0,19, 5, 7, 7,10,10, 7,
  141968. 9, 9,11,11, 7, 9, 9,11,11,10,12,11,14,14,10,11,
  141969. 12,14,14, 7, 9, 9,12,12, 9,11,11,14,13, 9,10,11,
  141970. 12,13,11,13,13,16,16,11,12,13,13,16, 7, 9, 9,12,
  141971. 12, 9,11,11,13,13, 9,11,11,13,13,11,13,13,15,15,
  141972. 12,13,12,15,14, 9,11,11,15,14,11,13,12,16,16,10,
  141973. 12,12,15,15,13,15,15,17,19,13,14,15,16,17,10,12,
  141974. 12,15,15,11,13,13,16,16,11,13,13,15,16,13,15,15,
  141975. 0, 0,14,15,15,16,16, 8,10,10,14,14,10,12,12,15,
  141976. 15,10,12,11,15,16,14,15,15,19,20,13,14,14,18,16,
  141977. 9,11,11,15,15,11,13,13,17,16,11,13,13,16,16,15,
  141978. 17,17,20,20,14,15,16,17,20, 9,11,11,15,15,10,13,
  141979. 12,16,15,11,13,13,15,17,14,16,15,18, 0,14,16,15,
  141980. 18,20,12,14,14, 0, 0,14,14,16, 0, 0,13,16,15, 0,
  141981. 0,17,17,18, 0, 0,16,17,19,19, 0,12,14,14,18, 0,
  141982. 12,16,14, 0,17,13,15,15,18, 0,16,18,17, 0,17,16,
  141983. 18,17, 0, 0, 7,10,10,14,14,10,12,11,15,15,10,12,
  141984. 12,16,15,13,15,15,18, 0,14,15,15,17, 0, 9,11,11,
  141985. 15,15,11,13,13,16,16,11,12,13,16,16,14,15,16,17,
  141986. 17,14,16,16,16,18, 9,11,12,16,16,11,13,13,17,17,
  141987. 11,14,13,20,17,15,16,16,19, 0,15,16,17, 0,19,11,
  141988. 13,14,17,16,14,15,15,20,18,13,14,15,17,19,16,18,
  141989. 18, 0,20,16,16,19,17, 0,12,15,14,17, 0,14,15,15,
  141990. 18,19,13,16,15,19,20,15,18,18, 0,20,17, 0,16, 0,
  141991. 0,
  141992. };
  141993. static float _vq_quantthresh__44u3__p3_0[] = {
  141994. -1.5, -0.5, 0.5, 1.5,
  141995. };
  141996. static long _vq_quantmap__44u3__p3_0[] = {
  141997. 3, 1, 0, 2, 4,
  141998. };
  141999. static encode_aux_threshmatch _vq_auxt__44u3__p3_0 = {
  142000. _vq_quantthresh__44u3__p3_0,
  142001. _vq_quantmap__44u3__p3_0,
  142002. 5,
  142003. 5
  142004. };
  142005. static static_codebook _44u3__p3_0 = {
  142006. 4, 625,
  142007. _vq_lengthlist__44u3__p3_0,
  142008. 1, -533725184, 1611661312, 3, 0,
  142009. _vq_quantlist__44u3__p3_0,
  142010. NULL,
  142011. &_vq_auxt__44u3__p3_0,
  142012. NULL,
  142013. 0
  142014. };
  142015. static long _vq_quantlist__44u3__p4_0[] = {
  142016. 2,
  142017. 1,
  142018. 3,
  142019. 0,
  142020. 4,
  142021. };
  142022. static long _vq_lengthlist__44u3__p4_0[] = {
  142023. 4, 5, 5, 8, 8, 5, 7, 6, 9, 9, 5, 6, 7, 9, 9, 9,
  142024. 9, 9,11,11, 9, 9, 9,11,11, 5, 7, 7, 9, 9, 7, 8,
  142025. 8,10,10, 7, 7, 8,10,10, 9,10,10,11,12, 9,10,10,
  142026. 11,12, 5, 7, 7, 9, 9, 7, 8, 7,10,10, 7, 8, 8,10,
  142027. 10, 9,10, 9,12,11, 9,10,10,12,11, 9,10, 9,12,12,
  142028. 9,10,10,13,12, 9,10,10,12,13,12,12,12,14,14,11,
  142029. 12,12,13,14, 9, 9,10,12,12, 9,10,10,12,12, 9,10,
  142030. 10,12,13,11,12,11,14,13,12,12,12,14,13, 5, 7, 7,
  142031. 9, 9, 7, 8, 8,10,10, 7, 8, 8,10,10,10,10,10,12,
  142032. 12, 9,10,10,12,12, 7, 8, 8,11,10, 8, 8, 9,11,11,
  142033. 8, 9, 9,11,11,11,11,11,12,13,10,11,11,13,13, 6,
  142034. 8, 8,10,10, 7, 9, 8,11,10, 8, 9, 9,11,11,10,11,
  142035. 10,13,11,10,11,11,13,13, 9,11,10,13,12,10,11,11,
  142036. 13,13,10,11,11,13,13,12,12,13,12,15,12,13,13,15,
  142037. 15, 9,10,10,12,13,10,11,10,13,12,10,11,11,13,14,
  142038. 12,13,11,15,13,12,13,13,15,15, 5, 7, 7, 9, 9, 7,
  142039. 8, 8,10,10, 7, 8, 8,10,10, 9,10,10,12,12,10,10,
  142040. 11,12,12, 6, 8, 8,10,10, 8, 9, 9,11,11, 7, 8, 9,
  142041. 10,11,10,11,11,13,13,10,10,11,11,13, 7, 8, 8,10,
  142042. 10, 8, 9, 9,11,11, 8, 9, 9,11,11,10,11,11,13,13,
  142043. 11,11,11,13,12, 9,10,10,13,12,10,11,11,14,13,10,
  142044. 10,11,12,13,12,13,13,15,15,12,11,13,13,14, 9,10,
  142045. 11,12,13,10,11,11,13,13,10,11,11,13,13,12,13,13,
  142046. 15,15,12,13,12,15,12, 8, 9, 9,12,12, 9,11,10,13,
  142047. 13, 9,10,10,13,13,12,13,13,15,14,12,12,12,14,13,
  142048. 9,10,10,13,12,10,11,11,13,13,10,11,11,14,12,13,
  142049. 13,14,14,16,12,13,13,15,15, 9,10,10,13,13,10,11,
  142050. 10,14,13,10,11,11,13,14,12,14,13,15,14,13,13,13,
  142051. 15,15,11,13,12,15,14,11,12,13,14,15,12,13,13,16,
  142052. 14,14,12,15,12,16,14,15,15,17,15,11,12,12,14,14,
  142053. 11,13,11,15,14,12,13,13,15,15,13,15,12,17,13,14,
  142054. 15,15,16,16, 8, 9, 9,12,12, 9,10,10,12,13, 9,10,
  142055. 10,13,13,12,12,12,14,14,12,13,13,15,15, 9,10,10,
  142056. 13,12,10,11,11,14,13,10,10,11,13,14,12,13,13,15,
  142057. 15,12,12,13,14,16, 9,10,10,13,13,10,11,11,13,14,
  142058. 10,11,11,14,13,12,13,13,14,15,13,14,13,16,14,11,
  142059. 12,12,14,14,12,13,13,15,14,11,12,13,14,15,14,15,
  142060. 15,16,16,13,13,15,13,16,11,12,12,14,15,12,13,13,
  142061. 14,15,11,13,12,15,14,14,15,15,16,16,14,15,12,16,
  142062. 13,
  142063. };
  142064. static float _vq_quantthresh__44u3__p4_0[] = {
  142065. -1.5, -0.5, 0.5, 1.5,
  142066. };
  142067. static long _vq_quantmap__44u3__p4_0[] = {
  142068. 3, 1, 0, 2, 4,
  142069. };
  142070. static encode_aux_threshmatch _vq_auxt__44u3__p4_0 = {
  142071. _vq_quantthresh__44u3__p4_0,
  142072. _vq_quantmap__44u3__p4_0,
  142073. 5,
  142074. 5
  142075. };
  142076. static static_codebook _44u3__p4_0 = {
  142077. 4, 625,
  142078. _vq_lengthlist__44u3__p4_0,
  142079. 1, -533725184, 1611661312, 3, 0,
  142080. _vq_quantlist__44u3__p4_0,
  142081. NULL,
  142082. &_vq_auxt__44u3__p4_0,
  142083. NULL,
  142084. 0
  142085. };
  142086. static long _vq_quantlist__44u3__p5_0[] = {
  142087. 4,
  142088. 3,
  142089. 5,
  142090. 2,
  142091. 6,
  142092. 1,
  142093. 7,
  142094. 0,
  142095. 8,
  142096. };
  142097. static long _vq_lengthlist__44u3__p5_0[] = {
  142098. 2, 3, 3, 6, 6, 7, 7, 9, 9, 4, 5, 5, 7, 7, 8, 8,
  142099. 10,10, 4, 5, 5, 7, 7, 8, 8,10,10, 6, 7, 7, 8, 8,
  142100. 9, 9,11,10, 6, 7, 7, 8, 8, 9, 9,10,10, 7, 8, 8,
  142101. 9, 9,10,10,11,11, 7, 8, 8, 9, 9,10,10,11,11, 9,
  142102. 10,10,11,10,11,11,12,12, 9,10,10,10,10,11,11,12,
  142103. 12,
  142104. };
  142105. static float _vq_quantthresh__44u3__p5_0[] = {
  142106. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  142107. };
  142108. static long _vq_quantmap__44u3__p5_0[] = {
  142109. 7, 5, 3, 1, 0, 2, 4, 6,
  142110. 8,
  142111. };
  142112. static encode_aux_threshmatch _vq_auxt__44u3__p5_0 = {
  142113. _vq_quantthresh__44u3__p5_0,
  142114. _vq_quantmap__44u3__p5_0,
  142115. 9,
  142116. 9
  142117. };
  142118. static static_codebook _44u3__p5_0 = {
  142119. 2, 81,
  142120. _vq_lengthlist__44u3__p5_0,
  142121. 1, -531628032, 1611661312, 4, 0,
  142122. _vq_quantlist__44u3__p5_0,
  142123. NULL,
  142124. &_vq_auxt__44u3__p5_0,
  142125. NULL,
  142126. 0
  142127. };
  142128. static long _vq_quantlist__44u3__p6_0[] = {
  142129. 6,
  142130. 5,
  142131. 7,
  142132. 4,
  142133. 8,
  142134. 3,
  142135. 9,
  142136. 2,
  142137. 10,
  142138. 1,
  142139. 11,
  142140. 0,
  142141. 12,
  142142. };
  142143. static long _vq_lengthlist__44u3__p6_0[] = {
  142144. 1, 4, 4, 6, 6, 8, 8, 9, 9,10,11,13,14, 4, 6, 5,
  142145. 8, 8, 9, 9,10,10,11,11,14,14, 4, 6, 6, 8, 8, 9,
  142146. 9,10,10,11,11,14,14, 6, 8, 8, 9, 9,10,10,11,11,
  142147. 12,12,15,15, 6, 8, 8, 9, 9,10,11,11,11,12,12,15,
  142148. 15, 8, 9, 9,11,10,11,11,12,12,13,13,15,16, 8, 9,
  142149. 9,10,11,11,11,12,12,13,13,16,16,10,10,11,11,11,
  142150. 12,12,13,13,13,14,17,16, 9,10,11,12,11,12,12,13,
  142151. 13,13,13,16,18,11,12,11,12,12,13,13,13,14,15,14,
  142152. 17,17,11,11,12,12,12,13,13,13,14,14,15,18,17,14,
  142153. 15,15,15,15,16,16,17,17,19,18, 0,20,14,15,14,15,
  142154. 15,16,16,16,17,18,16,20,18,
  142155. };
  142156. static float _vq_quantthresh__44u3__p6_0[] = {
  142157. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  142158. 12.5, 17.5, 22.5, 27.5,
  142159. };
  142160. static long _vq_quantmap__44u3__p6_0[] = {
  142161. 11, 9, 7, 5, 3, 1, 0, 2,
  142162. 4, 6, 8, 10, 12,
  142163. };
  142164. static encode_aux_threshmatch _vq_auxt__44u3__p6_0 = {
  142165. _vq_quantthresh__44u3__p6_0,
  142166. _vq_quantmap__44u3__p6_0,
  142167. 13,
  142168. 13
  142169. };
  142170. static static_codebook _44u3__p6_0 = {
  142171. 2, 169,
  142172. _vq_lengthlist__44u3__p6_0,
  142173. 1, -526516224, 1616117760, 4, 0,
  142174. _vq_quantlist__44u3__p6_0,
  142175. NULL,
  142176. &_vq_auxt__44u3__p6_0,
  142177. NULL,
  142178. 0
  142179. };
  142180. static long _vq_quantlist__44u3__p6_1[] = {
  142181. 2,
  142182. 1,
  142183. 3,
  142184. 0,
  142185. 4,
  142186. };
  142187. static long _vq_lengthlist__44u3__p6_1[] = {
  142188. 2, 4, 4, 5, 5, 4, 5, 5, 6, 5, 4, 5, 5, 5, 6, 5,
  142189. 6, 5, 6, 6, 5, 5, 6, 6, 6,
  142190. };
  142191. static float _vq_quantthresh__44u3__p6_1[] = {
  142192. -1.5, -0.5, 0.5, 1.5,
  142193. };
  142194. static long _vq_quantmap__44u3__p6_1[] = {
  142195. 3, 1, 0, 2, 4,
  142196. };
  142197. static encode_aux_threshmatch _vq_auxt__44u3__p6_1 = {
  142198. _vq_quantthresh__44u3__p6_1,
  142199. _vq_quantmap__44u3__p6_1,
  142200. 5,
  142201. 5
  142202. };
  142203. static static_codebook _44u3__p6_1 = {
  142204. 2, 25,
  142205. _vq_lengthlist__44u3__p6_1,
  142206. 1, -533725184, 1611661312, 3, 0,
  142207. _vq_quantlist__44u3__p6_1,
  142208. NULL,
  142209. &_vq_auxt__44u3__p6_1,
  142210. NULL,
  142211. 0
  142212. };
  142213. static long _vq_quantlist__44u3__p7_0[] = {
  142214. 4,
  142215. 3,
  142216. 5,
  142217. 2,
  142218. 6,
  142219. 1,
  142220. 7,
  142221. 0,
  142222. 8,
  142223. };
  142224. static long _vq_lengthlist__44u3__p7_0[] = {
  142225. 1, 3, 3,10,10,10,10,10,10, 4,10,10,10,10,10,10,
  142226. 10,10, 4,10,10,10,10,10,10,10,10,10,10, 9, 9, 9,
  142227. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  142228. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  142229. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  142230. 9,
  142231. };
  142232. static float _vq_quantthresh__44u3__p7_0[] = {
  142233. -892.5, -637.5, -382.5, -127.5, 127.5, 382.5, 637.5, 892.5,
  142234. };
  142235. static long _vq_quantmap__44u3__p7_0[] = {
  142236. 7, 5, 3, 1, 0, 2, 4, 6,
  142237. 8,
  142238. };
  142239. static encode_aux_threshmatch _vq_auxt__44u3__p7_0 = {
  142240. _vq_quantthresh__44u3__p7_0,
  142241. _vq_quantmap__44u3__p7_0,
  142242. 9,
  142243. 9
  142244. };
  142245. static static_codebook _44u3__p7_0 = {
  142246. 2, 81,
  142247. _vq_lengthlist__44u3__p7_0,
  142248. 1, -515907584, 1627381760, 4, 0,
  142249. _vq_quantlist__44u3__p7_0,
  142250. NULL,
  142251. &_vq_auxt__44u3__p7_0,
  142252. NULL,
  142253. 0
  142254. };
  142255. static long _vq_quantlist__44u3__p7_1[] = {
  142256. 7,
  142257. 6,
  142258. 8,
  142259. 5,
  142260. 9,
  142261. 4,
  142262. 10,
  142263. 3,
  142264. 11,
  142265. 2,
  142266. 12,
  142267. 1,
  142268. 13,
  142269. 0,
  142270. 14,
  142271. };
  142272. static long _vq_lengthlist__44u3__p7_1[] = {
  142273. 1, 4, 4, 6, 6, 7, 6, 8, 7, 9, 8,10, 9,11,11, 4,
  142274. 7, 7, 8, 7, 9, 9,10,10,11,11,11,11,12,12, 4, 7,
  142275. 7, 7, 7, 9, 9,10,10,11,11,12,12,12,11, 6, 8, 8,
  142276. 9, 9,10,10,11,11,12,12,13,12,13,13, 6, 8, 8, 9,
  142277. 9,10,11,11,11,12,12,13,14,13,13, 8, 9, 9,11,11,
  142278. 12,12,12,13,14,13,14,14,14,15, 8, 9, 9,11,11,11,
  142279. 12,13,14,13,14,15,17,14,15, 9,10,10,12,12,13,13,
  142280. 13,14,15,15,15,16,16,16, 9,11,11,12,12,13,13,14,
  142281. 14,14,15,16,16,16,16,10,12,12,13,13,14,14,15,15,
  142282. 15,16,17,17,17,17,10,12,11,13,13,15,14,15,14,16,
  142283. 17,16,16,16,16,11,13,12,14,14,14,14,15,16,17,16,
  142284. 17,17,17,17,11,13,12,14,14,14,15,17,16,17,17,17,
  142285. 17,17,17,12,13,13,15,16,15,16,17,17,16,16,17,17,
  142286. 17,17,12,13,13,15,15,15,16,17,17,17,16,17,16,17,
  142287. 17,
  142288. };
  142289. static float _vq_quantthresh__44u3__p7_1[] = {
  142290. -110.5, -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5,
  142291. 25.5, 42.5, 59.5, 76.5, 93.5, 110.5,
  142292. };
  142293. static long _vq_quantmap__44u3__p7_1[] = {
  142294. 13, 11, 9, 7, 5, 3, 1, 0,
  142295. 2, 4, 6, 8, 10, 12, 14,
  142296. };
  142297. static encode_aux_threshmatch _vq_auxt__44u3__p7_1 = {
  142298. _vq_quantthresh__44u3__p7_1,
  142299. _vq_quantmap__44u3__p7_1,
  142300. 15,
  142301. 15
  142302. };
  142303. static static_codebook _44u3__p7_1 = {
  142304. 2, 225,
  142305. _vq_lengthlist__44u3__p7_1,
  142306. 1, -522338304, 1620115456, 4, 0,
  142307. _vq_quantlist__44u3__p7_1,
  142308. NULL,
  142309. &_vq_auxt__44u3__p7_1,
  142310. NULL,
  142311. 0
  142312. };
  142313. static long _vq_quantlist__44u3__p7_2[] = {
  142314. 8,
  142315. 7,
  142316. 9,
  142317. 6,
  142318. 10,
  142319. 5,
  142320. 11,
  142321. 4,
  142322. 12,
  142323. 3,
  142324. 13,
  142325. 2,
  142326. 14,
  142327. 1,
  142328. 15,
  142329. 0,
  142330. 16,
  142331. };
  142332. static long _vq_lengthlist__44u3__p7_2[] = {
  142333. 2, 5, 5, 7, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  142334. 9, 5, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  142335. 10,10, 5, 6, 6, 7, 7, 8, 8, 8, 8, 9, 8, 9, 9, 9,
  142336. 9,10, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  142337. 10,10,10,10, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9,10,
  142338. 9,10,10,10,10, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  142339. 10,10,10,10,10,10, 7, 8, 8, 9, 8, 9, 9, 9, 9,10,
  142340. 9,10,10,10,10,10,10, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  142341. 9,10,10,10,10,10,10,10, 8, 9, 8, 9, 9, 9, 9,10,
  142342. 9,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9, 9,10,
  142343. 9,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9,10,
  142344. 9,10,10,10,10,10,10,10,10,10,10, 9, 9, 9,10, 9,
  142345. 10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9,10,
  142346. 10,10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9,
  142347. 10,10,10,10,10,10,10,10,10,10,10,10,10,11, 9,10,
  142348. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,11, 9,
  142349. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  142350. 9,10,10,10,10,10,10,10,10,10,10,10,11,11,11,10,
  142351. 11,
  142352. };
  142353. static float _vq_quantthresh__44u3__p7_2[] = {
  142354. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  142355. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  142356. };
  142357. static long _vq_quantmap__44u3__p7_2[] = {
  142358. 15, 13, 11, 9, 7, 5, 3, 1,
  142359. 0, 2, 4, 6, 8, 10, 12, 14,
  142360. 16,
  142361. };
  142362. static encode_aux_threshmatch _vq_auxt__44u3__p7_2 = {
  142363. _vq_quantthresh__44u3__p7_2,
  142364. _vq_quantmap__44u3__p7_2,
  142365. 17,
  142366. 17
  142367. };
  142368. static static_codebook _44u3__p7_2 = {
  142369. 2, 289,
  142370. _vq_lengthlist__44u3__p7_2,
  142371. 1, -529530880, 1611661312, 5, 0,
  142372. _vq_quantlist__44u3__p7_2,
  142373. NULL,
  142374. &_vq_auxt__44u3__p7_2,
  142375. NULL,
  142376. 0
  142377. };
  142378. static long _huff_lengthlist__44u3__short[] = {
  142379. 14,14,14,15,13,15,12,16,10, 8, 7, 9, 9, 8,12,16,
  142380. 10, 5, 4, 6, 5, 6, 9,16,14, 8, 6, 8, 7, 8,10,16,
  142381. 14, 7, 4, 6, 3, 5, 8,16,15, 9, 5, 7, 4, 4, 7,16,
  142382. 13,10, 6, 7, 4, 3, 4,13,13,12, 7, 9, 5, 5, 6,12,
  142383. };
  142384. static static_codebook _huff_book__44u3__short = {
  142385. 2, 64,
  142386. _huff_lengthlist__44u3__short,
  142387. 0, 0, 0, 0, 0,
  142388. NULL,
  142389. NULL,
  142390. NULL,
  142391. NULL,
  142392. 0
  142393. };
  142394. static long _huff_lengthlist__44u4__long[] = {
  142395. 3, 8,12,12,13,12,11,13, 5, 4, 6, 7, 8, 8, 9,13,
  142396. 9, 5, 4, 5, 5, 7, 9,13, 9, 6, 5, 6, 6, 7, 8,12,
  142397. 12, 7, 5, 6, 4, 5, 8,13,11, 7, 6, 6, 5, 5, 6,12,
  142398. 10, 8, 8, 7, 7, 5, 3, 8,10,12,13,12,12, 9, 6, 7,
  142399. };
  142400. static static_codebook _huff_book__44u4__long = {
  142401. 2, 64,
  142402. _huff_lengthlist__44u4__long,
  142403. 0, 0, 0, 0, 0,
  142404. NULL,
  142405. NULL,
  142406. NULL,
  142407. NULL,
  142408. 0
  142409. };
  142410. static long _vq_quantlist__44u4__p1_0[] = {
  142411. 1,
  142412. 0,
  142413. 2,
  142414. };
  142415. static long _vq_lengthlist__44u4__p1_0[] = {
  142416. 1, 4, 4, 5, 8, 7, 5, 7, 8, 5, 8, 8, 8,10,11, 8,
  142417. 10,11, 5, 8, 8, 8,11,10, 8,11,11, 4, 8, 8, 8,11,
  142418. 11, 8,11,11, 8,11,11,11,13,14,11,15,14, 8,11,11,
  142419. 10,13,12,11,14,14, 4, 8, 8, 8,11,11, 8,11,11, 7,
  142420. 11,11,11,15,14,10,12,14, 8,11,11,11,14,14,11,14,
  142421. 13,
  142422. };
  142423. static float _vq_quantthresh__44u4__p1_0[] = {
  142424. -0.5, 0.5,
  142425. };
  142426. static long _vq_quantmap__44u4__p1_0[] = {
  142427. 1, 0, 2,
  142428. };
  142429. static encode_aux_threshmatch _vq_auxt__44u4__p1_0 = {
  142430. _vq_quantthresh__44u4__p1_0,
  142431. _vq_quantmap__44u4__p1_0,
  142432. 3,
  142433. 3
  142434. };
  142435. static static_codebook _44u4__p1_0 = {
  142436. 4, 81,
  142437. _vq_lengthlist__44u4__p1_0,
  142438. 1, -535822336, 1611661312, 2, 0,
  142439. _vq_quantlist__44u4__p1_0,
  142440. NULL,
  142441. &_vq_auxt__44u4__p1_0,
  142442. NULL,
  142443. 0
  142444. };
  142445. static long _vq_quantlist__44u4__p2_0[] = {
  142446. 1,
  142447. 0,
  142448. 2,
  142449. };
  142450. static long _vq_lengthlist__44u4__p2_0[] = {
  142451. 2, 5, 5, 5, 6, 6, 5, 6, 6, 5, 6, 6, 7, 8, 8, 6,
  142452. 8, 8, 5, 6, 6, 6, 8, 8, 7, 8, 8, 5, 7, 6, 6, 8,
  142453. 8, 6, 8, 8, 6, 8, 8, 8, 9,10, 8,10,10, 6, 8, 8,
  142454. 8,10, 8, 8,10,10, 5, 6, 6, 6, 8, 8, 6, 8, 8, 6,
  142455. 8, 8, 8,10,10, 8, 8,10, 6, 8, 8, 8,10,10, 8,10,
  142456. 9,
  142457. };
  142458. static float _vq_quantthresh__44u4__p2_0[] = {
  142459. -0.5, 0.5,
  142460. };
  142461. static long _vq_quantmap__44u4__p2_0[] = {
  142462. 1, 0, 2,
  142463. };
  142464. static encode_aux_threshmatch _vq_auxt__44u4__p2_0 = {
  142465. _vq_quantthresh__44u4__p2_0,
  142466. _vq_quantmap__44u4__p2_0,
  142467. 3,
  142468. 3
  142469. };
  142470. static static_codebook _44u4__p2_0 = {
  142471. 4, 81,
  142472. _vq_lengthlist__44u4__p2_0,
  142473. 1, -535822336, 1611661312, 2, 0,
  142474. _vq_quantlist__44u4__p2_0,
  142475. NULL,
  142476. &_vq_auxt__44u4__p2_0,
  142477. NULL,
  142478. 0
  142479. };
  142480. static long _vq_quantlist__44u4__p3_0[] = {
  142481. 2,
  142482. 1,
  142483. 3,
  142484. 0,
  142485. 4,
  142486. };
  142487. static long _vq_lengthlist__44u4__p3_0[] = {
  142488. 2, 4, 4, 8, 8, 5, 7, 7, 9, 9, 5, 7, 7, 9, 9, 8,
  142489. 10, 9,12,12, 8, 9,10,12,12, 5, 7, 7,10,10, 7, 9,
  142490. 9,11,11, 7, 9, 9,11,11,10,12,11,14,14, 9,10,11,
  142491. 13,14, 5, 7, 7,10,10, 7, 9, 9,11,11, 7, 9, 9,11,
  142492. 11, 9,11,10,14,13,10,11,11,14,14, 8,10,10,14,13,
  142493. 10,12,12,15,14, 9,11,11,15,14,13,14,14,17,17,12,
  142494. 14,14,16,16, 8,10,10,14,14, 9,11,11,14,15,10,12,
  142495. 12,14,15,12,14,13,16,16,13,14,15,15,18, 4, 7, 7,
  142496. 10,10, 7, 9, 9,12,11, 7, 9, 9,11,12,10,12,11,15,
  142497. 14,10,11,12,14,15, 7, 9, 9,12,12, 9,11,12,13,13,
  142498. 9,11,12,13,13,12,13,13,15,16,11,13,13,15,16, 7,
  142499. 9, 9,12,12, 9,11,10,13,12, 9,11,12,13,14,11,13,
  142500. 12,16,14,12,13,13,15,16,10,12,12,16,15,11,13,13,
  142501. 17,16,11,13,13,17,16,14,15,15,17,17,14,16,16,18,
  142502. 20, 9,11,11,15,16,11,13,12,16,16,11,13,13,16,17,
  142503. 14,15,14,18,16,14,16,16,17,20, 5, 7, 7,10,10, 7,
  142504. 9, 9,12,11, 7, 9,10,11,12,10,12,11,15,15,10,12,
  142505. 12,14,14, 7, 9, 9,12,12, 9,12,11,14,13, 9,10,11,
  142506. 12,13,12,13,14,16,16,11,12,13,14,16, 7, 9, 9,12,
  142507. 12, 9,12,11,13,13, 9,12,11,13,13,11,13,13,16,16,
  142508. 12,13,13,16,15, 9,11,11,16,14,11,13,13,16,16,11,
  142509. 12,13,16,16,14,16,16,17,17,13,14,15,16,17,10,12,
  142510. 12,15,15,11,13,13,16,17,11,13,13,16,16,14,16,15,
  142511. 19,19,14,15,15,17,18, 8,10,10,14,14,10,12,12,15,
  142512. 15,10,12,12,16,16,14,16,15,20,19,13,15,15,17,16,
  142513. 9,12,12,16,16,11,13,13,16,18,11,14,13,16,17,16,
  142514. 17,16,20, 0,15,16,18,18,20, 9,11,11,15,15,11,14,
  142515. 12,17,16,11,13,13,17,17,15,17,15,20,20,14,16,16,
  142516. 17, 0,13,15,14,18,16,14,15,16, 0,18,14,16,16, 0,
  142517. 0,18,16, 0, 0,20,16,18,18, 0, 0,12,14,14,17,18,
  142518. 13,15,14,20,18,14,16,15,19,19,16,20,16, 0,18,16,
  142519. 19,17,19, 0, 8,10,10,14,14,10,12,12,16,15,10,12,
  142520. 12,16,16,13,15,15,18,17,14,16,16,19, 0, 9,11,11,
  142521. 16,15,11,14,13,18,17,11,12,13,17,18,14,17,16,18,
  142522. 18,15,16,17,18,18, 9,12,12,16,16,11,13,13,16,18,
  142523. 11,14,13,17,17,15,16,16,18,20,16,17,17,20,20,12,
  142524. 14,14,18,17,14,16,16, 0,19,13,14,15,18, 0,16, 0,
  142525. 0, 0, 0,16,16, 0,19,20,13,15,14, 0, 0,14,16,16,
  142526. 18,19,14,16,15, 0,20,16,20,18, 0,20,17,20,17, 0,
  142527. 0,
  142528. };
  142529. static float _vq_quantthresh__44u4__p3_0[] = {
  142530. -1.5, -0.5, 0.5, 1.5,
  142531. };
  142532. static long _vq_quantmap__44u4__p3_0[] = {
  142533. 3, 1, 0, 2, 4,
  142534. };
  142535. static encode_aux_threshmatch _vq_auxt__44u4__p3_0 = {
  142536. _vq_quantthresh__44u4__p3_0,
  142537. _vq_quantmap__44u4__p3_0,
  142538. 5,
  142539. 5
  142540. };
  142541. static static_codebook _44u4__p3_0 = {
  142542. 4, 625,
  142543. _vq_lengthlist__44u4__p3_0,
  142544. 1, -533725184, 1611661312, 3, 0,
  142545. _vq_quantlist__44u4__p3_0,
  142546. NULL,
  142547. &_vq_auxt__44u4__p3_0,
  142548. NULL,
  142549. 0
  142550. };
  142551. static long _vq_quantlist__44u4__p4_0[] = {
  142552. 2,
  142553. 1,
  142554. 3,
  142555. 0,
  142556. 4,
  142557. };
  142558. static long _vq_lengthlist__44u4__p4_0[] = {
  142559. 4, 5, 5, 8, 8, 5, 7, 6, 9, 9, 5, 6, 7, 9, 9, 9,
  142560. 9, 9,11,11, 8, 9, 9,11,11, 5, 7, 7, 9, 9, 7, 8,
  142561. 8,10,10, 7, 7, 8,10,10, 9,10,10,11,12, 9,10,10,
  142562. 11,12, 5, 7, 7, 9, 9, 7, 8, 7,10,10, 7, 8, 8,10,
  142563. 10, 9,10,10,12,11, 9,10,10,12,11, 9,10, 9,12,12,
  142564. 9,10,10,13,12, 9,10,10,12,12,12,12,12,14,14,11,
  142565. 12,12,13,14, 9, 9,10,12,12, 9,10,10,13,13, 9,10,
  142566. 10,12,13,11,12,12,14,13,11,12,12,14,14, 5, 7, 7,
  142567. 9, 9, 7, 8, 8,10,10, 7, 8, 8,10,10,10,10,10,12,
  142568. 12, 9,10,10,12,12, 7, 8, 8,11,10, 8, 8, 9,11,11,
  142569. 8, 9, 9,11,11,11,11,11,12,13,10,11,11,13,13, 6,
  142570. 8, 8,10,10, 7, 9, 8,11,10, 8, 9, 9,11,11,10,11,
  142571. 10,13,11,10,11,11,13,13, 9,11,10,13,12,10,11,11,
  142572. 13,14,10,11,11,14,13,12,12,13,12,15,12,13,13,15,
  142573. 15, 9,10,10,12,13,10,11,10,13,12,10,11,11,13,14,
  142574. 12,13,11,15,13,13,13,13,15,15, 5, 7, 7, 9, 9, 7,
  142575. 8, 8,10,10, 7, 8, 8,10,10, 9,10,10,12,12,10,10,
  142576. 11,12,13, 6, 8, 8,10,10, 8, 9, 9,11,11, 7, 8, 9,
  142577. 10,11,10,11,11,13,13,10,10,11,11,13, 7, 8, 8,10,
  142578. 11, 8, 9, 9,11,11, 8, 9, 8,11,11,10,11,11,13,13,
  142579. 11,12,11,13,12, 9,10,10,13,12,10,11,11,14,13,10,
  142580. 10,11,12,13,12,13,13,15,15,12,11,13,13,14, 9,10,
  142581. 11,12,13,10,11,11,13,14,10,11,11,13,13,12,13,13,
  142582. 15,15,12,13,12,15,12, 8, 9, 9,12,12, 9,11,10,13,
  142583. 13, 9,10,10,13,13,12,13,13,15,15,12,12,12,14,14,
  142584. 9,10,10,13,13,10,11,11,13,14,10,11,11,14,13,13,
  142585. 13,14,14,16,13,13,13,15,15, 9,10,10,13,13,10,11,
  142586. 10,14,13,10,11,11,13,14,12,14,13,16,14,12,13,13,
  142587. 14,15,11,12,12,15,14,11,12,13,14,15,12,13,13,16,
  142588. 15,14,12,15,12,16,14,15,15,16,16,11,12,12,14,14,
  142589. 11,13,12,15,14,12,13,13,15,16,13,15,13,17,13,14,
  142590. 15,15,16,17, 8, 9, 9,12,12, 9,10,10,12,13, 9,10,
  142591. 10,13,13,12,12,12,14,14,12,13,13,15,15, 9,10,10,
  142592. 13,12,10,11,11,14,13,10,10,11,13,14,13,13,13,15,
  142593. 15,12,13,14,14,16, 9,10,10,13,13,10,11,11,13,14,
  142594. 10,11,11,14,14,13,13,13,15,15,13,14,13,16,14,11,
  142595. 12,12,15,14,12,13,13,16,15,11,12,13,14,15,14,15,
  142596. 15,17,16,13,13,15,13,16,11,12,13,14,15,13,13,13,
  142597. 15,16,11,13,12,15,14,14,15,15,16,16,14,15,12,17,
  142598. 13,
  142599. };
  142600. static float _vq_quantthresh__44u4__p4_0[] = {
  142601. -1.5, -0.5, 0.5, 1.5,
  142602. };
  142603. static long _vq_quantmap__44u4__p4_0[] = {
  142604. 3, 1, 0, 2, 4,
  142605. };
  142606. static encode_aux_threshmatch _vq_auxt__44u4__p4_0 = {
  142607. _vq_quantthresh__44u4__p4_0,
  142608. _vq_quantmap__44u4__p4_0,
  142609. 5,
  142610. 5
  142611. };
  142612. static static_codebook _44u4__p4_0 = {
  142613. 4, 625,
  142614. _vq_lengthlist__44u4__p4_0,
  142615. 1, -533725184, 1611661312, 3, 0,
  142616. _vq_quantlist__44u4__p4_0,
  142617. NULL,
  142618. &_vq_auxt__44u4__p4_0,
  142619. NULL,
  142620. 0
  142621. };
  142622. static long _vq_quantlist__44u4__p5_0[] = {
  142623. 4,
  142624. 3,
  142625. 5,
  142626. 2,
  142627. 6,
  142628. 1,
  142629. 7,
  142630. 0,
  142631. 8,
  142632. };
  142633. static long _vq_lengthlist__44u4__p5_0[] = {
  142634. 2, 3, 3, 6, 6, 7, 7, 9, 9, 4, 5, 5, 7, 7, 8, 8,
  142635. 10, 9, 4, 5, 5, 7, 7, 8, 8,10,10, 6, 7, 7, 8, 8,
  142636. 9, 9,11,10, 6, 7, 7, 8, 8, 9, 9,10,11, 7, 8, 8,
  142637. 9, 9,10,10,11,11, 7, 8, 8, 9, 9,10,10,11,11, 9,
  142638. 10,10,11,10,11,11,12,12, 9,10,10,10,11,11,11,12,
  142639. 12,
  142640. };
  142641. static float _vq_quantthresh__44u4__p5_0[] = {
  142642. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  142643. };
  142644. static long _vq_quantmap__44u4__p5_0[] = {
  142645. 7, 5, 3, 1, 0, 2, 4, 6,
  142646. 8,
  142647. };
  142648. static encode_aux_threshmatch _vq_auxt__44u4__p5_0 = {
  142649. _vq_quantthresh__44u4__p5_0,
  142650. _vq_quantmap__44u4__p5_0,
  142651. 9,
  142652. 9
  142653. };
  142654. static static_codebook _44u4__p5_0 = {
  142655. 2, 81,
  142656. _vq_lengthlist__44u4__p5_0,
  142657. 1, -531628032, 1611661312, 4, 0,
  142658. _vq_quantlist__44u4__p5_0,
  142659. NULL,
  142660. &_vq_auxt__44u4__p5_0,
  142661. NULL,
  142662. 0
  142663. };
  142664. static long _vq_quantlist__44u4__p6_0[] = {
  142665. 6,
  142666. 5,
  142667. 7,
  142668. 4,
  142669. 8,
  142670. 3,
  142671. 9,
  142672. 2,
  142673. 10,
  142674. 1,
  142675. 11,
  142676. 0,
  142677. 12,
  142678. };
  142679. static long _vq_lengthlist__44u4__p6_0[] = {
  142680. 1, 4, 4, 6, 6, 8, 8, 9, 9,11,10,13,13, 4, 6, 5,
  142681. 8, 8, 9, 9,10,10,11,11,14,14, 4, 6, 6, 8, 8, 9,
  142682. 9,10,10,11,11,14,14, 6, 8, 8, 9, 9,10,10,11,11,
  142683. 12,12,15,15, 6, 8, 8, 9, 9,10,11,11,11,12,12,15,
  142684. 15, 8, 9, 9,11,10,11,11,12,12,13,13,16,16, 8, 9,
  142685. 9,10,10,11,11,12,12,13,13,16,16,10,10,10,12,11,
  142686. 12,12,13,13,14,14,16,16,10,10,10,11,12,12,12,13,
  142687. 13,13,14,16,17,11,12,11,12,12,13,13,14,14,15,14,
  142688. 18,17,11,11,12,12,12,13,13,14,14,14,15,19,18,14,
  142689. 15,14,15,15,17,16,17,17,17,17,21, 0,14,15,15,16,
  142690. 16,16,16,17,17,18,17,20,21,
  142691. };
  142692. static float _vq_quantthresh__44u4__p6_0[] = {
  142693. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  142694. 12.5, 17.5, 22.5, 27.5,
  142695. };
  142696. static long _vq_quantmap__44u4__p6_0[] = {
  142697. 11, 9, 7, 5, 3, 1, 0, 2,
  142698. 4, 6, 8, 10, 12,
  142699. };
  142700. static encode_aux_threshmatch _vq_auxt__44u4__p6_0 = {
  142701. _vq_quantthresh__44u4__p6_0,
  142702. _vq_quantmap__44u4__p6_0,
  142703. 13,
  142704. 13
  142705. };
  142706. static static_codebook _44u4__p6_0 = {
  142707. 2, 169,
  142708. _vq_lengthlist__44u4__p6_0,
  142709. 1, -526516224, 1616117760, 4, 0,
  142710. _vq_quantlist__44u4__p6_0,
  142711. NULL,
  142712. &_vq_auxt__44u4__p6_0,
  142713. NULL,
  142714. 0
  142715. };
  142716. static long _vq_quantlist__44u4__p6_1[] = {
  142717. 2,
  142718. 1,
  142719. 3,
  142720. 0,
  142721. 4,
  142722. };
  142723. static long _vq_lengthlist__44u4__p6_1[] = {
  142724. 2, 4, 4, 5, 5, 4, 5, 5, 6, 5, 4, 5, 5, 5, 6, 5,
  142725. 6, 5, 6, 6, 5, 5, 6, 6, 6,
  142726. };
  142727. static float _vq_quantthresh__44u4__p6_1[] = {
  142728. -1.5, -0.5, 0.5, 1.5,
  142729. };
  142730. static long _vq_quantmap__44u4__p6_1[] = {
  142731. 3, 1, 0, 2, 4,
  142732. };
  142733. static encode_aux_threshmatch _vq_auxt__44u4__p6_1 = {
  142734. _vq_quantthresh__44u4__p6_1,
  142735. _vq_quantmap__44u4__p6_1,
  142736. 5,
  142737. 5
  142738. };
  142739. static static_codebook _44u4__p6_1 = {
  142740. 2, 25,
  142741. _vq_lengthlist__44u4__p6_1,
  142742. 1, -533725184, 1611661312, 3, 0,
  142743. _vq_quantlist__44u4__p6_1,
  142744. NULL,
  142745. &_vq_auxt__44u4__p6_1,
  142746. NULL,
  142747. 0
  142748. };
  142749. static long _vq_quantlist__44u4__p7_0[] = {
  142750. 6,
  142751. 5,
  142752. 7,
  142753. 4,
  142754. 8,
  142755. 3,
  142756. 9,
  142757. 2,
  142758. 10,
  142759. 1,
  142760. 11,
  142761. 0,
  142762. 12,
  142763. };
  142764. static long _vq_lengthlist__44u4__p7_0[] = {
  142765. 1, 3, 3,12,12,12,12,12,12,12,12,12,12, 3,12,11,
  142766. 12,12,12,12,12,12,12,12,12,12, 4,11,10,12,12,12,
  142767. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  142768. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  142769. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  142770. 12,12,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  142771. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  142772. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  142773. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  142774. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  142775. 11,11,11,11,11,11,11,11,11,
  142776. };
  142777. static float _vq_quantthresh__44u4__p7_0[] = {
  142778. -1402.5, -1147.5, -892.5, -637.5, -382.5, -127.5, 127.5, 382.5,
  142779. 637.5, 892.5, 1147.5, 1402.5,
  142780. };
  142781. static long _vq_quantmap__44u4__p7_0[] = {
  142782. 11, 9, 7, 5, 3, 1, 0, 2,
  142783. 4, 6, 8, 10, 12,
  142784. };
  142785. static encode_aux_threshmatch _vq_auxt__44u4__p7_0 = {
  142786. _vq_quantthresh__44u4__p7_0,
  142787. _vq_quantmap__44u4__p7_0,
  142788. 13,
  142789. 13
  142790. };
  142791. static static_codebook _44u4__p7_0 = {
  142792. 2, 169,
  142793. _vq_lengthlist__44u4__p7_0,
  142794. 1, -514332672, 1627381760, 4, 0,
  142795. _vq_quantlist__44u4__p7_0,
  142796. NULL,
  142797. &_vq_auxt__44u4__p7_0,
  142798. NULL,
  142799. 0
  142800. };
  142801. static long _vq_quantlist__44u4__p7_1[] = {
  142802. 7,
  142803. 6,
  142804. 8,
  142805. 5,
  142806. 9,
  142807. 4,
  142808. 10,
  142809. 3,
  142810. 11,
  142811. 2,
  142812. 12,
  142813. 1,
  142814. 13,
  142815. 0,
  142816. 14,
  142817. };
  142818. static long _vq_lengthlist__44u4__p7_1[] = {
  142819. 1, 4, 4, 6, 6, 7, 7, 9, 8,10, 8,10, 9,11,11, 4,
  142820. 7, 6, 8, 7, 9, 9,10,10,11,10,11,10,12,10, 4, 6,
  142821. 7, 8, 8, 9, 9,10,10,11,11,11,11,12,12, 6, 8, 8,
  142822. 10, 9,11,10,12,11,12,12,12,12,13,13, 6, 8, 8,10,
  142823. 10,10,11,11,11,12,12,13,12,13,13, 8, 9, 9,11,11,
  142824. 12,11,12,12,13,13,13,13,13,13, 8, 9, 9,11,11,11,
  142825. 12,12,12,13,13,13,13,13,13, 9,10,10,12,11,13,13,
  142826. 13,13,14,13,13,14,14,14, 9,10,11,11,12,12,13,13,
  142827. 13,13,13,14,15,14,14,10,11,11,12,12,13,13,14,14,
  142828. 14,14,14,15,16,16,10,11,11,12,13,13,13,13,15,14,
  142829. 14,15,16,15,16,10,12,12,13,13,14,14,14,15,15,15,
  142830. 15,15,15,16,11,12,12,13,13,14,14,14,15,15,15,16,
  142831. 15,17,16,11,12,12,13,13,13,15,15,14,16,16,16,16,
  142832. 16,17,11,12,12,13,13,14,14,15,14,15,15,17,17,16,
  142833. 16,
  142834. };
  142835. static float _vq_quantthresh__44u4__p7_1[] = {
  142836. -110.5, -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5,
  142837. 25.5, 42.5, 59.5, 76.5, 93.5, 110.5,
  142838. };
  142839. static long _vq_quantmap__44u4__p7_1[] = {
  142840. 13, 11, 9, 7, 5, 3, 1, 0,
  142841. 2, 4, 6, 8, 10, 12, 14,
  142842. };
  142843. static encode_aux_threshmatch _vq_auxt__44u4__p7_1 = {
  142844. _vq_quantthresh__44u4__p7_1,
  142845. _vq_quantmap__44u4__p7_1,
  142846. 15,
  142847. 15
  142848. };
  142849. static static_codebook _44u4__p7_1 = {
  142850. 2, 225,
  142851. _vq_lengthlist__44u4__p7_1,
  142852. 1, -522338304, 1620115456, 4, 0,
  142853. _vq_quantlist__44u4__p7_1,
  142854. NULL,
  142855. &_vq_auxt__44u4__p7_1,
  142856. NULL,
  142857. 0
  142858. };
  142859. static long _vq_quantlist__44u4__p7_2[] = {
  142860. 8,
  142861. 7,
  142862. 9,
  142863. 6,
  142864. 10,
  142865. 5,
  142866. 11,
  142867. 4,
  142868. 12,
  142869. 3,
  142870. 13,
  142871. 2,
  142872. 14,
  142873. 1,
  142874. 15,
  142875. 0,
  142876. 16,
  142877. };
  142878. static long _vq_lengthlist__44u4__p7_2[] = {
  142879. 2, 5, 5, 7, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  142880. 9, 5, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  142881. 9, 9, 5, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  142882. 9, 9, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  142883. 10,10,10,10, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9,10,
  142884. 9,10, 9,10,10, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  142885. 10,10,10,10,10,10, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  142886. 9,10,10,10,10,10,10, 8, 9, 8, 9, 9, 9, 9, 9, 9,
  142887. 10,10,10,10,10,10,10,10, 8, 8, 8, 9, 9, 9, 9, 9,
  142888. 10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9,10,10,
  142889. 10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9,10,
  142890. 10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9,10,
  142891. 10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9,
  142892. 10,10,10,10,10,10,10,10,10,11,10,10,10, 9, 9, 9,
  142893. 10,10,10,10,10,10,10,10,10,10,10,10,10,10, 9, 9,
  142894. 9,10,10,10,10,10,10,10,10,10,10,10,10,10,10, 9,
  142895. 10, 9,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  142896. 9,10, 9,10,10,10,10,10,10,10,10,10,10,11,10,10,
  142897. 10,
  142898. };
  142899. static float _vq_quantthresh__44u4__p7_2[] = {
  142900. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  142901. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  142902. };
  142903. static long _vq_quantmap__44u4__p7_2[] = {
  142904. 15, 13, 11, 9, 7, 5, 3, 1,
  142905. 0, 2, 4, 6, 8, 10, 12, 14,
  142906. 16,
  142907. };
  142908. static encode_aux_threshmatch _vq_auxt__44u4__p7_2 = {
  142909. _vq_quantthresh__44u4__p7_2,
  142910. _vq_quantmap__44u4__p7_2,
  142911. 17,
  142912. 17
  142913. };
  142914. static static_codebook _44u4__p7_2 = {
  142915. 2, 289,
  142916. _vq_lengthlist__44u4__p7_2,
  142917. 1, -529530880, 1611661312, 5, 0,
  142918. _vq_quantlist__44u4__p7_2,
  142919. NULL,
  142920. &_vq_auxt__44u4__p7_2,
  142921. NULL,
  142922. 0
  142923. };
  142924. static long _huff_lengthlist__44u4__short[] = {
  142925. 14,17,15,17,16,14,13,16,10, 7, 7,10,13,10,15,16,
  142926. 9, 4, 4, 6, 5, 7, 9,16,12, 8, 7, 8, 8, 8,11,16,
  142927. 14, 7, 4, 6, 3, 5, 8,15,13, 8, 5, 7, 4, 5, 7,16,
  142928. 12, 9, 6, 8, 3, 3, 5,16,14,13, 7,10, 5, 5, 7,15,
  142929. };
  142930. static static_codebook _huff_book__44u4__short = {
  142931. 2, 64,
  142932. _huff_lengthlist__44u4__short,
  142933. 0, 0, 0, 0, 0,
  142934. NULL,
  142935. NULL,
  142936. NULL,
  142937. NULL,
  142938. 0
  142939. };
  142940. static long _huff_lengthlist__44u5__long[] = {
  142941. 3, 8,13,12,14,12,16,11,13,14, 5, 4, 5, 6, 7, 8,
  142942. 10, 9,12,15,10, 5, 5, 5, 6, 8, 9, 9,13,15,10, 5,
  142943. 5, 6, 6, 7, 8, 8,11,13,12, 7, 5, 6, 4, 6, 7, 7,
  142944. 11,14,11, 7, 7, 6, 6, 6, 7, 6,10,14,14, 9, 8, 8,
  142945. 6, 7, 7, 7,11,16,11, 8, 8, 7, 6, 6, 7, 4, 7,12,
  142946. 10,10,12,10,10, 9,10, 5, 6, 9,10,12,15,13,14,14,
  142947. 14, 8, 7, 8,
  142948. };
  142949. static static_codebook _huff_book__44u5__long = {
  142950. 2, 100,
  142951. _huff_lengthlist__44u5__long,
  142952. 0, 0, 0, 0, 0,
  142953. NULL,
  142954. NULL,
  142955. NULL,
  142956. NULL,
  142957. 0
  142958. };
  142959. static long _vq_quantlist__44u5__p1_0[] = {
  142960. 1,
  142961. 0,
  142962. 2,
  142963. };
  142964. static long _vq_lengthlist__44u5__p1_0[] = {
  142965. 1, 4, 4, 5, 8, 7, 5, 7, 7, 5, 8, 8, 8,10,10, 7,
  142966. 9,10, 5, 8, 8, 7,10, 9, 8,10,10, 5, 8, 8, 8,10,
  142967. 10, 8,10,10, 8,10,10,10,12,13,10,13,13, 7,10,10,
  142968. 10,13,11,10,13,13, 4, 8, 8, 8,11,10, 8,10,10, 7,
  142969. 10,10,10,13,13,10,11,13, 8,10,11,10,13,13,10,13,
  142970. 12,
  142971. };
  142972. static float _vq_quantthresh__44u5__p1_0[] = {
  142973. -0.5, 0.5,
  142974. };
  142975. static long _vq_quantmap__44u5__p1_0[] = {
  142976. 1, 0, 2,
  142977. };
  142978. static encode_aux_threshmatch _vq_auxt__44u5__p1_0 = {
  142979. _vq_quantthresh__44u5__p1_0,
  142980. _vq_quantmap__44u5__p1_0,
  142981. 3,
  142982. 3
  142983. };
  142984. static static_codebook _44u5__p1_0 = {
  142985. 4, 81,
  142986. _vq_lengthlist__44u5__p1_0,
  142987. 1, -535822336, 1611661312, 2, 0,
  142988. _vq_quantlist__44u5__p1_0,
  142989. NULL,
  142990. &_vq_auxt__44u5__p1_0,
  142991. NULL,
  142992. 0
  142993. };
  142994. static long _vq_quantlist__44u5__p2_0[] = {
  142995. 1,
  142996. 0,
  142997. 2,
  142998. };
  142999. static long _vq_lengthlist__44u5__p2_0[] = {
  143000. 3, 4, 4, 5, 6, 6, 5, 6, 6, 5, 6, 6, 6, 8, 8, 6,
  143001. 7, 8, 5, 6, 6, 6, 8, 7, 6, 8, 8, 5, 6, 6, 6, 8,
  143002. 8, 6, 8, 8, 6, 8, 8, 8, 9, 9, 8, 9, 9, 6, 8, 7,
  143003. 7, 9, 8, 8, 9, 9, 5, 6, 6, 6, 8, 7, 6, 8, 8, 6,
  143004. 8, 7, 8, 9, 9, 7, 8, 9, 6, 8, 8, 8, 9, 9, 8, 9,
  143005. 9,
  143006. };
  143007. static float _vq_quantthresh__44u5__p2_0[] = {
  143008. -0.5, 0.5,
  143009. };
  143010. static long _vq_quantmap__44u5__p2_0[] = {
  143011. 1, 0, 2,
  143012. };
  143013. static encode_aux_threshmatch _vq_auxt__44u5__p2_0 = {
  143014. _vq_quantthresh__44u5__p2_0,
  143015. _vq_quantmap__44u5__p2_0,
  143016. 3,
  143017. 3
  143018. };
  143019. static static_codebook _44u5__p2_0 = {
  143020. 4, 81,
  143021. _vq_lengthlist__44u5__p2_0,
  143022. 1, -535822336, 1611661312, 2, 0,
  143023. _vq_quantlist__44u5__p2_0,
  143024. NULL,
  143025. &_vq_auxt__44u5__p2_0,
  143026. NULL,
  143027. 0
  143028. };
  143029. static long _vq_quantlist__44u5__p3_0[] = {
  143030. 2,
  143031. 1,
  143032. 3,
  143033. 0,
  143034. 4,
  143035. };
  143036. static long _vq_lengthlist__44u5__p3_0[] = {
  143037. 2, 4, 5, 8, 8, 5, 7, 6, 9, 9, 5, 6, 7, 9, 9, 8,
  143038. 10, 9,13,12, 8, 9,10,12,12, 5, 7, 7,10,10, 7, 9,
  143039. 9,11,11, 6, 8, 9,11,11,10,11,11,14,14, 9,10,11,
  143040. 13,14, 5, 7, 7, 9,10, 7, 9, 8,11,11, 7, 9, 9,11,
  143041. 11, 9,11,10,14,13,10,11,11,14,14, 8,10,10,13,13,
  143042. 10,11,11,15,14, 9,11,11,14,14,13,14,14,17,16,12,
  143043. 13,13,15,16, 8,10,10,13,13, 9,11,11,14,15,10,11,
  143044. 11,14,15,12,14,13,16,16,13,15,14,15,17, 5, 7, 7,
  143045. 10,10, 7, 9, 9,11,11, 7, 9, 9,11,11,10,11,11,14,
  143046. 14,10,11,12,14,14, 7, 9, 9,12,11, 9,11,11,13,13,
  143047. 9,11,11,13,13,12,13,13,15,16,11,12,13,15,16, 6,
  143048. 9, 9,11,11, 8,11,10,13,12, 9,11,11,13,14,11,13,
  143049. 12,16,14,11,13,13,16,17,10,12,11,15,15,11,13,13,
  143050. 16,16,11,13,13,17,16,14,15,15,17,17,14,16,16,17,
  143051. 18, 9,11,11,14,15,10,12,12,15,15,11,13,13,16,17,
  143052. 13,15,13,17,15,14,15,16,18, 0, 5, 7, 7,10,10, 7,
  143053. 9, 9,11,11, 7, 9, 9,11,11,10,11,11,14,14,10,11,
  143054. 12,14,15, 6, 9, 9,12,11, 9,11,11,13,13, 8,10,11,
  143055. 12,13,11,13,13,16,15,11,12,13,14,15, 7, 9, 9,11,
  143056. 12, 9,11,11,13,13, 9,11,11,13,13,11,13,13,15,16,
  143057. 11,13,13,15,14, 9,11,11,15,14,11,13,13,17,15,10,
  143058. 12,12,15,15,14,16,16,17,17,13,13,15,15,17,10,11,
  143059. 12,15,15,11,13,13,16,16,11,13,13,15,15,14,15,15,
  143060. 18,18,14,15,15,17,17, 8,10,10,13,13,10,12,11,15,
  143061. 15,10,11,12,15,15,14,15,15,18,18,13,14,14,18,18,
  143062. 9,11,11,15,16,11,13,13,17,17,11,13,13,16,16,15,
  143063. 15,16,17, 0,14,15,17, 0, 0, 9,11,11,15,15,10,13,
  143064. 12,18,16,11,13,13,15,16,14,16,15,20,20,14,15,16,
  143065. 17, 0,13,14,14,20,16,14,15,16,19,18,14,15,15,19,
  143066. 0,18,16, 0,20,20,16,18,18, 0, 0,12,14,14,18,18,
  143067. 13,15,14,18,16,14,15,16,18,20,16,19,16, 0,17,17,
  143068. 18,18,19, 0, 8,10,10,14,14,10,11,11,14,15,10,11,
  143069. 12,15,15,13,15,14,19,17,13,15,15,17, 0, 9,11,11,
  143070. 16,15,11,13,13,16,16,10,12,13,15,17,14,16,16,18,
  143071. 18,14,15,15,18, 0, 9,11,11,15,15,11,13,13,16,17,
  143072. 11,13,13,18,17,14,18,16,18,18,15,17,17,18, 0,12,
  143073. 14,14,18,18,14,15,15,20, 0,13,14,15,17, 0,16,18,
  143074. 17, 0, 0,16,16, 0,17,20,12,14,14,18,18,14,16,15,
  143075. 0,18,14,16,15,18, 0,16,19,17, 0, 0,17,18,16, 0,
  143076. 0,
  143077. };
  143078. static float _vq_quantthresh__44u5__p3_0[] = {
  143079. -1.5, -0.5, 0.5, 1.5,
  143080. };
  143081. static long _vq_quantmap__44u5__p3_0[] = {
  143082. 3, 1, 0, 2, 4,
  143083. };
  143084. static encode_aux_threshmatch _vq_auxt__44u5__p3_0 = {
  143085. _vq_quantthresh__44u5__p3_0,
  143086. _vq_quantmap__44u5__p3_0,
  143087. 5,
  143088. 5
  143089. };
  143090. static static_codebook _44u5__p3_0 = {
  143091. 4, 625,
  143092. _vq_lengthlist__44u5__p3_0,
  143093. 1, -533725184, 1611661312, 3, 0,
  143094. _vq_quantlist__44u5__p3_0,
  143095. NULL,
  143096. &_vq_auxt__44u5__p3_0,
  143097. NULL,
  143098. 0
  143099. };
  143100. static long _vq_quantlist__44u5__p4_0[] = {
  143101. 2,
  143102. 1,
  143103. 3,
  143104. 0,
  143105. 4,
  143106. };
  143107. static long _vq_lengthlist__44u5__p4_0[] = {
  143108. 4, 5, 5, 8, 8, 6, 7, 6, 9, 9, 6, 6, 7, 9, 9, 8,
  143109. 9, 9,11,11, 8, 9, 9,11,11, 6, 7, 7, 9, 9, 7, 8,
  143110. 8,10,10, 6, 7, 8, 9,10, 9,10,10,11,12, 9, 9,10,
  143111. 11,12, 6, 7, 7, 9, 9, 6, 8, 7,10, 9, 7, 8, 8,10,
  143112. 10, 9,10, 9,12,11, 9,10,10,12,11, 8, 9, 9,12,11,
  143113. 9,10,10,12,12, 9,10,10,12,12,11,12,12,13,14,11,
  143114. 11,12,13,14, 8, 9, 9,11,12, 9,10,10,12,12, 9,10,
  143115. 10,12,12,11,12,11,14,13,11,12,12,13,13, 5, 7, 7,
  143116. 9, 9, 7, 8, 8,10,10, 7, 8, 8,10,10, 9,10,10,12,
  143117. 12, 9,10,10,12,12, 7, 8, 8,10,10, 8, 8, 9,10,11,
  143118. 8, 9, 9,11,11,10,10,11,11,13,10,11,11,12,13, 6,
  143119. 7, 8,10,10, 7, 9, 8,11,10, 8, 9, 9,11,11,10,11,
  143120. 10,13,11,10,11,11,12,12, 9,10,10,12,12,10,10,11,
  143121. 12,13,10,11,11,13,13,12,11,13,12,15,12,13,13,14,
  143122. 15, 9,10,10,12,12, 9,11,10,13,12,10,11,11,13,13,
  143123. 11,13,11,14,12,12,13,13,14,15, 5, 7, 7, 9, 9, 7,
  143124. 8, 8,10,10, 7, 8, 8,10,10, 9,10,10,12,12, 9,10,
  143125. 10,12,12, 6, 8, 7,10,10, 8, 9, 9,11,11, 7, 8, 9,
  143126. 10,11,10,11,11,12,12,10,10,11,11,13, 7, 8, 8,10,
  143127. 10, 8, 9, 9,11,11, 8, 9, 8,11,10,10,11,11,13,12,
  143128. 10,11,10,13,11, 9,10,10,12,12,10,11,11,13,12, 9,
  143129. 10,10,12,13,12,13,13,14,15,11,11,13,12,14, 9,10,
  143130. 10,12,12,10,11,11,13,13,10,11,10,13,12,12,13,13,
  143131. 14,14,12,13,11,14,12, 8, 9, 9,12,12, 9,10,10,12,
  143132. 12, 9,10,10,12,12,12,12,12,14,14,11,12,12,14,13,
  143133. 9,10,10,12,12,10,11,11,13,13,10,11,11,13,12,12,
  143134. 12,13,14,15,12,13,13,15,14, 9,10,10,12,12,10,11,
  143135. 10,13,12,10,11,11,12,13,12,13,12,15,13,12,13,13,
  143136. 14,15,11,12,12,14,13,11,12,12,14,15,12,13,13,15,
  143137. 14,13,12,14,12,16,13,14,14,15,15,11,11,12,14,14,
  143138. 11,12,11,14,13,12,13,13,14,15,13,14,12,16,12,14,
  143139. 14,15,16,16, 8, 9, 9,11,12, 9,10,10,12,12, 9,10,
  143140. 10,12,13,11,12,12,13,13,12,12,13,14,14, 9,10,10,
  143141. 12,12,10,11,10,13,12,10,10,11,12,13,12,13,13,15,
  143142. 14,12,12,13,13,15, 9,10,10,12,13,10,11,11,12,13,
  143143. 10,11,11,13,13,12,13,13,14,15,12,13,12,15,14,11,
  143144. 12,11,14,13,12,13,13,15,14,11,11,12,13,14,14,15,
  143145. 14,16,15,13,12,14,13,16,11,12,12,13,14,12,13,13,
  143146. 14,15,11,12,11,14,14,14,14,14,15,16,13,15,12,16,
  143147. 12,
  143148. };
  143149. static float _vq_quantthresh__44u5__p4_0[] = {
  143150. -1.5, -0.5, 0.5, 1.5,
  143151. };
  143152. static long _vq_quantmap__44u5__p4_0[] = {
  143153. 3, 1, 0, 2, 4,
  143154. };
  143155. static encode_aux_threshmatch _vq_auxt__44u5__p4_0 = {
  143156. _vq_quantthresh__44u5__p4_0,
  143157. _vq_quantmap__44u5__p4_0,
  143158. 5,
  143159. 5
  143160. };
  143161. static static_codebook _44u5__p4_0 = {
  143162. 4, 625,
  143163. _vq_lengthlist__44u5__p4_0,
  143164. 1, -533725184, 1611661312, 3, 0,
  143165. _vq_quantlist__44u5__p4_0,
  143166. NULL,
  143167. &_vq_auxt__44u5__p4_0,
  143168. NULL,
  143169. 0
  143170. };
  143171. static long _vq_quantlist__44u5__p5_0[] = {
  143172. 4,
  143173. 3,
  143174. 5,
  143175. 2,
  143176. 6,
  143177. 1,
  143178. 7,
  143179. 0,
  143180. 8,
  143181. };
  143182. static long _vq_lengthlist__44u5__p5_0[] = {
  143183. 2, 3, 3, 6, 6, 8, 8,10,10, 4, 5, 5, 8, 7, 8, 8,
  143184. 11,10, 3, 5, 5, 7, 8, 8, 8,10,11, 6, 8, 7,10, 9,
  143185. 10,10,11,11, 6, 7, 8, 9, 9, 9,10,11,12, 8, 8, 8,
  143186. 10,10,11,11,13,12, 8, 8, 9, 9,10,11,11,12,13,10,
  143187. 11,10,12,11,13,12,14,14,10,10,11,11,12,12,13,14,
  143188. 14,
  143189. };
  143190. static float _vq_quantthresh__44u5__p5_0[] = {
  143191. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  143192. };
  143193. static long _vq_quantmap__44u5__p5_0[] = {
  143194. 7, 5, 3, 1, 0, 2, 4, 6,
  143195. 8,
  143196. };
  143197. static encode_aux_threshmatch _vq_auxt__44u5__p5_0 = {
  143198. _vq_quantthresh__44u5__p5_0,
  143199. _vq_quantmap__44u5__p5_0,
  143200. 9,
  143201. 9
  143202. };
  143203. static static_codebook _44u5__p5_0 = {
  143204. 2, 81,
  143205. _vq_lengthlist__44u5__p5_0,
  143206. 1, -531628032, 1611661312, 4, 0,
  143207. _vq_quantlist__44u5__p5_0,
  143208. NULL,
  143209. &_vq_auxt__44u5__p5_0,
  143210. NULL,
  143211. 0
  143212. };
  143213. static long _vq_quantlist__44u5__p6_0[] = {
  143214. 4,
  143215. 3,
  143216. 5,
  143217. 2,
  143218. 6,
  143219. 1,
  143220. 7,
  143221. 0,
  143222. 8,
  143223. };
  143224. static long _vq_lengthlist__44u5__p6_0[] = {
  143225. 3, 4, 4, 5, 5, 7, 7, 9, 9, 4, 5, 4, 6, 6, 7, 7,
  143226. 9, 9, 4, 4, 5, 6, 6, 7, 7, 9, 9, 5, 6, 6, 7, 7,
  143227. 8, 8,10,10, 6, 6, 6, 7, 7, 8, 8,10,10, 7, 7, 7,
  143228. 8, 8, 9, 9,11,10, 7, 7, 7, 8, 8, 9, 9,10,11, 9,
  143229. 9, 9,10,10,11,10,11,11, 9, 9, 9,10,10,11,10,11,
  143230. 11,
  143231. };
  143232. static float _vq_quantthresh__44u5__p6_0[] = {
  143233. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  143234. };
  143235. static long _vq_quantmap__44u5__p6_0[] = {
  143236. 7, 5, 3, 1, 0, 2, 4, 6,
  143237. 8,
  143238. };
  143239. static encode_aux_threshmatch _vq_auxt__44u5__p6_0 = {
  143240. _vq_quantthresh__44u5__p6_0,
  143241. _vq_quantmap__44u5__p6_0,
  143242. 9,
  143243. 9
  143244. };
  143245. static static_codebook _44u5__p6_0 = {
  143246. 2, 81,
  143247. _vq_lengthlist__44u5__p6_0,
  143248. 1, -531628032, 1611661312, 4, 0,
  143249. _vq_quantlist__44u5__p6_0,
  143250. NULL,
  143251. &_vq_auxt__44u5__p6_0,
  143252. NULL,
  143253. 0
  143254. };
  143255. static long _vq_quantlist__44u5__p7_0[] = {
  143256. 1,
  143257. 0,
  143258. 2,
  143259. };
  143260. static long _vq_lengthlist__44u5__p7_0[] = {
  143261. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 9, 9, 8,11,10, 7,
  143262. 11,10, 5, 9, 9, 7,10,10, 8,10,11, 4, 9, 9, 9,12,
  143263. 12, 9,12,12, 8,12,12,11,12,12,10,12,13, 7,12,12,
  143264. 11,12,12,10,12,13, 4, 9, 9, 9,12,12, 9,12,12, 7,
  143265. 12,11,10,13,13,11,12,12, 7,12,12,10,13,13,11,12,
  143266. 12,
  143267. };
  143268. static float _vq_quantthresh__44u5__p7_0[] = {
  143269. -5.5, 5.5,
  143270. };
  143271. static long _vq_quantmap__44u5__p7_0[] = {
  143272. 1, 0, 2,
  143273. };
  143274. static encode_aux_threshmatch _vq_auxt__44u5__p7_0 = {
  143275. _vq_quantthresh__44u5__p7_0,
  143276. _vq_quantmap__44u5__p7_0,
  143277. 3,
  143278. 3
  143279. };
  143280. static static_codebook _44u5__p7_0 = {
  143281. 4, 81,
  143282. _vq_lengthlist__44u5__p7_0,
  143283. 1, -529137664, 1618345984, 2, 0,
  143284. _vq_quantlist__44u5__p7_0,
  143285. NULL,
  143286. &_vq_auxt__44u5__p7_0,
  143287. NULL,
  143288. 0
  143289. };
  143290. static long _vq_quantlist__44u5__p7_1[] = {
  143291. 5,
  143292. 4,
  143293. 6,
  143294. 3,
  143295. 7,
  143296. 2,
  143297. 8,
  143298. 1,
  143299. 9,
  143300. 0,
  143301. 10,
  143302. };
  143303. static long _vq_lengthlist__44u5__p7_1[] = {
  143304. 2, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8, 4, 5, 5, 7, 7,
  143305. 8, 8, 9, 8, 8, 9, 4, 5, 5, 7, 7, 8, 8, 9, 9, 8,
  143306. 9, 6, 7, 7, 8, 8, 9, 8, 9, 9, 9, 9, 6, 7, 7, 8,
  143307. 8, 9, 9, 9, 9, 9, 9, 7, 8, 8, 9, 9, 9, 9, 9, 9,
  143308. 9, 9, 7, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 8, 9, 9,
  143309. 9, 9, 9, 9,10,10,10,10, 8, 9, 9, 9, 9, 9, 9,10,
  143310. 10,10,10, 8, 9, 9, 9, 9, 9, 9,10,10,10,10, 8, 9,
  143311. 9, 9, 9, 9, 9,10,10,10,10,
  143312. };
  143313. static float _vq_quantthresh__44u5__p7_1[] = {
  143314. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  143315. 3.5, 4.5,
  143316. };
  143317. static long _vq_quantmap__44u5__p7_1[] = {
  143318. 9, 7, 5, 3, 1, 0, 2, 4,
  143319. 6, 8, 10,
  143320. };
  143321. static encode_aux_threshmatch _vq_auxt__44u5__p7_1 = {
  143322. _vq_quantthresh__44u5__p7_1,
  143323. _vq_quantmap__44u5__p7_1,
  143324. 11,
  143325. 11
  143326. };
  143327. static static_codebook _44u5__p7_1 = {
  143328. 2, 121,
  143329. _vq_lengthlist__44u5__p7_1,
  143330. 1, -531365888, 1611661312, 4, 0,
  143331. _vq_quantlist__44u5__p7_1,
  143332. NULL,
  143333. &_vq_auxt__44u5__p7_1,
  143334. NULL,
  143335. 0
  143336. };
  143337. static long _vq_quantlist__44u5__p8_0[] = {
  143338. 5,
  143339. 4,
  143340. 6,
  143341. 3,
  143342. 7,
  143343. 2,
  143344. 8,
  143345. 1,
  143346. 9,
  143347. 0,
  143348. 10,
  143349. };
  143350. static long _vq_lengthlist__44u5__p8_0[] = {
  143351. 1, 4, 4, 6, 6, 8, 8, 9, 9,10,10, 4, 6, 6, 7, 7,
  143352. 9, 9,10,10,11,11, 4, 6, 6, 7, 7, 9, 9,10,10,11,
  143353. 11, 6, 8, 7, 9, 9,10,10,11,11,13,12, 6, 8, 8, 9,
  143354. 9,10,10,11,11,12,13, 8, 9, 9,10,10,12,12,13,12,
  143355. 14,13, 8, 9, 9,10,10,12,12,13,13,14,14, 9,11,11,
  143356. 12,12,13,13,14,14,15,14, 9,11,11,12,12,13,13,14,
  143357. 14,15,14,11,12,12,13,13,14,14,15,14,15,14,11,11,
  143358. 12,13,13,14,14,14,14,15,15,
  143359. };
  143360. static float _vq_quantthresh__44u5__p8_0[] = {
  143361. -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5, 27.5,
  143362. 38.5, 49.5,
  143363. };
  143364. static long _vq_quantmap__44u5__p8_0[] = {
  143365. 9, 7, 5, 3, 1, 0, 2, 4,
  143366. 6, 8, 10,
  143367. };
  143368. static encode_aux_threshmatch _vq_auxt__44u5__p8_0 = {
  143369. _vq_quantthresh__44u5__p8_0,
  143370. _vq_quantmap__44u5__p8_0,
  143371. 11,
  143372. 11
  143373. };
  143374. static static_codebook _44u5__p8_0 = {
  143375. 2, 121,
  143376. _vq_lengthlist__44u5__p8_0,
  143377. 1, -524582912, 1618345984, 4, 0,
  143378. _vq_quantlist__44u5__p8_0,
  143379. NULL,
  143380. &_vq_auxt__44u5__p8_0,
  143381. NULL,
  143382. 0
  143383. };
  143384. static long _vq_quantlist__44u5__p8_1[] = {
  143385. 5,
  143386. 4,
  143387. 6,
  143388. 3,
  143389. 7,
  143390. 2,
  143391. 8,
  143392. 1,
  143393. 9,
  143394. 0,
  143395. 10,
  143396. };
  143397. static long _vq_lengthlist__44u5__p8_1[] = {
  143398. 3, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 5, 6, 5, 7, 6,
  143399. 7, 7, 8, 8, 8, 8, 5, 5, 5, 6, 6, 7, 7, 8, 8, 8,
  143400. 8, 6, 7, 6, 7, 7, 8, 8, 8, 8, 8, 8, 6, 6, 7, 7,
  143401. 7, 8, 8, 8, 8, 8, 8, 7, 7, 7, 8, 8, 8, 8, 8, 8,
  143402. 8, 8, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8, 8, 7, 8, 8,
  143403. 8, 8, 8, 8, 8, 8, 8, 8, 7, 8, 8, 8, 8, 8, 8, 8,
  143404. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8,
  143405. 8, 8, 8, 8, 8, 8, 8, 8, 8,
  143406. };
  143407. static float _vq_quantthresh__44u5__p8_1[] = {
  143408. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  143409. 3.5, 4.5,
  143410. };
  143411. static long _vq_quantmap__44u5__p8_1[] = {
  143412. 9, 7, 5, 3, 1, 0, 2, 4,
  143413. 6, 8, 10,
  143414. };
  143415. static encode_aux_threshmatch _vq_auxt__44u5__p8_1 = {
  143416. _vq_quantthresh__44u5__p8_1,
  143417. _vq_quantmap__44u5__p8_1,
  143418. 11,
  143419. 11
  143420. };
  143421. static static_codebook _44u5__p8_1 = {
  143422. 2, 121,
  143423. _vq_lengthlist__44u5__p8_1,
  143424. 1, -531365888, 1611661312, 4, 0,
  143425. _vq_quantlist__44u5__p8_1,
  143426. NULL,
  143427. &_vq_auxt__44u5__p8_1,
  143428. NULL,
  143429. 0
  143430. };
  143431. static long _vq_quantlist__44u5__p9_0[] = {
  143432. 6,
  143433. 5,
  143434. 7,
  143435. 4,
  143436. 8,
  143437. 3,
  143438. 9,
  143439. 2,
  143440. 10,
  143441. 1,
  143442. 11,
  143443. 0,
  143444. 12,
  143445. };
  143446. static long _vq_lengthlist__44u5__p9_0[] = {
  143447. 1, 3, 2,12,10,13,13,13,13,13,13,13,13, 4, 9, 9,
  143448. 13,13,13,13,13,13,13,13,13,13, 5,10, 9,13,13,13,
  143449. 13,13,13,13,13,13,13,12,13,13,13,13,13,13,13,13,
  143450. 13,13,13,13,11,13,13,13,13,13,13,13,13,13,13,13,
  143451. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  143452. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  143453. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  143454. 13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,13,
  143455. 13,13,13,13,13,13,13,13,13,13,13,13,13,12,12,12,
  143456. 12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,12,
  143457. 12,12,12,12,12,12,12,12,12,
  143458. };
  143459. static float _vq_quantthresh__44u5__p9_0[] = {
  143460. -1402.5, -1147.5, -892.5, -637.5, -382.5, -127.5, 127.5, 382.5,
  143461. 637.5, 892.5, 1147.5, 1402.5,
  143462. };
  143463. static long _vq_quantmap__44u5__p9_0[] = {
  143464. 11, 9, 7, 5, 3, 1, 0, 2,
  143465. 4, 6, 8, 10, 12,
  143466. };
  143467. static encode_aux_threshmatch _vq_auxt__44u5__p9_0 = {
  143468. _vq_quantthresh__44u5__p9_0,
  143469. _vq_quantmap__44u5__p9_0,
  143470. 13,
  143471. 13
  143472. };
  143473. static static_codebook _44u5__p9_0 = {
  143474. 2, 169,
  143475. _vq_lengthlist__44u5__p9_0,
  143476. 1, -514332672, 1627381760, 4, 0,
  143477. _vq_quantlist__44u5__p9_0,
  143478. NULL,
  143479. &_vq_auxt__44u5__p9_0,
  143480. NULL,
  143481. 0
  143482. };
  143483. static long _vq_quantlist__44u5__p9_1[] = {
  143484. 7,
  143485. 6,
  143486. 8,
  143487. 5,
  143488. 9,
  143489. 4,
  143490. 10,
  143491. 3,
  143492. 11,
  143493. 2,
  143494. 12,
  143495. 1,
  143496. 13,
  143497. 0,
  143498. 14,
  143499. };
  143500. static long _vq_lengthlist__44u5__p9_1[] = {
  143501. 1, 4, 4, 7, 7, 8, 8, 8, 7, 8, 7, 9, 8, 9, 9, 4,
  143502. 7, 6, 9, 8,10,10, 9, 8, 9, 9, 9, 9, 9, 8, 5, 6,
  143503. 6, 8, 9,10,10, 9, 9, 9,10,10,10,10,11, 7, 8, 8,
  143504. 10,10,11,11,10,10,11,11,11,12,11,11, 7, 8, 8,10,
  143505. 10,11,11,10,10,11,11,12,11,11,11, 8, 9, 9,11,11,
  143506. 12,12,11,11,12,11,12,12,12,12, 8, 9,10,11,11,12,
  143507. 12,11,11,12,12,12,12,12,12, 8, 9, 9,10,10,12,11,
  143508. 12,12,12,12,12,12,12,13, 8, 9, 9,11,11,11,11,12,
  143509. 12,12,12,13,12,13,13, 9,10,10,11,11,12,12,12,13,
  143510. 12,13,13,13,14,13, 9,10,10,11,11,12,12,12,13,13,
  143511. 12,13,13,14,13, 9,11,10,12,11,13,12,12,13,13,13,
  143512. 13,13,13,14, 9,10,10,12,12,12,12,12,13,13,13,13,
  143513. 13,14,14,10,11,11,12,12,12,13,13,13,14,14,13,14,
  143514. 14,14,10,11,11,12,12,12,12,13,12,13,14,13,14,14,
  143515. 14,
  143516. };
  143517. static float _vq_quantthresh__44u5__p9_1[] = {
  143518. -110.5, -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5,
  143519. 25.5, 42.5, 59.5, 76.5, 93.5, 110.5,
  143520. };
  143521. static long _vq_quantmap__44u5__p9_1[] = {
  143522. 13, 11, 9, 7, 5, 3, 1, 0,
  143523. 2, 4, 6, 8, 10, 12, 14,
  143524. };
  143525. static encode_aux_threshmatch _vq_auxt__44u5__p9_1 = {
  143526. _vq_quantthresh__44u5__p9_1,
  143527. _vq_quantmap__44u5__p9_1,
  143528. 15,
  143529. 15
  143530. };
  143531. static static_codebook _44u5__p9_1 = {
  143532. 2, 225,
  143533. _vq_lengthlist__44u5__p9_1,
  143534. 1, -522338304, 1620115456, 4, 0,
  143535. _vq_quantlist__44u5__p9_1,
  143536. NULL,
  143537. &_vq_auxt__44u5__p9_1,
  143538. NULL,
  143539. 0
  143540. };
  143541. static long _vq_quantlist__44u5__p9_2[] = {
  143542. 8,
  143543. 7,
  143544. 9,
  143545. 6,
  143546. 10,
  143547. 5,
  143548. 11,
  143549. 4,
  143550. 12,
  143551. 3,
  143552. 13,
  143553. 2,
  143554. 14,
  143555. 1,
  143556. 15,
  143557. 0,
  143558. 16,
  143559. };
  143560. static long _vq_lengthlist__44u5__p9_2[] = {
  143561. 2, 5, 5, 7, 7, 8, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  143562. 9, 5, 6, 6, 7, 7, 8, 8, 9, 8, 9, 9, 9, 9, 9, 9,
  143563. 9, 9, 5, 6, 6, 7, 7, 8, 8, 9, 8, 9, 9, 9, 9, 9,
  143564. 9, 9, 9, 7, 7, 7, 8, 8, 9, 8, 9, 9, 9, 9, 9, 9,
  143565. 9, 9, 9, 9, 7, 7, 7, 8, 8, 9, 8, 9, 9, 9, 9, 9,
  143566. 9, 9, 9, 9, 9, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9,
  143567. 9,10, 9,10,10,10, 8, 8, 8, 9, 8, 9, 9, 9, 9, 9,
  143568. 9, 9,10, 9,10, 9,10, 8, 9, 9, 9, 9, 9, 9, 9, 9,
  143569. 9,10, 9,10,10,10,10,10, 8, 9, 9, 9, 9, 9, 9,10,
  143570. 9,10, 9,10,10,10,10,10,10, 9, 9, 9, 9, 9,10, 9,
  143571. 10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9, 9,
  143572. 9,10, 9,10, 9,10,10,10,10,10,10, 9, 9, 9, 9, 9,
  143573. 10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9,
  143574. 9, 9,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9,
  143575. 9,10,10, 9,10,10,10,10,10,10,10,10,10,10, 9, 9,
  143576. 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10,10, 9,
  143577. 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10,10,
  143578. 9, 9, 9,10, 9,10,10,10,10,10,10,10,10,10,10,10,
  143579. 10,
  143580. };
  143581. static float _vq_quantthresh__44u5__p9_2[] = {
  143582. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  143583. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  143584. };
  143585. static long _vq_quantmap__44u5__p9_2[] = {
  143586. 15, 13, 11, 9, 7, 5, 3, 1,
  143587. 0, 2, 4, 6, 8, 10, 12, 14,
  143588. 16,
  143589. };
  143590. static encode_aux_threshmatch _vq_auxt__44u5__p9_2 = {
  143591. _vq_quantthresh__44u5__p9_2,
  143592. _vq_quantmap__44u5__p9_2,
  143593. 17,
  143594. 17
  143595. };
  143596. static static_codebook _44u5__p9_2 = {
  143597. 2, 289,
  143598. _vq_lengthlist__44u5__p9_2,
  143599. 1, -529530880, 1611661312, 5, 0,
  143600. _vq_quantlist__44u5__p9_2,
  143601. NULL,
  143602. &_vq_auxt__44u5__p9_2,
  143603. NULL,
  143604. 0
  143605. };
  143606. static long _huff_lengthlist__44u5__short[] = {
  143607. 4,10,17,13,17,13,17,17,17,17, 3, 6, 8, 9,11, 9,
  143608. 15,12,16,17, 6, 5, 5, 7, 7, 8,10,11,17,17, 7, 8,
  143609. 7, 9, 9,10,13,13,17,17, 8, 6, 5, 7, 4, 7, 5, 8,
  143610. 14,17, 9, 9, 8, 9, 7, 9, 8,10,16,17,12,10, 7, 8,
  143611. 4, 7, 4, 7,16,17,12,11, 9,10, 6, 9, 5, 7,14,17,
  143612. 14,13,10,15, 4, 8, 3, 5,14,17,17,14,11,15, 6,10,
  143613. 6, 8,15,17,
  143614. };
  143615. static static_codebook _huff_book__44u5__short = {
  143616. 2, 100,
  143617. _huff_lengthlist__44u5__short,
  143618. 0, 0, 0, 0, 0,
  143619. NULL,
  143620. NULL,
  143621. NULL,
  143622. NULL,
  143623. 0
  143624. };
  143625. static long _huff_lengthlist__44u6__long[] = {
  143626. 3, 9,14,13,14,13,16,12,13,14, 5, 4, 6, 6, 8, 9,
  143627. 11,10,12,15,10, 5, 5, 6, 6, 8,10,10,13,16,10, 6,
  143628. 6, 6, 6, 8, 9, 9,12,14,13, 7, 6, 6, 4, 6, 6, 7,
  143629. 11,14,10, 7, 7, 7, 6, 6, 6, 7,10,13,15,10, 9, 8,
  143630. 5, 6, 5, 6,10,14,10, 9, 8, 8, 6, 6, 5, 4, 6,11,
  143631. 11,11,12,11,10, 9, 9, 5, 5, 9,10,12,15,13,13,13,
  143632. 13, 8, 7, 7,
  143633. };
  143634. static static_codebook _huff_book__44u6__long = {
  143635. 2, 100,
  143636. _huff_lengthlist__44u6__long,
  143637. 0, 0, 0, 0, 0,
  143638. NULL,
  143639. NULL,
  143640. NULL,
  143641. NULL,
  143642. 0
  143643. };
  143644. static long _vq_quantlist__44u6__p1_0[] = {
  143645. 1,
  143646. 0,
  143647. 2,
  143648. };
  143649. static long _vq_lengthlist__44u6__p1_0[] = {
  143650. 1, 4, 4, 4, 8, 7, 5, 7, 7, 5, 8, 8, 8,10,10, 7,
  143651. 9,10, 5, 8, 8, 7,10, 9, 8,10,10, 5, 8, 8, 8,10,
  143652. 10, 8,10,10, 8,10,10,10,12,13,10,13,13, 7,10,10,
  143653. 10,13,11,10,13,13, 5, 8, 8, 8,11,10, 8,10,10, 7,
  143654. 10,10,10,13,13,10,11,13, 8,10,11,10,13,13,10,13,
  143655. 12,
  143656. };
  143657. static float _vq_quantthresh__44u6__p1_0[] = {
  143658. -0.5, 0.5,
  143659. };
  143660. static long _vq_quantmap__44u6__p1_0[] = {
  143661. 1, 0, 2,
  143662. };
  143663. static encode_aux_threshmatch _vq_auxt__44u6__p1_0 = {
  143664. _vq_quantthresh__44u6__p1_0,
  143665. _vq_quantmap__44u6__p1_0,
  143666. 3,
  143667. 3
  143668. };
  143669. static static_codebook _44u6__p1_0 = {
  143670. 4, 81,
  143671. _vq_lengthlist__44u6__p1_0,
  143672. 1, -535822336, 1611661312, 2, 0,
  143673. _vq_quantlist__44u6__p1_0,
  143674. NULL,
  143675. &_vq_auxt__44u6__p1_0,
  143676. NULL,
  143677. 0
  143678. };
  143679. static long _vq_quantlist__44u6__p2_0[] = {
  143680. 1,
  143681. 0,
  143682. 2,
  143683. };
  143684. static long _vq_lengthlist__44u6__p2_0[] = {
  143685. 3, 4, 4, 5, 6, 6, 5, 6, 6, 5, 6, 6, 6, 8, 8, 6,
  143686. 7, 8, 5, 6, 6, 6, 8, 7, 6, 8, 8, 5, 6, 6, 6, 8,
  143687. 8, 6, 8, 8, 6, 8, 8, 8, 9, 9, 8, 9, 9, 6, 7, 7,
  143688. 7, 9, 8, 8, 9, 9, 5, 6, 6, 6, 8, 7, 6, 8, 8, 6,
  143689. 8, 8, 8, 9, 9, 7, 8, 9, 6, 8, 8, 8, 9, 9, 8, 9,
  143690. 9,
  143691. };
  143692. static float _vq_quantthresh__44u6__p2_0[] = {
  143693. -0.5, 0.5,
  143694. };
  143695. static long _vq_quantmap__44u6__p2_0[] = {
  143696. 1, 0, 2,
  143697. };
  143698. static encode_aux_threshmatch _vq_auxt__44u6__p2_0 = {
  143699. _vq_quantthresh__44u6__p2_0,
  143700. _vq_quantmap__44u6__p2_0,
  143701. 3,
  143702. 3
  143703. };
  143704. static static_codebook _44u6__p2_0 = {
  143705. 4, 81,
  143706. _vq_lengthlist__44u6__p2_0,
  143707. 1, -535822336, 1611661312, 2, 0,
  143708. _vq_quantlist__44u6__p2_0,
  143709. NULL,
  143710. &_vq_auxt__44u6__p2_0,
  143711. NULL,
  143712. 0
  143713. };
  143714. static long _vq_quantlist__44u6__p3_0[] = {
  143715. 2,
  143716. 1,
  143717. 3,
  143718. 0,
  143719. 4,
  143720. };
  143721. static long _vq_lengthlist__44u6__p3_0[] = {
  143722. 2, 5, 4, 8, 8, 5, 7, 6, 9, 9, 5, 6, 7, 9, 9, 8,
  143723. 9, 9,13,12, 8, 9,10,12,13, 5, 7, 7,10, 9, 7, 9,
  143724. 9,11,11, 7, 8, 9,11,11,10,11,11,14,14, 9,10,11,
  143725. 13,14, 5, 7, 7, 9,10, 6, 9, 8,11,11, 7, 9, 9,11,
  143726. 11, 9,11,10,14,13,10,11,11,14,13, 8,10,10,13,13,
  143727. 10,11,11,15,15, 9,11,11,14,14,13,14,14,17,16,12,
  143728. 13,14,16,16, 8,10,10,13,14, 9,11,11,14,15,10,11,
  143729. 12,14,15,12,14,13,16,15,13,14,14,15,17, 5, 7, 7,
  143730. 10,10, 7, 9, 9,11,11, 7, 9, 9,11,11,10,12,11,14,
  143731. 14,10,11,11,14,14, 7, 9, 9,12,11, 9,11,11,13,13,
  143732. 9,11,11,13,13,11,13,13,14,15,11,12,13,15,16, 6,
  143733. 9, 9,11,12, 8,11,10,13,12, 9,11,11,13,14,11,13,
  143734. 12,16,14,11,13,13,15,16,10,12,11,14,15,11,13,13,
  143735. 15,17,11,13,13,17,16,15,15,16,17,16,14,15,16,18,
  143736. 0, 9,11,11,14,15,10,12,12,16,15,11,13,13,16,16,
  143737. 13,15,14,18,15,14,16,16, 0, 0, 5, 7, 7,10,10, 7,
  143738. 9, 9,11,11, 7, 9, 9,11,11,10,11,11,14,14,10,11,
  143739. 12,14,14, 6, 9, 9,11,11, 9,11,11,13,13, 8,10,11,
  143740. 12,13,11,13,13,16,15,11,12,13,14,16, 7, 9, 9,11,
  143741. 12, 9,11,11,13,13, 9,11,11,13,13,11,13,13,16,15,
  143742. 11,13,12,15,15, 9,11,11,15,14,11,13,13,17,16,10,
  143743. 12,13,15,16,14,16,16, 0,18,14,14,15,15,17,10,11,
  143744. 12,15,15,11,13,13,16,16,11,13,13,16,16,14,16,16,
  143745. 19,17,14,15,15,17,17, 8,10,10,14,14,10,12,11,15,
  143746. 15,10,11,12,16,15,14,15,15,18,20,13,14,16,17,18,
  143747. 9,11,11,15,16,11,13,13,17,17,11,13,13,17,16,15,
  143748. 16,16, 0, 0,15,16,16, 0, 0, 9,11,11,15,15,10,13,
  143749. 12,17,15,11,13,13,17,16,15,17,15,20,19,15,16,16,
  143750. 19, 0,13,15,14, 0,17,14,15,16, 0,20,15,16,16, 0,
  143751. 19,17,18, 0, 0, 0,16,17,18, 0, 0,12,14,14,19,18,
  143752. 13,15,14, 0,17,14,15,16,19,19,16,18,16, 0,19,19,
  143753. 20,17,20, 0, 8,10,10,13,14,10,11,11,15,15,10,12,
  143754. 12,15,16,14,15,14,19,16,14,15,15, 0,18, 9,11,11,
  143755. 16,15,11,13,13, 0,16,11,12,13,16,17,14,16,17, 0,
  143756. 19,15,16,16,18, 0, 9,11,11,15,16,11,13,13,16,16,
  143757. 11,14,13,18,17,15,16,16,18,20,15,17,19, 0, 0,12,
  143758. 14,14,17,17,14,16,15, 0, 0,13,14,15,19, 0,16,18,
  143759. 20, 0, 0,16,16,18,18, 0,12,14,14,17,20,14,16,16,
  143760. 19, 0,14,16,14, 0,20,16,20,17, 0, 0,17, 0,15, 0,
  143761. 19,
  143762. };
  143763. static float _vq_quantthresh__44u6__p3_0[] = {
  143764. -1.5, -0.5, 0.5, 1.5,
  143765. };
  143766. static long _vq_quantmap__44u6__p3_0[] = {
  143767. 3, 1, 0, 2, 4,
  143768. };
  143769. static encode_aux_threshmatch _vq_auxt__44u6__p3_0 = {
  143770. _vq_quantthresh__44u6__p3_0,
  143771. _vq_quantmap__44u6__p3_0,
  143772. 5,
  143773. 5
  143774. };
  143775. static static_codebook _44u6__p3_0 = {
  143776. 4, 625,
  143777. _vq_lengthlist__44u6__p3_0,
  143778. 1, -533725184, 1611661312, 3, 0,
  143779. _vq_quantlist__44u6__p3_0,
  143780. NULL,
  143781. &_vq_auxt__44u6__p3_0,
  143782. NULL,
  143783. 0
  143784. };
  143785. static long _vq_quantlist__44u6__p4_0[] = {
  143786. 2,
  143787. 1,
  143788. 3,
  143789. 0,
  143790. 4,
  143791. };
  143792. static long _vq_lengthlist__44u6__p4_0[] = {
  143793. 4, 5, 5, 8, 8, 6, 7, 6, 9, 9, 6, 6, 7, 9, 9, 8,
  143794. 9, 9,11,11, 8, 9, 9,11,11, 6, 7, 7, 9, 9, 7, 8,
  143795. 8,10,10, 7, 7, 8, 9,10, 9,10,10,11,11, 9, 9,10,
  143796. 11,12, 6, 7, 7, 9, 9, 7, 8, 7,10, 9, 7, 8, 8,10,
  143797. 10, 9,10, 9,12,11, 9,10,10,12,11, 8, 9, 9,11,11,
  143798. 9,10,10,12,12, 9,10,10,12,12,11,12,12,14,13,11,
  143799. 11,12,13,13, 8, 9, 9,11,11, 9,10,10,12,12, 9,10,
  143800. 10,12,12,11,12,11,13,12,11,12,12,13,13, 5, 7, 7,
  143801. 9, 9, 7, 8, 7,10,10, 7, 7, 8,10,10, 9,10,10,12,
  143802. 11, 9,10,10,11,12, 7, 8, 8,10,10, 8, 8, 9,11,11,
  143803. 8, 9, 9,11,11,10,10,11,12,13,10,10,11,12,12, 6,
  143804. 7, 7,10,10, 7, 9, 8,11,10, 8, 8, 9,10,11,10,11,
  143805. 10,13,11,10,11,11,12,12, 9,10,10,12,12,10,10,11,
  143806. 13,13,10,11,11,12,13,12,12,12,13,14,12,12,13,14,
  143807. 14, 9,10,10,12,12, 9,10,10,13,12,10,11,11,13,13,
  143808. 11,12,11,14,12,12,13,13,14,14, 6, 7, 7, 9, 9, 7,
  143809. 8, 7,10,10, 7, 8, 8,10,10, 9,10,10,12,11, 9,10,
  143810. 10,11,12, 6, 7, 7,10,10, 8, 9, 8,11,10, 7, 8, 9,
  143811. 10,11,10,11,11,12,12,10,10,11,11,13, 7, 8, 8,10,
  143812. 10, 8, 9, 9,11,11, 8, 9, 8,11,11,10,11,10,13,12,
  143813. 10,11,11,13,12, 9,10,10,12,12,10,11,11,13,12, 9,
  143814. 10,10,12,13,12,13,12,14,14,11,11,12,12,14, 9,10,
  143815. 10,12,12,10,11,11,13,13,10,11,10,13,12,12,12,12,
  143816. 14,14,12,13,12,14,13, 8, 9, 9,11,11, 9,10,10,12,
  143817. 12, 9,10,10,12,12,11,12,12,14,13,11,12,12,13,14,
  143818. 9,10,10,12,12,10,11,11,13,13,10,11,11,13,13,12,
  143819. 12,13,14,15,12,12,13,14,14, 9,10,10,12,12, 9,11,
  143820. 10,13,12,10,10,11,12,13,12,13,12,14,13,12,12,13,
  143821. 14,15,11,12,12,14,13,11,12,12,14,14,12,13,13,14,
  143822. 14,13,13,14,14,16,13,14,14,15,15,11,12,11,13,13,
  143823. 11,12,11,14,13,12,12,13,14,15,12,14,12,15,12,13,
  143824. 14,15,15,16, 8, 9, 9,11,11, 9,10,10,12,12, 9,10,
  143825. 10,12,12,11,12,12,14,13,11,12,12,13,13, 9,10,10,
  143826. 12,12,10,11,10,13,12, 9,10,11,12,13,12,13,12,14,
  143827. 14,12,12,13,13,14, 9,10,10,12,12,10,11,11,13,13,
  143828. 10,11,11,13,13,12,13,12,14,14,12,13,13,14,14,11,
  143829. 11,11,13,13,12,13,12,14,14,11,11,12,13,14,14,14,
  143830. 14,16,15,12,12,14,12,15,11,12,12,13,14,12,13,13,
  143831. 14,15,11,12,12,14,14,13,14,14,16,16,13,14,13,16,
  143832. 13,
  143833. };
  143834. static float _vq_quantthresh__44u6__p4_0[] = {
  143835. -1.5, -0.5, 0.5, 1.5,
  143836. };
  143837. static long _vq_quantmap__44u6__p4_0[] = {
  143838. 3, 1, 0, 2, 4,
  143839. };
  143840. static encode_aux_threshmatch _vq_auxt__44u6__p4_0 = {
  143841. _vq_quantthresh__44u6__p4_0,
  143842. _vq_quantmap__44u6__p4_0,
  143843. 5,
  143844. 5
  143845. };
  143846. static static_codebook _44u6__p4_0 = {
  143847. 4, 625,
  143848. _vq_lengthlist__44u6__p4_0,
  143849. 1, -533725184, 1611661312, 3, 0,
  143850. _vq_quantlist__44u6__p4_0,
  143851. NULL,
  143852. &_vq_auxt__44u6__p4_0,
  143853. NULL,
  143854. 0
  143855. };
  143856. static long _vq_quantlist__44u6__p5_0[] = {
  143857. 4,
  143858. 3,
  143859. 5,
  143860. 2,
  143861. 6,
  143862. 1,
  143863. 7,
  143864. 0,
  143865. 8,
  143866. };
  143867. static long _vq_lengthlist__44u6__p5_0[] = {
  143868. 2, 3, 3, 6, 6, 8, 8,10,10, 4, 5, 5, 8, 7, 8, 8,
  143869. 11,11, 3, 5, 5, 7, 8, 8, 8,11,11, 6, 8, 7, 9, 9,
  143870. 10, 9,12,11, 6, 7, 8, 9, 9, 9,10,11,12, 8, 8, 8,
  143871. 10, 9,12,11,13,13, 8, 8, 9, 9,10,11,12,13,13,10,
  143872. 11,11,12,12,13,13,14,14,10,10,11,11,12,13,13,14,
  143873. 14,
  143874. };
  143875. static float _vq_quantthresh__44u6__p5_0[] = {
  143876. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  143877. };
  143878. static long _vq_quantmap__44u6__p5_0[] = {
  143879. 7, 5, 3, 1, 0, 2, 4, 6,
  143880. 8,
  143881. };
  143882. static encode_aux_threshmatch _vq_auxt__44u6__p5_0 = {
  143883. _vq_quantthresh__44u6__p5_0,
  143884. _vq_quantmap__44u6__p5_0,
  143885. 9,
  143886. 9
  143887. };
  143888. static static_codebook _44u6__p5_0 = {
  143889. 2, 81,
  143890. _vq_lengthlist__44u6__p5_0,
  143891. 1, -531628032, 1611661312, 4, 0,
  143892. _vq_quantlist__44u6__p5_0,
  143893. NULL,
  143894. &_vq_auxt__44u6__p5_0,
  143895. NULL,
  143896. 0
  143897. };
  143898. static long _vq_quantlist__44u6__p6_0[] = {
  143899. 4,
  143900. 3,
  143901. 5,
  143902. 2,
  143903. 6,
  143904. 1,
  143905. 7,
  143906. 0,
  143907. 8,
  143908. };
  143909. static long _vq_lengthlist__44u6__p6_0[] = {
  143910. 3, 4, 4, 5, 5, 7, 7, 9, 9, 4, 5, 4, 6, 6, 7, 7,
  143911. 9, 9, 4, 4, 5, 6, 6, 7, 8, 9, 9, 5, 6, 6, 7, 7,
  143912. 8, 8,10,10, 5, 6, 6, 7, 7, 8, 8,10,10, 7, 8, 7,
  143913. 8, 8,10, 9,11,11, 7, 7, 8, 8, 8, 9,10,10,11, 9,
  143914. 9, 9,10,10,11,11,12,11, 9, 9, 9,10,10,11,11,11,
  143915. 12,
  143916. };
  143917. static float _vq_quantthresh__44u6__p6_0[] = {
  143918. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  143919. };
  143920. static long _vq_quantmap__44u6__p6_0[] = {
  143921. 7, 5, 3, 1, 0, 2, 4, 6,
  143922. 8,
  143923. };
  143924. static encode_aux_threshmatch _vq_auxt__44u6__p6_0 = {
  143925. _vq_quantthresh__44u6__p6_0,
  143926. _vq_quantmap__44u6__p6_0,
  143927. 9,
  143928. 9
  143929. };
  143930. static static_codebook _44u6__p6_0 = {
  143931. 2, 81,
  143932. _vq_lengthlist__44u6__p6_0,
  143933. 1, -531628032, 1611661312, 4, 0,
  143934. _vq_quantlist__44u6__p6_0,
  143935. NULL,
  143936. &_vq_auxt__44u6__p6_0,
  143937. NULL,
  143938. 0
  143939. };
  143940. static long _vq_quantlist__44u6__p7_0[] = {
  143941. 1,
  143942. 0,
  143943. 2,
  143944. };
  143945. static long _vq_lengthlist__44u6__p7_0[] = {
  143946. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 9, 8, 7,10,10, 8,
  143947. 10,10, 5, 8, 9, 7,10,10, 7,10, 9, 4, 8, 8, 9,11,
  143948. 11, 8,11,11, 7,11,11,10,10,13,10,13,13, 7,11,11,
  143949. 10,13,12,10,13,13, 5, 9, 8, 8,11,11, 9,11,11, 7,
  143950. 11,11,10,13,13,10,12,13, 7,11,11,10,13,13, 9,13,
  143951. 10,
  143952. };
  143953. static float _vq_quantthresh__44u6__p7_0[] = {
  143954. -5.5, 5.5,
  143955. };
  143956. static long _vq_quantmap__44u6__p7_0[] = {
  143957. 1, 0, 2,
  143958. };
  143959. static encode_aux_threshmatch _vq_auxt__44u6__p7_0 = {
  143960. _vq_quantthresh__44u6__p7_0,
  143961. _vq_quantmap__44u6__p7_0,
  143962. 3,
  143963. 3
  143964. };
  143965. static static_codebook _44u6__p7_0 = {
  143966. 4, 81,
  143967. _vq_lengthlist__44u6__p7_0,
  143968. 1, -529137664, 1618345984, 2, 0,
  143969. _vq_quantlist__44u6__p7_0,
  143970. NULL,
  143971. &_vq_auxt__44u6__p7_0,
  143972. NULL,
  143973. 0
  143974. };
  143975. static long _vq_quantlist__44u6__p7_1[] = {
  143976. 5,
  143977. 4,
  143978. 6,
  143979. 3,
  143980. 7,
  143981. 2,
  143982. 8,
  143983. 1,
  143984. 9,
  143985. 0,
  143986. 10,
  143987. };
  143988. static long _vq_lengthlist__44u6__p7_1[] = {
  143989. 3, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8, 4, 5, 5, 7, 6,
  143990. 8, 8, 8, 8, 8, 8, 4, 5, 5, 6, 7, 8, 8, 8, 8, 8,
  143991. 8, 6, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 6, 7, 7, 7,
  143992. 7, 8, 8, 8, 8, 8, 8, 7, 8, 8, 8, 8, 8, 8, 9, 9,
  143993. 9, 9, 7, 8, 8, 8, 8, 8, 8, 9, 9, 9, 9, 8, 8, 8,
  143994. 8, 8, 9, 9, 9, 9, 9, 9, 8, 8, 8, 8, 8, 9, 9, 9,
  143995. 9, 9, 9, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 8, 8,
  143996. 8, 8, 8, 9, 9, 9, 9, 9, 9,
  143997. };
  143998. static float _vq_quantthresh__44u6__p7_1[] = {
  143999. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  144000. 3.5, 4.5,
  144001. };
  144002. static long _vq_quantmap__44u6__p7_1[] = {
  144003. 9, 7, 5, 3, 1, 0, 2, 4,
  144004. 6, 8, 10,
  144005. };
  144006. static encode_aux_threshmatch _vq_auxt__44u6__p7_1 = {
  144007. _vq_quantthresh__44u6__p7_1,
  144008. _vq_quantmap__44u6__p7_1,
  144009. 11,
  144010. 11
  144011. };
  144012. static static_codebook _44u6__p7_1 = {
  144013. 2, 121,
  144014. _vq_lengthlist__44u6__p7_1,
  144015. 1, -531365888, 1611661312, 4, 0,
  144016. _vq_quantlist__44u6__p7_1,
  144017. NULL,
  144018. &_vq_auxt__44u6__p7_1,
  144019. NULL,
  144020. 0
  144021. };
  144022. static long _vq_quantlist__44u6__p8_0[] = {
  144023. 5,
  144024. 4,
  144025. 6,
  144026. 3,
  144027. 7,
  144028. 2,
  144029. 8,
  144030. 1,
  144031. 9,
  144032. 0,
  144033. 10,
  144034. };
  144035. static long _vq_lengthlist__44u6__p8_0[] = {
  144036. 1, 4, 4, 6, 6, 8, 8, 9, 9,10,10, 4, 6, 6, 7, 7,
  144037. 9, 9,10,10,11,11, 4, 6, 6, 7, 7, 9, 9,10,10,11,
  144038. 11, 6, 8, 8, 9, 9,10,10,11,11,12,12, 6, 8, 8, 9,
  144039. 9,10,10,11,11,12,12, 8, 9, 9,10,10,11,11,12,12,
  144040. 13,13, 8, 9, 9,10,10,11,11,12,12,13,13,10,10,10,
  144041. 11,11,13,13,13,13,15,14, 9,10,10,12,11,12,13,13,
  144042. 13,14,15,11,12,12,13,13,13,13,15,14,15,15,11,11,
  144043. 12,13,13,14,14,14,15,15,15,
  144044. };
  144045. static float _vq_quantthresh__44u6__p8_0[] = {
  144046. -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5, 27.5,
  144047. 38.5, 49.5,
  144048. };
  144049. static long _vq_quantmap__44u6__p8_0[] = {
  144050. 9, 7, 5, 3, 1, 0, 2, 4,
  144051. 6, 8, 10,
  144052. };
  144053. static encode_aux_threshmatch _vq_auxt__44u6__p8_0 = {
  144054. _vq_quantthresh__44u6__p8_0,
  144055. _vq_quantmap__44u6__p8_0,
  144056. 11,
  144057. 11
  144058. };
  144059. static static_codebook _44u6__p8_0 = {
  144060. 2, 121,
  144061. _vq_lengthlist__44u6__p8_0,
  144062. 1, -524582912, 1618345984, 4, 0,
  144063. _vq_quantlist__44u6__p8_0,
  144064. NULL,
  144065. &_vq_auxt__44u6__p8_0,
  144066. NULL,
  144067. 0
  144068. };
  144069. static long _vq_quantlist__44u6__p8_1[] = {
  144070. 5,
  144071. 4,
  144072. 6,
  144073. 3,
  144074. 7,
  144075. 2,
  144076. 8,
  144077. 1,
  144078. 9,
  144079. 0,
  144080. 10,
  144081. };
  144082. static long _vq_lengthlist__44u6__p8_1[] = {
  144083. 3, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 5, 6, 5, 7, 7,
  144084. 7, 7, 8, 7, 8, 8, 5, 5, 6, 6, 7, 7, 7, 7, 7, 8,
  144085. 8, 6, 7, 7, 7, 7, 8, 7, 8, 8, 8, 8, 6, 6, 7, 7,
  144086. 7, 7, 8, 8, 8, 8, 8, 7, 7, 7, 8, 8, 8, 8, 8, 8,
  144087. 8, 8, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8, 7, 7, 7,
  144088. 8, 8, 8, 8, 8, 8, 8, 8, 7, 8, 8, 8, 8, 8, 8, 8,
  144089. 8, 8, 8, 7, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 7, 8,
  144090. 8, 8, 8, 8, 8, 8, 8, 8, 8,
  144091. };
  144092. static float _vq_quantthresh__44u6__p8_1[] = {
  144093. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  144094. 3.5, 4.5,
  144095. };
  144096. static long _vq_quantmap__44u6__p8_1[] = {
  144097. 9, 7, 5, 3, 1, 0, 2, 4,
  144098. 6, 8, 10,
  144099. };
  144100. static encode_aux_threshmatch _vq_auxt__44u6__p8_1 = {
  144101. _vq_quantthresh__44u6__p8_1,
  144102. _vq_quantmap__44u6__p8_1,
  144103. 11,
  144104. 11
  144105. };
  144106. static static_codebook _44u6__p8_1 = {
  144107. 2, 121,
  144108. _vq_lengthlist__44u6__p8_1,
  144109. 1, -531365888, 1611661312, 4, 0,
  144110. _vq_quantlist__44u6__p8_1,
  144111. NULL,
  144112. &_vq_auxt__44u6__p8_1,
  144113. NULL,
  144114. 0
  144115. };
  144116. static long _vq_quantlist__44u6__p9_0[] = {
  144117. 7,
  144118. 6,
  144119. 8,
  144120. 5,
  144121. 9,
  144122. 4,
  144123. 10,
  144124. 3,
  144125. 11,
  144126. 2,
  144127. 12,
  144128. 1,
  144129. 13,
  144130. 0,
  144131. 14,
  144132. };
  144133. static long _vq_lengthlist__44u6__p9_0[] = {
  144134. 1, 3, 2, 9, 8,15,15,15,15,15,15,15,15,15,15, 4,
  144135. 8, 9,13,14,14,14,14,14,14,14,14,14,14,14, 5, 8,
  144136. 9,14,14,14,14,14,14,14,14,14,14,14,14,11,14,14,
  144137. 14,14,14,14,14,14,14,14,14,14,14,14,11,14,14,14,
  144138. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144139. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144140. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144141. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144142. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144143. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144144. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144145. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144146. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144147. 14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,14,
  144148. 14,
  144149. };
  144150. static float _vq_quantthresh__44u6__p9_0[] = {
  144151. -1657.5, -1402.5, -1147.5, -892.5, -637.5, -382.5, -127.5, 127.5,
  144152. 382.5, 637.5, 892.5, 1147.5, 1402.5, 1657.5,
  144153. };
  144154. static long _vq_quantmap__44u6__p9_0[] = {
  144155. 13, 11, 9, 7, 5, 3, 1, 0,
  144156. 2, 4, 6, 8, 10, 12, 14,
  144157. };
  144158. static encode_aux_threshmatch _vq_auxt__44u6__p9_0 = {
  144159. _vq_quantthresh__44u6__p9_0,
  144160. _vq_quantmap__44u6__p9_0,
  144161. 15,
  144162. 15
  144163. };
  144164. static static_codebook _44u6__p9_0 = {
  144165. 2, 225,
  144166. _vq_lengthlist__44u6__p9_0,
  144167. 1, -514071552, 1627381760, 4, 0,
  144168. _vq_quantlist__44u6__p9_0,
  144169. NULL,
  144170. &_vq_auxt__44u6__p9_0,
  144171. NULL,
  144172. 0
  144173. };
  144174. static long _vq_quantlist__44u6__p9_1[] = {
  144175. 7,
  144176. 6,
  144177. 8,
  144178. 5,
  144179. 9,
  144180. 4,
  144181. 10,
  144182. 3,
  144183. 11,
  144184. 2,
  144185. 12,
  144186. 1,
  144187. 13,
  144188. 0,
  144189. 14,
  144190. };
  144191. static long _vq_lengthlist__44u6__p9_1[] = {
  144192. 1, 4, 4, 7, 7, 8, 9, 8, 8, 9, 8, 9, 8, 9, 9, 4,
  144193. 7, 6, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 4, 7,
  144194. 6, 9, 9,10,10, 9, 9,10,10,10,10,11,11, 7, 9, 8,
  144195. 10,10,11,11,10,10,11,11,11,11,11,11, 7, 8, 9,10,
  144196. 10,11,11,10,10,11,11,11,11,11,12, 8,10,10,11,11,
  144197. 12,12,11,11,12,12,12,12,13,12, 8,10,10,11,11,12,
  144198. 11,11,11,11,12,12,12,12,13, 8, 9, 9,11,10,11,11,
  144199. 12,12,12,12,13,12,13,12, 8, 9, 9,11,11,11,11,12,
  144200. 12,12,12,12,13,13,13, 9,10,10,11,12,12,12,12,12,
  144201. 13,13,13,13,13,13, 9,10,10,11,11,12,12,12,12,13,
  144202. 13,13,13,14,13,10,10,10,12,11,12,12,13,13,13,13,
  144203. 13,13,13,13,10,10,11,11,11,12,12,13,13,13,13,13,
  144204. 13,13,13,10,11,11,12,12,13,12,12,13,13,13,13,13,
  144205. 13,14,10,11,11,12,12,13,12,13,13,13,14,13,13,14,
  144206. 13,
  144207. };
  144208. static float _vq_quantthresh__44u6__p9_1[] = {
  144209. -110.5, -93.5, -76.5, -59.5, -42.5, -25.5, -8.5, 8.5,
  144210. 25.5, 42.5, 59.5, 76.5, 93.5, 110.5,
  144211. };
  144212. static long _vq_quantmap__44u6__p9_1[] = {
  144213. 13, 11, 9, 7, 5, 3, 1, 0,
  144214. 2, 4, 6, 8, 10, 12, 14,
  144215. };
  144216. static encode_aux_threshmatch _vq_auxt__44u6__p9_1 = {
  144217. _vq_quantthresh__44u6__p9_1,
  144218. _vq_quantmap__44u6__p9_1,
  144219. 15,
  144220. 15
  144221. };
  144222. static static_codebook _44u6__p9_1 = {
  144223. 2, 225,
  144224. _vq_lengthlist__44u6__p9_1,
  144225. 1, -522338304, 1620115456, 4, 0,
  144226. _vq_quantlist__44u6__p9_1,
  144227. NULL,
  144228. &_vq_auxt__44u6__p9_1,
  144229. NULL,
  144230. 0
  144231. };
  144232. static long _vq_quantlist__44u6__p9_2[] = {
  144233. 8,
  144234. 7,
  144235. 9,
  144236. 6,
  144237. 10,
  144238. 5,
  144239. 11,
  144240. 4,
  144241. 12,
  144242. 3,
  144243. 13,
  144244. 2,
  144245. 14,
  144246. 1,
  144247. 15,
  144248. 0,
  144249. 16,
  144250. };
  144251. static long _vq_lengthlist__44u6__p9_2[] = {
  144252. 3, 5, 5, 7, 7, 8, 8, 8, 8, 8, 8, 9, 8, 8, 9, 9,
  144253. 9, 5, 6, 6, 7, 7, 8, 8, 8, 8, 8, 8, 9, 9, 9, 9,
  144254. 9, 9, 5, 6, 6, 7, 7, 8, 8, 8, 8, 8, 8, 9, 9, 9,
  144255. 9, 9, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  144256. 9, 9, 9, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  144257. 9, 9, 9, 9, 9, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  144258. 9, 9, 9, 9, 9, 9, 8, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  144259. 9, 9, 9, 9, 9, 9, 9, 8, 8, 8, 9, 9, 9, 9, 9, 9,
  144260. 9, 9, 9, 9, 9, 9, 9, 9, 8, 8, 8, 9, 9, 9, 9, 9,
  144261. 9, 9, 9, 9, 9, 9, 9, 9, 9, 8, 9, 9, 9, 9, 9, 9,
  144262. 9, 9, 9, 9, 9, 9, 9, 9,10, 9, 8, 9, 9, 9, 9, 9,
  144263. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  144264. 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10, 9, 9, 9, 9, 9,
  144265. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 9, 9, 9,
  144266. 9, 9, 9, 9, 9, 9, 9, 9,10, 9, 9, 9,10, 9, 9, 9,
  144267. 9, 9, 9, 9, 9, 9, 9,10, 9, 9, 9,10, 9, 9,10, 9,
  144268. 9, 9, 9, 9, 9, 9, 9, 9,10,10,10, 9,10, 9,10,10,
  144269. 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10, 9,10,10, 9, 9,
  144270. 10,
  144271. };
  144272. static float _vq_quantthresh__44u6__p9_2[] = {
  144273. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  144274. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  144275. };
  144276. static long _vq_quantmap__44u6__p9_2[] = {
  144277. 15, 13, 11, 9, 7, 5, 3, 1,
  144278. 0, 2, 4, 6, 8, 10, 12, 14,
  144279. 16,
  144280. };
  144281. static encode_aux_threshmatch _vq_auxt__44u6__p9_2 = {
  144282. _vq_quantthresh__44u6__p9_2,
  144283. _vq_quantmap__44u6__p9_2,
  144284. 17,
  144285. 17
  144286. };
  144287. static static_codebook _44u6__p9_2 = {
  144288. 2, 289,
  144289. _vq_lengthlist__44u6__p9_2,
  144290. 1, -529530880, 1611661312, 5, 0,
  144291. _vq_quantlist__44u6__p9_2,
  144292. NULL,
  144293. &_vq_auxt__44u6__p9_2,
  144294. NULL,
  144295. 0
  144296. };
  144297. static long _huff_lengthlist__44u6__short[] = {
  144298. 4,11,16,13,17,13,17,16,17,17, 4, 7, 9, 9,13,10,
  144299. 16,12,16,17, 7, 6, 5, 7, 8, 9,12,12,16,17, 6, 9,
  144300. 7, 9,10,10,15,15,17,17, 6, 7, 5, 7, 5, 7, 7,10,
  144301. 16,17, 7, 9, 8, 9, 8,10,11,11,15,17, 7, 7, 7, 8,
  144302. 5, 8, 8, 9,15,17, 8, 7, 9, 9, 7, 8, 7, 2, 7,15,
  144303. 14,13,13,15, 5,10, 4, 3, 6,17,17,15,13,17, 7,11,
  144304. 7, 6, 9,16,
  144305. };
  144306. static static_codebook _huff_book__44u6__short = {
  144307. 2, 100,
  144308. _huff_lengthlist__44u6__short,
  144309. 0, 0, 0, 0, 0,
  144310. NULL,
  144311. NULL,
  144312. NULL,
  144313. NULL,
  144314. 0
  144315. };
  144316. static long _huff_lengthlist__44u7__long[] = {
  144317. 3, 9,14,13,15,14,16,13,13,14, 5, 5, 7, 7, 8, 9,
  144318. 11,10,12,15,10, 6, 5, 6, 6, 9,10,10,13,16,10, 6,
  144319. 6, 6, 6, 8, 9, 9,12,15,14, 7, 6, 6, 5, 6, 6, 8,
  144320. 12,15,10, 8, 7, 7, 6, 7, 7, 7,11,13,14,10, 9, 8,
  144321. 5, 6, 4, 5, 9,12,10, 9, 9, 8, 6, 6, 5, 3, 6,11,
  144322. 12,11,12,12,10, 9, 8, 5, 5, 8,10,11,15,13,13,13,
  144323. 12, 8, 6, 7,
  144324. };
  144325. static static_codebook _huff_book__44u7__long = {
  144326. 2, 100,
  144327. _huff_lengthlist__44u7__long,
  144328. 0, 0, 0, 0, 0,
  144329. NULL,
  144330. NULL,
  144331. NULL,
  144332. NULL,
  144333. 0
  144334. };
  144335. static long _vq_quantlist__44u7__p1_0[] = {
  144336. 1,
  144337. 0,
  144338. 2,
  144339. };
  144340. static long _vq_lengthlist__44u7__p1_0[] = {
  144341. 1, 4, 4, 4, 7, 7, 5, 7, 7, 5, 8, 8, 8,10,10, 7,
  144342. 10,10, 5, 8, 8, 7,10,10, 8,10,10, 5, 8, 8, 8,11,
  144343. 10, 8,10,10, 8,10,10,10,12,13,10,13,13, 7,10,10,
  144344. 10,13,12,10,13,13, 5, 8, 8, 8,11,10, 8,10,11, 7,
  144345. 10,10,10,13,13,10,12,13, 8,11,11,10,13,13,10,13,
  144346. 12,
  144347. };
  144348. static float _vq_quantthresh__44u7__p1_0[] = {
  144349. -0.5, 0.5,
  144350. };
  144351. static long _vq_quantmap__44u7__p1_0[] = {
  144352. 1, 0, 2,
  144353. };
  144354. static encode_aux_threshmatch _vq_auxt__44u7__p1_0 = {
  144355. _vq_quantthresh__44u7__p1_0,
  144356. _vq_quantmap__44u7__p1_0,
  144357. 3,
  144358. 3
  144359. };
  144360. static static_codebook _44u7__p1_0 = {
  144361. 4, 81,
  144362. _vq_lengthlist__44u7__p1_0,
  144363. 1, -535822336, 1611661312, 2, 0,
  144364. _vq_quantlist__44u7__p1_0,
  144365. NULL,
  144366. &_vq_auxt__44u7__p1_0,
  144367. NULL,
  144368. 0
  144369. };
  144370. static long _vq_quantlist__44u7__p2_0[] = {
  144371. 1,
  144372. 0,
  144373. 2,
  144374. };
  144375. static long _vq_lengthlist__44u7__p2_0[] = {
  144376. 3, 4, 4, 5, 6, 6, 5, 6, 6, 5, 6, 6, 6, 8, 8, 6,
  144377. 7, 8, 5, 6, 6, 6, 8, 7, 6, 8, 8, 5, 6, 6, 6, 8,
  144378. 7, 6, 8, 8, 6, 8, 8, 8, 9, 9, 8, 9, 9, 6, 8, 7,
  144379. 7, 9, 8, 8, 9, 9, 5, 6, 6, 6, 8, 7, 6, 8, 8, 6,
  144380. 8, 8, 8, 9, 9, 7, 8, 9, 6, 8, 8, 8, 9, 9, 8, 9,
  144381. 9,
  144382. };
  144383. static float _vq_quantthresh__44u7__p2_0[] = {
  144384. -0.5, 0.5,
  144385. };
  144386. static long _vq_quantmap__44u7__p2_0[] = {
  144387. 1, 0, 2,
  144388. };
  144389. static encode_aux_threshmatch _vq_auxt__44u7__p2_0 = {
  144390. _vq_quantthresh__44u7__p2_0,
  144391. _vq_quantmap__44u7__p2_0,
  144392. 3,
  144393. 3
  144394. };
  144395. static static_codebook _44u7__p2_0 = {
  144396. 4, 81,
  144397. _vq_lengthlist__44u7__p2_0,
  144398. 1, -535822336, 1611661312, 2, 0,
  144399. _vq_quantlist__44u7__p2_0,
  144400. NULL,
  144401. &_vq_auxt__44u7__p2_0,
  144402. NULL,
  144403. 0
  144404. };
  144405. static long _vq_quantlist__44u7__p3_0[] = {
  144406. 2,
  144407. 1,
  144408. 3,
  144409. 0,
  144410. 4,
  144411. };
  144412. static long _vq_lengthlist__44u7__p3_0[] = {
  144413. 2, 5, 4, 8, 8, 5, 7, 6, 9, 9, 5, 6, 7, 9, 9, 8,
  144414. 9, 9,13,12, 8, 9,10,12,13, 5, 7, 7,10, 9, 7, 9,
  144415. 9,11,11, 6, 8, 9,11,11,10,11,11,14,14, 9,10,11,
  144416. 13,14, 5, 7, 7, 9, 9, 7, 9, 8,11,11, 7, 9, 9,11,
  144417. 11, 9,11,10,14,13,10,11,11,14,14, 8,10,10,14,13,
  144418. 10,11,12,15,14, 9,11,11,15,14,13,14,14,16,16,12,
  144419. 13,14,17,16, 8,10,10,13,13, 9,11,11,14,15,10,11,
  144420. 12,14,15,12,14,13,16,16,13,14,15,15,17, 5, 7, 7,
  144421. 10,10, 7, 9, 9,11,11, 7, 9, 9,11,11,10,12,11,15,
  144422. 14,10,11,12,14,14, 7, 9, 9,12,12, 9,11,11,13,13,
  144423. 9,11,11,13,13,11,13,13,14,17,11,13,13,15,16, 6,
  144424. 9, 9,11,11, 8,11,10,13,12, 9,11,11,13,13,11,13,
  144425. 12,16,14,11,13,13,16,16,10,12,12,15,15,11,13,13,
  144426. 16,16,11,13,13,16,15,14,16,17,17,19,14,16,16,18,
  144427. 0, 9,11,11,14,15,10,13,12,16,15,11,13,13,16,16,
  144428. 14,15,14, 0,16,14,16,16,18, 0, 5, 7, 7,10,10, 7,
  144429. 9, 9,12,11, 7, 9, 9,11,12,10,11,11,15,14,10,11,
  144430. 12,14,14, 6, 9, 9,11,11, 9,11,11,13,13, 8,10,11,
  144431. 12,13,11,13,13,17,15,11,12,13,14,15, 7, 9, 9,11,
  144432. 12, 9,11,11,13,13, 9,11,11,13,13,11,13,12,16,16,
  144433. 11,13,13,15,14, 9,11,11,14,15,11,13,13,16,15,10,
  144434. 12,13,16,16,15,16,16, 0, 0,14,13,15,16,18,10,11,
  144435. 11,15,15,11,13,14,16,18,11,13,13,16,15,15,16,16,
  144436. 19, 0,14,15,15,16,16, 8,10,10,13,13,10,12,11,16,
  144437. 15,10,11,11,16,15,13,15,16,18, 0,13,14,15,17,17,
  144438. 9,11,11,15,15,11,13,13,16,18,11,13,13,16,17,15,
  144439. 16,16, 0, 0,15,18,16, 0,17, 9,11,11,15,15,11,13,
  144440. 12,17,15,11,13,14,16,17,15,18,15, 0,17,15,16,16,
  144441. 18,19,13,15,14, 0,18,14,16,16,19,18,14,16,15,19,
  144442. 19,16,18,19, 0, 0,16,17, 0, 0, 0,12,14,14,17,17,
  144443. 13,16,14, 0,18,14,16,15,18, 0,16,18,16,19,17,18,
  144444. 19,17, 0, 0, 8,10,10,14,14, 9,12,11,15,15,10,11,
  144445. 12,15,17,13,15,15,18,16,14,16,15,18,17, 9,11,11,
  144446. 16,15,11,13,13, 0,16,11,12,13,16,15,15,16,16, 0,
  144447. 17,15,15,16,18,17, 9,12,11,15,17,11,13,13,16,16,
  144448. 11,14,13,16,16,15,15,16,18,19,16,18,16, 0, 0,12,
  144449. 14,14, 0,16,14,16,16, 0,18,13,14,15,16, 0,17,16,
  144450. 18, 0, 0,16,16,17,19, 0,13,14,14,17, 0,14,17,16,
  144451. 0,19,14,15,15,18,19,17,16,18, 0, 0,15,19,16, 0,
  144452. 0,
  144453. };
  144454. static float _vq_quantthresh__44u7__p3_0[] = {
  144455. -1.5, -0.5, 0.5, 1.5,
  144456. };
  144457. static long _vq_quantmap__44u7__p3_0[] = {
  144458. 3, 1, 0, 2, 4,
  144459. };
  144460. static encode_aux_threshmatch _vq_auxt__44u7__p3_0 = {
  144461. _vq_quantthresh__44u7__p3_0,
  144462. _vq_quantmap__44u7__p3_0,
  144463. 5,
  144464. 5
  144465. };
  144466. static static_codebook _44u7__p3_0 = {
  144467. 4, 625,
  144468. _vq_lengthlist__44u7__p3_0,
  144469. 1, -533725184, 1611661312, 3, 0,
  144470. _vq_quantlist__44u7__p3_0,
  144471. NULL,
  144472. &_vq_auxt__44u7__p3_0,
  144473. NULL,
  144474. 0
  144475. };
  144476. static long _vq_quantlist__44u7__p4_0[] = {
  144477. 2,
  144478. 1,
  144479. 3,
  144480. 0,
  144481. 4,
  144482. };
  144483. static long _vq_lengthlist__44u7__p4_0[] = {
  144484. 4, 5, 5, 8, 8, 6, 7, 6, 9, 9, 6, 6, 7, 9, 9, 8,
  144485. 9, 9,11,11, 8, 9, 9,10,11, 6, 7, 7, 9, 9, 7, 8,
  144486. 8,10,10, 6, 7, 8, 9,10, 9,10,10,12,12, 9, 9,10,
  144487. 11,12, 6, 7, 7, 9, 9, 6, 8, 7,10, 9, 7, 8, 8,10,
  144488. 10, 9,10, 9,12,11, 9,10,10,12,11, 8, 9, 9,11,11,
  144489. 9,10,10,12,12, 9,10,10,12,12,11,12,12,13,14,11,
  144490. 11,12,13,13, 8, 9, 9,11,11, 9,10,10,12,11, 9,10,
  144491. 10,12,12,11,12,11,13,13,11,12,12,13,13, 6, 7, 7,
  144492. 9, 9, 7, 8, 7,10,10, 7, 7, 8,10,10, 9,10,10,12,
  144493. 11, 9,10,10,12,12, 7, 8, 8,10,10, 8, 8, 9,11,11,
  144494. 8, 9, 9,11,11,10,11,11,12,12,10,10,11,12,13, 6,
  144495. 7, 7,10,10, 7, 9, 8,11,10, 8, 8, 9,10,11,10,11,
  144496. 10,13,11,10,11,11,12,12, 9,10,10,12,12,10,10,11,
  144497. 13,13,10,11,11,13,12,12,12,13,13,14,12,12,13,14,
  144498. 14, 9,10,10,12,12, 9,10,10,12,12,10,11,11,13,13,
  144499. 11,12,11,14,12,12,13,13,14,14, 6, 7, 7, 9, 9, 7,
  144500. 8, 7,10,10, 7, 7, 8,10,10, 9,10,10,12,11, 9,10,
  144501. 10,11,12, 6, 7, 7,10,10, 8, 9, 8,11,10, 7, 8, 9,
  144502. 10,11,10,11,11,13,12,10,10,11,11,13, 7, 8, 8,10,
  144503. 10, 8, 9, 9,11,11, 8, 9, 9,11,11,10,11,10,13,12,
  144504. 10,11,11,12,12, 9,10,10,12,12,10,11,11,13,12, 9,
  144505. 10,10,12,13,12,13,12,14,14,11,11,12,12,14, 9,10,
  144506. 10,12,12,10,11,11,13,13,10,11,11,13,13,12,13,12,
  144507. 14,14,12,13,12,14,13, 8, 9, 9,11,11, 9,10,10,12,
  144508. 12, 9,10,10,12,12,11,12,12,14,13,11,12,12,13,13,
  144509. 9,10,10,12,12,10,11,11,13,13,10,11,11,13,12,12,
  144510. 13,13,14,14,12,12,13,14,14, 9,10,10,12,12, 9,11,
  144511. 10,13,12,10,10,11,12,13,11,13,12,14,13,12,12,13,
  144512. 14,14,11,12,12,13,13,11,12,13,14,14,12,13,13,14,
  144513. 14,13,13,14,14,16,13,14,14,16,16,11,11,11,13,13,
  144514. 11,12,11,14,13,12,12,13,14,15,13,14,12,16,13,14,
  144515. 14,14,15,16, 8, 9, 9,11,11, 9,10,10,12,12, 9,10,
  144516. 10,12,12,11,12,12,14,13,11,12,12,13,14, 9,10,10,
  144517. 12,12,10,11,10,13,12, 9,10,11,12,13,12,13,12,14,
  144518. 14,12,12,13,13,14, 9,10,10,12,12,10,11,11,12,13,
  144519. 10,11,11,13,13,12,13,12,14,14,12,13,13,14,14,11,
  144520. 12,12,13,13,12,13,12,14,14,11,11,12,13,14,13,15,
  144521. 14,16,15,13,12,14,13,16,11,12,12,13,13,12,13,13,
  144522. 14,14,12,12,12,14,14,13,14,14,15,15,13,14,13,16,
  144523. 14,
  144524. };
  144525. static float _vq_quantthresh__44u7__p4_0[] = {
  144526. -1.5, -0.5, 0.5, 1.5,
  144527. };
  144528. static long _vq_quantmap__44u7__p4_0[] = {
  144529. 3, 1, 0, 2, 4,
  144530. };
  144531. static encode_aux_threshmatch _vq_auxt__44u7__p4_0 = {
  144532. _vq_quantthresh__44u7__p4_0,
  144533. _vq_quantmap__44u7__p4_0,
  144534. 5,
  144535. 5
  144536. };
  144537. static static_codebook _44u7__p4_0 = {
  144538. 4, 625,
  144539. _vq_lengthlist__44u7__p4_0,
  144540. 1, -533725184, 1611661312, 3, 0,
  144541. _vq_quantlist__44u7__p4_0,
  144542. NULL,
  144543. &_vq_auxt__44u7__p4_0,
  144544. NULL,
  144545. 0
  144546. };
  144547. static long _vq_quantlist__44u7__p5_0[] = {
  144548. 4,
  144549. 3,
  144550. 5,
  144551. 2,
  144552. 6,
  144553. 1,
  144554. 7,
  144555. 0,
  144556. 8,
  144557. };
  144558. static long _vq_lengthlist__44u7__p5_0[] = {
  144559. 2, 3, 3, 6, 6, 7, 8,10,10, 4, 5, 5, 8, 7, 8, 8,
  144560. 11,11, 3, 5, 5, 7, 7, 8, 9,11,11, 6, 8, 7, 9, 9,
  144561. 10,10,12,12, 6, 7, 8, 9,10,10,10,12,12, 8, 8, 8,
  144562. 10,10,12,11,13,13, 8, 8, 9,10,10,11,11,13,13,10,
  144563. 11,11,12,12,13,13,14,14,10,11,11,12,12,13,13,14,
  144564. 14,
  144565. };
  144566. static float _vq_quantthresh__44u7__p5_0[] = {
  144567. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  144568. };
  144569. static long _vq_quantmap__44u7__p5_0[] = {
  144570. 7, 5, 3, 1, 0, 2, 4, 6,
  144571. 8,
  144572. };
  144573. static encode_aux_threshmatch _vq_auxt__44u7__p5_0 = {
  144574. _vq_quantthresh__44u7__p5_0,
  144575. _vq_quantmap__44u7__p5_0,
  144576. 9,
  144577. 9
  144578. };
  144579. static static_codebook _44u7__p5_0 = {
  144580. 2, 81,
  144581. _vq_lengthlist__44u7__p5_0,
  144582. 1, -531628032, 1611661312, 4, 0,
  144583. _vq_quantlist__44u7__p5_0,
  144584. NULL,
  144585. &_vq_auxt__44u7__p5_0,
  144586. NULL,
  144587. 0
  144588. };
  144589. static long _vq_quantlist__44u7__p6_0[] = {
  144590. 4,
  144591. 3,
  144592. 5,
  144593. 2,
  144594. 6,
  144595. 1,
  144596. 7,
  144597. 0,
  144598. 8,
  144599. };
  144600. static long _vq_lengthlist__44u7__p6_0[] = {
  144601. 3, 4, 4, 5, 5, 7, 7, 9, 9, 4, 5, 4, 6, 6, 8, 7,
  144602. 9, 9, 4, 4, 5, 6, 6, 7, 7, 9, 9, 5, 6, 6, 7, 7,
  144603. 8, 8,10,10, 5, 6, 6, 7, 7, 8, 8,10,10, 7, 8, 7,
  144604. 8, 8,10, 9,11,11, 7, 7, 8, 8, 8, 9,10,11,11, 9,
  144605. 9, 9,10,10,11,10,12,11, 9, 9, 9,10,10,11,11,11,
  144606. 12,
  144607. };
  144608. static float _vq_quantthresh__44u7__p6_0[] = {
  144609. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  144610. };
  144611. static long _vq_quantmap__44u7__p6_0[] = {
  144612. 7, 5, 3, 1, 0, 2, 4, 6,
  144613. 8,
  144614. };
  144615. static encode_aux_threshmatch _vq_auxt__44u7__p6_0 = {
  144616. _vq_quantthresh__44u7__p6_0,
  144617. _vq_quantmap__44u7__p6_0,
  144618. 9,
  144619. 9
  144620. };
  144621. static static_codebook _44u7__p6_0 = {
  144622. 2, 81,
  144623. _vq_lengthlist__44u7__p6_0,
  144624. 1, -531628032, 1611661312, 4, 0,
  144625. _vq_quantlist__44u7__p6_0,
  144626. NULL,
  144627. &_vq_auxt__44u7__p6_0,
  144628. NULL,
  144629. 0
  144630. };
  144631. static long _vq_quantlist__44u7__p7_0[] = {
  144632. 1,
  144633. 0,
  144634. 2,
  144635. };
  144636. static long _vq_lengthlist__44u7__p7_0[] = {
  144637. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 9, 8, 8, 9, 9, 7,
  144638. 10,10, 5, 8, 9, 7, 9,10, 8, 9, 9, 4, 9, 9, 9,11,
  144639. 10, 8,10,10, 7,11,10,10,10,12,10,12,12, 7,10,10,
  144640. 10,12,11,10,12,12, 5, 9, 9, 8,10,10, 9,11,11, 7,
  144641. 11,10,10,12,12,10,11,12, 7,10,11,10,12,12,10,12,
  144642. 10,
  144643. };
  144644. static float _vq_quantthresh__44u7__p7_0[] = {
  144645. -5.5, 5.5,
  144646. };
  144647. static long _vq_quantmap__44u7__p7_0[] = {
  144648. 1, 0, 2,
  144649. };
  144650. static encode_aux_threshmatch _vq_auxt__44u7__p7_0 = {
  144651. _vq_quantthresh__44u7__p7_0,
  144652. _vq_quantmap__44u7__p7_0,
  144653. 3,
  144654. 3
  144655. };
  144656. static static_codebook _44u7__p7_0 = {
  144657. 4, 81,
  144658. _vq_lengthlist__44u7__p7_0,
  144659. 1, -529137664, 1618345984, 2, 0,
  144660. _vq_quantlist__44u7__p7_0,
  144661. NULL,
  144662. &_vq_auxt__44u7__p7_0,
  144663. NULL,
  144664. 0
  144665. };
  144666. static long _vq_quantlist__44u7__p7_1[] = {
  144667. 5,
  144668. 4,
  144669. 6,
  144670. 3,
  144671. 7,
  144672. 2,
  144673. 8,
  144674. 1,
  144675. 9,
  144676. 0,
  144677. 10,
  144678. };
  144679. static long _vq_lengthlist__44u7__p7_1[] = {
  144680. 3, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8, 4, 5, 5, 6, 6,
  144681. 8, 7, 8, 8, 8, 8, 4, 5, 5, 6, 6, 7, 8, 8, 8, 8,
  144682. 8, 6, 7, 6, 7, 7, 8, 8, 9, 9, 9, 9, 6, 6, 7, 7,
  144683. 7, 8, 8, 9, 9, 9, 9, 7, 8, 7, 8, 8, 9, 9, 9, 9,
  144684. 9, 9, 7, 7, 8, 8, 8, 9, 9, 9, 9, 9, 9, 8, 8, 8,
  144685. 9, 9, 9, 9,10, 9, 9, 9, 8, 8, 8, 9, 9, 9, 9, 9,
  144686. 9, 9,10, 8, 8, 8, 9, 9, 9, 9,10, 9,10,10, 8, 8,
  144687. 8, 9, 9, 9, 9, 9,10,10,10,
  144688. };
  144689. static float _vq_quantthresh__44u7__p7_1[] = {
  144690. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  144691. 3.5, 4.5,
  144692. };
  144693. static long _vq_quantmap__44u7__p7_1[] = {
  144694. 9, 7, 5, 3, 1, 0, 2, 4,
  144695. 6, 8, 10,
  144696. };
  144697. static encode_aux_threshmatch _vq_auxt__44u7__p7_1 = {
  144698. _vq_quantthresh__44u7__p7_1,
  144699. _vq_quantmap__44u7__p7_1,
  144700. 11,
  144701. 11
  144702. };
  144703. static static_codebook _44u7__p7_1 = {
  144704. 2, 121,
  144705. _vq_lengthlist__44u7__p7_1,
  144706. 1, -531365888, 1611661312, 4, 0,
  144707. _vq_quantlist__44u7__p7_1,
  144708. NULL,
  144709. &_vq_auxt__44u7__p7_1,
  144710. NULL,
  144711. 0
  144712. };
  144713. static long _vq_quantlist__44u7__p8_0[] = {
  144714. 5,
  144715. 4,
  144716. 6,
  144717. 3,
  144718. 7,
  144719. 2,
  144720. 8,
  144721. 1,
  144722. 9,
  144723. 0,
  144724. 10,
  144725. };
  144726. static long _vq_lengthlist__44u7__p8_0[] = {
  144727. 1, 4, 4, 6, 6, 8, 8,10,10,11,11, 4, 6, 6, 7, 7,
  144728. 9, 9,11,10,12,12, 5, 6, 5, 7, 7, 9, 9,10,11,12,
  144729. 12, 6, 7, 7, 8, 8,10,10,11,11,13,13, 6, 7, 7, 8,
  144730. 8,10,10,11,12,13,13, 8, 9, 9,10,10,11,11,12,12,
  144731. 14,14, 8, 9, 9,10,10,11,11,12,12,14,14,10,10,10,
  144732. 11,11,13,12,14,14,15,15,10,10,10,12,12,13,13,14,
  144733. 14,15,15,11,12,12,13,13,14,14,15,14,16,15,11,12,
  144734. 12,13,13,14,14,15,15,15,16,
  144735. };
  144736. static float _vq_quantthresh__44u7__p8_0[] = {
  144737. -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5, 27.5,
  144738. 38.5, 49.5,
  144739. };
  144740. static long _vq_quantmap__44u7__p8_0[] = {
  144741. 9, 7, 5, 3, 1, 0, 2, 4,
  144742. 6, 8, 10,
  144743. };
  144744. static encode_aux_threshmatch _vq_auxt__44u7__p8_0 = {
  144745. _vq_quantthresh__44u7__p8_0,
  144746. _vq_quantmap__44u7__p8_0,
  144747. 11,
  144748. 11
  144749. };
  144750. static static_codebook _44u7__p8_0 = {
  144751. 2, 121,
  144752. _vq_lengthlist__44u7__p8_0,
  144753. 1, -524582912, 1618345984, 4, 0,
  144754. _vq_quantlist__44u7__p8_0,
  144755. NULL,
  144756. &_vq_auxt__44u7__p8_0,
  144757. NULL,
  144758. 0
  144759. };
  144760. static long _vq_quantlist__44u7__p8_1[] = {
  144761. 5,
  144762. 4,
  144763. 6,
  144764. 3,
  144765. 7,
  144766. 2,
  144767. 8,
  144768. 1,
  144769. 9,
  144770. 0,
  144771. 10,
  144772. };
  144773. static long _vq_lengthlist__44u7__p8_1[] = {
  144774. 4, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 5, 6, 6, 7, 7,
  144775. 7, 7, 7, 7, 7, 7, 5, 6, 6, 6, 7, 7, 7, 7, 7, 7,
  144776. 7, 6, 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 6, 7, 7, 7,
  144777. 7, 7, 7, 7, 7, 8, 8, 7, 7, 7, 7, 7, 8, 7, 8, 8,
  144778. 8, 8, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 8, 7, 7, 7,
  144779. 7, 7, 8, 8, 8, 8, 8, 8, 7, 7, 7, 7, 7, 8, 8, 8,
  144780. 8, 8, 8, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8, 8, 7, 7,
  144781. 7, 8, 8, 8, 8, 8, 8, 8, 8,
  144782. };
  144783. static float _vq_quantthresh__44u7__p8_1[] = {
  144784. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  144785. 3.5, 4.5,
  144786. };
  144787. static long _vq_quantmap__44u7__p8_1[] = {
  144788. 9, 7, 5, 3, 1, 0, 2, 4,
  144789. 6, 8, 10,
  144790. };
  144791. static encode_aux_threshmatch _vq_auxt__44u7__p8_1 = {
  144792. _vq_quantthresh__44u7__p8_1,
  144793. _vq_quantmap__44u7__p8_1,
  144794. 11,
  144795. 11
  144796. };
  144797. static static_codebook _44u7__p8_1 = {
  144798. 2, 121,
  144799. _vq_lengthlist__44u7__p8_1,
  144800. 1, -531365888, 1611661312, 4, 0,
  144801. _vq_quantlist__44u7__p8_1,
  144802. NULL,
  144803. &_vq_auxt__44u7__p8_1,
  144804. NULL,
  144805. 0
  144806. };
  144807. static long _vq_quantlist__44u7__p9_0[] = {
  144808. 5,
  144809. 4,
  144810. 6,
  144811. 3,
  144812. 7,
  144813. 2,
  144814. 8,
  144815. 1,
  144816. 9,
  144817. 0,
  144818. 10,
  144819. };
  144820. static long _vq_lengthlist__44u7__p9_0[] = {
  144821. 1, 3, 3,10,10,10,10,10,10,10,10, 4,10,10,10,10,
  144822. 10,10,10,10,10,10, 4,10,10,10,10,10,10,10,10,10,
  144823. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  144824. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  144825. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  144826. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  144827. 10,10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9,
  144828. 9, 9, 9, 9, 9, 9, 9, 9, 9,
  144829. };
  144830. static float _vq_quantthresh__44u7__p9_0[] = {
  144831. -2866.5, -2229.5, -1592.5, -955.5, -318.5, 318.5, 955.5, 1592.5,
  144832. 2229.5, 2866.5,
  144833. };
  144834. static long _vq_quantmap__44u7__p9_0[] = {
  144835. 9, 7, 5, 3, 1, 0, 2, 4,
  144836. 6, 8, 10,
  144837. };
  144838. static encode_aux_threshmatch _vq_auxt__44u7__p9_0 = {
  144839. _vq_quantthresh__44u7__p9_0,
  144840. _vq_quantmap__44u7__p9_0,
  144841. 11,
  144842. 11
  144843. };
  144844. static static_codebook _44u7__p9_0 = {
  144845. 2, 121,
  144846. _vq_lengthlist__44u7__p9_0,
  144847. 1, -512171520, 1630791680, 4, 0,
  144848. _vq_quantlist__44u7__p9_0,
  144849. NULL,
  144850. &_vq_auxt__44u7__p9_0,
  144851. NULL,
  144852. 0
  144853. };
  144854. static long _vq_quantlist__44u7__p9_1[] = {
  144855. 6,
  144856. 5,
  144857. 7,
  144858. 4,
  144859. 8,
  144860. 3,
  144861. 9,
  144862. 2,
  144863. 10,
  144864. 1,
  144865. 11,
  144866. 0,
  144867. 12,
  144868. };
  144869. static long _vq_lengthlist__44u7__p9_1[] = {
  144870. 1, 4, 4, 6, 5, 8, 6, 9, 8,10, 9,11,10, 4, 6, 6,
  144871. 8, 8, 9, 9,11,10,11,11,11,11, 4, 6, 6, 8, 8,10,
  144872. 9,11,11,11,11,11,12, 6, 8, 8,10,10,11,11,12,12,
  144873. 13,12,13,13, 6, 8, 8,10,10,11,11,12,12,12,13,14,
  144874. 13, 8,10,10,11,11,12,13,14,14,14,14,15,15, 8,10,
  144875. 10,11,12,12,13,13,14,14,14,14,15, 9,11,11,13,13,
  144876. 14,14,15,14,16,15,17,15, 9,11,11,12,13,14,14,15,
  144877. 14,15,15,15,16,10,12,12,13,14,15,15,15,15,16,17,
  144878. 16,17,10,13,12,13,14,14,16,16,16,16,15,16,17,11,
  144879. 13,13,14,15,14,17,15,16,17,17,17,17,11,13,13,14,
  144880. 15,15,15,15,17,17,16,17,16,
  144881. };
  144882. static float _vq_quantthresh__44u7__p9_1[] = {
  144883. -269.5, -220.5, -171.5, -122.5, -73.5, -24.5, 24.5, 73.5,
  144884. 122.5, 171.5, 220.5, 269.5,
  144885. };
  144886. static long _vq_quantmap__44u7__p9_1[] = {
  144887. 11, 9, 7, 5, 3, 1, 0, 2,
  144888. 4, 6, 8, 10, 12,
  144889. };
  144890. static encode_aux_threshmatch _vq_auxt__44u7__p9_1 = {
  144891. _vq_quantthresh__44u7__p9_1,
  144892. _vq_quantmap__44u7__p9_1,
  144893. 13,
  144894. 13
  144895. };
  144896. static static_codebook _44u7__p9_1 = {
  144897. 2, 169,
  144898. _vq_lengthlist__44u7__p9_1,
  144899. 1, -518889472, 1622704128, 4, 0,
  144900. _vq_quantlist__44u7__p9_1,
  144901. NULL,
  144902. &_vq_auxt__44u7__p9_1,
  144903. NULL,
  144904. 0
  144905. };
  144906. static long _vq_quantlist__44u7__p9_2[] = {
  144907. 24,
  144908. 23,
  144909. 25,
  144910. 22,
  144911. 26,
  144912. 21,
  144913. 27,
  144914. 20,
  144915. 28,
  144916. 19,
  144917. 29,
  144918. 18,
  144919. 30,
  144920. 17,
  144921. 31,
  144922. 16,
  144923. 32,
  144924. 15,
  144925. 33,
  144926. 14,
  144927. 34,
  144928. 13,
  144929. 35,
  144930. 12,
  144931. 36,
  144932. 11,
  144933. 37,
  144934. 10,
  144935. 38,
  144936. 9,
  144937. 39,
  144938. 8,
  144939. 40,
  144940. 7,
  144941. 41,
  144942. 6,
  144943. 42,
  144944. 5,
  144945. 43,
  144946. 4,
  144947. 44,
  144948. 3,
  144949. 45,
  144950. 2,
  144951. 46,
  144952. 1,
  144953. 47,
  144954. 0,
  144955. 48,
  144956. };
  144957. static long _vq_lengthlist__44u7__p9_2[] = {
  144958. 2, 4, 4, 4, 4, 5, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6,
  144959. 6, 6, 6, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  144960. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8,
  144961. 8,
  144962. };
  144963. static float _vq_quantthresh__44u7__p9_2[] = {
  144964. -23.5, -22.5, -21.5, -20.5, -19.5, -18.5, -17.5, -16.5,
  144965. -15.5, -14.5, -13.5, -12.5, -11.5, -10.5, -9.5, -8.5,
  144966. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  144967. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  144968. 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5,
  144969. 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5,
  144970. };
  144971. static long _vq_quantmap__44u7__p9_2[] = {
  144972. 47, 45, 43, 41, 39, 37, 35, 33,
  144973. 31, 29, 27, 25, 23, 21, 19, 17,
  144974. 15, 13, 11, 9, 7, 5, 3, 1,
  144975. 0, 2, 4, 6, 8, 10, 12, 14,
  144976. 16, 18, 20, 22, 24, 26, 28, 30,
  144977. 32, 34, 36, 38, 40, 42, 44, 46,
  144978. 48,
  144979. };
  144980. static encode_aux_threshmatch _vq_auxt__44u7__p9_2 = {
  144981. _vq_quantthresh__44u7__p9_2,
  144982. _vq_quantmap__44u7__p9_2,
  144983. 49,
  144984. 49
  144985. };
  144986. static static_codebook _44u7__p9_2 = {
  144987. 1, 49,
  144988. _vq_lengthlist__44u7__p9_2,
  144989. 1, -526909440, 1611661312, 6, 0,
  144990. _vq_quantlist__44u7__p9_2,
  144991. NULL,
  144992. &_vq_auxt__44u7__p9_2,
  144993. NULL,
  144994. 0
  144995. };
  144996. static long _huff_lengthlist__44u7__short[] = {
  144997. 5,12,17,16,16,17,17,17,17,17, 4, 7,11,11,12, 9,
  144998. 17,10,17,17, 7, 7, 8, 9, 7, 9,11,10,15,17, 7, 9,
  144999. 10,11,10,12,14,12,16,17, 7, 8, 5, 7, 4, 7, 7, 8,
  145000. 16,16, 6,10, 9,10, 7,10,11,11,16,17, 6, 8, 8, 9,
  145001. 5, 7, 5, 8,16,17, 5, 5, 8, 7, 6, 7, 7, 6, 6,14,
  145002. 12,10,12,11, 7,11, 4, 4, 2, 7,17,15,15,15, 8,15,
  145003. 6, 8, 5, 9,
  145004. };
  145005. static static_codebook _huff_book__44u7__short = {
  145006. 2, 100,
  145007. _huff_lengthlist__44u7__short,
  145008. 0, 0, 0, 0, 0,
  145009. NULL,
  145010. NULL,
  145011. NULL,
  145012. NULL,
  145013. 0
  145014. };
  145015. static long _huff_lengthlist__44u8__long[] = {
  145016. 3, 9,13,14,14,15,14,14,15,15, 5, 4, 6, 8,10,12,
  145017. 12,14,15,15, 9, 5, 4, 5, 8,10,11,13,16,16,10, 7,
  145018. 4, 3, 5, 7, 9,11,13,13,10, 9, 7, 4, 4, 6, 8,10,
  145019. 12,14,13,11, 9, 6, 5, 5, 6, 8,12,14,13,11,10, 8,
  145020. 7, 6, 6, 7,10,14,13,11,12,10, 8, 7, 6, 6, 9,13,
  145021. 12,11,14,12,11, 9, 8, 7, 9,11,11,12,14,13,14,11,
  145022. 10, 8, 8, 9,
  145023. };
  145024. static static_codebook _huff_book__44u8__long = {
  145025. 2, 100,
  145026. _huff_lengthlist__44u8__long,
  145027. 0, 0, 0, 0, 0,
  145028. NULL,
  145029. NULL,
  145030. NULL,
  145031. NULL,
  145032. 0
  145033. };
  145034. static long _huff_lengthlist__44u8__short[] = {
  145035. 6,14,18,18,17,17,17,17,17,17, 4, 7, 9, 9,10,13,
  145036. 15,17,17,17, 6, 7, 5, 6, 8,11,16,17,16,17, 5, 7,
  145037. 5, 4, 6,10,14,17,17,17, 6, 6, 6, 5, 7,10,13,16,
  145038. 17,17, 7, 6, 7, 7, 7, 8, 7,10,15,16,12, 9, 9, 6,
  145039. 6, 5, 3, 5,11,15,14,14,13, 5, 5, 7, 3, 4, 8,15,
  145040. 17,17,13, 7, 7,10, 6, 6,10,15,17,17,16,10,11,14,
  145041. 10,10,15,17,
  145042. };
  145043. static static_codebook _huff_book__44u8__short = {
  145044. 2, 100,
  145045. _huff_lengthlist__44u8__short,
  145046. 0, 0, 0, 0, 0,
  145047. NULL,
  145048. NULL,
  145049. NULL,
  145050. NULL,
  145051. 0
  145052. };
  145053. static long _vq_quantlist__44u8_p1_0[] = {
  145054. 1,
  145055. 0,
  145056. 2,
  145057. };
  145058. static long _vq_lengthlist__44u8_p1_0[] = {
  145059. 1, 5, 5, 5, 7, 7, 5, 7, 7, 5, 7, 7, 8, 9, 9, 7,
  145060. 9, 9, 5, 7, 7, 7, 9, 9, 8, 9, 9, 5, 7, 7, 7, 9,
  145061. 9, 7, 9, 9, 7, 9, 9, 9,10,11, 9,11,10, 7, 9, 9,
  145062. 9,11,10, 9,10,11, 5, 7, 7, 7, 9, 9, 7, 9, 9, 7,
  145063. 9, 9, 9,11,10, 9,10,10, 8, 9, 9, 9,11,11, 9,11,
  145064. 10,
  145065. };
  145066. static float _vq_quantthresh__44u8_p1_0[] = {
  145067. -0.5, 0.5,
  145068. };
  145069. static long _vq_quantmap__44u8_p1_0[] = {
  145070. 1, 0, 2,
  145071. };
  145072. static encode_aux_threshmatch _vq_auxt__44u8_p1_0 = {
  145073. _vq_quantthresh__44u8_p1_0,
  145074. _vq_quantmap__44u8_p1_0,
  145075. 3,
  145076. 3
  145077. };
  145078. static static_codebook _44u8_p1_0 = {
  145079. 4, 81,
  145080. _vq_lengthlist__44u8_p1_0,
  145081. 1, -535822336, 1611661312, 2, 0,
  145082. _vq_quantlist__44u8_p1_0,
  145083. NULL,
  145084. &_vq_auxt__44u8_p1_0,
  145085. NULL,
  145086. 0
  145087. };
  145088. static long _vq_quantlist__44u8_p2_0[] = {
  145089. 2,
  145090. 1,
  145091. 3,
  145092. 0,
  145093. 4,
  145094. };
  145095. static long _vq_lengthlist__44u8_p2_0[] = {
  145096. 4, 5, 5, 8, 8, 5, 7, 6, 9, 9, 5, 6, 7, 9, 9, 8,
  145097. 9, 9,11,11, 8, 9, 9,11,11, 5, 7, 7, 9, 9, 7, 8,
  145098. 8,10,10, 7, 8, 8,10,10, 9,10,10,12,12, 9,10,10,
  145099. 11,12, 5, 7, 7, 9, 9, 7, 8, 7,10,10, 7, 8, 8,10,
  145100. 10, 9,10, 9,12,11, 9,10,10,12,12, 8, 9, 9,12,11,
  145101. 9,10,10,12,12, 9,10,10,12,12,11,12,12,14,14,11,
  145102. 11,12,13,14, 8, 9, 9,11,11, 9,10,10,12,12, 9,10,
  145103. 10,12,12,11,12,11,13,13,11,12,12,14,14, 5, 7, 7,
  145104. 9, 9, 7, 8, 8,10,10, 7, 8, 8,10,10, 9,10,10,12,
  145105. 12, 9,10,10,11,12, 7, 8, 8,10,10, 8, 9, 9,11,11,
  145106. 8, 9, 9,11,11,10,11,11,12,13,10,11,11,12,13, 6,
  145107. 8, 8,10,10, 8, 9, 8,11,10, 8, 9, 9,11,11,10,11,
  145108. 10,13,12,10,11,11,13,13, 9,10,10,12,12,10,11,11,
  145109. 13,13,10,11,11,13,13,12,12,13,13,14,12,13,13,14,
  145110. 14, 9,10,10,12,12,10,11,10,13,12,10,11,11,13,13,
  145111. 11,13,12,14,13,12,13,13,14,14, 5, 7, 7, 9, 9, 7,
  145112. 8, 8,10,10, 7, 8, 8,10,10, 9,10,10,12,12, 9,10,
  145113. 10,12,12, 7, 8, 8,10,10, 8, 9, 9,11,11, 8, 8, 9,
  145114. 10,11,10,11,11,13,13,10,10,11,12,13, 7, 8, 8,10,
  145115. 10, 8, 9, 9,11,11, 8, 9, 9,11,11,10,11,11,13,13,
  145116. 10,11,11,13,12, 9,10,10,12,12,10,11,11,13,13,10,
  145117. 10,11,12,13,12,13,13,14,14,12,12,13,13,14, 9,10,
  145118. 10,12,12,10,11,11,13,13,10,11,11,13,13,12,13,13,
  145119. 15,14,12,13,13,14,13, 8, 9, 9,11,11, 9,10,10,12,
  145120. 12, 9,10,10,12,12,12,12,12,14,13,11,12,12,14,14,
  145121. 9,10,10,12,12,10,11,11,13,13,10,11,11,13,13,12,
  145122. 13,13,14,15,12,13,13,14,15, 9,10,10,12,12,10,11,
  145123. 10,13,12,10,11,11,13,13,12,13,12,15,14,12,13,13,
  145124. 14,15,11,12,12,14,14,12,13,13,14,14,12,13,13,15,
  145125. 14,14,14,14,14,16,14,14,15,16,16,11,12,12,14,14,
  145126. 11,12,12,14,14,12,13,13,14,15,13,14,13,16,14,14,
  145127. 14,14,16,16, 8, 9, 9,11,11, 9,10,10,12,12, 9,10,
  145128. 10,12,12,11,12,12,14,13,11,12,12,14,14, 9,10,10,
  145129. 12,12,10,11,11,13,13,10,10,11,12,13,12,13,13,15,
  145130. 14,12,12,13,13,14, 9,10,10,12,12,10,11,11,13,13,
  145131. 10,11,11,13,13,12,13,13,14,14,12,13,13,15,14,11,
  145132. 12,12,14,13,12,13,13,15,14,11,12,12,13,14,14,15,
  145133. 14,16,15,13,13,14,13,16,11,12,12,14,14,12,13,13,
  145134. 14,15,12,13,12,15,14,14,14,14,16,15,14,15,13,16,
  145135. 14,
  145136. };
  145137. static float _vq_quantthresh__44u8_p2_0[] = {
  145138. -1.5, -0.5, 0.5, 1.5,
  145139. };
  145140. static long _vq_quantmap__44u8_p2_0[] = {
  145141. 3, 1, 0, 2, 4,
  145142. };
  145143. static encode_aux_threshmatch _vq_auxt__44u8_p2_0 = {
  145144. _vq_quantthresh__44u8_p2_0,
  145145. _vq_quantmap__44u8_p2_0,
  145146. 5,
  145147. 5
  145148. };
  145149. static static_codebook _44u8_p2_0 = {
  145150. 4, 625,
  145151. _vq_lengthlist__44u8_p2_0,
  145152. 1, -533725184, 1611661312, 3, 0,
  145153. _vq_quantlist__44u8_p2_0,
  145154. NULL,
  145155. &_vq_auxt__44u8_p2_0,
  145156. NULL,
  145157. 0
  145158. };
  145159. static long _vq_quantlist__44u8_p3_0[] = {
  145160. 4,
  145161. 3,
  145162. 5,
  145163. 2,
  145164. 6,
  145165. 1,
  145166. 7,
  145167. 0,
  145168. 8,
  145169. };
  145170. static long _vq_lengthlist__44u8_p3_0[] = {
  145171. 3, 4, 4, 5, 5, 7, 7, 9, 9, 4, 5, 4, 6, 6, 7, 7,
  145172. 9, 9, 4, 4, 5, 6, 6, 7, 7, 9, 9, 5, 6, 6, 7, 7,
  145173. 8, 8,10,10, 6, 6, 6, 7, 7, 8, 8,10,10, 7, 7, 7,
  145174. 8, 8, 9, 9,11,10, 7, 7, 7, 8, 8, 9, 9,10,11, 9,
  145175. 9, 9,10,10,11,10,12,11, 9, 9, 9, 9,10,11,11,11,
  145176. 12,
  145177. };
  145178. static float _vq_quantthresh__44u8_p3_0[] = {
  145179. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  145180. };
  145181. static long _vq_quantmap__44u8_p3_0[] = {
  145182. 7, 5, 3, 1, 0, 2, 4, 6,
  145183. 8,
  145184. };
  145185. static encode_aux_threshmatch _vq_auxt__44u8_p3_0 = {
  145186. _vq_quantthresh__44u8_p3_0,
  145187. _vq_quantmap__44u8_p3_0,
  145188. 9,
  145189. 9
  145190. };
  145191. static static_codebook _44u8_p3_0 = {
  145192. 2, 81,
  145193. _vq_lengthlist__44u8_p3_0,
  145194. 1, -531628032, 1611661312, 4, 0,
  145195. _vq_quantlist__44u8_p3_0,
  145196. NULL,
  145197. &_vq_auxt__44u8_p3_0,
  145198. NULL,
  145199. 0
  145200. };
  145201. static long _vq_quantlist__44u8_p4_0[] = {
  145202. 8,
  145203. 7,
  145204. 9,
  145205. 6,
  145206. 10,
  145207. 5,
  145208. 11,
  145209. 4,
  145210. 12,
  145211. 3,
  145212. 13,
  145213. 2,
  145214. 14,
  145215. 1,
  145216. 15,
  145217. 0,
  145218. 16,
  145219. };
  145220. static long _vq_lengthlist__44u8_p4_0[] = {
  145221. 4, 4, 4, 6, 6, 7, 7, 8, 8, 8, 8,10,10,11,11,11,
  145222. 11, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9,10,10,11,11,
  145223. 12,12, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9,10,10,11,
  145224. 11,12,12, 6, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,10,
  145225. 11,11,12,12, 6, 6, 6, 7, 7, 8, 8, 9, 9, 9, 9,10,
  145226. 10,11,11,12,12, 7, 7, 7, 8, 8, 9, 8,10, 9,10, 9,
  145227. 11,10,12,11,13,12, 7, 7, 7, 8, 8, 8, 9, 9,10, 9,
  145228. 10,10,11,11,12,12,13, 8, 8, 8, 9, 9, 9, 9,10,10,
  145229. 11,10,11,11,12,12,13,13, 8, 8, 8, 9, 9, 9,10,10,
  145230. 10,10,11,11,11,12,12,12,13, 8, 9, 9, 9, 9,10, 9,
  145231. 11,10,11,11,12,11,13,12,13,13, 8, 9, 9, 9, 9, 9,
  145232. 10,10,11,11,11,11,12,12,13,13,13,10,10,10,10,10,
  145233. 11,10,11,11,12,11,13,12,13,13,14,13,10,10,10,10,
  145234. 10,10,11,11,11,11,12,12,13,13,13,13,14,11,11,11,
  145235. 11,11,12,11,12,12,13,12,13,13,14,13,14,14,11,11,
  145236. 11,11,11,11,12,12,12,12,13,13,13,13,14,14,14,11,
  145237. 12,12,12,12,13,12,13,12,13,13,14,13,14,14,14,14,
  145238. 11,12,12,12,12,12,12,13,13,13,13,13,14,14,14,14,
  145239. 14,
  145240. };
  145241. static float _vq_quantthresh__44u8_p4_0[] = {
  145242. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  145243. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  145244. };
  145245. static long _vq_quantmap__44u8_p4_0[] = {
  145246. 15, 13, 11, 9, 7, 5, 3, 1,
  145247. 0, 2, 4, 6, 8, 10, 12, 14,
  145248. 16,
  145249. };
  145250. static encode_aux_threshmatch _vq_auxt__44u8_p4_0 = {
  145251. _vq_quantthresh__44u8_p4_0,
  145252. _vq_quantmap__44u8_p4_0,
  145253. 17,
  145254. 17
  145255. };
  145256. static static_codebook _44u8_p4_0 = {
  145257. 2, 289,
  145258. _vq_lengthlist__44u8_p4_0,
  145259. 1, -529530880, 1611661312, 5, 0,
  145260. _vq_quantlist__44u8_p4_0,
  145261. NULL,
  145262. &_vq_auxt__44u8_p4_0,
  145263. NULL,
  145264. 0
  145265. };
  145266. static long _vq_quantlist__44u8_p5_0[] = {
  145267. 1,
  145268. 0,
  145269. 2,
  145270. };
  145271. static long _vq_lengthlist__44u8_p5_0[] = {
  145272. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 8, 8, 8, 9, 9, 7,
  145273. 9, 9, 5, 8, 8, 7, 9, 9, 8, 9, 9, 5, 8, 8, 8,10,
  145274. 10, 8,10,10, 7,10,10, 9,10,12, 9,12,11, 7,10,10,
  145275. 9,11,10, 9,11,12, 5, 8, 8, 8,10,10, 8,10,10, 7,
  145276. 10,10, 9,11,11, 9,10,11, 7,10,10, 9,11,11,10,12,
  145277. 10,
  145278. };
  145279. static float _vq_quantthresh__44u8_p5_0[] = {
  145280. -5.5, 5.5,
  145281. };
  145282. static long _vq_quantmap__44u8_p5_0[] = {
  145283. 1, 0, 2,
  145284. };
  145285. static encode_aux_threshmatch _vq_auxt__44u8_p5_0 = {
  145286. _vq_quantthresh__44u8_p5_0,
  145287. _vq_quantmap__44u8_p5_0,
  145288. 3,
  145289. 3
  145290. };
  145291. static static_codebook _44u8_p5_0 = {
  145292. 4, 81,
  145293. _vq_lengthlist__44u8_p5_0,
  145294. 1, -529137664, 1618345984, 2, 0,
  145295. _vq_quantlist__44u8_p5_0,
  145296. NULL,
  145297. &_vq_auxt__44u8_p5_0,
  145298. NULL,
  145299. 0
  145300. };
  145301. static long _vq_quantlist__44u8_p5_1[] = {
  145302. 5,
  145303. 4,
  145304. 6,
  145305. 3,
  145306. 7,
  145307. 2,
  145308. 8,
  145309. 1,
  145310. 9,
  145311. 0,
  145312. 10,
  145313. };
  145314. static long _vq_lengthlist__44u8_p5_1[] = {
  145315. 4, 5, 5, 6, 6, 7, 7, 7, 7, 8, 8, 5, 5, 5, 6, 6,
  145316. 7, 7, 8, 8, 8, 8, 5, 5, 5, 6, 6, 7, 7, 7, 8, 8,
  145317. 8, 6, 6, 6, 7, 7, 7, 7, 8, 8, 8, 8, 6, 6, 6, 7,
  145318. 7, 7, 7, 8, 8, 8, 8, 7, 7, 7, 7, 7, 8, 8, 8, 8,
  145319. 8, 8, 7, 7, 7, 7, 7, 8, 8, 8, 8, 8, 8, 7, 8, 7,
  145320. 8, 8, 8, 8, 8, 8, 8, 8, 7, 8, 8, 8, 8, 8, 8, 8,
  145321. 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 9, 9, 8, 8,
  145322. 8, 8, 8, 8, 8, 8, 8, 9, 9,
  145323. };
  145324. static float _vq_quantthresh__44u8_p5_1[] = {
  145325. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  145326. 3.5, 4.5,
  145327. };
  145328. static long _vq_quantmap__44u8_p5_1[] = {
  145329. 9, 7, 5, 3, 1, 0, 2, 4,
  145330. 6, 8, 10,
  145331. };
  145332. static encode_aux_threshmatch _vq_auxt__44u8_p5_1 = {
  145333. _vq_quantthresh__44u8_p5_1,
  145334. _vq_quantmap__44u8_p5_1,
  145335. 11,
  145336. 11
  145337. };
  145338. static static_codebook _44u8_p5_1 = {
  145339. 2, 121,
  145340. _vq_lengthlist__44u8_p5_1,
  145341. 1, -531365888, 1611661312, 4, 0,
  145342. _vq_quantlist__44u8_p5_1,
  145343. NULL,
  145344. &_vq_auxt__44u8_p5_1,
  145345. NULL,
  145346. 0
  145347. };
  145348. static long _vq_quantlist__44u8_p6_0[] = {
  145349. 6,
  145350. 5,
  145351. 7,
  145352. 4,
  145353. 8,
  145354. 3,
  145355. 9,
  145356. 2,
  145357. 10,
  145358. 1,
  145359. 11,
  145360. 0,
  145361. 12,
  145362. };
  145363. static long _vq_lengthlist__44u8_p6_0[] = {
  145364. 2, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10, 4, 6, 5,
  145365. 7, 7, 8, 8, 8, 8, 9, 9,10,10, 4, 6, 6, 7, 7, 8,
  145366. 8, 8, 8, 9, 9,10,10, 6, 7, 7, 7, 8, 8, 8, 8, 9,
  145367. 9,10,10,10, 6, 7, 7, 8, 8, 8, 8, 9, 8,10, 9,11,
  145368. 10, 7, 8, 8, 8, 8, 8, 9, 9, 9,10,10,11,11, 7, 8,
  145369. 8, 8, 8, 9, 8, 9, 9,10,10,11,11, 8, 8, 8, 9, 9,
  145370. 9, 9, 9,10,10,10,11,11, 8, 8, 8, 9, 9, 9, 9,10,
  145371. 9,10,10,11,11, 9, 9, 9, 9,10,10,10,10,10,10,11,
  145372. 11,12, 9, 9, 9,10, 9,10,10,10,10,11,10,12,11,10,
  145373. 10,10,10,10,11,11,11,11,11,12,12,12,10,10,10,10,
  145374. 11,11,11,11,11,12,11,12,12,
  145375. };
  145376. static float _vq_quantthresh__44u8_p6_0[] = {
  145377. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  145378. 12.5, 17.5, 22.5, 27.5,
  145379. };
  145380. static long _vq_quantmap__44u8_p6_0[] = {
  145381. 11, 9, 7, 5, 3, 1, 0, 2,
  145382. 4, 6, 8, 10, 12,
  145383. };
  145384. static encode_aux_threshmatch _vq_auxt__44u8_p6_0 = {
  145385. _vq_quantthresh__44u8_p6_0,
  145386. _vq_quantmap__44u8_p6_0,
  145387. 13,
  145388. 13
  145389. };
  145390. static static_codebook _44u8_p6_0 = {
  145391. 2, 169,
  145392. _vq_lengthlist__44u8_p6_0,
  145393. 1, -526516224, 1616117760, 4, 0,
  145394. _vq_quantlist__44u8_p6_0,
  145395. NULL,
  145396. &_vq_auxt__44u8_p6_0,
  145397. NULL,
  145398. 0
  145399. };
  145400. static long _vq_quantlist__44u8_p6_1[] = {
  145401. 2,
  145402. 1,
  145403. 3,
  145404. 0,
  145405. 4,
  145406. };
  145407. static long _vq_lengthlist__44u8_p6_1[] = {
  145408. 3, 4, 4, 5, 5, 4, 5, 5, 5, 5, 4, 5, 5, 5, 5, 5,
  145409. 5, 5, 5, 5, 5, 5, 5, 5, 5,
  145410. };
  145411. static float _vq_quantthresh__44u8_p6_1[] = {
  145412. -1.5, -0.5, 0.5, 1.5,
  145413. };
  145414. static long _vq_quantmap__44u8_p6_1[] = {
  145415. 3, 1, 0, 2, 4,
  145416. };
  145417. static encode_aux_threshmatch _vq_auxt__44u8_p6_1 = {
  145418. _vq_quantthresh__44u8_p6_1,
  145419. _vq_quantmap__44u8_p6_1,
  145420. 5,
  145421. 5
  145422. };
  145423. static static_codebook _44u8_p6_1 = {
  145424. 2, 25,
  145425. _vq_lengthlist__44u8_p6_1,
  145426. 1, -533725184, 1611661312, 3, 0,
  145427. _vq_quantlist__44u8_p6_1,
  145428. NULL,
  145429. &_vq_auxt__44u8_p6_1,
  145430. NULL,
  145431. 0
  145432. };
  145433. static long _vq_quantlist__44u8_p7_0[] = {
  145434. 6,
  145435. 5,
  145436. 7,
  145437. 4,
  145438. 8,
  145439. 3,
  145440. 9,
  145441. 2,
  145442. 10,
  145443. 1,
  145444. 11,
  145445. 0,
  145446. 12,
  145447. };
  145448. static long _vq_lengthlist__44u8_p7_0[] = {
  145449. 1, 4, 5, 6, 6, 7, 7, 8, 8,10,10,11,11, 5, 6, 6,
  145450. 7, 7, 8, 8, 9, 9,11,10,12,11, 5, 6, 6, 7, 7, 8,
  145451. 8, 9, 9,10,11,11,12, 6, 7, 7, 8, 8, 9, 9,10,10,
  145452. 11,11,12,12, 6, 7, 7, 8, 8, 9, 9,10,10,11,12,13,
  145453. 12, 7, 8, 8, 9, 9,10,10,11,11,12,12,13,13, 8, 8,
  145454. 8, 9, 9,10,10,11,11,12,12,13,13, 9, 9, 9,10,10,
  145455. 11,11,12,12,13,13,14,14, 9, 9, 9,10,10,11,11,12,
  145456. 12,13,13,14,14,10,11,11,12,11,13,12,13,13,14,14,
  145457. 15,15,10,11,11,11,12,12,13,13,14,14,14,15,15,11,
  145458. 12,12,13,13,14,13,15,14,15,15,16,15,11,11,12,13,
  145459. 13,13,14,14,14,15,15,15,16,
  145460. };
  145461. static float _vq_quantthresh__44u8_p7_0[] = {
  145462. -60.5, -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5,
  145463. 27.5, 38.5, 49.5, 60.5,
  145464. };
  145465. static long _vq_quantmap__44u8_p7_0[] = {
  145466. 11, 9, 7, 5, 3, 1, 0, 2,
  145467. 4, 6, 8, 10, 12,
  145468. };
  145469. static encode_aux_threshmatch _vq_auxt__44u8_p7_0 = {
  145470. _vq_quantthresh__44u8_p7_0,
  145471. _vq_quantmap__44u8_p7_0,
  145472. 13,
  145473. 13
  145474. };
  145475. static static_codebook _44u8_p7_0 = {
  145476. 2, 169,
  145477. _vq_lengthlist__44u8_p7_0,
  145478. 1, -523206656, 1618345984, 4, 0,
  145479. _vq_quantlist__44u8_p7_0,
  145480. NULL,
  145481. &_vq_auxt__44u8_p7_0,
  145482. NULL,
  145483. 0
  145484. };
  145485. static long _vq_quantlist__44u8_p7_1[] = {
  145486. 5,
  145487. 4,
  145488. 6,
  145489. 3,
  145490. 7,
  145491. 2,
  145492. 8,
  145493. 1,
  145494. 9,
  145495. 0,
  145496. 10,
  145497. };
  145498. static long _vq_lengthlist__44u8_p7_1[] = {
  145499. 4, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 5, 6, 6, 7, 7,
  145500. 7, 7, 7, 7, 7, 7, 5, 6, 6, 7, 7, 7, 7, 7, 7, 7,
  145501. 7, 6, 7, 7, 7, 7, 7, 7, 7, 7, 8, 8, 6, 7, 7, 7,
  145502. 7, 7, 7, 7, 7, 7, 8, 7, 7, 7, 7, 7, 7, 7, 8, 8,
  145503. 8, 8, 7, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 7, 7, 7,
  145504. 8, 7, 8, 8, 8, 8, 8, 8, 7, 7, 7, 7, 7, 8, 8, 8,
  145505. 8, 8, 8, 7, 7, 7, 8, 8, 8, 8, 8, 8, 8, 8, 7, 7,
  145506. 7, 8, 8, 8, 8, 8, 8, 8, 8,
  145507. };
  145508. static float _vq_quantthresh__44u8_p7_1[] = {
  145509. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  145510. 3.5, 4.5,
  145511. };
  145512. static long _vq_quantmap__44u8_p7_1[] = {
  145513. 9, 7, 5, 3, 1, 0, 2, 4,
  145514. 6, 8, 10,
  145515. };
  145516. static encode_aux_threshmatch _vq_auxt__44u8_p7_1 = {
  145517. _vq_quantthresh__44u8_p7_1,
  145518. _vq_quantmap__44u8_p7_1,
  145519. 11,
  145520. 11
  145521. };
  145522. static static_codebook _44u8_p7_1 = {
  145523. 2, 121,
  145524. _vq_lengthlist__44u8_p7_1,
  145525. 1, -531365888, 1611661312, 4, 0,
  145526. _vq_quantlist__44u8_p7_1,
  145527. NULL,
  145528. &_vq_auxt__44u8_p7_1,
  145529. NULL,
  145530. 0
  145531. };
  145532. static long _vq_quantlist__44u8_p8_0[] = {
  145533. 7,
  145534. 6,
  145535. 8,
  145536. 5,
  145537. 9,
  145538. 4,
  145539. 10,
  145540. 3,
  145541. 11,
  145542. 2,
  145543. 12,
  145544. 1,
  145545. 13,
  145546. 0,
  145547. 14,
  145548. };
  145549. static long _vq_lengthlist__44u8_p8_0[] = {
  145550. 1, 4, 4, 7, 7, 8, 8, 8, 7, 9, 8,10, 9,11,10, 4,
  145551. 6, 6, 8, 8,10, 9, 9, 9,10,10,11,10,12,10, 4, 6,
  145552. 6, 8, 8,10,10, 9, 9,10,10,11,11,11,12, 7, 8, 8,
  145553. 10,10,11,11,11,10,12,11,12,12,13,11, 7, 8, 8,10,
  145554. 10,11,11,10,10,11,11,12,12,13,13, 8,10,10,11,11,
  145555. 12,11,12,11,13,12,13,12,14,13, 8,10, 9,11,11,12,
  145556. 12,12,12,12,12,13,13,14,13, 8, 9, 9,11,10,12,11,
  145557. 13,12,13,13,14,13,14,13, 8, 9, 9,10,11,12,12,12,
  145558. 12,13,13,14,15,14,14, 9,10,10,12,11,13,12,13,13,
  145559. 14,13,14,14,14,14, 9,10,10,12,12,12,12,13,13,14,
  145560. 14,14,15,14,14,10,11,11,13,12,13,12,14,14,14,14,
  145561. 14,14,15,15,10,11,11,12,12,13,13,14,14,14,15,15,
  145562. 14,16,15,11,12,12,13,12,14,14,14,13,15,14,15,15,
  145563. 15,17,11,12,12,13,13,14,14,14,15,15,14,15,15,14,
  145564. 17,
  145565. };
  145566. static float _vq_quantthresh__44u8_p8_0[] = {
  145567. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  145568. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  145569. };
  145570. static long _vq_quantmap__44u8_p8_0[] = {
  145571. 13, 11, 9, 7, 5, 3, 1, 0,
  145572. 2, 4, 6, 8, 10, 12, 14,
  145573. };
  145574. static encode_aux_threshmatch _vq_auxt__44u8_p8_0 = {
  145575. _vq_quantthresh__44u8_p8_0,
  145576. _vq_quantmap__44u8_p8_0,
  145577. 15,
  145578. 15
  145579. };
  145580. static static_codebook _44u8_p8_0 = {
  145581. 2, 225,
  145582. _vq_lengthlist__44u8_p8_0,
  145583. 1, -520986624, 1620377600, 4, 0,
  145584. _vq_quantlist__44u8_p8_0,
  145585. NULL,
  145586. &_vq_auxt__44u8_p8_0,
  145587. NULL,
  145588. 0
  145589. };
  145590. static long _vq_quantlist__44u8_p8_1[] = {
  145591. 10,
  145592. 9,
  145593. 11,
  145594. 8,
  145595. 12,
  145596. 7,
  145597. 13,
  145598. 6,
  145599. 14,
  145600. 5,
  145601. 15,
  145602. 4,
  145603. 16,
  145604. 3,
  145605. 17,
  145606. 2,
  145607. 18,
  145608. 1,
  145609. 19,
  145610. 0,
  145611. 20,
  145612. };
  145613. static long _vq_lengthlist__44u8_p8_1[] = {
  145614. 4, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9,
  145615. 9, 9, 9, 9, 9, 6, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,
  145616. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 5, 6, 6, 7, 7, 8,
  145617. 8, 9, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 7,
  145618. 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  145619. 9, 9, 9, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  145620. 9, 9, 9, 9, 9, 9, 9, 9, 9, 8, 8, 8, 8, 8, 9, 9,
  145621. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10, 9,10, 8, 8,
  145622. 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,10,
  145623. 10, 9,10, 8, 9, 8, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,
  145624. 10,10,10,10,10,10,10,10, 8, 9, 8, 9, 9, 9, 9, 9,
  145625. 9, 9, 9, 9, 9, 9,10,10,10,10, 9,10,10, 9, 9, 9,
  145626. 9, 9, 9, 9, 9, 9, 9, 9,10, 9,10,10,10,10,10,10,
  145627. 10,10, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,10,
  145628. 10,10,10,10,10,10,10, 9, 9, 9, 9, 9, 9, 9,10, 9,
  145629. 10,10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9,
  145630. 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,
  145631. 10, 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,
  145632. 10,10,10,10,10,10, 9, 9, 9, 9, 9, 9, 9,10,10,10,
  145633. 10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9,
  145634. 9, 9,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  145635. 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10,
  145636. 10,10,10,10,10, 9, 9, 9,10, 9,10,10,10,10,10,10,
  145637. 10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9,10,
  145638. 9,10,10,10,10,10,10,10,10,10,10,10,10,10,10, 9,
  145639. 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10,
  145640. 10,10,10,10, 9, 9, 9,10, 9,10, 9,10,10,10,10,10,
  145641. 10,10,10,10,10,10,10,10,10,
  145642. };
  145643. static float _vq_quantthresh__44u8_p8_1[] = {
  145644. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  145645. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  145646. 6.5, 7.5, 8.5, 9.5,
  145647. };
  145648. static long _vq_quantmap__44u8_p8_1[] = {
  145649. 19, 17, 15, 13, 11, 9, 7, 5,
  145650. 3, 1, 0, 2, 4, 6, 8, 10,
  145651. 12, 14, 16, 18, 20,
  145652. };
  145653. static encode_aux_threshmatch _vq_auxt__44u8_p8_1 = {
  145654. _vq_quantthresh__44u8_p8_1,
  145655. _vq_quantmap__44u8_p8_1,
  145656. 21,
  145657. 21
  145658. };
  145659. static static_codebook _44u8_p8_1 = {
  145660. 2, 441,
  145661. _vq_lengthlist__44u8_p8_1,
  145662. 1, -529268736, 1611661312, 5, 0,
  145663. _vq_quantlist__44u8_p8_1,
  145664. NULL,
  145665. &_vq_auxt__44u8_p8_1,
  145666. NULL,
  145667. 0
  145668. };
  145669. static long _vq_quantlist__44u8_p9_0[] = {
  145670. 4,
  145671. 3,
  145672. 5,
  145673. 2,
  145674. 6,
  145675. 1,
  145676. 7,
  145677. 0,
  145678. 8,
  145679. };
  145680. static long _vq_lengthlist__44u8_p9_0[] = {
  145681. 1, 3, 3, 9, 9, 9, 9, 9, 9, 4, 9, 9, 9, 9, 9, 9,
  145682. 9, 9, 5, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  145683. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  145684. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  145685. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 8, 8, 8,
  145686. 8,
  145687. };
  145688. static float _vq_quantthresh__44u8_p9_0[] = {
  145689. -3258.5, -2327.5, -1396.5, -465.5, 465.5, 1396.5, 2327.5, 3258.5,
  145690. };
  145691. static long _vq_quantmap__44u8_p9_0[] = {
  145692. 7, 5, 3, 1, 0, 2, 4, 6,
  145693. 8,
  145694. };
  145695. static encode_aux_threshmatch _vq_auxt__44u8_p9_0 = {
  145696. _vq_quantthresh__44u8_p9_0,
  145697. _vq_quantmap__44u8_p9_0,
  145698. 9,
  145699. 9
  145700. };
  145701. static static_codebook _44u8_p9_0 = {
  145702. 2, 81,
  145703. _vq_lengthlist__44u8_p9_0,
  145704. 1, -511895552, 1631393792, 4, 0,
  145705. _vq_quantlist__44u8_p9_0,
  145706. NULL,
  145707. &_vq_auxt__44u8_p9_0,
  145708. NULL,
  145709. 0
  145710. };
  145711. static long _vq_quantlist__44u8_p9_1[] = {
  145712. 9,
  145713. 8,
  145714. 10,
  145715. 7,
  145716. 11,
  145717. 6,
  145718. 12,
  145719. 5,
  145720. 13,
  145721. 4,
  145722. 14,
  145723. 3,
  145724. 15,
  145725. 2,
  145726. 16,
  145727. 1,
  145728. 17,
  145729. 0,
  145730. 18,
  145731. };
  145732. static long _vq_lengthlist__44u8_p9_1[] = {
  145733. 1, 4, 4, 7, 7, 8, 7, 8, 6, 9, 7,10, 8,11,10,11,
  145734. 11,11,11, 4, 7, 6, 9, 9,10, 9, 9, 9,10,10,11,10,
  145735. 11,10,11,11,13,11, 4, 7, 7, 9, 9, 9, 9, 9, 9,10,
  145736. 10,11,10,11,11,11,12,11,12, 7, 9, 8,11,11,11,11,
  145737. 10,10,11,11,12,12,12,12,12,12,14,13, 7, 8, 9,10,
  145738. 11,11,11,10,10,11,11,11,11,12,12,14,12,13,14, 8,
  145739. 9, 9,11,11,11,11,11,11,12,12,14,12,15,14,14,14,
  145740. 15,14, 8, 9, 9,11,11,11,11,12,11,12,12,13,13,13,
  145741. 13,13,13,14,14, 8, 9, 9,11,10,12,11,12,12,13,13,
  145742. 13,13,15,14,14,14,16,16, 8, 9, 9,10,11,11,12,12,
  145743. 12,13,13,13,14,14,14,15,16,15,15, 9,10,10,11,12,
  145744. 12,13,13,13,14,14,16,14,14,16,16,16,16,15, 9,10,
  145745. 10,11,11,12,13,13,14,15,14,16,14,15,16,16,16,16,
  145746. 15,10,11,11,12,13,13,14,15,15,15,15,15,16,15,16,
  145747. 15,16,15,15,10,11,11,13,13,14,13,13,15,14,15,15,
  145748. 16,15,15,15,16,15,16,10,12,12,14,14,14,14,14,16,
  145749. 16,15,15,15,16,16,16,16,16,16,11,12,12,14,14,14,
  145750. 14,15,15,16,15,16,15,16,15,16,16,16,16,12,12,13,
  145751. 14,14,15,16,16,16,16,16,16,15,16,16,16,16,16,16,
  145752. 12,13,13,14,14,14,14,15,16,15,16,16,16,16,16,16,
  145753. 16,16,16,12,13,14,14,14,16,15,16,15,16,16,16,16,
  145754. 16,16,16,16,16,16,12,14,13,14,15,15,15,16,15,16,
  145755. 16,15,16,16,16,16,16,16,16,
  145756. };
  145757. static float _vq_quantthresh__44u8_p9_1[] = {
  145758. -416.5, -367.5, -318.5, -269.5, -220.5, -171.5, -122.5, -73.5,
  145759. -24.5, 24.5, 73.5, 122.5, 171.5, 220.5, 269.5, 318.5,
  145760. 367.5, 416.5,
  145761. };
  145762. static long _vq_quantmap__44u8_p9_1[] = {
  145763. 17, 15, 13, 11, 9, 7, 5, 3,
  145764. 1, 0, 2, 4, 6, 8, 10, 12,
  145765. 14, 16, 18,
  145766. };
  145767. static encode_aux_threshmatch _vq_auxt__44u8_p9_1 = {
  145768. _vq_quantthresh__44u8_p9_1,
  145769. _vq_quantmap__44u8_p9_1,
  145770. 19,
  145771. 19
  145772. };
  145773. static static_codebook _44u8_p9_1 = {
  145774. 2, 361,
  145775. _vq_lengthlist__44u8_p9_1,
  145776. 1, -518287360, 1622704128, 5, 0,
  145777. _vq_quantlist__44u8_p9_1,
  145778. NULL,
  145779. &_vq_auxt__44u8_p9_1,
  145780. NULL,
  145781. 0
  145782. };
  145783. static long _vq_quantlist__44u8_p9_2[] = {
  145784. 24,
  145785. 23,
  145786. 25,
  145787. 22,
  145788. 26,
  145789. 21,
  145790. 27,
  145791. 20,
  145792. 28,
  145793. 19,
  145794. 29,
  145795. 18,
  145796. 30,
  145797. 17,
  145798. 31,
  145799. 16,
  145800. 32,
  145801. 15,
  145802. 33,
  145803. 14,
  145804. 34,
  145805. 13,
  145806. 35,
  145807. 12,
  145808. 36,
  145809. 11,
  145810. 37,
  145811. 10,
  145812. 38,
  145813. 9,
  145814. 39,
  145815. 8,
  145816. 40,
  145817. 7,
  145818. 41,
  145819. 6,
  145820. 42,
  145821. 5,
  145822. 43,
  145823. 4,
  145824. 44,
  145825. 3,
  145826. 45,
  145827. 2,
  145828. 46,
  145829. 1,
  145830. 47,
  145831. 0,
  145832. 48,
  145833. };
  145834. static long _vq_lengthlist__44u8_p9_2[] = {
  145835. 2, 3, 4, 5, 5, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 6,
  145836. 6, 6, 6, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  145837. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  145838. 7,
  145839. };
  145840. static float _vq_quantthresh__44u8_p9_2[] = {
  145841. -23.5, -22.5, -21.5, -20.5, -19.5, -18.5, -17.5, -16.5,
  145842. -15.5, -14.5, -13.5, -12.5, -11.5, -10.5, -9.5, -8.5,
  145843. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  145844. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  145845. 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5,
  145846. 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5,
  145847. };
  145848. static long _vq_quantmap__44u8_p9_2[] = {
  145849. 47, 45, 43, 41, 39, 37, 35, 33,
  145850. 31, 29, 27, 25, 23, 21, 19, 17,
  145851. 15, 13, 11, 9, 7, 5, 3, 1,
  145852. 0, 2, 4, 6, 8, 10, 12, 14,
  145853. 16, 18, 20, 22, 24, 26, 28, 30,
  145854. 32, 34, 36, 38, 40, 42, 44, 46,
  145855. 48,
  145856. };
  145857. static encode_aux_threshmatch _vq_auxt__44u8_p9_2 = {
  145858. _vq_quantthresh__44u8_p9_2,
  145859. _vq_quantmap__44u8_p9_2,
  145860. 49,
  145861. 49
  145862. };
  145863. static static_codebook _44u8_p9_2 = {
  145864. 1, 49,
  145865. _vq_lengthlist__44u8_p9_2,
  145866. 1, -526909440, 1611661312, 6, 0,
  145867. _vq_quantlist__44u8_p9_2,
  145868. NULL,
  145869. &_vq_auxt__44u8_p9_2,
  145870. NULL,
  145871. 0
  145872. };
  145873. static long _huff_lengthlist__44u9__long[] = {
  145874. 3, 9,13,13,14,15,14,14,15,15, 5, 5, 9,10,12,12,
  145875. 13,14,16,15,10, 6, 6, 6, 8,11,12,13,16,15,11, 7,
  145876. 5, 3, 5, 8,10,12,15,15,10,10, 7, 4, 3, 5, 8,10,
  145877. 12,12,12,12, 9, 7, 5, 4, 6, 8,10,13,13,12,11, 9,
  145878. 7, 5, 5, 6, 9,12,14,12,12,10, 8, 6, 6, 6, 7,11,
  145879. 13,12,14,13,10, 8, 7, 7, 7,10,11,11,12,13,12,11,
  145880. 10, 8, 8, 9,
  145881. };
  145882. static static_codebook _huff_book__44u9__long = {
  145883. 2, 100,
  145884. _huff_lengthlist__44u9__long,
  145885. 0, 0, 0, 0, 0,
  145886. NULL,
  145887. NULL,
  145888. NULL,
  145889. NULL,
  145890. 0
  145891. };
  145892. static long _huff_lengthlist__44u9__short[] = {
  145893. 9,16,18,18,17,17,17,17,17,17, 5, 8,11,12,11,12,
  145894. 17,17,16,16, 6, 6, 8, 8, 9,10,14,15,16,16, 6, 7,
  145895. 7, 4, 6, 9,13,16,16,16, 6, 6, 7, 4, 5, 8,11,15,
  145896. 17,16, 7, 6, 7, 6, 6, 8, 9,10,14,16,11, 8, 8, 7,
  145897. 6, 6, 3, 4,10,15,14,12,12,10, 5, 6, 3, 3, 8,13,
  145898. 15,17,15,11, 6, 8, 6, 6, 9,14,17,15,15,12, 8,10,
  145899. 9, 9,12,15,
  145900. };
  145901. static static_codebook _huff_book__44u9__short = {
  145902. 2, 100,
  145903. _huff_lengthlist__44u9__short,
  145904. 0, 0, 0, 0, 0,
  145905. NULL,
  145906. NULL,
  145907. NULL,
  145908. NULL,
  145909. 0
  145910. };
  145911. static long _vq_quantlist__44u9_p1_0[] = {
  145912. 1,
  145913. 0,
  145914. 2,
  145915. };
  145916. static long _vq_lengthlist__44u9_p1_0[] = {
  145917. 1, 5, 5, 5, 7, 7, 5, 7, 7, 5, 7, 7, 7, 9, 9, 7,
  145918. 9, 9, 5, 7, 7, 7, 9, 9, 7, 9, 9, 5, 7, 7, 7, 9,
  145919. 9, 7, 9, 9, 8, 9, 9, 9,10,11, 9,11,11, 7, 9, 9,
  145920. 9,11,10, 9,11,11, 5, 7, 7, 7, 9, 9, 8, 9,10, 7,
  145921. 9, 9, 9,11,11, 9,10,11, 7, 9,10, 9,11,11, 9,11,
  145922. 10,
  145923. };
  145924. static float _vq_quantthresh__44u9_p1_0[] = {
  145925. -0.5, 0.5,
  145926. };
  145927. static long _vq_quantmap__44u9_p1_0[] = {
  145928. 1, 0, 2,
  145929. };
  145930. static encode_aux_threshmatch _vq_auxt__44u9_p1_0 = {
  145931. _vq_quantthresh__44u9_p1_0,
  145932. _vq_quantmap__44u9_p1_0,
  145933. 3,
  145934. 3
  145935. };
  145936. static static_codebook _44u9_p1_0 = {
  145937. 4, 81,
  145938. _vq_lengthlist__44u9_p1_0,
  145939. 1, -535822336, 1611661312, 2, 0,
  145940. _vq_quantlist__44u9_p1_0,
  145941. NULL,
  145942. &_vq_auxt__44u9_p1_0,
  145943. NULL,
  145944. 0
  145945. };
  145946. static long _vq_quantlist__44u9_p2_0[] = {
  145947. 2,
  145948. 1,
  145949. 3,
  145950. 0,
  145951. 4,
  145952. };
  145953. static long _vq_lengthlist__44u9_p2_0[] = {
  145954. 3, 5, 5, 8, 8, 5, 7, 7, 9, 9, 6, 7, 7, 9, 9, 8,
  145955. 9, 9,11,10, 8, 9, 9,11,11, 6, 7, 7, 9, 9, 7, 8,
  145956. 8,10,10, 7, 8, 8, 9,10, 9,10,10,11,11, 9, 9,10,
  145957. 11,11, 6, 7, 7, 9, 9, 7, 8, 8,10, 9, 7, 8, 8,10,
  145958. 10, 9,10, 9,11,11, 9,10,10,11,11, 8, 9, 9,11,11,
  145959. 9,10,10,12,11, 9,10,10,11,12,11,11,11,13,13,11,
  145960. 11,11,12,13, 8, 9, 9,11,11, 9,10,10,11,11, 9,10,
  145961. 10,12,11,11,12,11,13,12,11,11,12,13,13, 6, 7, 7,
  145962. 9, 9, 7, 8, 8,10,10, 7, 8, 8,10,10, 9,10,10,12,
  145963. 11, 9,10,10,11,12, 7, 8, 8,10,10, 8, 9, 9,11,11,
  145964. 8, 9, 9,10,10,10,11,11,12,12,10,10,11,12,12, 7,
  145965. 8, 8,10,10, 8, 9, 8,10,10, 8, 9, 9,10,10,10,11,
  145966. 10,12,11,10,10,11,12,12, 9,10,10,11,12,10,11,11,
  145967. 12,12,10,11,10,12,12,12,12,12,13,13,11,12,12,13,
  145968. 13, 9,10,10,11,11, 9,10,10,12,12,10,11,11,12,13,
  145969. 11,12,11,13,12,12,12,12,13,14, 6, 7, 7, 9, 9, 7,
  145970. 8, 8,10,10, 7, 8, 8,10,10, 9,10,10,11,11, 9,10,
  145971. 10,11,12, 7, 8, 8,10,10, 8, 9, 9,11,10, 8, 8, 9,
  145972. 10,10,10,11,10,12,12,10,10,11,11,12, 7, 8, 8,10,
  145973. 10, 8, 9, 9,10,10, 8, 9, 9,10,10,10,11,10,12,12,
  145974. 10,11,10,12,12, 9,10,10,12,11,10,11,11,12,12, 9,
  145975. 10,10,12,12,12,12,12,13,13,11,11,12,12,14, 9,10,
  145976. 10,11,12,10,11,11,12,12,10,11,11,12,12,11,12,12,
  145977. 14,14,12,12,12,13,13, 8, 9, 9,11,11, 9,10,10,12,
  145978. 11, 9,10,10,12,12,11,12,11,13,13,11,11,12,13,13,
  145979. 9,10,10,12,12,10,11,11,12,12,10,11,11,12,12,12,
  145980. 12,12,14,14,12,12,12,13,13, 9,10,10,12,11,10,11,
  145981. 10,12,12,10,11,11,12,12,11,12,12,14,13,12,12,12,
  145982. 13,14,11,12,11,13,13,11,12,12,13,13,12,12,12,14,
  145983. 14,13,13,13,13,15,13,13,14,15,15,11,11,11,13,13,
  145984. 11,12,11,13,13,11,12,12,13,13,12,13,12,15,13,13,
  145985. 13,14,14,15, 8, 9, 9,11,11, 9,10,10,11,12, 9,10,
  145986. 10,11,12,11,12,11,13,13,11,12,12,13,13, 9,10,10,
  145987. 11,12,10,11,10,12,12,10,10,11,12,13,12,12,12,14,
  145988. 13,11,12,12,13,14, 9,10,10,12,12,10,11,11,12,12,
  145989. 10,11,11,12,12,12,12,12,14,13,12,12,12,14,13,11,
  145990. 11,11,13,13,11,12,12,14,13,11,11,12,13,13,13,13,
  145991. 13,15,14,12,12,13,13,15,11,12,12,13,13,12,12,12,
  145992. 13,14,11,12,12,13,13,13,13,14,14,15,13,13,13,14,
  145993. 14,
  145994. };
  145995. static float _vq_quantthresh__44u9_p2_0[] = {
  145996. -1.5, -0.5, 0.5, 1.5,
  145997. };
  145998. static long _vq_quantmap__44u9_p2_0[] = {
  145999. 3, 1, 0, 2, 4,
  146000. };
  146001. static encode_aux_threshmatch _vq_auxt__44u9_p2_0 = {
  146002. _vq_quantthresh__44u9_p2_0,
  146003. _vq_quantmap__44u9_p2_0,
  146004. 5,
  146005. 5
  146006. };
  146007. static static_codebook _44u9_p2_0 = {
  146008. 4, 625,
  146009. _vq_lengthlist__44u9_p2_0,
  146010. 1, -533725184, 1611661312, 3, 0,
  146011. _vq_quantlist__44u9_p2_0,
  146012. NULL,
  146013. &_vq_auxt__44u9_p2_0,
  146014. NULL,
  146015. 0
  146016. };
  146017. static long _vq_quantlist__44u9_p3_0[] = {
  146018. 4,
  146019. 3,
  146020. 5,
  146021. 2,
  146022. 6,
  146023. 1,
  146024. 7,
  146025. 0,
  146026. 8,
  146027. };
  146028. static long _vq_lengthlist__44u9_p3_0[] = {
  146029. 3, 4, 4, 5, 5, 7, 7, 8, 8, 4, 5, 5, 6, 6, 7, 7,
  146030. 9, 9, 4, 4, 5, 6, 6, 7, 7, 9, 9, 5, 6, 6, 7, 7,
  146031. 8, 8, 9, 9, 5, 6, 6, 7, 7, 8, 8, 9, 9, 7, 7, 7,
  146032. 8, 8, 9, 9,10,10, 7, 7, 7, 8, 8, 9, 9,10,10, 8,
  146033. 9, 9,10, 9,10,10,11,11, 8, 9, 9, 9,10,10,10,11,
  146034. 11,
  146035. };
  146036. static float _vq_quantthresh__44u9_p3_0[] = {
  146037. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  146038. };
  146039. static long _vq_quantmap__44u9_p3_0[] = {
  146040. 7, 5, 3, 1, 0, 2, 4, 6,
  146041. 8,
  146042. };
  146043. static encode_aux_threshmatch _vq_auxt__44u9_p3_0 = {
  146044. _vq_quantthresh__44u9_p3_0,
  146045. _vq_quantmap__44u9_p3_0,
  146046. 9,
  146047. 9
  146048. };
  146049. static static_codebook _44u9_p3_0 = {
  146050. 2, 81,
  146051. _vq_lengthlist__44u9_p3_0,
  146052. 1, -531628032, 1611661312, 4, 0,
  146053. _vq_quantlist__44u9_p3_0,
  146054. NULL,
  146055. &_vq_auxt__44u9_p3_0,
  146056. NULL,
  146057. 0
  146058. };
  146059. static long _vq_quantlist__44u9_p4_0[] = {
  146060. 8,
  146061. 7,
  146062. 9,
  146063. 6,
  146064. 10,
  146065. 5,
  146066. 11,
  146067. 4,
  146068. 12,
  146069. 3,
  146070. 13,
  146071. 2,
  146072. 14,
  146073. 1,
  146074. 15,
  146075. 0,
  146076. 16,
  146077. };
  146078. static long _vq_lengthlist__44u9_p4_0[] = {
  146079. 4, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,11,
  146080. 11, 5, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,
  146081. 11,11, 5, 5, 5, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,
  146082. 10,11,11, 6, 6, 6, 7, 6, 7, 7, 8, 8, 9, 9,10,10,
  146083. 11,11,12,11, 6, 6, 6, 6, 7, 7, 7, 8, 8, 9, 9,10,
  146084. 10,11,11,11,12, 7, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9,
  146085. 10,10,11,11,12,12, 7, 7, 7, 7, 7, 8, 8, 9, 9, 9,
  146086. 9,10,10,11,11,12,12, 8, 8, 8, 8, 8, 9, 8,10, 9,
  146087. 10,10,11,10,12,11,13,12, 8, 8, 8, 8, 8, 9, 9, 9,
  146088. 10,10,10,10,11,11,12,12,12, 8, 8, 8, 9, 9, 9, 9,
  146089. 10,10,11,10,12,11,12,12,13,12, 8, 8, 8, 9, 9, 9,
  146090. 9,10,10,10,11,11,11,12,12,12,13, 9, 9, 9,10,10,
  146091. 10,10,11,10,11,11,12,11,13,12,13,13, 9, 9,10,10,
  146092. 10,10,10,10,11,11,11,11,12,12,13,13,13,10,11,10,
  146093. 11,11,11,11,12,11,12,12,13,12,13,13,14,13,10,10,
  146094. 10,11,11,11,11,11,12,12,12,12,13,13,13,13,14,11,
  146095. 11,11,12,11,12,12,12,12,13,13,13,13,14,13,14,14,
  146096. 11,11,11,11,12,12,12,12,12,12,13,13,13,13,14,14,
  146097. 14,
  146098. };
  146099. static float _vq_quantthresh__44u9_p4_0[] = {
  146100. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  146101. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  146102. };
  146103. static long _vq_quantmap__44u9_p4_0[] = {
  146104. 15, 13, 11, 9, 7, 5, 3, 1,
  146105. 0, 2, 4, 6, 8, 10, 12, 14,
  146106. 16,
  146107. };
  146108. static encode_aux_threshmatch _vq_auxt__44u9_p4_0 = {
  146109. _vq_quantthresh__44u9_p4_0,
  146110. _vq_quantmap__44u9_p4_0,
  146111. 17,
  146112. 17
  146113. };
  146114. static static_codebook _44u9_p4_0 = {
  146115. 2, 289,
  146116. _vq_lengthlist__44u9_p4_0,
  146117. 1, -529530880, 1611661312, 5, 0,
  146118. _vq_quantlist__44u9_p4_0,
  146119. NULL,
  146120. &_vq_auxt__44u9_p4_0,
  146121. NULL,
  146122. 0
  146123. };
  146124. static long _vq_quantlist__44u9_p5_0[] = {
  146125. 1,
  146126. 0,
  146127. 2,
  146128. };
  146129. static long _vq_lengthlist__44u9_p5_0[] = {
  146130. 1, 4, 4, 5, 7, 7, 5, 7, 7, 5, 8, 8, 8, 9, 9, 7,
  146131. 9, 9, 5, 8, 8, 7, 9, 9, 8, 9, 9, 5, 8, 8, 8,10,
  146132. 10, 8,10,10, 7,10,10, 9,10,12, 9,11,11, 7,10,10,
  146133. 9,11,10, 9,11,12, 5, 8, 8, 8,10,10, 8,10,10, 7,
  146134. 10,10, 9,12,11, 9,10,11, 7,10,10, 9,11,11,10,12,
  146135. 10,
  146136. };
  146137. static float _vq_quantthresh__44u9_p5_0[] = {
  146138. -5.5, 5.5,
  146139. };
  146140. static long _vq_quantmap__44u9_p5_0[] = {
  146141. 1, 0, 2,
  146142. };
  146143. static encode_aux_threshmatch _vq_auxt__44u9_p5_0 = {
  146144. _vq_quantthresh__44u9_p5_0,
  146145. _vq_quantmap__44u9_p5_0,
  146146. 3,
  146147. 3
  146148. };
  146149. static static_codebook _44u9_p5_0 = {
  146150. 4, 81,
  146151. _vq_lengthlist__44u9_p5_0,
  146152. 1, -529137664, 1618345984, 2, 0,
  146153. _vq_quantlist__44u9_p5_0,
  146154. NULL,
  146155. &_vq_auxt__44u9_p5_0,
  146156. NULL,
  146157. 0
  146158. };
  146159. static long _vq_quantlist__44u9_p5_1[] = {
  146160. 5,
  146161. 4,
  146162. 6,
  146163. 3,
  146164. 7,
  146165. 2,
  146166. 8,
  146167. 1,
  146168. 9,
  146169. 0,
  146170. 10,
  146171. };
  146172. static long _vq_lengthlist__44u9_p5_1[] = {
  146173. 5, 5, 5, 6, 6, 7, 7, 7, 7, 7, 7, 5, 6, 6, 6, 6,
  146174. 7, 7, 7, 7, 8, 7, 5, 6, 6, 6, 6, 7, 7, 7, 7, 7,
  146175. 7, 6, 6, 6, 7, 7, 7, 7, 7, 7, 8, 8, 6, 6, 6, 7,
  146176. 7, 7, 7, 7, 7, 8, 8, 7, 7, 7, 7, 7, 8, 7, 8, 8,
  146177. 8, 8, 7, 7, 7, 7, 7, 7, 8, 8, 8, 8, 8, 7, 7, 7,
  146178. 8, 7, 8, 8, 8, 8, 8, 8, 7, 7, 7, 7, 8, 8, 8, 8,
  146179. 8, 8, 8, 7, 8, 7, 8, 8, 8, 8, 8, 8, 8, 8, 7, 8,
  146180. 8, 8, 8, 8, 8, 8, 8, 8, 8,
  146181. };
  146182. static float _vq_quantthresh__44u9_p5_1[] = {
  146183. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  146184. 3.5, 4.5,
  146185. };
  146186. static long _vq_quantmap__44u9_p5_1[] = {
  146187. 9, 7, 5, 3, 1, 0, 2, 4,
  146188. 6, 8, 10,
  146189. };
  146190. static encode_aux_threshmatch _vq_auxt__44u9_p5_1 = {
  146191. _vq_quantthresh__44u9_p5_1,
  146192. _vq_quantmap__44u9_p5_1,
  146193. 11,
  146194. 11
  146195. };
  146196. static static_codebook _44u9_p5_1 = {
  146197. 2, 121,
  146198. _vq_lengthlist__44u9_p5_1,
  146199. 1, -531365888, 1611661312, 4, 0,
  146200. _vq_quantlist__44u9_p5_1,
  146201. NULL,
  146202. &_vq_auxt__44u9_p5_1,
  146203. NULL,
  146204. 0
  146205. };
  146206. static long _vq_quantlist__44u9_p6_0[] = {
  146207. 6,
  146208. 5,
  146209. 7,
  146210. 4,
  146211. 8,
  146212. 3,
  146213. 9,
  146214. 2,
  146215. 10,
  146216. 1,
  146217. 11,
  146218. 0,
  146219. 12,
  146220. };
  146221. static long _vq_lengthlist__44u9_p6_0[] = {
  146222. 2, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9,10,10, 4, 6, 5,
  146223. 7, 7, 8, 8, 8, 8, 9, 9,10,10, 4, 5, 6, 7, 7, 8,
  146224. 8, 8, 8, 9, 9,10,10, 6, 7, 7, 8, 8, 8, 8, 9, 9,
  146225. 10,10,10,10, 6, 7, 7, 8, 8, 8, 8, 9, 9,10,10,10,
  146226. 10, 7, 8, 8, 8, 8, 9, 9, 9, 9,10,10,11,11, 7, 8,
  146227. 8, 8, 8, 9, 9, 9, 9,10,10,11,11, 8, 8, 8, 9, 9,
  146228. 9, 9, 9,10,10,10,11,11, 8, 8, 8, 9, 9, 9, 9,10,
  146229. 9,10,10,11,11, 9, 9, 9,10,10,10,10,10,11,11,11,
  146230. 11,12, 9, 9, 9,10,10,10,10,10,10,11,10,12,11,10,
  146231. 10,10,10,10,11,11,11,11,11,12,12,12,10,10,10,10,
  146232. 10,11,11,11,11,12,11,12,12,
  146233. };
  146234. static float _vq_quantthresh__44u9_p6_0[] = {
  146235. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  146236. 12.5, 17.5, 22.5, 27.5,
  146237. };
  146238. static long _vq_quantmap__44u9_p6_0[] = {
  146239. 11, 9, 7, 5, 3, 1, 0, 2,
  146240. 4, 6, 8, 10, 12,
  146241. };
  146242. static encode_aux_threshmatch _vq_auxt__44u9_p6_0 = {
  146243. _vq_quantthresh__44u9_p6_0,
  146244. _vq_quantmap__44u9_p6_0,
  146245. 13,
  146246. 13
  146247. };
  146248. static static_codebook _44u9_p6_0 = {
  146249. 2, 169,
  146250. _vq_lengthlist__44u9_p6_0,
  146251. 1, -526516224, 1616117760, 4, 0,
  146252. _vq_quantlist__44u9_p6_0,
  146253. NULL,
  146254. &_vq_auxt__44u9_p6_0,
  146255. NULL,
  146256. 0
  146257. };
  146258. static long _vq_quantlist__44u9_p6_1[] = {
  146259. 2,
  146260. 1,
  146261. 3,
  146262. 0,
  146263. 4,
  146264. };
  146265. static long _vq_lengthlist__44u9_p6_1[] = {
  146266. 4, 4, 4, 5, 5, 4, 5, 4, 5, 5, 4, 4, 5, 5, 5, 5,
  146267. 5, 5, 5, 5, 5, 5, 5, 5, 5,
  146268. };
  146269. static float _vq_quantthresh__44u9_p6_1[] = {
  146270. -1.5, -0.5, 0.5, 1.5,
  146271. };
  146272. static long _vq_quantmap__44u9_p6_1[] = {
  146273. 3, 1, 0, 2, 4,
  146274. };
  146275. static encode_aux_threshmatch _vq_auxt__44u9_p6_1 = {
  146276. _vq_quantthresh__44u9_p6_1,
  146277. _vq_quantmap__44u9_p6_1,
  146278. 5,
  146279. 5
  146280. };
  146281. static static_codebook _44u9_p6_1 = {
  146282. 2, 25,
  146283. _vq_lengthlist__44u9_p6_1,
  146284. 1, -533725184, 1611661312, 3, 0,
  146285. _vq_quantlist__44u9_p6_1,
  146286. NULL,
  146287. &_vq_auxt__44u9_p6_1,
  146288. NULL,
  146289. 0
  146290. };
  146291. static long _vq_quantlist__44u9_p7_0[] = {
  146292. 6,
  146293. 5,
  146294. 7,
  146295. 4,
  146296. 8,
  146297. 3,
  146298. 9,
  146299. 2,
  146300. 10,
  146301. 1,
  146302. 11,
  146303. 0,
  146304. 12,
  146305. };
  146306. static long _vq_lengthlist__44u9_p7_0[] = {
  146307. 1, 4, 5, 6, 6, 7, 7, 8, 9,10,10,11,11, 5, 6, 6,
  146308. 7, 7, 8, 8, 9, 9,10,10,11,11, 5, 6, 6, 7, 7, 8,
  146309. 8, 9, 9,10,10,11,11, 6, 7, 7, 8, 8, 9, 9,10,10,
  146310. 11,11,12,12, 6, 7, 7, 8, 8, 9, 9,10,10,11,11,12,
  146311. 12, 8, 8, 8, 9, 9,10,10,11,11,12,12,13,13, 8, 8,
  146312. 8, 9, 9,10,10,11,11,12,12,13,13, 9, 9, 9,10,10,
  146313. 11,11,12,12,13,13,13,13, 9, 9, 9,10,10,11,11,12,
  146314. 12,13,13,14,14,10,10,10,11,11,12,12,13,13,14,13,
  146315. 15,14,10,10,10,11,11,12,12,13,13,14,14,14,14,11,
  146316. 11,12,12,12,13,13,14,14,14,14,15,15,11,11,12,12,
  146317. 12,13,13,14,14,14,15,15,15,
  146318. };
  146319. static float _vq_quantthresh__44u9_p7_0[] = {
  146320. -60.5, -49.5, -38.5, -27.5, -16.5, -5.5, 5.5, 16.5,
  146321. 27.5, 38.5, 49.5, 60.5,
  146322. };
  146323. static long _vq_quantmap__44u9_p7_0[] = {
  146324. 11, 9, 7, 5, 3, 1, 0, 2,
  146325. 4, 6, 8, 10, 12,
  146326. };
  146327. static encode_aux_threshmatch _vq_auxt__44u9_p7_0 = {
  146328. _vq_quantthresh__44u9_p7_0,
  146329. _vq_quantmap__44u9_p7_0,
  146330. 13,
  146331. 13
  146332. };
  146333. static static_codebook _44u9_p7_0 = {
  146334. 2, 169,
  146335. _vq_lengthlist__44u9_p7_0,
  146336. 1, -523206656, 1618345984, 4, 0,
  146337. _vq_quantlist__44u9_p7_0,
  146338. NULL,
  146339. &_vq_auxt__44u9_p7_0,
  146340. NULL,
  146341. 0
  146342. };
  146343. static long _vq_quantlist__44u9_p7_1[] = {
  146344. 5,
  146345. 4,
  146346. 6,
  146347. 3,
  146348. 7,
  146349. 2,
  146350. 8,
  146351. 1,
  146352. 9,
  146353. 0,
  146354. 10,
  146355. };
  146356. static long _vq_lengthlist__44u9_p7_1[] = {
  146357. 5, 6, 6, 7, 7, 7, 7, 7, 7, 7, 7, 6, 6, 6, 7, 7,
  146358. 7, 7, 7, 7, 7, 7, 6, 6, 6, 7, 7, 7, 7, 7, 7, 7,
  146359. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 6, 7, 7, 7,
  146360. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  146361. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  146362. 7, 7, 7, 7, 8, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  146363. 7, 8, 8, 7, 7, 7, 7, 7, 7, 7, 8, 7, 8, 8, 7, 7,
  146364. 7, 7, 7, 7, 7, 8, 8, 8, 8,
  146365. };
  146366. static float _vq_quantthresh__44u9_p7_1[] = {
  146367. -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5,
  146368. 3.5, 4.5,
  146369. };
  146370. static long _vq_quantmap__44u9_p7_1[] = {
  146371. 9, 7, 5, 3, 1, 0, 2, 4,
  146372. 6, 8, 10,
  146373. };
  146374. static encode_aux_threshmatch _vq_auxt__44u9_p7_1 = {
  146375. _vq_quantthresh__44u9_p7_1,
  146376. _vq_quantmap__44u9_p7_1,
  146377. 11,
  146378. 11
  146379. };
  146380. static static_codebook _44u9_p7_1 = {
  146381. 2, 121,
  146382. _vq_lengthlist__44u9_p7_1,
  146383. 1, -531365888, 1611661312, 4, 0,
  146384. _vq_quantlist__44u9_p7_1,
  146385. NULL,
  146386. &_vq_auxt__44u9_p7_1,
  146387. NULL,
  146388. 0
  146389. };
  146390. static long _vq_quantlist__44u9_p8_0[] = {
  146391. 7,
  146392. 6,
  146393. 8,
  146394. 5,
  146395. 9,
  146396. 4,
  146397. 10,
  146398. 3,
  146399. 11,
  146400. 2,
  146401. 12,
  146402. 1,
  146403. 13,
  146404. 0,
  146405. 14,
  146406. };
  146407. static long _vq_lengthlist__44u9_p8_0[] = {
  146408. 1, 4, 4, 7, 7, 8, 8, 8, 8, 9, 9,10, 9,11,10, 4,
  146409. 6, 6, 8, 8, 9, 9, 9, 9,10,10,11,10,12,10, 4, 6,
  146410. 6, 8, 8, 9,10, 9, 9,10,10,11,11,12,12, 7, 8, 8,
  146411. 10,10,11,11,10,10,11,11,12,12,13,12, 7, 8, 8,10,
  146412. 10,11,11,10,10,11,11,12,12,12,13, 8,10, 9,11,11,
  146413. 12,12,11,11,12,12,13,13,14,13, 8, 9, 9,11,11,12,
  146414. 12,11,12,12,12,13,13,14,13, 8, 9, 9,10,10,12,11,
  146415. 13,12,13,13,14,13,15,14, 8, 9, 9,10,10,11,12,12,
  146416. 12,13,13,13,14,14,14, 9,10,10,12,11,13,12,13,13,
  146417. 14,13,14,14,14,15, 9,10,10,11,12,12,12,13,13,14,
  146418. 14,14,15,15,15,10,11,11,12,12,13,13,14,14,14,14,
  146419. 15,14,16,15,10,11,11,12,12,13,13,13,14,14,14,14,
  146420. 14,15,16,11,12,12,13,13,14,13,14,14,15,14,15,16,
  146421. 16,16,11,12,12,13,13,14,13,14,14,15,15,15,16,15,
  146422. 15,
  146423. };
  146424. static float _vq_quantthresh__44u9_p8_0[] = {
  146425. -136.5, -115.5, -94.5, -73.5, -52.5, -31.5, -10.5, 10.5,
  146426. 31.5, 52.5, 73.5, 94.5, 115.5, 136.5,
  146427. };
  146428. static long _vq_quantmap__44u9_p8_0[] = {
  146429. 13, 11, 9, 7, 5, 3, 1, 0,
  146430. 2, 4, 6, 8, 10, 12, 14,
  146431. };
  146432. static encode_aux_threshmatch _vq_auxt__44u9_p8_0 = {
  146433. _vq_quantthresh__44u9_p8_0,
  146434. _vq_quantmap__44u9_p8_0,
  146435. 15,
  146436. 15
  146437. };
  146438. static static_codebook _44u9_p8_0 = {
  146439. 2, 225,
  146440. _vq_lengthlist__44u9_p8_0,
  146441. 1, -520986624, 1620377600, 4, 0,
  146442. _vq_quantlist__44u9_p8_0,
  146443. NULL,
  146444. &_vq_auxt__44u9_p8_0,
  146445. NULL,
  146446. 0
  146447. };
  146448. static long _vq_quantlist__44u9_p8_1[] = {
  146449. 10,
  146450. 9,
  146451. 11,
  146452. 8,
  146453. 12,
  146454. 7,
  146455. 13,
  146456. 6,
  146457. 14,
  146458. 5,
  146459. 15,
  146460. 4,
  146461. 16,
  146462. 3,
  146463. 17,
  146464. 2,
  146465. 18,
  146466. 1,
  146467. 19,
  146468. 0,
  146469. 20,
  146470. };
  146471. static long _vq_lengthlist__44u9_p8_1[] = {
  146472. 4, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9,
  146473. 9, 9, 9, 9, 9, 6, 6, 6, 7, 7, 8, 8, 8, 8, 9, 9,
  146474. 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 6, 6, 6, 7, 7, 8,
  146475. 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 7,
  146476. 7, 7, 8, 8, 8, 8, 9, 8, 9, 9, 9, 9, 9, 9, 9, 9,
  146477. 9, 9, 9, 9, 7, 7, 7, 8, 8, 8, 8, 9, 9, 9, 9, 9,
  146478. 9, 9, 9, 9, 9, 9, 9, 9, 9, 8, 8, 8, 8, 8, 9, 9,
  146479. 9, 9, 9, 9, 9, 9, 9, 9, 9,10, 9,10,10,10, 8, 8,
  146480. 8, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  146481. 9,10,10, 8, 8, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  146482. 10, 9,10, 9,10,10,10,10, 8, 8, 8, 9, 9, 9, 9, 9,
  146483. 9, 9, 9, 9, 9,10,10, 9,10,10,10,10,10, 9, 9, 9,
  146484. 9, 9, 9, 9, 9, 9, 9, 9,10, 9,10,10,10,10,10,10,
  146485. 10,10, 8, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9,10,10,10,
  146486. 10,10,10,10,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9, 9,
  146487. 9, 9,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9,
  146488. 9, 9, 9, 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,
  146489. 10, 9, 9, 9, 9, 9, 9, 9,10, 9,10,10,10,10,10,10,
  146490. 10,10,10,10,10,10, 9, 9, 9, 9, 9, 9, 9, 9,10,10,
  146491. 10,10,10,10,10,10,10,10,10,10,10, 9, 9, 9, 9, 9,
  146492. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  146493. 9, 9, 9, 9,10, 9, 9,10,10,10,10,10,10,10,10,10,
  146494. 10,10,10,10,10, 9, 9, 9,10, 9,10, 9,10,10,10,10,
  146495. 10,10,10,10,10,10,10,10,10,10, 9, 9, 9,10, 9,10,
  146496. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10, 9,
  146497. 9, 9, 9, 9,10,10,10,10,10,10,10,10,10,10,10,10,
  146498. 10,10,10,10, 9, 9, 9,10,10,10,10,10,10,10,10,10,
  146499. 10,10,10,10,10,10,10,10,10,
  146500. };
  146501. static float _vq_quantthresh__44u9_p8_1[] = {
  146502. -9.5, -8.5, -7.5, -6.5, -5.5, -4.5, -3.5, -2.5,
  146503. -1.5, -0.5, 0.5, 1.5, 2.5, 3.5, 4.5, 5.5,
  146504. 6.5, 7.5, 8.5, 9.5,
  146505. };
  146506. static long _vq_quantmap__44u9_p8_1[] = {
  146507. 19, 17, 15, 13, 11, 9, 7, 5,
  146508. 3, 1, 0, 2, 4, 6, 8, 10,
  146509. 12, 14, 16, 18, 20,
  146510. };
  146511. static encode_aux_threshmatch _vq_auxt__44u9_p8_1 = {
  146512. _vq_quantthresh__44u9_p8_1,
  146513. _vq_quantmap__44u9_p8_1,
  146514. 21,
  146515. 21
  146516. };
  146517. static static_codebook _44u9_p8_1 = {
  146518. 2, 441,
  146519. _vq_lengthlist__44u9_p8_1,
  146520. 1, -529268736, 1611661312, 5, 0,
  146521. _vq_quantlist__44u9_p8_1,
  146522. NULL,
  146523. &_vq_auxt__44u9_p8_1,
  146524. NULL,
  146525. 0
  146526. };
  146527. static long _vq_quantlist__44u9_p9_0[] = {
  146528. 7,
  146529. 6,
  146530. 8,
  146531. 5,
  146532. 9,
  146533. 4,
  146534. 10,
  146535. 3,
  146536. 11,
  146537. 2,
  146538. 12,
  146539. 1,
  146540. 13,
  146541. 0,
  146542. 14,
  146543. };
  146544. static long _vq_lengthlist__44u9_p9_0[] = {
  146545. 1, 3, 3,11,11,11,11,11,11,11,11,11,11,11,11, 4,
  146546. 10,11,11,11,11,11,11,11,11,11,11,11,11,11, 4,10,
  146547. 10,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146548. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146549. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146550. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146551. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146552. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146553. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146554. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146555. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146556. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  146557. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  146558. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  146559. 10,
  146560. };
  146561. static float _vq_quantthresh__44u9_p9_0[] = {
  146562. -6051.5, -5120.5, -4189.5, -3258.5, -2327.5, -1396.5, -465.5, 465.5,
  146563. 1396.5, 2327.5, 3258.5, 4189.5, 5120.5, 6051.5,
  146564. };
  146565. static long _vq_quantmap__44u9_p9_0[] = {
  146566. 13, 11, 9, 7, 5, 3, 1, 0,
  146567. 2, 4, 6, 8, 10, 12, 14,
  146568. };
  146569. static encode_aux_threshmatch _vq_auxt__44u9_p9_0 = {
  146570. _vq_quantthresh__44u9_p9_0,
  146571. _vq_quantmap__44u9_p9_0,
  146572. 15,
  146573. 15
  146574. };
  146575. static static_codebook _44u9_p9_0 = {
  146576. 2, 225,
  146577. _vq_lengthlist__44u9_p9_0,
  146578. 1, -510036736, 1631393792, 4, 0,
  146579. _vq_quantlist__44u9_p9_0,
  146580. NULL,
  146581. &_vq_auxt__44u9_p9_0,
  146582. NULL,
  146583. 0
  146584. };
  146585. static long _vq_quantlist__44u9_p9_1[] = {
  146586. 9,
  146587. 8,
  146588. 10,
  146589. 7,
  146590. 11,
  146591. 6,
  146592. 12,
  146593. 5,
  146594. 13,
  146595. 4,
  146596. 14,
  146597. 3,
  146598. 15,
  146599. 2,
  146600. 16,
  146601. 1,
  146602. 17,
  146603. 0,
  146604. 18,
  146605. };
  146606. static long _vq_lengthlist__44u9_p9_1[] = {
  146607. 1, 4, 4, 7, 7, 8, 7, 8, 7, 9, 8,10, 9,10,10,11,
  146608. 11,12,12, 4, 7, 6, 9, 9,10, 9, 9, 8,10,10,11,10,
  146609. 12,10,13,12,13,12, 4, 6, 6, 9, 9, 9, 9, 9, 9,10,
  146610. 10,11,11,11,12,12,12,12,12, 7, 9, 8,11,10,10,10,
  146611. 11,10,11,11,12,12,13,12,13,13,13,13, 7, 8, 9,10,
  146612. 10,11,11,10,10,11,11,11,12,13,13,13,13,14,14, 8,
  146613. 9, 9,11,11,12,11,12,12,13,12,12,13,13,14,15,14,
  146614. 14,14, 8, 9, 9,10,11,11,11,12,12,13,12,13,13,14,
  146615. 14,14,15,14,16, 8, 9, 9,11,10,12,12,12,12,15,13,
  146616. 13,13,17,14,15,15,15,14, 8, 9, 9,10,11,11,12,13,
  146617. 12,13,13,13,14,15,14,14,14,16,15, 9,11,10,12,12,
  146618. 13,13,13,13,14,14,16,15,14,14,14,15,15,17, 9,10,
  146619. 10,11,11,13,13,13,14,14,13,15,14,15,14,15,16,15,
  146620. 16,10,11,11,12,12,13,14,15,14,15,14,14,15,17,16,
  146621. 15,15,17,17,10,12,11,13,12,14,14,13,14,15,15,15,
  146622. 15,16,17,17,15,17,16,11,12,12,14,13,15,14,15,16,
  146623. 17,15,17,15,17,15,15,16,17,15,11,11,12,14,14,14,
  146624. 14,14,15,15,16,15,17,17,17,16,17,16,15,12,12,13,
  146625. 14,14,14,15,14,15,15,16,16,17,16,17,15,17,17,16,
  146626. 12,14,12,14,14,15,15,15,14,14,16,16,16,15,16,16,
  146627. 15,17,15,12,13,13,14,15,14,15,17,15,17,16,17,17,
  146628. 17,16,17,16,17,17,12,13,13,14,16,15,15,15,16,15,
  146629. 17,17,15,17,15,17,16,16,17,
  146630. };
  146631. static float _vq_quantthresh__44u9_p9_1[] = {
  146632. -416.5, -367.5, -318.5, -269.5, -220.5, -171.5, -122.5, -73.5,
  146633. -24.5, 24.5, 73.5, 122.5, 171.5, 220.5, 269.5, 318.5,
  146634. 367.5, 416.5,
  146635. };
  146636. static long _vq_quantmap__44u9_p9_1[] = {
  146637. 17, 15, 13, 11, 9, 7, 5, 3,
  146638. 1, 0, 2, 4, 6, 8, 10, 12,
  146639. 14, 16, 18,
  146640. };
  146641. static encode_aux_threshmatch _vq_auxt__44u9_p9_1 = {
  146642. _vq_quantthresh__44u9_p9_1,
  146643. _vq_quantmap__44u9_p9_1,
  146644. 19,
  146645. 19
  146646. };
  146647. static static_codebook _44u9_p9_1 = {
  146648. 2, 361,
  146649. _vq_lengthlist__44u9_p9_1,
  146650. 1, -518287360, 1622704128, 5, 0,
  146651. _vq_quantlist__44u9_p9_1,
  146652. NULL,
  146653. &_vq_auxt__44u9_p9_1,
  146654. NULL,
  146655. 0
  146656. };
  146657. static long _vq_quantlist__44u9_p9_2[] = {
  146658. 24,
  146659. 23,
  146660. 25,
  146661. 22,
  146662. 26,
  146663. 21,
  146664. 27,
  146665. 20,
  146666. 28,
  146667. 19,
  146668. 29,
  146669. 18,
  146670. 30,
  146671. 17,
  146672. 31,
  146673. 16,
  146674. 32,
  146675. 15,
  146676. 33,
  146677. 14,
  146678. 34,
  146679. 13,
  146680. 35,
  146681. 12,
  146682. 36,
  146683. 11,
  146684. 37,
  146685. 10,
  146686. 38,
  146687. 9,
  146688. 39,
  146689. 8,
  146690. 40,
  146691. 7,
  146692. 41,
  146693. 6,
  146694. 42,
  146695. 5,
  146696. 43,
  146697. 4,
  146698. 44,
  146699. 3,
  146700. 45,
  146701. 2,
  146702. 46,
  146703. 1,
  146704. 47,
  146705. 0,
  146706. 48,
  146707. };
  146708. static long _vq_lengthlist__44u9_p9_2[] = {
  146709. 2, 4, 4, 5, 4, 5, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6,
  146710. 6, 6, 6, 7, 6, 7, 6, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  146711. 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7,
  146712. 7,
  146713. };
  146714. static float _vq_quantthresh__44u9_p9_2[] = {
  146715. -23.5, -22.5, -21.5, -20.5, -19.5, -18.5, -17.5, -16.5,
  146716. -15.5, -14.5, -13.5, -12.5, -11.5, -10.5, -9.5, -8.5,
  146717. -7.5, -6.5, -5.5, -4.5, -3.5, -2.5, -1.5, -0.5,
  146718. 0.5, 1.5, 2.5, 3.5, 4.5, 5.5, 6.5, 7.5,
  146719. 8.5, 9.5, 10.5, 11.5, 12.5, 13.5, 14.5, 15.5,
  146720. 16.5, 17.5, 18.5, 19.5, 20.5, 21.5, 22.5, 23.5,
  146721. };
  146722. static long _vq_quantmap__44u9_p9_2[] = {
  146723. 47, 45, 43, 41, 39, 37, 35, 33,
  146724. 31, 29, 27, 25, 23, 21, 19, 17,
  146725. 15, 13, 11, 9, 7, 5, 3, 1,
  146726. 0, 2, 4, 6, 8, 10, 12, 14,
  146727. 16, 18, 20, 22, 24, 26, 28, 30,
  146728. 32, 34, 36, 38, 40, 42, 44, 46,
  146729. 48,
  146730. };
  146731. static encode_aux_threshmatch _vq_auxt__44u9_p9_2 = {
  146732. _vq_quantthresh__44u9_p9_2,
  146733. _vq_quantmap__44u9_p9_2,
  146734. 49,
  146735. 49
  146736. };
  146737. static static_codebook _44u9_p9_2 = {
  146738. 1, 49,
  146739. _vq_lengthlist__44u9_p9_2,
  146740. 1, -526909440, 1611661312, 6, 0,
  146741. _vq_quantlist__44u9_p9_2,
  146742. NULL,
  146743. &_vq_auxt__44u9_p9_2,
  146744. NULL,
  146745. 0
  146746. };
  146747. static long _huff_lengthlist__44un1__long[] = {
  146748. 5, 6,12, 9,14, 9, 9,19, 6, 1, 5, 5, 8, 7, 9,19,
  146749. 12, 4, 4, 7, 7, 9,11,18, 9, 5, 6, 6, 8, 7, 8,17,
  146750. 14, 8, 7, 8, 8,10,12,18, 9, 6, 8, 6, 8, 6, 8,18,
  146751. 9, 8,11, 8,11, 7, 5,15,16,18,18,18,17,15,11,18,
  146752. };
  146753. static static_codebook _huff_book__44un1__long = {
  146754. 2, 64,
  146755. _huff_lengthlist__44un1__long,
  146756. 0, 0, 0, 0, 0,
  146757. NULL,
  146758. NULL,
  146759. NULL,
  146760. NULL,
  146761. 0
  146762. };
  146763. static long _vq_quantlist__44un1__p1_0[] = {
  146764. 1,
  146765. 0,
  146766. 2,
  146767. };
  146768. static long _vq_lengthlist__44un1__p1_0[] = {
  146769. 1, 4, 4, 5, 8, 7, 5, 7, 8, 5, 8, 8, 8,10,11, 8,
  146770. 10,11, 5, 8, 8, 8,11,10, 8,11,10, 4, 9, 9, 8,11,
  146771. 11, 8,11,11, 8,12,11,10,12,14,11,13,13, 7,11,11,
  146772. 10,13,11,11,13,14, 4, 8, 9, 8,11,11, 8,11,12, 7,
  146773. 11,11,11,14,13,10,11,13, 8,11,12,11,13,13,10,14,
  146774. 12,
  146775. };
  146776. static float _vq_quantthresh__44un1__p1_0[] = {
  146777. -0.5, 0.5,
  146778. };
  146779. static long _vq_quantmap__44un1__p1_0[] = {
  146780. 1, 0, 2,
  146781. };
  146782. static encode_aux_threshmatch _vq_auxt__44un1__p1_0 = {
  146783. _vq_quantthresh__44un1__p1_0,
  146784. _vq_quantmap__44un1__p1_0,
  146785. 3,
  146786. 3
  146787. };
  146788. static static_codebook _44un1__p1_0 = {
  146789. 4, 81,
  146790. _vq_lengthlist__44un1__p1_0,
  146791. 1, -535822336, 1611661312, 2, 0,
  146792. _vq_quantlist__44un1__p1_0,
  146793. NULL,
  146794. &_vq_auxt__44un1__p1_0,
  146795. NULL,
  146796. 0
  146797. };
  146798. static long _vq_quantlist__44un1__p2_0[] = {
  146799. 1,
  146800. 0,
  146801. 2,
  146802. };
  146803. static long _vq_lengthlist__44un1__p2_0[] = {
  146804. 2, 4, 4, 5, 6, 6, 5, 6, 6, 5, 7, 7, 7, 8, 8, 6,
  146805. 7, 9, 5, 7, 7, 6, 8, 7, 7, 9, 8, 4, 7, 7, 7, 9,
  146806. 8, 7, 8, 8, 7, 9, 8, 8, 8,10, 9,10,10, 6, 8, 8,
  146807. 7,10, 8, 9,10,10, 5, 7, 7, 7, 8, 8, 7, 8, 9, 6,
  146808. 8, 8, 9,10,10, 7, 8,10, 6, 8, 9, 9,10,10, 8,10,
  146809. 8,
  146810. };
  146811. static float _vq_quantthresh__44un1__p2_0[] = {
  146812. -0.5, 0.5,
  146813. };
  146814. static long _vq_quantmap__44un1__p2_0[] = {
  146815. 1, 0, 2,
  146816. };
  146817. static encode_aux_threshmatch _vq_auxt__44un1__p2_0 = {
  146818. _vq_quantthresh__44un1__p2_0,
  146819. _vq_quantmap__44un1__p2_0,
  146820. 3,
  146821. 3
  146822. };
  146823. static static_codebook _44un1__p2_0 = {
  146824. 4, 81,
  146825. _vq_lengthlist__44un1__p2_0,
  146826. 1, -535822336, 1611661312, 2, 0,
  146827. _vq_quantlist__44un1__p2_0,
  146828. NULL,
  146829. &_vq_auxt__44un1__p2_0,
  146830. NULL,
  146831. 0
  146832. };
  146833. static long _vq_quantlist__44un1__p3_0[] = {
  146834. 2,
  146835. 1,
  146836. 3,
  146837. 0,
  146838. 4,
  146839. };
  146840. static long _vq_lengthlist__44un1__p3_0[] = {
  146841. 1, 5, 5, 8, 8, 5, 8, 7, 9, 9, 5, 7, 8, 9, 9, 9,
  146842. 10, 9,12,12, 9, 9,10,11,12, 6, 8, 8,10,10, 8,10,
  146843. 10,11,11, 8, 9,10,11,11,10,11,11,13,13,10,11,11,
  146844. 12,13, 6, 8, 8,10,10, 8,10, 9,11,11, 8,10,10,11,
  146845. 11,10,11,11,13,12,10,11,11,13,12, 9,11,11,15,13,
  146846. 10,12,11,15,13,10,11,11,15,14,12,14,13,16,15,12,
  146847. 13,13,17,16, 9,11,11,13,15,10,11,12,14,15,10,11,
  146848. 12,14,15,12,13,13,15,16,12,13,13,16,16, 5, 8, 8,
  146849. 11,11, 8,10,10,12,12, 8,10,10,12,12,11,12,12,14,
  146850. 14,11,12,12,14,14, 8,11,10,13,12,10,11,12,12,13,
  146851. 10,12,12,13,13,12,12,13,13,15,11,12,13,15,14, 7,
  146852. 10,10,12,12, 9,12,11,13,12,10,12,12,13,14,12,13,
  146853. 12,15,13,11,13,12,14,15,10,12,12,16,14,11,12,12,
  146854. 16,15,11,13,12,17,16,13,13,15,15,17,13,15,15,20,
  146855. 17,10,12,12,14,16,11,12,12,15,15,11,13,13,15,18,
  146856. 13,14,13,15,15,13,15,14,16,16, 5, 8, 8,11,11, 8,
  146857. 10,10,12,12, 8,10,10,12,12,11,12,12,14,14,11,12,
  146858. 12,14,15, 7,10,10,13,12,10,12,12,14,13, 9,10,12,
  146859. 12,13,11,13,13,15,15,11,12,13,13,15, 8,10,10,12,
  146860. 13,10,12,12,13,13,10,12,11,13,13,11,13,12,15,15,
  146861. 12,13,12,15,13,10,12,12,16,14,11,12,12,16,15,10,
  146862. 12,12,16,14,14,15,14,18,16,13,13,14,15,16,10,12,
  146863. 12,14,16,11,13,13,16,16,11,13,12,14,16,13,15,15,
  146864. 18,18,13,15,13,16,14, 8,11,11,16,16,10,13,13,17,
  146865. 16,10,12,12,16,15,14,16,15,20,17,13,14,14,17,17,
  146866. 9,12,12,16,16,11,13,14,16,17,11,13,13,16,16,15,
  146867. 15,19,18, 0,14,15,15,18,18, 9,12,12,17,16,11,13,
  146868. 12,17,16,11,12,13,15,17,15,16,15, 0,19,14,15,14,
  146869. 19,18,12,14,14, 0,16,13,14,14,19,18,13,15,16,17,
  146870. 16,15,15,17,18, 0,14,16,16,19, 0,12,14,14,16,18,
  146871. 13,15,13,17,18,13,15,14,17,18,15,18,14,18,18,16,
  146872. 17,16, 0,17, 8,11,11,15,15,10,12,12,16,16,10,13,
  146873. 13,16,16,13,15,14,17,17,14,15,17,17,18, 9,12,12,
  146874. 16,15,11,13,13,16,16,11,12,13,17,17,14,14,15,17,
  146875. 17,14,15,16, 0,18, 9,12,12,16,17,11,13,13,16,17,
  146876. 11,14,13,18,17,14,16,14,17,17,15,17,17,18,18,12,
  146877. 14,14, 0,16,13,15,15,19, 0,12,13,15, 0, 0,14,17,
  146878. 16,19, 0,16,15,18,18, 0,12,14,14,17, 0,13,14,14,
  146879. 17, 0,13,15,14, 0,18,15,16,16, 0,18,15,18,15, 0,
  146880. 17,
  146881. };
  146882. static float _vq_quantthresh__44un1__p3_0[] = {
  146883. -1.5, -0.5, 0.5, 1.5,
  146884. };
  146885. static long _vq_quantmap__44un1__p3_0[] = {
  146886. 3, 1, 0, 2, 4,
  146887. };
  146888. static encode_aux_threshmatch _vq_auxt__44un1__p3_0 = {
  146889. _vq_quantthresh__44un1__p3_0,
  146890. _vq_quantmap__44un1__p3_0,
  146891. 5,
  146892. 5
  146893. };
  146894. static static_codebook _44un1__p3_0 = {
  146895. 4, 625,
  146896. _vq_lengthlist__44un1__p3_0,
  146897. 1, -533725184, 1611661312, 3, 0,
  146898. _vq_quantlist__44un1__p3_0,
  146899. NULL,
  146900. &_vq_auxt__44un1__p3_0,
  146901. NULL,
  146902. 0
  146903. };
  146904. static long _vq_quantlist__44un1__p4_0[] = {
  146905. 2,
  146906. 1,
  146907. 3,
  146908. 0,
  146909. 4,
  146910. };
  146911. static long _vq_lengthlist__44un1__p4_0[] = {
  146912. 3, 5, 5, 9, 9, 5, 6, 6,10, 9, 5, 6, 6, 9,10,10,
  146913. 10,10,12,11, 9,10,10,12,12, 5, 7, 7,10,10, 7, 7,
  146914. 8,10,11, 7, 7, 8,10,11,10,10,11,11,13,10,10,11,
  146915. 11,13, 6, 7, 7,10,10, 7, 8, 7,11,10, 7, 8, 7,10,
  146916. 10,10,11, 9,13,11,10,11,10,13,11,10,10,10,14,13,
  146917. 10,11,11,14,13,10,10,11,13,14,12,12,13,15,15,12,
  146918. 12,13,13,14,10,10,10,12,13,10,11,10,13,13,10,11,
  146919. 11,13,13,12,13,12,14,13,12,13,13,14,13, 5, 7, 7,
  146920. 10,10, 7, 8, 8,11,10, 7, 8, 8,10,10,11,11,11,13,
  146921. 13,10,11,11,12,12, 7, 8, 8,11,11, 7, 8, 9,10,12,
  146922. 8, 9, 9,11,11,11,10,12,11,14,11,11,12,13,13, 6,
  146923. 8, 8,10,11, 7, 9, 7,12,10, 8, 9,10,11,12,10,12,
  146924. 10,14,11,11,12,11,13,13,10,11,11,14,14,10,10,11,
  146925. 13,14,11,12,12,15,13,12,11,14,12,16,12,13,14,15,
  146926. 16,10,10,11,13,14,10,11,10,14,12,11,12,12,13,14,
  146927. 12,13,11,15,12,14,14,14,15,15, 5, 7, 7,10,10, 7,
  146928. 8, 8,10,10, 7, 8, 8,10,11,10,11,10,12,12,10,11,
  146929. 11,12,13, 6, 8, 8,11,11, 8, 9, 9,12,11, 7, 7, 9,
  146930. 10,12,11,11,11,12,13,11,10,12,11,15, 7, 8, 8,11,
  146931. 11, 8, 9, 9,11,11, 7, 9, 8,12,10,11,12,11,13,12,
  146932. 11,12,10,15,11,10,11,10,14,12,11,12,11,14,13,10,
  146933. 10,11,13,14,13,13,13,17,15,12,11,14,12,15,10,10,
  146934. 11,13,14,11,12,12,14,14,10,11,10,14,13,13,14,13,
  146935. 16,17,12,14,11,16,12, 9,10,10,14,13,10,11,10,14,
  146936. 14,10,11,11,13,13,13,14,14,16,15,12,13,13,14,14,
  146937. 9,11,10,14,13,10,10,12,13,14,11,12,11,14,13,13,
  146938. 14,14,14,15,13,14,14,15,15, 9,10,11,13,14,10,11,
  146939. 10,15,13,11,11,12,12,15,13,14,12,15,14,13,13,14,
  146940. 14,15,12,13,12,16,14,11,11,12,15,14,13,15,13,16,
  146941. 14,13,12,15,12,17,15,16,15,16,16,12,12,13,13,15,
  146942. 11,13,11,15,14,13,13,14,15,17,13,14,12, 0,13,14,
  146943. 15,14,15, 0, 9,10,10,13,13,10,11,11,13,13,10,11,
  146944. 11,13,13,12,13,12,14,14,13,14,14,15,17, 9,10,10,
  146945. 13,13,11,12,11,15,12,10,10,11,13,16,13,14,13,15,
  146946. 14,13,13,14,15,16,10,10,11,13,14,11,11,12,13,14,
  146947. 10,12,11,14,14,13,13,13,14,15,13,15,13,16,15,12,
  146948. 13,12,15,13,12,15,13,15,15,11,11,13,14,15,15,15,
  146949. 15,15,17,13,12,14,13,17,12,12,14,14,15,13,13,14,
  146950. 14,16,11,13,11,16,15,14,16,16,17, 0,14,13,11,16,
  146951. 12,
  146952. };
  146953. static float _vq_quantthresh__44un1__p4_0[] = {
  146954. -1.5, -0.5, 0.5, 1.5,
  146955. };
  146956. static long _vq_quantmap__44un1__p4_0[] = {
  146957. 3, 1, 0, 2, 4,
  146958. };
  146959. static encode_aux_threshmatch _vq_auxt__44un1__p4_0 = {
  146960. _vq_quantthresh__44un1__p4_0,
  146961. _vq_quantmap__44un1__p4_0,
  146962. 5,
  146963. 5
  146964. };
  146965. static static_codebook _44un1__p4_0 = {
  146966. 4, 625,
  146967. _vq_lengthlist__44un1__p4_0,
  146968. 1, -533725184, 1611661312, 3, 0,
  146969. _vq_quantlist__44un1__p4_0,
  146970. NULL,
  146971. &_vq_auxt__44un1__p4_0,
  146972. NULL,
  146973. 0
  146974. };
  146975. static long _vq_quantlist__44un1__p5_0[] = {
  146976. 4,
  146977. 3,
  146978. 5,
  146979. 2,
  146980. 6,
  146981. 1,
  146982. 7,
  146983. 0,
  146984. 8,
  146985. };
  146986. static long _vq_lengthlist__44un1__p5_0[] = {
  146987. 1, 4, 4, 7, 7, 8, 8, 9, 9, 4, 6, 5, 8, 7, 8, 8,
  146988. 10, 9, 4, 6, 6, 8, 8, 8, 8,10,10, 7, 8, 7, 9, 9,
  146989. 9, 9,11,10, 7, 8, 8, 9, 9, 9, 9,10,11, 8, 8, 8,
  146990. 9, 9,10,10,11,11, 8, 8, 8, 9, 9,10,10,11,11, 9,
  146991. 10,10,11,10,11,11,12,12, 9,10,10,10,11,11,11,12,
  146992. 12,
  146993. };
  146994. static float _vq_quantthresh__44un1__p5_0[] = {
  146995. -3.5, -2.5, -1.5, -0.5, 0.5, 1.5, 2.5, 3.5,
  146996. };
  146997. static long _vq_quantmap__44un1__p5_0[] = {
  146998. 7, 5, 3, 1, 0, 2, 4, 6,
  146999. 8,
  147000. };
  147001. static encode_aux_threshmatch _vq_auxt__44un1__p5_0 = {
  147002. _vq_quantthresh__44un1__p5_0,
  147003. _vq_quantmap__44un1__p5_0,
  147004. 9,
  147005. 9
  147006. };
  147007. static static_codebook _44un1__p5_0 = {
  147008. 2, 81,
  147009. _vq_lengthlist__44un1__p5_0,
  147010. 1, -531628032, 1611661312, 4, 0,
  147011. _vq_quantlist__44un1__p5_0,
  147012. NULL,
  147013. &_vq_auxt__44un1__p5_0,
  147014. NULL,
  147015. 0
  147016. };
  147017. static long _vq_quantlist__44un1__p6_0[] = {
  147018. 6,
  147019. 5,
  147020. 7,
  147021. 4,
  147022. 8,
  147023. 3,
  147024. 9,
  147025. 2,
  147026. 10,
  147027. 1,
  147028. 11,
  147029. 0,
  147030. 12,
  147031. };
  147032. static long _vq_lengthlist__44un1__p6_0[] = {
  147033. 1, 4, 4, 6, 6, 8, 8,10,10,11,11,15,15, 4, 5, 5,
  147034. 8, 8, 9, 9,11,11,12,12,16,16, 4, 5, 6, 8, 8, 9,
  147035. 9,11,11,12,12,14,14, 7, 8, 8, 9, 9,10,10,11,12,
  147036. 13,13,16,17, 7, 8, 8, 9, 9,10,10,12,12,12,13,15,
  147037. 15, 9,10,10,10,10,11,11,12,12,13,13,15,16, 9, 9,
  147038. 9,10,10,11,11,13,12,13,13,17,17,10,11,11,11,12,
  147039. 12,12,13,13,14,15, 0,18,10,11,11,12,12,12,13,14,
  147040. 13,14,14,17,16,11,12,12,13,13,14,14,14,14,15,16,
  147041. 17,16,11,12,12,13,13,14,14,14,14,15,15,17,17,14,
  147042. 15,15,16,16,16,17,17,16, 0,17, 0,18,14,15,15,16,
  147043. 16, 0,15,18,18, 0,16, 0, 0,
  147044. };
  147045. static float _vq_quantthresh__44un1__p6_0[] = {
  147046. -27.5, -22.5, -17.5, -12.5, -7.5, -2.5, 2.5, 7.5,
  147047. 12.5, 17.5, 22.5, 27.5,
  147048. };
  147049. static long _vq_quantmap__44un1__p6_0[] = {
  147050. 11, 9, 7, 5, 3, 1, 0, 2,
  147051. 4, 6, 8, 10, 12,
  147052. };
  147053. static encode_aux_threshmatch _vq_auxt__44un1__p6_0 = {
  147054. _vq_quantthresh__44un1__p6_0,
  147055. _vq_quantmap__44un1__p6_0,
  147056. 13,
  147057. 13
  147058. };
  147059. static static_codebook _44un1__p6_0 = {
  147060. 2, 169,
  147061. _vq_lengthlist__44un1__p6_0,
  147062. 1, -526516224, 1616117760, 4, 0,
  147063. _vq_quantlist__44un1__p6_0,
  147064. NULL,
  147065. &_vq_auxt__44un1__p6_0,
  147066. NULL,
  147067. 0
  147068. };
  147069. static long _vq_quantlist__44un1__p6_1[] = {
  147070. 2,
  147071. 1,
  147072. 3,
  147073. 0,
  147074. 4,
  147075. };
  147076. static long _vq_lengthlist__44un1__p6_1[] = {
  147077. 2, 4, 4, 5, 5, 4, 5, 5, 5, 5, 4, 5, 5, 6, 5, 5,
  147078. 6, 5, 6, 6, 5, 6, 6, 6, 6,
  147079. };
  147080. static float _vq_quantthresh__44un1__p6_1[] = {
  147081. -1.5, -0.5, 0.5, 1.5,
  147082. };
  147083. static long _vq_quantmap__44un1__p6_1[] = {
  147084. 3, 1, 0, 2, 4,
  147085. };
  147086. static encode_aux_threshmatch _vq_auxt__44un1__p6_1 = {
  147087. _vq_quantthresh__44un1__p6_1,
  147088. _vq_quantmap__44un1__p6_1,
  147089. 5,
  147090. 5
  147091. };
  147092. static static_codebook _44un1__p6_1 = {
  147093. 2, 25,
  147094. _vq_lengthlist__44un1__p6_1,
  147095. 1, -533725184, 1611661312, 3, 0,
  147096. _vq_quantlist__44un1__p6_1,
  147097. NULL,
  147098. &_vq_auxt__44un1__p6_1,
  147099. NULL,
  147100. 0
  147101. };
  147102. static long _vq_quantlist__44un1__p7_0[] = {
  147103. 2,
  147104. 1,
  147105. 3,
  147106. 0,
  147107. 4,
  147108. };
  147109. static long _vq_lengthlist__44un1__p7_0[] = {
  147110. 1, 5, 3,11,11,11,11,11,11,11, 8,11,11,11,11,11,
  147111. 11,11,11,11,11,11,11,11,11,10,11,11,11,11,11,11,
  147112. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147113. 11,11,10,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147114. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147115. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147116. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147117. 11,11,11,11,11,11,11,11,11,11,11,11,11, 8,11,11,
  147118. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147119. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147120. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,10,
  147121. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147122. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147123. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147124. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147125. 11,11,11,11,11,11,11,11,11,11, 7,11,11,11,11,11,
  147126. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147127. 11,11,11,10,11,11,11,11,11,11,11,11,11,11,11,11,
  147128. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147129. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147130. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147131. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147132. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147133. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147134. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147135. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147136. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147137. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147138. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147139. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147140. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147141. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147142. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147143. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147144. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147145. 11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,11,
  147146. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  147147. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  147148. 10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,
  147149. 10,
  147150. };
  147151. static float _vq_quantthresh__44un1__p7_0[] = {
  147152. -253.5, -84.5, 84.5, 253.5,
  147153. };
  147154. static long _vq_quantmap__44un1__p7_0[] = {
  147155. 3, 1, 0, 2, 4,
  147156. };
  147157. static encode_aux_threshmatch _vq_auxt__44un1__p7_0 = {
  147158. _vq_quantthresh__44un1__p7_0,
  147159. _vq_quantmap__44un1__p7_0,
  147160. 5,
  147161. 5
  147162. };
  147163. static static_codebook _44un1__p7_0 = {
  147164. 4, 625,
  147165. _vq_lengthlist__44un1__p7_0,
  147166. 1, -518709248, 1626677248, 3, 0,
  147167. _vq_quantlist__44un1__p7_0,
  147168. NULL,
  147169. &_vq_auxt__44un1__p7_0,
  147170. NULL,
  147171. 0
  147172. };
  147173. static long _vq_quantlist__44un1__p7_1[] = {
  147174. 6,
  147175. 5,
  147176. 7,
  147177. 4,
  147178. 8,
  147179. 3,
  147180. 9,
  147181. 2,
  147182. 10,
  147183. 1,
  147184. 11,
  147185. 0,
  147186. 12,
  147187. };
  147188. static long _vq_lengthlist__44un1__p7_1[] = {
  147189. 1, 4, 4, 6, 6, 6, 6, 9, 8, 9, 8, 8, 8, 5, 7, 7,
  147190. 7, 7, 8, 8, 8,10, 8,10, 8, 9, 5, 7, 7, 8, 7, 7,
  147191. 8,10,10,11,10,12,11, 7, 8, 8, 9, 9, 9,10,11,11,
  147192. 11,11,11,11, 7, 8, 8, 8, 9, 9, 9,10,10,10,11,11,
  147193. 12, 7, 8, 8, 9, 9,10,11,11,12,11,12,11,11, 7, 8,
  147194. 8, 9, 9,10,10,11,11,11,12,12,11, 8,10,10,10,10,
  147195. 11,11,14,11,12,12,12,13, 9,10,10,10,10,12,11,14,
  147196. 11,14,11,12,13,10,11,11,11,11,13,11,14,14,13,13,
  147197. 13,14,11,11,11,12,11,12,12,12,13,14,14,13,14,12,
  147198. 11,12,12,12,12,13,13,13,14,13,14,14,11,12,12,14,
  147199. 12,13,13,12,13,13,14,14,14,
  147200. };
  147201. static float _vq_quantthresh__44un1__p7_1[] = {
  147202. -71.5, -58.5, -45.5, -32.5, -19.5, -6.5, 6.5, 19.5,
  147203. 32.5, 45.5, 58.5, 71.5,
  147204. };
  147205. static long _vq_quantmap__44un1__p7_1[] = {
  147206. 11, 9, 7, 5, 3, 1, 0, 2,
  147207. 4, 6, 8, 10, 12,
  147208. };
  147209. static encode_aux_threshmatch _vq_auxt__44un1__p7_1 = {
  147210. _vq_quantthresh__44un1__p7_1,
  147211. _vq_quantmap__44un1__p7_1,
  147212. 13,
  147213. 13
  147214. };
  147215. static static_codebook _44un1__p7_1 = {
  147216. 2, 169,
  147217. _vq_lengthlist__44un1__p7_1,
  147218. 1, -523010048, 1618608128, 4, 0,
  147219. _vq_quantlist__44un1__p7_1,
  147220. NULL,
  147221. &_vq_auxt__44un1__p7_1,
  147222. NULL,
  147223. 0
  147224. };
  147225. static long _vq_quantlist__44un1__p7_2[] = {
  147226. 6,
  147227. 5,
  147228. 7,
  147229. 4,
  147230. 8,
  147231. 3,
  147232. 9,
  147233. 2,
  147234. 10,
  147235. 1,
  147236. 11,
  147237. 0,
  147238. 12,
  147239. };
  147240. static long _vq_lengthlist__44un1__p7_2[] = {
  147241. 3, 4, 4, 6, 6, 7, 7, 8, 8, 9, 9, 9, 8, 4, 5, 5,
  147242. 6, 6, 8, 8, 9, 8, 9, 9, 9, 9, 4, 5, 5, 7, 6, 8,
  147243. 8, 8, 8, 9, 8, 9, 8, 6, 7, 7, 7, 8, 8, 8, 9, 9,
  147244. 9, 9, 9, 9, 6, 7, 7, 7, 7, 8, 8, 9, 9, 9, 9, 9,
  147245. 9, 7, 8, 8, 8, 8, 9, 8, 9, 9,10, 9, 9,10, 7, 8,
  147246. 8, 8, 8, 9, 9, 9, 9, 9, 9,10,10, 8, 9, 9, 9, 9,
  147247. 9, 9, 9, 9,10,10, 9,10, 8, 9, 9, 9, 9, 9, 9, 9,
  147248. 9, 9, 9,10,10, 9, 9, 9,10, 9, 9,10, 9, 9,10,10,
  147249. 10,10, 9, 9, 9, 9, 9, 9, 9,10, 9,10,10,10,10, 9,
  147250. 9, 9,10, 9, 9,10,10, 9,10,10,10,10, 9, 9, 9,10,
  147251. 9, 9, 9,10,10,10,10,10,10,
  147252. };
  147253. static float _vq_quantthresh__44un1__p7_2[] = {
  147254. -5.5, -4.5, -3.5, -2.5, -1.5, -0.5, 0.5, 1.5,
  147255. 2.5, 3.5, 4.5, 5.5,
  147256. };
  147257. static long _vq_quantmap__44un1__p7_2[] = {
  147258. 11, 9, 7, 5, 3, 1, 0, 2,
  147259. 4, 6, 8, 10, 12,
  147260. };
  147261. static encode_aux_threshmatch _vq_auxt__44un1__p7_2 = {
  147262. _vq_quantthresh__44un1__p7_2,
  147263. _vq_quantmap__44un1__p7_2,
  147264. 13,
  147265. 13
  147266. };
  147267. static static_codebook _44un1__p7_2 = {
  147268. 2, 169,
  147269. _vq_lengthlist__44un1__p7_2,
  147270. 1, -531103744, 1611661312, 4, 0,
  147271. _vq_quantlist__44un1__p7_2,
  147272. NULL,
  147273. &_vq_auxt__44un1__p7_2,
  147274. NULL,
  147275. 0
  147276. };
  147277. static long _huff_lengthlist__44un1__short[] = {
  147278. 12,12,14,12,14,14,14,14,12, 6, 6, 8, 9, 9,11,14,
  147279. 12, 4, 2, 6, 6, 7,11,14,13, 6, 5, 7, 8, 9,11,14,
  147280. 13, 8, 5, 8, 6, 8,12,14,12, 7, 7, 8, 8, 8,10,14,
  147281. 12, 6, 3, 4, 4, 4, 7,14,11, 7, 4, 6, 6, 6, 8,14,
  147282. };
  147283. static static_codebook _huff_book__44un1__short = {
  147284. 2, 64,
  147285. _huff_lengthlist__44un1__short,
  147286. 0, 0, 0, 0, 0,
  147287. NULL,
  147288. NULL,
  147289. NULL,
  147290. NULL,
  147291. 0
  147292. };
  147293. /********* End of inlined file: res_books_uncoupled.h *********/
  147294. /***** residue backends *********************************************/
  147295. static vorbis_info_residue0 _residue_44_low_un={
  147296. 0,-1, -1, 8,-1,
  147297. {0},
  147298. {-1},
  147299. { .5, 1.5, 1.5, 2.5, 2.5, 4.5, 28.5},
  147300. { -1, 25, -1, 45, -1, -1, -1}
  147301. };
  147302. static vorbis_info_residue0 _residue_44_mid_un={
  147303. 0,-1, -1, 10,-1,
  147304. /* 0 1 2 3 4 5 6 7 8 9 */
  147305. {0},
  147306. {-1},
  147307. { .5, 1.5, 1.5, 2.5, 2.5, 4.5, 4.5, 16.5, 60.5},
  147308. { -1, 30, -1, 50, -1, 80, -1, -1, -1}
  147309. };
  147310. static vorbis_info_residue0 _residue_44_hi_un={
  147311. 0,-1, -1, 10,-1,
  147312. /* 0 1 2 3 4 5 6 7 8 9 */
  147313. {0},
  147314. {-1},
  147315. { .5, 1.5, 2.5, 4.5, 8.5, 16.5, 32.5, 71.5,157.5},
  147316. { -1, -1, -1, -1, -1, -1, -1, -1, -1}
  147317. };
  147318. /* mapping conventions:
  147319. only one submap (this would change for efficient 5.1 support for example)*/
  147320. /* Four psychoacoustic profiles are used, one for each blocktype */
  147321. static vorbis_info_mapping0 _map_nominal_u[2]={
  147322. {1, {0,0}, {0}, {0}, 0,{0},{0}},
  147323. {1, {0,0}, {1}, {1}, 0,{0},{0}}
  147324. };
  147325. static static_bookblock _resbook_44u_n1={
  147326. {
  147327. {0},
  147328. {0,0,&_44un1__p1_0},
  147329. {0,0,&_44un1__p2_0},
  147330. {0,0,&_44un1__p3_0},
  147331. {0,0,&_44un1__p4_0},
  147332. {0,0,&_44un1__p5_0},
  147333. {&_44un1__p6_0,&_44un1__p6_1},
  147334. {&_44un1__p7_0,&_44un1__p7_1,&_44un1__p7_2}
  147335. }
  147336. };
  147337. static static_bookblock _resbook_44u_0={
  147338. {
  147339. {0},
  147340. {0,0,&_44u0__p1_0},
  147341. {0,0,&_44u0__p2_0},
  147342. {0,0,&_44u0__p3_0},
  147343. {0,0,&_44u0__p4_0},
  147344. {0,0,&_44u0__p5_0},
  147345. {&_44u0__p6_0,&_44u0__p6_1},
  147346. {&_44u0__p7_0,&_44u0__p7_1,&_44u0__p7_2}
  147347. }
  147348. };
  147349. static static_bookblock _resbook_44u_1={
  147350. {
  147351. {0},
  147352. {0,0,&_44u1__p1_0},
  147353. {0,0,&_44u1__p2_0},
  147354. {0,0,&_44u1__p3_0},
  147355. {0,0,&_44u1__p4_0},
  147356. {0,0,&_44u1__p5_0},
  147357. {&_44u1__p6_0,&_44u1__p6_1},
  147358. {&_44u1__p7_0,&_44u1__p7_1,&_44u1__p7_2}
  147359. }
  147360. };
  147361. static static_bookblock _resbook_44u_2={
  147362. {
  147363. {0},
  147364. {0,0,&_44u2__p1_0},
  147365. {0,0,&_44u2__p2_0},
  147366. {0,0,&_44u2__p3_0},
  147367. {0,0,&_44u2__p4_0},
  147368. {0,0,&_44u2__p5_0},
  147369. {&_44u2__p6_0,&_44u2__p6_1},
  147370. {&_44u2__p7_0,&_44u2__p7_1,&_44u2__p7_2}
  147371. }
  147372. };
  147373. static static_bookblock _resbook_44u_3={
  147374. {
  147375. {0},
  147376. {0,0,&_44u3__p1_0},
  147377. {0,0,&_44u3__p2_0},
  147378. {0,0,&_44u3__p3_0},
  147379. {0,0,&_44u3__p4_0},
  147380. {0,0,&_44u3__p5_0},
  147381. {&_44u3__p6_0,&_44u3__p6_1},
  147382. {&_44u3__p7_0,&_44u3__p7_1,&_44u3__p7_2}
  147383. }
  147384. };
  147385. static static_bookblock _resbook_44u_4={
  147386. {
  147387. {0},
  147388. {0,0,&_44u4__p1_0},
  147389. {0,0,&_44u4__p2_0},
  147390. {0,0,&_44u4__p3_0},
  147391. {0,0,&_44u4__p4_0},
  147392. {0,0,&_44u4__p5_0},
  147393. {&_44u4__p6_0,&_44u4__p6_1},
  147394. {&_44u4__p7_0,&_44u4__p7_1,&_44u4__p7_2}
  147395. }
  147396. };
  147397. static static_bookblock _resbook_44u_5={
  147398. {
  147399. {0},
  147400. {0,0,&_44u5__p1_0},
  147401. {0,0,&_44u5__p2_0},
  147402. {0,0,&_44u5__p3_0},
  147403. {0,0,&_44u5__p4_0},
  147404. {0,0,&_44u5__p5_0},
  147405. {0,0,&_44u5__p6_0},
  147406. {&_44u5__p7_0,&_44u5__p7_1},
  147407. {&_44u5__p8_0,&_44u5__p8_1},
  147408. {&_44u5__p9_0,&_44u5__p9_1,&_44u5__p9_2}
  147409. }
  147410. };
  147411. static static_bookblock _resbook_44u_6={
  147412. {
  147413. {0},
  147414. {0,0,&_44u6__p1_0},
  147415. {0,0,&_44u6__p2_0},
  147416. {0,0,&_44u6__p3_0},
  147417. {0,0,&_44u6__p4_0},
  147418. {0,0,&_44u6__p5_0},
  147419. {0,0,&_44u6__p6_0},
  147420. {&_44u6__p7_0,&_44u6__p7_1},
  147421. {&_44u6__p8_0,&_44u6__p8_1},
  147422. {&_44u6__p9_0,&_44u6__p9_1,&_44u6__p9_2}
  147423. }
  147424. };
  147425. static static_bookblock _resbook_44u_7={
  147426. {
  147427. {0},
  147428. {0,0,&_44u7__p1_0},
  147429. {0,0,&_44u7__p2_0},
  147430. {0,0,&_44u7__p3_0},
  147431. {0,0,&_44u7__p4_0},
  147432. {0,0,&_44u7__p5_0},
  147433. {0,0,&_44u7__p6_0},
  147434. {&_44u7__p7_0,&_44u7__p7_1},
  147435. {&_44u7__p8_0,&_44u7__p8_1},
  147436. {&_44u7__p9_0,&_44u7__p9_1,&_44u7__p9_2}
  147437. }
  147438. };
  147439. static static_bookblock _resbook_44u_8={
  147440. {
  147441. {0},
  147442. {0,0,&_44u8_p1_0},
  147443. {0,0,&_44u8_p2_0},
  147444. {0,0,&_44u8_p3_0},
  147445. {0,0,&_44u8_p4_0},
  147446. {&_44u8_p5_0,&_44u8_p5_1},
  147447. {&_44u8_p6_0,&_44u8_p6_1},
  147448. {&_44u8_p7_0,&_44u8_p7_1},
  147449. {&_44u8_p8_0,&_44u8_p8_1},
  147450. {&_44u8_p9_0,&_44u8_p9_1,&_44u8_p9_2}
  147451. }
  147452. };
  147453. static static_bookblock _resbook_44u_9={
  147454. {
  147455. {0},
  147456. {0,0,&_44u9_p1_0},
  147457. {0,0,&_44u9_p2_0},
  147458. {0,0,&_44u9_p3_0},
  147459. {0,0,&_44u9_p4_0},
  147460. {&_44u9_p5_0,&_44u9_p5_1},
  147461. {&_44u9_p6_0,&_44u9_p6_1},
  147462. {&_44u9_p7_0,&_44u9_p7_1},
  147463. {&_44u9_p8_0,&_44u9_p8_1},
  147464. {&_44u9_p9_0,&_44u9_p9_1,&_44u9_p9_2}
  147465. }
  147466. };
  147467. static vorbis_residue_template _res_44u_n1[]={
  147468. {1,0, &_residue_44_low_un,
  147469. &_huff_book__44un1__short,&_huff_book__44un1__short,
  147470. &_resbook_44u_n1,&_resbook_44u_n1},
  147471. {1,0, &_residue_44_low_un,
  147472. &_huff_book__44un1__long,&_huff_book__44un1__long,
  147473. &_resbook_44u_n1,&_resbook_44u_n1}
  147474. };
  147475. static vorbis_residue_template _res_44u_0[]={
  147476. {1,0, &_residue_44_low_un,
  147477. &_huff_book__44u0__short,&_huff_book__44u0__short,
  147478. &_resbook_44u_0,&_resbook_44u_0},
  147479. {1,0, &_residue_44_low_un,
  147480. &_huff_book__44u0__long,&_huff_book__44u0__long,
  147481. &_resbook_44u_0,&_resbook_44u_0}
  147482. };
  147483. static vorbis_residue_template _res_44u_1[]={
  147484. {1,0, &_residue_44_low_un,
  147485. &_huff_book__44u1__short,&_huff_book__44u1__short,
  147486. &_resbook_44u_1,&_resbook_44u_1},
  147487. {1,0, &_residue_44_low_un,
  147488. &_huff_book__44u1__long,&_huff_book__44u1__long,
  147489. &_resbook_44u_1,&_resbook_44u_1}
  147490. };
  147491. static vorbis_residue_template _res_44u_2[]={
  147492. {1,0, &_residue_44_low_un,
  147493. &_huff_book__44u2__short,&_huff_book__44u2__short,
  147494. &_resbook_44u_2,&_resbook_44u_2},
  147495. {1,0, &_residue_44_low_un,
  147496. &_huff_book__44u2__long,&_huff_book__44u2__long,
  147497. &_resbook_44u_2,&_resbook_44u_2}
  147498. };
  147499. static vorbis_residue_template _res_44u_3[]={
  147500. {1,0, &_residue_44_low_un,
  147501. &_huff_book__44u3__short,&_huff_book__44u3__short,
  147502. &_resbook_44u_3,&_resbook_44u_3},
  147503. {1,0, &_residue_44_low_un,
  147504. &_huff_book__44u3__long,&_huff_book__44u3__long,
  147505. &_resbook_44u_3,&_resbook_44u_3}
  147506. };
  147507. static vorbis_residue_template _res_44u_4[]={
  147508. {1,0, &_residue_44_low_un,
  147509. &_huff_book__44u4__short,&_huff_book__44u4__short,
  147510. &_resbook_44u_4,&_resbook_44u_4},
  147511. {1,0, &_residue_44_low_un,
  147512. &_huff_book__44u4__long,&_huff_book__44u4__long,
  147513. &_resbook_44u_4,&_resbook_44u_4}
  147514. };
  147515. static vorbis_residue_template _res_44u_5[]={
  147516. {1,0, &_residue_44_mid_un,
  147517. &_huff_book__44u5__short,&_huff_book__44u5__short,
  147518. &_resbook_44u_5,&_resbook_44u_5},
  147519. {1,0, &_residue_44_mid_un,
  147520. &_huff_book__44u5__long,&_huff_book__44u5__long,
  147521. &_resbook_44u_5,&_resbook_44u_5}
  147522. };
  147523. static vorbis_residue_template _res_44u_6[]={
  147524. {1,0, &_residue_44_mid_un,
  147525. &_huff_book__44u6__short,&_huff_book__44u6__short,
  147526. &_resbook_44u_6,&_resbook_44u_6},
  147527. {1,0, &_residue_44_mid_un,
  147528. &_huff_book__44u6__long,&_huff_book__44u6__long,
  147529. &_resbook_44u_6,&_resbook_44u_6}
  147530. };
  147531. static vorbis_residue_template _res_44u_7[]={
  147532. {1,0, &_residue_44_mid_un,
  147533. &_huff_book__44u7__short,&_huff_book__44u7__short,
  147534. &_resbook_44u_7,&_resbook_44u_7},
  147535. {1,0, &_residue_44_mid_un,
  147536. &_huff_book__44u7__long,&_huff_book__44u7__long,
  147537. &_resbook_44u_7,&_resbook_44u_7}
  147538. };
  147539. static vorbis_residue_template _res_44u_8[]={
  147540. {1,0, &_residue_44_hi_un,
  147541. &_huff_book__44u8__short,&_huff_book__44u8__short,
  147542. &_resbook_44u_8,&_resbook_44u_8},
  147543. {1,0, &_residue_44_hi_un,
  147544. &_huff_book__44u8__long,&_huff_book__44u8__long,
  147545. &_resbook_44u_8,&_resbook_44u_8}
  147546. };
  147547. static vorbis_residue_template _res_44u_9[]={
  147548. {1,0, &_residue_44_hi_un,
  147549. &_huff_book__44u9__short,&_huff_book__44u9__short,
  147550. &_resbook_44u_9,&_resbook_44u_9},
  147551. {1,0, &_residue_44_hi_un,
  147552. &_huff_book__44u9__long,&_huff_book__44u9__long,
  147553. &_resbook_44u_9,&_resbook_44u_9}
  147554. };
  147555. static vorbis_mapping_template _mapres_template_44_uncoupled[]={
  147556. { _map_nominal_u, _res_44u_n1 }, /* -1 */
  147557. { _map_nominal_u, _res_44u_0 }, /* 0 */
  147558. { _map_nominal_u, _res_44u_1 }, /* 1 */
  147559. { _map_nominal_u, _res_44u_2 }, /* 2 */
  147560. { _map_nominal_u, _res_44u_3 }, /* 3 */
  147561. { _map_nominal_u, _res_44u_4 }, /* 4 */
  147562. { _map_nominal_u, _res_44u_5 }, /* 5 */
  147563. { _map_nominal_u, _res_44u_6 }, /* 6 */
  147564. { _map_nominal_u, _res_44u_7 }, /* 7 */
  147565. { _map_nominal_u, _res_44u_8 }, /* 8 */
  147566. { _map_nominal_u, _res_44u_9 }, /* 9 */
  147567. };
  147568. /********* End of inlined file: residue_44u.h *********/
  147569. static double rate_mapping_44_un[12]={
  147570. 32000.,48000.,60000.,70000.,80000.,86000.,
  147571. 96000.,110000.,120000.,140000.,160000.,240001.
  147572. };
  147573. ve_setup_data_template ve_setup_44_uncoupled={
  147574. 11,
  147575. rate_mapping_44_un,
  147576. quality_mapping_44,
  147577. -1,
  147578. 40000,
  147579. 50000,
  147580. blocksize_short_44,
  147581. blocksize_long_44,
  147582. _psy_tone_masteratt_44,
  147583. _psy_tone_0dB,
  147584. _psy_tone_suppress,
  147585. _vp_tonemask_adj_otherblock,
  147586. _vp_tonemask_adj_longblock,
  147587. _vp_tonemask_adj_otherblock,
  147588. _psy_noiseguards_44,
  147589. _psy_noisebias_impulse,
  147590. _psy_noisebias_padding,
  147591. _psy_noisebias_trans,
  147592. _psy_noisebias_long,
  147593. _psy_noise_suppress,
  147594. _psy_compand_44,
  147595. _psy_compand_short_mapping,
  147596. _psy_compand_long_mapping,
  147597. {_noise_start_short_44,_noise_start_long_44},
  147598. {_noise_part_short_44,_noise_part_long_44},
  147599. _noise_thresh_44,
  147600. _psy_ath_floater,
  147601. _psy_ath_abs,
  147602. _psy_lowpass_44,
  147603. _psy_global_44,
  147604. _global_mapping_44,
  147605. NULL,
  147606. _floor_books,
  147607. _floor,
  147608. _floor_short_mapping_44,
  147609. _floor_long_mapping_44,
  147610. _mapres_template_44_uncoupled
  147611. };
  147612. /********* End of inlined file: setup_44u.h *********/
  147613. /********* Start of inlined file: setup_32.h *********/
  147614. static double rate_mapping_32[12]={
  147615. 18000.,28000.,35000.,45000.,56000.,60000.,
  147616. 75000.,90000.,100000.,115000.,150000.,190000.,
  147617. };
  147618. static double rate_mapping_32_un[12]={
  147619. 30000.,42000.,52000.,64000.,72000.,78000.,
  147620. 86000.,92000.,110000.,120000.,140000.,190000.,
  147621. };
  147622. static double _psy_lowpass_32[12]={
  147623. 12.3,13.,13.,14.,15.,99.,99.,99.,99.,99.,99.,99.
  147624. };
  147625. ve_setup_data_template ve_setup_32_stereo={
  147626. 11,
  147627. rate_mapping_32,
  147628. quality_mapping_44,
  147629. 2,
  147630. 26000,
  147631. 40000,
  147632. blocksize_short_44,
  147633. blocksize_long_44,
  147634. _psy_tone_masteratt_44,
  147635. _psy_tone_0dB,
  147636. _psy_tone_suppress,
  147637. _vp_tonemask_adj_otherblock,
  147638. _vp_tonemask_adj_longblock,
  147639. _vp_tonemask_adj_otherblock,
  147640. _psy_noiseguards_44,
  147641. _psy_noisebias_impulse,
  147642. _psy_noisebias_padding,
  147643. _psy_noisebias_trans,
  147644. _psy_noisebias_long,
  147645. _psy_noise_suppress,
  147646. _psy_compand_44,
  147647. _psy_compand_short_mapping,
  147648. _psy_compand_long_mapping,
  147649. {_noise_start_short_44,_noise_start_long_44},
  147650. {_noise_part_short_44,_noise_part_long_44},
  147651. _noise_thresh_44,
  147652. _psy_ath_floater,
  147653. _psy_ath_abs,
  147654. _psy_lowpass_32,
  147655. _psy_global_44,
  147656. _global_mapping_44,
  147657. _psy_stereo_modes_44,
  147658. _floor_books,
  147659. _floor,
  147660. _floor_short_mapping_44,
  147661. _floor_long_mapping_44,
  147662. _mapres_template_44_stereo
  147663. };
  147664. ve_setup_data_template ve_setup_32_uncoupled={
  147665. 11,
  147666. rate_mapping_32_un,
  147667. quality_mapping_44,
  147668. -1,
  147669. 26000,
  147670. 40000,
  147671. blocksize_short_44,
  147672. blocksize_long_44,
  147673. _psy_tone_masteratt_44,
  147674. _psy_tone_0dB,
  147675. _psy_tone_suppress,
  147676. _vp_tonemask_adj_otherblock,
  147677. _vp_tonemask_adj_longblock,
  147678. _vp_tonemask_adj_otherblock,
  147679. _psy_noiseguards_44,
  147680. _psy_noisebias_impulse,
  147681. _psy_noisebias_padding,
  147682. _psy_noisebias_trans,
  147683. _psy_noisebias_long,
  147684. _psy_noise_suppress,
  147685. _psy_compand_44,
  147686. _psy_compand_short_mapping,
  147687. _psy_compand_long_mapping,
  147688. {_noise_start_short_44,_noise_start_long_44},
  147689. {_noise_part_short_44,_noise_part_long_44},
  147690. _noise_thresh_44,
  147691. _psy_ath_floater,
  147692. _psy_ath_abs,
  147693. _psy_lowpass_32,
  147694. _psy_global_44,
  147695. _global_mapping_44,
  147696. NULL,
  147697. _floor_books,
  147698. _floor,
  147699. _floor_short_mapping_44,
  147700. _floor_long_mapping_44,
  147701. _mapres_template_44_uncoupled
  147702. };
  147703. /********* End of inlined file: setup_32.h *********/
  147704. /********* Start of inlined file: setup_8.h *********/
  147705. /********* Start of inlined file: psych_8.h *********/
  147706. static att3 _psy_tone_masteratt_8[3]={
  147707. {{ 32, 25, 12}, 0, 0}, /* 0 */
  147708. {{ 30, 25, 12}, 0, 0}, /* 0 */
  147709. {{ 20, 0, -14}, 0, 0}, /* 0 */
  147710. };
  147711. static vp_adjblock _vp_tonemask_adj_8[3]={
  147712. /* adjust for mode zero */
  147713. /* 63 125 250 500 1 2 4 8 16 */
  147714. {{-15,-15,-15,-15,-10,-10, -6, 0, 0, 0, 0,10, 0, 0,99,99,99}}, /* 1 */
  147715. {{-15,-15,-15,-15,-10,-10, -6, 0, 0, 0, 0,10, 0, 0,99,99,99}}, /* 1 */
  147716. {{-15,-15,-15,-15,-10,-10, -6, 0, 0, 0, 0, 0, 0, 0,99,99,99}}, /* 1 */
  147717. };
  147718. static noise3 _psy_noisebias_8[3]={
  147719. /* 63 125 250 500 1k 2k 4k 8k 16k*/
  147720. {{{-10,-10,-10,-10, -5, -5, -5, 0, 4, 8, 8, 8, 10, 10, 99, 99, 99},
  147721. {-10,-10,-10,-10, -5, -5, -5, 0, 0, 4, 4, 4, 4, 4, 99, 99, 99},
  147722. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, 99, 99, 99}}},
  147723. {{{-10,-10,-10,-10, -5, -5, -5, 0, 4, 8, 8, 8, 10, 10, 99, 99, 99},
  147724. {-10,-10,-10,-10,-10,-10, -5, -5, -5, 0, 0, 0, 0, 0, 99, 99, 99},
  147725. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, 99, 99, 99}}},
  147726. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 4, 4, 5, 5, 99, 99, 99},
  147727. {-30,-30,-30,-30,-26,-22,-20,-14,-12,-12,-10,-10,-10,-10, 99, 99, 99},
  147728. {-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26,-24, 99, 99, 99}}},
  147729. };
  147730. /* stereo mode by base quality level */
  147731. static adj_stereo _psy_stereo_modes_8[3]={
  147732. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 */
  147733. {{ 4, 4, 4, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3},
  147734. { 6, 5, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4},
  147735. { 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1},
  147736. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  147737. {{ 4, 4, 4, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3},
  147738. { 6, 5, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4},
  147739. { 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1},
  147740. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  147741. {{ 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3},
  147742. { 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4},
  147743. { 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1},
  147744. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  147745. };
  147746. static noiseguard _psy_noiseguards_8[2]={
  147747. {10,10,-1},
  147748. {10,10,-1},
  147749. };
  147750. static compandblock _psy_compand_8[2]={
  147751. {{
  147752. 0, 1, 2, 3, 4, 5, 6, 7, /* 7dB */
  147753. 8, 8, 9, 9,10,10,11, 11, /* 15dB */
  147754. 12,12,13,13,14,14,15, 15, /* 23dB */
  147755. 16,16,17,17,17,18,18, 19, /* 31dB */
  147756. 19,19,20,21,22,23,24, 25, /* 39dB */
  147757. }},
  147758. {{
  147759. 0, 1, 2, 3, 4, 5, 6, 6, /* 7dB */
  147760. 7, 7, 6, 6, 5, 5, 4, 4, /* 15dB */
  147761. 3, 3, 3, 4, 5, 6, 7, 8, /* 23dB */
  147762. 9,10,11,12,13,14,15, 16, /* 31dB */
  147763. 17,18,19,20,21,22,23, 24, /* 39dB */
  147764. }},
  147765. };
  147766. static double _psy_lowpass_8[3]={3.,4.,4.};
  147767. static int _noise_start_8[2]={
  147768. 64,64,
  147769. };
  147770. static int _noise_part_8[2]={
  147771. 8,8,
  147772. };
  147773. static int _psy_ath_floater_8[3]={
  147774. -100,-100,-105,
  147775. };
  147776. static int _psy_ath_abs_8[3]={
  147777. -130,-130,-140,
  147778. };
  147779. /********* End of inlined file: psych_8.h *********/
  147780. /********* Start of inlined file: residue_8.h *********/
  147781. /***** residue backends *********************************************/
  147782. static static_bookblock _resbook_8s_0={
  147783. {
  147784. {0},{0,0,&_8c0_s_p1_0},{0,0,&_8c0_s_p2_0},{0,0,&_8c0_s_p3_0},
  147785. {0,0,&_8c0_s_p4_0},{0,0,&_8c0_s_p5_0},{0,0,&_8c0_s_p6_0},
  147786. {&_8c0_s_p7_0,&_8c0_s_p7_1},{&_8c0_s_p8_0,&_8c0_s_p8_1},
  147787. {&_8c0_s_p9_0,&_8c0_s_p9_1,&_8c0_s_p9_2}
  147788. }
  147789. };
  147790. static static_bookblock _resbook_8s_1={
  147791. {
  147792. {0},{0,0,&_8c1_s_p1_0},{0,0,&_8c1_s_p2_0},{0,0,&_8c1_s_p3_0},
  147793. {0,0,&_8c1_s_p4_0},{0,0,&_8c1_s_p5_0},{0,0,&_8c1_s_p6_0},
  147794. {&_8c1_s_p7_0,&_8c1_s_p7_1},{&_8c1_s_p8_0,&_8c1_s_p8_1},
  147795. {&_8c1_s_p9_0,&_8c1_s_p9_1,&_8c1_s_p9_2}
  147796. }
  147797. };
  147798. static vorbis_residue_template _res_8s_0[]={
  147799. {2,0, &_residue_44_mid,
  147800. &_huff_book__8c0_s_single,&_huff_book__8c0_s_single,
  147801. &_resbook_8s_0,&_resbook_8s_0},
  147802. };
  147803. static vorbis_residue_template _res_8s_1[]={
  147804. {2,0, &_residue_44_mid,
  147805. &_huff_book__8c1_s_single,&_huff_book__8c1_s_single,
  147806. &_resbook_8s_1,&_resbook_8s_1},
  147807. };
  147808. static vorbis_mapping_template _mapres_template_8_stereo[2]={
  147809. { _map_nominal, _res_8s_0 }, /* 0 */
  147810. { _map_nominal, _res_8s_1 }, /* 1 */
  147811. };
  147812. static static_bookblock _resbook_8u_0={
  147813. {
  147814. {0},
  147815. {0,0,&_8u0__p1_0},
  147816. {0,0,&_8u0__p2_0},
  147817. {0,0,&_8u0__p3_0},
  147818. {0,0,&_8u0__p4_0},
  147819. {0,0,&_8u0__p5_0},
  147820. {&_8u0__p6_0,&_8u0__p6_1},
  147821. {&_8u0__p7_0,&_8u0__p7_1,&_8u0__p7_2}
  147822. }
  147823. };
  147824. static static_bookblock _resbook_8u_1={
  147825. {
  147826. {0},
  147827. {0,0,&_8u1__p1_0},
  147828. {0,0,&_8u1__p2_0},
  147829. {0,0,&_8u1__p3_0},
  147830. {0,0,&_8u1__p4_0},
  147831. {0,0,&_8u1__p5_0},
  147832. {0,0,&_8u1__p6_0},
  147833. {&_8u1__p7_0,&_8u1__p7_1},
  147834. {&_8u1__p8_0,&_8u1__p8_1},
  147835. {&_8u1__p9_0,&_8u1__p9_1,&_8u1__p9_2}
  147836. }
  147837. };
  147838. static vorbis_residue_template _res_8u_0[]={
  147839. {1,0, &_residue_44_low_un,
  147840. &_huff_book__8u0__single,&_huff_book__8u0__single,
  147841. &_resbook_8u_0,&_resbook_8u_0},
  147842. };
  147843. static vorbis_residue_template _res_8u_1[]={
  147844. {1,0, &_residue_44_mid_un,
  147845. &_huff_book__8u1__single,&_huff_book__8u1__single,
  147846. &_resbook_8u_1,&_resbook_8u_1},
  147847. };
  147848. static vorbis_mapping_template _mapres_template_8_uncoupled[2]={
  147849. { _map_nominal_u, _res_8u_0 }, /* 0 */
  147850. { _map_nominal_u, _res_8u_1 }, /* 1 */
  147851. };
  147852. /********* End of inlined file: residue_8.h *********/
  147853. static int blocksize_8[2]={
  147854. 512,512
  147855. };
  147856. static int _floor_mapping_8[2]={
  147857. 6,6,
  147858. };
  147859. static double rate_mapping_8[3]={
  147860. 6000.,9000.,32000.,
  147861. };
  147862. static double rate_mapping_8_uncoupled[3]={
  147863. 8000.,14000.,42000.,
  147864. };
  147865. static double quality_mapping_8[3]={
  147866. -.1,.0,1.
  147867. };
  147868. static double _psy_compand_8_mapping[3]={ 0., 1., 1.};
  147869. static double _global_mapping_8[3]={ 1., 2., 3. };
  147870. ve_setup_data_template ve_setup_8_stereo={
  147871. 2,
  147872. rate_mapping_8,
  147873. quality_mapping_8,
  147874. 2,
  147875. 8000,
  147876. 9000,
  147877. blocksize_8,
  147878. blocksize_8,
  147879. _psy_tone_masteratt_8,
  147880. _psy_tone_0dB,
  147881. _psy_tone_suppress,
  147882. _vp_tonemask_adj_8,
  147883. NULL,
  147884. _vp_tonemask_adj_8,
  147885. _psy_noiseguards_8,
  147886. _psy_noisebias_8,
  147887. _psy_noisebias_8,
  147888. NULL,
  147889. NULL,
  147890. _psy_noise_suppress,
  147891. _psy_compand_8,
  147892. _psy_compand_8_mapping,
  147893. NULL,
  147894. {_noise_start_8,_noise_start_8},
  147895. {_noise_part_8,_noise_part_8},
  147896. _noise_thresh_5only,
  147897. _psy_ath_floater_8,
  147898. _psy_ath_abs_8,
  147899. _psy_lowpass_8,
  147900. _psy_global_44,
  147901. _global_mapping_8,
  147902. _psy_stereo_modes_8,
  147903. _floor_books,
  147904. _floor,
  147905. _floor_mapping_8,
  147906. NULL,
  147907. _mapres_template_8_stereo
  147908. };
  147909. ve_setup_data_template ve_setup_8_uncoupled={
  147910. 2,
  147911. rate_mapping_8_uncoupled,
  147912. quality_mapping_8,
  147913. -1,
  147914. 8000,
  147915. 9000,
  147916. blocksize_8,
  147917. blocksize_8,
  147918. _psy_tone_masteratt_8,
  147919. _psy_tone_0dB,
  147920. _psy_tone_suppress,
  147921. _vp_tonemask_adj_8,
  147922. NULL,
  147923. _vp_tonemask_adj_8,
  147924. _psy_noiseguards_8,
  147925. _psy_noisebias_8,
  147926. _psy_noisebias_8,
  147927. NULL,
  147928. NULL,
  147929. _psy_noise_suppress,
  147930. _psy_compand_8,
  147931. _psy_compand_8_mapping,
  147932. NULL,
  147933. {_noise_start_8,_noise_start_8},
  147934. {_noise_part_8,_noise_part_8},
  147935. _noise_thresh_5only,
  147936. _psy_ath_floater_8,
  147937. _psy_ath_abs_8,
  147938. _psy_lowpass_8,
  147939. _psy_global_44,
  147940. _global_mapping_8,
  147941. _psy_stereo_modes_8,
  147942. _floor_books,
  147943. _floor,
  147944. _floor_mapping_8,
  147945. NULL,
  147946. _mapres_template_8_uncoupled
  147947. };
  147948. /********* End of inlined file: setup_8.h *********/
  147949. /********* Start of inlined file: setup_11.h *********/
  147950. /********* Start of inlined file: psych_11.h *********/
  147951. static double _psy_lowpass_11[3]={4.5,5.5,30.,};
  147952. static att3 _psy_tone_masteratt_11[3]={
  147953. {{ 30, 25, 12}, 0, 0}, /* 0 */
  147954. {{ 30, 25, 12}, 0, 0}, /* 0 */
  147955. {{ 20, 0, -14}, 0, 0}, /* 0 */
  147956. };
  147957. static vp_adjblock _vp_tonemask_adj_11[3]={
  147958. /* adjust for mode zero */
  147959. /* 63 125 250 500 1 2 4 8 16 */
  147960. {{-20,-20,-20,-20,-20,-16,-10, 0, 0, 0, 0,10, 2, 0,99,99,99}}, /* 0 */
  147961. {{-20,-20,-20,-20,-20,-16,-10, 0, 0, 0, 0, 5, 0, 0,99,99,99}}, /* 1 */
  147962. {{-20,-20,-20,-20,-20,-16,-10, 0, 0, 0, 0, 0, 0, 0,99,99,99}}, /* 2 */
  147963. };
  147964. static noise3 _psy_noisebias_11[3]={
  147965. /* 63 125 250 500 1k 2k 4k 8k 16k*/
  147966. {{{-10,-10,-10,-10, -5, -5, -5, 0, 4, 10, 10, 12, 12, 12, 99, 99, 99},
  147967. {-15,-15,-15,-15,-10,-10, -5, 0, 0, 4, 4, 5, 5, 10, 99, 99, 99},
  147968. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, 99, 99, 99}}},
  147969. {{{-10,-10,-10,-10, -5, -5, -5, 0, 4, 10, 10, 12, 12, 12, 99, 99, 99},
  147970. {-15,-15,-15,-15,-10,-10, -5, -5, -5, 0, 0, 0, 0, 0, 99, 99, 99},
  147971. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, 99, 99, 99}}},
  147972. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 4, 4, 5, 5, 99, 99, 99},
  147973. {-30,-30,-30,-30,-26,-22,-20,-14,-12,-12,-10,-10,-10,-10, 99, 99, 99},
  147974. {-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26,-24, 99, 99, 99}}},
  147975. };
  147976. static double _noise_thresh_11[3]={ .3,.5,.5 };
  147977. /********* End of inlined file: psych_11.h *********/
  147978. static int blocksize_11[2]={
  147979. 512,512
  147980. };
  147981. static int _floor_mapping_11[2]={
  147982. 6,6,
  147983. };
  147984. static double rate_mapping_11[3]={
  147985. 8000.,13000.,44000.,
  147986. };
  147987. static double rate_mapping_11_uncoupled[3]={
  147988. 12000.,20000.,50000.,
  147989. };
  147990. static double quality_mapping_11[3]={
  147991. -.1,.0,1.
  147992. };
  147993. ve_setup_data_template ve_setup_11_stereo={
  147994. 2,
  147995. rate_mapping_11,
  147996. quality_mapping_11,
  147997. 2,
  147998. 9000,
  147999. 15000,
  148000. blocksize_11,
  148001. blocksize_11,
  148002. _psy_tone_masteratt_11,
  148003. _psy_tone_0dB,
  148004. _psy_tone_suppress,
  148005. _vp_tonemask_adj_11,
  148006. NULL,
  148007. _vp_tonemask_adj_11,
  148008. _psy_noiseguards_8,
  148009. _psy_noisebias_11,
  148010. _psy_noisebias_11,
  148011. NULL,
  148012. NULL,
  148013. _psy_noise_suppress,
  148014. _psy_compand_8,
  148015. _psy_compand_8_mapping,
  148016. NULL,
  148017. {_noise_start_8,_noise_start_8},
  148018. {_noise_part_8,_noise_part_8},
  148019. _noise_thresh_11,
  148020. _psy_ath_floater_8,
  148021. _psy_ath_abs_8,
  148022. _psy_lowpass_11,
  148023. _psy_global_44,
  148024. _global_mapping_8,
  148025. _psy_stereo_modes_8,
  148026. _floor_books,
  148027. _floor,
  148028. _floor_mapping_11,
  148029. NULL,
  148030. _mapres_template_8_stereo
  148031. };
  148032. ve_setup_data_template ve_setup_11_uncoupled={
  148033. 2,
  148034. rate_mapping_11_uncoupled,
  148035. quality_mapping_11,
  148036. -1,
  148037. 9000,
  148038. 15000,
  148039. blocksize_11,
  148040. blocksize_11,
  148041. _psy_tone_masteratt_11,
  148042. _psy_tone_0dB,
  148043. _psy_tone_suppress,
  148044. _vp_tonemask_adj_11,
  148045. NULL,
  148046. _vp_tonemask_adj_11,
  148047. _psy_noiseguards_8,
  148048. _psy_noisebias_11,
  148049. _psy_noisebias_11,
  148050. NULL,
  148051. NULL,
  148052. _psy_noise_suppress,
  148053. _psy_compand_8,
  148054. _psy_compand_8_mapping,
  148055. NULL,
  148056. {_noise_start_8,_noise_start_8},
  148057. {_noise_part_8,_noise_part_8},
  148058. _noise_thresh_11,
  148059. _psy_ath_floater_8,
  148060. _psy_ath_abs_8,
  148061. _psy_lowpass_11,
  148062. _psy_global_44,
  148063. _global_mapping_8,
  148064. _psy_stereo_modes_8,
  148065. _floor_books,
  148066. _floor,
  148067. _floor_mapping_11,
  148068. NULL,
  148069. _mapres_template_8_uncoupled
  148070. };
  148071. /********* End of inlined file: setup_11.h *********/
  148072. /********* Start of inlined file: setup_16.h *********/
  148073. /********* Start of inlined file: psych_16.h *********/
  148074. /* stereo mode by base quality level */
  148075. static adj_stereo _psy_stereo_modes_16[4]={
  148076. /* 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 */
  148077. {{ 4, 4, 4, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3},
  148078. { 6, 5, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4},
  148079. { 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 3, 3, 4, 4},
  148080. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  148081. {{ 4, 4, 4, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3},
  148082. { 6, 5, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4},
  148083. { 2, 2, 2, 2, 2, 2, 2, 2, 2, 3, 4, 4, 4, 4, 4},
  148084. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  148085. {{ 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3},
  148086. { 5, 4, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3},
  148087. { 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4},
  148088. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  148089. {{ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  148090. { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0},
  148091. { 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8},
  148092. { 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99, 99}},
  148093. };
  148094. static double _psy_lowpass_16[4]={6.5,8,30.,99.};
  148095. static att3 _psy_tone_masteratt_16[4]={
  148096. {{ 30, 25, 12}, 0, 0}, /* 0 */
  148097. {{ 25, 22, 12}, 0, 0}, /* 0 */
  148098. {{ 20, 12, 0}, 0, 0}, /* 0 */
  148099. {{ 15, 0, -14}, 0, 0}, /* 0 */
  148100. };
  148101. static vp_adjblock _vp_tonemask_adj_16[4]={
  148102. /* adjust for mode zero */
  148103. /* 63 125 250 500 1 2 4 8 16 */
  148104. {{-20,-20,-20,-20,-20,-16,-10, 0, 0, 0, 0,10, 0, 0, 0, 0, 0}}, /* 0 */
  148105. {{-20,-20,-20,-20,-20,-16,-10, 0, 0, 0, 0,10, 0, 0, 0, 0, 0}}, /* 1 */
  148106. {{-20,-20,-20,-20,-20,-16,-10, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0}}, /* 2 */
  148107. {{-30,-30,-30,-30,-30,-26,-20,-10, -5, 0, 0, 0, 0, 0, 0, 0, 0}}, /* 2 */
  148108. };
  148109. static noise3 _psy_noisebias_16_short[4]={
  148110. /* 63 125 250 500 1k 2k 4k 8k 16k*/
  148111. {{{-15,-15,-15,-15,-15,-10,-10,-5, 4, 10, 10, 10, 10, 12, 12, 14, 20},
  148112. {-15,-15,-15,-15,-15,-10,-10, -5, 0, 0, 4, 5, 5, 6, 8, 8, 15},
  148113. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -6, -6}}},
  148114. {{{-15,-15,-15,-15,-15,-10,-10,-5, 4, 6, 6, 6, 6, 8, 10, 12, 20},
  148115. {-15,-15,-15,-15,-15,-15,-15,-10, -5, -5, -5, 4, 5, 6, 8, 8, 15},
  148116. {-30,-30,-30,-30,-30,-24,-20,-14,-10,-10,-10,-10,-10,-10,-10,-10,-10}}},
  148117. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 4, 4, 5, 5, 5, 8, 12},
  148118. {-20,-20,-20,-20,-16,-12,-20,-14,-10,-10, -8, 0, 0, 0, 0, 2, 5},
  148119. {-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26,-24,-20,-20,-20}}},
  148120. {{{-15,-15,-15,-15,-15,-12,-10, -8, -5, -5, -5, -5, -5, 0, 0, 0, 6},
  148121. {-30,-30,-30,-30,-26,-22,-20,-14,-12,-12,-10,-10,-10,-10,-10,-10, -6},
  148122. {-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26,-24,-20,-20,-20}}},
  148123. };
  148124. static noise3 _psy_noisebias_16_impulse[4]={
  148125. /* 63 125 250 500 1k 2k 4k 8k 16k*/
  148126. {{{-15,-15,-15,-15,-15,-10,-10,-5, 4, 10, 10, 10, 10, 12, 12, 14, 20},
  148127. {-15,-15,-15,-15,-15,-10,-10, -5, 0, 0, 4, 5, 5, 6, 8, 8, 15},
  148128. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -6, -6}}},
  148129. {{{-15,-15,-15,-15,-15,-10,-10,-5, 4, 4, 4, 4, 5, 5, 6, 8, 15},
  148130. {-15,-15,-15,-15,-15,-15,-15,-10, -5, -5, -5, 0, 0, 0, 0, 4, 10},
  148131. {-30,-30,-30,-30,-30,-24,-20,-14,-10,-10,-10,-10,-10,-10,-10,-10,-10}}},
  148132. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 0, 0, 0, 0, 0, 0, 4, 10},
  148133. {-20,-20,-20,-20,-16,-12,-20,-14,-10,-10,-10,-10,-10,-10,-10, -7, -5},
  148134. {-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26,-24,-20,-20,-20}}},
  148135. {{{-15,-15,-15,-15,-15,-12,-10, -8, -5, -5, -5, -5, -5, 0, 0, 0, 6},
  148136. {-30,-30,-30,-30,-26,-22,-20,-18,-18,-18,-20,-20,-20,-20,-20,-20,-16},
  148137. {-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26,-24,-20,-20,-20}}},
  148138. };
  148139. static noise3 _psy_noisebias_16[4]={
  148140. /* 63 125 250 500 1k 2k 4k 8k 16k*/
  148141. {{{-10,-10,-10,-10, -5, -5, -5, 0, 4, 6, 8, 8, 10, 10, 10, 14, 20},
  148142. {-10,-10,-10,-10,-10, -5, -2, -2, 0, 0, 0, 4, 5, 6, 8, 8, 15},
  148143. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -6, -6}}},
  148144. {{{-10,-10,-10,-10, -5, -5, -5, 0, 4, 6, 6, 6, 6, 8, 10, 12, 20},
  148145. {-15,-15,-15,-15,-15,-10, -5, -5, 0, 0, 0, 4, 5, 6, 8, 8, 15},
  148146. {-30,-30,-30,-30,-30,-24,-20,-14,-10, -6, -8, -8, -6, -6, -6, -6, -6}}},
  148147. {{{-15,-15,-15,-15,-15,-12,-10, -8, 0, 2, 4, 4, 5, 5, 5, 8, 12},
  148148. {-20,-20,-20,-20,-16,-12,-20,-10, -5, -5, 0, 0, 0, 0, 0, 2, 5},
  148149. {-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26,-24,-20,-20,-20}}},
  148150. {{{-15,-15,-15,-15,-15,-12,-10, -8, -5, -5, -5, -5, -5, 0, 0, 0, 6},
  148151. {-30,-30,-30,-30,-26,-22,-20,-14,-12,-12,-10,-10,-10,-10,-10,-10, -6},
  148152. {-30,-30,-30,-30,-26,-26,-26,-26,-26,-26,-26,-26,-26,-24,-20,-20,-20}}},
  148153. };
  148154. static double _noise_thresh_16[4]={ .3,.5,.5,.5 };
  148155. static int _noise_start_16[3]={ 256,256,9999 };
  148156. static int _noise_part_16[4]={ 8,8,8,8 };
  148157. static int _psy_ath_floater_16[4]={
  148158. -100,-100,-100,-105,
  148159. };
  148160. static int _psy_ath_abs_16[4]={
  148161. -130,-130,-130,-140,
  148162. };
  148163. /********* End of inlined file: psych_16.h *********/
  148164. /********* Start of inlined file: residue_16.h *********/
  148165. /***** residue backends *********************************************/
  148166. static static_bookblock _resbook_16s_0={
  148167. {
  148168. {0},
  148169. {0,0,&_16c0_s_p1_0},
  148170. {0,0,&_16c0_s_p2_0},
  148171. {0,0,&_16c0_s_p3_0},
  148172. {0,0,&_16c0_s_p4_0},
  148173. {0,0,&_16c0_s_p5_0},
  148174. {0,0,&_16c0_s_p6_0},
  148175. {&_16c0_s_p7_0,&_16c0_s_p7_1},
  148176. {&_16c0_s_p8_0,&_16c0_s_p8_1},
  148177. {&_16c0_s_p9_0,&_16c0_s_p9_1,&_16c0_s_p9_2}
  148178. }
  148179. };
  148180. static static_bookblock _resbook_16s_1={
  148181. {
  148182. {0},
  148183. {0,0,&_16c1_s_p1_0},
  148184. {0,0,&_16c1_s_p2_0},
  148185. {0,0,&_16c1_s_p3_0},
  148186. {0,0,&_16c1_s_p4_0},
  148187. {0,0,&_16c1_s_p5_0},
  148188. {0,0,&_16c1_s_p6_0},
  148189. {&_16c1_s_p7_0,&_16c1_s_p7_1},
  148190. {&_16c1_s_p8_0,&_16c1_s_p8_1},
  148191. {&_16c1_s_p9_0,&_16c1_s_p9_1,&_16c1_s_p9_2}
  148192. }
  148193. };
  148194. static static_bookblock _resbook_16s_2={
  148195. {
  148196. {0},
  148197. {0,0,&_16c2_s_p1_0},
  148198. {0,0,&_16c2_s_p2_0},
  148199. {0,0,&_16c2_s_p3_0},
  148200. {0,0,&_16c2_s_p4_0},
  148201. {&_16c2_s_p5_0,&_16c2_s_p5_1},
  148202. {&_16c2_s_p6_0,&_16c2_s_p6_1},
  148203. {&_16c2_s_p7_0,&_16c2_s_p7_1},
  148204. {&_16c2_s_p8_0,&_16c2_s_p8_1},
  148205. {&_16c2_s_p9_0,&_16c2_s_p9_1,&_16c2_s_p9_2}
  148206. }
  148207. };
  148208. static vorbis_residue_template _res_16s_0[]={
  148209. {2,0, &_residue_44_mid,
  148210. &_huff_book__16c0_s_single,&_huff_book__16c0_s_single,
  148211. &_resbook_16s_0,&_resbook_16s_0},
  148212. };
  148213. static vorbis_residue_template _res_16s_1[]={
  148214. {2,0, &_residue_44_mid,
  148215. &_huff_book__16c1_s_short,&_huff_book__16c1_s_short,
  148216. &_resbook_16s_1,&_resbook_16s_1},
  148217. {2,0, &_residue_44_mid,
  148218. &_huff_book__16c1_s_long,&_huff_book__16c1_s_long,
  148219. &_resbook_16s_1,&_resbook_16s_1}
  148220. };
  148221. static vorbis_residue_template _res_16s_2[]={
  148222. {2,0, &_residue_44_high,
  148223. &_huff_book__16c2_s_short,&_huff_book__16c2_s_short,
  148224. &_resbook_16s_2,&_resbook_16s_2},
  148225. {2,0, &_residue_44_high,
  148226. &_huff_book__16c2_s_long,&_huff_book__16c2_s_long,
  148227. &_resbook_16s_2,&_resbook_16s_2}
  148228. };
  148229. static vorbis_mapping_template _mapres_template_16_stereo[3]={
  148230. { _map_nominal, _res_16s_0 }, /* 0 */
  148231. { _map_nominal, _res_16s_1 }, /* 1 */
  148232. { _map_nominal, _res_16s_2 }, /* 2 */
  148233. };
  148234. static static_bookblock _resbook_16u_0={
  148235. {
  148236. {0},
  148237. {0,0,&_16u0__p1_0},
  148238. {0,0,&_16u0__p2_0},
  148239. {0,0,&_16u0__p3_0},
  148240. {0,0,&_16u0__p4_0},
  148241. {0,0,&_16u0__p5_0},
  148242. {&_16u0__p6_0,&_16u0__p6_1},
  148243. {&_16u0__p7_0,&_16u0__p7_1,&_16u0__p7_2}
  148244. }
  148245. };
  148246. static static_bookblock _resbook_16u_1={
  148247. {
  148248. {0},
  148249. {0,0,&_16u1__p1_0},
  148250. {0,0,&_16u1__p2_0},
  148251. {0,0,&_16u1__p3_0},
  148252. {0,0,&_16u1__p4_0},
  148253. {0,0,&_16u1__p5_0},
  148254. {0,0,&_16u1__p6_0},
  148255. {&_16u1__p7_0,&_16u1__p7_1},
  148256. {&_16u1__p8_0,&_16u1__p8_1},
  148257. {&_16u1__p9_0,&_16u1__p9_1,&_16u1__p9_2}
  148258. }
  148259. };
  148260. static static_bookblock _resbook_16u_2={
  148261. {
  148262. {0},
  148263. {0,0,&_16u2_p1_0},
  148264. {0,0,&_16u2_p2_0},
  148265. {0,0,&_16u2_p3_0},
  148266. {0,0,&_16u2_p4_0},
  148267. {&_16u2_p5_0,&_16u2_p5_1},
  148268. {&_16u2_p6_0,&_16u2_p6_1},
  148269. {&_16u2_p7_0,&_16u2_p7_1},
  148270. {&_16u2_p8_0,&_16u2_p8_1},
  148271. {&_16u2_p9_0,&_16u2_p9_1,&_16u2_p9_2}
  148272. }
  148273. };
  148274. static vorbis_residue_template _res_16u_0[]={
  148275. {1,0, &_residue_44_low_un,
  148276. &_huff_book__16u0__single,&_huff_book__16u0__single,
  148277. &_resbook_16u_0,&_resbook_16u_0},
  148278. };
  148279. static vorbis_residue_template _res_16u_1[]={
  148280. {1,0, &_residue_44_mid_un,
  148281. &_huff_book__16u1__short,&_huff_book__16u1__short,
  148282. &_resbook_16u_1,&_resbook_16u_1},
  148283. {1,0, &_residue_44_mid_un,
  148284. &_huff_book__16u1__long,&_huff_book__16u1__long,
  148285. &_resbook_16u_1,&_resbook_16u_1}
  148286. };
  148287. static vorbis_residue_template _res_16u_2[]={
  148288. {1,0, &_residue_44_hi_un,
  148289. &_huff_book__16u2__short,&_huff_book__16u2__short,
  148290. &_resbook_16u_2,&_resbook_16u_2},
  148291. {1,0, &_residue_44_hi_un,
  148292. &_huff_book__16u2__long,&_huff_book__16u2__long,
  148293. &_resbook_16u_2,&_resbook_16u_2}
  148294. };
  148295. static vorbis_mapping_template _mapres_template_16_uncoupled[3]={
  148296. { _map_nominal_u, _res_16u_0 }, /* 0 */
  148297. { _map_nominal_u, _res_16u_1 }, /* 1 */
  148298. { _map_nominal_u, _res_16u_2 }, /* 2 */
  148299. };
  148300. /********* End of inlined file: residue_16.h *********/
  148301. static int blocksize_16_short[3]={
  148302. 1024,512,512
  148303. };
  148304. static int blocksize_16_long[3]={
  148305. 1024,1024,1024
  148306. };
  148307. static int _floor_mapping_16_short[3]={
  148308. 9,3,3
  148309. };
  148310. static int _floor_mapping_16[3]={
  148311. 9,9,9
  148312. };
  148313. static double rate_mapping_16[4]={
  148314. 12000.,20000.,44000.,86000.
  148315. };
  148316. static double rate_mapping_16_uncoupled[4]={
  148317. 16000.,28000.,64000.,100000.
  148318. };
  148319. static double _global_mapping_16[4]={ 1., 2., 3., 4. };
  148320. static double quality_mapping_16[4]={ -.1,.05,.5,1. };
  148321. static double _psy_compand_16_mapping[4]={ 0., .8, 1., 1.};
  148322. ve_setup_data_template ve_setup_16_stereo={
  148323. 3,
  148324. rate_mapping_16,
  148325. quality_mapping_16,
  148326. 2,
  148327. 15000,
  148328. 19000,
  148329. blocksize_16_short,
  148330. blocksize_16_long,
  148331. _psy_tone_masteratt_16,
  148332. _psy_tone_0dB,
  148333. _psy_tone_suppress,
  148334. _vp_tonemask_adj_16,
  148335. _vp_tonemask_adj_16,
  148336. _vp_tonemask_adj_16,
  148337. _psy_noiseguards_8,
  148338. _psy_noisebias_16_impulse,
  148339. _psy_noisebias_16_short,
  148340. _psy_noisebias_16_short,
  148341. _psy_noisebias_16,
  148342. _psy_noise_suppress,
  148343. _psy_compand_8,
  148344. _psy_compand_16_mapping,
  148345. _psy_compand_16_mapping,
  148346. {_noise_start_16,_noise_start_16},
  148347. { _noise_part_16, _noise_part_16},
  148348. _noise_thresh_16,
  148349. _psy_ath_floater_16,
  148350. _psy_ath_abs_16,
  148351. _psy_lowpass_16,
  148352. _psy_global_44,
  148353. _global_mapping_16,
  148354. _psy_stereo_modes_16,
  148355. _floor_books,
  148356. _floor,
  148357. _floor_mapping_16_short,
  148358. _floor_mapping_16,
  148359. _mapres_template_16_stereo
  148360. };
  148361. ve_setup_data_template ve_setup_16_uncoupled={
  148362. 3,
  148363. rate_mapping_16_uncoupled,
  148364. quality_mapping_16,
  148365. -1,
  148366. 15000,
  148367. 19000,
  148368. blocksize_16_short,
  148369. blocksize_16_long,
  148370. _psy_tone_masteratt_16,
  148371. _psy_tone_0dB,
  148372. _psy_tone_suppress,
  148373. _vp_tonemask_adj_16,
  148374. _vp_tonemask_adj_16,
  148375. _vp_tonemask_adj_16,
  148376. _psy_noiseguards_8,
  148377. _psy_noisebias_16_impulse,
  148378. _psy_noisebias_16_short,
  148379. _psy_noisebias_16_short,
  148380. _psy_noisebias_16,
  148381. _psy_noise_suppress,
  148382. _psy_compand_8,
  148383. _psy_compand_16_mapping,
  148384. _psy_compand_16_mapping,
  148385. {_noise_start_16,_noise_start_16},
  148386. { _noise_part_16, _noise_part_16},
  148387. _noise_thresh_16,
  148388. _psy_ath_floater_16,
  148389. _psy_ath_abs_16,
  148390. _psy_lowpass_16,
  148391. _psy_global_44,
  148392. _global_mapping_16,
  148393. _psy_stereo_modes_16,
  148394. _floor_books,
  148395. _floor,
  148396. _floor_mapping_16_short,
  148397. _floor_mapping_16,
  148398. _mapres_template_16_uncoupled
  148399. };
  148400. /********* End of inlined file: setup_16.h *********/
  148401. /********* Start of inlined file: setup_22.h *********/
  148402. static double rate_mapping_22[4]={
  148403. 15000.,20000.,44000.,86000.
  148404. };
  148405. static double rate_mapping_22_uncoupled[4]={
  148406. 16000.,28000.,50000.,90000.
  148407. };
  148408. static double _psy_lowpass_22[4]={9.5,11.,30.,99.};
  148409. ve_setup_data_template ve_setup_22_stereo={
  148410. 3,
  148411. rate_mapping_22,
  148412. quality_mapping_16,
  148413. 2,
  148414. 19000,
  148415. 26000,
  148416. blocksize_16_short,
  148417. blocksize_16_long,
  148418. _psy_tone_masteratt_16,
  148419. _psy_tone_0dB,
  148420. _psy_tone_suppress,
  148421. _vp_tonemask_adj_16,
  148422. _vp_tonemask_adj_16,
  148423. _vp_tonemask_adj_16,
  148424. _psy_noiseguards_8,
  148425. _psy_noisebias_16_impulse,
  148426. _psy_noisebias_16_short,
  148427. _psy_noisebias_16_short,
  148428. _psy_noisebias_16,
  148429. _psy_noise_suppress,
  148430. _psy_compand_8,
  148431. _psy_compand_8_mapping,
  148432. _psy_compand_8_mapping,
  148433. {_noise_start_16,_noise_start_16},
  148434. { _noise_part_16, _noise_part_16},
  148435. _noise_thresh_16,
  148436. _psy_ath_floater_16,
  148437. _psy_ath_abs_16,
  148438. _psy_lowpass_22,
  148439. _psy_global_44,
  148440. _global_mapping_16,
  148441. _psy_stereo_modes_16,
  148442. _floor_books,
  148443. _floor,
  148444. _floor_mapping_16_short,
  148445. _floor_mapping_16,
  148446. _mapres_template_16_stereo
  148447. };
  148448. ve_setup_data_template ve_setup_22_uncoupled={
  148449. 3,
  148450. rate_mapping_22_uncoupled,
  148451. quality_mapping_16,
  148452. -1,
  148453. 19000,
  148454. 26000,
  148455. blocksize_16_short,
  148456. blocksize_16_long,
  148457. _psy_tone_masteratt_16,
  148458. _psy_tone_0dB,
  148459. _psy_tone_suppress,
  148460. _vp_tonemask_adj_16,
  148461. _vp_tonemask_adj_16,
  148462. _vp_tonemask_adj_16,
  148463. _psy_noiseguards_8,
  148464. _psy_noisebias_16_impulse,
  148465. _psy_noisebias_16_short,
  148466. _psy_noisebias_16_short,
  148467. _psy_noisebias_16,
  148468. _psy_noise_suppress,
  148469. _psy_compand_8,
  148470. _psy_compand_8_mapping,
  148471. _psy_compand_8_mapping,
  148472. {_noise_start_16,_noise_start_16},
  148473. { _noise_part_16, _noise_part_16},
  148474. _noise_thresh_16,
  148475. _psy_ath_floater_16,
  148476. _psy_ath_abs_16,
  148477. _psy_lowpass_22,
  148478. _psy_global_44,
  148479. _global_mapping_16,
  148480. _psy_stereo_modes_16,
  148481. _floor_books,
  148482. _floor,
  148483. _floor_mapping_16_short,
  148484. _floor_mapping_16,
  148485. _mapres_template_16_uncoupled
  148486. };
  148487. /********* End of inlined file: setup_22.h *********/
  148488. /********* Start of inlined file: setup_X.h *********/
  148489. static double rate_mapping_X[12]={
  148490. -1.,-1.,-1.,-1.,-1.,-1.,
  148491. -1.,-1.,-1.,-1.,-1.,-1.
  148492. };
  148493. ve_setup_data_template ve_setup_X_stereo={
  148494. 11,
  148495. rate_mapping_X,
  148496. quality_mapping_44,
  148497. 2,
  148498. 50000,
  148499. 200000,
  148500. blocksize_short_44,
  148501. blocksize_long_44,
  148502. _psy_tone_masteratt_44,
  148503. _psy_tone_0dB,
  148504. _psy_tone_suppress,
  148505. _vp_tonemask_adj_otherblock,
  148506. _vp_tonemask_adj_longblock,
  148507. _vp_tonemask_adj_otherblock,
  148508. _psy_noiseguards_44,
  148509. _psy_noisebias_impulse,
  148510. _psy_noisebias_padding,
  148511. _psy_noisebias_trans,
  148512. _psy_noisebias_long,
  148513. _psy_noise_suppress,
  148514. _psy_compand_44,
  148515. _psy_compand_short_mapping,
  148516. _psy_compand_long_mapping,
  148517. {_noise_start_short_44,_noise_start_long_44},
  148518. {_noise_part_short_44,_noise_part_long_44},
  148519. _noise_thresh_44,
  148520. _psy_ath_floater,
  148521. _psy_ath_abs,
  148522. _psy_lowpass_44,
  148523. _psy_global_44,
  148524. _global_mapping_44,
  148525. _psy_stereo_modes_44,
  148526. _floor_books,
  148527. _floor,
  148528. _floor_short_mapping_44,
  148529. _floor_long_mapping_44,
  148530. _mapres_template_44_stereo
  148531. };
  148532. ve_setup_data_template ve_setup_X_uncoupled={
  148533. 11,
  148534. rate_mapping_X,
  148535. quality_mapping_44,
  148536. -1,
  148537. 50000,
  148538. 200000,
  148539. blocksize_short_44,
  148540. blocksize_long_44,
  148541. _psy_tone_masteratt_44,
  148542. _psy_tone_0dB,
  148543. _psy_tone_suppress,
  148544. _vp_tonemask_adj_otherblock,
  148545. _vp_tonemask_adj_longblock,
  148546. _vp_tonemask_adj_otherblock,
  148547. _psy_noiseguards_44,
  148548. _psy_noisebias_impulse,
  148549. _psy_noisebias_padding,
  148550. _psy_noisebias_trans,
  148551. _psy_noisebias_long,
  148552. _psy_noise_suppress,
  148553. _psy_compand_44,
  148554. _psy_compand_short_mapping,
  148555. _psy_compand_long_mapping,
  148556. {_noise_start_short_44,_noise_start_long_44},
  148557. {_noise_part_short_44,_noise_part_long_44},
  148558. _noise_thresh_44,
  148559. _psy_ath_floater,
  148560. _psy_ath_abs,
  148561. _psy_lowpass_44,
  148562. _psy_global_44,
  148563. _global_mapping_44,
  148564. NULL,
  148565. _floor_books,
  148566. _floor,
  148567. _floor_short_mapping_44,
  148568. _floor_long_mapping_44,
  148569. _mapres_template_44_uncoupled
  148570. };
  148571. ve_setup_data_template ve_setup_XX_stereo={
  148572. 2,
  148573. rate_mapping_X,
  148574. quality_mapping_8,
  148575. 2,
  148576. 0,
  148577. 8000,
  148578. blocksize_8,
  148579. blocksize_8,
  148580. _psy_tone_masteratt_8,
  148581. _psy_tone_0dB,
  148582. _psy_tone_suppress,
  148583. _vp_tonemask_adj_8,
  148584. NULL,
  148585. _vp_tonemask_adj_8,
  148586. _psy_noiseguards_8,
  148587. _psy_noisebias_8,
  148588. _psy_noisebias_8,
  148589. NULL,
  148590. NULL,
  148591. _psy_noise_suppress,
  148592. _psy_compand_8,
  148593. _psy_compand_8_mapping,
  148594. NULL,
  148595. {_noise_start_8,_noise_start_8},
  148596. {_noise_part_8,_noise_part_8},
  148597. _noise_thresh_5only,
  148598. _psy_ath_floater_8,
  148599. _psy_ath_abs_8,
  148600. _psy_lowpass_8,
  148601. _psy_global_44,
  148602. _global_mapping_8,
  148603. _psy_stereo_modes_8,
  148604. _floor_books,
  148605. _floor,
  148606. _floor_mapping_8,
  148607. NULL,
  148608. _mapres_template_8_stereo
  148609. };
  148610. ve_setup_data_template ve_setup_XX_uncoupled={
  148611. 2,
  148612. rate_mapping_X,
  148613. quality_mapping_8,
  148614. -1,
  148615. 0,
  148616. 8000,
  148617. blocksize_8,
  148618. blocksize_8,
  148619. _psy_tone_masteratt_8,
  148620. _psy_tone_0dB,
  148621. _psy_tone_suppress,
  148622. _vp_tonemask_adj_8,
  148623. NULL,
  148624. _vp_tonemask_adj_8,
  148625. _psy_noiseguards_8,
  148626. _psy_noisebias_8,
  148627. _psy_noisebias_8,
  148628. NULL,
  148629. NULL,
  148630. _psy_noise_suppress,
  148631. _psy_compand_8,
  148632. _psy_compand_8_mapping,
  148633. NULL,
  148634. {_noise_start_8,_noise_start_8},
  148635. {_noise_part_8,_noise_part_8},
  148636. _noise_thresh_5only,
  148637. _psy_ath_floater_8,
  148638. _psy_ath_abs_8,
  148639. _psy_lowpass_8,
  148640. _psy_global_44,
  148641. _global_mapping_8,
  148642. _psy_stereo_modes_8,
  148643. _floor_books,
  148644. _floor,
  148645. _floor_mapping_8,
  148646. NULL,
  148647. _mapres_template_8_uncoupled
  148648. };
  148649. /********* End of inlined file: setup_X.h *********/
  148650. static ve_setup_data_template *setup_list[]={
  148651. &ve_setup_44_stereo,
  148652. &ve_setup_44_uncoupled,
  148653. &ve_setup_32_stereo,
  148654. &ve_setup_32_uncoupled,
  148655. &ve_setup_22_stereo,
  148656. &ve_setup_22_uncoupled,
  148657. &ve_setup_16_stereo,
  148658. &ve_setup_16_uncoupled,
  148659. &ve_setup_11_stereo,
  148660. &ve_setup_11_uncoupled,
  148661. &ve_setup_8_stereo,
  148662. &ve_setup_8_uncoupled,
  148663. &ve_setup_X_stereo,
  148664. &ve_setup_X_uncoupled,
  148665. &ve_setup_XX_stereo,
  148666. &ve_setup_XX_uncoupled,
  148667. 0
  148668. };
  148669. static int vorbis_encode_toplevel_setup(vorbis_info *vi,int ch,long rate){
  148670. if(vi && vi->codec_setup){
  148671. vi->version=0;
  148672. vi->channels=ch;
  148673. vi->rate=rate;
  148674. return(0);
  148675. }
  148676. return(OV_EINVAL);
  148677. }
  148678. static void vorbis_encode_floor_setup(vorbis_info *vi,double s,int block,
  148679. static_codebook ***books,
  148680. vorbis_info_floor1 *in,
  148681. int *x){
  148682. int i,k,is=s;
  148683. vorbis_info_floor1 *f=(vorbis_info_floor1*) _ogg_calloc(1,sizeof(*f));
  148684. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148685. memcpy(f,in+x[is],sizeof(*f));
  148686. /* fill in the lowpass field, even if it's temporary */
  148687. f->n=ci->blocksizes[block]>>1;
  148688. /* books */
  148689. {
  148690. int partitions=f->partitions;
  148691. int maxclass=-1;
  148692. int maxbook=-1;
  148693. for(i=0;i<partitions;i++)
  148694. if(f->partitionclass[i]>maxclass)maxclass=f->partitionclass[i];
  148695. for(i=0;i<=maxclass;i++){
  148696. if(f->class_book[i]>maxbook)maxbook=f->class_book[i];
  148697. f->class_book[i]+=ci->books;
  148698. for(k=0;k<(1<<f->class_subs[i]);k++){
  148699. if(f->class_subbook[i][k]>maxbook)maxbook=f->class_subbook[i][k];
  148700. if(f->class_subbook[i][k]>=0)f->class_subbook[i][k]+=ci->books;
  148701. }
  148702. }
  148703. for(i=0;i<=maxbook;i++)
  148704. ci->book_param[ci->books++]=books[x[is]][i];
  148705. }
  148706. /* for now, we're only using floor 1 */
  148707. ci->floor_type[ci->floors]=1;
  148708. ci->floor_param[ci->floors]=f;
  148709. ci->floors++;
  148710. return;
  148711. }
  148712. static void vorbis_encode_global_psych_setup(vorbis_info *vi,double s,
  148713. vorbis_info_psy_global *in,
  148714. double *x){
  148715. int i,is=s;
  148716. double ds=s-is;
  148717. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148718. vorbis_info_psy_global *g=&ci->psy_g_param;
  148719. memcpy(g,in+(int)x[is],sizeof(*g));
  148720. ds=x[is]*(1.-ds)+x[is+1]*ds;
  148721. is=(int)ds;
  148722. ds-=is;
  148723. if(ds==0 && is>0){
  148724. is--;
  148725. ds=1.;
  148726. }
  148727. /* interpolate the trigger threshholds */
  148728. for(i=0;i<4;i++){
  148729. g->preecho_thresh[i]=in[is].preecho_thresh[i]*(1.-ds)+in[is+1].preecho_thresh[i]*ds;
  148730. g->postecho_thresh[i]=in[is].postecho_thresh[i]*(1.-ds)+in[is+1].postecho_thresh[i]*ds;
  148731. }
  148732. g->ampmax_att_per_sec=ci->hi.amplitude_track_dBpersec;
  148733. return;
  148734. }
  148735. static void vorbis_encode_global_stereo(vorbis_info *vi,
  148736. highlevel_encode_setup *hi,
  148737. adj_stereo *p){
  148738. float s=hi->stereo_point_setting;
  148739. int i,is=s;
  148740. double ds=s-is;
  148741. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148742. vorbis_info_psy_global *g=&ci->psy_g_param;
  148743. if(p){
  148744. memcpy(g->coupling_prepointamp,p[is].pre,sizeof(*p[is].pre)*PACKETBLOBS);
  148745. memcpy(g->coupling_postpointamp,p[is].post,sizeof(*p[is].post)*PACKETBLOBS);
  148746. if(hi->managed){
  148747. /* interpolate the kHz threshholds */
  148748. for(i=0;i<PACKETBLOBS;i++){
  148749. float kHz=p[is].kHz[i]*(1.-ds)+p[is+1].kHz[i]*ds;
  148750. g->coupling_pointlimit[0][i]=kHz*1000./vi->rate*ci->blocksizes[0];
  148751. g->coupling_pointlimit[1][i]=kHz*1000./vi->rate*ci->blocksizes[1];
  148752. g->coupling_pkHz[i]=kHz;
  148753. kHz=p[is].lowpasskHz[i]*(1.-ds)+p[is+1].lowpasskHz[i]*ds;
  148754. g->sliding_lowpass[0][i]=kHz*1000./vi->rate*ci->blocksizes[0];
  148755. g->sliding_lowpass[1][i]=kHz*1000./vi->rate*ci->blocksizes[1];
  148756. }
  148757. }else{
  148758. float kHz=p[is].kHz[PACKETBLOBS/2]*(1.-ds)+p[is+1].kHz[PACKETBLOBS/2]*ds;
  148759. for(i=0;i<PACKETBLOBS;i++){
  148760. g->coupling_pointlimit[0][i]=kHz*1000./vi->rate*ci->blocksizes[0];
  148761. g->coupling_pointlimit[1][i]=kHz*1000./vi->rate*ci->blocksizes[1];
  148762. g->coupling_pkHz[i]=kHz;
  148763. }
  148764. kHz=p[is].lowpasskHz[PACKETBLOBS/2]*(1.-ds)+p[is+1].lowpasskHz[PACKETBLOBS/2]*ds;
  148765. for(i=0;i<PACKETBLOBS;i++){
  148766. g->sliding_lowpass[0][i]=kHz*1000./vi->rate*ci->blocksizes[0];
  148767. g->sliding_lowpass[1][i]=kHz*1000./vi->rate*ci->blocksizes[1];
  148768. }
  148769. }
  148770. }else{
  148771. for(i=0;i<PACKETBLOBS;i++){
  148772. g->sliding_lowpass[0][i]=ci->blocksizes[0];
  148773. g->sliding_lowpass[1][i]=ci->blocksizes[1];
  148774. }
  148775. }
  148776. return;
  148777. }
  148778. static void vorbis_encode_psyset_setup(vorbis_info *vi,double s,
  148779. int *nn_start,
  148780. int *nn_partition,
  148781. double *nn_thresh,
  148782. int block){
  148783. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  148784. vorbis_info_psy *p=ci->psy_param[block];
  148785. highlevel_encode_setup *hi=&ci->hi;
  148786. int is=s;
  148787. if(block>=ci->psys)
  148788. ci->psys=block+1;
  148789. if(!p){
  148790. p=(vorbis_info_psy*)_ogg_calloc(1,sizeof(*p));
  148791. ci->psy_param[block]=p;
  148792. }
  148793. memcpy(p,&_psy_info_template,sizeof(*p));
  148794. p->blockflag=block>>1;
  148795. if(hi->noise_normalize_p){
  148796. p->normal_channel_p=1;
  148797. p->normal_point_p=1;
  148798. p->normal_start=nn_start[is];
  148799. p->normal_partition=nn_partition[is];
  148800. p->normal_thresh=nn_thresh[is];
  148801. }
  148802. return;
  148803. }
  148804. static void vorbis_encode_tonemask_setup(vorbis_info *vi,double s,int block,
  148805. att3 *att,
  148806. int *max,
  148807. vp_adjblock *in){
  148808. int i,is=s;
  148809. double ds=s-is;
  148810. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  148811. vorbis_info_psy *p=ci->psy_param[block];
  148812. /* 0 and 2 are only used by bitmanagement, but there's no harm to always
  148813. filling the values in here */
  148814. p->tone_masteratt[0]=att[is].att[0]*(1.-ds)+att[is+1].att[0]*ds;
  148815. p->tone_masteratt[1]=att[is].att[1]*(1.-ds)+att[is+1].att[1]*ds;
  148816. p->tone_masteratt[2]=att[is].att[2]*(1.-ds)+att[is+1].att[2]*ds;
  148817. p->tone_centerboost=att[is].boost*(1.-ds)+att[is+1].boost*ds;
  148818. p->tone_decay=att[is].decay*(1.-ds)+att[is+1].decay*ds;
  148819. p->max_curve_dB=max[is]*(1.-ds)+max[is+1]*ds;
  148820. for(i=0;i<P_BANDS;i++)
  148821. p->toneatt[i]=in[is].block[i]*(1.-ds)+in[is+1].block[i]*ds;
  148822. return;
  148823. }
  148824. static void vorbis_encode_compand_setup(vorbis_info *vi,double s,int block,
  148825. compandblock *in, double *x){
  148826. int i,is=s;
  148827. double ds=s-is;
  148828. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148829. vorbis_info_psy *p=ci->psy_param[block];
  148830. ds=x[is]*(1.-ds)+x[is+1]*ds;
  148831. is=(int)ds;
  148832. ds-=is;
  148833. if(ds==0 && is>0){
  148834. is--;
  148835. ds=1.;
  148836. }
  148837. /* interpolate the compander settings */
  148838. for(i=0;i<NOISE_COMPAND_LEVELS;i++)
  148839. p->noisecompand[i]=in[is].data[i]*(1.-ds)+in[is+1].data[i]*ds;
  148840. return;
  148841. }
  148842. static void vorbis_encode_peak_setup(vorbis_info *vi,double s,int block,
  148843. int *suppress){
  148844. int is=s;
  148845. double ds=s-is;
  148846. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148847. vorbis_info_psy *p=ci->psy_param[block];
  148848. p->tone_abs_limit=suppress[is]*(1.-ds)+suppress[is+1]*ds;
  148849. return;
  148850. }
  148851. static void vorbis_encode_noisebias_setup(vorbis_info *vi,double s,int block,
  148852. int *suppress,
  148853. noise3 *in,
  148854. noiseguard *guard,
  148855. double userbias){
  148856. int i,is=s,j;
  148857. double ds=s-is;
  148858. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148859. vorbis_info_psy *p=ci->psy_param[block];
  148860. p->noisemaxsupp=suppress[is]*(1.-ds)+suppress[is+1]*ds;
  148861. p->noisewindowlomin=guard[block].lo;
  148862. p->noisewindowhimin=guard[block].hi;
  148863. p->noisewindowfixed=guard[block].fixed;
  148864. for(j=0;j<P_NOISECURVES;j++)
  148865. for(i=0;i<P_BANDS;i++)
  148866. p->noiseoff[j][i]=in[is].data[j][i]*(1.-ds)+in[is+1].data[j][i]*ds;
  148867. /* impulse blocks may take a user specified bias to boost the
  148868. nominal/high noise encoding depth */
  148869. for(j=0;j<P_NOISECURVES;j++){
  148870. float min=p->noiseoff[j][0]+6; /* the lowest it can go */
  148871. for(i=0;i<P_BANDS;i++){
  148872. p->noiseoff[j][i]+=userbias;
  148873. if(p->noiseoff[j][i]<min)p->noiseoff[j][i]=min;
  148874. }
  148875. }
  148876. return;
  148877. }
  148878. static void vorbis_encode_ath_setup(vorbis_info *vi,int block){
  148879. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148880. vorbis_info_psy *p=ci->psy_param[block];
  148881. p->ath_adjatt=ci->hi.ath_floating_dB;
  148882. p->ath_maxatt=ci->hi.ath_absolute_dB;
  148883. return;
  148884. }
  148885. static int book_dup_or_new(codec_setup_info *ci,static_codebook *book){
  148886. int i;
  148887. for(i=0;i<ci->books;i++)
  148888. if(ci->book_param[i]==book)return(i);
  148889. return(ci->books++);
  148890. }
  148891. static void vorbis_encode_blocksize_setup(vorbis_info *vi,double s,
  148892. int *shortb,int *longb){
  148893. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148894. int is=s;
  148895. int blockshort=shortb[is];
  148896. int blocklong=longb[is];
  148897. ci->blocksizes[0]=blockshort;
  148898. ci->blocksizes[1]=blocklong;
  148899. }
  148900. static void vorbis_encode_residue_setup(vorbis_info *vi,
  148901. int number, int block,
  148902. vorbis_residue_template *res){
  148903. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148904. int i,n;
  148905. vorbis_info_residue0 *r=(vorbis_info_residue0*)(ci->residue_param[number]=
  148906. (vorbis_info_residue0*)_ogg_malloc(sizeof(*r)));
  148907. memcpy(r,res->res,sizeof(*r));
  148908. if(ci->residues<=number)ci->residues=number+1;
  148909. switch(ci->blocksizes[block]){
  148910. case 64:case 128:case 256:
  148911. r->grouping=16;
  148912. break;
  148913. default:
  148914. r->grouping=32;
  148915. break;
  148916. }
  148917. ci->residue_type[number]=res->res_type;
  148918. /* to be adjusted by lowpass/pointlimit later */
  148919. n=r->end=ci->blocksizes[block]>>1;
  148920. if(res->res_type==2)
  148921. n=r->end*=vi->channels;
  148922. /* fill in all the books */
  148923. {
  148924. int booklist=0,k;
  148925. if(ci->hi.managed){
  148926. for(i=0;i<r->partitions;i++)
  148927. for(k=0;k<3;k++)
  148928. if(res->books_base_managed->books[i][k])
  148929. r->secondstages[i]|=(1<<k);
  148930. r->groupbook=book_dup_or_new(ci,res->book_aux_managed);
  148931. ci->book_param[r->groupbook]=res->book_aux_managed;
  148932. for(i=0;i<r->partitions;i++){
  148933. for(k=0;k<3;k++){
  148934. if(res->books_base_managed->books[i][k]){
  148935. int bookid=book_dup_or_new(ci,res->books_base_managed->books[i][k]);
  148936. r->booklist[booklist++]=bookid;
  148937. ci->book_param[bookid]=res->books_base_managed->books[i][k];
  148938. }
  148939. }
  148940. }
  148941. }else{
  148942. for(i=0;i<r->partitions;i++)
  148943. for(k=0;k<3;k++)
  148944. if(res->books_base->books[i][k])
  148945. r->secondstages[i]|=(1<<k);
  148946. r->groupbook=book_dup_or_new(ci,res->book_aux);
  148947. ci->book_param[r->groupbook]=res->book_aux;
  148948. for(i=0;i<r->partitions;i++){
  148949. for(k=0;k<3;k++){
  148950. if(res->books_base->books[i][k]){
  148951. int bookid=book_dup_or_new(ci,res->books_base->books[i][k]);
  148952. r->booklist[booklist++]=bookid;
  148953. ci->book_param[bookid]=res->books_base->books[i][k];
  148954. }
  148955. }
  148956. }
  148957. }
  148958. }
  148959. /* lowpass setup/pointlimit */
  148960. {
  148961. double freq=ci->hi.lowpass_kHz*1000.;
  148962. vorbis_info_floor1 *f=(vorbis_info_floor1*)ci->floor_param[block]; /* by convention */
  148963. double nyq=vi->rate/2.;
  148964. long blocksize=ci->blocksizes[block]>>1;
  148965. /* lowpass needs to be set in the floor and the residue. */
  148966. if(freq>nyq)freq=nyq;
  148967. /* in the floor, the granularity can be very fine; it doesn't alter
  148968. the encoding structure, only the samples used to fit the floor
  148969. approximation */
  148970. f->n=freq/nyq*blocksize;
  148971. /* this res may by limited by the maximum pointlimit of the mode,
  148972. not the lowpass. the floor is always lowpass limited. */
  148973. if(res->limit_type){
  148974. if(ci->hi.managed)
  148975. freq=ci->psy_g_param.coupling_pkHz[PACKETBLOBS-1]*1000.;
  148976. else
  148977. freq=ci->psy_g_param.coupling_pkHz[PACKETBLOBS/2]*1000.;
  148978. if(freq>nyq)freq=nyq;
  148979. }
  148980. /* in the residue, we're constrained, physically, by partition
  148981. boundaries. We still lowpass 'wherever', but we have to round up
  148982. here to next boundary, or the vorbis spec will round it *down* to
  148983. previous boundary in encode/decode */
  148984. if(ci->residue_type[block]==2)
  148985. r->end=(int)((freq/nyq*blocksize*2)/r->grouping+.9)* /* round up only if we're well past */
  148986. r->grouping;
  148987. else
  148988. r->end=(int)((freq/nyq*blocksize)/r->grouping+.9)* /* round up only if we're well past */
  148989. r->grouping;
  148990. }
  148991. }
  148992. /* we assume two maps in this encoder */
  148993. static void vorbis_encode_map_n_res_setup(vorbis_info *vi,double s,
  148994. vorbis_mapping_template *maps){
  148995. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  148996. int i,j,is=s,modes=2;
  148997. vorbis_info_mapping0 *map=maps[is].map;
  148998. vorbis_info_mode *mode=_mode_template;
  148999. vorbis_residue_template *res=maps[is].res;
  149000. if(ci->blocksizes[0]==ci->blocksizes[1])modes=1;
  149001. for(i=0;i<modes;i++){
  149002. ci->map_param[i]=_ogg_calloc(1,sizeof(*map));
  149003. ci->mode_param[i]=(vorbis_info_mode*)_ogg_calloc(1,sizeof(*mode));
  149004. memcpy(ci->mode_param[i],mode+i,sizeof(*_mode_template));
  149005. if(i>=ci->modes)ci->modes=i+1;
  149006. ci->map_type[i]=0;
  149007. memcpy(ci->map_param[i],map+i,sizeof(*map));
  149008. if(i>=ci->maps)ci->maps=i+1;
  149009. for(j=0;j<map[i].submaps;j++)
  149010. vorbis_encode_residue_setup(vi,map[i].residuesubmap[j],i
  149011. ,res+map[i].residuesubmap[j]);
  149012. }
  149013. }
  149014. static double setting_to_approx_bitrate(vorbis_info *vi){
  149015. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  149016. highlevel_encode_setup *hi=&ci->hi;
  149017. ve_setup_data_template *setup=(ve_setup_data_template *)hi->setup;
  149018. int is=hi->base_setting;
  149019. double ds=hi->base_setting-is;
  149020. int ch=vi->channels;
  149021. double *r=setup->rate_mapping;
  149022. if(r==NULL)
  149023. return(-1);
  149024. return((r[is]*(1.-ds)+r[is+1]*ds)*ch);
  149025. }
  149026. static void get_setup_template(vorbis_info *vi,
  149027. long ch,long srate,
  149028. double req,int q_or_bitrate){
  149029. int i=0,j;
  149030. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  149031. highlevel_encode_setup *hi=&ci->hi;
  149032. if(q_or_bitrate)req/=ch;
  149033. while(setup_list[i]){
  149034. if(setup_list[i]->coupling_restriction==-1 ||
  149035. setup_list[i]->coupling_restriction==ch){
  149036. if(srate>=setup_list[i]->samplerate_min_restriction &&
  149037. srate<=setup_list[i]->samplerate_max_restriction){
  149038. int mappings=setup_list[i]->mappings;
  149039. double *map=(q_or_bitrate?
  149040. setup_list[i]->rate_mapping:
  149041. setup_list[i]->quality_mapping);
  149042. /* the template matches. Does the requested quality mode
  149043. fall within this template's modes? */
  149044. if(req<map[0]){++i;continue;}
  149045. if(req>map[setup_list[i]->mappings]){++i;continue;}
  149046. for(j=0;j<mappings;j++)
  149047. if(req>=map[j] && req<map[j+1])break;
  149048. /* an all-points match */
  149049. hi->setup=setup_list[i];
  149050. if(j==mappings)
  149051. hi->base_setting=j-.001;
  149052. else{
  149053. float low=map[j];
  149054. float high=map[j+1];
  149055. float del=(req-low)/(high-low);
  149056. hi->base_setting=j+del;
  149057. }
  149058. return;
  149059. }
  149060. }
  149061. i++;
  149062. }
  149063. hi->setup=NULL;
  149064. }
  149065. /* encoders will need to use vorbis_info_init beforehand and call
  149066. vorbis_info clear when all done */
  149067. /* two interfaces; this, more detailed one, and later a convenience
  149068. layer on top */
  149069. /* the final setup call */
  149070. int vorbis_encode_setup_init(vorbis_info *vi){
  149071. int i0=0,singleblock=0;
  149072. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  149073. ve_setup_data_template *setup=NULL;
  149074. highlevel_encode_setup *hi=&ci->hi;
  149075. if(ci==NULL)return(OV_EINVAL);
  149076. if(!hi->impulse_block_p)i0=1;
  149077. /* too low/high an ATH floater is nonsensical, but doesn't break anything */
  149078. if(hi->ath_floating_dB>-80)hi->ath_floating_dB=-80;
  149079. if(hi->ath_floating_dB<-200)hi->ath_floating_dB=-200;
  149080. /* again, bound this to avoid the app shooting itself int he foot
  149081. too badly */
  149082. if(hi->amplitude_track_dBpersec>0.)hi->amplitude_track_dBpersec=0.;
  149083. if(hi->amplitude_track_dBpersec<-99999.)hi->amplitude_track_dBpersec=-99999.;
  149084. /* get the appropriate setup template; matches the fetch in previous
  149085. stages */
  149086. setup=(ve_setup_data_template *)hi->setup;
  149087. if(setup==NULL)return(OV_EINVAL);
  149088. hi->set_in_stone=1;
  149089. /* choose block sizes from configured sizes as well as paying
  149090. attention to long_block_p and short_block_p. If the configured
  149091. short and long blocks are the same length, we set long_block_p
  149092. and unset short_block_p */
  149093. vorbis_encode_blocksize_setup(vi,hi->base_setting,
  149094. setup->blocksize_short,
  149095. setup->blocksize_long);
  149096. if(ci->blocksizes[0]==ci->blocksizes[1])singleblock=1;
  149097. /* floor setup; choose proper floor params. Allocated on the floor
  149098. stack in order; if we alloc only long floor, it's 0 */
  149099. vorbis_encode_floor_setup(vi,hi->short_setting,0,
  149100. setup->floor_books,
  149101. setup->floor_params,
  149102. setup->floor_short_mapping);
  149103. if(!singleblock)
  149104. vorbis_encode_floor_setup(vi,hi->long_setting,1,
  149105. setup->floor_books,
  149106. setup->floor_params,
  149107. setup->floor_long_mapping);
  149108. /* setup of [mostly] short block detection and stereo*/
  149109. vorbis_encode_global_psych_setup(vi,hi->trigger_setting,
  149110. setup->global_params,
  149111. setup->global_mapping);
  149112. vorbis_encode_global_stereo(vi,hi,setup->stereo_modes);
  149113. /* basic psych setup and noise normalization */
  149114. vorbis_encode_psyset_setup(vi,hi->short_setting,
  149115. setup->psy_noise_normal_start[0],
  149116. setup->psy_noise_normal_partition[0],
  149117. setup->psy_noise_normal_thresh,
  149118. 0);
  149119. vorbis_encode_psyset_setup(vi,hi->short_setting,
  149120. setup->psy_noise_normal_start[0],
  149121. setup->psy_noise_normal_partition[0],
  149122. setup->psy_noise_normal_thresh,
  149123. 1);
  149124. if(!singleblock){
  149125. vorbis_encode_psyset_setup(vi,hi->long_setting,
  149126. setup->psy_noise_normal_start[1],
  149127. setup->psy_noise_normal_partition[1],
  149128. setup->psy_noise_normal_thresh,
  149129. 2);
  149130. vorbis_encode_psyset_setup(vi,hi->long_setting,
  149131. setup->psy_noise_normal_start[1],
  149132. setup->psy_noise_normal_partition[1],
  149133. setup->psy_noise_normal_thresh,
  149134. 3);
  149135. }
  149136. /* tone masking setup */
  149137. vorbis_encode_tonemask_setup(vi,hi->block[i0].tone_mask_setting,0,
  149138. setup->psy_tone_masteratt,
  149139. setup->psy_tone_0dB,
  149140. setup->psy_tone_adj_impulse);
  149141. vorbis_encode_tonemask_setup(vi,hi->block[1].tone_mask_setting,1,
  149142. setup->psy_tone_masteratt,
  149143. setup->psy_tone_0dB,
  149144. setup->psy_tone_adj_other);
  149145. if(!singleblock){
  149146. vorbis_encode_tonemask_setup(vi,hi->block[2].tone_mask_setting,2,
  149147. setup->psy_tone_masteratt,
  149148. setup->psy_tone_0dB,
  149149. setup->psy_tone_adj_other);
  149150. vorbis_encode_tonemask_setup(vi,hi->block[3].tone_mask_setting,3,
  149151. setup->psy_tone_masteratt,
  149152. setup->psy_tone_0dB,
  149153. setup->psy_tone_adj_long);
  149154. }
  149155. /* noise companding setup */
  149156. vorbis_encode_compand_setup(vi,hi->block[i0].noise_compand_setting,0,
  149157. setup->psy_noise_compand,
  149158. setup->psy_noise_compand_short_mapping);
  149159. vorbis_encode_compand_setup(vi,hi->block[1].noise_compand_setting,1,
  149160. setup->psy_noise_compand,
  149161. setup->psy_noise_compand_short_mapping);
  149162. if(!singleblock){
  149163. vorbis_encode_compand_setup(vi,hi->block[2].noise_compand_setting,2,
  149164. setup->psy_noise_compand,
  149165. setup->psy_noise_compand_long_mapping);
  149166. vorbis_encode_compand_setup(vi,hi->block[3].noise_compand_setting,3,
  149167. setup->psy_noise_compand,
  149168. setup->psy_noise_compand_long_mapping);
  149169. }
  149170. /* peak guarding setup */
  149171. vorbis_encode_peak_setup(vi,hi->block[i0].tone_peaklimit_setting,0,
  149172. setup->psy_tone_dBsuppress);
  149173. vorbis_encode_peak_setup(vi,hi->block[1].tone_peaklimit_setting,1,
  149174. setup->psy_tone_dBsuppress);
  149175. if(!singleblock){
  149176. vorbis_encode_peak_setup(vi,hi->block[2].tone_peaklimit_setting,2,
  149177. setup->psy_tone_dBsuppress);
  149178. vorbis_encode_peak_setup(vi,hi->block[3].tone_peaklimit_setting,3,
  149179. setup->psy_tone_dBsuppress);
  149180. }
  149181. /* noise bias setup */
  149182. vorbis_encode_noisebias_setup(vi,hi->block[i0].noise_bias_setting,0,
  149183. setup->psy_noise_dBsuppress,
  149184. setup->psy_noise_bias_impulse,
  149185. setup->psy_noiseguards,
  149186. (i0==0?hi->impulse_noisetune:0.));
  149187. vorbis_encode_noisebias_setup(vi,hi->block[1].noise_bias_setting,1,
  149188. setup->psy_noise_dBsuppress,
  149189. setup->psy_noise_bias_padding,
  149190. setup->psy_noiseguards,0.);
  149191. if(!singleblock){
  149192. vorbis_encode_noisebias_setup(vi,hi->block[2].noise_bias_setting,2,
  149193. setup->psy_noise_dBsuppress,
  149194. setup->psy_noise_bias_trans,
  149195. setup->psy_noiseguards,0.);
  149196. vorbis_encode_noisebias_setup(vi,hi->block[3].noise_bias_setting,3,
  149197. setup->psy_noise_dBsuppress,
  149198. setup->psy_noise_bias_long,
  149199. setup->psy_noiseguards,0.);
  149200. }
  149201. vorbis_encode_ath_setup(vi,0);
  149202. vorbis_encode_ath_setup(vi,1);
  149203. if(!singleblock){
  149204. vorbis_encode_ath_setup(vi,2);
  149205. vorbis_encode_ath_setup(vi,3);
  149206. }
  149207. vorbis_encode_map_n_res_setup(vi,hi->base_setting,setup->maps);
  149208. /* set bitrate readonlies and management */
  149209. if(hi->bitrate_av>0)
  149210. vi->bitrate_nominal=hi->bitrate_av;
  149211. else{
  149212. vi->bitrate_nominal=setting_to_approx_bitrate(vi);
  149213. }
  149214. vi->bitrate_lower=hi->bitrate_min;
  149215. vi->bitrate_upper=hi->bitrate_max;
  149216. if(hi->bitrate_av)
  149217. vi->bitrate_window=(double)hi->bitrate_reservoir/hi->bitrate_av;
  149218. else
  149219. vi->bitrate_window=0.;
  149220. if(hi->managed){
  149221. ci->bi.avg_rate=hi->bitrate_av;
  149222. ci->bi.min_rate=hi->bitrate_min;
  149223. ci->bi.max_rate=hi->bitrate_max;
  149224. ci->bi.reservoir_bits=hi->bitrate_reservoir;
  149225. ci->bi.reservoir_bias=
  149226. hi->bitrate_reservoir_bias;
  149227. ci->bi.slew_damp=hi->bitrate_av_damp;
  149228. }
  149229. return(0);
  149230. }
  149231. static int vorbis_encode_setup_setting(vorbis_info *vi,
  149232. long channels,
  149233. long rate){
  149234. int ret=0,i,is;
  149235. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  149236. highlevel_encode_setup *hi=&ci->hi;
  149237. ve_setup_data_template *setup=(ve_setup_data_template*) hi->setup;
  149238. double ds;
  149239. ret=vorbis_encode_toplevel_setup(vi,channels,rate);
  149240. if(ret)return(ret);
  149241. is=hi->base_setting;
  149242. ds=hi->base_setting-is;
  149243. hi->short_setting=hi->base_setting;
  149244. hi->long_setting=hi->base_setting;
  149245. hi->managed=0;
  149246. hi->impulse_block_p=1;
  149247. hi->noise_normalize_p=1;
  149248. hi->stereo_point_setting=hi->base_setting;
  149249. hi->lowpass_kHz=
  149250. setup->psy_lowpass[is]*(1.-ds)+setup->psy_lowpass[is+1]*ds;
  149251. hi->ath_floating_dB=setup->psy_ath_float[is]*(1.-ds)+
  149252. setup->psy_ath_float[is+1]*ds;
  149253. hi->ath_absolute_dB=setup->psy_ath_abs[is]*(1.-ds)+
  149254. setup->psy_ath_abs[is+1]*ds;
  149255. hi->amplitude_track_dBpersec=-6.;
  149256. hi->trigger_setting=hi->base_setting;
  149257. for(i=0;i<4;i++){
  149258. hi->block[i].tone_mask_setting=hi->base_setting;
  149259. hi->block[i].tone_peaklimit_setting=hi->base_setting;
  149260. hi->block[i].noise_bias_setting=hi->base_setting;
  149261. hi->block[i].noise_compand_setting=hi->base_setting;
  149262. }
  149263. return(ret);
  149264. }
  149265. int vorbis_encode_setup_vbr(vorbis_info *vi,
  149266. long channels,
  149267. long rate,
  149268. float quality){
  149269. codec_setup_info *ci=(codec_setup_info*) vi->codec_setup;
  149270. highlevel_encode_setup *hi=&ci->hi;
  149271. quality+=.0000001;
  149272. if(quality>=1.)quality=.9999;
  149273. get_setup_template(vi,channels,rate,quality,0);
  149274. if(!hi->setup)return OV_EIMPL;
  149275. return vorbis_encode_setup_setting(vi,channels,rate);
  149276. }
  149277. int vorbis_encode_init_vbr(vorbis_info *vi,
  149278. long channels,
  149279. long rate,
  149280. float base_quality /* 0. to 1. */
  149281. ){
  149282. int ret=0;
  149283. ret=vorbis_encode_setup_vbr(vi,channels,rate,base_quality);
  149284. if(ret){
  149285. vorbis_info_clear(vi);
  149286. return ret;
  149287. }
  149288. ret=vorbis_encode_setup_init(vi);
  149289. if(ret)
  149290. vorbis_info_clear(vi);
  149291. return(ret);
  149292. }
  149293. int vorbis_encode_setup_managed(vorbis_info *vi,
  149294. long channels,
  149295. long rate,
  149296. long max_bitrate,
  149297. long nominal_bitrate,
  149298. long min_bitrate){
  149299. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  149300. highlevel_encode_setup *hi=&ci->hi;
  149301. double tnominal=nominal_bitrate;
  149302. int ret=0;
  149303. if(nominal_bitrate<=0.){
  149304. if(max_bitrate>0.){
  149305. if(min_bitrate>0.)
  149306. nominal_bitrate=(max_bitrate+min_bitrate)*.5;
  149307. else
  149308. nominal_bitrate=max_bitrate*.875;
  149309. }else{
  149310. if(min_bitrate>0.){
  149311. nominal_bitrate=min_bitrate;
  149312. }else{
  149313. return(OV_EINVAL);
  149314. }
  149315. }
  149316. }
  149317. get_setup_template(vi,channels,rate,nominal_bitrate,1);
  149318. if(!hi->setup)return OV_EIMPL;
  149319. ret=vorbis_encode_setup_setting(vi,channels,rate);
  149320. if(ret){
  149321. vorbis_info_clear(vi);
  149322. return ret;
  149323. }
  149324. /* initialize management with sane defaults */
  149325. hi->managed=1;
  149326. hi->bitrate_min=min_bitrate;
  149327. hi->bitrate_max=max_bitrate;
  149328. hi->bitrate_av=tnominal;
  149329. hi->bitrate_av_damp=1.5f; /* full range in no less than 1.5 second */
  149330. hi->bitrate_reservoir=nominal_bitrate*2;
  149331. hi->bitrate_reservoir_bias=.1; /* bias toward hoarding bits */
  149332. return(ret);
  149333. }
  149334. int vorbis_encode_init(vorbis_info *vi,
  149335. long channels,
  149336. long rate,
  149337. long max_bitrate,
  149338. long nominal_bitrate,
  149339. long min_bitrate){
  149340. int ret=vorbis_encode_setup_managed(vi,channels,rate,
  149341. max_bitrate,
  149342. nominal_bitrate,
  149343. min_bitrate);
  149344. if(ret){
  149345. vorbis_info_clear(vi);
  149346. return(ret);
  149347. }
  149348. ret=vorbis_encode_setup_init(vi);
  149349. if(ret)
  149350. vorbis_info_clear(vi);
  149351. return(ret);
  149352. }
  149353. int vorbis_encode_ctl(vorbis_info *vi,int number,void *arg){
  149354. if(vi){
  149355. codec_setup_info *ci=(codec_setup_info*)vi->codec_setup;
  149356. highlevel_encode_setup *hi=&ci->hi;
  149357. int setp=(number&0xf); /* a read request has a low nibble of 0 */
  149358. if(setp && hi->set_in_stone)return(OV_EINVAL);
  149359. switch(number){
  149360. /* now deprecated *****************/
  149361. case OV_ECTL_RATEMANAGE_GET:
  149362. {
  149363. struct ovectl_ratemanage_arg *ai=
  149364. (struct ovectl_ratemanage_arg *)arg;
  149365. ai->management_active=hi->managed;
  149366. ai->bitrate_hard_window=ai->bitrate_av_window=
  149367. (double)hi->bitrate_reservoir/vi->rate;
  149368. ai->bitrate_av_window_center=1.;
  149369. ai->bitrate_hard_min=hi->bitrate_min;
  149370. ai->bitrate_hard_max=hi->bitrate_max;
  149371. ai->bitrate_av_lo=hi->bitrate_av;
  149372. ai->bitrate_av_hi=hi->bitrate_av;
  149373. }
  149374. return(0);
  149375. /* now deprecated *****************/
  149376. case OV_ECTL_RATEMANAGE_SET:
  149377. {
  149378. struct ovectl_ratemanage_arg *ai=
  149379. (struct ovectl_ratemanage_arg *)arg;
  149380. if(ai==NULL){
  149381. hi->managed=0;
  149382. }else{
  149383. hi->managed=ai->management_active;
  149384. vorbis_encode_ctl(vi,OV_ECTL_RATEMANAGE_AVG,arg);
  149385. vorbis_encode_ctl(vi,OV_ECTL_RATEMANAGE_HARD,arg);
  149386. }
  149387. }
  149388. return 0;
  149389. /* now deprecated *****************/
  149390. case OV_ECTL_RATEMANAGE_AVG:
  149391. {
  149392. struct ovectl_ratemanage_arg *ai=
  149393. (struct ovectl_ratemanage_arg *)arg;
  149394. if(ai==NULL){
  149395. hi->bitrate_av=0;
  149396. }else{
  149397. hi->bitrate_av=(ai->bitrate_av_lo+ai->bitrate_av_hi)*.5;
  149398. }
  149399. }
  149400. return(0);
  149401. /* now deprecated *****************/
  149402. case OV_ECTL_RATEMANAGE_HARD:
  149403. {
  149404. struct ovectl_ratemanage_arg *ai=
  149405. (struct ovectl_ratemanage_arg *)arg;
  149406. if(ai==NULL){
  149407. hi->bitrate_min=0;
  149408. hi->bitrate_max=0;
  149409. }else{
  149410. hi->bitrate_min=ai->bitrate_hard_min;
  149411. hi->bitrate_max=ai->bitrate_hard_max;
  149412. hi->bitrate_reservoir=ai->bitrate_hard_window*
  149413. (hi->bitrate_max+hi->bitrate_min)*.5;
  149414. }
  149415. if(hi->bitrate_reservoir<128.)
  149416. hi->bitrate_reservoir=128.;
  149417. }
  149418. return(0);
  149419. /* replacement ratemanage interface */
  149420. case OV_ECTL_RATEMANAGE2_GET:
  149421. {
  149422. struct ovectl_ratemanage2_arg *ai=
  149423. (struct ovectl_ratemanage2_arg *)arg;
  149424. if(ai==NULL)return OV_EINVAL;
  149425. ai->management_active=hi->managed;
  149426. ai->bitrate_limit_min_kbps=hi->bitrate_min/1000;
  149427. ai->bitrate_limit_max_kbps=hi->bitrate_max/1000;
  149428. ai->bitrate_average_kbps=hi->bitrate_av/1000;
  149429. ai->bitrate_average_damping=hi->bitrate_av_damp;
  149430. ai->bitrate_limit_reservoir_bits=hi->bitrate_reservoir;
  149431. ai->bitrate_limit_reservoir_bias=hi->bitrate_reservoir_bias;
  149432. }
  149433. return (0);
  149434. case OV_ECTL_RATEMANAGE2_SET:
  149435. {
  149436. struct ovectl_ratemanage2_arg *ai=
  149437. (struct ovectl_ratemanage2_arg *)arg;
  149438. if(ai==NULL){
  149439. hi->managed=0;
  149440. }else{
  149441. /* sanity check; only catch invariant violations */
  149442. if(ai->bitrate_limit_min_kbps>0 &&
  149443. ai->bitrate_average_kbps>0 &&
  149444. ai->bitrate_limit_min_kbps>ai->bitrate_average_kbps)
  149445. return OV_EINVAL;
  149446. if(ai->bitrate_limit_max_kbps>0 &&
  149447. ai->bitrate_average_kbps>0 &&
  149448. ai->bitrate_limit_max_kbps<ai->bitrate_average_kbps)
  149449. return OV_EINVAL;
  149450. if(ai->bitrate_limit_min_kbps>0 &&
  149451. ai->bitrate_limit_max_kbps>0 &&
  149452. ai->bitrate_limit_min_kbps>ai->bitrate_limit_max_kbps)
  149453. return OV_EINVAL;
  149454. if(ai->bitrate_average_damping <= 0.)
  149455. return OV_EINVAL;
  149456. if(ai->bitrate_limit_reservoir_bits < 0)
  149457. return OV_EINVAL;
  149458. if(ai->bitrate_limit_reservoir_bias < 0.)
  149459. return OV_EINVAL;
  149460. if(ai->bitrate_limit_reservoir_bias > 1.)
  149461. return OV_EINVAL;
  149462. hi->managed=ai->management_active;
  149463. hi->bitrate_min=ai->bitrate_limit_min_kbps * 1000;
  149464. hi->bitrate_max=ai->bitrate_limit_max_kbps * 1000;
  149465. hi->bitrate_av=ai->bitrate_average_kbps * 1000;
  149466. hi->bitrate_av_damp=ai->bitrate_average_damping;
  149467. hi->bitrate_reservoir=ai->bitrate_limit_reservoir_bits;
  149468. hi->bitrate_reservoir_bias=ai->bitrate_limit_reservoir_bias;
  149469. }
  149470. }
  149471. return 0;
  149472. case OV_ECTL_LOWPASS_GET:
  149473. {
  149474. double *farg=(double *)arg;
  149475. *farg=hi->lowpass_kHz;
  149476. }
  149477. return(0);
  149478. case OV_ECTL_LOWPASS_SET:
  149479. {
  149480. double *farg=(double *)arg;
  149481. hi->lowpass_kHz=*farg;
  149482. if(hi->lowpass_kHz<2.)hi->lowpass_kHz=2.;
  149483. if(hi->lowpass_kHz>99.)hi->lowpass_kHz=99.;
  149484. }
  149485. return(0);
  149486. case OV_ECTL_IBLOCK_GET:
  149487. {
  149488. double *farg=(double *)arg;
  149489. *farg=hi->impulse_noisetune;
  149490. }
  149491. return(0);
  149492. case OV_ECTL_IBLOCK_SET:
  149493. {
  149494. double *farg=(double *)arg;
  149495. hi->impulse_noisetune=*farg;
  149496. if(hi->impulse_noisetune>0.)hi->impulse_noisetune=0.;
  149497. if(hi->impulse_noisetune<-15.)hi->impulse_noisetune=-15.;
  149498. }
  149499. return(0);
  149500. }
  149501. return(OV_EIMPL);
  149502. }
  149503. return(OV_EINVAL);
  149504. }
  149505. #endif
  149506. /********* End of inlined file: vorbisenc.c *********/
  149507. /********* Start of inlined file: vorbisfile.c *********/
  149508. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  149509. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  149510. // tasks..
  149511. #ifdef _MSC_VER
  149512. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  149513. #endif
  149514. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  149515. #if JUCE_USE_OGGVORBIS
  149516. #include <stdlib.h>
  149517. #include <stdio.h>
  149518. #include <errno.h>
  149519. #include <string.h>
  149520. #include <math.h>
  149521. /* A 'chained bitstream' is a Vorbis bitstream that contains more than
  149522. one logical bitstream arranged end to end (the only form of Ogg
  149523. multiplexing allowed in a Vorbis bitstream; grouping [parallel
  149524. multiplexing] is not allowed in Vorbis) */
  149525. /* A Vorbis file can be played beginning to end (streamed) without
  149526. worrying ahead of time about chaining (see decoder_example.c). If
  149527. we have the whole file, however, and want random access
  149528. (seeking/scrubbing) or desire to know the total length/time of a
  149529. file, we need to account for the possibility of chaining. */
  149530. /* We can handle things a number of ways; we can determine the entire
  149531. bitstream structure right off the bat, or find pieces on demand.
  149532. This example determines and caches structure for the entire
  149533. bitstream, but builds a virtual decoder on the fly when moving
  149534. between links in the chain. */
  149535. /* There are also different ways to implement seeking. Enough
  149536. information exists in an Ogg bitstream to seek to
  149537. sample-granularity positions in the output. Or, one can seek by
  149538. picking some portion of the stream roughly in the desired area if
  149539. we only want coarse navigation through the stream. */
  149540. /*************************************************************************
  149541. * Many, many internal helpers. The intention is not to be confusing;
  149542. * rampant duplication and monolithic function implementation would be
  149543. * harder to understand anyway. The high level functions are last. Begin
  149544. * grokking near the end of the file */
  149545. /* read a little more data from the file/pipe into the ogg_sync framer
  149546. */
  149547. #define CHUNKSIZE 8500 /* a shade over 8k; anyone using pages well
  149548. over 8k gets what they deserve */
  149549. static long _get_data(OggVorbis_File *vf){
  149550. errno=0;
  149551. if(vf->datasource){
  149552. char *buffer=ogg_sync_buffer(&vf->oy,CHUNKSIZE);
  149553. long bytes=(vf->callbacks.read_func)(buffer,1,CHUNKSIZE,vf->datasource);
  149554. if(bytes>0)ogg_sync_wrote(&vf->oy,bytes);
  149555. if(bytes==0 && errno)return(-1);
  149556. return(bytes);
  149557. }else
  149558. return(0);
  149559. }
  149560. /* save a tiny smidge of verbosity to make the code more readable */
  149561. static void _seek_helper(OggVorbis_File *vf,ogg_int64_t offset){
  149562. if(vf->datasource){
  149563. (vf->callbacks.seek_func)(vf->datasource, offset, SEEK_SET);
  149564. vf->offset=offset;
  149565. ogg_sync_reset(&vf->oy);
  149566. }else{
  149567. /* shouldn't happen unless someone writes a broken callback */
  149568. return;
  149569. }
  149570. }
  149571. /* The read/seek functions track absolute position within the stream */
  149572. /* from the head of the stream, get the next page. boundary specifies
  149573. if the function is allowed to fetch more data from the stream (and
  149574. how much) or only use internally buffered data.
  149575. boundary: -1) unbounded search
  149576. 0) read no additional data; use cached only
  149577. n) search for a new page beginning for n bytes
  149578. return: <0) did not find a page (OV_FALSE, OV_EOF, OV_EREAD)
  149579. n) found a page at absolute offset n */
  149580. static ogg_int64_t _get_next_page(OggVorbis_File *vf,ogg_page *og,
  149581. ogg_int64_t boundary){
  149582. if(boundary>0)boundary+=vf->offset;
  149583. while(1){
  149584. long more;
  149585. if(boundary>0 && vf->offset>=boundary)return(OV_FALSE);
  149586. more=ogg_sync_pageseek(&vf->oy,og);
  149587. if(more<0){
  149588. /* skipped n bytes */
  149589. vf->offset-=more;
  149590. }else{
  149591. if(more==0){
  149592. /* send more paramedics */
  149593. if(!boundary)return(OV_FALSE);
  149594. {
  149595. long ret=_get_data(vf);
  149596. if(ret==0)return(OV_EOF);
  149597. if(ret<0)return(OV_EREAD);
  149598. }
  149599. }else{
  149600. /* got a page. Return the offset at the page beginning,
  149601. advance the internal offset past the page end */
  149602. ogg_int64_t ret=vf->offset;
  149603. vf->offset+=more;
  149604. return(ret);
  149605. }
  149606. }
  149607. }
  149608. }
  149609. /* find the latest page beginning before the current stream cursor
  149610. position. Much dirtier than the above as Ogg doesn't have any
  149611. backward search linkage. no 'readp' as it will certainly have to
  149612. read. */
  149613. /* returns offset or OV_EREAD, OV_FAULT */
  149614. static ogg_int64_t _get_prev_page(OggVorbis_File *vf,ogg_page *og){
  149615. ogg_int64_t begin=vf->offset;
  149616. ogg_int64_t end=begin;
  149617. ogg_int64_t ret;
  149618. ogg_int64_t offset=-1;
  149619. while(offset==-1){
  149620. begin-=CHUNKSIZE;
  149621. if(begin<0)
  149622. begin=0;
  149623. _seek_helper(vf,begin);
  149624. while(vf->offset<end){
  149625. ret=_get_next_page(vf,og,end-vf->offset);
  149626. if(ret==OV_EREAD)return(OV_EREAD);
  149627. if(ret<0){
  149628. break;
  149629. }else{
  149630. offset=ret;
  149631. }
  149632. }
  149633. }
  149634. /* we have the offset. Actually snork and hold the page now */
  149635. _seek_helper(vf,offset);
  149636. ret=_get_next_page(vf,og,CHUNKSIZE);
  149637. if(ret<0)
  149638. /* this shouldn't be possible */
  149639. return(OV_EFAULT);
  149640. return(offset);
  149641. }
  149642. /* finds each bitstream link one at a time using a bisection search
  149643. (has to begin by knowing the offset of the lb's initial page).
  149644. Recurses for each link so it can alloc the link storage after
  149645. finding them all, then unroll and fill the cache at the same time */
  149646. static int _bisect_forward_serialno(OggVorbis_File *vf,
  149647. ogg_int64_t begin,
  149648. ogg_int64_t searched,
  149649. ogg_int64_t end,
  149650. long currentno,
  149651. long m){
  149652. ogg_int64_t endsearched=end;
  149653. ogg_int64_t next=end;
  149654. ogg_page og;
  149655. ogg_int64_t ret;
  149656. /* the below guards against garbage seperating the last and
  149657. first pages of two links. */
  149658. while(searched<endsearched){
  149659. ogg_int64_t bisect;
  149660. if(endsearched-searched<CHUNKSIZE){
  149661. bisect=searched;
  149662. }else{
  149663. bisect=(searched+endsearched)/2;
  149664. }
  149665. _seek_helper(vf,bisect);
  149666. ret=_get_next_page(vf,&og,-1);
  149667. if(ret==OV_EREAD)return(OV_EREAD);
  149668. if(ret<0 || ogg_page_serialno(&og)!=currentno){
  149669. endsearched=bisect;
  149670. if(ret>=0)next=ret;
  149671. }else{
  149672. searched=ret+og.header_len+og.body_len;
  149673. }
  149674. }
  149675. _seek_helper(vf,next);
  149676. ret=_get_next_page(vf,&og,-1);
  149677. if(ret==OV_EREAD)return(OV_EREAD);
  149678. if(searched>=end || ret<0){
  149679. vf->links=m+1;
  149680. vf->offsets=(ogg_int64_t*)_ogg_malloc((vf->links+1)*sizeof(*vf->offsets));
  149681. vf->serialnos=(long*)_ogg_malloc(vf->links*sizeof(*vf->serialnos));
  149682. vf->offsets[m+1]=searched;
  149683. }else{
  149684. ret=_bisect_forward_serialno(vf,next,vf->offset,
  149685. end,ogg_page_serialno(&og),m+1);
  149686. if(ret==OV_EREAD)return(OV_EREAD);
  149687. }
  149688. vf->offsets[m]=begin;
  149689. vf->serialnos[m]=currentno;
  149690. return(0);
  149691. }
  149692. /* uses the local ogg_stream storage in vf; this is important for
  149693. non-streaming input sources */
  149694. static int _fetch_headers(OggVorbis_File *vf,vorbis_info *vi,vorbis_comment *vc,
  149695. long *serialno,ogg_page *og_ptr){
  149696. ogg_page og;
  149697. ogg_packet op;
  149698. int i,ret;
  149699. if(!og_ptr){
  149700. ogg_int64_t llret=_get_next_page(vf,&og,CHUNKSIZE);
  149701. if(llret==OV_EREAD)return(OV_EREAD);
  149702. if(llret<0)return OV_ENOTVORBIS;
  149703. og_ptr=&og;
  149704. }
  149705. ogg_stream_reset_serialno(&vf->os,ogg_page_serialno(og_ptr));
  149706. if(serialno)*serialno=vf->os.serialno;
  149707. vf->ready_state=STREAMSET;
  149708. /* extract the initial header from the first page and verify that the
  149709. Ogg bitstream is in fact Vorbis data */
  149710. vorbis_info_init(vi);
  149711. vorbis_comment_init(vc);
  149712. i=0;
  149713. while(i<3){
  149714. ogg_stream_pagein(&vf->os,og_ptr);
  149715. while(i<3){
  149716. int result=ogg_stream_packetout(&vf->os,&op);
  149717. if(result==0)break;
  149718. if(result==-1){
  149719. ret=OV_EBADHEADER;
  149720. goto bail_header;
  149721. }
  149722. if((ret=vorbis_synthesis_headerin(vi,vc,&op))){
  149723. goto bail_header;
  149724. }
  149725. i++;
  149726. }
  149727. if(i<3)
  149728. if(_get_next_page(vf,og_ptr,CHUNKSIZE)<0){
  149729. ret=OV_EBADHEADER;
  149730. goto bail_header;
  149731. }
  149732. }
  149733. return 0;
  149734. bail_header:
  149735. vorbis_info_clear(vi);
  149736. vorbis_comment_clear(vc);
  149737. vf->ready_state=OPENED;
  149738. return ret;
  149739. }
  149740. /* last step of the OggVorbis_File initialization; get all the
  149741. vorbis_info structs and PCM positions. Only called by the seekable
  149742. initialization (local stream storage is hacked slightly; pay
  149743. attention to how that's done) */
  149744. /* this is void and does not propogate errors up because we want to be
  149745. able to open and use damaged bitstreams as well as we can. Just
  149746. watch out for missing information for links in the OggVorbis_File
  149747. struct */
  149748. static void _prefetch_all_headers(OggVorbis_File *vf, ogg_int64_t dataoffset){
  149749. ogg_page og;
  149750. int i;
  149751. ogg_int64_t ret;
  149752. vf->vi=(vorbis_info*) _ogg_realloc(vf->vi,vf->links*sizeof(*vf->vi));
  149753. vf->vc=(vorbis_comment*) _ogg_realloc(vf->vc,vf->links*sizeof(*vf->vc));
  149754. vf->dataoffsets=(ogg_int64_t*) _ogg_malloc(vf->links*sizeof(*vf->dataoffsets));
  149755. vf->pcmlengths=(ogg_int64_t*) _ogg_malloc(vf->links*2*sizeof(*vf->pcmlengths));
  149756. for(i=0;i<vf->links;i++){
  149757. if(i==0){
  149758. /* we already grabbed the initial header earlier. Just set the offset */
  149759. vf->dataoffsets[i]=dataoffset;
  149760. _seek_helper(vf,dataoffset);
  149761. }else{
  149762. /* seek to the location of the initial header */
  149763. _seek_helper(vf,vf->offsets[i]);
  149764. if(_fetch_headers(vf,vf->vi+i,vf->vc+i,NULL,NULL)<0){
  149765. vf->dataoffsets[i]=-1;
  149766. }else{
  149767. vf->dataoffsets[i]=vf->offset;
  149768. }
  149769. }
  149770. /* fetch beginning PCM offset */
  149771. if(vf->dataoffsets[i]!=-1){
  149772. ogg_int64_t accumulated=0;
  149773. long lastblock=-1;
  149774. int result;
  149775. ogg_stream_reset_serialno(&vf->os,vf->serialnos[i]);
  149776. while(1){
  149777. ogg_packet op;
  149778. ret=_get_next_page(vf,&og,-1);
  149779. if(ret<0)
  149780. /* this should not be possible unless the file is
  149781. truncated/mangled */
  149782. break;
  149783. if(ogg_page_serialno(&og)!=vf->serialnos[i])
  149784. break;
  149785. /* count blocksizes of all frames in the page */
  149786. ogg_stream_pagein(&vf->os,&og);
  149787. while((result=ogg_stream_packetout(&vf->os,&op))){
  149788. if(result>0){ /* ignore holes */
  149789. long thisblock=vorbis_packet_blocksize(vf->vi+i,&op);
  149790. if(lastblock!=-1)
  149791. accumulated+=(lastblock+thisblock)>>2;
  149792. lastblock=thisblock;
  149793. }
  149794. }
  149795. if(ogg_page_granulepos(&og)!=-1){
  149796. /* pcm offset of last packet on the first audio page */
  149797. accumulated= ogg_page_granulepos(&og)-accumulated;
  149798. break;
  149799. }
  149800. }
  149801. /* less than zero? This is a stream with samples trimmed off
  149802. the beginning, a normal occurrence; set the offset to zero */
  149803. if(accumulated<0)accumulated=0;
  149804. vf->pcmlengths[i*2]=accumulated;
  149805. }
  149806. /* get the PCM length of this link. To do this,
  149807. get the last page of the stream */
  149808. {
  149809. ogg_int64_t end=vf->offsets[i+1];
  149810. _seek_helper(vf,end);
  149811. while(1){
  149812. ret=_get_prev_page(vf,&og);
  149813. if(ret<0){
  149814. /* this should not be possible */
  149815. vorbis_info_clear(vf->vi+i);
  149816. vorbis_comment_clear(vf->vc+i);
  149817. break;
  149818. }
  149819. if(ogg_page_granulepos(&og)!=-1){
  149820. vf->pcmlengths[i*2+1]=ogg_page_granulepos(&og)-vf->pcmlengths[i*2];
  149821. break;
  149822. }
  149823. vf->offset=ret;
  149824. }
  149825. }
  149826. }
  149827. }
  149828. static int _make_decode_ready(OggVorbis_File *vf){
  149829. if(vf->ready_state>STREAMSET)return 0;
  149830. if(vf->ready_state<STREAMSET)return OV_EFAULT;
  149831. if(vf->seekable){
  149832. if(vorbis_synthesis_init(&vf->vd,vf->vi+vf->current_link))
  149833. return OV_EBADLINK;
  149834. }else{
  149835. if(vorbis_synthesis_init(&vf->vd,vf->vi))
  149836. return OV_EBADLINK;
  149837. }
  149838. vorbis_block_init(&vf->vd,&vf->vb);
  149839. vf->ready_state=INITSET;
  149840. vf->bittrack=0.f;
  149841. vf->samptrack=0.f;
  149842. return 0;
  149843. }
  149844. static int _open_seekable2(OggVorbis_File *vf){
  149845. long serialno=vf->current_serialno;
  149846. ogg_int64_t dataoffset=vf->offset, end;
  149847. ogg_page og;
  149848. /* we're partially open and have a first link header state in
  149849. storage in vf */
  149850. /* we can seek, so set out learning all about this file */
  149851. (vf->callbacks.seek_func)(vf->datasource,0,SEEK_END);
  149852. vf->offset=vf->end=(vf->callbacks.tell_func)(vf->datasource);
  149853. /* We get the offset for the last page of the physical bitstream.
  149854. Most OggVorbis files will contain a single logical bitstream */
  149855. end=_get_prev_page(vf,&og);
  149856. if(end<0)return(end);
  149857. /* more than one logical bitstream? */
  149858. if(ogg_page_serialno(&og)!=serialno){
  149859. /* Chained bitstream. Bisect-search each logical bitstream
  149860. section. Do so based on serial number only */
  149861. if(_bisect_forward_serialno(vf,0,0,end+1,serialno,0)<0)return(OV_EREAD);
  149862. }else{
  149863. /* Only one logical bitstream */
  149864. if(_bisect_forward_serialno(vf,0,end,end+1,serialno,0))return(OV_EREAD);
  149865. }
  149866. /* the initial header memory is referenced by vf after; don't free it */
  149867. _prefetch_all_headers(vf,dataoffset);
  149868. return(ov_raw_seek(vf,0));
  149869. }
  149870. /* clear out the current logical bitstream decoder */
  149871. static void _decode_clear(OggVorbis_File *vf){
  149872. vorbis_dsp_clear(&vf->vd);
  149873. vorbis_block_clear(&vf->vb);
  149874. vf->ready_state=OPENED;
  149875. }
  149876. /* fetch and process a packet. Handles the case where we're at a
  149877. bitstream boundary and dumps the decoding machine. If the decoding
  149878. machine is unloaded, it loads it. It also keeps pcm_offset up to
  149879. date (seek and read both use this. seek uses a special hack with
  149880. readp).
  149881. return: <0) error, OV_HOLE (lost packet) or OV_EOF
  149882. 0) need more data (only if readp==0)
  149883. 1) got a packet
  149884. */
  149885. static int _fetch_and_process_packet(OggVorbis_File *vf,
  149886. ogg_packet *op_in,
  149887. int readp,
  149888. int spanp){
  149889. ogg_page og;
  149890. /* handle one packet. Try to fetch it from current stream state */
  149891. /* extract packets from page */
  149892. while(1){
  149893. /* process a packet if we can. If the machine isn't loaded,
  149894. neither is a page */
  149895. if(vf->ready_state==INITSET){
  149896. while(1) {
  149897. ogg_packet op;
  149898. ogg_packet *op_ptr=(op_in?op_in:&op);
  149899. int result=ogg_stream_packetout(&vf->os,op_ptr);
  149900. ogg_int64_t granulepos;
  149901. op_in=NULL;
  149902. if(result==-1)return(OV_HOLE); /* hole in the data. */
  149903. if(result>0){
  149904. /* got a packet. process it */
  149905. granulepos=op_ptr->granulepos;
  149906. if(!vorbis_synthesis(&vf->vb,op_ptr)){ /* lazy check for lazy
  149907. header handling. The
  149908. header packets aren't
  149909. audio, so if/when we
  149910. submit them,
  149911. vorbis_synthesis will
  149912. reject them */
  149913. /* suck in the synthesis data and track bitrate */
  149914. {
  149915. int oldsamples=vorbis_synthesis_pcmout(&vf->vd,NULL);
  149916. /* for proper use of libvorbis within libvorbisfile,
  149917. oldsamples will always be zero. */
  149918. if(oldsamples)return(OV_EFAULT);
  149919. vorbis_synthesis_blockin(&vf->vd,&vf->vb);
  149920. vf->samptrack+=vorbis_synthesis_pcmout(&vf->vd,NULL)-oldsamples;
  149921. vf->bittrack+=op_ptr->bytes*8;
  149922. }
  149923. /* update the pcm offset. */
  149924. if(granulepos!=-1 && !op_ptr->e_o_s){
  149925. int link=(vf->seekable?vf->current_link:0);
  149926. int i,samples;
  149927. /* this packet has a pcm_offset on it (the last packet
  149928. completed on a page carries the offset) After processing
  149929. (above), we know the pcm position of the *last* sample
  149930. ready to be returned. Find the offset of the *first*
  149931. As an aside, this trick is inaccurate if we begin
  149932. reading anew right at the last page; the end-of-stream
  149933. granulepos declares the last frame in the stream, and the
  149934. last packet of the last page may be a partial frame.
  149935. So, we need a previous granulepos from an in-sequence page
  149936. to have a reference point. Thus the !op_ptr->e_o_s clause
  149937. above */
  149938. if(vf->seekable && link>0)
  149939. granulepos-=vf->pcmlengths[link*2];
  149940. if(granulepos<0)granulepos=0; /* actually, this
  149941. shouldn't be possible
  149942. here unless the stream
  149943. is very broken */
  149944. samples=vorbis_synthesis_pcmout(&vf->vd,NULL);
  149945. granulepos-=samples;
  149946. for(i=0;i<link;i++)
  149947. granulepos+=vf->pcmlengths[i*2+1];
  149948. vf->pcm_offset=granulepos;
  149949. }
  149950. return(1);
  149951. }
  149952. }
  149953. else
  149954. break;
  149955. }
  149956. }
  149957. if(vf->ready_state>=OPENED){
  149958. ogg_int64_t ret;
  149959. if(!readp)return(0);
  149960. if((ret=_get_next_page(vf,&og,-1))<0){
  149961. return(OV_EOF); /* eof.
  149962. leave unitialized */
  149963. }
  149964. /* bitrate tracking; add the header's bytes here, the body bytes
  149965. are done by packet above */
  149966. vf->bittrack+=og.header_len*8;
  149967. /* has our decoding just traversed a bitstream boundary? */
  149968. if(vf->ready_state==INITSET){
  149969. if(vf->current_serialno!=ogg_page_serialno(&og)){
  149970. if(!spanp)
  149971. return(OV_EOF);
  149972. _decode_clear(vf);
  149973. if(!vf->seekable){
  149974. vorbis_info_clear(vf->vi);
  149975. vorbis_comment_clear(vf->vc);
  149976. }
  149977. }
  149978. }
  149979. }
  149980. /* Do we need to load a new machine before submitting the page? */
  149981. /* This is different in the seekable and non-seekable cases.
  149982. In the seekable case, we already have all the header
  149983. information loaded and cached; we just initialize the machine
  149984. with it and continue on our merry way.
  149985. In the non-seekable (streaming) case, we'll only be at a
  149986. boundary if we just left the previous logical bitstream and
  149987. we're now nominally at the header of the next bitstream
  149988. */
  149989. if(vf->ready_state!=INITSET){
  149990. int link;
  149991. if(vf->ready_state<STREAMSET){
  149992. if(vf->seekable){
  149993. vf->current_serialno=ogg_page_serialno(&og);
  149994. /* match the serialno to bitstream section. We use this rather than
  149995. offset positions to avoid problems near logical bitstream
  149996. boundaries */
  149997. for(link=0;link<vf->links;link++)
  149998. if(vf->serialnos[link]==vf->current_serialno)break;
  149999. if(link==vf->links)return(OV_EBADLINK); /* sign of a bogus
  150000. stream. error out,
  150001. leave machine
  150002. uninitialized */
  150003. vf->current_link=link;
  150004. ogg_stream_reset_serialno(&vf->os,vf->current_serialno);
  150005. vf->ready_state=STREAMSET;
  150006. }else{
  150007. /* we're streaming */
  150008. /* fetch the three header packets, build the info struct */
  150009. int ret=_fetch_headers(vf,vf->vi,vf->vc,&vf->current_serialno,&og);
  150010. if(ret)return(ret);
  150011. vf->current_link++;
  150012. link=0;
  150013. }
  150014. }
  150015. {
  150016. int ret=_make_decode_ready(vf);
  150017. if(ret<0)return ret;
  150018. }
  150019. }
  150020. ogg_stream_pagein(&vf->os,&og);
  150021. }
  150022. }
  150023. /* if, eg, 64 bit stdio is configured by default, this will build with
  150024. fseek64 */
  150025. static int _fseek64_wrap(FILE *f,ogg_int64_t off,int whence){
  150026. if(f==NULL)return(-1);
  150027. return fseek(f,off,whence);
  150028. }
  150029. static int _ov_open1(void *f,OggVorbis_File *vf,char *initial,
  150030. long ibytes, ov_callbacks callbacks){
  150031. int offsettest=(f?callbacks.seek_func(f,0,SEEK_CUR):-1);
  150032. int ret;
  150033. memset(vf,0,sizeof(*vf));
  150034. vf->datasource=f;
  150035. vf->callbacks = callbacks;
  150036. /* init the framing state */
  150037. ogg_sync_init(&vf->oy);
  150038. /* perhaps some data was previously read into a buffer for testing
  150039. against other stream types. Allow initialization from this
  150040. previously read data (as we may be reading from a non-seekable
  150041. stream) */
  150042. if(initial){
  150043. char *buffer=ogg_sync_buffer(&vf->oy,ibytes);
  150044. memcpy(buffer,initial,ibytes);
  150045. ogg_sync_wrote(&vf->oy,ibytes);
  150046. }
  150047. /* can we seek? Stevens suggests the seek test was portable */
  150048. if(offsettest!=-1)vf->seekable=1;
  150049. /* No seeking yet; Set up a 'single' (current) logical bitstream
  150050. entry for partial open */
  150051. vf->links=1;
  150052. vf->vi=(vorbis_info*) _ogg_calloc(vf->links,sizeof(*vf->vi));
  150053. vf->vc=(vorbis_comment*) _ogg_calloc(vf->links,sizeof(*vf->vc));
  150054. ogg_stream_init(&vf->os,-1); /* fill in the serialno later */
  150055. /* Try to fetch the headers, maintaining all the storage */
  150056. if((ret=_fetch_headers(vf,vf->vi,vf->vc,&vf->current_serialno,NULL))<0){
  150057. vf->datasource=NULL;
  150058. ov_clear(vf);
  150059. }else
  150060. vf->ready_state=PARTOPEN;
  150061. return(ret);
  150062. }
  150063. static int _ov_open2(OggVorbis_File *vf){
  150064. if(vf->ready_state != PARTOPEN) return OV_EINVAL;
  150065. vf->ready_state=OPENED;
  150066. if(vf->seekable){
  150067. int ret=_open_seekable2(vf);
  150068. if(ret){
  150069. vf->datasource=NULL;
  150070. ov_clear(vf);
  150071. }
  150072. return(ret);
  150073. }else
  150074. vf->ready_state=STREAMSET;
  150075. return 0;
  150076. }
  150077. /* clear out the OggVorbis_File struct */
  150078. int ov_clear(OggVorbis_File *vf){
  150079. if(vf){
  150080. vorbis_block_clear(&vf->vb);
  150081. vorbis_dsp_clear(&vf->vd);
  150082. ogg_stream_clear(&vf->os);
  150083. if(vf->vi && vf->links){
  150084. int i;
  150085. for(i=0;i<vf->links;i++){
  150086. vorbis_info_clear(vf->vi+i);
  150087. vorbis_comment_clear(vf->vc+i);
  150088. }
  150089. _ogg_free(vf->vi);
  150090. _ogg_free(vf->vc);
  150091. }
  150092. if(vf->dataoffsets)_ogg_free(vf->dataoffsets);
  150093. if(vf->pcmlengths)_ogg_free(vf->pcmlengths);
  150094. if(vf->serialnos)_ogg_free(vf->serialnos);
  150095. if(vf->offsets)_ogg_free(vf->offsets);
  150096. ogg_sync_clear(&vf->oy);
  150097. if(vf->datasource)(vf->callbacks.close_func)(vf->datasource);
  150098. memset(vf,0,sizeof(*vf));
  150099. }
  150100. #ifdef DEBUG_LEAKS
  150101. _VDBG_dump();
  150102. #endif
  150103. return(0);
  150104. }
  150105. /* inspects the OggVorbis file and finds/documents all the logical
  150106. bitstreams contained in it. Tries to be tolerant of logical
  150107. bitstream sections that are truncated/woogie.
  150108. return: -1) error
  150109. 0) OK
  150110. */
  150111. int ov_open_callbacks(void *f,OggVorbis_File *vf,char *initial,long ibytes,
  150112. ov_callbacks callbacks){
  150113. int ret=_ov_open1(f,vf,initial,ibytes,callbacks);
  150114. if(ret)return ret;
  150115. return _ov_open2(vf);
  150116. }
  150117. int ov_open(FILE *f,OggVorbis_File *vf,char *initial,long ibytes){
  150118. ov_callbacks callbacks = {
  150119. (size_t (*)(void *, size_t, size_t, void *)) fread,
  150120. (int (*)(void *, ogg_int64_t, int)) _fseek64_wrap,
  150121. (int (*)(void *)) fclose,
  150122. (long (*)(void *)) ftell
  150123. };
  150124. return ov_open_callbacks((void *)f, vf, initial, ibytes, callbacks);
  150125. }
  150126. /* cheap hack for game usage where downsampling is desirable; there's
  150127. no need for SRC as we can just do it cheaply in libvorbis. */
  150128. int ov_halfrate(OggVorbis_File *vf,int flag){
  150129. int i;
  150130. if(vf->vi==NULL)return OV_EINVAL;
  150131. if(!vf->seekable)return OV_EINVAL;
  150132. if(vf->ready_state>=STREAMSET)
  150133. _decode_clear(vf); /* clear out stream state; later on libvorbis
  150134. will be able to swap this on the fly, but
  150135. for now dumping the decode machine is needed
  150136. to reinit the MDCT lookups. 1.1 libvorbis
  150137. is planned to be able to switch on the fly */
  150138. for(i=0;i<vf->links;i++){
  150139. if(vorbis_synthesis_halfrate(vf->vi+i,flag)){
  150140. ov_halfrate(vf,0);
  150141. return OV_EINVAL;
  150142. }
  150143. }
  150144. return 0;
  150145. }
  150146. int ov_halfrate_p(OggVorbis_File *vf){
  150147. if(vf->vi==NULL)return OV_EINVAL;
  150148. return vorbis_synthesis_halfrate_p(vf->vi);
  150149. }
  150150. /* Only partially open the vorbis file; test for Vorbisness, and load
  150151. the headers for the first chain. Do not seek (although test for
  150152. seekability). Use ov_test_open to finish opening the file, else
  150153. ov_clear to close/free it. Same return codes as open. */
  150154. int ov_test_callbacks(void *f,OggVorbis_File *vf,char *initial,long ibytes,
  150155. ov_callbacks callbacks)
  150156. {
  150157. return _ov_open1(f,vf,initial,ibytes,callbacks);
  150158. }
  150159. int ov_test(FILE *f,OggVorbis_File *vf,char *initial,long ibytes){
  150160. ov_callbacks callbacks = {
  150161. (size_t (*)(void *, size_t, size_t, void *)) fread,
  150162. (int (*)(void *, ogg_int64_t, int)) _fseek64_wrap,
  150163. (int (*)(void *)) fclose,
  150164. (long (*)(void *)) ftell
  150165. };
  150166. return ov_test_callbacks((void *)f, vf, initial, ibytes, callbacks);
  150167. }
  150168. int ov_test_open(OggVorbis_File *vf){
  150169. if(vf->ready_state!=PARTOPEN)return(OV_EINVAL);
  150170. return _ov_open2(vf);
  150171. }
  150172. /* How many logical bitstreams in this physical bitstream? */
  150173. long ov_streams(OggVorbis_File *vf){
  150174. return vf->links;
  150175. }
  150176. /* Is the FILE * associated with vf seekable? */
  150177. long ov_seekable(OggVorbis_File *vf){
  150178. return vf->seekable;
  150179. }
  150180. /* returns the bitrate for a given logical bitstream or the entire
  150181. physical bitstream. If the file is open for random access, it will
  150182. find the *actual* average bitrate. If the file is streaming, it
  150183. returns the nominal bitrate (if set) else the average of the
  150184. upper/lower bounds (if set) else -1 (unset).
  150185. If you want the actual bitrate field settings, get them from the
  150186. vorbis_info structs */
  150187. long ov_bitrate(OggVorbis_File *vf,int i){
  150188. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150189. if(i>=vf->links)return(OV_EINVAL);
  150190. if(!vf->seekable && i!=0)return(ov_bitrate(vf,0));
  150191. if(i<0){
  150192. ogg_int64_t bits=0;
  150193. int i;
  150194. float br;
  150195. for(i=0;i<vf->links;i++)
  150196. bits+=(vf->offsets[i+1]-vf->dataoffsets[i])*8;
  150197. /* This once read: return(rint(bits/ov_time_total(vf,-1)));
  150198. * gcc 3.x on x86 miscompiled this at optimisation level 2 and above,
  150199. * so this is slightly transformed to make it work.
  150200. */
  150201. br = bits/ov_time_total(vf,-1);
  150202. return(rint(br));
  150203. }else{
  150204. if(vf->seekable){
  150205. /* return the actual bitrate */
  150206. return(rint((vf->offsets[i+1]-vf->dataoffsets[i])*8/ov_time_total(vf,i)));
  150207. }else{
  150208. /* return nominal if set */
  150209. if(vf->vi[i].bitrate_nominal>0){
  150210. return vf->vi[i].bitrate_nominal;
  150211. }else{
  150212. if(vf->vi[i].bitrate_upper>0){
  150213. if(vf->vi[i].bitrate_lower>0){
  150214. return (vf->vi[i].bitrate_upper+vf->vi[i].bitrate_lower)/2;
  150215. }else{
  150216. return vf->vi[i].bitrate_upper;
  150217. }
  150218. }
  150219. return(OV_FALSE);
  150220. }
  150221. }
  150222. }
  150223. }
  150224. /* returns the actual bitrate since last call. returns -1 if no
  150225. additional data to offer since last call (or at beginning of stream),
  150226. EINVAL if stream is only partially open
  150227. */
  150228. long ov_bitrate_instant(OggVorbis_File *vf){
  150229. int link=(vf->seekable?vf->current_link:0);
  150230. long ret;
  150231. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150232. if(vf->samptrack==0)return(OV_FALSE);
  150233. ret=vf->bittrack/vf->samptrack*vf->vi[link].rate+.5;
  150234. vf->bittrack=0.f;
  150235. vf->samptrack=0.f;
  150236. return(ret);
  150237. }
  150238. /* Guess */
  150239. long ov_serialnumber(OggVorbis_File *vf,int i){
  150240. if(i>=vf->links)return(ov_serialnumber(vf,vf->links-1));
  150241. if(!vf->seekable && i>=0)return(ov_serialnumber(vf,-1));
  150242. if(i<0){
  150243. return(vf->current_serialno);
  150244. }else{
  150245. return(vf->serialnos[i]);
  150246. }
  150247. }
  150248. /* returns: total raw (compressed) length of content if i==-1
  150249. raw (compressed) length of that logical bitstream for i==0 to n
  150250. OV_EINVAL if the stream is not seekable (we can't know the length)
  150251. or if stream is only partially open
  150252. */
  150253. ogg_int64_t ov_raw_total(OggVorbis_File *vf,int i){
  150254. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150255. if(!vf->seekable || i>=vf->links)return(OV_EINVAL);
  150256. if(i<0){
  150257. ogg_int64_t acc=0;
  150258. int i;
  150259. for(i=0;i<vf->links;i++)
  150260. acc+=ov_raw_total(vf,i);
  150261. return(acc);
  150262. }else{
  150263. return(vf->offsets[i+1]-vf->offsets[i]);
  150264. }
  150265. }
  150266. /* returns: total PCM length (samples) of content if i==-1 PCM length
  150267. (samples) of that logical bitstream for i==0 to n
  150268. OV_EINVAL if the stream is not seekable (we can't know the
  150269. length) or only partially open
  150270. */
  150271. ogg_int64_t ov_pcm_total(OggVorbis_File *vf,int i){
  150272. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150273. if(!vf->seekable || i>=vf->links)return(OV_EINVAL);
  150274. if(i<0){
  150275. ogg_int64_t acc=0;
  150276. int i;
  150277. for(i=0;i<vf->links;i++)
  150278. acc+=ov_pcm_total(vf,i);
  150279. return(acc);
  150280. }else{
  150281. return(vf->pcmlengths[i*2+1]);
  150282. }
  150283. }
  150284. /* returns: total seconds of content if i==-1
  150285. seconds in that logical bitstream for i==0 to n
  150286. OV_EINVAL if the stream is not seekable (we can't know the
  150287. length) or only partially open
  150288. */
  150289. double ov_time_total(OggVorbis_File *vf,int i){
  150290. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150291. if(!vf->seekable || i>=vf->links)return(OV_EINVAL);
  150292. if(i<0){
  150293. double acc=0;
  150294. int i;
  150295. for(i=0;i<vf->links;i++)
  150296. acc+=ov_time_total(vf,i);
  150297. return(acc);
  150298. }else{
  150299. return((double)(vf->pcmlengths[i*2+1])/vf->vi[i].rate);
  150300. }
  150301. }
  150302. /* seek to an offset relative to the *compressed* data. This also
  150303. scans packets to update the PCM cursor. It will cross a logical
  150304. bitstream boundary, but only if it can't get any packets out of the
  150305. tail of the bitstream we seek to (so no surprises).
  150306. returns zero on success, nonzero on failure */
  150307. int ov_raw_seek(OggVorbis_File *vf,ogg_int64_t pos){
  150308. ogg_stream_state work_os;
  150309. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150310. if(!vf->seekable)
  150311. return(OV_ENOSEEK); /* don't dump machine if we can't seek */
  150312. if(pos<0 || pos>vf->end)return(OV_EINVAL);
  150313. /* don't yet clear out decoding machine (if it's initialized), in
  150314. the case we're in the same link. Restart the decode lapping, and
  150315. let _fetch_and_process_packet deal with a potential bitstream
  150316. boundary */
  150317. vf->pcm_offset=-1;
  150318. ogg_stream_reset_serialno(&vf->os,
  150319. vf->current_serialno); /* must set serialno */
  150320. vorbis_synthesis_restart(&vf->vd);
  150321. _seek_helper(vf,pos);
  150322. /* we need to make sure the pcm_offset is set, but we don't want to
  150323. advance the raw cursor past good packets just to get to the first
  150324. with a granulepos. That's not equivalent behavior to beginning
  150325. decoding as immediately after the seek position as possible.
  150326. So, a hack. We use two stream states; a local scratch state and
  150327. the shared vf->os stream state. We use the local state to
  150328. scan, and the shared state as a buffer for later decode.
  150329. Unfortuantely, on the last page we still advance to last packet
  150330. because the granulepos on the last page is not necessarily on a
  150331. packet boundary, and we need to make sure the granpos is
  150332. correct.
  150333. */
  150334. {
  150335. ogg_page og;
  150336. ogg_packet op;
  150337. int lastblock=0;
  150338. int accblock=0;
  150339. int thisblock;
  150340. int eosflag;
  150341. ogg_stream_init(&work_os,vf->current_serialno); /* get the memory ready */
  150342. ogg_stream_reset(&work_os); /* eliminate the spurious OV_HOLE
  150343. return from not necessarily
  150344. starting from the beginning */
  150345. while(1){
  150346. if(vf->ready_state>=STREAMSET){
  150347. /* snarf/scan a packet if we can */
  150348. int result=ogg_stream_packetout(&work_os,&op);
  150349. if(result>0){
  150350. if(vf->vi[vf->current_link].codec_setup){
  150351. thisblock=vorbis_packet_blocksize(vf->vi+vf->current_link,&op);
  150352. if(thisblock<0){
  150353. ogg_stream_packetout(&vf->os,NULL);
  150354. thisblock=0;
  150355. }else{
  150356. if(eosflag)
  150357. ogg_stream_packetout(&vf->os,NULL);
  150358. else
  150359. if(lastblock)accblock+=(lastblock+thisblock)>>2;
  150360. }
  150361. if(op.granulepos!=-1){
  150362. int i,link=vf->current_link;
  150363. ogg_int64_t granulepos=op.granulepos-vf->pcmlengths[link*2];
  150364. if(granulepos<0)granulepos=0;
  150365. for(i=0;i<link;i++)
  150366. granulepos+=vf->pcmlengths[i*2+1];
  150367. vf->pcm_offset=granulepos-accblock;
  150368. break;
  150369. }
  150370. lastblock=thisblock;
  150371. continue;
  150372. }else
  150373. ogg_stream_packetout(&vf->os,NULL);
  150374. }
  150375. }
  150376. if(!lastblock){
  150377. if(_get_next_page(vf,&og,-1)<0){
  150378. vf->pcm_offset=ov_pcm_total(vf,-1);
  150379. break;
  150380. }
  150381. }else{
  150382. /* huh? Bogus stream with packets but no granulepos */
  150383. vf->pcm_offset=-1;
  150384. break;
  150385. }
  150386. /* has our decoding just traversed a bitstream boundary? */
  150387. if(vf->ready_state>=STREAMSET)
  150388. if(vf->current_serialno!=ogg_page_serialno(&og)){
  150389. _decode_clear(vf); /* clear out stream state */
  150390. ogg_stream_clear(&work_os);
  150391. }
  150392. if(vf->ready_state<STREAMSET){
  150393. int link;
  150394. vf->current_serialno=ogg_page_serialno(&og);
  150395. for(link=0;link<vf->links;link++)
  150396. if(vf->serialnos[link]==vf->current_serialno)break;
  150397. if(link==vf->links)goto seek_error; /* sign of a bogus stream.
  150398. error out, leave
  150399. machine uninitialized */
  150400. vf->current_link=link;
  150401. ogg_stream_reset_serialno(&vf->os,vf->current_serialno);
  150402. ogg_stream_reset_serialno(&work_os,vf->current_serialno);
  150403. vf->ready_state=STREAMSET;
  150404. }
  150405. ogg_stream_pagein(&vf->os,&og);
  150406. ogg_stream_pagein(&work_os,&og);
  150407. eosflag=ogg_page_eos(&og);
  150408. }
  150409. }
  150410. ogg_stream_clear(&work_os);
  150411. vf->bittrack=0.f;
  150412. vf->samptrack=0.f;
  150413. return(0);
  150414. seek_error:
  150415. /* dump the machine so we're in a known state */
  150416. vf->pcm_offset=-1;
  150417. ogg_stream_clear(&work_os);
  150418. _decode_clear(vf);
  150419. return OV_EBADLINK;
  150420. }
  150421. /* Page granularity seek (faster than sample granularity because we
  150422. don't do the last bit of decode to find a specific sample).
  150423. Seek to the last [granule marked] page preceeding the specified pos
  150424. location, such that decoding past the returned point will quickly
  150425. arrive at the requested position. */
  150426. int ov_pcm_seek_page(OggVorbis_File *vf,ogg_int64_t pos){
  150427. int link=-1;
  150428. ogg_int64_t result=0;
  150429. ogg_int64_t total=ov_pcm_total(vf,-1);
  150430. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150431. if(!vf->seekable)return(OV_ENOSEEK);
  150432. if(pos<0 || pos>total)return(OV_EINVAL);
  150433. /* which bitstream section does this pcm offset occur in? */
  150434. for(link=vf->links-1;link>=0;link--){
  150435. total-=vf->pcmlengths[link*2+1];
  150436. if(pos>=total)break;
  150437. }
  150438. /* search within the logical bitstream for the page with the highest
  150439. pcm_pos preceeding (or equal to) pos. There is a danger here;
  150440. missing pages or incorrect frame number information in the
  150441. bitstream could make our task impossible. Account for that (it
  150442. would be an error condition) */
  150443. /* new search algorithm by HB (Nicholas Vinen) */
  150444. {
  150445. ogg_int64_t end=vf->offsets[link+1];
  150446. ogg_int64_t begin=vf->offsets[link];
  150447. ogg_int64_t begintime = vf->pcmlengths[link*2];
  150448. ogg_int64_t endtime = vf->pcmlengths[link*2+1]+begintime;
  150449. ogg_int64_t target=pos-total+begintime;
  150450. ogg_int64_t best=begin;
  150451. ogg_page og;
  150452. while(begin<end){
  150453. ogg_int64_t bisect;
  150454. if(end-begin<CHUNKSIZE){
  150455. bisect=begin;
  150456. }else{
  150457. /* take a (pretty decent) guess. */
  150458. bisect=begin +
  150459. (target-begintime)*(end-begin)/(endtime-begintime) - CHUNKSIZE;
  150460. if(bisect<=begin)
  150461. bisect=begin+1;
  150462. }
  150463. _seek_helper(vf,bisect);
  150464. while(begin<end){
  150465. result=_get_next_page(vf,&og,end-vf->offset);
  150466. if(result==OV_EREAD) goto seek_error;
  150467. if(result<0){
  150468. if(bisect<=begin+1)
  150469. end=begin; /* found it */
  150470. else{
  150471. if(bisect==0) goto seek_error;
  150472. bisect-=CHUNKSIZE;
  150473. if(bisect<=begin)bisect=begin+1;
  150474. _seek_helper(vf,bisect);
  150475. }
  150476. }else{
  150477. ogg_int64_t granulepos=ogg_page_granulepos(&og);
  150478. if(granulepos==-1)continue;
  150479. if(granulepos<target){
  150480. best=result; /* raw offset of packet with granulepos */
  150481. begin=vf->offset; /* raw offset of next page */
  150482. begintime=granulepos;
  150483. if(target-begintime>44100)break;
  150484. bisect=begin; /* *not* begin + 1 */
  150485. }else{
  150486. if(bisect<=begin+1)
  150487. end=begin; /* found it */
  150488. else{
  150489. if(end==vf->offset){ /* we're pretty close - we'd be stuck in */
  150490. end=result;
  150491. bisect-=CHUNKSIZE; /* an endless loop otherwise. */
  150492. if(bisect<=begin)bisect=begin+1;
  150493. _seek_helper(vf,bisect);
  150494. }else{
  150495. end=result;
  150496. endtime=granulepos;
  150497. break;
  150498. }
  150499. }
  150500. }
  150501. }
  150502. }
  150503. }
  150504. /* found our page. seek to it, update pcm offset. Easier case than
  150505. raw_seek, don't keep packets preceeding granulepos. */
  150506. {
  150507. ogg_page og;
  150508. ogg_packet op;
  150509. /* seek */
  150510. _seek_helper(vf,best);
  150511. vf->pcm_offset=-1;
  150512. if(_get_next_page(vf,&og,-1)<0)return(OV_EOF); /* shouldn't happen */
  150513. if(link!=vf->current_link){
  150514. /* Different link; dump entire decode machine */
  150515. _decode_clear(vf);
  150516. vf->current_link=link;
  150517. vf->current_serialno=ogg_page_serialno(&og);
  150518. vf->ready_state=STREAMSET;
  150519. }else{
  150520. vorbis_synthesis_restart(&vf->vd);
  150521. }
  150522. ogg_stream_reset_serialno(&vf->os,vf->current_serialno);
  150523. ogg_stream_pagein(&vf->os,&og);
  150524. /* pull out all but last packet; the one with granulepos */
  150525. while(1){
  150526. result=ogg_stream_packetpeek(&vf->os,&op);
  150527. if(result==0){
  150528. /* !!! the packet finishing this page originated on a
  150529. preceeding page. Keep fetching previous pages until we
  150530. get one with a granulepos or without the 'continued' flag
  150531. set. Then just use raw_seek for simplicity. */
  150532. _seek_helper(vf,best);
  150533. while(1){
  150534. result=_get_prev_page(vf,&og);
  150535. if(result<0) goto seek_error;
  150536. if(ogg_page_granulepos(&og)>-1 ||
  150537. !ogg_page_continued(&og)){
  150538. return ov_raw_seek(vf,result);
  150539. }
  150540. vf->offset=result;
  150541. }
  150542. }
  150543. if(result<0){
  150544. result = OV_EBADPACKET;
  150545. goto seek_error;
  150546. }
  150547. if(op.granulepos!=-1){
  150548. vf->pcm_offset=op.granulepos-vf->pcmlengths[vf->current_link*2];
  150549. if(vf->pcm_offset<0)vf->pcm_offset=0;
  150550. vf->pcm_offset+=total;
  150551. break;
  150552. }else
  150553. result=ogg_stream_packetout(&vf->os,NULL);
  150554. }
  150555. }
  150556. }
  150557. /* verify result */
  150558. if(vf->pcm_offset>pos || pos>ov_pcm_total(vf,-1)){
  150559. result=OV_EFAULT;
  150560. goto seek_error;
  150561. }
  150562. vf->bittrack=0.f;
  150563. vf->samptrack=0.f;
  150564. return(0);
  150565. seek_error:
  150566. /* dump machine so we're in a known state */
  150567. vf->pcm_offset=-1;
  150568. _decode_clear(vf);
  150569. return (int)result;
  150570. }
  150571. /* seek to a sample offset relative to the decompressed pcm stream
  150572. returns zero on success, nonzero on failure */
  150573. int ov_pcm_seek(OggVorbis_File *vf,ogg_int64_t pos){
  150574. int thisblock,lastblock=0;
  150575. int ret=ov_pcm_seek_page(vf,pos);
  150576. if(ret<0)return(ret);
  150577. if((ret=_make_decode_ready(vf)))return ret;
  150578. /* discard leading packets we don't need for the lapping of the
  150579. position we want; don't decode them */
  150580. while(1){
  150581. ogg_packet op;
  150582. ogg_page og;
  150583. int ret=ogg_stream_packetpeek(&vf->os,&op);
  150584. if(ret>0){
  150585. thisblock=vorbis_packet_blocksize(vf->vi+vf->current_link,&op);
  150586. if(thisblock<0){
  150587. ogg_stream_packetout(&vf->os,NULL);
  150588. continue; /* non audio packet */
  150589. }
  150590. if(lastblock)vf->pcm_offset+=(lastblock+thisblock)>>2;
  150591. if(vf->pcm_offset+((thisblock+
  150592. vorbis_info_blocksize(vf->vi,1))>>2)>=pos)break;
  150593. /* remove the packet from packet queue and track its granulepos */
  150594. ogg_stream_packetout(&vf->os,NULL);
  150595. vorbis_synthesis_trackonly(&vf->vb,&op); /* set up a vb with
  150596. only tracking, no
  150597. pcm_decode */
  150598. vorbis_synthesis_blockin(&vf->vd,&vf->vb);
  150599. /* end of logical stream case is hard, especially with exact
  150600. length positioning. */
  150601. if(op.granulepos>-1){
  150602. int i;
  150603. /* always believe the stream markers */
  150604. vf->pcm_offset=op.granulepos-vf->pcmlengths[vf->current_link*2];
  150605. if(vf->pcm_offset<0)vf->pcm_offset=0;
  150606. for(i=0;i<vf->current_link;i++)
  150607. vf->pcm_offset+=vf->pcmlengths[i*2+1];
  150608. }
  150609. lastblock=thisblock;
  150610. }else{
  150611. if(ret<0 && ret!=OV_HOLE)break;
  150612. /* suck in a new page */
  150613. if(_get_next_page(vf,&og,-1)<0)break;
  150614. if(vf->current_serialno!=ogg_page_serialno(&og))_decode_clear(vf);
  150615. if(vf->ready_state<STREAMSET){
  150616. int link;
  150617. vf->current_serialno=ogg_page_serialno(&og);
  150618. for(link=0;link<vf->links;link++)
  150619. if(vf->serialnos[link]==vf->current_serialno)break;
  150620. if(link==vf->links)return(OV_EBADLINK);
  150621. vf->current_link=link;
  150622. ogg_stream_reset_serialno(&vf->os,vf->current_serialno);
  150623. vf->ready_state=STREAMSET;
  150624. ret=_make_decode_ready(vf);
  150625. if(ret)return ret;
  150626. lastblock=0;
  150627. }
  150628. ogg_stream_pagein(&vf->os,&og);
  150629. }
  150630. }
  150631. vf->bittrack=0.f;
  150632. vf->samptrack=0.f;
  150633. /* discard samples until we reach the desired position. Crossing a
  150634. logical bitstream boundary with abandon is OK. */
  150635. while(vf->pcm_offset<pos){
  150636. ogg_int64_t target=pos-vf->pcm_offset;
  150637. long samples=vorbis_synthesis_pcmout(&vf->vd,NULL);
  150638. if(samples>target)samples=target;
  150639. vorbis_synthesis_read(&vf->vd,samples);
  150640. vf->pcm_offset+=samples;
  150641. if(samples<target)
  150642. if(_fetch_and_process_packet(vf,NULL,1,1)<=0)
  150643. vf->pcm_offset=ov_pcm_total(vf,-1); /* eof */
  150644. }
  150645. return 0;
  150646. }
  150647. /* seek to a playback time relative to the decompressed pcm stream
  150648. returns zero on success, nonzero on failure */
  150649. int ov_time_seek(OggVorbis_File *vf,double seconds){
  150650. /* translate time to PCM position and call ov_pcm_seek */
  150651. int link=-1;
  150652. ogg_int64_t pcm_total=ov_pcm_total(vf,-1);
  150653. double time_total=ov_time_total(vf,-1);
  150654. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150655. if(!vf->seekable)return(OV_ENOSEEK);
  150656. if(seconds<0 || seconds>time_total)return(OV_EINVAL);
  150657. /* which bitstream section does this time offset occur in? */
  150658. for(link=vf->links-1;link>=0;link--){
  150659. pcm_total-=vf->pcmlengths[link*2+1];
  150660. time_total-=ov_time_total(vf,link);
  150661. if(seconds>=time_total)break;
  150662. }
  150663. /* enough information to convert time offset to pcm offset */
  150664. {
  150665. ogg_int64_t target=pcm_total+(seconds-time_total)*vf->vi[link].rate;
  150666. return(ov_pcm_seek(vf,target));
  150667. }
  150668. }
  150669. /* page-granularity version of ov_time_seek
  150670. returns zero on success, nonzero on failure */
  150671. int ov_time_seek_page(OggVorbis_File *vf,double seconds){
  150672. /* translate time to PCM position and call ov_pcm_seek */
  150673. int link=-1;
  150674. ogg_int64_t pcm_total=ov_pcm_total(vf,-1);
  150675. double time_total=ov_time_total(vf,-1);
  150676. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150677. if(!vf->seekable)return(OV_ENOSEEK);
  150678. if(seconds<0 || seconds>time_total)return(OV_EINVAL);
  150679. /* which bitstream section does this time offset occur in? */
  150680. for(link=vf->links-1;link>=0;link--){
  150681. pcm_total-=vf->pcmlengths[link*2+1];
  150682. time_total-=ov_time_total(vf,link);
  150683. if(seconds>=time_total)break;
  150684. }
  150685. /* enough information to convert time offset to pcm offset */
  150686. {
  150687. ogg_int64_t target=pcm_total+(seconds-time_total)*vf->vi[link].rate;
  150688. return(ov_pcm_seek_page(vf,target));
  150689. }
  150690. }
  150691. /* tell the current stream offset cursor. Note that seek followed by
  150692. tell will likely not give the set offset due to caching */
  150693. ogg_int64_t ov_raw_tell(OggVorbis_File *vf){
  150694. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150695. return(vf->offset);
  150696. }
  150697. /* return PCM offset (sample) of next PCM sample to be read */
  150698. ogg_int64_t ov_pcm_tell(OggVorbis_File *vf){
  150699. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150700. return(vf->pcm_offset);
  150701. }
  150702. /* return time offset (seconds) of next PCM sample to be read */
  150703. double ov_time_tell(OggVorbis_File *vf){
  150704. int link=0;
  150705. ogg_int64_t pcm_total=0;
  150706. double time_total=0.f;
  150707. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150708. if(vf->seekable){
  150709. pcm_total=ov_pcm_total(vf,-1);
  150710. time_total=ov_time_total(vf,-1);
  150711. /* which bitstream section does this time offset occur in? */
  150712. for(link=vf->links-1;link>=0;link--){
  150713. pcm_total-=vf->pcmlengths[link*2+1];
  150714. time_total-=ov_time_total(vf,link);
  150715. if(vf->pcm_offset>=pcm_total)break;
  150716. }
  150717. }
  150718. return((double)time_total+(double)(vf->pcm_offset-pcm_total)/vf->vi[link].rate);
  150719. }
  150720. /* link: -1) return the vorbis_info struct for the bitstream section
  150721. currently being decoded
  150722. 0-n) to request information for a specific bitstream section
  150723. In the case of a non-seekable bitstream, any call returns the
  150724. current bitstream. NULL in the case that the machine is not
  150725. initialized */
  150726. vorbis_info *ov_info(OggVorbis_File *vf,int link){
  150727. if(vf->seekable){
  150728. if(link<0)
  150729. if(vf->ready_state>=STREAMSET)
  150730. return vf->vi+vf->current_link;
  150731. else
  150732. return vf->vi;
  150733. else
  150734. if(link>=vf->links)
  150735. return NULL;
  150736. else
  150737. return vf->vi+link;
  150738. }else{
  150739. return vf->vi;
  150740. }
  150741. }
  150742. /* grr, strong typing, grr, no templates/inheritence, grr */
  150743. vorbis_comment *ov_comment(OggVorbis_File *vf,int link){
  150744. if(vf->seekable){
  150745. if(link<0)
  150746. if(vf->ready_state>=STREAMSET)
  150747. return vf->vc+vf->current_link;
  150748. else
  150749. return vf->vc;
  150750. else
  150751. if(link>=vf->links)
  150752. return NULL;
  150753. else
  150754. return vf->vc+link;
  150755. }else{
  150756. return vf->vc;
  150757. }
  150758. }
  150759. static int host_is_big_endian() {
  150760. ogg_int32_t pattern = 0xfeedface; /* deadbeef */
  150761. unsigned char *bytewise = (unsigned char *)&pattern;
  150762. if (bytewise[0] == 0xfe) return 1;
  150763. return 0;
  150764. }
  150765. /* up to this point, everything could more or less hide the multiple
  150766. logical bitstream nature of chaining from the toplevel application
  150767. if the toplevel application didn't particularly care. However, at
  150768. the point that we actually read audio back, the multiple-section
  150769. nature must surface: Multiple bitstream sections do not necessarily
  150770. have to have the same number of channels or sampling rate.
  150771. ov_read returns the sequential logical bitstream number currently
  150772. being decoded along with the PCM data in order that the toplevel
  150773. application can take action on channel/sample rate changes. This
  150774. number will be incremented even for streamed (non-seekable) streams
  150775. (for seekable streams, it represents the actual logical bitstream
  150776. index within the physical bitstream. Note that the accessor
  150777. functions above are aware of this dichotomy).
  150778. input values: buffer) a buffer to hold packed PCM data for return
  150779. length) the byte length requested to be placed into buffer
  150780. bigendianp) should the data be packed LSB first (0) or
  150781. MSB first (1)
  150782. word) word size for output. currently 1 (byte) or
  150783. 2 (16 bit short)
  150784. return values: <0) error/hole in data (OV_HOLE), partial open (OV_EINVAL)
  150785. 0) EOF
  150786. n) number of bytes of PCM actually returned. The
  150787. below works on a packet-by-packet basis, so the
  150788. return length is not related to the 'length' passed
  150789. in, just guaranteed to fit.
  150790. *section) set to the logical bitstream number */
  150791. long ov_read(OggVorbis_File *vf,char *buffer,int length,
  150792. int bigendianp,int word,int sgned,int *bitstream){
  150793. int i,j;
  150794. int host_endian = host_is_big_endian();
  150795. float **pcm;
  150796. long samples;
  150797. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150798. while(1){
  150799. if(vf->ready_state==INITSET){
  150800. samples=vorbis_synthesis_pcmout(&vf->vd,&pcm);
  150801. if(samples)break;
  150802. }
  150803. /* suck in another packet */
  150804. {
  150805. int ret=_fetch_and_process_packet(vf,NULL,1,1);
  150806. if(ret==OV_EOF)
  150807. return(0);
  150808. if(ret<=0)
  150809. return(ret);
  150810. }
  150811. }
  150812. if(samples>0){
  150813. /* yay! proceed to pack data into the byte buffer */
  150814. long channels=ov_info(vf,-1)->channels;
  150815. long bytespersample=word * channels;
  150816. vorbis_fpu_control fpu;
  150817. (void) fpu; // (to avoid a warning about it being unused)
  150818. if(samples>length/bytespersample)samples=length/bytespersample;
  150819. if(samples <= 0)
  150820. return OV_EINVAL;
  150821. /* a tight loop to pack each size */
  150822. {
  150823. int val;
  150824. if(word==1){
  150825. int off=(sgned?0:128);
  150826. vorbis_fpu_setround(&fpu);
  150827. for(j=0;j<samples;j++)
  150828. for(i=0;i<channels;i++){
  150829. val=vorbis_ftoi(pcm[i][j]*128.f);
  150830. if(val>127)val=127;
  150831. else if(val<-128)val=-128;
  150832. *buffer++=val+off;
  150833. }
  150834. vorbis_fpu_restore(fpu);
  150835. }else{
  150836. int off=(sgned?0:32768);
  150837. if(host_endian==bigendianp){
  150838. if(sgned){
  150839. vorbis_fpu_setround(&fpu);
  150840. for(i=0;i<channels;i++) { /* It's faster in this order */
  150841. float *src=pcm[i];
  150842. short *dest=((short *)buffer)+i;
  150843. for(j=0;j<samples;j++) {
  150844. val=vorbis_ftoi(src[j]*32768.f);
  150845. if(val>32767)val=32767;
  150846. else if(val<-32768)val=-32768;
  150847. *dest=val;
  150848. dest+=channels;
  150849. }
  150850. }
  150851. vorbis_fpu_restore(fpu);
  150852. }else{
  150853. vorbis_fpu_setround(&fpu);
  150854. for(i=0;i<channels;i++) {
  150855. float *src=pcm[i];
  150856. short *dest=((short *)buffer)+i;
  150857. for(j=0;j<samples;j++) {
  150858. val=vorbis_ftoi(src[j]*32768.f);
  150859. if(val>32767)val=32767;
  150860. else if(val<-32768)val=-32768;
  150861. *dest=val+off;
  150862. dest+=channels;
  150863. }
  150864. }
  150865. vorbis_fpu_restore(fpu);
  150866. }
  150867. }else if(bigendianp){
  150868. vorbis_fpu_setround(&fpu);
  150869. for(j=0;j<samples;j++)
  150870. for(i=0;i<channels;i++){
  150871. val=vorbis_ftoi(pcm[i][j]*32768.f);
  150872. if(val>32767)val=32767;
  150873. else if(val<-32768)val=-32768;
  150874. val+=off;
  150875. *buffer++=(val>>8);
  150876. *buffer++=(val&0xff);
  150877. }
  150878. vorbis_fpu_restore(fpu);
  150879. }else{
  150880. int val;
  150881. vorbis_fpu_setround(&fpu);
  150882. for(j=0;j<samples;j++)
  150883. for(i=0;i<channels;i++){
  150884. val=vorbis_ftoi(pcm[i][j]*32768.f);
  150885. if(val>32767)val=32767;
  150886. else if(val<-32768)val=-32768;
  150887. val+=off;
  150888. *buffer++=(val&0xff);
  150889. *buffer++=(val>>8);
  150890. }
  150891. vorbis_fpu_restore(fpu);
  150892. }
  150893. }
  150894. }
  150895. vorbis_synthesis_read(&vf->vd,samples);
  150896. vf->pcm_offset+=samples;
  150897. if(bitstream)*bitstream=vf->current_link;
  150898. return(samples*bytespersample);
  150899. }else{
  150900. return(samples);
  150901. }
  150902. }
  150903. /* input values: pcm_channels) a float vector per channel of output
  150904. length) the sample length being read by the app
  150905. return values: <0) error/hole in data (OV_HOLE), partial open (OV_EINVAL)
  150906. 0) EOF
  150907. n) number of samples of PCM actually returned. The
  150908. below works on a packet-by-packet basis, so the
  150909. return length is not related to the 'length' passed
  150910. in, just guaranteed to fit.
  150911. *section) set to the logical bitstream number */
  150912. long ov_read_float(OggVorbis_File *vf,float ***pcm_channels,int length,
  150913. int *bitstream){
  150914. if(vf->ready_state<OPENED)return(OV_EINVAL);
  150915. while(1){
  150916. if(vf->ready_state==INITSET){
  150917. float **pcm;
  150918. long samples=vorbis_synthesis_pcmout(&vf->vd,&pcm);
  150919. if(samples){
  150920. if(pcm_channels)*pcm_channels=pcm;
  150921. if(samples>length)samples=length;
  150922. vorbis_synthesis_read(&vf->vd,samples);
  150923. vf->pcm_offset+=samples;
  150924. if(bitstream)*bitstream=vf->current_link;
  150925. return samples;
  150926. }
  150927. }
  150928. /* suck in another packet */
  150929. {
  150930. int ret=_fetch_and_process_packet(vf,NULL,1,1);
  150931. if(ret==OV_EOF)return(0);
  150932. if(ret<=0)return(ret);
  150933. }
  150934. }
  150935. }
  150936. extern float *vorbis_window(vorbis_dsp_state *v,int W);
  150937. extern void _analysis_output_always(char *base,int i,float *v,int n,int bark,int dB,
  150938. ogg_int64_t off);
  150939. static void _ov_splice(float **pcm,float **lappcm,
  150940. int n1, int n2,
  150941. int ch1, int ch2,
  150942. float *w1, float *w2){
  150943. int i,j;
  150944. float *w=w1;
  150945. int n=n1;
  150946. if(n1>n2){
  150947. n=n2;
  150948. w=w2;
  150949. }
  150950. /* splice */
  150951. for(j=0;j<ch1 && j<ch2;j++){
  150952. float *s=lappcm[j];
  150953. float *d=pcm[j];
  150954. for(i=0;i<n;i++){
  150955. float wd=w[i]*w[i];
  150956. float ws=1.-wd;
  150957. d[i]=d[i]*wd + s[i]*ws;
  150958. }
  150959. }
  150960. /* window from zero */
  150961. for(;j<ch2;j++){
  150962. float *d=pcm[j];
  150963. for(i=0;i<n;i++){
  150964. float wd=w[i]*w[i];
  150965. d[i]=d[i]*wd;
  150966. }
  150967. }
  150968. }
  150969. /* make sure vf is INITSET */
  150970. static int _ov_initset(OggVorbis_File *vf){
  150971. while(1){
  150972. if(vf->ready_state==INITSET)break;
  150973. /* suck in another packet */
  150974. {
  150975. int ret=_fetch_and_process_packet(vf,NULL,1,0);
  150976. if(ret<0 && ret!=OV_HOLE)return(ret);
  150977. }
  150978. }
  150979. return 0;
  150980. }
  150981. /* make sure vf is INITSET and that we have a primed buffer; if
  150982. we're crosslapping at a stream section boundary, this also makes
  150983. sure we're sanity checking against the right stream information */
  150984. static int _ov_initprime(OggVorbis_File *vf){
  150985. vorbis_dsp_state *vd=&vf->vd;
  150986. while(1){
  150987. if(vf->ready_state==INITSET)
  150988. if(vorbis_synthesis_pcmout(vd,NULL))break;
  150989. /* suck in another packet */
  150990. {
  150991. int ret=_fetch_and_process_packet(vf,NULL,1,0);
  150992. if(ret<0 && ret!=OV_HOLE)return(ret);
  150993. }
  150994. }
  150995. return 0;
  150996. }
  150997. /* grab enough data for lapping from vf; this may be in the form of
  150998. unreturned, already-decoded pcm, remaining PCM we will need to
  150999. decode, or synthetic postextrapolation from last packets. */
  151000. static void _ov_getlap(OggVorbis_File *vf,vorbis_info *vi,vorbis_dsp_state *vd,
  151001. float **lappcm,int lapsize){
  151002. int lapcount=0,i;
  151003. float **pcm;
  151004. /* try first to decode the lapping data */
  151005. while(lapcount<lapsize){
  151006. int samples=vorbis_synthesis_pcmout(vd,&pcm);
  151007. if(samples){
  151008. if(samples>lapsize-lapcount)samples=lapsize-lapcount;
  151009. for(i=0;i<vi->channels;i++)
  151010. memcpy(lappcm[i]+lapcount,pcm[i],sizeof(**pcm)*samples);
  151011. lapcount+=samples;
  151012. vorbis_synthesis_read(vd,samples);
  151013. }else{
  151014. /* suck in another packet */
  151015. int ret=_fetch_and_process_packet(vf,NULL,1,0); /* do *not* span */
  151016. if(ret==OV_EOF)break;
  151017. }
  151018. }
  151019. if(lapcount<lapsize){
  151020. /* failed to get lapping data from normal decode; pry it from the
  151021. postextrapolation buffering, or the second half of the MDCT
  151022. from the last packet */
  151023. int samples=vorbis_synthesis_lapout(&vf->vd,&pcm);
  151024. if(samples==0){
  151025. for(i=0;i<vi->channels;i++)
  151026. memset(lappcm[i]+lapcount,0,sizeof(**pcm)*lapsize-lapcount);
  151027. lapcount=lapsize;
  151028. }else{
  151029. if(samples>lapsize-lapcount)samples=lapsize-lapcount;
  151030. for(i=0;i<vi->channels;i++)
  151031. memcpy(lappcm[i]+lapcount,pcm[i],sizeof(**pcm)*samples);
  151032. lapcount+=samples;
  151033. }
  151034. }
  151035. }
  151036. /* this sets up crosslapping of a sample by using trailing data from
  151037. sample 1 and lapping it into the windowing buffer of sample 2 */
  151038. int ov_crosslap(OggVorbis_File *vf1, OggVorbis_File *vf2){
  151039. vorbis_info *vi1,*vi2;
  151040. float **lappcm;
  151041. float **pcm;
  151042. float *w1,*w2;
  151043. int n1,n2,i,ret,hs1,hs2;
  151044. if(vf1==vf2)return(0); /* degenerate case */
  151045. if(vf1->ready_state<OPENED)return(OV_EINVAL);
  151046. if(vf2->ready_state<OPENED)return(OV_EINVAL);
  151047. /* the relevant overlap buffers must be pre-checked and pre-primed
  151048. before looking at settings in the event that priming would cross
  151049. a bitstream boundary. So, do it now */
  151050. ret=_ov_initset(vf1);
  151051. if(ret)return(ret);
  151052. ret=_ov_initprime(vf2);
  151053. if(ret)return(ret);
  151054. vi1=ov_info(vf1,-1);
  151055. vi2=ov_info(vf2,-1);
  151056. hs1=ov_halfrate_p(vf1);
  151057. hs2=ov_halfrate_p(vf2);
  151058. lappcm=(float**) alloca(sizeof(*lappcm)*vi1->channels);
  151059. n1=vorbis_info_blocksize(vi1,0)>>(1+hs1);
  151060. n2=vorbis_info_blocksize(vi2,0)>>(1+hs2);
  151061. w1=vorbis_window(&vf1->vd,0);
  151062. w2=vorbis_window(&vf2->vd,0);
  151063. for(i=0;i<vi1->channels;i++)
  151064. lappcm[i]=(float*) alloca(sizeof(**lappcm)*n1);
  151065. _ov_getlap(vf1,vi1,&vf1->vd,lappcm,n1);
  151066. /* have a lapping buffer from vf1; now to splice it into the lapping
  151067. buffer of vf2 */
  151068. /* consolidate and expose the buffer. */
  151069. vorbis_synthesis_lapout(&vf2->vd,&pcm);
  151070. _analysis_output_always("pcmL",0,pcm[0],n1*2,0,0,0);
  151071. _analysis_output_always("pcmR",0,pcm[1],n1*2,0,0,0);
  151072. /* splice */
  151073. _ov_splice(pcm,lappcm,n1,n2,vi1->channels,vi2->channels,w1,w2);
  151074. /* done */
  151075. return(0);
  151076. }
  151077. static int _ov_64_seek_lap(OggVorbis_File *vf,ogg_int64_t pos,
  151078. int (*localseek)(OggVorbis_File *,ogg_int64_t)){
  151079. vorbis_info *vi;
  151080. float **lappcm;
  151081. float **pcm;
  151082. float *w1,*w2;
  151083. int n1,n2,ch1,ch2,hs;
  151084. int i,ret;
  151085. if(vf->ready_state<OPENED)return(OV_EINVAL);
  151086. ret=_ov_initset(vf);
  151087. if(ret)return(ret);
  151088. vi=ov_info(vf,-1);
  151089. hs=ov_halfrate_p(vf);
  151090. ch1=vi->channels;
  151091. n1=vorbis_info_blocksize(vi,0)>>(1+hs);
  151092. w1=vorbis_window(&vf->vd,0); /* window arrays from libvorbis are
  151093. persistent; even if the decode state
  151094. from this link gets dumped, this
  151095. window array continues to exist */
  151096. lappcm=(float**) alloca(sizeof(*lappcm)*ch1);
  151097. for(i=0;i<ch1;i++)
  151098. lappcm[i]=(float*) alloca(sizeof(**lappcm)*n1);
  151099. _ov_getlap(vf,vi,&vf->vd,lappcm,n1);
  151100. /* have lapping data; seek and prime the buffer */
  151101. ret=localseek(vf,pos);
  151102. if(ret)return ret;
  151103. ret=_ov_initprime(vf);
  151104. if(ret)return(ret);
  151105. /* Guard against cross-link changes; they're perfectly legal */
  151106. vi=ov_info(vf,-1);
  151107. ch2=vi->channels;
  151108. n2=vorbis_info_blocksize(vi,0)>>(1+hs);
  151109. w2=vorbis_window(&vf->vd,0);
  151110. /* consolidate and expose the buffer. */
  151111. vorbis_synthesis_lapout(&vf->vd,&pcm);
  151112. /* splice */
  151113. _ov_splice(pcm,lappcm,n1,n2,ch1,ch2,w1,w2);
  151114. /* done */
  151115. return(0);
  151116. }
  151117. int ov_raw_seek_lap(OggVorbis_File *vf,ogg_int64_t pos){
  151118. return _ov_64_seek_lap(vf,pos,ov_raw_seek);
  151119. }
  151120. int ov_pcm_seek_lap(OggVorbis_File *vf,ogg_int64_t pos){
  151121. return _ov_64_seek_lap(vf,pos,ov_pcm_seek);
  151122. }
  151123. int ov_pcm_seek_page_lap(OggVorbis_File *vf,ogg_int64_t pos){
  151124. return _ov_64_seek_lap(vf,pos,ov_pcm_seek_page);
  151125. }
  151126. static int _ov_d_seek_lap(OggVorbis_File *vf,double pos,
  151127. int (*localseek)(OggVorbis_File *,double)){
  151128. vorbis_info *vi;
  151129. float **lappcm;
  151130. float **pcm;
  151131. float *w1,*w2;
  151132. int n1,n2,ch1,ch2,hs;
  151133. int i,ret;
  151134. if(vf->ready_state<OPENED)return(OV_EINVAL);
  151135. ret=_ov_initset(vf);
  151136. if(ret)return(ret);
  151137. vi=ov_info(vf,-1);
  151138. hs=ov_halfrate_p(vf);
  151139. ch1=vi->channels;
  151140. n1=vorbis_info_blocksize(vi,0)>>(1+hs);
  151141. w1=vorbis_window(&vf->vd,0); /* window arrays from libvorbis are
  151142. persistent; even if the decode state
  151143. from this link gets dumped, this
  151144. window array continues to exist */
  151145. lappcm=(float**) alloca(sizeof(*lappcm)*ch1);
  151146. for(i=0;i<ch1;i++)
  151147. lappcm[i]=(float*) alloca(sizeof(**lappcm)*n1);
  151148. _ov_getlap(vf,vi,&vf->vd,lappcm,n1);
  151149. /* have lapping data; seek and prime the buffer */
  151150. ret=localseek(vf,pos);
  151151. if(ret)return ret;
  151152. ret=_ov_initprime(vf);
  151153. if(ret)return(ret);
  151154. /* Guard against cross-link changes; they're perfectly legal */
  151155. vi=ov_info(vf,-1);
  151156. ch2=vi->channels;
  151157. n2=vorbis_info_blocksize(vi,0)>>(1+hs);
  151158. w2=vorbis_window(&vf->vd,0);
  151159. /* consolidate and expose the buffer. */
  151160. vorbis_synthesis_lapout(&vf->vd,&pcm);
  151161. /* splice */
  151162. _ov_splice(pcm,lappcm,n1,n2,ch1,ch2,w1,w2);
  151163. /* done */
  151164. return(0);
  151165. }
  151166. int ov_time_seek_lap(OggVorbis_File *vf,double pos){
  151167. return _ov_d_seek_lap(vf,pos,ov_time_seek);
  151168. }
  151169. int ov_time_seek_page_lap(OggVorbis_File *vf,double pos){
  151170. return _ov_d_seek_lap(vf,pos,ov_time_seek_page);
  151171. }
  151172. #endif
  151173. /********* End of inlined file: vorbisfile.c *********/
  151174. /********* Start of inlined file: window.c *********/
  151175. /********* Start of inlined file: juce_OggVorbisHeader.h *********/
  151176. // This file is included at the start of each Ogg-Vorbis .c file, just to do a few housekeeping
  151177. // tasks..
  151178. #ifdef _MSC_VER
  151179. #pragma warning (disable: 4267 4127 4244 4996 4100 4701 4702 4013 4133 4206 4305 4189 4706)
  151180. #endif
  151181. /********* End of inlined file: juce_OggVorbisHeader.h *********/
  151182. #if JUCE_USE_OGGVORBIS
  151183. #include <stdlib.h>
  151184. #include <math.h>
  151185. static float vwin64[32] = {
  151186. 0.0009460463F, 0.0085006468F, 0.0235352254F, 0.0458950567F,
  151187. 0.0753351908F, 0.1115073077F, 0.1539457973F, 0.2020557475F,
  151188. 0.2551056759F, 0.3122276645F, 0.3724270287F, 0.4346027792F,
  151189. 0.4975789974F, 0.5601459521F, 0.6211085051F, 0.6793382689F,
  151190. 0.7338252629F, 0.7837245849F, 0.8283939355F, 0.8674186656F,
  151191. 0.9006222429F, 0.9280614787F, 0.9500073081F, 0.9669131782F,
  151192. 0.9793740220F, 0.9880792941F, 0.9937636139F, 0.9971582668F,
  151193. 0.9989462667F, 0.9997230082F, 0.9999638688F, 0.9999995525F,
  151194. };
  151195. static float vwin128[64] = {
  151196. 0.0002365472F, 0.0021280687F, 0.0059065254F, 0.0115626550F,
  151197. 0.0190823442F, 0.0284463735F, 0.0396300935F, 0.0526030430F,
  151198. 0.0673285281F, 0.0837631763F, 0.1018564887F, 0.1215504095F,
  151199. 0.1427789367F, 0.1654677960F, 0.1895342001F, 0.2148867160F,
  151200. 0.2414252576F, 0.2690412240F, 0.2976177952F, 0.3270303960F,
  151201. 0.3571473350F, 0.3878306189F, 0.4189369387F, 0.4503188188F,
  151202. 0.4818259135F, 0.5133064334F, 0.5446086751F, 0.5755826278F,
  151203. 0.6060816248F, 0.6359640047F, 0.6650947483F, 0.6933470543F,
  151204. 0.7206038179F, 0.7467589810F, 0.7717187213F, 0.7954024542F,
  151205. 0.8177436264F, 0.8386902831F, 0.8582053981F, 0.8762669622F,
  151206. 0.8928678298F, 0.9080153310F, 0.9217306608F, 0.9340480615F,
  151207. 0.9450138200F, 0.9546851041F, 0.9631286621F, 0.9704194171F,
  151208. 0.9766389810F, 0.9818741197F, 0.9862151938F, 0.9897546035F,
  151209. 0.9925852598F, 0.9947991032F, 0.9964856900F, 0.9977308602F,
  151210. 0.9986155015F, 0.9992144193F, 0.9995953200F, 0.9998179155F,
  151211. 0.9999331503F, 0.9999825563F, 0.9999977357F, 0.9999999720F,
  151212. };
  151213. static float vwin256[128] = {
  151214. 0.0000591390F, 0.0005321979F, 0.0014780301F, 0.0028960636F,
  151215. 0.0047854363F, 0.0071449926F, 0.0099732775F, 0.0132685298F,
  151216. 0.0170286741F, 0.0212513119F, 0.0259337111F, 0.0310727950F,
  151217. 0.0366651302F, 0.0427069140F, 0.0491939614F, 0.0561216907F,
  151218. 0.0634851102F, 0.0712788035F, 0.0794969160F, 0.0881331402F,
  151219. 0.0971807028F, 0.1066323515F, 0.1164803426F, 0.1267164297F,
  151220. 0.1373318534F, 0.1483173323F, 0.1596630553F, 0.1713586755F,
  151221. 0.1833933062F, 0.1957555184F, 0.2084333404F, 0.2214142599F,
  151222. 0.2346852280F, 0.2482326664F, 0.2620424757F, 0.2761000481F,
  151223. 0.2903902813F, 0.3048975959F, 0.3196059553F, 0.3344988887F,
  151224. 0.3495595160F, 0.3647705766F, 0.3801144597F, 0.3955732382F,
  151225. 0.4111287047F, 0.4267624093F, 0.4424557009F, 0.4581897696F,
  151226. 0.4739456913F, 0.4897044744F, 0.5054471075F, 0.5211546088F,
  151227. 0.5368080763F, 0.5523887395F, 0.5678780103F, 0.5832575361F,
  151228. 0.5985092508F, 0.6136154277F, 0.6285587300F, 0.6433222619F,
  151229. 0.6578896175F, 0.6722449294F, 0.6863729144F, 0.7002589187F,
  151230. 0.7138889597F, 0.7272497662F, 0.7403288154F, 0.7531143679F,
  151231. 0.7655954985F, 0.7777621249F, 0.7896050322F, 0.8011158947F,
  151232. 0.8122872932F, 0.8231127294F, 0.8335866365F, 0.8437043850F,
  151233. 0.8534622861F, 0.8628575905F, 0.8718884835F, 0.8805540765F,
  151234. 0.8888543947F, 0.8967903616F, 0.9043637797F, 0.9115773078F,
  151235. 0.9184344360F, 0.9249394562F, 0.9310974312F, 0.9369141608F,
  151236. 0.9423961446F, 0.9475505439F, 0.9523851406F, 0.9569082947F,
  151237. 0.9611289005F, 0.9650563408F, 0.9687004405F, 0.9720714191F,
  151238. 0.9751798427F, 0.9780365753F, 0.9806527301F, 0.9830396204F,
  151239. 0.9852087111F, 0.9871715701F, 0.9889398207F, 0.9905250941F,
  151240. 0.9919389832F, 0.9931929973F, 0.9942985174F, 0.9952667537F,
  151241. 0.9961087037F, 0.9968351119F, 0.9974564312F, 0.9979827858F,
  151242. 0.9984239359F, 0.9987892441F, 0.9990876435F, 0.9993276081F,
  151243. 0.9995171241F, 0.9996636648F, 0.9997741654F, 0.9998550016F,
  151244. 0.9999119692F, 0.9999502656F, 0.9999744742F, 0.9999885497F,
  151245. 0.9999958064F, 0.9999989077F, 0.9999998584F, 0.9999999983F,
  151246. };
  151247. static float vwin512[256] = {
  151248. 0.0000147849F, 0.0001330607F, 0.0003695946F, 0.0007243509F,
  151249. 0.0011972759F, 0.0017882983F, 0.0024973285F, 0.0033242588F,
  151250. 0.0042689632F, 0.0053312973F, 0.0065110982F, 0.0078081841F,
  151251. 0.0092223540F, 0.0107533880F, 0.0124010466F, 0.0141650703F,
  151252. 0.0160451800F, 0.0180410758F, 0.0201524373F, 0.0223789233F,
  151253. 0.0247201710F, 0.0271757958F, 0.0297453914F, 0.0324285286F,
  151254. 0.0352247556F, 0.0381335972F, 0.0411545545F, 0.0442871045F,
  151255. 0.0475306997F, 0.0508847676F, 0.0543487103F, 0.0579219038F,
  151256. 0.0616036982F, 0.0653934164F, 0.0692903546F, 0.0732937809F,
  151257. 0.0774029356F, 0.0816170305F, 0.0859352485F, 0.0903567428F,
  151258. 0.0948806375F, 0.0995060259F, 0.1042319712F, 0.1090575056F,
  151259. 0.1139816300F, 0.1190033137F, 0.1241214941F, 0.1293350764F,
  151260. 0.1346429333F, 0.1400439046F, 0.1455367974F, 0.1511203852F,
  151261. 0.1567934083F, 0.1625545735F, 0.1684025537F, 0.1743359881F,
  151262. 0.1803534820F, 0.1864536069F, 0.1926349000F, 0.1988958650F,
  151263. 0.2052349715F, 0.2116506555F, 0.2181413191F, 0.2247053313F,
  151264. 0.2313410275F, 0.2380467105F, 0.2448206500F, 0.2516610835F,
  151265. 0.2585662164F, 0.2655342226F, 0.2725632448F, 0.2796513950F,
  151266. 0.2867967551F, 0.2939973773F, 0.3012512852F, 0.3085564739F,
  151267. 0.3159109111F, 0.3233125375F, 0.3307592680F, 0.3382489922F,
  151268. 0.3457795756F, 0.3533488602F, 0.3609546657F, 0.3685947904F,
  151269. 0.3762670121F, 0.3839690896F, 0.3916987634F, 0.3994537572F,
  151270. 0.4072317788F, 0.4150305215F, 0.4228476653F, 0.4306808783F,
  151271. 0.4385278181F, 0.4463861329F, 0.4542534630F, 0.4621274424F,
  151272. 0.4700057001F, 0.4778858615F, 0.4857655502F, 0.4936423891F,
  151273. 0.5015140023F, 0.5093780165F, 0.5172320626F, 0.5250737772F,
  151274. 0.5329008043F, 0.5407107971F, 0.5485014192F, 0.5562703465F,
  151275. 0.5640152688F, 0.5717338914F, 0.5794239366F, 0.5870831457F,
  151276. 0.5947092801F, 0.6023001235F, 0.6098534829F, 0.6173671907F,
  151277. 0.6248391059F, 0.6322671161F, 0.6396491384F, 0.6469831217F,
  151278. 0.6542670475F, 0.6614989319F, 0.6686768267F, 0.6757988210F,
  151279. 0.6828630426F, 0.6898676592F, 0.6968108799F, 0.7036909564F,
  151280. 0.7105061843F, 0.7172549043F, 0.7239355032F, 0.7305464154F,
  151281. 0.7370861235F, 0.7435531598F, 0.7499461068F, 0.7562635986F,
  151282. 0.7625043214F, 0.7686670148F, 0.7747504721F, 0.7807535410F,
  151283. 0.7866751247F, 0.7925141825F, 0.7982697296F, 0.8039408387F,
  151284. 0.8095266395F, 0.8150263196F, 0.8204391248F, 0.8257643590F,
  151285. 0.8310013848F, 0.8361496236F, 0.8412085555F, 0.8461777194F,
  151286. 0.8510567129F, 0.8558451924F, 0.8605428730F, 0.8651495278F,
  151287. 0.8696649882F, 0.8740891432F, 0.8784219392F, 0.8826633797F,
  151288. 0.8868135244F, 0.8908724888F, 0.8948404441F, 0.8987176157F,
  151289. 0.9025042831F, 0.9062007791F, 0.9098074886F, 0.9133248482F,
  151290. 0.9167533451F, 0.9200935163F, 0.9233459472F, 0.9265112712F,
  151291. 0.9295901680F, 0.9325833632F, 0.9354916263F, 0.9383157705F,
  151292. 0.9410566504F, 0.9437151618F, 0.9462922398F, 0.9487888576F,
  151293. 0.9512060252F, 0.9535447882F, 0.9558062262F, 0.9579914516F,
  151294. 0.9601016078F, 0.9621378683F, 0.9641014348F, 0.9659935361F,
  151295. 0.9678154261F, 0.9695683830F, 0.9712537071F, 0.9728727198F,
  151296. 0.9744267618F, 0.9759171916F, 0.9773453842F, 0.9787127293F,
  151297. 0.9800206298F, 0.9812705006F, 0.9824637665F, 0.9836018613F,
  151298. 0.9846862258F, 0.9857183066F, 0.9866995544F, 0.9876314227F,
  151299. 0.9885153662F, 0.9893528393F, 0.9901452948F, 0.9908941823F,
  151300. 0.9916009470F, 0.9922670279F, 0.9928938570F, 0.9934828574F,
  151301. 0.9940354423F, 0.9945530133F, 0.9950369595F, 0.9954886562F,
  151302. 0.9959094633F, 0.9963007242F, 0.9966637649F, 0.9969998925F,
  151303. 0.9973103939F, 0.9975965351F, 0.9978595598F, 0.9981006885F,
  151304. 0.9983211172F, 0.9985220166F, 0.9987045311F, 0.9988697776F,
  151305. 0.9990188449F, 0.9991527924F, 0.9992726499F, 0.9993794157F,
  151306. 0.9994740570F, 0.9995575079F, 0.9996306699F, 0.9996944099F,
  151307. 0.9997495605F, 0.9997969190F, 0.9998372465F, 0.9998712678F,
  151308. 0.9998996704F, 0.9999231041F, 0.9999421807F, 0.9999574732F,
  151309. 0.9999695157F, 0.9999788026F, 0.9999857885F, 0.9999908879F,
  151310. 0.9999944746F, 0.9999968817F, 0.9999984010F, 0.9999992833F,
  151311. 0.9999997377F, 0.9999999317F, 0.9999999911F, 0.9999999999F,
  151312. };
  151313. static float vwin1024[512] = {
  151314. 0.0000036962F, 0.0000332659F, 0.0000924041F, 0.0001811086F,
  151315. 0.0002993761F, 0.0004472021F, 0.0006245811F, 0.0008315063F,
  151316. 0.0010679699F, 0.0013339631F, 0.0016294757F, 0.0019544965F,
  151317. 0.0023090133F, 0.0026930125F, 0.0031064797F, 0.0035493989F,
  151318. 0.0040217533F, 0.0045235250F, 0.0050546946F, 0.0056152418F,
  151319. 0.0062051451F, 0.0068243817F, 0.0074729278F, 0.0081507582F,
  151320. 0.0088578466F, 0.0095941655F, 0.0103596863F, 0.0111543789F,
  151321. 0.0119782122F, 0.0128311538F, 0.0137131701F, 0.0146242260F,
  151322. 0.0155642855F, 0.0165333111F, 0.0175312640F, 0.0185581042F,
  151323. 0.0196137903F, 0.0206982797F, 0.0218115284F, 0.0229534910F,
  151324. 0.0241241208F, 0.0253233698F, 0.0265511886F, 0.0278075263F,
  151325. 0.0290923308F, 0.0304055484F, 0.0317471241F, 0.0331170013F,
  151326. 0.0345151222F, 0.0359414274F, 0.0373958560F, 0.0388783456F,
  151327. 0.0403888325F, 0.0419272511F, 0.0434935347F, 0.0450876148F,
  151328. 0.0467094213F, 0.0483588828F, 0.0500359261F, 0.0517404765F,
  151329. 0.0534724575F, 0.0552317913F, 0.0570183983F, 0.0588321971F,
  151330. 0.0606731048F, 0.0625410369F, 0.0644359070F, 0.0663576272F,
  151331. 0.0683061077F, 0.0702812571F, 0.0722829821F, 0.0743111878F,
  151332. 0.0763657775F, 0.0784466526F, 0.0805537129F, 0.0826868561F,
  151333. 0.0848459782F, 0.0870309736F, 0.0892417345F, 0.0914781514F,
  151334. 0.0937401128F, 0.0960275056F, 0.0983402145F, 0.1006781223F,
  151335. 0.1030411101F, 0.1054290568F, 0.1078418397F, 0.1102793336F,
  151336. 0.1127414119F, 0.1152279457F, 0.1177388042F, 0.1202738544F,
  151337. 0.1228329618F, 0.1254159892F, 0.1280227980F, 0.1306532471F,
  151338. 0.1333071937F, 0.1359844927F, 0.1386849970F, 0.1414085575F,
  151339. 0.1441550230F, 0.1469242403F, 0.1497160539F, 0.1525303063F,
  151340. 0.1553668381F, 0.1582254875F, 0.1611060909F, 0.1640084822F,
  151341. 0.1669324936F, 0.1698779549F, 0.1728446939F, 0.1758325362F,
  151342. 0.1788413055F, 0.1818708232F, 0.1849209084F, 0.1879913785F,
  151343. 0.1910820485F, 0.1941927312F, 0.1973232376F, 0.2004733764F,
  151344. 0.2036429541F, 0.2068317752F, 0.2100396421F, 0.2132663552F,
  151345. 0.2165117125F, 0.2197755102F, 0.2230575422F, 0.2263576007F,
  151346. 0.2296754753F, 0.2330109540F, 0.2363638225F, 0.2397338646F,
  151347. 0.2431208619F, 0.2465245941F, 0.2499448389F, 0.2533813719F,
  151348. 0.2568339669F, 0.2603023956F, 0.2637864277F, 0.2672858312F,
  151349. 0.2708003718F, 0.2743298135F, 0.2778739186F, 0.2814324472F,
  151350. 0.2850051576F, 0.2885918065F, 0.2921921485F, 0.2958059366F,
  151351. 0.2994329219F, 0.3030728538F, 0.3067254799F, 0.3103905462F,
  151352. 0.3140677969F, 0.3177569747F, 0.3214578205F, 0.3251700736F,
  151353. 0.3288934718F, 0.3326277513F, 0.3363726468F, 0.3401278914F,
  151354. 0.3438932168F, 0.3476683533F, 0.3514530297F, 0.3552469734F,
  151355. 0.3590499106F, 0.3628615659F, 0.3666816630F, 0.3705099239F,
  151356. 0.3743460698F, 0.3781898204F, 0.3820408945F, 0.3858990095F,
  151357. 0.3897638820F, 0.3936352274F, 0.3975127601F, 0.4013961936F,
  151358. 0.4052852405F, 0.4091796123F, 0.4130790198F, 0.4169831732F,
  151359. 0.4208917815F, 0.4248045534F, 0.4287211965F, 0.4326414181F,
  151360. 0.4365649248F, 0.4404914225F, 0.4444206167F, 0.4483522125F,
  151361. 0.4522859146F, 0.4562214270F, 0.4601584538F, 0.4640966984F,
  151362. 0.4680358644F, 0.4719756548F, 0.4759157726F, 0.4798559209F,
  151363. 0.4837958024F, 0.4877351199F, 0.4916735765F, 0.4956108751F,
  151364. 0.4995467188F, 0.5034808109F, 0.5074128550F, 0.5113425550F,
  151365. 0.5152696149F, 0.5191937395F, 0.5231146336F, 0.5270320028F,
  151366. 0.5309455530F, 0.5348549910F, 0.5387600239F, 0.5426603597F,
  151367. 0.5465557070F, 0.5504457754F, 0.5543302752F, 0.5582089175F,
  151368. 0.5620814145F, 0.5659474793F, 0.5698068262F, 0.5736591704F,
  151369. 0.5775042283F, 0.5813417176F, 0.5851713571F, 0.5889928670F,
  151370. 0.5928059689F, 0.5966103856F, 0.6004058415F, 0.6041920626F,
  151371. 0.6079687761F, 0.6117357113F, 0.6154925986F, 0.6192391705F,
  151372. 0.6229751612F, 0.6267003064F, 0.6304143441F, 0.6341170137F,
  151373. 0.6378080569F, 0.6414872173F, 0.6451542405F, 0.6488088741F,
  151374. 0.6524508681F, 0.6560799742F, 0.6596959469F, 0.6632985424F,
  151375. 0.6668875197F, 0.6704626398F, 0.6740236662F, 0.6775703649F,
  151376. 0.6811025043F, 0.6846198554F, 0.6881221916F, 0.6916092892F,
  151377. 0.6950809269F, 0.6985368861F, 0.7019769510F, 0.7054009085F,
  151378. 0.7088085484F, 0.7121996632F, 0.7155740484F, 0.7189315023F,
  151379. 0.7222718263F, 0.7255948245F, 0.7289003043F, 0.7321880760F,
  151380. 0.7354579530F, 0.7387097518F, 0.7419432921F, 0.7451583966F,
  151381. 0.7483548915F, 0.7515326059F, 0.7546913723F, 0.7578310265F,
  151382. 0.7609514077F, 0.7640523581F, 0.7671337237F, 0.7701953535F,
  151383. 0.7732371001F, 0.7762588195F, 0.7792603711F, 0.7822416178F,
  151384. 0.7852024259F, 0.7881426654F, 0.7910622097F, 0.7939609356F,
  151385. 0.7968387237F, 0.7996954579F, 0.8025310261F, 0.8053453193F,
  151386. 0.8081382324F, 0.8109096638F, 0.8136595156F, 0.8163876936F,
  151387. 0.8190941071F, 0.8217786690F, 0.8244412960F, 0.8270819086F,
  151388. 0.8297004305F, 0.8322967896F, 0.8348709171F, 0.8374227481F,
  151389. 0.8399522213F, 0.8424592789F, 0.8449438672F, 0.8474059356F,
  151390. 0.8498454378F, 0.8522623306F, 0.8546565748F, 0.8570281348F,
  151391. 0.8593769787F, 0.8617030779F, 0.8640064080F, 0.8662869477F,
  151392. 0.8685446796F, 0.8707795899F, 0.8729916682F, 0.8751809079F,
  151393. 0.8773473059F, 0.8794908626F, 0.8816115819F, 0.8837094713F,
  151394. 0.8857845418F, 0.8878368079F, 0.8898662874F, 0.8918730019F,
  151395. 0.8938569760F, 0.8958182380F, 0.8977568194F, 0.8996727552F,
  151396. 0.9015660837F, 0.9034368465F, 0.9052850885F, 0.9071108577F,
  151397. 0.9089142057F, 0.9106951869F, 0.9124538591F, 0.9141902832F,
  151398. 0.9159045233F, 0.9175966464F, 0.9192667228F, 0.9209148257F,
  151399. 0.9225410313F, 0.9241454187F, 0.9257280701F, 0.9272890704F,
  151400. 0.9288285075F, 0.9303464720F, 0.9318430576F, 0.9333183603F,
  151401. 0.9347724792F, 0.9362055158F, 0.9376175745F, 0.9390087622F,
  151402. 0.9403791881F, 0.9417289644F, 0.9430582055F, 0.9443670283F,
  151403. 0.9456555521F, 0.9469238986F, 0.9481721917F, 0.9494005577F,
  151404. 0.9506091252F, 0.9517980248F, 0.9529673894F, 0.9541173540F,
  151405. 0.9552480557F, 0.9563596334F, 0.9574522282F, 0.9585259830F,
  151406. 0.9595810428F, 0.9606175542F, 0.9616356656F, 0.9626355274F,
  151407. 0.9636172915F, 0.9645811114F, 0.9655271425F, 0.9664555414F,
  151408. 0.9673664664F, 0.9682600774F, 0.9691365355F, 0.9699960034F,
  151409. 0.9708386448F, 0.9716646250F, 0.9724741103F, 0.9732672685F,
  151410. 0.9740442683F, 0.9748052795F, 0.9755504729F, 0.9762800205F,
  151411. 0.9769940950F, 0.9776928703F, 0.9783765210F, 0.9790452223F,
  151412. 0.9796991504F, 0.9803384823F, 0.9809633954F, 0.9815740679F,
  151413. 0.9821706784F, 0.9827534063F, 0.9833224312F, 0.9838779332F,
  151414. 0.9844200928F, 0.9849490910F, 0.9854651087F, 0.9859683274F,
  151415. 0.9864589286F, 0.9869370940F, 0.9874030054F, 0.9878568447F,
  151416. 0.9882987937F, 0.9887290343F, 0.9891477481F, 0.9895551169F,
  151417. 0.9899513220F, 0.9903365446F, 0.9907109658F, 0.9910747662F,
  151418. 0.9914281260F, 0.9917712252F, 0.9921042433F, 0.9924273593F,
  151419. 0.9927407516F, 0.9930445982F, 0.9933390763F, 0.9936243626F,
  151420. 0.9939006331F, 0.9941680631F, 0.9944268269F, 0.9946770982F,
  151421. 0.9949190498F, 0.9951528537F, 0.9953786808F, 0.9955967011F,
  151422. 0.9958070836F, 0.9960099963F, 0.9962056061F, 0.9963940787F,
  151423. 0.9965755786F, 0.9967502693F, 0.9969183129F, 0.9970798704F,
  151424. 0.9972351013F, 0.9973841640F, 0.9975272151F, 0.9976644103F,
  151425. 0.9977959036F, 0.9979218476F, 0.9980423932F, 0.9981576901F,
  151426. 0.9982678862F, 0.9983731278F, 0.9984735596F, 0.9985693247F,
  151427. 0.9986605645F, 0.9987474186F, 0.9988300248F, 0.9989085193F,
  151428. 0.9989830364F, 0.9990537085F, 0.9991206662F, 0.9991840382F,
  151429. 0.9992439513F, 0.9993005303F, 0.9993538982F, 0.9994041757F,
  151430. 0.9994514817F, 0.9994959330F, 0.9995376444F, 0.9995767286F,
  151431. 0.9996132960F, 0.9996474550F, 0.9996793121F, 0.9997089710F,
  151432. 0.9997365339F, 0.9997621003F, 0.9997857677F, 0.9998076311F,
  151433. 0.9998277836F, 0.9998463156F, 0.9998633155F, 0.9998788692F,
  151434. 0.9998930603F, 0.9999059701F, 0.9999176774F, 0.9999282586F,
  151435. 0.9999377880F, 0.9999463370F, 0.9999539749F, 0.9999607685F,
  151436. 0.9999667820F, 0.9999720773F, 0.9999767136F, 0.9999807479F,
  151437. 0.9999842344F, 0.9999872249F, 0.9999897688F, 0.9999919127F,
  151438. 0.9999937009F, 0.9999951749F, 0.9999963738F, 0.9999973342F,
  151439. 0.9999980900F, 0.9999986724F, 0.9999991103F, 0.9999994297F,
  151440. 0.9999996543F, 0.9999998049F, 0.9999999000F, 0.9999999552F,
  151441. 0.9999999836F, 0.9999999957F, 0.9999999994F, 1.0000000000F,
  151442. };
  151443. static float vwin2048[1024] = {
  151444. 0.0000009241F, 0.0000083165F, 0.0000231014F, 0.0000452785F,
  151445. 0.0000748476F, 0.0001118085F, 0.0001561608F, 0.0002079041F,
  151446. 0.0002670379F, 0.0003335617F, 0.0004074748F, 0.0004887765F,
  151447. 0.0005774661F, 0.0006735427F, 0.0007770054F, 0.0008878533F,
  151448. 0.0010060853F, 0.0011317002F, 0.0012646969F, 0.0014050742F,
  151449. 0.0015528307F, 0.0017079650F, 0.0018704756F, 0.0020403610F,
  151450. 0.0022176196F, 0.0024022497F, 0.0025942495F, 0.0027936173F,
  151451. 0.0030003511F, 0.0032144490F, 0.0034359088F, 0.0036647286F,
  151452. 0.0039009061F, 0.0041444391F, 0.0043953253F, 0.0046535621F,
  151453. 0.0049191472F, 0.0051920781F, 0.0054723520F, 0.0057599664F,
  151454. 0.0060549184F, 0.0063572052F, 0.0066668239F, 0.0069837715F,
  151455. 0.0073080449F, 0.0076396410F, 0.0079785566F, 0.0083247884F,
  151456. 0.0086783330F, 0.0090391871F, 0.0094073470F, 0.0097828092F,
  151457. 0.0101655700F, 0.0105556258F, 0.0109529726F, 0.0113576065F,
  151458. 0.0117695237F, 0.0121887200F, 0.0126151913F, 0.0130489335F,
  151459. 0.0134899422F, 0.0139382130F, 0.0143937415F, 0.0148565233F,
  151460. 0.0153265536F, 0.0158038279F, 0.0162883413F, 0.0167800889F,
  151461. 0.0172790660F, 0.0177852675F, 0.0182986882F, 0.0188193231F,
  151462. 0.0193471668F, 0.0198822141F, 0.0204244594F, 0.0209738974F,
  151463. 0.0215305225F, 0.0220943289F, 0.0226653109F, 0.0232434627F,
  151464. 0.0238287784F, 0.0244212519F, 0.0250208772F, 0.0256276481F,
  151465. 0.0262415582F, 0.0268626014F, 0.0274907711F, 0.0281260608F,
  151466. 0.0287684638F, 0.0294179736F, 0.0300745833F, 0.0307382859F,
  151467. 0.0314090747F, 0.0320869424F, 0.0327718819F, 0.0334638860F,
  151468. 0.0341629474F, 0.0348690586F, 0.0355822122F, 0.0363024004F,
  151469. 0.0370296157F, 0.0377638502F, 0.0385050960F, 0.0392533451F,
  151470. 0.0400085896F, 0.0407708211F, 0.0415400315F, 0.0423162123F,
  151471. 0.0430993552F, 0.0438894515F, 0.0446864926F, 0.0454904698F,
  151472. 0.0463013742F, 0.0471191969F, 0.0479439288F, 0.0487755607F,
  151473. 0.0496140836F, 0.0504594879F, 0.0513117642F, 0.0521709031F,
  151474. 0.0530368949F, 0.0539097297F, 0.0547893979F, 0.0556758894F,
  151475. 0.0565691941F, 0.0574693019F, 0.0583762026F, 0.0592898858F,
  151476. 0.0602103410F, 0.0611375576F, 0.0620715250F, 0.0630122324F,
  151477. 0.0639596688F, 0.0649138234F, 0.0658746848F, 0.0668422421F,
  151478. 0.0678164838F, 0.0687973985F, 0.0697849746F, 0.0707792005F,
  151479. 0.0717800645F, 0.0727875547F, 0.0738016591F, 0.0748223656F,
  151480. 0.0758496620F, 0.0768835359F, 0.0779239751F, 0.0789709668F,
  151481. 0.0800244985F, 0.0810845574F, 0.0821511306F, 0.0832242052F,
  151482. 0.0843037679F, 0.0853898056F, 0.0864823050F, 0.0875812525F,
  151483. 0.0886866347F, 0.0897984378F, 0.0909166480F, 0.0920412513F,
  151484. 0.0931722338F, 0.0943095813F, 0.0954532795F, 0.0966033140F,
  151485. 0.0977596702F, 0.0989223336F, 0.1000912894F, 0.1012665227F,
  151486. 0.1024480185F, 0.1036357616F, 0.1048297369F, 0.1060299290F,
  151487. 0.1072363224F, 0.1084489014F, 0.1096676504F, 0.1108925534F,
  151488. 0.1121235946F, 0.1133607577F, 0.1146040267F, 0.1158533850F,
  151489. 0.1171088163F, 0.1183703040F, 0.1196378312F, 0.1209113812F,
  151490. 0.1221909370F, 0.1234764815F, 0.1247679974F, 0.1260654674F,
  151491. 0.1273688740F, 0.1286781995F, 0.1299934263F, 0.1313145365F,
  151492. 0.1326415121F, 0.1339743349F, 0.1353129866F, 0.1366574490F,
  151493. 0.1380077035F, 0.1393637315F, 0.1407255141F, 0.1420930325F,
  151494. 0.1434662677F, 0.1448452004F, 0.1462298115F, 0.1476200814F,
  151495. 0.1490159906F, 0.1504175195F, 0.1518246482F, 0.1532373569F,
  151496. 0.1546556253F, 0.1560794333F, 0.1575087606F, 0.1589435866F,
  151497. 0.1603838909F, 0.1618296526F, 0.1632808509F, 0.1647374648F,
  151498. 0.1661994731F, 0.1676668546F, 0.1691395880F, 0.1706176516F,
  151499. 0.1721010238F, 0.1735896829F, 0.1750836068F, 0.1765827736F,
  151500. 0.1780871610F, 0.1795967468F, 0.1811115084F, 0.1826314234F,
  151501. 0.1841564689F, 0.1856866221F, 0.1872218600F, 0.1887621595F,
  151502. 0.1903074974F, 0.1918578503F, 0.1934131947F, 0.1949735068F,
  151503. 0.1965387630F, 0.1981089393F, 0.1996840117F, 0.2012639560F,
  151504. 0.2028487479F, 0.2044383630F, 0.2060327766F, 0.2076319642F,
  151505. 0.2092359007F, 0.2108445614F, 0.2124579211F, 0.2140759545F,
  151506. 0.2156986364F, 0.2173259411F, 0.2189578432F, 0.2205943168F,
  151507. 0.2222353361F, 0.2238808751F, 0.2255309076F, 0.2271854073F,
  151508. 0.2288443480F, 0.2305077030F, 0.2321754457F, 0.2338475493F,
  151509. 0.2355239869F, 0.2372047315F, 0.2388897560F, 0.2405790329F,
  151510. 0.2422725350F, 0.2439702347F, 0.2456721043F, 0.2473781159F,
  151511. 0.2490882418F, 0.2508024539F, 0.2525207240F, 0.2542430237F,
  151512. 0.2559693248F, 0.2576995986F, 0.2594338166F, 0.2611719498F,
  151513. 0.2629139695F, 0.2646598466F, 0.2664095520F, 0.2681630564F,
  151514. 0.2699203304F, 0.2716813445F, 0.2734460691F, 0.2752144744F,
  151515. 0.2769865307F, 0.2787622079F, 0.2805414760F, 0.2823243047F,
  151516. 0.2841106637F, 0.2859005227F, 0.2876938509F, 0.2894906179F,
  151517. 0.2912907928F, 0.2930943447F, 0.2949012426F, 0.2967114554F,
  151518. 0.2985249520F, 0.3003417009F, 0.3021616708F, 0.3039848301F,
  151519. 0.3058111471F, 0.3076405901F, 0.3094731273F, 0.3113087266F,
  151520. 0.3131473560F, 0.3149889833F, 0.3168335762F, 0.3186811024F,
  151521. 0.3205315294F, 0.3223848245F, 0.3242409552F, 0.3260998886F,
  151522. 0.3279615918F, 0.3298260319F, 0.3316931758F, 0.3335629903F,
  151523. 0.3354354423F, 0.3373104982F, 0.3391881247F, 0.3410682882F,
  151524. 0.3429509551F, 0.3448360917F, 0.3467236642F, 0.3486136387F,
  151525. 0.3505059811F, 0.3524006575F, 0.3542976336F, 0.3561968753F,
  151526. 0.3580983482F, 0.3600020179F, 0.3619078499F, 0.3638158096F,
  151527. 0.3657258625F, 0.3676379737F, 0.3695521086F, 0.3714682321F,
  151528. 0.3733863094F, 0.3753063055F, 0.3772281852F, 0.3791519134F,
  151529. 0.3810774548F, 0.3830047742F, 0.3849338362F, 0.3868646053F,
  151530. 0.3887970459F, 0.3907311227F, 0.3926667998F, 0.3946040417F,
  151531. 0.3965428125F, 0.3984830765F, 0.4004247978F, 0.4023679403F,
  151532. 0.4043124683F, 0.4062583455F, 0.4082055359F, 0.4101540034F,
  151533. 0.4121037117F, 0.4140546246F, 0.4160067058F, 0.4179599190F,
  151534. 0.4199142277F, 0.4218695956F, 0.4238259861F, 0.4257833627F,
  151535. 0.4277416888F, 0.4297009279F, 0.4316610433F, 0.4336219983F,
  151536. 0.4355837562F, 0.4375462803F, 0.4395095337F, 0.4414734797F,
  151537. 0.4434380815F, 0.4454033021F, 0.4473691046F, 0.4493354521F,
  151538. 0.4513023078F, 0.4532696345F, 0.4552373954F, 0.4572055533F,
  151539. 0.4591740713F, 0.4611429123F, 0.4631120393F, 0.4650814151F,
  151540. 0.4670510028F, 0.4690207650F, 0.4709906649F, 0.4729606651F,
  151541. 0.4749307287F, 0.4769008185F, 0.4788708972F, 0.4808409279F,
  151542. 0.4828108732F, 0.4847806962F, 0.4867503597F, 0.4887198264F,
  151543. 0.4906890593F, 0.4926580213F, 0.4946266753F, 0.4965949840F,
  151544. 0.4985629105F, 0.5005304176F, 0.5024974683F, 0.5044640255F,
  151545. 0.5064300522F, 0.5083955114F, 0.5103603659F, 0.5123245790F,
  151546. 0.5142881136F, 0.5162509328F, 0.5182129997F, 0.5201742774F,
  151547. 0.5221347290F, 0.5240943178F, 0.5260530070F, 0.5280107598F,
  151548. 0.5299675395F, 0.5319233095F, 0.5338780330F, 0.5358316736F,
  151549. 0.5377841946F, 0.5397355596F, 0.5416857320F, 0.5436346755F,
  151550. 0.5455823538F, 0.5475287304F, 0.5494737691F, 0.5514174337F,
  151551. 0.5533596881F, 0.5553004962F, 0.5572398218F, 0.5591776291F,
  151552. 0.5611138821F, 0.5630485449F, 0.5649815818F, 0.5669129570F,
  151553. 0.5688426349F, 0.5707705799F, 0.5726967564F, 0.5746211290F,
  151554. 0.5765436624F, 0.5784643212F, 0.5803830702F, 0.5822998743F,
  151555. 0.5842146984F, 0.5861275076F, 0.5880382669F, 0.5899469416F,
  151556. 0.5918534968F, 0.5937578981F, 0.5956601107F, 0.5975601004F,
  151557. 0.5994578326F, 0.6013532732F, 0.6032463880F, 0.6051371429F,
  151558. 0.6070255039F, 0.6089114372F, 0.6107949090F, 0.6126758856F,
  151559. 0.6145543334F, 0.6164302191F, 0.6183035092F, 0.6201741706F,
  151560. 0.6220421700F, 0.6239074745F, 0.6257700513F, 0.6276298674F,
  151561. 0.6294868903F, 0.6313410873F, 0.6331924262F, 0.6350408745F,
  151562. 0.6368864001F, 0.6387289710F, 0.6405685552F, 0.6424051209F,
  151563. 0.6442386364F, 0.6460690702F, 0.6478963910F, 0.6497205673F,
  151564. 0.6515415682F, 0.6533593625F, 0.6551739194F, 0.6569852082F,
  151565. 0.6587931984F, 0.6605978593F, 0.6623991609F, 0.6641970728F,
  151566. 0.6659915652F, 0.6677826081F, 0.6695701718F, 0.6713542268F,
  151567. 0.6731347437F, 0.6749116932F, 0.6766850461F, 0.6784547736F,
  151568. 0.6802208469F, 0.6819832374F, 0.6837419164F, 0.6854968559F,
  151569. 0.6872480275F, 0.6889954034F, 0.6907389556F, 0.6924786566F,
  151570. 0.6942144788F, 0.6959463950F, 0.6976743780F, 0.6993984008F,
  151571. 0.7011184365F, 0.7028344587F, 0.7045464407F, 0.7062543564F,
  151572. 0.7079581796F, 0.7096578844F, 0.7113534450F, 0.7130448359F,
  151573. 0.7147320316F, 0.7164150070F, 0.7180937371F, 0.7197681970F,
  151574. 0.7214383620F, 0.7231042077F, 0.7247657098F, 0.7264228443F,
  151575. 0.7280755871F, 0.7297239147F, 0.7313678035F, 0.7330072301F,
  151576. 0.7346421715F, 0.7362726046F, 0.7378985069F, 0.7395198556F,
  151577. 0.7411366285F, 0.7427488034F, 0.7443563584F, 0.7459592717F,
  151578. 0.7475575218F, 0.7491510873F, 0.7507399471F, 0.7523240803F,
  151579. 0.7539034661F, 0.7554780839F, 0.7570479136F, 0.7586129349F,
  151580. 0.7601731279F, 0.7617284730F, 0.7632789506F, 0.7648245416F,
  151581. 0.7663652267F, 0.7679009872F, 0.7694318044F, 0.7709576599F,
  151582. 0.7724785354F, 0.7739944130F, 0.7755052749F, 0.7770111035F,
  151583. 0.7785118815F, 0.7800075916F, 0.7814982170F, 0.7829837410F,
  151584. 0.7844641472F, 0.7859394191F, 0.7874095408F, 0.7888744965F,
  151585. 0.7903342706F, 0.7917888476F, 0.7932382124F, 0.7946823501F,
  151586. 0.7961212460F, 0.7975548855F, 0.7989832544F, 0.8004063386F,
  151587. 0.8018241244F, 0.8032365981F, 0.8046437463F, 0.8060455560F,
  151588. 0.8074420141F, 0.8088331080F, 0.8102188253F, 0.8115991536F,
  151589. 0.8129740810F, 0.8143435957F, 0.8157076861F, 0.8170663409F,
  151590. 0.8184195489F, 0.8197672994F, 0.8211095817F, 0.8224463853F,
  151591. 0.8237777001F, 0.8251035161F, 0.8264238235F, 0.8277386129F,
  151592. 0.8290478750F, 0.8303516008F, 0.8316497814F, 0.8329424083F,
  151593. 0.8342294731F, 0.8355109677F, 0.8367868841F, 0.8380572148F,
  151594. 0.8393219523F, 0.8405810893F, 0.8418346190F, 0.8430825345F,
  151595. 0.8443248294F, 0.8455614974F, 0.8467925323F, 0.8480179285F,
  151596. 0.8492376802F, 0.8504517822F, 0.8516602292F, 0.8528630164F,
  151597. 0.8540601391F, 0.8552515928F, 0.8564373733F, 0.8576174766F,
  151598. 0.8587918990F, 0.8599606368F, 0.8611236868F, 0.8622810460F,
  151599. 0.8634327113F, 0.8645786802F, 0.8657189504F, 0.8668535195F,
  151600. 0.8679823857F, 0.8691055472F, 0.8702230025F, 0.8713347503F,
  151601. 0.8724407896F, 0.8735411194F, 0.8746357394F, 0.8757246489F,
  151602. 0.8768078479F, 0.8778853364F, 0.8789571146F, 0.8800231832F,
  151603. 0.8810835427F, 0.8821381942F, 0.8831871387F, 0.8842303777F,
  151604. 0.8852679127F, 0.8862997456F, 0.8873258784F, 0.8883463132F,
  151605. 0.8893610527F, 0.8903700994F, 0.8913734562F, 0.8923711263F,
  151606. 0.8933631129F, 0.8943494196F, 0.8953300500F, 0.8963050083F,
  151607. 0.8972742985F, 0.8982379249F, 0.8991958922F, 0.9001482052F,
  151608. 0.9010948688F, 0.9020358883F, 0.9029712690F, 0.9039010165F,
  151609. 0.9048251367F, 0.9057436357F, 0.9066565195F, 0.9075637946F,
  151610. 0.9084654678F, 0.9093615456F, 0.9102520353F, 0.9111369440F,
  151611. 0.9120162792F, 0.9128900484F, 0.9137582595F, 0.9146209204F,
  151612. 0.9154780394F, 0.9163296248F, 0.9171756853F, 0.9180162296F,
  151613. 0.9188512667F, 0.9196808057F, 0.9205048559F, 0.9213234270F,
  151614. 0.9221365285F, 0.9229441704F, 0.9237463629F, 0.9245431160F,
  151615. 0.9253344404F, 0.9261203465F, 0.9269008453F, 0.9276759477F,
  151616. 0.9284456648F, 0.9292100080F, 0.9299689889F, 0.9307226190F,
  151617. 0.9314709103F, 0.9322138747F, 0.9329515245F, 0.9336838721F,
  151618. 0.9344109300F, 0.9351327108F, 0.9358492275F, 0.9365604931F,
  151619. 0.9372665208F, 0.9379673239F, 0.9386629160F, 0.9393533107F,
  151620. 0.9400385220F, 0.9407185637F, 0.9413934501F, 0.9420631954F,
  151621. 0.9427278141F, 0.9433873208F, 0.9440417304F, 0.9446910576F,
  151622. 0.9453353176F, 0.9459745255F, 0.9466086968F, 0.9472378469F,
  151623. 0.9478619915F, 0.9484811463F, 0.9490953274F, 0.9497045506F,
  151624. 0.9503088323F, 0.9509081888F, 0.9515026365F, 0.9520921921F,
  151625. 0.9526768723F, 0.9532566940F, 0.9538316742F, 0.9544018300F,
  151626. 0.9549671786F, 0.9555277375F, 0.9560835241F, 0.9566345562F,
  151627. 0.9571808513F, 0.9577224275F, 0.9582593027F, 0.9587914949F,
  151628. 0.9593190225F, 0.9598419038F, 0.9603601571F, 0.9608738012F,
  151629. 0.9613828546F, 0.9618873361F, 0.9623872646F, 0.9628826591F,
  151630. 0.9633735388F, 0.9638599227F, 0.9643418303F, 0.9648192808F,
  151631. 0.9652922939F, 0.9657608890F, 0.9662250860F, 0.9666849046F,
  151632. 0.9671403646F, 0.9675914861F, 0.9680382891F, 0.9684807937F,
  151633. 0.9689190202F, 0.9693529890F, 0.9697827203F, 0.9702082347F,
  151634. 0.9706295529F, 0.9710466953F, 0.9714596828F, 0.9718685362F,
  151635. 0.9722732762F, 0.9726739240F, 0.9730705005F, 0.9734630267F,
  151636. 0.9738515239F, 0.9742360134F, 0.9746165163F, 0.9749930540F,
  151637. 0.9753656481F, 0.9757343198F, 0.9760990909F, 0.9764599829F,
  151638. 0.9768170175F, 0.9771702164F, 0.9775196013F, 0.9778651941F,
  151639. 0.9782070167F, 0.9785450909F, 0.9788794388F, 0.9792100824F,
  151640. 0.9795370437F, 0.9798603449F, 0.9801800080F, 0.9804960554F,
  151641. 0.9808085092F, 0.9811173916F, 0.9814227251F, 0.9817245318F,
  151642. 0.9820228343F, 0.9823176549F, 0.9826090160F, 0.9828969402F,
  151643. 0.9831814498F, 0.9834625674F, 0.9837403156F, 0.9840147169F,
  151644. 0.9842857939F, 0.9845535692F, 0.9848180654F, 0.9850793052F,
  151645. 0.9853373113F, 0.9855921062F, 0.9858437127F, 0.9860921535F,
  151646. 0.9863374512F, 0.9865796287F, 0.9868187085F, 0.9870547136F,
  151647. 0.9872876664F, 0.9875175899F, 0.9877445067F, 0.9879684396F,
  151648. 0.9881894112F, 0.9884074444F, 0.9886225619F, 0.9888347863F,
  151649. 0.9890441404F, 0.9892506468F, 0.9894543284F, 0.9896552077F,
  151650. 0.9898533074F, 0.9900486502F, 0.9902412587F, 0.9904311555F,
  151651. 0.9906183633F, 0.9908029045F, 0.9909848019F, 0.9911640779F,
  151652. 0.9913407550F, 0.9915148557F, 0.9916864025F, 0.9918554179F,
  151653. 0.9920219241F, 0.9921859437F, 0.9923474989F, 0.9925066120F,
  151654. 0.9926633054F, 0.9928176012F, 0.9929695218F, 0.9931190891F,
  151655. 0.9932663254F, 0.9934112527F, 0.9935538932F, 0.9936942686F,
  151656. 0.9938324012F, 0.9939683126F, 0.9941020248F, 0.9942335597F,
  151657. 0.9943629388F, 0.9944901841F, 0.9946153170F, 0.9947383593F,
  151658. 0.9948593325F, 0.9949782579F, 0.9950951572F, 0.9952100516F,
  151659. 0.9953229625F, 0.9954339111F, 0.9955429186F, 0.9956500062F,
  151660. 0.9957551948F, 0.9958585056F, 0.9959599593F, 0.9960595769F,
  151661. 0.9961573792F, 0.9962533869F, 0.9963476206F, 0.9964401009F,
  151662. 0.9965308483F, 0.9966198833F, 0.9967072261F, 0.9967928971F,
  151663. 0.9968769164F, 0.9969593041F, 0.9970400804F, 0.9971192651F,
  151664. 0.9971968781F, 0.9972729391F, 0.9973474680F, 0.9974204842F,
  151665. 0.9974920074F, 0.9975620569F, 0.9976306521F, 0.9976978122F,
  151666. 0.9977635565F, 0.9978279039F, 0.9978908736F, 0.9979524842F,
  151667. 0.9980127547F, 0.9980717037F, 0.9981293499F, 0.9981857116F,
  151668. 0.9982408073F, 0.9982946554F, 0.9983472739F, 0.9983986810F,
  151669. 0.9984488947F, 0.9984979328F, 0.9985458132F, 0.9985925534F,
  151670. 0.9986381711F, 0.9986826838F, 0.9987261086F, 0.9987684630F,
  151671. 0.9988097640F, 0.9988500286F, 0.9988892738F, 0.9989275163F,
  151672. 0.9989647727F, 0.9990010597F, 0.9990363938F, 0.9990707911F,
  151673. 0.9991042679F, 0.9991368404F, 0.9991685244F, 0.9991993358F,
  151674. 0.9992292905F, 0.9992584038F, 0.9992866914F, 0.9993141686F,
  151675. 0.9993408506F, 0.9993667526F, 0.9993918895F, 0.9994162761F,
  151676. 0.9994399273F, 0.9994628576F, 0.9994850815F, 0.9995066133F,
  151677. 0.9995274672F, 0.9995476574F, 0.9995671978F, 0.9995861021F,
  151678. 0.9996043841F, 0.9996220573F, 0.9996391352F, 0.9996556310F,
  151679. 0.9996715579F, 0.9996869288F, 0.9997017568F, 0.9997160543F,
  151680. 0.9997298342F, 0.9997431088F, 0.9997558905F, 0.9997681914F,
  151681. 0.9997800236F, 0.9997913990F, 0.9998023292F, 0.9998128261F,
  151682. 0.9998229009F, 0.9998325650F, 0.9998418296F, 0.9998507058F,
  151683. 0.9998592044F, 0.9998673362F, 0.9998751117F, 0.9998825415F,
  151684. 0.9998896358F, 0.9998964047F, 0.9999028584F, 0.9999090066F,
  151685. 0.9999148590F, 0.9999204253F, 0.9999257148F, 0.9999307368F,
  151686. 0.9999355003F, 0.9999400144F, 0.9999442878F, 0.9999483293F,
  151687. 0.9999521472F, 0.9999557499F, 0.9999591457F, 0.9999623426F,
  151688. 0.9999653483F, 0.9999681708F, 0.9999708175F, 0.9999732959F,
  151689. 0.9999756132F, 0.9999777765F, 0.9999797928F, 0.9999816688F,
  151690. 0.9999834113F, 0.9999850266F, 0.9999865211F, 0.9999879009F,
  151691. 0.9999891721F, 0.9999903405F, 0.9999914118F, 0.9999923914F,
  151692. 0.9999932849F, 0.9999940972F, 0.9999948336F, 0.9999954989F,
  151693. 0.9999960978F, 0.9999966349F, 0.9999971146F, 0.9999975411F,
  151694. 0.9999979185F, 0.9999982507F, 0.9999985414F, 0.9999987944F,
  151695. 0.9999990129F, 0.9999992003F, 0.9999993596F, 0.9999994939F,
  151696. 0.9999996059F, 0.9999996981F, 0.9999997732F, 0.9999998333F,
  151697. 0.9999998805F, 0.9999999170F, 0.9999999444F, 0.9999999643F,
  151698. 0.9999999784F, 0.9999999878F, 0.9999999937F, 0.9999999972F,
  151699. 0.9999999990F, 0.9999999997F, 1.0000000000F, 1.0000000000F,
  151700. };
  151701. static float vwin4096[2048] = {
  151702. 0.0000002310F, 0.0000020791F, 0.0000057754F, 0.0000113197F,
  151703. 0.0000187121F, 0.0000279526F, 0.0000390412F, 0.0000519777F,
  151704. 0.0000667623F, 0.0000833949F, 0.0001018753F, 0.0001222036F,
  151705. 0.0001443798F, 0.0001684037F, 0.0001942754F, 0.0002219947F,
  151706. 0.0002515616F, 0.0002829761F, 0.0003162380F, 0.0003513472F,
  151707. 0.0003883038F, 0.0004271076F, 0.0004677584F, 0.0005102563F,
  151708. 0.0005546011F, 0.0006007928F, 0.0006488311F, 0.0006987160F,
  151709. 0.0007504474F, 0.0008040251F, 0.0008594490F, 0.0009167191F,
  151710. 0.0009758351F, 0.0010367969F, 0.0010996044F, 0.0011642574F,
  151711. 0.0012307558F, 0.0012990994F, 0.0013692880F, 0.0014413216F,
  151712. 0.0015151998F, 0.0015909226F, 0.0016684898F, 0.0017479011F,
  151713. 0.0018291565F, 0.0019122556F, 0.0019971983F, 0.0020839845F,
  151714. 0.0021726138F, 0.0022630861F, 0.0023554012F, 0.0024495588F,
  151715. 0.0025455588F, 0.0026434008F, 0.0027430847F, 0.0028446103F,
  151716. 0.0029479772F, 0.0030531853F, 0.0031602342F, 0.0032691238F,
  151717. 0.0033798538F, 0.0034924239F, 0.0036068338F, 0.0037230833F,
  151718. 0.0038411721F, 0.0039610999F, 0.0040828664F, 0.0042064714F,
  151719. 0.0043319145F, 0.0044591954F, 0.0045883139F, 0.0047192696F,
  151720. 0.0048520622F, 0.0049866914F, 0.0051231569F, 0.0052614583F,
  151721. 0.0054015953F, 0.0055435676F, 0.0056873748F, 0.0058330166F,
  151722. 0.0059804926F, 0.0061298026F, 0.0062809460F, 0.0064339226F,
  151723. 0.0065887320F, 0.0067453738F, 0.0069038476F, 0.0070641531F,
  151724. 0.0072262899F, 0.0073902575F, 0.0075560556F, 0.0077236838F,
  151725. 0.0078931417F, 0.0080644288F, 0.0082375447F, 0.0084124891F,
  151726. 0.0085892615F, 0.0087678614F, 0.0089482885F, 0.0091305422F,
  151727. 0.0093146223F, 0.0095005281F, 0.0096882592F, 0.0098778153F,
  151728. 0.0100691958F, 0.0102624002F, 0.0104574281F, 0.0106542791F,
  151729. 0.0108529525F, 0.0110534480F, 0.0112557651F, 0.0114599032F,
  151730. 0.0116658618F, 0.0118736405F, 0.0120832387F, 0.0122946560F,
  151731. 0.0125078917F, 0.0127229454F, 0.0129398166F, 0.0131585046F,
  151732. 0.0133790090F, 0.0136013292F, 0.0138254647F, 0.0140514149F,
  151733. 0.0142791792F, 0.0145087572F, 0.0147401481F, 0.0149733515F,
  151734. 0.0152083667F, 0.0154451932F, 0.0156838304F, 0.0159242777F,
  151735. 0.0161665345F, 0.0164106001F, 0.0166564741F, 0.0169041557F,
  151736. 0.0171536443F, 0.0174049393F, 0.0176580401F, 0.0179129461F,
  151737. 0.0181696565F, 0.0184281708F, 0.0186884883F, 0.0189506084F,
  151738. 0.0192145303F, 0.0194802535F, 0.0197477772F, 0.0200171008F,
  151739. 0.0202882236F, 0.0205611449F, 0.0208358639F, 0.0211123801F,
  151740. 0.0213906927F, 0.0216708011F, 0.0219527043F, 0.0222364019F,
  151741. 0.0225218930F, 0.0228091769F, 0.0230982529F, 0.0233891203F,
  151742. 0.0236817782F, 0.0239762259F, 0.0242724628F, 0.0245704880F,
  151743. 0.0248703007F, 0.0251719002F, 0.0254752858F, 0.0257804565F,
  151744. 0.0260874117F, 0.0263961506F, 0.0267066722F, 0.0270189760F,
  151745. 0.0273330609F, 0.0276489263F, 0.0279665712F, 0.0282859949F,
  151746. 0.0286071966F, 0.0289301753F, 0.0292549303F, 0.0295814607F,
  151747. 0.0299097656F, 0.0302398442F, 0.0305716957F, 0.0309053191F,
  151748. 0.0312407135F, 0.0315778782F, 0.0319168122F, 0.0322575145F,
  151749. 0.0325999844F, 0.0329442209F, 0.0332902231F, 0.0336379900F,
  151750. 0.0339875208F, 0.0343388146F, 0.0346918703F, 0.0350466871F,
  151751. 0.0354032640F, 0.0357616000F, 0.0361216943F, 0.0364835458F,
  151752. 0.0368471535F, 0.0372125166F, 0.0375796339F, 0.0379485046F,
  151753. 0.0383191276F, 0.0386915020F, 0.0390656267F, 0.0394415008F,
  151754. 0.0398191231F, 0.0401984927F, 0.0405796086F, 0.0409624698F,
  151755. 0.0413470751F, 0.0417334235F, 0.0421215141F, 0.0425113457F,
  151756. 0.0429029172F, 0.0432962277F, 0.0436912760F, 0.0440880610F,
  151757. 0.0444865817F, 0.0448868370F, 0.0452888257F, 0.0456925468F,
  151758. 0.0460979992F, 0.0465051816F, 0.0469140931F, 0.0473247325F,
  151759. 0.0477370986F, 0.0481511902F, 0.0485670064F, 0.0489845458F,
  151760. 0.0494038074F, 0.0498247899F, 0.0502474922F, 0.0506719131F,
  151761. 0.0510980514F, 0.0515259060F, 0.0519554756F, 0.0523867590F,
  151762. 0.0528197550F, 0.0532544624F, 0.0536908800F, 0.0541290066F,
  151763. 0.0545688408F, 0.0550103815F, 0.0554536274F, 0.0558985772F,
  151764. 0.0563452297F, 0.0567935837F, 0.0572436377F, 0.0576953907F,
  151765. 0.0581488412F, 0.0586039880F, 0.0590608297F, 0.0595193651F,
  151766. 0.0599795929F, 0.0604415117F, 0.0609051202F, 0.0613704170F,
  151767. 0.0618374009F, 0.0623060704F, 0.0627764243F, 0.0632484611F,
  151768. 0.0637221795F, 0.0641975781F, 0.0646746555F, 0.0651534104F,
  151769. 0.0656338413F, 0.0661159469F, 0.0665997257F, 0.0670851763F,
  151770. 0.0675722973F, 0.0680610873F, 0.0685515448F, 0.0690436684F,
  151771. 0.0695374567F, 0.0700329081F, 0.0705300213F, 0.0710287947F,
  151772. 0.0715292269F, 0.0720313163F, 0.0725350616F, 0.0730404612F,
  151773. 0.0735475136F, 0.0740562172F, 0.0745665707F, 0.0750785723F,
  151774. 0.0755922207F, 0.0761075143F, 0.0766244515F, 0.0771430307F,
  151775. 0.0776632505F, 0.0781851092F, 0.0787086052F, 0.0792337371F,
  151776. 0.0797605032F, 0.0802889018F, 0.0808189315F, 0.0813505905F,
  151777. 0.0818838773F, 0.0824187903F, 0.0829553277F, 0.0834934881F,
  151778. 0.0840332697F, 0.0845746708F, 0.0851176899F, 0.0856623252F,
  151779. 0.0862085751F, 0.0867564379F, 0.0873059119F, 0.0878569954F,
  151780. 0.0884096867F, 0.0889639840F, 0.0895198858F, 0.0900773902F,
  151781. 0.0906364955F, 0.0911972000F, 0.0917595019F, 0.0923233995F,
  151782. 0.0928888909F, 0.0934559745F, 0.0940246485F, 0.0945949110F,
  151783. 0.0951667604F, 0.0957401946F, 0.0963152121F, 0.0968918109F,
  151784. 0.0974699893F, 0.0980497454F, 0.0986310773F, 0.0992139832F,
  151785. 0.0997984614F, 0.1003845098F, 0.1009721267F, 0.1015613101F,
  151786. 0.1021520582F, 0.1027443692F, 0.1033382410F, 0.1039336718F,
  151787. 0.1045306597F, 0.1051292027F, 0.1057292990F, 0.1063309466F,
  151788. 0.1069341435F, 0.1075388878F, 0.1081451776F, 0.1087530108F,
  151789. 0.1093623856F, 0.1099732998F, 0.1105857516F, 0.1111997389F,
  151790. 0.1118152597F, 0.1124323121F, 0.1130508939F, 0.1136710032F,
  151791. 0.1142926379F, 0.1149157960F, 0.1155404755F, 0.1161666742F,
  151792. 0.1167943901F, 0.1174236211F, 0.1180543652F, 0.1186866202F,
  151793. 0.1193203841F, 0.1199556548F, 0.1205924300F, 0.1212307078F,
  151794. 0.1218704860F, 0.1225117624F, 0.1231545349F, 0.1237988013F,
  151795. 0.1244445596F, 0.1250918074F, 0.1257405427F, 0.1263907632F,
  151796. 0.1270424667F, 0.1276956512F, 0.1283503142F, 0.1290064537F,
  151797. 0.1296640674F, 0.1303231530F, 0.1309837084F, 0.1316457312F,
  151798. 0.1323092193F, 0.1329741703F, 0.1336405820F, 0.1343084520F,
  151799. 0.1349777782F, 0.1356485582F, 0.1363207897F, 0.1369944704F,
  151800. 0.1376695979F, 0.1383461700F, 0.1390241842F, 0.1397036384F,
  151801. 0.1403845300F, 0.1410668567F, 0.1417506162F, 0.1424358061F,
  151802. 0.1431224240F, 0.1438104674F, 0.1444999341F, 0.1451908216F,
  151803. 0.1458831274F, 0.1465768492F, 0.1472719844F, 0.1479685308F,
  151804. 0.1486664857F, 0.1493658468F, 0.1500666115F, 0.1507687775F,
  151805. 0.1514723422F, 0.1521773031F, 0.1528836577F, 0.1535914035F,
  151806. 0.1543005380F, 0.1550110587F, 0.1557229631F, 0.1564362485F,
  151807. 0.1571509124F, 0.1578669524F, 0.1585843657F, 0.1593031499F,
  151808. 0.1600233024F, 0.1607448205F, 0.1614677017F, 0.1621919433F,
  151809. 0.1629175428F, 0.1636444975F, 0.1643728047F, 0.1651024619F,
  151810. 0.1658334665F, 0.1665658156F, 0.1672995067F, 0.1680345371F,
  151811. 0.1687709041F, 0.1695086050F, 0.1702476372F, 0.1709879978F,
  151812. 0.1717296843F, 0.1724726938F, 0.1732170237F, 0.1739626711F,
  151813. 0.1747096335F, 0.1754579079F, 0.1762074916F, 0.1769583819F,
  151814. 0.1777105760F, 0.1784640710F, 0.1792188642F, 0.1799749529F,
  151815. 0.1807323340F, 0.1814910049F, 0.1822509628F, 0.1830122046F,
  151816. 0.1837747277F, 0.1845385292F, 0.1853036062F, 0.1860699558F,
  151817. 0.1868375751F, 0.1876064613F, 0.1883766114F, 0.1891480226F,
  151818. 0.1899206919F, 0.1906946164F, 0.1914697932F, 0.1922462194F,
  151819. 0.1930238919F, 0.1938028079F, 0.1945829643F, 0.1953643583F,
  151820. 0.1961469868F, 0.1969308468F, 0.1977159353F, 0.1985022494F,
  151821. 0.1992897859F, 0.2000785420F, 0.2008685145F, 0.2016597005F,
  151822. 0.2024520968F, 0.2032457005F, 0.2040405084F, 0.2048365175F,
  151823. 0.2056337247F, 0.2064321269F, 0.2072317211F, 0.2080325041F,
  151824. 0.2088344727F, 0.2096376240F, 0.2104419547F, 0.2112474618F,
  151825. 0.2120541420F, 0.2128619923F, 0.2136710094F, 0.2144811902F,
  151826. 0.2152925315F, 0.2161050301F, 0.2169186829F, 0.2177334866F,
  151827. 0.2185494381F, 0.2193665340F, 0.2201847712F, 0.2210041465F,
  151828. 0.2218246565F, 0.2226462981F, 0.2234690680F, 0.2242929629F,
  151829. 0.2251179796F, 0.2259441147F, 0.2267713650F, 0.2275997272F,
  151830. 0.2284291979F, 0.2292597739F, 0.2300914518F, 0.2309242283F,
  151831. 0.2317581001F, 0.2325930638F, 0.2334291160F, 0.2342662534F,
  151832. 0.2351044727F, 0.2359437703F, 0.2367841431F, 0.2376255875F,
  151833. 0.2384681001F, 0.2393116776F, 0.2401563165F, 0.2410020134F,
  151834. 0.2418487649F, 0.2426965675F, 0.2435454178F, 0.2443953122F,
  151835. 0.2452462474F, 0.2460982199F, 0.2469512262F, 0.2478052628F,
  151836. 0.2486603262F, 0.2495164129F, 0.2503735194F, 0.2512316421F,
  151837. 0.2520907776F, 0.2529509222F, 0.2538120726F, 0.2546742250F,
  151838. 0.2555373760F, 0.2564015219F, 0.2572666593F, 0.2581327845F,
  151839. 0.2589998939F, 0.2598679840F, 0.2607370510F, 0.2616070916F,
  151840. 0.2624781019F, 0.2633500783F, 0.2642230173F, 0.2650969152F,
  151841. 0.2659717684F, 0.2668475731F, 0.2677243257F, 0.2686020226F,
  151842. 0.2694806601F, 0.2703602344F, 0.2712407419F, 0.2721221789F,
  151843. 0.2730045417F, 0.2738878265F, 0.2747720297F, 0.2756571474F,
  151844. 0.2765431760F, 0.2774301117F, 0.2783179508F, 0.2792066895F,
  151845. 0.2800963240F, 0.2809868505F, 0.2818782654F, 0.2827705647F,
  151846. 0.2836637447F, 0.2845578016F, 0.2854527315F, 0.2863485307F,
  151847. 0.2872451953F, 0.2881427215F, 0.2890411055F, 0.2899403433F,
  151848. 0.2908404312F, 0.2917413654F, 0.2926431418F, 0.2935457567F,
  151849. 0.2944492061F, 0.2953534863F, 0.2962585932F, 0.2971645230F,
  151850. 0.2980712717F, 0.2989788356F, 0.2998872105F, 0.3007963927F,
  151851. 0.3017063781F, 0.3026171629F, 0.3035287430F, 0.3044411145F,
  151852. 0.3053542736F, 0.3062682161F, 0.3071829381F, 0.3080984356F,
  151853. 0.3090147047F, 0.3099317413F, 0.3108495414F, 0.3117681011F,
  151854. 0.3126874163F, 0.3136074830F, 0.3145282972F, 0.3154498548F,
  151855. 0.3163721517F, 0.3172951841F, 0.3182189477F, 0.3191434385F,
  151856. 0.3200686525F, 0.3209945856F, 0.3219212336F, 0.3228485927F,
  151857. 0.3237766585F, 0.3247054271F, 0.3256348943F, 0.3265650560F,
  151858. 0.3274959081F, 0.3284274465F, 0.3293596671F, 0.3302925657F,
  151859. 0.3312261382F, 0.3321603804F, 0.3330952882F, 0.3340308574F,
  151860. 0.3349670838F, 0.3359039634F, 0.3368414919F, 0.3377796651F,
  151861. 0.3387184789F, 0.3396579290F, 0.3405980113F, 0.3415387216F,
  151862. 0.3424800556F, 0.3434220091F, 0.3443645779F, 0.3453077578F,
  151863. 0.3462515446F, 0.3471959340F, 0.3481409217F, 0.3490865036F,
  151864. 0.3500326754F, 0.3509794328F, 0.3519267715F, 0.3528746873F,
  151865. 0.3538231759F, 0.3547722330F, 0.3557218544F, 0.3566720357F,
  151866. 0.3576227727F, 0.3585740610F, 0.3595258964F, 0.3604782745F,
  151867. 0.3614311910F, 0.3623846417F, 0.3633386221F, 0.3642931280F,
  151868. 0.3652481549F, 0.3662036987F, 0.3671597548F, 0.3681163191F,
  151869. 0.3690733870F, 0.3700309544F, 0.3709890167F, 0.3719475696F,
  151870. 0.3729066089F, 0.3738661299F, 0.3748261285F, 0.3757866002F,
  151871. 0.3767475406F, 0.3777089453F, 0.3786708100F, 0.3796331302F,
  151872. 0.3805959014F, 0.3815591194F, 0.3825227796F, 0.3834868777F,
  151873. 0.3844514093F, 0.3854163698F, 0.3863817549F, 0.3873475601F,
  151874. 0.3883137810F, 0.3892804131F, 0.3902474521F, 0.3912148933F,
  151875. 0.3921827325F, 0.3931509650F, 0.3941195865F, 0.3950885925F,
  151876. 0.3960579785F, 0.3970277400F, 0.3979978725F, 0.3989683716F,
  151877. 0.3999392328F, 0.4009104516F, 0.4018820234F, 0.4028539438F,
  151878. 0.4038262084F, 0.4047988125F, 0.4057717516F, 0.4067450214F,
  151879. 0.4077186172F, 0.4086925345F, 0.4096667688F, 0.4106413155F,
  151880. 0.4116161703F, 0.4125913284F, 0.4135667854F, 0.4145425368F,
  151881. 0.4155185780F, 0.4164949044F, 0.4174715116F, 0.4184483949F,
  151882. 0.4194255498F, 0.4204029718F, 0.4213806563F, 0.4223585987F,
  151883. 0.4233367946F, 0.4243152392F, 0.4252939281F, 0.4262728566F,
  151884. 0.4272520202F, 0.4282314144F, 0.4292110345F, 0.4301908760F,
  151885. 0.4311709343F, 0.4321512047F, 0.4331316828F, 0.4341123639F,
  151886. 0.4350932435F, 0.4360743168F, 0.4370555794F, 0.4380370267F,
  151887. 0.4390186540F, 0.4400004567F, 0.4409824303F, 0.4419645701F,
  151888. 0.4429468716F, 0.4439293300F, 0.4449119409F, 0.4458946996F,
  151889. 0.4468776014F, 0.4478606418F, 0.4488438162F, 0.4498271199F,
  151890. 0.4508105483F, 0.4517940967F, 0.4527777607F, 0.4537615355F,
  151891. 0.4547454165F, 0.4557293991F, 0.4567134786F, 0.4576976505F,
  151892. 0.4586819101F, 0.4596662527F, 0.4606506738F, 0.4616351687F,
  151893. 0.4626197328F, 0.4636043614F, 0.4645890499F, 0.4655737936F,
  151894. 0.4665585880F, 0.4675434284F, 0.4685283101F, 0.4695132286F,
  151895. 0.4704981791F, 0.4714831570F, 0.4724681577F, 0.4734531766F,
  151896. 0.4744382089F, 0.4754232501F, 0.4764082956F, 0.4773933406F,
  151897. 0.4783783806F, 0.4793634108F, 0.4803484267F, 0.4813334237F,
  151898. 0.4823183969F, 0.4833033419F, 0.4842882540F, 0.4852731285F,
  151899. 0.4862579608F, 0.4872427462F, 0.4882274802F, 0.4892121580F,
  151900. 0.4901967751F, 0.4911813267F, 0.4921658083F, 0.4931502151F,
  151901. 0.4941345427F, 0.4951187863F, 0.4961029412F, 0.4970870029F,
  151902. 0.4980709667F, 0.4990548280F, 0.5000385822F, 0.5010222245F,
  151903. 0.5020057505F, 0.5029891553F, 0.5039724345F, 0.5049555834F,
  151904. 0.5059385973F, 0.5069214716F, 0.5079042018F, 0.5088867831F,
  151905. 0.5098692110F, 0.5108514808F, 0.5118335879F, 0.5128155277F,
  151906. 0.5137972956F, 0.5147788869F, 0.5157602971F, 0.5167415215F,
  151907. 0.5177225555F, 0.5187033945F, 0.5196840339F, 0.5206644692F,
  151908. 0.5216446956F, 0.5226247086F, 0.5236045035F, 0.5245840759F,
  151909. 0.5255634211F, 0.5265425344F, 0.5275214114F, 0.5285000474F,
  151910. 0.5294784378F, 0.5304565781F, 0.5314344637F, 0.5324120899F,
  151911. 0.5333894522F, 0.5343665461F, 0.5353433670F, 0.5363199102F,
  151912. 0.5372961713F, 0.5382721457F, 0.5392478287F, 0.5402232159F,
  151913. 0.5411983027F, 0.5421730845F, 0.5431475569F, 0.5441217151F,
  151914. 0.5450955548F, 0.5460690714F, 0.5470422602F, 0.5480151169F,
  151915. 0.5489876368F, 0.5499598155F, 0.5509316484F, 0.5519031310F,
  151916. 0.5528742587F, 0.5538450271F, 0.5548154317F, 0.5557854680F,
  151917. 0.5567551314F, 0.5577244174F, 0.5586933216F, 0.5596618395F,
  151918. 0.5606299665F, 0.5615976983F, 0.5625650302F, 0.5635319580F,
  151919. 0.5644984770F, 0.5654645828F, 0.5664302709F, 0.5673955370F,
  151920. 0.5683603765F, 0.5693247850F, 0.5702887580F, 0.5712522912F,
  151921. 0.5722153800F, 0.5731780200F, 0.5741402069F, 0.5751019362F,
  151922. 0.5760632034F, 0.5770240042F, 0.5779843341F, 0.5789441889F,
  151923. 0.5799035639F, 0.5808624549F, 0.5818208575F, 0.5827787673F,
  151924. 0.5837361800F, 0.5846930910F, 0.5856494961F, 0.5866053910F,
  151925. 0.5875607712F, 0.5885156324F, 0.5894699703F, 0.5904237804F,
  151926. 0.5913770586F, 0.5923298004F, 0.5932820016F, 0.5942336578F,
  151927. 0.5951847646F, 0.5961353179F, 0.5970853132F, 0.5980347464F,
  151928. 0.5989836131F, 0.5999319090F, 0.6008796298F, 0.6018267713F,
  151929. 0.6027733292F, 0.6037192993F, 0.6046646773F, 0.6056094589F,
  151930. 0.6065536400F, 0.6074972162F, 0.6084401833F, 0.6093825372F,
  151931. 0.6103242736F, 0.6112653884F, 0.6122058772F, 0.6131457359F,
  151932. 0.6140849604F, 0.6150235464F, 0.6159614897F, 0.6168987862F,
  151933. 0.6178354318F, 0.6187714223F, 0.6197067535F, 0.6206414213F,
  151934. 0.6215754215F, 0.6225087501F, 0.6234414028F, 0.6243733757F,
  151935. 0.6253046646F, 0.6262352654F, 0.6271651739F, 0.6280943862F,
  151936. 0.6290228982F, 0.6299507057F, 0.6308778048F, 0.6318041913F,
  151937. 0.6327298612F, 0.6336548105F, 0.6345790352F, 0.6355025312F,
  151938. 0.6364252945F, 0.6373473211F, 0.6382686070F, 0.6391891483F,
  151939. 0.6401089409F, 0.6410279808F, 0.6419462642F, 0.6428637869F,
  151940. 0.6437805452F, 0.6446965350F, 0.6456117524F, 0.6465261935F,
  151941. 0.6474398544F, 0.6483527311F, 0.6492648197F, 0.6501761165F,
  151942. 0.6510866174F, 0.6519963186F, 0.6529052162F, 0.6538133064F,
  151943. 0.6547205854F, 0.6556270492F, 0.6565326941F, 0.6574375162F,
  151944. 0.6583415117F, 0.6592446769F, 0.6601470079F, 0.6610485009F,
  151945. 0.6619491521F, 0.6628489578F, 0.6637479143F, 0.6646460177F,
  151946. 0.6655432643F, 0.6664396505F, 0.6673351724F, 0.6682298264F,
  151947. 0.6691236087F, 0.6700165157F, 0.6709085436F, 0.6717996889F,
  151948. 0.6726899478F, 0.6735793167F, 0.6744677918F, 0.6753553697F,
  151949. 0.6762420466F, 0.6771278190F, 0.6780126832F, 0.6788966357F,
  151950. 0.6797796728F, 0.6806617909F, 0.6815429866F, 0.6824232562F,
  151951. 0.6833025961F, 0.6841810030F, 0.6850584731F, 0.6859350031F,
  151952. 0.6868105894F, 0.6876852284F, 0.6885589168F, 0.6894316510F,
  151953. 0.6903034275F, 0.6911742430F, 0.6920440939F, 0.6929129769F,
  151954. 0.6937808884F, 0.6946478251F, 0.6955137837F, 0.6963787606F,
  151955. 0.6972427525F, 0.6981057560F, 0.6989677678F, 0.6998287845F,
  151956. 0.7006888028F, 0.7015478194F, 0.7024058309F, 0.7032628340F,
  151957. 0.7041188254F, 0.7049738019F, 0.7058277601F, 0.7066806969F,
  151958. 0.7075326089F, 0.7083834929F, 0.7092333457F, 0.7100821640F,
  151959. 0.7109299447F, 0.7117766846F, 0.7126223804F, 0.7134670291F,
  151960. 0.7143106273F, 0.7151531721F, 0.7159946602F, 0.7168350885F,
  151961. 0.7176744539F, 0.7185127534F, 0.7193499837F, 0.7201861418F,
  151962. 0.7210212247F, 0.7218552293F, 0.7226881526F, 0.7235199914F,
  151963. 0.7243507428F, 0.7251804039F, 0.7260089715F, 0.7268364426F,
  151964. 0.7276628144F, 0.7284880839F, 0.7293122481F, 0.7301353040F,
  151965. 0.7309572487F, 0.7317780794F, 0.7325977930F, 0.7334163868F,
  151966. 0.7342338579F, 0.7350502033F, 0.7358654202F, 0.7366795059F,
  151967. 0.7374924573F, 0.7383042718F, 0.7391149465F, 0.7399244787F,
  151968. 0.7407328655F, 0.7415401041F, 0.7423461920F, 0.7431511261F,
  151969. 0.7439549040F, 0.7447575227F, 0.7455589797F, 0.7463592723F,
  151970. 0.7471583976F, 0.7479563532F, 0.7487531363F, 0.7495487443F,
  151971. 0.7503431745F, 0.7511364244F, 0.7519284913F, 0.7527193726F,
  151972. 0.7535090658F, 0.7542975683F, 0.7550848776F, 0.7558709910F,
  151973. 0.7566559062F, 0.7574396205F, 0.7582221314F, 0.7590034366F,
  151974. 0.7597835334F, 0.7605624194F, 0.7613400923F, 0.7621165495F,
  151975. 0.7628917886F, 0.7636658072F, 0.7644386030F, 0.7652101735F,
  151976. 0.7659805164F, 0.7667496292F, 0.7675175098F, 0.7682841556F,
  151977. 0.7690495645F, 0.7698137341F, 0.7705766622F, 0.7713383463F,
  151978. 0.7720987844F, 0.7728579741F, 0.7736159132F, 0.7743725994F,
  151979. 0.7751280306F, 0.7758822046F, 0.7766351192F, 0.7773867722F,
  151980. 0.7781371614F, 0.7788862848F, 0.7796341401F, 0.7803807253F,
  151981. 0.7811260383F, 0.7818700769F, 0.7826128392F, 0.7833543230F,
  151982. 0.7840945263F, 0.7848334471F, 0.7855710833F, 0.7863074330F,
  151983. 0.7870424941F, 0.7877762647F, 0.7885087428F, 0.7892399264F,
  151984. 0.7899698137F, 0.7906984026F, 0.7914256914F, 0.7921516780F,
  151985. 0.7928763607F, 0.7935997375F, 0.7943218065F, 0.7950425661F,
  151986. 0.7957620142F, 0.7964801492F, 0.7971969692F, 0.7979124724F,
  151987. 0.7986266570F, 0.7993395214F, 0.8000510638F, 0.8007612823F,
  151988. 0.8014701754F, 0.8021777413F, 0.8028839784F, 0.8035888849F,
  151989. 0.8042924592F, 0.8049946997F, 0.8056956048F, 0.8063951727F,
  151990. 0.8070934020F, 0.8077902910F, 0.8084858381F, 0.8091800419F,
  151991. 0.8098729007F, 0.8105644130F, 0.8112545774F, 0.8119433922F,
  151992. 0.8126308561F, 0.8133169676F, 0.8140017251F, 0.8146851272F,
  151993. 0.8153671726F, 0.8160478598F, 0.8167271874F, 0.8174051539F,
  151994. 0.8180817582F, 0.8187569986F, 0.8194308741F, 0.8201033831F,
  151995. 0.8207745244F, 0.8214442966F, 0.8221126986F, 0.8227797290F,
  151996. 0.8234453865F, 0.8241096700F, 0.8247725781F, 0.8254341097F,
  151997. 0.8260942636F, 0.8267530385F, 0.8274104334F, 0.8280664470F,
  151998. 0.8287210782F, 0.8293743259F, 0.8300261889F, 0.8306766662F,
  151999. 0.8313257566F, 0.8319734591F, 0.8326197727F, 0.8332646963F,
  152000. 0.8339082288F, 0.8345503692F, 0.8351911167F, 0.8358304700F,
  152001. 0.8364684284F, 0.8371049907F, 0.8377401562F, 0.8383739238F,
  152002. 0.8390062927F, 0.8396372618F, 0.8402668305F, 0.8408949977F,
  152003. 0.8415217626F, 0.8421471245F, 0.8427710823F, 0.8433936354F,
  152004. 0.8440147830F, 0.8446345242F, 0.8452528582F, 0.8458697844F,
  152005. 0.8464853020F, 0.8470994102F, 0.8477121084F, 0.8483233958F,
  152006. 0.8489332718F, 0.8495417356F, 0.8501487866F, 0.8507544243F,
  152007. 0.8513586479F, 0.8519614568F, 0.8525628505F, 0.8531628283F,
  152008. 0.8537613897F, 0.8543585341F, 0.8549542611F, 0.8555485699F,
  152009. 0.8561414603F, 0.8567329315F, 0.8573229832F, 0.8579116149F,
  152010. 0.8584988262F, 0.8590846165F, 0.8596689855F, 0.8602519327F,
  152011. 0.8608334577F, 0.8614135603F, 0.8619922399F, 0.8625694962F,
  152012. 0.8631453289F, 0.8637197377F, 0.8642927222F, 0.8648642821F,
  152013. 0.8654344172F, 0.8660031272F, 0.8665704118F, 0.8671362708F,
  152014. 0.8677007039F, 0.8682637109F, 0.8688252917F, 0.8693854460F,
  152015. 0.8699441737F, 0.8705014745F, 0.8710573485F, 0.8716117953F,
  152016. 0.8721648150F, 0.8727164073F, 0.8732665723F, 0.8738153098F,
  152017. 0.8743626197F, 0.8749085021F, 0.8754529569F, 0.8759959840F,
  152018. 0.8765375835F, 0.8770777553F, 0.8776164996F, 0.8781538162F,
  152019. 0.8786897054F, 0.8792241670F, 0.8797572013F, 0.8802888082F,
  152020. 0.8808189880F, 0.8813477407F, 0.8818750664F, 0.8824009653F,
  152021. 0.8829254375F, 0.8834484833F, 0.8839701028F, 0.8844902961F,
  152022. 0.8850090636F, 0.8855264054F, 0.8860423218F, 0.8865568131F,
  152023. 0.8870698794F, 0.8875815212F, 0.8880917386F, 0.8886005319F,
  152024. 0.8891079016F, 0.8896138479F, 0.8901183712F, 0.8906214719F,
  152025. 0.8911231503F, 0.8916234067F, 0.8921222417F, 0.8926196556F,
  152026. 0.8931156489F, 0.8936102219F, 0.8941033752F, 0.8945951092F,
  152027. 0.8950854244F, 0.8955743212F, 0.8960618003F, 0.8965478621F,
  152028. 0.8970325071F, 0.8975157359F, 0.8979975490F, 0.8984779471F,
  152029. 0.8989569307F, 0.8994345004F, 0.8999106568F, 0.9003854005F,
  152030. 0.9008587323F, 0.9013306526F, 0.9018011623F, 0.9022702619F,
  152031. 0.9027379521F, 0.9032042337F, 0.9036691074F, 0.9041325739F,
  152032. 0.9045946339F, 0.9050552882F, 0.9055145376F, 0.9059723828F,
  152033. 0.9064288246F, 0.9068838638F, 0.9073375013F, 0.9077897379F,
  152034. 0.9082405743F, 0.9086900115F, 0.9091380503F, 0.9095846917F,
  152035. 0.9100299364F, 0.9104737854F, 0.9109162397F, 0.9113573001F,
  152036. 0.9117969675F, 0.9122352430F, 0.9126721275F, 0.9131076219F,
  152037. 0.9135417273F, 0.9139744447F, 0.9144057750F, 0.9148357194F,
  152038. 0.9152642787F, 0.9156914542F, 0.9161172468F, 0.9165416576F,
  152039. 0.9169646877F, 0.9173863382F, 0.9178066102F, 0.9182255048F,
  152040. 0.9186430232F, 0.9190591665F, 0.9194739359F, 0.9198873324F,
  152041. 0.9202993574F, 0.9207100120F, 0.9211192973F, 0.9215272147F,
  152042. 0.9219337653F, 0.9223389504F, 0.9227427713F, 0.9231452290F,
  152043. 0.9235463251F, 0.9239460607F, 0.9243444371F, 0.9247414557F,
  152044. 0.9251371177F, 0.9255314245F, 0.9259243774F, 0.9263159778F,
  152045. 0.9267062270F, 0.9270951264F, 0.9274826774F, 0.9278688814F,
  152046. 0.9282537398F, 0.9286372540F, 0.9290194254F, 0.9294002555F,
  152047. 0.9297797458F, 0.9301578976F, 0.9305347125F, 0.9309101919F,
  152048. 0.9312843373F, 0.9316571503F, 0.9320286323F, 0.9323987849F,
  152049. 0.9327676097F, 0.9331351080F, 0.9335012816F, 0.9338661320F,
  152050. 0.9342296607F, 0.9345918694F, 0.9349527596F, 0.9353123330F,
  152051. 0.9356705911F, 0.9360275357F, 0.9363831683F, 0.9367374905F,
  152052. 0.9370905042F, 0.9374422108F, 0.9377926122F, 0.9381417099F,
  152053. 0.9384895057F, 0.9388360014F, 0.9391811985F, 0.9395250989F,
  152054. 0.9398677043F, 0.9402090165F, 0.9405490371F, 0.9408877680F,
  152055. 0.9412252110F, 0.9415613678F, 0.9418962402F, 0.9422298301F,
  152056. 0.9425621392F, 0.9428931695F, 0.9432229226F, 0.9435514005F,
  152057. 0.9438786050F, 0.9442045381F, 0.9445292014F, 0.9448525971F,
  152058. 0.9451747268F, 0.9454955926F, 0.9458151963F, 0.9461335399F,
  152059. 0.9464506253F, 0.9467664545F, 0.9470810293F, 0.9473943517F,
  152060. 0.9477064238F, 0.9480172474F, 0.9483268246F, 0.9486351573F,
  152061. 0.9489422475F, 0.9492480973F, 0.9495527087F, 0.9498560837F,
  152062. 0.9501582243F, 0.9504591325F, 0.9507588105F, 0.9510572603F,
  152063. 0.9513544839F, 0.9516504834F, 0.9519452609F, 0.9522388186F,
  152064. 0.9525311584F, 0.9528222826F, 0.9531121932F, 0.9534008923F,
  152065. 0.9536883821F, 0.9539746647F, 0.9542597424F, 0.9545436171F,
  152066. 0.9548262912F, 0.9551077667F, 0.9553880459F, 0.9556671309F,
  152067. 0.9559450239F, 0.9562217272F, 0.9564972429F, 0.9567715733F,
  152068. 0.9570447206F, 0.9573166871F, 0.9575874749F, 0.9578570863F,
  152069. 0.9581255236F, 0.9583927890F, 0.9586588849F, 0.9589238134F,
  152070. 0.9591875769F, 0.9594501777F, 0.9597116180F, 0.9599719003F,
  152071. 0.9602310267F, 0.9604889995F, 0.9607458213F, 0.9610014942F,
  152072. 0.9612560206F, 0.9615094028F, 0.9617616433F, 0.9620127443F,
  152073. 0.9622627083F, 0.9625115376F, 0.9627592345F, 0.9630058016F,
  152074. 0.9632512411F, 0.9634955555F, 0.9637387471F, 0.9639808185F,
  152075. 0.9642217720F, 0.9644616100F, 0.9647003349F, 0.9649379493F,
  152076. 0.9651744556F, 0.9654098561F, 0.9656441534F, 0.9658773499F,
  152077. 0.9661094480F, 0.9663404504F, 0.9665703593F, 0.9667991774F,
  152078. 0.9670269071F, 0.9672535509F, 0.9674791114F, 0.9677035909F,
  152079. 0.9679269921F, 0.9681493174F, 0.9683705694F, 0.9685907506F,
  152080. 0.9688098636F, 0.9690279108F, 0.9692448948F, 0.9694608182F,
  152081. 0.9696756836F, 0.9698894934F, 0.9701022503F, 0.9703139569F,
  152082. 0.9705246156F, 0.9707342291F, 0.9709428000F, 0.9711503309F,
  152083. 0.9713568243F, 0.9715622829F, 0.9717667093F, 0.9719701060F,
  152084. 0.9721724757F, 0.9723738210F, 0.9725741446F, 0.9727734490F,
  152085. 0.9729717369F, 0.9731690109F, 0.9733652737F, 0.9735605279F,
  152086. 0.9737547762F, 0.9739480212F, 0.9741402656F, 0.9743315120F,
  152087. 0.9745217631F, 0.9747110216F, 0.9748992901F, 0.9750865714F,
  152088. 0.9752728681F, 0.9754581829F, 0.9756425184F, 0.9758258775F,
  152089. 0.9760082627F, 0.9761896768F, 0.9763701224F, 0.9765496024F,
  152090. 0.9767281193F, 0.9769056760F, 0.9770822751F, 0.9772579193F,
  152091. 0.9774326114F, 0.9776063542F, 0.9777791502F, 0.9779510023F,
  152092. 0.9781219133F, 0.9782918858F, 0.9784609226F, 0.9786290264F,
  152093. 0.9787962000F, 0.9789624461F, 0.9791277676F, 0.9792921671F,
  152094. 0.9794556474F, 0.9796182113F, 0.9797798615F, 0.9799406009F,
  152095. 0.9801004321F, 0.9802593580F, 0.9804173813F, 0.9805745049F,
  152096. 0.9807307314F, 0.9808860637F, 0.9810405046F, 0.9811940568F,
  152097. 0.9813467232F, 0.9814985065F, 0.9816494095F, 0.9817994351F,
  152098. 0.9819485860F, 0.9820968650F, 0.9822442750F, 0.9823908186F,
  152099. 0.9825364988F, 0.9826813184F, 0.9828252801F, 0.9829683868F,
  152100. 0.9831106413F, 0.9832520463F, 0.9833926048F, 0.9835323195F,
  152101. 0.9836711932F, 0.9838092288F, 0.9839464291F, 0.9840827969F,
  152102. 0.9842183351F, 0.9843530464F, 0.9844869337F, 0.9846199998F,
  152103. 0.9847522475F, 0.9848836798F, 0.9850142993F, 0.9851441090F,
  152104. 0.9852731117F, 0.9854013101F, 0.9855287073F, 0.9856553058F,
  152105. 0.9857811087F, 0.9859061188F, 0.9860303388F, 0.9861537717F,
  152106. 0.9862764202F, 0.9863982872F, 0.9865193756F, 0.9866396882F,
  152107. 0.9867592277F, 0.9868779972F, 0.9869959993F, 0.9871132370F,
  152108. 0.9872297131F, 0.9873454304F, 0.9874603918F, 0.9875746001F,
  152109. 0.9876880581F, 0.9878007688F, 0.9879127348F, 0.9880239592F,
  152110. 0.9881344447F, 0.9882441941F, 0.9883532104F, 0.9884614962F,
  152111. 0.9885690546F, 0.9886758883F, 0.9887820001F, 0.9888873930F,
  152112. 0.9889920697F, 0.9890960331F, 0.9891992859F, 0.9893018312F,
  152113. 0.9894036716F, 0.9895048100F, 0.9896052493F, 0.9897049923F,
  152114. 0.9898040418F, 0.9899024006F, 0.9900000717F, 0.9900970577F,
  152115. 0.9901933616F, 0.9902889862F, 0.9903839343F, 0.9904782087F,
  152116. 0.9905718122F, 0.9906647477F, 0.9907570180F, 0.9908486259F,
  152117. 0.9909395742F, 0.9910298658F, 0.9911195034F, 0.9912084899F,
  152118. 0.9912968281F, 0.9913845208F, 0.9914715708F, 0.9915579810F,
  152119. 0.9916437540F, 0.9917288928F, 0.9918134001F, 0.9918972788F,
  152120. 0.9919805316F, 0.9920631613F, 0.9921451707F, 0.9922265626F,
  152121. 0.9923073399F, 0.9923875052F, 0.9924670615F, 0.9925460114F,
  152122. 0.9926243577F, 0.9927021033F, 0.9927792508F, 0.9928558032F,
  152123. 0.9929317631F, 0.9930071333F, 0.9930819167F, 0.9931561158F,
  152124. 0.9932297337F, 0.9933027728F, 0.9933752362F, 0.9934471264F,
  152125. 0.9935184462F, 0.9935891985F, 0.9936593859F, 0.9937290112F,
  152126. 0.9937980771F, 0.9938665864F, 0.9939345418F, 0.9940019460F,
  152127. 0.9940688018F, 0.9941351118F, 0.9942008789F, 0.9942661057F,
  152128. 0.9943307950F, 0.9943949494F, 0.9944585717F, 0.9945216645F,
  152129. 0.9945842307F, 0.9946462728F, 0.9947077936F, 0.9947687957F,
  152130. 0.9948292820F, 0.9948892550F, 0.9949487174F, 0.9950076719F,
  152131. 0.9950661212F, 0.9951240679F, 0.9951815148F, 0.9952384645F,
  152132. 0.9952949196F, 0.9953508828F, 0.9954063568F, 0.9954613442F,
  152133. 0.9955158476F, 0.9955698697F, 0.9956234132F, 0.9956764806F,
  152134. 0.9957290746F, 0.9957811978F, 0.9958328528F, 0.9958840423F,
  152135. 0.9959347688F, 0.9959850351F, 0.9960348435F, 0.9960841969F,
  152136. 0.9961330977F, 0.9961815486F, 0.9962295521F, 0.9962771108F,
  152137. 0.9963242274F, 0.9963709043F, 0.9964171441F, 0.9964629494F,
  152138. 0.9965083228F, 0.9965532668F, 0.9965977840F, 0.9966418768F,
  152139. 0.9966855479F, 0.9967287998F, 0.9967716350F, 0.9968140559F,
  152140. 0.9968560653F, 0.9968976655F, 0.9969388591F, 0.9969796485F,
  152141. 0.9970200363F, 0.9970600250F, 0.9970996170F, 0.9971388149F,
  152142. 0.9971776211F, 0.9972160380F, 0.9972540683F, 0.9972917142F,
  152143. 0.9973289783F, 0.9973658631F, 0.9974023709F, 0.9974385042F,
  152144. 0.9974742655F, 0.9975096571F, 0.9975446816F, 0.9975793413F,
  152145. 0.9976136386F, 0.9976475759F, 0.9976811557F, 0.9977143803F,
  152146. 0.9977472521F, 0.9977797736F, 0.9978119470F, 0.9978437748F,
  152147. 0.9978752593F, 0.9979064029F, 0.9979372079F, 0.9979676768F,
  152148. 0.9979978117F, 0.9980276151F, 0.9980570893F, 0.9980862367F,
  152149. 0.9981150595F, 0.9981435600F, 0.9981717406F, 0.9981996035F,
  152150. 0.9982271511F, 0.9982543856F, 0.9982813093F, 0.9983079246F,
  152151. 0.9983342336F, 0.9983602386F, 0.9983859418F, 0.9984113456F,
  152152. 0.9984364522F, 0.9984612638F, 0.9984857825F, 0.9985100108F,
  152153. 0.9985339507F, 0.9985576044F, 0.9985809743F, 0.9986040624F,
  152154. 0.9986268710F, 0.9986494022F, 0.9986716583F, 0.9986936413F,
  152155. 0.9987153535F, 0.9987367969F, 0.9987579738F, 0.9987788864F,
  152156. 0.9987995366F, 0.9988199267F, 0.9988400587F, 0.9988599348F,
  152157. 0.9988795572F, 0.9988989278F, 0.9989180487F, 0.9989369222F,
  152158. 0.9989555501F, 0.9989739347F, 0.9989920780F, 0.9990099820F,
  152159. 0.9990276487F, 0.9990450803F, 0.9990622787F, 0.9990792460F,
  152160. 0.9990959841F, 0.9991124952F, 0.9991287812F, 0.9991448440F,
  152161. 0.9991606858F, 0.9991763084F, 0.9991917139F, 0.9992069042F,
  152162. 0.9992218813F, 0.9992366471F, 0.9992512035F, 0.9992655525F,
  152163. 0.9992796961F, 0.9992936361F, 0.9993073744F, 0.9993209131F,
  152164. 0.9993342538F, 0.9993473987F, 0.9993603494F, 0.9993731080F,
  152165. 0.9993856762F, 0.9993980559F, 0.9994102490F, 0.9994222573F,
  152166. 0.9994340827F, 0.9994457269F, 0.9994571918F, 0.9994684793F,
  152167. 0.9994795910F, 0.9994905288F, 0.9995012945F, 0.9995118898F,
  152168. 0.9995223165F, 0.9995325765F, 0.9995426713F, 0.9995526029F,
  152169. 0.9995623728F, 0.9995719829F, 0.9995814349F, 0.9995907304F,
  152170. 0.9995998712F, 0.9996088590F, 0.9996176954F, 0.9996263821F,
  152171. 0.9996349208F, 0.9996433132F, 0.9996515609F, 0.9996596656F,
  152172. 0.9996676288F, 0.9996754522F, 0.9996831375F, 0.9996906862F,
  152173. 0.9996981000F, 0.9997053804F, 0.9997125290F, 0.9997195474F,
  152174. 0.9997264371F, 0.9997331998F, 0.9997398369F, 0.9997463500F,
  152175. 0.9997527406F, 0.9997590103F, 0.9997651606F, 0.9997711930F,
  152176. 0.9997771089F, 0.9997829098F, 0.9997885973F, 0.9997941728F,
  152177. 0.9997996378F, 0.9998049936F, 0.9998102419F, 0.9998153839F,
  152178. 0.9998204211F, 0.9998253550F, 0.9998301868F, 0.9998349182F,
  152179. 0.9998395503F, 0.9998440847F, 0.9998485226F, 0.9998528654F,
  152180. 0.9998571146F, 0.9998612713F, 0.9998653370F, 0.9998693130F,
  152181. 0.9998732007F, 0.9998770012F, 0.9998807159F, 0.9998843461F,
  152182. 0.9998878931F, 0.9998913581F, 0.9998947424F, 0.9998980473F,
  152183. 0.9999012740F, 0.9999044237F, 0.9999074976F, 0.9999104971F,
  152184. 0.9999134231F, 0.9999162771F, 0.9999190601F, 0.9999217733F,
  152185. 0.9999244179F, 0.9999269950F, 0.9999295058F, 0.9999319515F,
  152186. 0.9999343332F, 0.9999366519F, 0.9999389088F, 0.9999411050F,
  152187. 0.9999432416F, 0.9999453196F, 0.9999473402F, 0.9999493044F,
  152188. 0.9999512132F, 0.9999530677F, 0.9999548690F, 0.9999566180F,
  152189. 0.9999583157F, 0.9999599633F, 0.9999615616F, 0.9999631116F,
  152190. 0.9999646144F, 0.9999660709F, 0.9999674820F, 0.9999688487F,
  152191. 0.9999701719F, 0.9999714526F, 0.9999726917F, 0.9999738900F,
  152192. 0.9999750486F, 0.9999761682F, 0.9999772497F, 0.9999782941F,
  152193. 0.9999793021F, 0.9999802747F, 0.9999812126F, 0.9999821167F,
  152194. 0.9999829878F, 0.9999838268F, 0.9999846343F, 0.9999854113F,
  152195. 0.9999861584F, 0.9999868765F, 0.9999875664F, 0.9999882287F,
  152196. 0.9999888642F, 0.9999894736F, 0.9999900577F, 0.9999906172F,
  152197. 0.9999911528F, 0.9999916651F, 0.9999921548F, 0.9999926227F,
  152198. 0.9999930693F, 0.9999934954F, 0.9999939015F, 0.9999942883F,
  152199. 0.9999946564F, 0.9999950064F, 0.9999953390F, 0.9999956547F,
  152200. 0.9999959541F, 0.9999962377F, 0.9999965062F, 0.9999967601F,
  152201. 0.9999969998F, 0.9999972260F, 0.9999974392F, 0.9999976399F,
  152202. 0.9999978285F, 0.9999980056F, 0.9999981716F, 0.9999983271F,
  152203. 0.9999984724F, 0.9999986081F, 0.9999987345F, 0.9999988521F,
  152204. 0.9999989613F, 0.9999990625F, 0.9999991562F, 0.9999992426F,
  152205. 0.9999993223F, 0.9999993954F, 0.9999994625F, 0.9999995239F,
  152206. 0.9999995798F, 0.9999996307F, 0.9999996768F, 0.9999997184F,
  152207. 0.9999997559F, 0.9999997895F, 0.9999998195F, 0.9999998462F,
  152208. 0.9999998698F, 0.9999998906F, 0.9999999088F, 0.9999999246F,
  152209. 0.9999999383F, 0.9999999500F, 0.9999999600F, 0.9999999684F,
  152210. 0.9999999754F, 0.9999999811F, 0.9999999858F, 0.9999999896F,
  152211. 0.9999999925F, 0.9999999948F, 0.9999999965F, 0.9999999978F,
  152212. 0.9999999986F, 0.9999999992F, 0.9999999996F, 0.9999999998F,
  152213. 0.9999999999F, 1.0000000000F, 1.0000000000F, 1.0000000000F,
  152214. };
  152215. static float vwin8192[4096] = {
  152216. 0.0000000578F, 0.0000005198F, 0.0000014438F, 0.0000028299F,
  152217. 0.0000046780F, 0.0000069882F, 0.0000097604F, 0.0000129945F,
  152218. 0.0000166908F, 0.0000208490F, 0.0000254692F, 0.0000305515F,
  152219. 0.0000360958F, 0.0000421021F, 0.0000485704F, 0.0000555006F,
  152220. 0.0000628929F, 0.0000707472F, 0.0000790635F, 0.0000878417F,
  152221. 0.0000970820F, 0.0001067842F, 0.0001169483F, 0.0001275744F,
  152222. 0.0001386625F, 0.0001502126F, 0.0001622245F, 0.0001746984F,
  152223. 0.0001876343F, 0.0002010320F, 0.0002148917F, 0.0002292132F,
  152224. 0.0002439967F, 0.0002592421F, 0.0002749493F, 0.0002911184F,
  152225. 0.0003077493F, 0.0003248421F, 0.0003423967F, 0.0003604132F,
  152226. 0.0003788915F, 0.0003978316F, 0.0004172335F, 0.0004370971F,
  152227. 0.0004574226F, 0.0004782098F, 0.0004994587F, 0.0005211694F,
  152228. 0.0005433418F, 0.0005659759F, 0.0005890717F, 0.0006126292F,
  152229. 0.0006366484F, 0.0006611292F, 0.0006860716F, 0.0007114757F,
  152230. 0.0007373414F, 0.0007636687F, 0.0007904576F, 0.0008177080F,
  152231. 0.0008454200F, 0.0008735935F, 0.0009022285F, 0.0009313250F,
  152232. 0.0009608830F, 0.0009909025F, 0.0010213834F, 0.0010523257F,
  152233. 0.0010837295F, 0.0011155946F, 0.0011479211F, 0.0011807090F,
  152234. 0.0012139582F, 0.0012476687F, 0.0012818405F, 0.0013164736F,
  152235. 0.0013515679F, 0.0013871235F, 0.0014231402F, 0.0014596182F,
  152236. 0.0014965573F, 0.0015339576F, 0.0015718190F, 0.0016101415F,
  152237. 0.0016489251F, 0.0016881698F, 0.0017278754F, 0.0017680421F,
  152238. 0.0018086698F, 0.0018497584F, 0.0018913080F, 0.0019333185F,
  152239. 0.0019757898F, 0.0020187221F, 0.0020621151F, 0.0021059690F,
  152240. 0.0021502837F, 0.0021950591F, 0.0022402953F, 0.0022859921F,
  152241. 0.0023321497F, 0.0023787679F, 0.0024258467F, 0.0024733861F,
  152242. 0.0025213861F, 0.0025698466F, 0.0026187676F, 0.0026681491F,
  152243. 0.0027179911F, 0.0027682935F, 0.0028190562F, 0.0028702794F,
  152244. 0.0029219628F, 0.0029741066F, 0.0030267107F, 0.0030797749F,
  152245. 0.0031332994F, 0.0031872841F, 0.0032417289F, 0.0032966338F,
  152246. 0.0033519988F, 0.0034078238F, 0.0034641089F, 0.0035208539F,
  152247. 0.0035780589F, 0.0036357237F, 0.0036938485F, 0.0037524331F,
  152248. 0.0038114775F, 0.0038709817F, 0.0039309456F, 0.0039913692F,
  152249. 0.0040522524F, 0.0041135953F, 0.0041753978F, 0.0042376599F,
  152250. 0.0043003814F, 0.0043635624F, 0.0044272029F, 0.0044913028F,
  152251. 0.0045558620F, 0.0046208806F, 0.0046863585F, 0.0047522955F,
  152252. 0.0048186919F, 0.0048855473F, 0.0049528619F, 0.0050206356F,
  152253. 0.0050888684F, 0.0051575601F, 0.0052267108F, 0.0052963204F,
  152254. 0.0053663890F, 0.0054369163F, 0.0055079025F, 0.0055793474F,
  152255. 0.0056512510F, 0.0057236133F, 0.0057964342F, 0.0058697137F,
  152256. 0.0059434517F, 0.0060176482F, 0.0060923032F, 0.0061674166F,
  152257. 0.0062429883F, 0.0063190183F, 0.0063955066F, 0.0064724532F,
  152258. 0.0065498579F, 0.0066277207F, 0.0067060416F, 0.0067848205F,
  152259. 0.0068640575F, 0.0069437523F, 0.0070239051F, 0.0071045157F,
  152260. 0.0071855840F, 0.0072671102F, 0.0073490940F, 0.0074315355F,
  152261. 0.0075144345F, 0.0075977911F, 0.0076816052F, 0.0077658768F,
  152262. 0.0078506057F, 0.0079357920F, 0.0080214355F, 0.0081075363F,
  152263. 0.0081940943F, 0.0082811094F, 0.0083685816F, 0.0084565108F,
  152264. 0.0085448970F, 0.0086337401F, 0.0087230401F, 0.0088127969F,
  152265. 0.0089030104F, 0.0089936807F, 0.0090848076F, 0.0091763911F,
  152266. 0.0092684311F, 0.0093609276F, 0.0094538805F, 0.0095472898F,
  152267. 0.0096411554F, 0.0097354772F, 0.0098302552F, 0.0099254894F,
  152268. 0.0100211796F, 0.0101173259F, 0.0102139281F, 0.0103109863F,
  152269. 0.0104085002F, 0.0105064700F, 0.0106048955F, 0.0107037766F,
  152270. 0.0108031133F, 0.0109029056F, 0.0110031534F, 0.0111038565F,
  152271. 0.0112050151F, 0.0113066289F, 0.0114086980F, 0.0115112222F,
  152272. 0.0116142015F, 0.0117176359F, 0.0118215252F, 0.0119258695F,
  152273. 0.0120306686F, 0.0121359225F, 0.0122416312F, 0.0123477944F,
  152274. 0.0124544123F, 0.0125614847F, 0.0126690116F, 0.0127769928F,
  152275. 0.0128854284F, 0.0129943182F, 0.0131036623F, 0.0132134604F,
  152276. 0.0133237126F, 0.0134344188F, 0.0135455790F, 0.0136571929F,
  152277. 0.0137692607F, 0.0138817821F, 0.0139947572F, 0.0141081859F,
  152278. 0.0142220681F, 0.0143364037F, 0.0144511927F, 0.0145664350F,
  152279. 0.0146821304F, 0.0147982791F, 0.0149148808F, 0.0150319355F,
  152280. 0.0151494431F, 0.0152674036F, 0.0153858168F, 0.0155046828F,
  152281. 0.0156240014F, 0.0157437726F, 0.0158639962F, 0.0159846723F,
  152282. 0.0161058007F, 0.0162273814F, 0.0163494142F, 0.0164718991F,
  152283. 0.0165948361F, 0.0167182250F, 0.0168420658F, 0.0169663584F,
  152284. 0.0170911027F, 0.0172162987F, 0.0173419462F, 0.0174680452F,
  152285. 0.0175945956F, 0.0177215974F, 0.0178490504F, 0.0179769545F,
  152286. 0.0181053098F, 0.0182341160F, 0.0183633732F, 0.0184930812F,
  152287. 0.0186232399F, 0.0187538494F, 0.0188849094F, 0.0190164200F,
  152288. 0.0191483809F, 0.0192807923F, 0.0194136539F, 0.0195469656F,
  152289. 0.0196807275F, 0.0198149394F, 0.0199496012F, 0.0200847128F,
  152290. 0.0202202742F, 0.0203562853F, 0.0204927460F, 0.0206296561F,
  152291. 0.0207670157F, 0.0209048245F, 0.0210430826F, 0.0211817899F,
  152292. 0.0213209462F, 0.0214605515F, 0.0216006057F, 0.0217411086F,
  152293. 0.0218820603F, 0.0220234605F, 0.0221653093F, 0.0223076066F,
  152294. 0.0224503521F, 0.0225935459F, 0.0227371879F, 0.0228812779F,
  152295. 0.0230258160F, 0.0231708018F, 0.0233162355F, 0.0234621169F,
  152296. 0.0236084459F, 0.0237552224F, 0.0239024462F, 0.0240501175F,
  152297. 0.0241982359F, 0.0243468015F, 0.0244958141F, 0.0246452736F,
  152298. 0.0247951800F, 0.0249455331F, 0.0250963329F, 0.0252475792F,
  152299. 0.0253992720F, 0.0255514111F, 0.0257039965F, 0.0258570281F,
  152300. 0.0260105057F, 0.0261644293F, 0.0263187987F, 0.0264736139F,
  152301. 0.0266288747F, 0.0267845811F, 0.0269407330F, 0.0270973302F,
  152302. 0.0272543727F, 0.0274118604F, 0.0275697930F, 0.0277281707F,
  152303. 0.0278869932F, 0.0280462604F, 0.0282059723F, 0.0283661287F,
  152304. 0.0285267295F, 0.0286877747F, 0.0288492641F, 0.0290111976F,
  152305. 0.0291735751F, 0.0293363965F, 0.0294996617F, 0.0296633706F,
  152306. 0.0298275231F, 0.0299921190F, 0.0301571583F, 0.0303226409F,
  152307. 0.0304885667F, 0.0306549354F, 0.0308217472F, 0.0309890017F,
  152308. 0.0311566989F, 0.0313248388F, 0.0314934211F, 0.0316624459F,
  152309. 0.0318319128F, 0.0320018220F, 0.0321721732F, 0.0323429663F,
  152310. 0.0325142013F, 0.0326858779F, 0.0328579962F, 0.0330305559F,
  152311. 0.0332035570F, 0.0333769994F, 0.0335508829F, 0.0337252074F,
  152312. 0.0338999728F, 0.0340751790F, 0.0342508259F, 0.0344269134F,
  152313. 0.0346034412F, 0.0347804094F, 0.0349578178F, 0.0351356663F,
  152314. 0.0353139548F, 0.0354926831F, 0.0356718511F, 0.0358514588F,
  152315. 0.0360315059F, 0.0362119924F, 0.0363929182F, 0.0365742831F,
  152316. 0.0367560870F, 0.0369383297F, 0.0371210113F, 0.0373041315F,
  152317. 0.0374876902F, 0.0376716873F, 0.0378561226F, 0.0380409961F,
  152318. 0.0382263077F, 0.0384120571F, 0.0385982443F, 0.0387848691F,
  152319. 0.0389719315F, 0.0391594313F, 0.0393473683F, 0.0395357425F,
  152320. 0.0397245537F, 0.0399138017F, 0.0401034866F, 0.0402936080F,
  152321. 0.0404841660F, 0.0406751603F, 0.0408665909F, 0.0410584576F,
  152322. 0.0412507603F, 0.0414434988F, 0.0416366731F, 0.0418302829F,
  152323. 0.0420243282F, 0.0422188088F, 0.0424137246F, 0.0426090755F,
  152324. 0.0428048613F, 0.0430010819F, 0.0431977371F, 0.0433948269F,
  152325. 0.0435923511F, 0.0437903095F, 0.0439887020F, 0.0441875285F,
  152326. 0.0443867889F, 0.0445864830F, 0.0447866106F, 0.0449871717F,
  152327. 0.0451881661F, 0.0453895936F, 0.0455914542F, 0.0457937477F,
  152328. 0.0459964738F, 0.0461996326F, 0.0464032239F, 0.0466072475F,
  152329. 0.0468117032F, 0.0470165910F, 0.0472219107F, 0.0474276622F,
  152330. 0.0476338452F, 0.0478404597F, 0.0480475056F, 0.0482549827F,
  152331. 0.0484628907F, 0.0486712297F, 0.0488799994F, 0.0490891998F,
  152332. 0.0492988306F, 0.0495088917F, 0.0497193830F, 0.0499303043F,
  152333. 0.0501416554F, 0.0503534363F, 0.0505656468F, 0.0507782867F,
  152334. 0.0509913559F, 0.0512048542F, 0.0514187815F, 0.0516331376F,
  152335. 0.0518479225F, 0.0520631358F, 0.0522787775F, 0.0524948475F,
  152336. 0.0527113455F, 0.0529282715F, 0.0531456252F, 0.0533634066F,
  152337. 0.0535816154F, 0.0538002515F, 0.0540193148F, 0.0542388051F,
  152338. 0.0544587222F, 0.0546790660F, 0.0548998364F, 0.0551210331F,
  152339. 0.0553426561F, 0.0555647051F, 0.0557871801F, 0.0560100807F,
  152340. 0.0562334070F, 0.0564571587F, 0.0566813357F, 0.0569059378F,
  152341. 0.0571309649F, 0.0573564168F, 0.0575822933F, 0.0578085942F,
  152342. 0.0580353195F, 0.0582624689F, 0.0584900423F, 0.0587180396F,
  152343. 0.0589464605F, 0.0591753049F, 0.0594045726F, 0.0596342635F,
  152344. 0.0598643774F, 0.0600949141F, 0.0603258735F, 0.0605572555F,
  152345. 0.0607890597F, 0.0610212862F, 0.0612539346F, 0.0614870049F,
  152346. 0.0617204968F, 0.0619544103F, 0.0621887451F, 0.0624235010F,
  152347. 0.0626586780F, 0.0628942758F, 0.0631302942F, 0.0633667331F,
  152348. 0.0636035923F, 0.0638408717F, 0.0640785710F, 0.0643166901F,
  152349. 0.0645552288F, 0.0647941870F, 0.0650335645F, 0.0652733610F,
  152350. 0.0655135765F, 0.0657542108F, 0.0659952636F, 0.0662367348F,
  152351. 0.0664786242F, 0.0667209316F, 0.0669636570F, 0.0672068000F,
  152352. 0.0674503605F, 0.0676943384F, 0.0679387334F, 0.0681835454F,
  152353. 0.0684287742F, 0.0686744196F, 0.0689204814F, 0.0691669595F,
  152354. 0.0694138536F, 0.0696611637F, 0.0699088894F, 0.0701570307F,
  152355. 0.0704055873F, 0.0706545590F, 0.0709039458F, 0.0711537473F,
  152356. 0.0714039634F, 0.0716545939F, 0.0719056387F, 0.0721570975F,
  152357. 0.0724089702F, 0.0726612565F, 0.0729139563F, 0.0731670694F,
  152358. 0.0734205956F, 0.0736745347F, 0.0739288866F, 0.0741836510F,
  152359. 0.0744388277F, 0.0746944166F, 0.0749504175F, 0.0752068301F,
  152360. 0.0754636543F, 0.0757208899F, 0.0759785367F, 0.0762365946F,
  152361. 0.0764950632F, 0.0767539424F, 0.0770132320F, 0.0772729319F,
  152362. 0.0775330418F, 0.0777935616F, 0.0780544909F, 0.0783158298F,
  152363. 0.0785775778F, 0.0788397349F, 0.0791023009F, 0.0793652755F,
  152364. 0.0796286585F, 0.0798924498F, 0.0801566492F, 0.0804212564F,
  152365. 0.0806862712F, 0.0809516935F, 0.0812175231F, 0.0814837597F,
  152366. 0.0817504031F, 0.0820174532F, 0.0822849097F, 0.0825527724F,
  152367. 0.0828210412F, 0.0830897158F, 0.0833587960F, 0.0836282816F,
  152368. 0.0838981724F, 0.0841684682F, 0.0844391688F, 0.0847102740F,
  152369. 0.0849817835F, 0.0852536973F, 0.0855260150F, 0.0857987364F,
  152370. 0.0860718614F, 0.0863453897F, 0.0866193211F, 0.0868936554F,
  152371. 0.0871683924F, 0.0874435319F, 0.0877190737F, 0.0879950175F,
  152372. 0.0882713632F, 0.0885481105F, 0.0888252592F, 0.0891028091F,
  152373. 0.0893807600F, 0.0896591117F, 0.0899378639F, 0.0902170165F,
  152374. 0.0904965692F, 0.0907765218F, 0.0910568740F, 0.0913376258F,
  152375. 0.0916187767F, 0.0919003268F, 0.0921822756F, 0.0924646230F,
  152376. 0.0927473687F, 0.0930305126F, 0.0933140545F, 0.0935979940F,
  152377. 0.0938823310F, 0.0941670653F, 0.0944521966F, 0.0947377247F,
  152378. 0.0950236494F, 0.0953099704F, 0.0955966876F, 0.0958838007F,
  152379. 0.0961713094F, 0.0964592136F, 0.0967475131F, 0.0970362075F,
  152380. 0.0973252967F, 0.0976147805F, 0.0979046585F, 0.0981949307F,
  152381. 0.0984855967F, 0.0987766563F, 0.0990681093F, 0.0993599555F,
  152382. 0.0996521945F, 0.0999448263F, 0.1002378506F, 0.1005312671F,
  152383. 0.1008250755F, 0.1011192757F, 0.1014138675F, 0.1017088505F,
  152384. 0.1020042246F, 0.1022999895F, 0.1025961450F, 0.1028926909F,
  152385. 0.1031896268F, 0.1034869526F, 0.1037846680F, 0.1040827729F,
  152386. 0.1043812668F, 0.1046801497F, 0.1049794213F, 0.1052790813F,
  152387. 0.1055791294F, 0.1058795656F, 0.1061803894F, 0.1064816006F,
  152388. 0.1067831991F, 0.1070851846F, 0.1073875568F, 0.1076903155F,
  152389. 0.1079934604F, 0.1082969913F, 0.1086009079F, 0.1089052101F,
  152390. 0.1092098975F, 0.1095149699F, 0.1098204270F, 0.1101262687F,
  152391. 0.1104324946F, 0.1107391045F, 0.1110460982F, 0.1113534754F,
  152392. 0.1116612359F, 0.1119693793F, 0.1122779055F, 0.1125868142F,
  152393. 0.1128961052F, 0.1132057781F, 0.1135158328F, 0.1138262690F,
  152394. 0.1141370863F, 0.1144482847F, 0.1147598638F, 0.1150718233F,
  152395. 0.1153841631F, 0.1156968828F, 0.1160099822F, 0.1163234610F,
  152396. 0.1166373190F, 0.1169515559F, 0.1172661714F, 0.1175811654F,
  152397. 0.1178965374F, 0.1182122874F, 0.1185284149F, 0.1188449198F,
  152398. 0.1191618018F, 0.1194790606F, 0.1197966960F, 0.1201147076F,
  152399. 0.1204330953F, 0.1207518587F, 0.1210709976F, 0.1213905118F,
  152400. 0.1217104009F, 0.1220306647F, 0.1223513029F, 0.1226723153F,
  152401. 0.1229937016F, 0.1233154615F, 0.1236375948F, 0.1239601011F,
  152402. 0.1242829803F, 0.1246062319F, 0.1249298559F, 0.1252538518F,
  152403. 0.1255782195F, 0.1259029586F, 0.1262280689F, 0.1265535501F,
  152404. 0.1268794019F, 0.1272056241F, 0.1275322163F, 0.1278591784F,
  152405. 0.1281865099F, 0.1285142108F, 0.1288422805F, 0.1291707190F,
  152406. 0.1294995259F, 0.1298287009F, 0.1301582437F, 0.1304881542F,
  152407. 0.1308184319F, 0.1311490766F, 0.1314800881F, 0.1318114660F,
  152408. 0.1321432100F, 0.1324753200F, 0.1328077955F, 0.1331406364F,
  152409. 0.1334738422F, 0.1338074129F, 0.1341413479F, 0.1344756472F,
  152410. 0.1348103103F, 0.1351453370F, 0.1354807270F, 0.1358164801F,
  152411. 0.1361525959F, 0.1364890741F, 0.1368259145F, 0.1371631167F,
  152412. 0.1375006805F, 0.1378386056F, 0.1381768917F, 0.1385155384F,
  152413. 0.1388545456F, 0.1391939129F, 0.1395336400F, 0.1398737266F,
  152414. 0.1402141724F, 0.1405549772F, 0.1408961406F, 0.1412376623F,
  152415. 0.1415795421F, 0.1419217797F, 0.1422643746F, 0.1426073268F,
  152416. 0.1429506358F, 0.1432943013F, 0.1436383231F, 0.1439827008F,
  152417. 0.1443274342F, 0.1446725229F, 0.1450179667F, 0.1453637652F,
  152418. 0.1457099181F, 0.1460564252F, 0.1464032861F, 0.1467505006F,
  152419. 0.1470980682F, 0.1474459888F, 0.1477942620F, 0.1481428875F,
  152420. 0.1484918651F, 0.1488411942F, 0.1491908748F, 0.1495409065F,
  152421. 0.1498912889F, 0.1502420218F, 0.1505931048F, 0.1509445376F,
  152422. 0.1512963200F, 0.1516484516F, 0.1520009321F, 0.1523537612F,
  152423. 0.1527069385F, 0.1530604638F, 0.1534143368F, 0.1537685571F,
  152424. 0.1541231244F, 0.1544780384F, 0.1548332987F, 0.1551889052F,
  152425. 0.1555448574F, 0.1559011550F, 0.1562577978F, 0.1566147853F,
  152426. 0.1569721173F, 0.1573297935F, 0.1576878135F, 0.1580461771F,
  152427. 0.1584048838F, 0.1587639334F, 0.1591233255F, 0.1594830599F,
  152428. 0.1598431361F, 0.1602035540F, 0.1605643131F, 0.1609254131F,
  152429. 0.1612868537F, 0.1616486346F, 0.1620107555F, 0.1623732160F,
  152430. 0.1627360158F, 0.1630991545F, 0.1634626319F, 0.1638264476F,
  152431. 0.1641906013F, 0.1645550926F, 0.1649199212F, 0.1652850869F,
  152432. 0.1656505892F, 0.1660164278F, 0.1663826024F, 0.1667491127F,
  152433. 0.1671159583F, 0.1674831388F, 0.1678506541F, 0.1682185036F,
  152434. 0.1685866872F, 0.1689552044F, 0.1693240549F, 0.1696932384F,
  152435. 0.1700627545F, 0.1704326029F, 0.1708027833F, 0.1711732952F,
  152436. 0.1715441385F, 0.1719153127F, 0.1722868175F, 0.1726586526F,
  152437. 0.1730308176F, 0.1734033121F, 0.1737761359F, 0.1741492886F,
  152438. 0.1745227698F, 0.1748965792F, 0.1752707164F, 0.1756451812F,
  152439. 0.1760199731F, 0.1763950918F, 0.1767705370F, 0.1771463083F,
  152440. 0.1775224054F, 0.1778988279F, 0.1782755754F, 0.1786526477F,
  152441. 0.1790300444F, 0.1794077651F, 0.1797858094F, 0.1801641771F,
  152442. 0.1805428677F, 0.1809218810F, 0.1813012165F, 0.1816808739F,
  152443. 0.1820608528F, 0.1824411530F, 0.1828217739F, 0.1832027154F,
  152444. 0.1835839770F, 0.1839655584F, 0.1843474592F, 0.1847296790F,
  152445. 0.1851122175F, 0.1854950744F, 0.1858782492F, 0.1862617417F,
  152446. 0.1866455514F, 0.1870296780F, 0.1874141211F, 0.1877988804F,
  152447. 0.1881839555F, 0.1885693461F, 0.1889550517F, 0.1893410721F,
  152448. 0.1897274068F, 0.1901140555F, 0.1905010178F, 0.1908882933F,
  152449. 0.1912758818F, 0.1916637828F, 0.1920519959F, 0.1924405208F,
  152450. 0.1928293571F, 0.1932185044F, 0.1936079625F, 0.1939977308F,
  152451. 0.1943878091F, 0.1947781969F, 0.1951688939F, 0.1955598998F,
  152452. 0.1959512141F, 0.1963428364F, 0.1967347665F, 0.1971270038F,
  152453. 0.1975195482F, 0.1979123990F, 0.1983055561F, 0.1986990190F,
  152454. 0.1990927873F, 0.1994868607F, 0.1998812388F, 0.2002759212F,
  152455. 0.2006709075F, 0.2010661974F, 0.2014617904F, 0.2018576862F,
  152456. 0.2022538844F, 0.2026503847F, 0.2030471865F, 0.2034442897F,
  152457. 0.2038416937F, 0.2042393982F, 0.2046374028F, 0.2050357071F,
  152458. 0.2054343107F, 0.2058332133F, 0.2062324145F, 0.2066319138F,
  152459. 0.2070317110F, 0.2074318055F, 0.2078321970F, 0.2082328852F,
  152460. 0.2086338696F, 0.2090351498F, 0.2094367255F, 0.2098385962F,
  152461. 0.2102407617F, 0.2106432213F, 0.2110459749F, 0.2114490220F,
  152462. 0.2118523621F, 0.2122559950F, 0.2126599202F, 0.2130641373F,
  152463. 0.2134686459F, 0.2138734456F, 0.2142785361F, 0.2146839168F,
  152464. 0.2150895875F, 0.2154955478F, 0.2159017972F, 0.2163083353F,
  152465. 0.2167151617F, 0.2171222761F, 0.2175296780F, 0.2179373670F,
  152466. 0.2183453428F, 0.2187536049F, 0.2191621529F, 0.2195709864F,
  152467. 0.2199801051F, 0.2203895085F, 0.2207991961F, 0.2212091677F,
  152468. 0.2216194228F, 0.2220299610F, 0.2224407818F, 0.2228518850F,
  152469. 0.2232632699F, 0.2236749364F, 0.2240868839F, 0.2244991121F,
  152470. 0.2249116204F, 0.2253244086F, 0.2257374763F, 0.2261508229F,
  152471. 0.2265644481F, 0.2269783514F, 0.2273925326F, 0.2278069911F,
  152472. 0.2282217265F, 0.2286367384F, 0.2290520265F, 0.2294675902F,
  152473. 0.2298834292F, 0.2302995431F, 0.2307159314F, 0.2311325937F,
  152474. 0.2315495297F, 0.2319667388F, 0.2323842207F, 0.2328019749F,
  152475. 0.2332200011F, 0.2336382988F, 0.2340568675F, 0.2344757070F,
  152476. 0.2348948166F, 0.2353141961F, 0.2357338450F, 0.2361537629F,
  152477. 0.2365739493F, 0.2369944038F, 0.2374151261F, 0.2378361156F,
  152478. 0.2382573720F, 0.2386788948F, 0.2391006836F, 0.2395227380F,
  152479. 0.2399450575F, 0.2403676417F, 0.2407904902F, 0.2412136026F,
  152480. 0.2416369783F, 0.2420606171F, 0.2424845185F, 0.2429086820F,
  152481. 0.2433331072F, 0.2437577936F, 0.2441827409F, 0.2446079486F,
  152482. 0.2450334163F, 0.2454591435F, 0.2458851298F, 0.2463113747F,
  152483. 0.2467378779F, 0.2471646389F, 0.2475916573F, 0.2480189325F,
  152484. 0.2484464643F, 0.2488742521F, 0.2493022955F, 0.2497305940F,
  152485. 0.2501591473F, 0.2505879549F, 0.2510170163F, 0.2514463311F,
  152486. 0.2518758989F, 0.2523057193F, 0.2527357916F, 0.2531661157F,
  152487. 0.2535966909F, 0.2540275169F, 0.2544585931F, 0.2548899193F,
  152488. 0.2553214948F, 0.2557533193F, 0.2561853924F, 0.2566177135F,
  152489. 0.2570502822F, 0.2574830981F, 0.2579161608F, 0.2583494697F,
  152490. 0.2587830245F, 0.2592168246F, 0.2596508697F, 0.2600851593F,
  152491. 0.2605196929F, 0.2609544701F, 0.2613894904F, 0.2618247534F,
  152492. 0.2622602586F, 0.2626960055F, 0.2631319938F, 0.2635682230F,
  152493. 0.2640046925F, 0.2644414021F, 0.2648783511F, 0.2653155391F,
  152494. 0.2657529657F, 0.2661906305F, 0.2666285329F, 0.2670666725F,
  152495. 0.2675050489F, 0.2679436616F, 0.2683825101F, 0.2688215940F,
  152496. 0.2692609127F, 0.2697004660F, 0.2701402532F, 0.2705802739F,
  152497. 0.2710205278F, 0.2714610142F, 0.2719017327F, 0.2723426830F,
  152498. 0.2727838644F, 0.2732252766F, 0.2736669191F, 0.2741087914F,
  152499. 0.2745508930F, 0.2749932235F, 0.2754357824F, 0.2758785693F,
  152500. 0.2763215837F, 0.2767648251F, 0.2772082930F, 0.2776519870F,
  152501. 0.2780959066F, 0.2785400513F, 0.2789844207F, 0.2794290143F,
  152502. 0.2798738316F, 0.2803188722F, 0.2807641355F, 0.2812096211F,
  152503. 0.2816553286F, 0.2821012574F, 0.2825474071F, 0.2829937773F,
  152504. 0.2834403673F, 0.2838871768F, 0.2843342053F, 0.2847814523F,
  152505. 0.2852289174F, 0.2856765999F, 0.2861244996F, 0.2865726159F,
  152506. 0.2870209482F, 0.2874694962F, 0.2879182594F, 0.2883672372F,
  152507. 0.2888164293F, 0.2892658350F, 0.2897154540F, 0.2901652858F,
  152508. 0.2906153298F, 0.2910655856F, 0.2915160527F, 0.2919667306F,
  152509. 0.2924176189F, 0.2928687171F, 0.2933200246F, 0.2937715409F,
  152510. 0.2942232657F, 0.2946751984F, 0.2951273386F, 0.2955796856F,
  152511. 0.2960322391F, 0.2964849986F, 0.2969379636F, 0.2973911335F,
  152512. 0.2978445080F, 0.2982980864F, 0.2987518684F, 0.2992058534F,
  152513. 0.2996600409F, 0.3001144305F, 0.3005690217F, 0.3010238139F,
  152514. 0.3014788067F, 0.3019339995F, 0.3023893920F, 0.3028449835F,
  152515. 0.3033007736F, 0.3037567618F, 0.3042129477F, 0.3046693306F,
  152516. 0.3051259102F, 0.3055826859F, 0.3060396572F, 0.3064968236F,
  152517. 0.3069541847F, 0.3074117399F, 0.3078694887F, 0.3083274307F,
  152518. 0.3087855653F, 0.3092438920F, 0.3097024104F, 0.3101611199F,
  152519. 0.3106200200F, 0.3110791103F, 0.3115383902F, 0.3119978592F,
  152520. 0.3124575169F, 0.3129173627F, 0.3133773961F, 0.3138376166F,
  152521. 0.3142980238F, 0.3147586170F, 0.3152193959F, 0.3156803598F,
  152522. 0.3161415084F, 0.3166028410F, 0.3170643573F, 0.3175260566F,
  152523. 0.3179879384F, 0.3184500023F, 0.3189122478F, 0.3193746743F,
  152524. 0.3198372814F, 0.3203000685F, 0.3207630351F, 0.3212261807F,
  152525. 0.3216895048F, 0.3221530069F, 0.3226166865F, 0.3230805430F,
  152526. 0.3235445760F, 0.3240087849F, 0.3244731693F, 0.3249377285F,
  152527. 0.3254024622F, 0.3258673698F, 0.3263324507F, 0.3267977045F,
  152528. 0.3272631306F, 0.3277287286F, 0.3281944978F, 0.3286604379F,
  152529. 0.3291265482F, 0.3295928284F, 0.3300592777F, 0.3305258958F,
  152530. 0.3309926821F, 0.3314596361F, 0.3319267573F, 0.3323940451F,
  152531. 0.3328614990F, 0.3333291186F, 0.3337969033F, 0.3342648525F,
  152532. 0.3347329658F, 0.3352012427F, 0.3356696825F, 0.3361382849F,
  152533. 0.3366070492F, 0.3370759749F, 0.3375450616F, 0.3380143087F,
  152534. 0.3384837156F, 0.3389532819F, 0.3394230071F, 0.3398928905F,
  152535. 0.3403629317F, 0.3408331302F, 0.3413034854F, 0.3417739967F,
  152536. 0.3422446638F, 0.3427154860F, 0.3431864628F, 0.3436575938F,
  152537. 0.3441288782F, 0.3446003158F, 0.3450719058F, 0.3455436478F,
  152538. 0.3460155412F, 0.3464875856F, 0.3469597804F, 0.3474321250F,
  152539. 0.3479046189F, 0.3483772617F, 0.3488500527F, 0.3493229914F,
  152540. 0.3497960774F, 0.3502693100F, 0.3507426887F, 0.3512162131F,
  152541. 0.3516898825F, 0.3521636965F, 0.3526376545F, 0.3531117559F,
  152542. 0.3535860003F, 0.3540603870F, 0.3545349157F, 0.3550095856F,
  152543. 0.3554843964F, 0.3559593474F, 0.3564344381F, 0.3569096680F,
  152544. 0.3573850366F, 0.3578605432F, 0.3583361875F, 0.3588119687F,
  152545. 0.3592878865F, 0.3597639402F, 0.3602401293F, 0.3607164533F,
  152546. 0.3611929117F, 0.3616695038F, 0.3621462292F, 0.3626230873F,
  152547. 0.3631000776F, 0.3635771995F, 0.3640544525F, 0.3645318360F,
  152548. 0.3650093496F, 0.3654869926F, 0.3659647645F, 0.3664426648F,
  152549. 0.3669206930F, 0.3673988484F, 0.3678771306F, 0.3683555390F,
  152550. 0.3688340731F, 0.3693127322F, 0.3697915160F, 0.3702704237F,
  152551. 0.3707494549F, 0.3712286091F, 0.3717078857F, 0.3721872840F,
  152552. 0.3726668037F, 0.3731464441F, 0.3736262047F, 0.3741060850F,
  152553. 0.3745860843F, 0.3750662023F, 0.3755464382F, 0.3760267915F,
  152554. 0.3765072618F, 0.3769878484F, 0.3774685509F, 0.3779493686F,
  152555. 0.3784303010F, 0.3789113475F, 0.3793925076F, 0.3798737809F,
  152556. 0.3803551666F, 0.3808366642F, 0.3813182733F, 0.3817999932F,
  152557. 0.3822818234F, 0.3827637633F, 0.3832458124F, 0.3837279702F,
  152558. 0.3842102360F, 0.3846926093F, 0.3851750897F, 0.3856576764F,
  152559. 0.3861403690F, 0.3866231670F, 0.3871060696F, 0.3875890765F,
  152560. 0.3880721870F, 0.3885554007F, 0.3890387168F, 0.3895221349F,
  152561. 0.3900056544F, 0.3904892748F, 0.3909729955F, 0.3914568160F,
  152562. 0.3919407356F, 0.3924247539F, 0.3929088702F, 0.3933930841F,
  152563. 0.3938773949F, 0.3943618021F, 0.3948463052F, 0.3953309035F,
  152564. 0.3958155966F, 0.3963003838F, 0.3967852646F, 0.3972702385F,
  152565. 0.3977553048F, 0.3982404631F, 0.3987257127F, 0.3992110531F,
  152566. 0.3996964838F, 0.4001820041F, 0.4006676136F, 0.4011533116F,
  152567. 0.4016390976F, 0.4021249710F, 0.4026109313F, 0.4030969779F,
  152568. 0.4035831102F, 0.4040693277F, 0.4045556299F, 0.4050420160F,
  152569. 0.4055284857F, 0.4060150383F, 0.4065016732F, 0.4069883899F,
  152570. 0.4074751879F, 0.4079620665F, 0.4084490252F, 0.4089360635F,
  152571. 0.4094231807F, 0.4099103763F, 0.4103976498F, 0.4108850005F,
  152572. 0.4113724280F, 0.4118599315F, 0.4123475107F, 0.4128351648F,
  152573. 0.4133228934F, 0.4138106959F, 0.4142985716F, 0.4147865201F,
  152574. 0.4152745408F, 0.4157626330F, 0.4162507963F, 0.4167390301F,
  152575. 0.4172273337F, 0.4177157067F, 0.4182041484F, 0.4186926583F,
  152576. 0.4191812359F, 0.4196698805F, 0.4201585915F, 0.4206473685F,
  152577. 0.4211362108F, 0.4216251179F, 0.4221140892F, 0.4226031241F,
  152578. 0.4230922221F, 0.4235813826F, 0.4240706050F, 0.4245598887F,
  152579. 0.4250492332F, 0.4255386379F, 0.4260281022F, 0.4265176256F,
  152580. 0.4270072075F, 0.4274968473F, 0.4279865445F, 0.4284762984F,
  152581. 0.4289661086F, 0.4294559743F, 0.4299458951F, 0.4304358704F,
  152582. 0.4309258996F, 0.4314159822F, 0.4319061175F, 0.4323963050F,
  152583. 0.4328865441F, 0.4333768342F, 0.4338671749F, 0.4343575654F,
  152584. 0.4348480052F, 0.4353384938F, 0.4358290306F, 0.4363196149F,
  152585. 0.4368102463F, 0.4373009241F, 0.4377916478F, 0.4382824168F,
  152586. 0.4387732305F, 0.4392640884F, 0.4397549899F, 0.4402459343F,
  152587. 0.4407369212F, 0.4412279499F, 0.4417190198F, 0.4422101305F,
  152588. 0.4427012813F, 0.4431924717F, 0.4436837010F, 0.4441749686F,
  152589. 0.4446662742F, 0.4451576169F, 0.4456489963F, 0.4461404118F,
  152590. 0.4466318628F, 0.4471233487F, 0.4476148690F, 0.4481064230F,
  152591. 0.4485980103F, 0.4490896302F, 0.4495812821F, 0.4500729654F,
  152592. 0.4505646797F, 0.4510564243F, 0.4515481986F, 0.4520400021F,
  152593. 0.4525318341F, 0.4530236942F, 0.4535155816F, 0.4540074959F,
  152594. 0.4544994365F, 0.4549914028F, 0.4554833941F, 0.4559754100F,
  152595. 0.4564674499F, 0.4569595131F, 0.4574515991F, 0.4579437074F,
  152596. 0.4584358372F, 0.4589279881F, 0.4594201595F, 0.4599123508F,
  152597. 0.4604045615F, 0.4608967908F, 0.4613890383F, 0.4618813034F,
  152598. 0.4623735855F, 0.4628658841F, 0.4633581984F, 0.4638505281F,
  152599. 0.4643428724F, 0.4648352308F, 0.4653276028F, 0.4658199877F,
  152600. 0.4663123849F, 0.4668047940F, 0.4672972143F, 0.4677896451F,
  152601. 0.4682820861F, 0.4687745365F, 0.4692669958F, 0.4697594634F,
  152602. 0.4702519387F, 0.4707444211F, 0.4712369102F, 0.4717294052F,
  152603. 0.4722219056F, 0.4727144109F, 0.4732069204F, 0.4736994336F,
  152604. 0.4741919498F, 0.4746844686F, 0.4751769893F, 0.4756695113F,
  152605. 0.4761620341F, 0.4766545571F, 0.4771470797F, 0.4776396013F,
  152606. 0.4781321213F, 0.4786246392F, 0.4791171544F, 0.4796096663F,
  152607. 0.4801021744F, 0.4805946779F, 0.4810871765F, 0.4815796694F,
  152608. 0.4820721561F, 0.4825646360F, 0.4830571086F, 0.4835495732F,
  152609. 0.4840420293F, 0.4845344763F, 0.4850269136F, 0.4855193407F,
  152610. 0.4860117569F, 0.4865041617F, 0.4869965545F, 0.4874889347F,
  152611. 0.4879813018F, 0.4884736551F, 0.4889659941F, 0.4894583182F,
  152612. 0.4899506268F, 0.4904429193F, 0.4909351952F, 0.4914274538F,
  152613. 0.4919196947F, 0.4924119172F, 0.4929041207F, 0.4933963046F,
  152614. 0.4938884685F, 0.4943806116F, 0.4948727335F, 0.4953648335F,
  152615. 0.4958569110F, 0.4963489656F, 0.4968409965F, 0.4973330032F,
  152616. 0.4978249852F, 0.4983169419F, 0.4988088726F, 0.4993007768F,
  152617. 0.4997926539F, 0.5002845034F, 0.5007763247F, 0.5012681171F,
  152618. 0.5017598801F, 0.5022516132F, 0.5027433157F, 0.5032349871F,
  152619. 0.5037266268F, 0.5042182341F, 0.5047098086F, 0.5052013497F,
  152620. 0.5056928567F, 0.5061843292F, 0.5066757664F, 0.5071671679F,
  152621. 0.5076585330F, 0.5081498613F, 0.5086411520F, 0.5091324047F,
  152622. 0.5096236187F, 0.5101147934F, 0.5106059284F, 0.5110970230F,
  152623. 0.5115880766F, 0.5120790887F, 0.5125700587F, 0.5130609860F,
  152624. 0.5135518700F, 0.5140427102F, 0.5145335059F, 0.5150242566F,
  152625. 0.5155149618F, 0.5160056208F, 0.5164962331F, 0.5169867980F,
  152626. 0.5174773151F, 0.5179677837F, 0.5184582033F, 0.5189485733F,
  152627. 0.5194388931F, 0.5199291621F, 0.5204193798F, 0.5209095455F,
  152628. 0.5213996588F, 0.5218897190F, 0.5223797256F, 0.5228696779F,
  152629. 0.5233595755F, 0.5238494177F, 0.5243392039F, 0.5248289337F,
  152630. 0.5253186063F, 0.5258082213F, 0.5262977781F, 0.5267872760F,
  152631. 0.5272767146F, 0.5277660932F, 0.5282554112F, 0.5287446682F,
  152632. 0.5292338635F, 0.5297229965F, 0.5302120667F, 0.5307010736F,
  152633. 0.5311900164F, 0.5316788947F, 0.5321677079F, 0.5326564554F,
  152634. 0.5331451366F, 0.5336337511F, 0.5341222981F, 0.5346107771F,
  152635. 0.5350991876F, 0.5355875290F, 0.5360758007F, 0.5365640021F,
  152636. 0.5370521327F, 0.5375401920F, 0.5380281792F, 0.5385160939F,
  152637. 0.5390039355F, 0.5394917034F, 0.5399793971F, 0.5404670159F,
  152638. 0.5409545594F, 0.5414420269F, 0.5419294179F, 0.5424167318F,
  152639. 0.5429039680F, 0.5433911261F, 0.5438782053F, 0.5443652051F,
  152640. 0.5448521250F, 0.5453389644F, 0.5458257228F, 0.5463123995F,
  152641. 0.5467989940F, 0.5472855057F, 0.5477719341F, 0.5482582786F,
  152642. 0.5487445387F, 0.5492307137F, 0.5497168031F, 0.5502028063F,
  152643. 0.5506887228F, 0.5511745520F, 0.5516602934F, 0.5521459463F,
  152644. 0.5526315103F, 0.5531169847F, 0.5536023690F, 0.5540876626F,
  152645. 0.5545728649F, 0.5550579755F, 0.5555429937F, 0.5560279189F,
  152646. 0.5565127507F, 0.5569974884F, 0.5574821315F, 0.5579666794F,
  152647. 0.5584511316F, 0.5589354875F, 0.5594197465F, 0.5599039080F,
  152648. 0.5603879716F, 0.5608719367F, 0.5613558026F, 0.5618395689F,
  152649. 0.5623232350F, 0.5628068002F, 0.5632902642F, 0.5637736262F,
  152650. 0.5642568858F, 0.5647400423F, 0.5652230953F, 0.5657060442F,
  152651. 0.5661888883F, 0.5666716272F, 0.5671542603F, 0.5676367870F,
  152652. 0.5681192069F, 0.5686015192F, 0.5690837235F, 0.5695658192F,
  152653. 0.5700478058F, 0.5705296827F, 0.5710114494F, 0.5714931052F,
  152654. 0.5719746497F, 0.5724560822F, 0.5729374023F, 0.5734186094F,
  152655. 0.5738997029F, 0.5743806823F, 0.5748615470F, 0.5753422965F,
  152656. 0.5758229301F, 0.5763034475F, 0.5767838480F, 0.5772641310F,
  152657. 0.5777442960F, 0.5782243426F, 0.5787042700F, 0.5791840778F,
  152658. 0.5796637654F, 0.5801433322F, 0.5806227778F, 0.5811021016F,
  152659. 0.5815813029F, 0.5820603814F, 0.5825393363F, 0.5830181673F,
  152660. 0.5834968737F, 0.5839754549F, 0.5844539105F, 0.5849322399F,
  152661. 0.5854104425F, 0.5858885179F, 0.5863664653F, 0.5868442844F,
  152662. 0.5873219746F, 0.5877995353F, 0.5882769660F, 0.5887542661F,
  152663. 0.5892314351F, 0.5897084724F, 0.5901853776F, 0.5906621500F,
  152664. 0.5911387892F, 0.5916152945F, 0.5920916655F, 0.5925679016F,
  152665. 0.5930440022F, 0.5935199669F, 0.5939957950F, 0.5944714861F,
  152666. 0.5949470396F, 0.5954224550F, 0.5958977317F, 0.5963728692F,
  152667. 0.5968478669F, 0.5973227244F, 0.5977974411F, 0.5982720163F,
  152668. 0.5987464497F, 0.5992207407F, 0.5996948887F, 0.6001688932F,
  152669. 0.6006427537F, 0.6011164696F, 0.6015900405F, 0.6020634657F,
  152670. 0.6025367447F, 0.6030098770F, 0.6034828621F, 0.6039556995F,
  152671. 0.6044283885F, 0.6049009288F, 0.6053733196F, 0.6058455606F,
  152672. 0.6063176512F, 0.6067895909F, 0.6072613790F, 0.6077330152F,
  152673. 0.6082044989F, 0.6086758295F, 0.6091470065F, 0.6096180294F,
  152674. 0.6100888977F, 0.6105596108F, 0.6110301682F, 0.6115005694F,
  152675. 0.6119708139F, 0.6124409011F, 0.6129108305F, 0.6133806017F,
  152676. 0.6138502139F, 0.6143196669F, 0.6147889599F, 0.6152580926F,
  152677. 0.6157270643F, 0.6161958746F, 0.6166645230F, 0.6171330088F,
  152678. 0.6176013317F, 0.6180694910F, 0.6185374863F, 0.6190053171F,
  152679. 0.6194729827F, 0.6199404828F, 0.6204078167F, 0.6208749841F,
  152680. 0.6213419842F, 0.6218088168F, 0.6222754811F, 0.6227419768F,
  152681. 0.6232083032F, 0.6236744600F, 0.6241404465F, 0.6246062622F,
  152682. 0.6250719067F, 0.6255373795F, 0.6260026799F, 0.6264678076F,
  152683. 0.6269327619F, 0.6273975425F, 0.6278621487F, 0.6283265800F,
  152684. 0.6287908361F, 0.6292549163F, 0.6297188201F, 0.6301825471F,
  152685. 0.6306460966F, 0.6311094683F, 0.6315726617F, 0.6320356761F,
  152686. 0.6324985111F, 0.6329611662F, 0.6334236410F, 0.6338859348F,
  152687. 0.6343480472F, 0.6348099777F, 0.6352717257F, 0.6357332909F,
  152688. 0.6361946726F, 0.6366558704F, 0.6371168837F, 0.6375777122F,
  152689. 0.6380383552F, 0.6384988123F, 0.6389590830F, 0.6394191668F,
  152690. 0.6398790631F, 0.6403387716F, 0.6407982916F, 0.6412576228F,
  152691. 0.6417167645F, 0.6421757163F, 0.6426344778F, 0.6430930483F,
  152692. 0.6435514275F, 0.6440096149F, 0.6444676098F, 0.6449254119F,
  152693. 0.6453830207F, 0.6458404356F, 0.6462976562F, 0.6467546820F,
  152694. 0.6472115125F, 0.6476681472F, 0.6481245856F, 0.6485808273F,
  152695. 0.6490368717F, 0.6494927183F, 0.6499483667F, 0.6504038164F,
  152696. 0.6508590670F, 0.6513141178F, 0.6517689684F, 0.6522236185F,
  152697. 0.6526780673F, 0.6531323146F, 0.6535863598F, 0.6540402024F,
  152698. 0.6544938419F, 0.6549472779F, 0.6554005099F, 0.6558535373F,
  152699. 0.6563063598F, 0.6567589769F, 0.6572113880F, 0.6576635927F,
  152700. 0.6581155906F, 0.6585673810F, 0.6590189637F, 0.6594703380F,
  152701. 0.6599215035F, 0.6603724598F, 0.6608232064F, 0.6612737427F,
  152702. 0.6617240684F, 0.6621741829F, 0.6626240859F, 0.6630737767F,
  152703. 0.6635232550F, 0.6639725202F, 0.6644215720F, 0.6648704098F,
  152704. 0.6653190332F, 0.6657674417F, 0.6662156348F, 0.6666636121F,
  152705. 0.6671113731F, 0.6675589174F, 0.6680062445F, 0.6684533538F,
  152706. 0.6689002450F, 0.6693469177F, 0.6697933712F, 0.6702396052F,
  152707. 0.6706856193F, 0.6711314129F, 0.6715769855F, 0.6720223369F,
  152708. 0.6724674664F, 0.6729123736F, 0.6733570581F, 0.6738015194F,
  152709. 0.6742457570F, 0.6746897706F, 0.6751335596F, 0.6755771236F,
  152710. 0.6760204621F, 0.6764635747F, 0.6769064609F, 0.6773491204F,
  152711. 0.6777915525F, 0.6782337570F, 0.6786757332F, 0.6791174809F,
  152712. 0.6795589995F, 0.6800002886F, 0.6804413477F, 0.6808821765F,
  152713. 0.6813227743F, 0.6817631409F, 0.6822032758F, 0.6826431785F,
  152714. 0.6830828485F, 0.6835222855F, 0.6839614890F, 0.6844004585F,
  152715. 0.6848391936F, 0.6852776939F, 0.6857159589F, 0.6861539883F,
  152716. 0.6865917815F, 0.6870293381F, 0.6874666576F, 0.6879037398F,
  152717. 0.6883405840F, 0.6887771899F, 0.6892135571F, 0.6896496850F,
  152718. 0.6900855733F, 0.6905212216F, 0.6909566294F, 0.6913917963F,
  152719. 0.6918267218F, 0.6922614055F, 0.6926958471F, 0.6931300459F,
  152720. 0.6935640018F, 0.6939977141F, 0.6944311825F, 0.6948644066F,
  152721. 0.6952973859F, 0.6957301200F, 0.6961626085F, 0.6965948510F,
  152722. 0.6970268470F, 0.6974585961F, 0.6978900980F, 0.6983213521F,
  152723. 0.6987523580F, 0.6991831154F, 0.6996136238F, 0.7000438828F,
  152724. 0.7004738921F, 0.7009036510F, 0.7013331594F, 0.7017624166F,
  152725. 0.7021914224F, 0.7026201763F, 0.7030486779F, 0.7034769268F,
  152726. 0.7039049226F, 0.7043326648F, 0.7047601531F, 0.7051873870F,
  152727. 0.7056143662F, 0.7060410902F, 0.7064675586F, 0.7068937711F,
  152728. 0.7073197271F, 0.7077454264F, 0.7081708684F, 0.7085960529F,
  152729. 0.7090209793F, 0.7094456474F, 0.7098700566F, 0.7102942066F,
  152730. 0.7107180970F, 0.7111417274F, 0.7115650974F, 0.7119882066F,
  152731. 0.7124110545F, 0.7128336409F, 0.7132559653F, 0.7136780272F,
  152732. 0.7140998264F, 0.7145213624F, 0.7149426348F, 0.7153636433F,
  152733. 0.7157843874F, 0.7162048668F, 0.7166250810F, 0.7170450296F,
  152734. 0.7174647124F, 0.7178841289F, 0.7183032786F, 0.7187221613F,
  152735. 0.7191407765F, 0.7195591239F, 0.7199772030F, 0.7203950135F,
  152736. 0.7208125550F, 0.7212298271F, 0.7216468294F, 0.7220635616F,
  152737. 0.7224800233F, 0.7228962140F, 0.7233121335F, 0.7237277813F,
  152738. 0.7241431571F, 0.7245582604F, 0.7249730910F, 0.7253876484F,
  152739. 0.7258019322F, 0.7262159422F, 0.7266296778F, 0.7270431388F,
  152740. 0.7274563247F, 0.7278692353F, 0.7282818700F, 0.7286942287F,
  152741. 0.7291063108F, 0.7295181160F, 0.7299296440F, 0.7303408944F,
  152742. 0.7307518669F, 0.7311625609F, 0.7315729763F, 0.7319831126F,
  152743. 0.7323929695F, 0.7328025466F, 0.7332118435F, 0.7336208600F,
  152744. 0.7340295955F, 0.7344380499F, 0.7348462226F, 0.7352541134F,
  152745. 0.7356617220F, 0.7360690478F, 0.7364760907F, 0.7368828502F,
  152746. 0.7372893259F, 0.7376955176F, 0.7381014249F, 0.7385070475F,
  152747. 0.7389123849F, 0.7393174368F, 0.7397222029F, 0.7401266829F,
  152748. 0.7405308763F, 0.7409347829F, 0.7413384023F, 0.7417417341F,
  152749. 0.7421447780F, 0.7425475338F, 0.7429500009F, 0.7433521791F,
  152750. 0.7437540681F, 0.7441556674F, 0.7445569769F, 0.7449579960F,
  152751. 0.7453587245F, 0.7457591621F, 0.7461593084F, 0.7465591631F,
  152752. 0.7469587259F, 0.7473579963F, 0.7477569741F, 0.7481556590F,
  152753. 0.7485540506F, 0.7489521486F, 0.7493499526F, 0.7497474623F,
  152754. 0.7501446775F, 0.7505415977F, 0.7509382227F, 0.7513345521F,
  152755. 0.7517305856F, 0.7521263229F, 0.7525217636F, 0.7529169074F,
  152756. 0.7533117541F, 0.7537063032F, 0.7541005545F, 0.7544945076F,
  152757. 0.7548881623F, 0.7552815182F, 0.7556745749F, 0.7560673323F,
  152758. 0.7564597899F, 0.7568519474F, 0.7572438046F, 0.7576353611F,
  152759. 0.7580266166F, 0.7584175708F, 0.7588082235F, 0.7591985741F,
  152760. 0.7595886226F, 0.7599783685F, 0.7603678116F, 0.7607569515F,
  152761. 0.7611457879F, 0.7615343206F, 0.7619225493F, 0.7623104735F,
  152762. 0.7626980931F, 0.7630854078F, 0.7634724171F, 0.7638591209F,
  152763. 0.7642455188F, 0.7646316106F, 0.7650173959F, 0.7654028744F,
  152764. 0.7657880459F, 0.7661729100F, 0.7665574664F, 0.7669417150F,
  152765. 0.7673256553F, 0.7677092871F, 0.7680926100F, 0.7684756239F,
  152766. 0.7688583284F, 0.7692407232F, 0.7696228080F, 0.7700045826F,
  152767. 0.7703860467F, 0.7707671999F, 0.7711480420F, 0.7715285728F,
  152768. 0.7719087918F, 0.7722886989F, 0.7726682938F, 0.7730475762F,
  152769. 0.7734265458F, 0.7738052023F, 0.7741835454F, 0.7745615750F,
  152770. 0.7749392906F, 0.7753166921F, 0.7756937791F, 0.7760705514F,
  152771. 0.7764470087F, 0.7768231508F, 0.7771989773F, 0.7775744880F,
  152772. 0.7779496827F, 0.7783245610F, 0.7786991227F, 0.7790733676F,
  152773. 0.7794472953F, 0.7798209056F, 0.7801941982F, 0.7805671729F,
  152774. 0.7809398294F, 0.7813121675F, 0.7816841869F, 0.7820558873F,
  152775. 0.7824272684F, 0.7827983301F, 0.7831690720F, 0.7835394940F,
  152776. 0.7839095957F, 0.7842793768F, 0.7846488373F, 0.7850179767F,
  152777. 0.7853867948F, 0.7857552914F, 0.7861234663F, 0.7864913191F,
  152778. 0.7868588497F, 0.7872260578F, 0.7875929431F, 0.7879595055F,
  152779. 0.7883257445F, 0.7886916601F, 0.7890572520F, 0.7894225198F,
  152780. 0.7897874635F, 0.7901520827F, 0.7905163772F, 0.7908803468F,
  152781. 0.7912439912F, 0.7916073102F, 0.7919703035F, 0.7923329710F,
  152782. 0.7926953124F, 0.7930573274F, 0.7934190158F, 0.7937803774F,
  152783. 0.7941414120F, 0.7945021193F, 0.7948624991F, 0.7952225511F,
  152784. 0.7955822752F, 0.7959416711F, 0.7963007387F, 0.7966594775F,
  152785. 0.7970178875F, 0.7973759685F, 0.7977337201F, 0.7980911422F,
  152786. 0.7984482346F, 0.7988049970F, 0.7991614292F, 0.7995175310F,
  152787. 0.7998733022F, 0.8002287426F, 0.8005838519F, 0.8009386299F,
  152788. 0.8012930765F, 0.8016471914F, 0.8020009744F, 0.8023544253F,
  152789. 0.8027075438F, 0.8030603298F, 0.8034127831F, 0.8037649035F,
  152790. 0.8041166906F, 0.8044681445F, 0.8048192647F, 0.8051700512F,
  152791. 0.8055205038F, 0.8058706222F, 0.8062204062F, 0.8065698556F,
  152792. 0.8069189702F, 0.8072677499F, 0.8076161944F, 0.8079643036F,
  152793. 0.8083120772F, 0.8086595151F, 0.8090066170F, 0.8093533827F,
  152794. 0.8096998122F, 0.8100459051F, 0.8103916613F, 0.8107370806F,
  152795. 0.8110821628F, 0.8114269077F, 0.8117713151F, 0.8121153849F,
  152796. 0.8124591169F, 0.8128025108F, 0.8131455666F, 0.8134882839F,
  152797. 0.8138306627F, 0.8141727027F, 0.8145144038F, 0.8148557658F,
  152798. 0.8151967886F, 0.8155374718F, 0.8158778154F, 0.8162178192F,
  152799. 0.8165574830F, 0.8168968067F, 0.8172357900F, 0.8175744328F,
  152800. 0.8179127349F, 0.8182506962F, 0.8185883164F, 0.8189255955F,
  152801. 0.8192625332F, 0.8195991295F, 0.8199353840F, 0.8202712967F,
  152802. 0.8206068673F, 0.8209420958F, 0.8212769820F, 0.8216115256F,
  152803. 0.8219457266F, 0.8222795848F, 0.8226131000F, 0.8229462721F,
  152804. 0.8232791009F, 0.8236115863F, 0.8239437280F, 0.8242755260F,
  152805. 0.8246069801F, 0.8249380901F, 0.8252688559F, 0.8255992774F,
  152806. 0.8259293544F, 0.8262590867F, 0.8265884741F, 0.8269175167F,
  152807. 0.8272462141F, 0.8275745663F, 0.8279025732F, 0.8282302344F,
  152808. 0.8285575501F, 0.8288845199F, 0.8292111437F, 0.8295374215F,
  152809. 0.8298633530F, 0.8301889382F, 0.8305141768F, 0.8308390688F,
  152810. 0.8311636141F, 0.8314878124F, 0.8318116637F, 0.8321351678F,
  152811. 0.8324583246F, 0.8327811340F, 0.8331035957F, 0.8334257098F,
  152812. 0.8337474761F, 0.8340688944F, 0.8343899647F, 0.8347106867F,
  152813. 0.8350310605F, 0.8353510857F, 0.8356707624F, 0.8359900904F,
  152814. 0.8363090696F, 0.8366276999F, 0.8369459811F, 0.8372639131F,
  152815. 0.8375814958F, 0.8378987292F, 0.8382156130F, 0.8385321472F,
  152816. 0.8388483316F, 0.8391641662F, 0.8394796508F, 0.8397947853F,
  152817. 0.8401095697F, 0.8404240037F, 0.8407380873F, 0.8410518204F,
  152818. 0.8413652029F, 0.8416782347F, 0.8419909156F, 0.8423032456F,
  152819. 0.8426152245F, 0.8429268523F, 0.8432381289F, 0.8435490541F,
  152820. 0.8438596279F, 0.8441698502F, 0.8444797208F, 0.8447892396F,
  152821. 0.8450984067F, 0.8454072218F, 0.8457156849F, 0.8460237959F,
  152822. 0.8463315547F, 0.8466389612F, 0.8469460154F, 0.8472527170F,
  152823. 0.8475590661F, 0.8478650625F, 0.8481707063F, 0.8484759971F,
  152824. 0.8487809351F, 0.8490855201F, 0.8493897521F, 0.8496936308F,
  152825. 0.8499971564F, 0.8503003286F, 0.8506031474F, 0.8509056128F,
  152826. 0.8512077246F, 0.8515094828F, 0.8518108872F, 0.8521119379F,
  152827. 0.8524126348F, 0.8527129777F, 0.8530129666F, 0.8533126015F,
  152828. 0.8536118822F, 0.8539108087F, 0.8542093809F, 0.8545075988F,
  152829. 0.8548054623F, 0.8551029712F, 0.8554001257F, 0.8556969255F,
  152830. 0.8559933707F, 0.8562894611F, 0.8565851968F, 0.8568805775F,
  152831. 0.8571756034F, 0.8574702743F, 0.8577645902F, 0.8580585509F,
  152832. 0.8583521566F, 0.8586454070F, 0.8589383021F, 0.8592308420F,
  152833. 0.8595230265F, 0.8598148556F, 0.8601063292F, 0.8603974473F,
  152834. 0.8606882098F, 0.8609786167F, 0.8612686680F, 0.8615583636F,
  152835. 0.8618477034F, 0.8621366874F, 0.8624253156F, 0.8627135878F,
  152836. 0.8630015042F, 0.8632890646F, 0.8635762690F, 0.8638631173F,
  152837. 0.8641496096F, 0.8644357457F, 0.8647215257F, 0.8650069495F,
  152838. 0.8652920171F, 0.8655767283F, 0.8658610833F, 0.8661450820F,
  152839. 0.8664287243F, 0.8667120102F, 0.8669949397F, 0.8672775127F,
  152840. 0.8675597293F, 0.8678415894F, 0.8681230929F, 0.8684042398F,
  152841. 0.8686850302F, 0.8689654640F, 0.8692455412F, 0.8695252617F,
  152842. 0.8698046255F, 0.8700836327F, 0.8703622831F, 0.8706405768F,
  152843. 0.8709185138F, 0.8711960940F, 0.8714733174F, 0.8717501840F,
  152844. 0.8720266939F, 0.8723028469F, 0.8725786430F, 0.8728540824F,
  152845. 0.8731291648F, 0.8734038905F, 0.8736782592F, 0.8739522711F,
  152846. 0.8742259261F, 0.8744992242F, 0.8747721653F, 0.8750447496F,
  152847. 0.8753169770F, 0.8755888475F, 0.8758603611F, 0.8761315177F,
  152848. 0.8764023175F, 0.8766727603F, 0.8769428462F, 0.8772125752F,
  152849. 0.8774819474F, 0.8777509626F, 0.8780196209F, 0.8782879224F,
  152850. 0.8785558669F, 0.8788234546F, 0.8790906854F, 0.8793575594F,
  152851. 0.8796240765F, 0.8798902368F, 0.8801560403F, 0.8804214870F,
  152852. 0.8806865768F, 0.8809513099F, 0.8812156863F, 0.8814797059F,
  152853. 0.8817433687F, 0.8820066749F, 0.8822696243F, 0.8825322171F,
  152854. 0.8827944532F, 0.8830563327F, 0.8833178556F, 0.8835790219F,
  152855. 0.8838398316F, 0.8841002848F, 0.8843603815F, 0.8846201217F,
  152856. 0.8848795054F, 0.8851385327F, 0.8853972036F, 0.8856555182F,
  152857. 0.8859134764F, 0.8861710783F, 0.8864283239F, 0.8866852133F,
  152858. 0.8869417464F, 0.8871979234F, 0.8874537443F, 0.8877092090F,
  152859. 0.8879643177F, 0.8882190704F, 0.8884734671F, 0.8887275078F,
  152860. 0.8889811927F, 0.8892345216F, 0.8894874948F, 0.8897401122F,
  152861. 0.8899923738F, 0.8902442798F, 0.8904958301F, 0.8907470248F,
  152862. 0.8909978640F, 0.8912483477F, 0.8914984759F, 0.8917482487F,
  152863. 0.8919976662F, 0.8922467284F, 0.8924954353F, 0.8927437871F,
  152864. 0.8929917837F, 0.8932394252F, 0.8934867118F, 0.8937336433F,
  152865. 0.8939802199F, 0.8942264417F, 0.8944723087F, 0.8947178210F,
  152866. 0.8949629785F, 0.8952077815F, 0.8954522299F, 0.8956963239F,
  152867. 0.8959400634F, 0.8961834486F, 0.8964264795F, 0.8966691561F,
  152868. 0.8969114786F, 0.8971534470F, 0.8973950614F, 0.8976363219F,
  152869. 0.8978772284F, 0.8981177812F, 0.8983579802F, 0.8985978256F,
  152870. 0.8988373174F, 0.8990764556F, 0.8993152405F, 0.8995536720F,
  152871. 0.8997917502F, 0.9000294751F, 0.9002668470F, 0.9005038658F,
  152872. 0.9007405317F, 0.9009768446F, 0.9012128048F, 0.9014484123F,
  152873. 0.9016836671F, 0.9019185693F, 0.9021531191F, 0.9023873165F,
  152874. 0.9026211616F, 0.9028546546F, 0.9030877954F, 0.9033205841F,
  152875. 0.9035530210F, 0.9037851059F, 0.9040168392F, 0.9042482207F,
  152876. 0.9044792507F, 0.9047099293F, 0.9049402564F, 0.9051702323F,
  152877. 0.9053998569F, 0.9056291305F, 0.9058580531F, 0.9060866248F,
  152878. 0.9063148457F, 0.9065427159F, 0.9067702355F, 0.9069974046F,
  152879. 0.9072242233F, 0.9074506917F, 0.9076768100F, 0.9079025782F,
  152880. 0.9081279964F, 0.9083530647F, 0.9085777833F, 0.9088021523F,
  152881. 0.9090261717F, 0.9092498417F, 0.9094731623F, 0.9096961338F,
  152882. 0.9099187561F, 0.9101410295F, 0.9103629540F, 0.9105845297F,
  152883. 0.9108057568F, 0.9110266354F, 0.9112471656F, 0.9114673475F,
  152884. 0.9116871812F, 0.9119066668F, 0.9121258046F, 0.9123445945F,
  152885. 0.9125630367F, 0.9127811314F, 0.9129988786F, 0.9132162785F,
  152886. 0.9134333312F, 0.9136500368F, 0.9138663954F, 0.9140824073F,
  152887. 0.9142980724F, 0.9145133910F, 0.9147283632F, 0.9149429890F,
  152888. 0.9151572687F, 0.9153712023F, 0.9155847900F, 0.9157980319F,
  152889. 0.9160109282F, 0.9162234790F, 0.9164356844F, 0.9166475445F,
  152890. 0.9168590595F, 0.9170702296F, 0.9172810548F, 0.9174915354F,
  152891. 0.9177016714F, 0.9179114629F, 0.9181209102F, 0.9183300134F,
  152892. 0.9185387726F, 0.9187471879F, 0.9189552595F, 0.9191629876F,
  152893. 0.9193703723F, 0.9195774136F, 0.9197841119F, 0.9199904672F,
  152894. 0.9201964797F, 0.9204021495F, 0.9206074767F, 0.9208124616F,
  152895. 0.9210171043F, 0.9212214049F, 0.9214253636F, 0.9216289805F,
  152896. 0.9218322558F, 0.9220351896F, 0.9222377821F, 0.9224400335F,
  152897. 0.9226419439F, 0.9228435134F, 0.9230447423F, 0.9232456307F,
  152898. 0.9234461787F, 0.9236463865F, 0.9238462543F, 0.9240457822F,
  152899. 0.9242449704F, 0.9244438190F, 0.9246423282F, 0.9248404983F,
  152900. 0.9250383293F, 0.9252358214F, 0.9254329747F, 0.9256297896F,
  152901. 0.9258262660F, 0.9260224042F, 0.9262182044F, 0.9264136667F,
  152902. 0.9266087913F, 0.9268035783F, 0.9269980280F, 0.9271921405F,
  152903. 0.9273859160F, 0.9275793546F, 0.9277724566F, 0.9279652221F,
  152904. 0.9281576513F, 0.9283497443F, 0.9285415014F, 0.9287329227F,
  152905. 0.9289240084F, 0.9291147586F, 0.9293051737F, 0.9294952536F,
  152906. 0.9296849987F, 0.9298744091F, 0.9300634850F, 0.9302522266F,
  152907. 0.9304406340F, 0.9306287074F, 0.9308164471F, 0.9310038532F,
  152908. 0.9311909259F, 0.9313776654F, 0.9315640719F, 0.9317501455F,
  152909. 0.9319358865F, 0.9321212951F, 0.9323063713F, 0.9324911155F,
  152910. 0.9326755279F, 0.9328596085F, 0.9330433577F, 0.9332267756F,
  152911. 0.9334098623F, 0.9335926182F, 0.9337750434F, 0.9339571380F,
  152912. 0.9341389023F, 0.9343203366F, 0.9345014409F, 0.9346822155F,
  152913. 0.9348626606F, 0.9350427763F, 0.9352225630F, 0.9354020207F,
  152914. 0.9355811498F, 0.9357599503F, 0.9359384226F, 0.9361165667F,
  152915. 0.9362943830F, 0.9364718716F, 0.9366490327F, 0.9368258666F,
  152916. 0.9370023733F, 0.9371785533F, 0.9373544066F, 0.9375299335F,
  152917. 0.9377051341F, 0.9378800087F, 0.9380545576F, 0.9382287809F,
  152918. 0.9384026787F, 0.9385762515F, 0.9387494993F, 0.9389224223F,
  152919. 0.9390950209F, 0.9392672951F, 0.9394392453F, 0.9396108716F,
  152920. 0.9397821743F, 0.9399531536F, 0.9401238096F, 0.9402941427F,
  152921. 0.9404641530F, 0.9406338407F, 0.9408032061F, 0.9409722495F,
  152922. 0.9411409709F, 0.9413093707F, 0.9414774491F, 0.9416452062F,
  152923. 0.9418126424F, 0.9419797579F, 0.9421465528F, 0.9423130274F,
  152924. 0.9424791819F, 0.9426450166F, 0.9428105317F, 0.9429757274F,
  152925. 0.9431406039F, 0.9433051616F, 0.9434694005F, 0.9436333209F,
  152926. 0.9437969232F, 0.9439602074F, 0.9441231739F, 0.9442858229F,
  152927. 0.9444481545F, 0.9446101691F, 0.9447718669F, 0.9449332481F,
  152928. 0.9450943129F, 0.9452550617F, 0.9454154945F, 0.9455756118F,
  152929. 0.9457354136F, 0.9458949003F, 0.9460540721F, 0.9462129292F,
  152930. 0.9463714719F, 0.9465297003F, 0.9466876149F, 0.9468452157F,
  152931. 0.9470025031F, 0.9471594772F, 0.9473161384F, 0.9474724869F,
  152932. 0.9476285229F, 0.9477842466F, 0.9479396584F, 0.9480947585F,
  152933. 0.9482495470F, 0.9484040243F, 0.9485581906F, 0.9487120462F,
  152934. 0.9488655913F, 0.9490188262F, 0.9491717511F, 0.9493243662F,
  152935. 0.9494766718F, 0.9496286683F, 0.9497803557F, 0.9499317345F,
  152936. 0.9500828047F, 0.9502335668F, 0.9503840209F, 0.9505341673F,
  152937. 0.9506840062F, 0.9508335380F, 0.9509827629F, 0.9511316810F,
  152938. 0.9512802928F, 0.9514285984F, 0.9515765982F, 0.9517242923F,
  152939. 0.9518716810F, 0.9520187646F, 0.9521655434F, 0.9523120176F,
  152940. 0.9524581875F, 0.9526040534F, 0.9527496154F, 0.9528948739F,
  152941. 0.9530398292F, 0.9531844814F, 0.9533288310F, 0.9534728780F,
  152942. 0.9536166229F, 0.9537600659F, 0.9539032071F, 0.9540460470F,
  152943. 0.9541885858F, 0.9543308237F, 0.9544727611F, 0.9546143981F,
  152944. 0.9547557351F, 0.9548967723F, 0.9550375100F, 0.9551779485F,
  152945. 0.9553180881F, 0.9554579290F, 0.9555974714F, 0.9557367158F,
  152946. 0.9558756623F, 0.9560143112F, 0.9561526628F, 0.9562907174F,
  152947. 0.9564284752F, 0.9565659366F, 0.9567031017F, 0.9568399710F,
  152948. 0.9569765446F, 0.9571128229F, 0.9572488061F, 0.9573844944F,
  152949. 0.9575198883F, 0.9576549879F, 0.9577897936F, 0.9579243056F,
  152950. 0.9580585242F, 0.9581924497F, 0.9583260824F, 0.9584594226F,
  152951. 0.9585924705F, 0.9587252264F, 0.9588576906F, 0.9589898634F,
  152952. 0.9591217452F, 0.9592533360F, 0.9593846364F, 0.9595156465F,
  152953. 0.9596463666F, 0.9597767971F, 0.9599069382F, 0.9600367901F,
  152954. 0.9601663533F, 0.9602956279F, 0.9604246143F, 0.9605533128F,
  152955. 0.9606817236F, 0.9608098471F, 0.9609376835F, 0.9610652332F,
  152956. 0.9611924963F, 0.9613194733F, 0.9614461644F, 0.9615725699F,
  152957. 0.9616986901F, 0.9618245253F, 0.9619500757F, 0.9620753418F,
  152958. 0.9622003238F, 0.9623250219F, 0.9624494365F, 0.9625735679F,
  152959. 0.9626974163F, 0.9628209821F, 0.9629442656F, 0.9630672671F,
  152960. 0.9631899868F, 0.9633124251F, 0.9634345822F, 0.9635564585F,
  152961. 0.9636780543F, 0.9637993699F, 0.9639204056F, 0.9640411616F,
  152962. 0.9641616383F, 0.9642818359F, 0.9644017549F, 0.9645213955F,
  152963. 0.9646407579F, 0.9647598426F, 0.9648786497F, 0.9649971797F,
  152964. 0.9651154328F, 0.9652334092F, 0.9653511095F, 0.9654685337F,
  152965. 0.9655856823F, 0.9657025556F, 0.9658191538F, 0.9659354773F,
  152966. 0.9660515263F, 0.9661673013F, 0.9662828024F, 0.9663980300F,
  152967. 0.9665129845F, 0.9666276660F, 0.9667420750F, 0.9668562118F,
  152968. 0.9669700766F, 0.9670836698F, 0.9671969917F, 0.9673100425F,
  152969. 0.9674228227F, 0.9675353325F, 0.9676475722F, 0.9677595422F,
  152970. 0.9678712428F, 0.9679826742F, 0.9680938368F, 0.9682047309F,
  152971. 0.9683153569F, 0.9684257150F, 0.9685358056F, 0.9686456289F,
  152972. 0.9687551853F, 0.9688644752F, 0.9689734987F, 0.9690822564F,
  152973. 0.9691907483F, 0.9692989750F, 0.9694069367F, 0.9695146337F,
  152974. 0.9696220663F, 0.9697292349F, 0.9698361398F, 0.9699427813F,
  152975. 0.9700491597F, 0.9701552754F, 0.9702611286F, 0.9703667197F,
  152976. 0.9704720490F, 0.9705771169F, 0.9706819236F, 0.9707864695F,
  152977. 0.9708907549F, 0.9709947802F, 0.9710985456F, 0.9712020514F,
  152978. 0.9713052981F, 0.9714082859F, 0.9715110151F, 0.9716134862F,
  152979. 0.9717156993F, 0.9718176549F, 0.9719193532F, 0.9720207946F,
  152980. 0.9721219794F, 0.9722229080F, 0.9723235806F, 0.9724239976F,
  152981. 0.9725241593F, 0.9726240661F, 0.9727237183F, 0.9728231161F,
  152982. 0.9729222601F, 0.9730211503F, 0.9731197873F, 0.9732181713F,
  152983. 0.9733163027F, 0.9734141817F, 0.9735118088F, 0.9736091842F,
  152984. 0.9737063083F, 0.9738031814F, 0.9738998039F, 0.9739961760F,
  152985. 0.9740922981F, 0.9741881706F, 0.9742837938F, 0.9743791680F,
  152986. 0.9744742935F, 0.9745691707F, 0.9746637999F, 0.9747581814F,
  152987. 0.9748523157F, 0.9749462029F, 0.9750398435F, 0.9751332378F,
  152988. 0.9752263861F, 0.9753192887F, 0.9754119461F, 0.9755043585F,
  152989. 0.9755965262F, 0.9756884496F, 0.9757801291F, 0.9758715650F,
  152990. 0.9759627575F, 0.9760537071F, 0.9761444141F, 0.9762348789F,
  152991. 0.9763251016F, 0.9764150828F, 0.9765048228F, 0.9765943218F,
  152992. 0.9766835802F, 0.9767725984F, 0.9768613767F, 0.9769499154F,
  152993. 0.9770382149F, 0.9771262755F, 0.9772140976F, 0.9773016815F,
  152994. 0.9773890275F, 0.9774761360F, 0.9775630073F, 0.9776496418F,
  152995. 0.9777360398F, 0.9778222016F, 0.9779081277F, 0.9779938182F,
  152996. 0.9780792736F, 0.9781644943F, 0.9782494805F, 0.9783342326F,
  152997. 0.9784187509F, 0.9785030359F, 0.9785870877F, 0.9786709069F,
  152998. 0.9787544936F, 0.9788378484F, 0.9789209714F, 0.9790038631F,
  152999. 0.9790865238F, 0.9791689538F, 0.9792511535F, 0.9793331232F,
  153000. 0.9794148633F, 0.9794963742F, 0.9795776561F, 0.9796587094F,
  153001. 0.9797395345F, 0.9798201316F, 0.9799005013F, 0.9799806437F,
  153002. 0.9800605593F, 0.9801402483F, 0.9802197112F, 0.9802989483F,
  153003. 0.9803779600F, 0.9804567465F, 0.9805353082F, 0.9806136455F,
  153004. 0.9806917587F, 0.9807696482F, 0.9808473143F, 0.9809247574F,
  153005. 0.9810019778F, 0.9810789759F, 0.9811557519F, 0.9812323064F,
  153006. 0.9813086395F, 0.9813847517F, 0.9814606433F, 0.9815363147F,
  153007. 0.9816117662F, 0.9816869981F, 0.9817620108F, 0.9818368047F,
  153008. 0.9819113801F, 0.9819857374F, 0.9820598769F, 0.9821337989F,
  153009. 0.9822075038F, 0.9822809920F, 0.9823542638F, 0.9824273195F,
  153010. 0.9825001596F, 0.9825727843F, 0.9826451940F, 0.9827173891F,
  153011. 0.9827893700F, 0.9828611368F, 0.9829326901F, 0.9830040302F,
  153012. 0.9830751574F, 0.9831460720F, 0.9832167745F, 0.9832872652F,
  153013. 0.9833575444F, 0.9834276124F, 0.9834974697F, 0.9835671166F,
  153014. 0.9836365535F, 0.9837057806F, 0.9837747983F, 0.9838436071F,
  153015. 0.9839122072F, 0.9839805990F, 0.9840487829F, 0.9841167591F,
  153016. 0.9841845282F, 0.9842520903F, 0.9843194459F, 0.9843865953F,
  153017. 0.9844535389F, 0.9845202771F, 0.9845868101F, 0.9846531383F,
  153018. 0.9847192622F, 0.9847851820F, 0.9848508980F, 0.9849164108F,
  153019. 0.9849817205F, 0.9850468276F, 0.9851117324F, 0.9851764352F,
  153020. 0.9852409365F, 0.9853052366F, 0.9853693358F, 0.9854332344F,
  153021. 0.9854969330F, 0.9855604317F, 0.9856237309F, 0.9856868310F,
  153022. 0.9857497325F, 0.9858124355F, 0.9858749404F, 0.9859372477F,
  153023. 0.9859993577F, 0.9860612707F, 0.9861229871F, 0.9861845072F,
  153024. 0.9862458315F, 0.9863069601F, 0.9863678936F, 0.9864286322F,
  153025. 0.9864891764F, 0.9865495264F, 0.9866096826F, 0.9866696454F,
  153026. 0.9867294152F, 0.9867889922F, 0.9868483769F, 0.9869075695F,
  153027. 0.9869665706F, 0.9870253803F, 0.9870839991F, 0.9871424273F,
  153028. 0.9872006653F, 0.9872587135F, 0.9873165721F, 0.9873742415F,
  153029. 0.9874317222F, 0.9874890144F, 0.9875461185F, 0.9876030348F,
  153030. 0.9876597638F, 0.9877163057F, 0.9877726610F, 0.9878288300F,
  153031. 0.9878848130F, 0.9879406104F, 0.9879962225F, 0.9880516497F,
  153032. 0.9881068924F, 0.9881619509F, 0.9882168256F, 0.9882715168F,
  153033. 0.9883260249F, 0.9883803502F, 0.9884344931F, 0.9884884539F,
  153034. 0.9885422331F, 0.9885958309F, 0.9886492477F, 0.9887024838F,
  153035. 0.9887555397F, 0.9888084157F, 0.9888611120F, 0.9889136292F,
  153036. 0.9889659675F, 0.9890181273F, 0.9890701089F, 0.9891219128F,
  153037. 0.9891735392F, 0.9892249885F, 0.9892762610F, 0.9893273572F,
  153038. 0.9893782774F, 0.9894290219F, 0.9894795911F, 0.9895299853F,
  153039. 0.9895802049F, 0.9896302502F, 0.9896801217F, 0.9897298196F,
  153040. 0.9897793443F, 0.9898286961F, 0.9898778755F, 0.9899268828F,
  153041. 0.9899757183F, 0.9900243823F, 0.9900728753F, 0.9901211976F,
  153042. 0.9901693495F, 0.9902173314F, 0.9902651436F, 0.9903127865F,
  153043. 0.9903602605F, 0.9904075659F, 0.9904547031F, 0.9905016723F,
  153044. 0.9905484740F, 0.9905951086F, 0.9906415763F, 0.9906878775F,
  153045. 0.9907340126F, 0.9907799819F, 0.9908257858F, 0.9908714247F,
  153046. 0.9909168988F, 0.9909622086F, 0.9910073543F, 0.9910523364F,
  153047. 0.9910971552F, 0.9911418110F, 0.9911863042F, 0.9912306351F,
  153048. 0.9912748042F, 0.9913188117F, 0.9913626580F, 0.9914063435F,
  153049. 0.9914498684F, 0.9914932333F, 0.9915364383F, 0.9915794839F,
  153050. 0.9916223703F, 0.9916650981F, 0.9917076674F, 0.9917500787F,
  153051. 0.9917923323F, 0.9918344286F, 0.9918763679F, 0.9919181505F,
  153052. 0.9919597769F, 0.9920012473F, 0.9920425621F, 0.9920837217F,
  153053. 0.9921247263F, 0.9921655765F, 0.9922062724F, 0.9922468145F,
  153054. 0.9922872030F, 0.9923274385F, 0.9923675211F, 0.9924074513F,
  153055. 0.9924472294F, 0.9924868557F, 0.9925263306F, 0.9925656544F,
  153056. 0.9926048275F, 0.9926438503F, 0.9926827230F, 0.9927214461F,
  153057. 0.9927600199F, 0.9927984446F, 0.9928367208F, 0.9928748486F,
  153058. 0.9929128285F, 0.9929506608F, 0.9929883459F, 0.9930258841F,
  153059. 0.9930632757F, 0.9931005211F, 0.9931376207F, 0.9931745747F,
  153060. 0.9932113836F, 0.9932480476F, 0.9932845671F, 0.9933209425F,
  153061. 0.9933571742F, 0.9933932623F, 0.9934292074F, 0.9934650097F,
  153062. 0.9935006696F, 0.9935361874F, 0.9935715635F, 0.9936067982F,
  153063. 0.9936418919F, 0.9936768448F, 0.9937116574F, 0.9937463300F,
  153064. 0.9937808629F, 0.9938152565F, 0.9938495111F, 0.9938836271F,
  153065. 0.9939176047F, 0.9939514444F, 0.9939851465F, 0.9940187112F,
  153066. 0.9940521391F, 0.9940854303F, 0.9941185853F, 0.9941516044F,
  153067. 0.9941844879F, 0.9942172361F, 0.9942498495F, 0.9942823283F,
  153068. 0.9943146729F, 0.9943468836F, 0.9943789608F, 0.9944109047F,
  153069. 0.9944427158F, 0.9944743944F, 0.9945059408F, 0.9945373553F,
  153070. 0.9945686384F, 0.9945997902F, 0.9946308112F, 0.9946617017F,
  153071. 0.9946924621F, 0.9947230926F, 0.9947535937F, 0.9947839656F,
  153072. 0.9948142086F, 0.9948443232F, 0.9948743097F, 0.9949041683F,
  153073. 0.9949338995F, 0.9949635035F, 0.9949929807F, 0.9950223315F,
  153074. 0.9950515561F, 0.9950806549F, 0.9951096282F, 0.9951384764F,
  153075. 0.9951671998F, 0.9951957987F, 0.9952242735F, 0.9952526245F,
  153076. 0.9952808520F, 0.9953089564F, 0.9953369380F, 0.9953647971F,
  153077. 0.9953925340F, 0.9954201491F, 0.9954476428F, 0.9954750153F,
  153078. 0.9955022670F, 0.9955293981F, 0.9955564092F, 0.9955833003F,
  153079. 0.9956100720F, 0.9956367245F, 0.9956632582F, 0.9956896733F,
  153080. 0.9957159703F, 0.9957421494F, 0.9957682110F, 0.9957941553F,
  153081. 0.9958199828F, 0.9958456937F, 0.9958712884F, 0.9958967672F,
  153082. 0.9959221305F, 0.9959473784F, 0.9959725115F, 0.9959975300F,
  153083. 0.9960224342F, 0.9960472244F, 0.9960719011F, 0.9960964644F,
  153084. 0.9961209148F, 0.9961452525F, 0.9961694779F, 0.9961935913F,
  153085. 0.9962175930F, 0.9962414834F, 0.9962652627F, 0.9962889313F,
  153086. 0.9963124895F, 0.9963359377F, 0.9963592761F, 0.9963825051F,
  153087. 0.9964056250F, 0.9964286361F, 0.9964515387F, 0.9964743332F,
  153088. 0.9964970198F, 0.9965195990F, 0.9965420709F, 0.9965644360F,
  153089. 0.9965866946F, 0.9966088469F, 0.9966308932F, 0.9966528340F,
  153090. 0.9966746695F, 0.9966964001F, 0.9967180260F, 0.9967395475F,
  153091. 0.9967609651F, 0.9967822789F, 0.9968034894F, 0.9968245968F,
  153092. 0.9968456014F, 0.9968665036F, 0.9968873037F, 0.9969080019F,
  153093. 0.9969285987F, 0.9969490942F, 0.9969694889F, 0.9969897830F,
  153094. 0.9970099769F, 0.9970300708F, 0.9970500651F, 0.9970699601F,
  153095. 0.9970897561F, 0.9971094533F, 0.9971290522F, 0.9971485531F,
  153096. 0.9971679561F, 0.9971872617F, 0.9972064702F, 0.9972255818F,
  153097. 0.9972445968F, 0.9972635157F, 0.9972823386F, 0.9973010659F,
  153098. 0.9973196980F, 0.9973382350F, 0.9973566773F, 0.9973750253F,
  153099. 0.9973932791F, 0.9974114392F, 0.9974295059F, 0.9974474793F,
  153100. 0.9974653599F, 0.9974831480F, 0.9975008438F, 0.9975184476F,
  153101. 0.9975359598F, 0.9975533806F, 0.9975707104F, 0.9975879495F,
  153102. 0.9976050981F, 0.9976221566F, 0.9976391252F, 0.9976560043F,
  153103. 0.9976727941F, 0.9976894950F, 0.9977061073F, 0.9977226312F,
  153104. 0.9977390671F, 0.9977554152F, 0.9977716759F, 0.9977878495F,
  153105. 0.9978039361F, 0.9978199363F, 0.9978358501F, 0.9978516780F,
  153106. 0.9978674202F, 0.9978830771F, 0.9978986488F, 0.9979141358F,
  153107. 0.9979295383F, 0.9979448566F, 0.9979600909F, 0.9979752417F,
  153108. 0.9979903091F, 0.9980052936F, 0.9980201952F, 0.9980350145F,
  153109. 0.9980497515F, 0.9980644067F, 0.9980789804F, 0.9980934727F,
  153110. 0.9981078841F, 0.9981222147F, 0.9981364649F, 0.9981506350F,
  153111. 0.9981647253F, 0.9981787360F, 0.9981926674F, 0.9982065199F,
  153112. 0.9982202936F, 0.9982339890F, 0.9982476062F, 0.9982611456F,
  153113. 0.9982746074F, 0.9982879920F, 0.9983012996F, 0.9983145304F,
  153114. 0.9983276849F, 0.9983407632F, 0.9983537657F, 0.9983666926F,
  153115. 0.9983795442F, 0.9983923208F, 0.9984050226F, 0.9984176501F,
  153116. 0.9984302033F, 0.9984426827F, 0.9984550884F, 0.9984674208F,
  153117. 0.9984796802F, 0.9984918667F, 0.9985039808F, 0.9985160227F,
  153118. 0.9985279926F, 0.9985398909F, 0.9985517177F, 0.9985634734F,
  153119. 0.9985751583F, 0.9985867727F, 0.9985983167F, 0.9986097907F,
  153120. 0.9986211949F, 0.9986325297F, 0.9986437953F, 0.9986549919F,
  153121. 0.9986661199F, 0.9986771795F, 0.9986881710F, 0.9986990946F,
  153122. 0.9987099507F, 0.9987207394F, 0.9987314611F, 0.9987421161F,
  153123. 0.9987527045F, 0.9987632267F, 0.9987736829F, 0.9987840734F,
  153124. 0.9987943985F, 0.9988046584F, 0.9988148534F, 0.9988249838F,
  153125. 0.9988350498F, 0.9988450516F, 0.9988549897F, 0.9988648641F,
  153126. 0.9988746753F, 0.9988844233F, 0.9988941086F, 0.9989037313F,
  153127. 0.9989132918F, 0.9989227902F, 0.9989322269F, 0.9989416021F,
  153128. 0.9989509160F, 0.9989601690F, 0.9989693613F, 0.9989784931F,
  153129. 0.9989875647F, 0.9989965763F, 0.9990055283F, 0.9990144208F,
  153130. 0.9990232541F, 0.9990320286F, 0.9990407443F, 0.9990494016F,
  153131. 0.9990580008F, 0.9990665421F, 0.9990750257F, 0.9990834519F,
  153132. 0.9990918209F, 0.9991001331F, 0.9991083886F, 0.9991165877F,
  153133. 0.9991247307F, 0.9991328177F, 0.9991408491F, 0.9991488251F,
  153134. 0.9991567460F, 0.9991646119F, 0.9991724232F, 0.9991801801F,
  153135. 0.9991878828F, 0.9991955316F, 0.9992031267F, 0.9992106684F,
  153136. 0.9992181569F, 0.9992255925F, 0.9992329753F, 0.9992403057F,
  153137. 0.9992475839F, 0.9992548101F, 0.9992619846F, 0.9992691076F,
  153138. 0.9992761793F, 0.9992832001F, 0.9992901701F, 0.9992970895F,
  153139. 0.9993039587F, 0.9993107777F, 0.9993175470F, 0.9993242667F,
  153140. 0.9993309371F, 0.9993375583F, 0.9993441307F, 0.9993506545F,
  153141. 0.9993571298F, 0.9993635570F, 0.9993699362F, 0.9993762678F,
  153142. 0.9993825519F, 0.9993887887F, 0.9993949785F, 0.9994011216F,
  153143. 0.9994072181F, 0.9994132683F, 0.9994192725F, 0.9994252307F,
  153144. 0.9994311434F, 0.9994370107F, 0.9994428327F, 0.9994486099F,
  153145. 0.9994543423F, 0.9994600303F, 0.9994656739F, 0.9994712736F,
  153146. 0.9994768294F, 0.9994823417F, 0.9994878105F, 0.9994932363F,
  153147. 0.9994986191F, 0.9995039592F, 0.9995092568F, 0.9995145122F,
  153148. 0.9995197256F, 0.9995248971F, 0.9995300270F, 0.9995351156F,
  153149. 0.9995401630F, 0.9995451695F, 0.9995501352F, 0.9995550604F,
  153150. 0.9995599454F, 0.9995647903F, 0.9995695953F, 0.9995743607F,
  153151. 0.9995790866F, 0.9995837734F, 0.9995884211F, 0.9995930300F,
  153152. 0.9995976004F, 0.9996021324F, 0.9996066263F, 0.9996110822F,
  153153. 0.9996155004F, 0.9996198810F, 0.9996242244F, 0.9996285306F,
  153154. 0.9996327999F, 0.9996370326F, 0.9996412287F, 0.9996453886F,
  153155. 0.9996495125F, 0.9996536004F, 0.9996576527F, 0.9996616696F,
  153156. 0.9996656512F, 0.9996695977F, 0.9996735094F, 0.9996773865F,
  153157. 0.9996812291F, 0.9996850374F, 0.9996888118F, 0.9996925523F,
  153158. 0.9996962591F, 0.9996999325F, 0.9997035727F, 0.9997071798F,
  153159. 0.9997107541F, 0.9997142957F, 0.9997178049F, 0.9997212818F,
  153160. 0.9997247266F, 0.9997281396F, 0.9997315209F, 0.9997348708F,
  153161. 0.9997381893F, 0.9997414767F, 0.9997447333F, 0.9997479591F,
  153162. 0.9997511544F, 0.9997543194F, 0.9997574542F, 0.9997605591F,
  153163. 0.9997636342F, 0.9997666797F, 0.9997696958F, 0.9997726828F,
  153164. 0.9997756407F, 0.9997785698F, 0.9997814703F, 0.9997843423F,
  153165. 0.9997871860F, 0.9997900016F, 0.9997927894F, 0.9997955494F,
  153166. 0.9997982818F, 0.9998009869F, 0.9998036648F, 0.9998063157F,
  153167. 0.9998089398F, 0.9998115373F, 0.9998141082F, 0.9998166529F,
  153168. 0.9998191715F, 0.9998216642F, 0.9998241311F, 0.9998265724F,
  153169. 0.9998289884F, 0.9998313790F, 0.9998337447F, 0.9998360854F,
  153170. 0.9998384015F, 0.9998406930F, 0.9998429602F, 0.9998452031F,
  153171. 0.9998474221F, 0.9998496171F, 0.9998517885F, 0.9998539364F,
  153172. 0.9998560610F, 0.9998581624F, 0.9998602407F, 0.9998622962F,
  153173. 0.9998643291F, 0.9998663394F, 0.9998683274F, 0.9998702932F,
  153174. 0.9998722370F, 0.9998741589F, 0.9998760591F, 0.9998779378F,
  153175. 0.9998797952F, 0.9998816313F, 0.9998834464F, 0.9998852406F,
  153176. 0.9998870141F, 0.9998887670F, 0.9998904995F, 0.9998922117F,
  153177. 0.9998939039F, 0.9998955761F, 0.9998972285F, 0.9998988613F,
  153178. 0.9999004746F, 0.9999020686F, 0.9999036434F, 0.9999051992F,
  153179. 0.9999067362F, 0.9999082544F, 0.9999097541F, 0.9999112354F,
  153180. 0.9999126984F, 0.9999141433F, 0.9999155703F, 0.9999169794F,
  153181. 0.9999183709F, 0.9999197449F, 0.9999211014F, 0.9999224408F,
  153182. 0.9999237631F, 0.9999250684F, 0.9999263570F, 0.9999276289F,
  153183. 0.9999288843F, 0.9999301233F, 0.9999313461F, 0.9999325529F,
  153184. 0.9999337437F, 0.9999349187F, 0.9999360780F, 0.9999372218F,
  153185. 0.9999383503F, 0.9999394635F, 0.9999405616F, 0.9999416447F,
  153186. 0.9999427129F, 0.9999437665F, 0.9999448055F, 0.9999458301F,
  153187. 0.9999468404F, 0.9999478365F, 0.9999488185F, 0.9999497867F,
  153188. 0.9999507411F, 0.9999516819F, 0.9999526091F, 0.9999535230F,
  153189. 0.9999544236F, 0.9999553111F, 0.9999561856F, 0.9999570472F,
  153190. 0.9999578960F, 0.9999587323F, 0.9999595560F, 0.9999603674F,
  153191. 0.9999611666F, 0.9999619536F, 0.9999627286F, 0.9999634917F,
  153192. 0.9999642431F, 0.9999649828F, 0.9999657110F, 0.9999664278F,
  153193. 0.9999671334F, 0.9999678278F, 0.9999685111F, 0.9999691835F,
  153194. 0.9999698451F, 0.9999704960F, 0.9999711364F, 0.9999717662F,
  153195. 0.9999723858F, 0.9999729950F, 0.9999735942F, 0.9999741834F,
  153196. 0.9999747626F, 0.9999753321F, 0.9999758919F, 0.9999764421F,
  153197. 0.9999769828F, 0.9999775143F, 0.9999780364F, 0.9999785495F,
  153198. 0.9999790535F, 0.9999795485F, 0.9999800348F, 0.9999805124F,
  153199. 0.9999809813F, 0.9999814417F, 0.9999818938F, 0.9999823375F,
  153200. 0.9999827731F, 0.9999832005F, 0.9999836200F, 0.9999840316F,
  153201. 0.9999844353F, 0.9999848314F, 0.9999852199F, 0.9999856008F,
  153202. 0.9999859744F, 0.9999863407F, 0.9999866997F, 0.9999870516F,
  153203. 0.9999873965F, 0.9999877345F, 0.9999880656F, 0.9999883900F,
  153204. 0.9999887078F, 0.9999890190F, 0.9999893237F, 0.9999896220F,
  153205. 0.9999899140F, 0.9999901999F, 0.9999904796F, 0.9999907533F,
  153206. 0.9999910211F, 0.9999912830F, 0.9999915391F, 0.9999917896F,
  153207. 0.9999920345F, 0.9999922738F, 0.9999925077F, 0.9999927363F,
  153208. 0.9999929596F, 0.9999931777F, 0.9999933907F, 0.9999935987F,
  153209. 0.9999938018F, 0.9999940000F, 0.9999941934F, 0.9999943820F,
  153210. 0.9999945661F, 0.9999947456F, 0.9999949206F, 0.9999950912F,
  153211. 0.9999952575F, 0.9999954195F, 0.9999955773F, 0.9999957311F,
  153212. 0.9999958807F, 0.9999960265F, 0.9999961683F, 0.9999963063F,
  153213. 0.9999964405F, 0.9999965710F, 0.9999966979F, 0.9999968213F,
  153214. 0.9999969412F, 0.9999970576F, 0.9999971707F, 0.9999972805F,
  153215. 0.9999973871F, 0.9999974905F, 0.9999975909F, 0.9999976881F,
  153216. 0.9999977824F, 0.9999978738F, 0.9999979624F, 0.9999980481F,
  153217. 0.9999981311F, 0.9999982115F, 0.9999982892F, 0.9999983644F,
  153218. 0.9999984370F, 0.9999985072F, 0.9999985750F, 0.9999986405F,
  153219. 0.9999987037F, 0.9999987647F, 0.9999988235F, 0.9999988802F,
  153220. 0.9999989348F, 0.9999989873F, 0.9999990379F, 0.9999990866F,
  153221. 0.9999991334F, 0.9999991784F, 0.9999992217F, 0.9999992632F,
  153222. 0.9999993030F, 0.9999993411F, 0.9999993777F, 0.9999994128F,
  153223. 0.9999994463F, 0.9999994784F, 0.9999995091F, 0.9999995384F,
  153224. 0.9999995663F, 0.9999995930F, 0.9999996184F, 0.9999996426F,
  153225. 0.9999996657F, 0.9999996876F, 0.9999997084F, 0.9999997282F,
  153226. 0.9999997469F, 0.9999997647F, 0.9999997815F, 0.9999997973F,
  153227. 0.9999998123F, 0.9999998265F, 0.9999998398F, 0.9999998524F,
  153228. 0.9999998642F, 0.9999998753F, 0.9999998857F, 0.9999998954F,
  153229. 0.9999999045F, 0.9999999130F, 0.9999999209F, 0.9999999282F,
  153230. 0.9999999351F, 0.9999999414F, 0.9999999472F, 0.9999999526F,
  153231. 0.9999999576F, 0.9999999622F, 0.9999999664F, 0.9999999702F,
  153232. 0.9999999737F, 0.9999999769F, 0.9999999798F, 0.9999999824F,
  153233. 0.9999999847F, 0.9999999868F, 0.9999999887F, 0.9999999904F,
  153234. 0.9999999919F, 0.9999999932F, 0.9999999943F, 0.9999999953F,
  153235. 0.9999999961F, 0.9999999969F, 0.9999999975F, 0.9999999980F,
  153236. 0.9999999985F, 0.9999999988F, 0.9999999991F, 0.9999999993F,
  153237. 0.9999999995F, 0.9999999997F, 0.9999999998F, 0.9999999999F,
  153238. 0.9999999999F, 1.0000000000F, 1.0000000000F, 1.0000000000F,
  153239. 1.0000000000F, 1.0000000000F, 1.0000000000F, 1.0000000000F,
  153240. };
  153241. static float *vwin[8] = {
  153242. vwin64,
  153243. vwin128,
  153244. vwin256,
  153245. vwin512,
  153246. vwin1024,
  153247. vwin2048,
  153248. vwin4096,
  153249. vwin8192,
  153250. };
  153251. float *_vorbis_window_get(int n){
  153252. return vwin[n];
  153253. }
  153254. void _vorbis_apply_window(float *d,int *winno,long *blocksizes,
  153255. int lW,int W,int nW){
  153256. lW=(W?lW:0);
  153257. nW=(W?nW:0);
  153258. {
  153259. float *windowLW=vwin[winno[lW]];
  153260. float *windowNW=vwin[winno[nW]];
  153261. long n=blocksizes[W];
  153262. long ln=blocksizes[lW];
  153263. long rn=blocksizes[nW];
  153264. long leftbegin=n/4-ln/4;
  153265. long leftend=leftbegin+ln/2;
  153266. long rightbegin=n/2+n/4-rn/4;
  153267. long rightend=rightbegin+rn/2;
  153268. int i,p;
  153269. for(i=0;i<leftbegin;i++)
  153270. d[i]=0.f;
  153271. for(p=0;i<leftend;i++,p++)
  153272. d[i]*=windowLW[p];
  153273. for(i=rightbegin,p=rn/2-1;i<rightend;i++,p--)
  153274. d[i]*=windowNW[p];
  153275. for(;i<n;i++)
  153276. d[i]=0.f;
  153277. }
  153278. }
  153279. #endif
  153280. /********* End of inlined file: window.c *********/
  153281. }
  153282. BEGIN_JUCE_NAMESPACE
  153283. using namespace OggVorbisNamespace;
  153284. #define oggFormatName TRANS("Ogg-Vorbis file")
  153285. static const tchar* const oggExtensions[] = { T(".ogg"), 0 };
  153286. class OggReader : public AudioFormatReader
  153287. {
  153288. OggVorbis_File ovFile;
  153289. ov_callbacks callbacks;
  153290. AudioSampleBuffer reservoir;
  153291. int reservoirStart, samplesInReservoir;
  153292. public:
  153293. OggReader (InputStream* const inp)
  153294. : AudioFormatReader (inp, oggFormatName),
  153295. reservoir (2, 4096),
  153296. reservoirStart (0),
  153297. samplesInReservoir (0)
  153298. {
  153299. sampleRate = 0;
  153300. usesFloatingPointData = true;
  153301. callbacks.read_func = &oggReadCallback;
  153302. callbacks.seek_func = &oggSeekCallback;
  153303. callbacks.close_func = &oggCloseCallback;
  153304. callbacks.tell_func = &oggTellCallback;
  153305. const int err = ov_open_callbacks (input, &ovFile, 0, 0, callbacks);
  153306. if (err == 0)
  153307. {
  153308. vorbis_info* info = ov_info (&ovFile, -1);
  153309. lengthInSamples = (uint32) ov_pcm_total (&ovFile, -1);
  153310. numChannels = info->channels;
  153311. bitsPerSample = 16;
  153312. sampleRate = info->rate;
  153313. reservoir.setSize (numChannels,
  153314. (int) jmin (lengthInSamples, (int64) reservoir.getNumSamples()));
  153315. }
  153316. }
  153317. ~OggReader()
  153318. {
  153319. ov_clear (&ovFile);
  153320. }
  153321. bool read (int** destSamples,
  153322. int64 startSampleInFile,
  153323. int numSamples)
  153324. {
  153325. int writeOffset = 0;
  153326. while (numSamples > 0)
  153327. {
  153328. const int numAvailable = reservoirStart + samplesInReservoir - startSampleInFile;
  153329. if (startSampleInFile >= reservoirStart && numAvailable > 0)
  153330. {
  153331. // got a few samples overlapping, so use them before seeking..
  153332. const int numToUse = jmin (numSamples, numAvailable);
  153333. for (unsigned int i = 0; i < numChannels; ++i)
  153334. {
  153335. if (destSamples[i] == 0)
  153336. break;
  153337. memcpy (destSamples[i] + writeOffset,
  153338. reservoir.getSampleData (jmin (i, reservoir.getNumChannels()),
  153339. (int) (startSampleInFile - reservoirStart)),
  153340. sizeof (float) * numToUse);
  153341. }
  153342. startSampleInFile += numToUse;
  153343. numSamples -= numToUse;
  153344. writeOffset += numToUse;
  153345. if (numSamples == 0)
  153346. break;
  153347. }
  153348. if (startSampleInFile < reservoirStart
  153349. || startSampleInFile + numSamples > reservoirStart + samplesInReservoir)
  153350. {
  153351. // buffer miss, so refill the reservoir
  153352. int bitStream = 0;
  153353. reservoirStart = jmax (0, (int) startSampleInFile);
  153354. samplesInReservoir = reservoir.getNumSamples();
  153355. if (reservoirStart != (int) ov_pcm_tell (&ovFile))
  153356. ov_pcm_seek (&ovFile, reservoirStart);
  153357. int offset = 0;
  153358. int numToRead = samplesInReservoir;
  153359. while (numToRead > 0)
  153360. {
  153361. float** dataIn = 0;
  153362. const int samps = ov_read_float (&ovFile, &dataIn, numToRead, &bitStream);
  153363. if (samps == 0)
  153364. break;
  153365. jassert (samps <= numToRead);
  153366. for (int i = jmin (numChannels, reservoir.getNumChannels()); --i >= 0;)
  153367. {
  153368. memcpy (reservoir.getSampleData (i, offset),
  153369. dataIn[i],
  153370. sizeof (float) * samps);
  153371. }
  153372. numToRead -= samps;
  153373. offset += samps;
  153374. }
  153375. if (numToRead > 0)
  153376. reservoir.clear (offset, numToRead);
  153377. }
  153378. }
  153379. return true;
  153380. }
  153381. static size_t oggReadCallback (void* ptr, size_t size, size_t nmemb, void* datasource)
  153382. {
  153383. return (size_t) (((InputStream*) datasource)->read (ptr, (int) (size * nmemb)) / size);
  153384. }
  153385. static int oggSeekCallback (void* datasource, ogg_int64_t offset, int whence)
  153386. {
  153387. InputStream* const in = (InputStream*) datasource;
  153388. if (whence == SEEK_CUR)
  153389. offset += in->getPosition();
  153390. else if (whence == SEEK_END)
  153391. offset += in->getTotalLength();
  153392. in->setPosition (offset);
  153393. return 0;
  153394. }
  153395. static int oggCloseCallback (void*)
  153396. {
  153397. return 0;
  153398. }
  153399. static long oggTellCallback (void* datasource)
  153400. {
  153401. return (long) ((InputStream*) datasource)->getPosition();
  153402. }
  153403. juce_UseDebuggingNewOperator
  153404. };
  153405. class OggWriter : public AudioFormatWriter
  153406. {
  153407. ogg_stream_state os;
  153408. ogg_page og;
  153409. ogg_packet op;
  153410. vorbis_info vi;
  153411. vorbis_comment vc;
  153412. vorbis_dsp_state vd;
  153413. vorbis_block vb;
  153414. public:
  153415. bool ok;
  153416. OggWriter (OutputStream* const out,
  153417. const double sampleRate,
  153418. const int numChannels,
  153419. const int bitsPerSample,
  153420. const int qualityIndex)
  153421. : AudioFormatWriter (out, oggFormatName,
  153422. sampleRate,
  153423. numChannels,
  153424. bitsPerSample)
  153425. {
  153426. ok = false;
  153427. vorbis_info_init (&vi);
  153428. if (vorbis_encode_init_vbr (&vi,
  153429. numChannels,
  153430. (int) sampleRate,
  153431. jlimit (0.0f, 1.0f, qualityIndex * 0.5f)) == 0)
  153432. {
  153433. vorbis_comment_init (&vc);
  153434. if (JUCEApplication::getInstance() != 0)
  153435. vorbis_comment_add_tag (&vc, "ENCODER",
  153436. (char*) (const char*) JUCEApplication::getInstance()->getApplicationName());
  153437. vorbis_analysis_init (&vd, &vi);
  153438. vorbis_block_init (&vd, &vb);
  153439. ogg_stream_init (&os, Random::getSystemRandom().nextInt());
  153440. ogg_packet header;
  153441. ogg_packet header_comm;
  153442. ogg_packet header_code;
  153443. vorbis_analysis_headerout (&vd, &vc, &header, &header_comm, &header_code);
  153444. ogg_stream_packetin (&os, &header);
  153445. ogg_stream_packetin (&os, &header_comm);
  153446. ogg_stream_packetin (&os, &header_code);
  153447. for (;;)
  153448. {
  153449. if (ogg_stream_flush (&os, &og) == 0)
  153450. break;
  153451. output->write (og.header, og.header_len);
  153452. output->write (og.body, og.body_len);
  153453. }
  153454. ok = true;
  153455. }
  153456. }
  153457. ~OggWriter()
  153458. {
  153459. if (ok)
  153460. {
  153461. ogg_stream_clear (&os);
  153462. vorbis_block_clear (&vb);
  153463. vorbis_dsp_clear (&vd);
  153464. vorbis_comment_clear (&vc);
  153465. vorbis_info_clear (&vi);
  153466. output->flush();
  153467. }
  153468. else
  153469. {
  153470. vorbis_info_clear (&vi);
  153471. output = 0; // to stop the base class deleting this, as it needs to be returned
  153472. // to the caller of createWriter()
  153473. }
  153474. }
  153475. bool write (const int** samplesToWrite, int numSamples)
  153476. {
  153477. if (! ok)
  153478. return false;
  153479. if (numSamples > 0)
  153480. {
  153481. const double gain = 1.0 / 0x80000000u;
  153482. float** const vorbisBuffer = vorbis_analysis_buffer (&vd, numSamples);
  153483. for (int i = numChannels; --i >= 0;)
  153484. {
  153485. float* const dst = vorbisBuffer[i];
  153486. const int* const src = samplesToWrite [i];
  153487. if (src != 0 && dst != 0)
  153488. {
  153489. for (int j = 0; j < numSamples; ++j)
  153490. dst[j] = (float) (src[j] * gain);
  153491. }
  153492. }
  153493. }
  153494. vorbis_analysis_wrote (&vd, numSamples);
  153495. while (vorbis_analysis_blockout (&vd, &vb) == 1)
  153496. {
  153497. vorbis_analysis (&vb, 0);
  153498. vorbis_bitrate_addblock (&vb);
  153499. while (vorbis_bitrate_flushpacket (&vd, &op))
  153500. {
  153501. ogg_stream_packetin (&os, &op);
  153502. for (;;)
  153503. {
  153504. if (ogg_stream_pageout (&os, &og) == 0)
  153505. break;
  153506. output->write (og.header, og.header_len);
  153507. output->write (og.body, og.body_len);
  153508. if (ogg_page_eos (&og))
  153509. break;
  153510. }
  153511. }
  153512. }
  153513. return true;
  153514. }
  153515. juce_UseDebuggingNewOperator
  153516. };
  153517. OggVorbisAudioFormat::OggVorbisAudioFormat()
  153518. : AudioFormat (oggFormatName, (const tchar**) oggExtensions)
  153519. {
  153520. }
  153521. OggVorbisAudioFormat::~OggVorbisAudioFormat()
  153522. {
  153523. }
  153524. const Array <int> OggVorbisAudioFormat::getPossibleSampleRates()
  153525. {
  153526. const int rates[] = { 22050, 32000, 44100, 48000, 0 };
  153527. return Array <int> (rates);
  153528. }
  153529. const Array <int> OggVorbisAudioFormat::getPossibleBitDepths()
  153530. {
  153531. Array <int> depths;
  153532. depths.add (32);
  153533. return depths;
  153534. }
  153535. bool OggVorbisAudioFormat::canDoStereo()
  153536. {
  153537. return true;
  153538. }
  153539. bool OggVorbisAudioFormat::canDoMono()
  153540. {
  153541. return true;
  153542. }
  153543. AudioFormatReader* OggVorbisAudioFormat::createReaderFor (InputStream* in,
  153544. const bool deleteStreamIfOpeningFails)
  153545. {
  153546. OggReader* r = new OggReader (in);
  153547. if (r->sampleRate == 0)
  153548. {
  153549. if (! deleteStreamIfOpeningFails)
  153550. r->input = 0;
  153551. deleteAndZero (r);
  153552. }
  153553. return r;
  153554. }
  153555. AudioFormatWriter* OggVorbisAudioFormat::createWriterFor (OutputStream* out,
  153556. double sampleRate,
  153557. unsigned int numChannels,
  153558. int bitsPerSample,
  153559. const StringPairArray& /*metadataValues*/,
  153560. int qualityOptionIndex)
  153561. {
  153562. OggWriter* w = new OggWriter (out,
  153563. sampleRate,
  153564. numChannels,
  153565. bitsPerSample,
  153566. qualityOptionIndex);
  153567. if (! w->ok)
  153568. deleteAndZero (w);
  153569. return w;
  153570. }
  153571. bool OggVorbisAudioFormat::isCompressed()
  153572. {
  153573. return true;
  153574. }
  153575. const StringArray OggVorbisAudioFormat::getQualityOptions()
  153576. {
  153577. StringArray s;
  153578. s.add ("Low Quality");
  153579. s.add ("Medium Quality");
  153580. s.add ("High Quality");
  153581. return s;
  153582. }
  153583. int OggVorbisAudioFormat::estimateOggFileQuality (const File& source)
  153584. {
  153585. FileInputStream* const in = source.createInputStream();
  153586. if (in != 0)
  153587. {
  153588. AudioFormatReader* const r = createReaderFor (in, true);
  153589. if (r != 0)
  153590. {
  153591. const int64 numSamps = r->lengthInSamples;
  153592. delete r;
  153593. const int64 fileNumSamps = source.getSize() / 4;
  153594. const double ratio = numSamps / (double) fileNumSamps;
  153595. if (ratio > 12.0)
  153596. return 0;
  153597. else if (ratio > 6.0)
  153598. return 1;
  153599. else
  153600. return 2;
  153601. }
  153602. }
  153603. return 1;
  153604. }
  153605. END_JUCE_NAMESPACE
  153606. #endif
  153607. /********* End of inlined file: juce_OggVorbisAudioFormat.cpp *********/
  153608. /********* Start of inlined file: juce_JPEGLoader.cpp *********/
  153609. #if JUCE_MSVC
  153610. #pragma warning (push)
  153611. #endif
  153612. namespace jpeglibNamespace
  153613. {
  153614. extern "C"
  153615. {
  153616. #define JPEG_INTERNALS
  153617. #undef FAR
  153618. /********* Start of inlined file: jpeglib.h *********/
  153619. #ifndef JPEGLIB_H
  153620. #define JPEGLIB_H
  153621. /*
  153622. * First we include the configuration files that record how this
  153623. * installation of the JPEG library is set up. jconfig.h can be
  153624. * generated automatically for many systems. jmorecfg.h contains
  153625. * manual configuration options that most people need not worry about.
  153626. */
  153627. #ifndef JCONFIG_INCLUDED /* in case jinclude.h already did */
  153628. /********* Start of inlined file: jconfig.h *********/
  153629. /* see jconfig.doc for explanations */
  153630. // disable all the warnings under MSVC
  153631. #ifdef _MSC_VER
  153632. #pragma warning (disable: 4996 4267 4100 4127 4702 4244)
  153633. #endif
  153634. #ifdef __BORLANDC__
  153635. #pragma warn -8057
  153636. #pragma warn -8019
  153637. #pragma warn -8004
  153638. #pragma warn -8008
  153639. #endif
  153640. #define HAVE_PROTOTYPES
  153641. #define HAVE_UNSIGNED_CHAR
  153642. #define HAVE_UNSIGNED_SHORT
  153643. /* #define void char */
  153644. /* #define const */
  153645. #undef CHAR_IS_UNSIGNED
  153646. #define HAVE_STDDEF_H
  153647. #define HAVE_STDLIB_H
  153648. #undef NEED_BSD_STRINGS
  153649. #undef NEED_SYS_TYPES_H
  153650. #undef NEED_FAR_POINTERS /* we presume a 32-bit flat memory model */
  153651. #undef NEED_SHORT_EXTERNAL_NAMES
  153652. #undef INCOMPLETE_TYPES_BROKEN
  153653. /* Define "boolean" as unsigned char, not int, per Windows custom */
  153654. #ifndef __RPCNDR_H__ /* don't conflict if rpcndr.h already read */
  153655. typedef unsigned char boolean;
  153656. #endif
  153657. #define HAVE_BOOLEAN /* prevent jmorecfg.h from redefining it */
  153658. #ifdef JPEG_INTERNALS
  153659. #undef RIGHT_SHIFT_IS_UNSIGNED
  153660. #endif /* JPEG_INTERNALS */
  153661. #ifdef JPEG_CJPEG_DJPEG
  153662. #define BMP_SUPPORTED /* BMP image file format */
  153663. #define GIF_SUPPORTED /* GIF image file format */
  153664. #define PPM_SUPPORTED /* PBMPLUS PPM/PGM image file format */
  153665. #undef RLE_SUPPORTED /* Utah RLE image file format */
  153666. #define TARGA_SUPPORTED /* Targa image file format */
  153667. #define TWO_FILE_COMMANDLINE /* optional */
  153668. #define USE_SETMODE /* Microsoft has setmode() */
  153669. #undef NEED_SIGNAL_CATCHER
  153670. #undef DONT_USE_B_MODE
  153671. #undef PROGRESS_REPORT /* optional */
  153672. #endif /* JPEG_CJPEG_DJPEG */
  153673. /********* End of inlined file: jconfig.h *********/
  153674. /* widely used configuration options */
  153675. #endif
  153676. /********* Start of inlined file: jmorecfg.h *********/
  153677. /*
  153678. * Define BITS_IN_JSAMPLE as either
  153679. * 8 for 8-bit sample values (the usual setting)
  153680. * 12 for 12-bit sample values
  153681. * Only 8 and 12 are legal data precisions for lossy JPEG according to the
  153682. * JPEG standard, and the IJG code does not support anything else!
  153683. * We do not support run-time selection of data precision, sorry.
  153684. */
  153685. #define BITS_IN_JSAMPLE 8 /* use 8 or 12 */
  153686. /*
  153687. * Maximum number of components (color channels) allowed in JPEG image.
  153688. * To meet the letter of the JPEG spec, set this to 255. However, darn
  153689. * few applications need more than 4 channels (maybe 5 for CMYK + alpha
  153690. * mask). We recommend 10 as a reasonable compromise; use 4 if you are
  153691. * really short on memory. (Each allowed component costs a hundred or so
  153692. * bytes of storage, whether actually used in an image or not.)
  153693. */
  153694. #define MAX_COMPONENTS 10 /* maximum number of image components */
  153695. /*
  153696. * Basic data types.
  153697. * You may need to change these if you have a machine with unusual data
  153698. * type sizes; for example, "char" not 8 bits, "short" not 16 bits,
  153699. * or "long" not 32 bits. We don't care whether "int" is 16 or 32 bits,
  153700. * but it had better be at least 16.
  153701. */
  153702. /* Representation of a single sample (pixel element value).
  153703. * We frequently allocate large arrays of these, so it's important to keep
  153704. * them small. But if you have memory to burn and access to char or short
  153705. * arrays is very slow on your hardware, you might want to change these.
  153706. */
  153707. #if BITS_IN_JSAMPLE == 8
  153708. /* JSAMPLE should be the smallest type that will hold the values 0..255.
  153709. * You can use a signed char by having GETJSAMPLE mask it with 0xFF.
  153710. */
  153711. #ifdef HAVE_UNSIGNED_CHAR
  153712. typedef unsigned char JSAMPLE;
  153713. #define GETJSAMPLE(value) ((int) (value))
  153714. #else /* not HAVE_UNSIGNED_CHAR */
  153715. typedef char JSAMPLE;
  153716. #ifdef CHAR_IS_UNSIGNED
  153717. #define GETJSAMPLE(value) ((int) (value))
  153718. #else
  153719. #define GETJSAMPLE(value) ((int) (value) & 0xFF)
  153720. #endif /* CHAR_IS_UNSIGNED */
  153721. #endif /* HAVE_UNSIGNED_CHAR */
  153722. #define MAXJSAMPLE 255
  153723. #define CENTERJSAMPLE 128
  153724. #endif /* BITS_IN_JSAMPLE == 8 */
  153725. #if BITS_IN_JSAMPLE == 12
  153726. /* JSAMPLE should be the smallest type that will hold the values 0..4095.
  153727. * On nearly all machines "short" will do nicely.
  153728. */
  153729. typedef short JSAMPLE;
  153730. #define GETJSAMPLE(value) ((int) (value))
  153731. #define MAXJSAMPLE 4095
  153732. #define CENTERJSAMPLE 2048
  153733. #endif /* BITS_IN_JSAMPLE == 12 */
  153734. /* Representation of a DCT frequency coefficient.
  153735. * This should be a signed value of at least 16 bits; "short" is usually OK.
  153736. * Again, we allocate large arrays of these, but you can change to int
  153737. * if you have memory to burn and "short" is really slow.
  153738. */
  153739. typedef short JCOEF;
  153740. /* Compressed datastreams are represented as arrays of JOCTET.
  153741. * These must be EXACTLY 8 bits wide, at least once they are written to
  153742. * external storage. Note that when using the stdio data source/destination
  153743. * managers, this is also the data type passed to fread/fwrite.
  153744. */
  153745. #ifdef HAVE_UNSIGNED_CHAR
  153746. typedef unsigned char JOCTET;
  153747. #define GETJOCTET(value) (value)
  153748. #else /* not HAVE_UNSIGNED_CHAR */
  153749. typedef char JOCTET;
  153750. #ifdef CHAR_IS_UNSIGNED
  153751. #define GETJOCTET(value) (value)
  153752. #else
  153753. #define GETJOCTET(value) ((value) & 0xFF)
  153754. #endif /* CHAR_IS_UNSIGNED */
  153755. #endif /* HAVE_UNSIGNED_CHAR */
  153756. /* These typedefs are used for various table entries and so forth.
  153757. * They must be at least as wide as specified; but making them too big
  153758. * won't cost a huge amount of memory, so we don't provide special
  153759. * extraction code like we did for JSAMPLE. (In other words, these
  153760. * typedefs live at a different point on the speed/space tradeoff curve.)
  153761. */
  153762. /* UINT8 must hold at least the values 0..255. */
  153763. #ifdef HAVE_UNSIGNED_CHAR
  153764. typedef unsigned char UINT8;
  153765. #else /* not HAVE_UNSIGNED_CHAR */
  153766. #ifdef CHAR_IS_UNSIGNED
  153767. typedef char UINT8;
  153768. #else /* not CHAR_IS_UNSIGNED */
  153769. typedef short UINT8;
  153770. #endif /* CHAR_IS_UNSIGNED */
  153771. #endif /* HAVE_UNSIGNED_CHAR */
  153772. /* UINT16 must hold at least the values 0..65535. */
  153773. #ifdef HAVE_UNSIGNED_SHORT
  153774. typedef unsigned short UINT16;
  153775. #else /* not HAVE_UNSIGNED_SHORT */
  153776. typedef unsigned int UINT16;
  153777. #endif /* HAVE_UNSIGNED_SHORT */
  153778. /* INT16 must hold at least the values -32768..32767. */
  153779. #ifndef XMD_H /* X11/xmd.h correctly defines INT16 */
  153780. typedef short INT16;
  153781. #endif
  153782. /* INT32 must hold at least signed 32-bit values. */
  153783. #ifndef XMD_H /* X11/xmd.h correctly defines INT32 */
  153784. typedef long INT32;
  153785. #endif
  153786. /* Datatype used for image dimensions. The JPEG standard only supports
  153787. * images up to 64K*64K due to 16-bit fields in SOF markers. Therefore
  153788. * "unsigned int" is sufficient on all machines. However, if you need to
  153789. * handle larger images and you don't mind deviating from the spec, you
  153790. * can change this datatype.
  153791. */
  153792. typedef unsigned int JDIMENSION;
  153793. #define JPEG_MAX_DIMENSION 65500L /* a tad under 64K to prevent overflows */
  153794. /* These macros are used in all function definitions and extern declarations.
  153795. * You could modify them if you need to change function linkage conventions;
  153796. * in particular, you'll need to do that to make the library a Windows DLL.
  153797. * Another application is to make all functions global for use with debuggers
  153798. * or code profilers that require it.
  153799. */
  153800. /* a function called through method pointers: */
  153801. #define METHODDEF(type) static type
  153802. /* a function used only in its module: */
  153803. #define LOCAL(type) static type
  153804. /* a function referenced thru EXTERNs: */
  153805. #define GLOBAL(type) type
  153806. /* a reference to a GLOBAL function: */
  153807. #define EXTERN(type) extern type
  153808. /* This macro is used to declare a "method", that is, a function pointer.
  153809. * We want to supply prototype parameters if the compiler can cope.
  153810. * Note that the arglist parameter must be parenthesized!
  153811. * Again, you can customize this if you need special linkage keywords.
  153812. */
  153813. #ifdef HAVE_PROTOTYPES
  153814. #define JMETHOD(type,methodname,arglist) type (*methodname) arglist
  153815. #else
  153816. #define JMETHOD(type,methodname,arglist) type (*methodname) ()
  153817. #endif
  153818. /* Here is the pseudo-keyword for declaring pointers that must be "far"
  153819. * on 80x86 machines. Most of the specialized coding for 80x86 is handled
  153820. * by just saying "FAR *" where such a pointer is needed. In a few places
  153821. * explicit coding is needed; see uses of the NEED_FAR_POINTERS symbol.
  153822. */
  153823. #ifdef NEED_FAR_POINTERS
  153824. #define FAR far
  153825. #else
  153826. #define FAR
  153827. #endif
  153828. /*
  153829. * On a few systems, type boolean and/or its values FALSE, TRUE may appear
  153830. * in standard header files. Or you may have conflicts with application-
  153831. * specific header files that you want to include together with these files.
  153832. * Defining HAVE_BOOLEAN before including jpeglib.h should make it work.
  153833. */
  153834. #ifndef HAVE_BOOLEAN
  153835. typedef int boolean;
  153836. #endif
  153837. #ifndef FALSE /* in case these macros already exist */
  153838. #define FALSE 0 /* values of boolean */
  153839. #endif
  153840. #ifndef TRUE
  153841. #define TRUE 1
  153842. #endif
  153843. /*
  153844. * The remaining options affect code selection within the JPEG library,
  153845. * but they don't need to be visible to most applications using the library.
  153846. * To minimize application namespace pollution, the symbols won't be
  153847. * defined unless JPEG_INTERNALS or JPEG_INTERNAL_OPTIONS has been defined.
  153848. */
  153849. #ifdef JPEG_INTERNALS
  153850. #define JPEG_INTERNAL_OPTIONS
  153851. #endif
  153852. #ifdef JPEG_INTERNAL_OPTIONS
  153853. /*
  153854. * These defines indicate whether to include various optional functions.
  153855. * Undefining some of these symbols will produce a smaller but less capable
  153856. * library. Note that you can leave certain source files out of the
  153857. * compilation/linking process if you've #undef'd the corresponding symbols.
  153858. * (You may HAVE to do that if your compiler doesn't like null source files.)
  153859. */
  153860. /* Arithmetic coding is unsupported for legal reasons. Complaints to IBM. */
  153861. /* Capability options common to encoder and decoder: */
  153862. #define DCT_ISLOW_SUPPORTED /* slow but accurate integer algorithm */
  153863. #define DCT_IFAST_SUPPORTED /* faster, less accurate integer method */
  153864. #define DCT_FLOAT_SUPPORTED /* floating-point: accurate, fast on fast HW */
  153865. /* Encoder capability options: */
  153866. #undef C_ARITH_CODING_SUPPORTED /* Arithmetic coding back end? */
  153867. #define C_MULTISCAN_FILES_SUPPORTED /* Multiple-scan JPEG files? */
  153868. #define C_PROGRESSIVE_SUPPORTED /* Progressive JPEG? (Requires MULTISCAN)*/
  153869. #define ENTROPY_OPT_SUPPORTED /* Optimization of entropy coding parms? */
  153870. /* Note: if you selected 12-bit data precision, it is dangerous to turn off
  153871. * ENTROPY_OPT_SUPPORTED. The standard Huffman tables are only good for 8-bit
  153872. * precision, so jchuff.c normally uses entropy optimization to compute
  153873. * usable tables for higher precision. If you don't want to do optimization,
  153874. * you'll have to supply different default Huffman tables.
  153875. * The exact same statements apply for progressive JPEG: the default tables
  153876. * don't work for progressive mode. (This may get fixed, however.)
  153877. */
  153878. #define INPUT_SMOOTHING_SUPPORTED /* Input image smoothing option? */
  153879. /* Decoder capability options: */
  153880. #undef D_ARITH_CODING_SUPPORTED /* Arithmetic coding back end? */
  153881. #define D_MULTISCAN_FILES_SUPPORTED /* Multiple-scan JPEG files? */
  153882. #define D_PROGRESSIVE_SUPPORTED /* Progressive JPEG? (Requires MULTISCAN)*/
  153883. #define SAVE_MARKERS_SUPPORTED /* jpeg_save_markers() needed? */
  153884. #define BLOCK_SMOOTHING_SUPPORTED /* Block smoothing? (Progressive only) */
  153885. #define IDCT_SCALING_SUPPORTED /* Output rescaling via IDCT? */
  153886. #undef UPSAMPLE_SCALING_SUPPORTED /* Output rescaling at upsample stage? */
  153887. #define UPSAMPLE_MERGING_SUPPORTED /* Fast path for sloppy upsampling? */
  153888. #define QUANT_1PASS_SUPPORTED /* 1-pass color quantization? */
  153889. #define QUANT_2PASS_SUPPORTED /* 2-pass color quantization? */
  153890. /* more capability options later, no doubt */
  153891. /*
  153892. * Ordering of RGB data in scanlines passed to or from the application.
  153893. * If your application wants to deal with data in the order B,G,R, just
  153894. * change these macros. You can also deal with formats such as R,G,B,X
  153895. * (one extra byte per pixel) by changing RGB_PIXELSIZE. Note that changing
  153896. * the offsets will also change the order in which colormap data is organized.
  153897. * RESTRICTIONS:
  153898. * 1. The sample applications cjpeg,djpeg do NOT support modified RGB formats.
  153899. * 2. These macros only affect RGB<=>YCbCr color conversion, so they are not
  153900. * useful if you are using JPEG color spaces other than YCbCr or grayscale.
  153901. * 3. The color quantizer modules will not behave desirably if RGB_PIXELSIZE
  153902. * is not 3 (they don't understand about dummy color components!). So you
  153903. * can't use color quantization if you change that value.
  153904. */
  153905. #define RGB_RED 0 /* Offset of Red in an RGB scanline element */
  153906. #define RGB_GREEN 1 /* Offset of Green */
  153907. #define RGB_BLUE 2 /* Offset of Blue */
  153908. #define RGB_PIXELSIZE 3 /* JSAMPLEs per RGB scanline element */
  153909. /* Definitions for speed-related optimizations. */
  153910. /* If your compiler supports inline functions, define INLINE
  153911. * as the inline keyword; otherwise define it as empty.
  153912. */
  153913. #ifndef INLINE
  153914. #ifdef __GNUC__ /* for instance, GNU C knows about inline */
  153915. #define INLINE __inline__
  153916. #endif
  153917. #ifndef INLINE
  153918. #define INLINE /* default is to define it as empty */
  153919. #endif
  153920. #endif
  153921. /* On some machines (notably 68000 series) "int" is 32 bits, but multiplying
  153922. * two 16-bit shorts is faster than multiplying two ints. Define MULTIPLIER
  153923. * as short on such a machine. MULTIPLIER must be at least 16 bits wide.
  153924. */
  153925. #ifndef MULTIPLIER
  153926. #define MULTIPLIER int /* type for fastest integer multiply */
  153927. #endif
  153928. /* FAST_FLOAT should be either float or double, whichever is done faster
  153929. * by your compiler. (Note that this type is only used in the floating point
  153930. * DCT routines, so it only matters if you've defined DCT_FLOAT_SUPPORTED.)
  153931. * Typically, float is faster in ANSI C compilers, while double is faster in
  153932. * pre-ANSI compilers (because they insist on converting to double anyway).
  153933. * The code below therefore chooses float if we have ANSI-style prototypes.
  153934. */
  153935. #ifndef FAST_FLOAT
  153936. #ifdef HAVE_PROTOTYPES
  153937. #define FAST_FLOAT float
  153938. #else
  153939. #define FAST_FLOAT double
  153940. #endif
  153941. #endif
  153942. #endif /* JPEG_INTERNAL_OPTIONS */
  153943. /********* End of inlined file: jmorecfg.h *********/
  153944. /* seldom changed options */
  153945. /* Version ID for the JPEG library.
  153946. * Might be useful for tests like "#if JPEG_LIB_VERSION >= 60".
  153947. */
  153948. #define JPEG_LIB_VERSION 62 /* Version 6b */
  153949. /* Various constants determining the sizes of things.
  153950. * All of these are specified by the JPEG standard, so don't change them
  153951. * if you want to be compatible.
  153952. */
  153953. #define DCTSIZE 8 /* The basic DCT block is 8x8 samples */
  153954. #define DCTSIZE2 64 /* DCTSIZE squared; # of elements in a block */
  153955. #define NUM_QUANT_TBLS 4 /* Quantization tables are numbered 0..3 */
  153956. #define NUM_HUFF_TBLS 4 /* Huffman tables are numbered 0..3 */
  153957. #define NUM_ARITH_TBLS 16 /* Arith-coding tables are numbered 0..15 */
  153958. #define MAX_COMPS_IN_SCAN 4 /* JPEG limit on # of components in one scan */
  153959. #define MAX_SAMP_FACTOR 4 /* JPEG limit on sampling factors */
  153960. /* Unfortunately, some bozo at Adobe saw no reason to be bound by the standard;
  153961. * the PostScript DCT filter can emit files with many more than 10 blocks/MCU.
  153962. * If you happen to run across such a file, you can up D_MAX_BLOCKS_IN_MCU
  153963. * to handle it. We even let you do this from the jconfig.h file. However,
  153964. * we strongly discourage changing C_MAX_BLOCKS_IN_MCU; just because Adobe
  153965. * sometimes emits noncompliant files doesn't mean you should too.
  153966. */
  153967. #define C_MAX_BLOCKS_IN_MCU 10 /* compressor's limit on blocks per MCU */
  153968. #ifndef D_MAX_BLOCKS_IN_MCU
  153969. #define D_MAX_BLOCKS_IN_MCU 10 /* decompressor's limit on blocks per MCU */
  153970. #endif
  153971. /* Data structures for images (arrays of samples and of DCT coefficients).
  153972. * On 80x86 machines, the image arrays are too big for near pointers,
  153973. * but the pointer arrays can fit in near memory.
  153974. */
  153975. typedef JSAMPLE FAR *JSAMPROW; /* ptr to one image row of pixel samples. */
  153976. typedef JSAMPROW *JSAMPARRAY; /* ptr to some rows (a 2-D sample array) */
  153977. typedef JSAMPARRAY *JSAMPIMAGE; /* a 3-D sample array: top index is color */
  153978. typedef JCOEF JBLOCK[DCTSIZE2]; /* one block of coefficients */
  153979. typedef JBLOCK FAR *JBLOCKROW; /* pointer to one row of coefficient blocks */
  153980. typedef JBLOCKROW *JBLOCKARRAY; /* a 2-D array of coefficient blocks */
  153981. typedef JBLOCKARRAY *JBLOCKIMAGE; /* a 3-D array of coefficient blocks */
  153982. typedef JCOEF FAR *JCOEFPTR; /* useful in a couple of places */
  153983. /* Types for JPEG compression parameters and working tables. */
  153984. /* DCT coefficient quantization tables. */
  153985. typedef struct {
  153986. /* This array gives the coefficient quantizers in natural array order
  153987. * (not the zigzag order in which they are stored in a JPEG DQT marker).
  153988. * CAUTION: IJG versions prior to v6a kept this array in zigzag order.
  153989. */
  153990. UINT16 quantval[DCTSIZE2]; /* quantization step for each coefficient */
  153991. /* This field is used only during compression. It's initialized FALSE when
  153992. * the table is created, and set TRUE when it's been output to the file.
  153993. * You could suppress output of a table by setting this to TRUE.
  153994. * (See jpeg_suppress_tables for an example.)
  153995. */
  153996. boolean sent_table; /* TRUE when table has been output */
  153997. } JQUANT_TBL;
  153998. /* Huffman coding tables. */
  153999. typedef struct {
  154000. /* These two fields directly represent the contents of a JPEG DHT marker */
  154001. UINT8 bits[17]; /* bits[k] = # of symbols with codes of */
  154002. /* length k bits; bits[0] is unused */
  154003. UINT8 huffval[256]; /* The symbols, in order of incr code length */
  154004. /* This field is used only during compression. It's initialized FALSE when
  154005. * the table is created, and set TRUE when it's been output to the file.
  154006. * You could suppress output of a table by setting this to TRUE.
  154007. * (See jpeg_suppress_tables for an example.)
  154008. */
  154009. boolean sent_table; /* TRUE when table has been output */
  154010. } JHUFF_TBL;
  154011. /* Basic info about one component (color channel). */
  154012. typedef struct {
  154013. /* These values are fixed over the whole image. */
  154014. /* For compression, they must be supplied by parameter setup; */
  154015. /* for decompression, they are read from the SOF marker. */
  154016. int component_id; /* identifier for this component (0..255) */
  154017. int component_index; /* its index in SOF or cinfo->comp_info[] */
  154018. int h_samp_factor; /* horizontal sampling factor (1..4) */
  154019. int v_samp_factor; /* vertical sampling factor (1..4) */
  154020. int quant_tbl_no; /* quantization table selector (0..3) */
  154021. /* These values may vary between scans. */
  154022. /* For compression, they must be supplied by parameter setup; */
  154023. /* for decompression, they are read from the SOS marker. */
  154024. /* The decompressor output side may not use these variables. */
  154025. int dc_tbl_no; /* DC entropy table selector (0..3) */
  154026. int ac_tbl_no; /* AC entropy table selector (0..3) */
  154027. /* Remaining fields should be treated as private by applications. */
  154028. /* These values are computed during compression or decompression startup: */
  154029. /* Component's size in DCT blocks.
  154030. * Any dummy blocks added to complete an MCU are not counted; therefore
  154031. * these values do not depend on whether a scan is interleaved or not.
  154032. */
  154033. JDIMENSION width_in_blocks;
  154034. JDIMENSION height_in_blocks;
  154035. /* Size of a DCT block in samples. Always DCTSIZE for compression.
  154036. * For decompression this is the size of the output from one DCT block,
  154037. * reflecting any scaling we choose to apply during the IDCT step.
  154038. * Values of 1,2,4,8 are likely to be supported. Note that different
  154039. * components may receive different IDCT scalings.
  154040. */
  154041. int DCT_scaled_size;
  154042. /* The downsampled dimensions are the component's actual, unpadded number
  154043. * of samples at the main buffer (preprocessing/compression interface), thus
  154044. * downsampled_width = ceil(image_width * Hi/Hmax)
  154045. * and similarly for height. For decompression, IDCT scaling is included, so
  154046. * downsampled_width = ceil(image_width * Hi/Hmax * DCT_scaled_size/DCTSIZE)
  154047. */
  154048. JDIMENSION downsampled_width; /* actual width in samples */
  154049. JDIMENSION downsampled_height; /* actual height in samples */
  154050. /* This flag is used only for decompression. In cases where some of the
  154051. * components will be ignored (eg grayscale output from YCbCr image),
  154052. * we can skip most computations for the unused components.
  154053. */
  154054. boolean component_needed; /* do we need the value of this component? */
  154055. /* These values are computed before starting a scan of the component. */
  154056. /* The decompressor output side may not use these variables. */
  154057. int MCU_width; /* number of blocks per MCU, horizontally */
  154058. int MCU_height; /* number of blocks per MCU, vertically */
  154059. int MCU_blocks; /* MCU_width * MCU_height */
  154060. int MCU_sample_width; /* MCU width in samples, MCU_width*DCT_scaled_size */
  154061. int last_col_width; /* # of non-dummy blocks across in last MCU */
  154062. int last_row_height; /* # of non-dummy blocks down in last MCU */
  154063. /* Saved quantization table for component; NULL if none yet saved.
  154064. * See jdinput.c comments about the need for this information.
  154065. * This field is currently used only for decompression.
  154066. */
  154067. JQUANT_TBL * quant_table;
  154068. /* Private per-component storage for DCT or IDCT subsystem. */
  154069. void * dct_table;
  154070. } jpeg_component_info;
  154071. /* The script for encoding a multiple-scan file is an array of these: */
  154072. typedef struct {
  154073. int comps_in_scan; /* number of components encoded in this scan */
  154074. int component_index[MAX_COMPS_IN_SCAN]; /* their SOF/comp_info[] indexes */
  154075. int Ss, Se; /* progressive JPEG spectral selection parms */
  154076. int Ah, Al; /* progressive JPEG successive approx. parms */
  154077. } jpeg_scan_info;
  154078. /* The decompressor can save APPn and COM markers in a list of these: */
  154079. typedef struct jpeg_marker_struct FAR * jpeg_saved_marker_ptr;
  154080. struct jpeg_marker_struct {
  154081. jpeg_saved_marker_ptr next; /* next in list, or NULL */
  154082. UINT8 marker; /* marker code: JPEG_COM, or JPEG_APP0+n */
  154083. unsigned int original_length; /* # bytes of data in the file */
  154084. unsigned int data_length; /* # bytes of data saved at data[] */
  154085. JOCTET FAR * data; /* the data contained in the marker */
  154086. /* the marker length word is not counted in data_length or original_length */
  154087. };
  154088. /* Known color spaces. */
  154089. typedef enum {
  154090. JCS_UNKNOWN, /* error/unspecified */
  154091. JCS_GRAYSCALE, /* monochrome */
  154092. JCS_RGB, /* red/green/blue */
  154093. JCS_YCbCr, /* Y/Cb/Cr (also known as YUV) */
  154094. JCS_CMYK, /* C/M/Y/K */
  154095. JCS_YCCK /* Y/Cb/Cr/K */
  154096. } J_COLOR_SPACE;
  154097. /* DCT/IDCT algorithm options. */
  154098. typedef enum {
  154099. JDCT_ISLOW, /* slow but accurate integer algorithm */
  154100. JDCT_IFAST, /* faster, less accurate integer method */
  154101. JDCT_FLOAT /* floating-point: accurate, fast on fast HW */
  154102. } J_DCT_METHOD;
  154103. #ifndef JDCT_DEFAULT /* may be overridden in jconfig.h */
  154104. #define JDCT_DEFAULT JDCT_ISLOW
  154105. #endif
  154106. #ifndef JDCT_FASTEST /* may be overridden in jconfig.h */
  154107. #define JDCT_FASTEST JDCT_IFAST
  154108. #endif
  154109. /* Dithering options for decompression. */
  154110. typedef enum {
  154111. JDITHER_NONE, /* no dithering */
  154112. JDITHER_ORDERED, /* simple ordered dither */
  154113. JDITHER_FS /* Floyd-Steinberg error diffusion dither */
  154114. } J_DITHER_MODE;
  154115. /* Common fields between JPEG compression and decompression master structs. */
  154116. #define jpeg_common_fields \
  154117. struct jpeg_error_mgr * err; /* Error handler module */\
  154118. struct jpeg_memory_mgr * mem; /* Memory manager module */\
  154119. struct jpeg_progress_mgr * progress; /* Progress monitor, or NULL if none */\
  154120. void * client_data; /* Available for use by application */\
  154121. boolean is_decompressor; /* So common code can tell which is which */\
  154122. int global_state /* For checking call sequence validity */
  154123. /* Routines that are to be used by both halves of the library are declared
  154124. * to receive a pointer to this structure. There are no actual instances of
  154125. * jpeg_common_struct, only of jpeg_compress_struct and jpeg_decompress_struct.
  154126. */
  154127. struct jpeg_common_struct {
  154128. jpeg_common_fields; /* Fields common to both master struct types */
  154129. /* Additional fields follow in an actual jpeg_compress_struct or
  154130. * jpeg_decompress_struct. All three structs must agree on these
  154131. * initial fields! (This would be a lot cleaner in C++.)
  154132. */
  154133. };
  154134. typedef struct jpeg_common_struct * j_common_ptr;
  154135. typedef struct jpeg_compress_struct * j_compress_ptr;
  154136. typedef struct jpeg_decompress_struct * j_decompress_ptr;
  154137. /* Master record for a compression instance */
  154138. struct jpeg_compress_struct {
  154139. jpeg_common_fields; /* Fields shared with jpeg_decompress_struct */
  154140. /* Destination for compressed data */
  154141. struct jpeg_destination_mgr * dest;
  154142. /* Description of source image --- these fields must be filled in by
  154143. * outer application before starting compression. in_color_space must
  154144. * be correct before you can even call jpeg_set_defaults().
  154145. */
  154146. JDIMENSION image_width; /* input image width */
  154147. JDIMENSION image_height; /* input image height */
  154148. int input_components; /* # of color components in input image */
  154149. J_COLOR_SPACE in_color_space; /* colorspace of input image */
  154150. double input_gamma; /* image gamma of input image */
  154151. /* Compression parameters --- these fields must be set before calling
  154152. * jpeg_start_compress(). We recommend calling jpeg_set_defaults() to
  154153. * initialize everything to reasonable defaults, then changing anything
  154154. * the application specifically wants to change. That way you won't get
  154155. * burnt when new parameters are added. Also note that there are several
  154156. * helper routines to simplify changing parameters.
  154157. */
  154158. int data_precision; /* bits of precision in image data */
  154159. int num_components; /* # of color components in JPEG image */
  154160. J_COLOR_SPACE jpeg_color_space; /* colorspace of JPEG image */
  154161. jpeg_component_info * comp_info;
  154162. /* comp_info[i] describes component that appears i'th in SOF */
  154163. JQUANT_TBL * quant_tbl_ptrs[NUM_QUANT_TBLS];
  154164. /* ptrs to coefficient quantization tables, or NULL if not defined */
  154165. JHUFF_TBL * dc_huff_tbl_ptrs[NUM_HUFF_TBLS];
  154166. JHUFF_TBL * ac_huff_tbl_ptrs[NUM_HUFF_TBLS];
  154167. /* ptrs to Huffman coding tables, or NULL if not defined */
  154168. UINT8 arith_dc_L[NUM_ARITH_TBLS]; /* L values for DC arith-coding tables */
  154169. UINT8 arith_dc_U[NUM_ARITH_TBLS]; /* U values for DC arith-coding tables */
  154170. UINT8 arith_ac_K[NUM_ARITH_TBLS]; /* Kx values for AC arith-coding tables */
  154171. int num_scans; /* # of entries in scan_info array */
  154172. const jpeg_scan_info * scan_info; /* script for multi-scan file, or NULL */
  154173. /* The default value of scan_info is NULL, which causes a single-scan
  154174. * sequential JPEG file to be emitted. To create a multi-scan file,
  154175. * set num_scans and scan_info to point to an array of scan definitions.
  154176. */
  154177. boolean raw_data_in; /* TRUE=caller supplies downsampled data */
  154178. boolean arith_code; /* TRUE=arithmetic coding, FALSE=Huffman */
  154179. boolean optimize_coding; /* TRUE=optimize entropy encoding parms */
  154180. boolean CCIR601_sampling; /* TRUE=first samples are cosited */
  154181. int smoothing_factor; /* 1..100, or 0 for no input smoothing */
  154182. J_DCT_METHOD dct_method; /* DCT algorithm selector */
  154183. /* The restart interval can be specified in absolute MCUs by setting
  154184. * restart_interval, or in MCU rows by setting restart_in_rows
  154185. * (in which case the correct restart_interval will be figured
  154186. * for each scan).
  154187. */
  154188. unsigned int restart_interval; /* MCUs per restart, or 0 for no restart */
  154189. int restart_in_rows; /* if > 0, MCU rows per restart interval */
  154190. /* Parameters controlling emission of special markers. */
  154191. boolean write_JFIF_header; /* should a JFIF marker be written? */
  154192. UINT8 JFIF_major_version; /* What to write for the JFIF version number */
  154193. UINT8 JFIF_minor_version;
  154194. /* These three values are not used by the JPEG code, merely copied */
  154195. /* into the JFIF APP0 marker. density_unit can be 0 for unknown, */
  154196. /* 1 for dots/inch, or 2 for dots/cm. Note that the pixel aspect */
  154197. /* ratio is defined by X_density/Y_density even when density_unit=0. */
  154198. UINT8 density_unit; /* JFIF code for pixel size units */
  154199. UINT16 X_density; /* Horizontal pixel density */
  154200. UINT16 Y_density; /* Vertical pixel density */
  154201. boolean write_Adobe_marker; /* should an Adobe marker be written? */
  154202. /* State variable: index of next scanline to be written to
  154203. * jpeg_write_scanlines(). Application may use this to control its
  154204. * processing loop, e.g., "while (next_scanline < image_height)".
  154205. */
  154206. JDIMENSION next_scanline; /* 0 .. image_height-1 */
  154207. /* Remaining fields are known throughout compressor, but generally
  154208. * should not be touched by a surrounding application.
  154209. */
  154210. /*
  154211. * These fields are computed during compression startup
  154212. */
  154213. boolean progressive_mode; /* TRUE if scan script uses progressive mode */
  154214. int max_h_samp_factor; /* largest h_samp_factor */
  154215. int max_v_samp_factor; /* largest v_samp_factor */
  154216. JDIMENSION total_iMCU_rows; /* # of iMCU rows to be input to coef ctlr */
  154217. /* The coefficient controller receives data in units of MCU rows as defined
  154218. * for fully interleaved scans (whether the JPEG file is interleaved or not).
  154219. * There are v_samp_factor * DCTSIZE sample rows of each component in an
  154220. * "iMCU" (interleaved MCU) row.
  154221. */
  154222. /*
  154223. * These fields are valid during any one scan.
  154224. * They describe the components and MCUs actually appearing in the scan.
  154225. */
  154226. int comps_in_scan; /* # of JPEG components in this scan */
  154227. jpeg_component_info * cur_comp_info[MAX_COMPS_IN_SCAN];
  154228. /* *cur_comp_info[i] describes component that appears i'th in SOS */
  154229. JDIMENSION MCUs_per_row; /* # of MCUs across the image */
  154230. JDIMENSION MCU_rows_in_scan; /* # of MCU rows in the image */
  154231. int blocks_in_MCU; /* # of DCT blocks per MCU */
  154232. int MCU_membership[C_MAX_BLOCKS_IN_MCU];
  154233. /* MCU_membership[i] is index in cur_comp_info of component owning */
  154234. /* i'th block in an MCU */
  154235. int Ss, Se, Ah, Al; /* progressive JPEG parameters for scan */
  154236. /*
  154237. * Links to compression subobjects (methods and private variables of modules)
  154238. */
  154239. struct jpeg_comp_master * master;
  154240. struct jpeg_c_main_controller * main;
  154241. struct jpeg_c_prep_controller * prep;
  154242. struct jpeg_c_coef_controller * coef;
  154243. struct jpeg_marker_writer * marker;
  154244. struct jpeg_color_converter * cconvert;
  154245. struct jpeg_downsampler * downsample;
  154246. struct jpeg_forward_dct * fdct;
  154247. struct jpeg_entropy_encoder * entropy;
  154248. jpeg_scan_info * script_space; /* workspace for jpeg_simple_progression */
  154249. int script_space_size;
  154250. };
  154251. /* Master record for a decompression instance */
  154252. struct jpeg_decompress_struct {
  154253. jpeg_common_fields; /* Fields shared with jpeg_compress_struct */
  154254. /* Source of compressed data */
  154255. struct jpeg_source_mgr * src;
  154256. /* Basic description of image --- filled in by jpeg_read_header(). */
  154257. /* Application may inspect these values to decide how to process image. */
  154258. JDIMENSION image_width; /* nominal image width (from SOF marker) */
  154259. JDIMENSION image_height; /* nominal image height */
  154260. int num_components; /* # of color components in JPEG image */
  154261. J_COLOR_SPACE jpeg_color_space; /* colorspace of JPEG image */
  154262. /* Decompression processing parameters --- these fields must be set before
  154263. * calling jpeg_start_decompress(). Note that jpeg_read_header() initializes
  154264. * them to default values.
  154265. */
  154266. J_COLOR_SPACE out_color_space; /* colorspace for output */
  154267. unsigned int scale_num, scale_denom; /* fraction by which to scale image */
  154268. double output_gamma; /* image gamma wanted in output */
  154269. boolean buffered_image; /* TRUE=multiple output passes */
  154270. boolean raw_data_out; /* TRUE=downsampled data wanted */
  154271. J_DCT_METHOD dct_method; /* IDCT algorithm selector */
  154272. boolean do_fancy_upsampling; /* TRUE=apply fancy upsampling */
  154273. boolean do_block_smoothing; /* TRUE=apply interblock smoothing */
  154274. boolean quantize_colors; /* TRUE=colormapped output wanted */
  154275. /* the following are ignored if not quantize_colors: */
  154276. J_DITHER_MODE dither_mode; /* type of color dithering to use */
  154277. boolean two_pass_quantize; /* TRUE=use two-pass color quantization */
  154278. int desired_number_of_colors; /* max # colors to use in created colormap */
  154279. /* these are significant only in buffered-image mode: */
  154280. boolean enable_1pass_quant; /* enable future use of 1-pass quantizer */
  154281. boolean enable_external_quant;/* enable future use of external colormap */
  154282. boolean enable_2pass_quant; /* enable future use of 2-pass quantizer */
  154283. /* Description of actual output image that will be returned to application.
  154284. * These fields are computed by jpeg_start_decompress().
  154285. * You can also use jpeg_calc_output_dimensions() to determine these values
  154286. * in advance of calling jpeg_start_decompress().
  154287. */
  154288. JDIMENSION output_width; /* scaled image width */
  154289. JDIMENSION output_height; /* scaled image height */
  154290. int out_color_components; /* # of color components in out_color_space */
  154291. int output_components; /* # of color components returned */
  154292. /* output_components is 1 (a colormap index) when quantizing colors;
  154293. * otherwise it equals out_color_components.
  154294. */
  154295. int rec_outbuf_height; /* min recommended height of scanline buffer */
  154296. /* If the buffer passed to jpeg_read_scanlines() is less than this many rows
  154297. * high, space and time will be wasted due to unnecessary data copying.
  154298. * Usually rec_outbuf_height will be 1 or 2, at most 4.
  154299. */
  154300. /* When quantizing colors, the output colormap is described by these fields.
  154301. * The application can supply a colormap by setting colormap non-NULL before
  154302. * calling jpeg_start_decompress; otherwise a colormap is created during
  154303. * jpeg_start_decompress or jpeg_start_output.
  154304. * The map has out_color_components rows and actual_number_of_colors columns.
  154305. */
  154306. int actual_number_of_colors; /* number of entries in use */
  154307. JSAMPARRAY colormap; /* The color map as a 2-D pixel array */
  154308. /* State variables: these variables indicate the progress of decompression.
  154309. * The application may examine these but must not modify them.
  154310. */
  154311. /* Row index of next scanline to be read from jpeg_read_scanlines().
  154312. * Application may use this to control its processing loop, e.g.,
  154313. * "while (output_scanline < output_height)".
  154314. */
  154315. JDIMENSION output_scanline; /* 0 .. output_height-1 */
  154316. /* Current input scan number and number of iMCU rows completed in scan.
  154317. * These indicate the progress of the decompressor input side.
  154318. */
  154319. int input_scan_number; /* Number of SOS markers seen so far */
  154320. JDIMENSION input_iMCU_row; /* Number of iMCU rows completed */
  154321. /* The "output scan number" is the notional scan being displayed by the
  154322. * output side. The decompressor will not allow output scan/row number
  154323. * to get ahead of input scan/row, but it can fall arbitrarily far behind.
  154324. */
  154325. int output_scan_number; /* Nominal scan number being displayed */
  154326. JDIMENSION output_iMCU_row; /* Number of iMCU rows read */
  154327. /* Current progression status. coef_bits[c][i] indicates the precision
  154328. * with which component c's DCT coefficient i (in zigzag order) is known.
  154329. * It is -1 when no data has yet been received, otherwise it is the point
  154330. * transform (shift) value for the most recent scan of the coefficient
  154331. * (thus, 0 at completion of the progression).
  154332. * This pointer is NULL when reading a non-progressive file.
  154333. */
  154334. int (*coef_bits)[DCTSIZE2]; /* -1 or current Al value for each coef */
  154335. /* Internal JPEG parameters --- the application usually need not look at
  154336. * these fields. Note that the decompressor output side may not use
  154337. * any parameters that can change between scans.
  154338. */
  154339. /* Quantization and Huffman tables are carried forward across input
  154340. * datastreams when processing abbreviated JPEG datastreams.
  154341. */
  154342. JQUANT_TBL * quant_tbl_ptrs[NUM_QUANT_TBLS];
  154343. /* ptrs to coefficient quantization tables, or NULL if not defined */
  154344. JHUFF_TBL * dc_huff_tbl_ptrs[NUM_HUFF_TBLS];
  154345. JHUFF_TBL * ac_huff_tbl_ptrs[NUM_HUFF_TBLS];
  154346. /* ptrs to Huffman coding tables, or NULL if not defined */
  154347. /* These parameters are never carried across datastreams, since they
  154348. * are given in SOF/SOS markers or defined to be reset by SOI.
  154349. */
  154350. int data_precision; /* bits of precision in image data */
  154351. jpeg_component_info * comp_info;
  154352. /* comp_info[i] describes component that appears i'th in SOF */
  154353. boolean progressive_mode; /* TRUE if SOFn specifies progressive mode */
  154354. boolean arith_code; /* TRUE=arithmetic coding, FALSE=Huffman */
  154355. UINT8 arith_dc_L[NUM_ARITH_TBLS]; /* L values for DC arith-coding tables */
  154356. UINT8 arith_dc_U[NUM_ARITH_TBLS]; /* U values for DC arith-coding tables */
  154357. UINT8 arith_ac_K[NUM_ARITH_TBLS]; /* Kx values for AC arith-coding tables */
  154358. unsigned int restart_interval; /* MCUs per restart interval, or 0 for no restart */
  154359. /* These fields record data obtained from optional markers recognized by
  154360. * the JPEG library.
  154361. */
  154362. boolean saw_JFIF_marker; /* TRUE iff a JFIF APP0 marker was found */
  154363. /* Data copied from JFIF marker; only valid if saw_JFIF_marker is TRUE: */
  154364. UINT8 JFIF_major_version; /* JFIF version number */
  154365. UINT8 JFIF_minor_version;
  154366. UINT8 density_unit; /* JFIF code for pixel size units */
  154367. UINT16 X_density; /* Horizontal pixel density */
  154368. UINT16 Y_density; /* Vertical pixel density */
  154369. boolean saw_Adobe_marker; /* TRUE iff an Adobe APP14 marker was found */
  154370. UINT8 Adobe_transform; /* Color transform code from Adobe marker */
  154371. boolean CCIR601_sampling; /* TRUE=first samples are cosited */
  154372. /* Aside from the specific data retained from APPn markers known to the
  154373. * library, the uninterpreted contents of any or all APPn and COM markers
  154374. * can be saved in a list for examination by the application.
  154375. */
  154376. jpeg_saved_marker_ptr marker_list; /* Head of list of saved markers */
  154377. /* Remaining fields are known throughout decompressor, but generally
  154378. * should not be touched by a surrounding application.
  154379. */
  154380. /*
  154381. * These fields are computed during decompression startup
  154382. */
  154383. int max_h_samp_factor; /* largest h_samp_factor */
  154384. int max_v_samp_factor; /* largest v_samp_factor */
  154385. int min_DCT_scaled_size; /* smallest DCT_scaled_size of any component */
  154386. JDIMENSION total_iMCU_rows; /* # of iMCU rows in image */
  154387. /* The coefficient controller's input and output progress is measured in
  154388. * units of "iMCU" (interleaved MCU) rows. These are the same as MCU rows
  154389. * in fully interleaved JPEG scans, but are used whether the scan is
  154390. * interleaved or not. We define an iMCU row as v_samp_factor DCT block
  154391. * rows of each component. Therefore, the IDCT output contains
  154392. * v_samp_factor*DCT_scaled_size sample rows of a component per iMCU row.
  154393. */
  154394. JSAMPLE * sample_range_limit; /* table for fast range-limiting */
  154395. /*
  154396. * These fields are valid during any one scan.
  154397. * They describe the components and MCUs actually appearing in the scan.
  154398. * Note that the decompressor output side must not use these fields.
  154399. */
  154400. int comps_in_scan; /* # of JPEG components in this scan */
  154401. jpeg_component_info * cur_comp_info[MAX_COMPS_IN_SCAN];
  154402. /* *cur_comp_info[i] describes component that appears i'th in SOS */
  154403. JDIMENSION MCUs_per_row; /* # of MCUs across the image */
  154404. JDIMENSION MCU_rows_in_scan; /* # of MCU rows in the image */
  154405. int blocks_in_MCU; /* # of DCT blocks per MCU */
  154406. int MCU_membership[D_MAX_BLOCKS_IN_MCU];
  154407. /* MCU_membership[i] is index in cur_comp_info of component owning */
  154408. /* i'th block in an MCU */
  154409. int Ss, Se, Ah, Al; /* progressive JPEG parameters for scan */
  154410. /* This field is shared between entropy decoder and marker parser.
  154411. * It is either zero or the code of a JPEG marker that has been
  154412. * read from the data source, but has not yet been processed.
  154413. */
  154414. int unread_marker;
  154415. /*
  154416. * Links to decompression subobjects (methods, private variables of modules)
  154417. */
  154418. struct jpeg_decomp_master * master;
  154419. struct jpeg_d_main_controller * main;
  154420. struct jpeg_d_coef_controller * coef;
  154421. struct jpeg_d_post_controller * post;
  154422. struct jpeg_input_controller * inputctl;
  154423. struct jpeg_marker_reader * marker;
  154424. struct jpeg_entropy_decoder * entropy;
  154425. struct jpeg_inverse_dct * idct;
  154426. struct jpeg_upsampler * upsample;
  154427. struct jpeg_color_deconverter * cconvert;
  154428. struct jpeg_color_quantizer * cquantize;
  154429. };
  154430. /* "Object" declarations for JPEG modules that may be supplied or called
  154431. * directly by the surrounding application.
  154432. * As with all objects in the JPEG library, these structs only define the
  154433. * publicly visible methods and state variables of a module. Additional
  154434. * private fields may exist after the public ones.
  154435. */
  154436. /* Error handler object */
  154437. struct jpeg_error_mgr {
  154438. /* Error exit handler: does not return to caller */
  154439. JMETHOD(void, error_exit, (j_common_ptr cinfo));
  154440. /* Conditionally emit a trace or warning message */
  154441. JMETHOD(void, emit_message, (j_common_ptr cinfo, int msg_level));
  154442. /* Routine that actually outputs a trace or error message */
  154443. JMETHOD(void, output_message, (j_common_ptr cinfo));
  154444. /* Format a message string for the most recent JPEG error or message */
  154445. JMETHOD(void, format_message, (j_common_ptr cinfo, char * buffer));
  154446. #define JMSG_LENGTH_MAX 200 /* recommended size of format_message buffer */
  154447. /* Reset error state variables at start of a new image */
  154448. JMETHOD(void, reset_error_mgr, (j_common_ptr cinfo));
  154449. /* The message ID code and any parameters are saved here.
  154450. * A message can have one string parameter or up to 8 int parameters.
  154451. */
  154452. int msg_code;
  154453. #define JMSG_STR_PARM_MAX 80
  154454. union {
  154455. int i[8];
  154456. char s[JMSG_STR_PARM_MAX];
  154457. } msg_parm;
  154458. /* Standard state variables for error facility */
  154459. int trace_level; /* max msg_level that will be displayed */
  154460. /* For recoverable corrupt-data errors, we emit a warning message,
  154461. * but keep going unless emit_message chooses to abort. emit_message
  154462. * should count warnings in num_warnings. The surrounding application
  154463. * can check for bad data by seeing if num_warnings is nonzero at the
  154464. * end of processing.
  154465. */
  154466. long num_warnings; /* number of corrupt-data warnings */
  154467. /* These fields point to the table(s) of error message strings.
  154468. * An application can change the table pointer to switch to a different
  154469. * message list (typically, to change the language in which errors are
  154470. * reported). Some applications may wish to add additional error codes
  154471. * that will be handled by the JPEG library error mechanism; the second
  154472. * table pointer is used for this purpose.
  154473. *
  154474. * First table includes all errors generated by JPEG library itself.
  154475. * Error code 0 is reserved for a "no such error string" message.
  154476. */
  154477. const char * const * jpeg_message_table; /* Library errors */
  154478. int last_jpeg_message; /* Table contains strings 0..last_jpeg_message */
  154479. /* Second table can be added by application (see cjpeg/djpeg for example).
  154480. * It contains strings numbered first_addon_message..last_addon_message.
  154481. */
  154482. const char * const * addon_message_table; /* Non-library errors */
  154483. int first_addon_message; /* code for first string in addon table */
  154484. int last_addon_message; /* code for last string in addon table */
  154485. };
  154486. /* Progress monitor object */
  154487. struct jpeg_progress_mgr {
  154488. JMETHOD(void, progress_monitor, (j_common_ptr cinfo));
  154489. long pass_counter; /* work units completed in this pass */
  154490. long pass_limit; /* total number of work units in this pass */
  154491. int completed_passes; /* passes completed so far */
  154492. int total_passes; /* total number of passes expected */
  154493. };
  154494. /* Data destination object for compression */
  154495. struct jpeg_destination_mgr {
  154496. JOCTET * next_output_byte; /* => next byte to write in buffer */
  154497. size_t free_in_buffer; /* # of byte spaces remaining in buffer */
  154498. JMETHOD(void, init_destination, (j_compress_ptr cinfo));
  154499. JMETHOD(boolean, empty_output_buffer, (j_compress_ptr cinfo));
  154500. JMETHOD(void, term_destination, (j_compress_ptr cinfo));
  154501. };
  154502. /* Data source object for decompression */
  154503. struct jpeg_source_mgr {
  154504. const JOCTET * next_input_byte; /* => next byte to read from buffer */
  154505. size_t bytes_in_buffer; /* # of bytes remaining in buffer */
  154506. JMETHOD(void, init_source, (j_decompress_ptr cinfo));
  154507. JMETHOD(boolean, fill_input_buffer, (j_decompress_ptr cinfo));
  154508. JMETHOD(void, skip_input_data, (j_decompress_ptr cinfo, long num_bytes));
  154509. JMETHOD(boolean, resync_to_restart, (j_decompress_ptr cinfo, int desired));
  154510. JMETHOD(void, term_source, (j_decompress_ptr cinfo));
  154511. };
  154512. /* Memory manager object.
  154513. * Allocates "small" objects (a few K total), "large" objects (tens of K),
  154514. * and "really big" objects (virtual arrays with backing store if needed).
  154515. * The memory manager does not allow individual objects to be freed; rather,
  154516. * each created object is assigned to a pool, and whole pools can be freed
  154517. * at once. This is faster and more convenient than remembering exactly what
  154518. * to free, especially where malloc()/free() are not too speedy.
  154519. * NB: alloc routines never return NULL. They exit to error_exit if not
  154520. * successful.
  154521. */
  154522. #define JPOOL_PERMANENT 0 /* lasts until master record is destroyed */
  154523. #define JPOOL_IMAGE 1 /* lasts until done with image/datastream */
  154524. #define JPOOL_NUMPOOLS 2
  154525. typedef struct jvirt_sarray_control * jvirt_sarray_ptr;
  154526. typedef struct jvirt_barray_control * jvirt_barray_ptr;
  154527. struct jpeg_memory_mgr {
  154528. /* Method pointers */
  154529. JMETHOD(void *, alloc_small, (j_common_ptr cinfo, int pool_id,
  154530. size_t sizeofobject));
  154531. JMETHOD(void FAR *, alloc_large, (j_common_ptr cinfo, int pool_id,
  154532. size_t sizeofobject));
  154533. JMETHOD(JSAMPARRAY, alloc_sarray, (j_common_ptr cinfo, int pool_id,
  154534. JDIMENSION samplesperrow,
  154535. JDIMENSION numrows));
  154536. JMETHOD(JBLOCKARRAY, alloc_barray, (j_common_ptr cinfo, int pool_id,
  154537. JDIMENSION blocksperrow,
  154538. JDIMENSION numrows));
  154539. JMETHOD(jvirt_sarray_ptr, request_virt_sarray, (j_common_ptr cinfo,
  154540. int pool_id,
  154541. boolean pre_zero,
  154542. JDIMENSION samplesperrow,
  154543. JDIMENSION numrows,
  154544. JDIMENSION maxaccess));
  154545. JMETHOD(jvirt_barray_ptr, request_virt_barray, (j_common_ptr cinfo,
  154546. int pool_id,
  154547. boolean pre_zero,
  154548. JDIMENSION blocksperrow,
  154549. JDIMENSION numrows,
  154550. JDIMENSION maxaccess));
  154551. JMETHOD(void, realize_virt_arrays, (j_common_ptr cinfo));
  154552. JMETHOD(JSAMPARRAY, access_virt_sarray, (j_common_ptr cinfo,
  154553. jvirt_sarray_ptr ptr,
  154554. JDIMENSION start_row,
  154555. JDIMENSION num_rows,
  154556. boolean writable));
  154557. JMETHOD(JBLOCKARRAY, access_virt_barray, (j_common_ptr cinfo,
  154558. jvirt_barray_ptr ptr,
  154559. JDIMENSION start_row,
  154560. JDIMENSION num_rows,
  154561. boolean writable));
  154562. JMETHOD(void, free_pool, (j_common_ptr cinfo, int pool_id));
  154563. JMETHOD(void, self_destruct, (j_common_ptr cinfo));
  154564. /* Limit on memory allocation for this JPEG object. (Note that this is
  154565. * merely advisory, not a guaranteed maximum; it only affects the space
  154566. * used for virtual-array buffers.) May be changed by outer application
  154567. * after creating the JPEG object.
  154568. */
  154569. long max_memory_to_use;
  154570. /* Maximum allocation request accepted by alloc_large. */
  154571. long max_alloc_chunk;
  154572. };
  154573. /* Routine signature for application-supplied marker processing methods.
  154574. * Need not pass marker code since it is stored in cinfo->unread_marker.
  154575. */
  154576. typedef JMETHOD(boolean, jpeg_marker_parser_method, (j_decompress_ptr cinfo));
  154577. /* Declarations for routines called by application.
  154578. * The JPP macro hides prototype parameters from compilers that can't cope.
  154579. * Note JPP requires double parentheses.
  154580. */
  154581. #ifdef HAVE_PROTOTYPES
  154582. #define JPP(arglist) arglist
  154583. #else
  154584. #define JPP(arglist) ()
  154585. #endif
  154586. /* Short forms of external names for systems with brain-damaged linkers.
  154587. * We shorten external names to be unique in the first six letters, which
  154588. * is good enough for all known systems.
  154589. * (If your compiler itself needs names to be unique in less than 15
  154590. * characters, you are out of luck. Get a better compiler.)
  154591. */
  154592. #ifdef NEED_SHORT_EXTERNAL_NAMES
  154593. #define jpeg_std_error jStdError
  154594. #define jpeg_CreateCompress jCreaCompress
  154595. #define jpeg_CreateDecompress jCreaDecompress
  154596. #define jpeg_destroy_compress jDestCompress
  154597. #define jpeg_destroy_decompress jDestDecompress
  154598. #define jpeg_stdio_dest jStdDest
  154599. #define jpeg_stdio_src jStdSrc
  154600. #define jpeg_set_defaults jSetDefaults
  154601. #define jpeg_set_colorspace jSetColorspace
  154602. #define jpeg_default_colorspace jDefColorspace
  154603. #define jpeg_set_quality jSetQuality
  154604. #define jpeg_set_linear_quality jSetLQuality
  154605. #define jpeg_add_quant_table jAddQuantTable
  154606. #define jpeg_quality_scaling jQualityScaling
  154607. #define jpeg_simple_progression jSimProgress
  154608. #define jpeg_suppress_tables jSuppressTables
  154609. #define jpeg_alloc_quant_table jAlcQTable
  154610. #define jpeg_alloc_huff_table jAlcHTable
  154611. #define jpeg_start_compress jStrtCompress
  154612. #define jpeg_write_scanlines jWrtScanlines
  154613. #define jpeg_finish_compress jFinCompress
  154614. #define jpeg_write_raw_data jWrtRawData
  154615. #define jpeg_write_marker jWrtMarker
  154616. #define jpeg_write_m_header jWrtMHeader
  154617. #define jpeg_write_m_byte jWrtMByte
  154618. #define jpeg_write_tables jWrtTables
  154619. #define jpeg_read_header jReadHeader
  154620. #define jpeg_start_decompress jStrtDecompress
  154621. #define jpeg_read_scanlines jReadScanlines
  154622. #define jpeg_finish_decompress jFinDecompress
  154623. #define jpeg_read_raw_data jReadRawData
  154624. #define jpeg_has_multiple_scans jHasMultScn
  154625. #define jpeg_start_output jStrtOutput
  154626. #define jpeg_finish_output jFinOutput
  154627. #define jpeg_input_complete jInComplete
  154628. #define jpeg_new_colormap jNewCMap
  154629. #define jpeg_consume_input jConsumeInput
  154630. #define jpeg_calc_output_dimensions jCalcDimensions
  154631. #define jpeg_save_markers jSaveMarkers
  154632. #define jpeg_set_marker_processor jSetMarker
  154633. #define jpeg_read_coefficients jReadCoefs
  154634. #define jpeg_write_coefficients jWrtCoefs
  154635. #define jpeg_copy_critical_parameters jCopyCrit
  154636. #define jpeg_abort_compress jAbrtCompress
  154637. #define jpeg_abort_decompress jAbrtDecompress
  154638. #define jpeg_abort jAbort
  154639. #define jpeg_destroy jDestroy
  154640. #define jpeg_resync_to_restart jResyncRestart
  154641. #endif /* NEED_SHORT_EXTERNAL_NAMES */
  154642. /* Default error-management setup */
  154643. EXTERN(struct jpeg_error_mgr *) jpeg_std_error
  154644. JPP((struct jpeg_error_mgr * err));
  154645. /* Initialization of JPEG compression objects.
  154646. * jpeg_create_compress() and jpeg_create_decompress() are the exported
  154647. * names that applications should call. These expand to calls on
  154648. * jpeg_CreateCompress and jpeg_CreateDecompress with additional information
  154649. * passed for version mismatch checking.
  154650. * NB: you must set up the error-manager BEFORE calling jpeg_create_xxx.
  154651. */
  154652. #define jpeg_create_compress(cinfo) \
  154653. jpeg_CreateCompress((cinfo), JPEG_LIB_VERSION, \
  154654. (size_t) sizeof(struct jpeg_compress_struct))
  154655. #define jpeg_create_decompress(cinfo) \
  154656. jpeg_CreateDecompress((cinfo), JPEG_LIB_VERSION, \
  154657. (size_t) sizeof(struct jpeg_decompress_struct))
  154658. EXTERN(void) jpeg_CreateCompress JPP((j_compress_ptr cinfo,
  154659. int version, size_t structsize));
  154660. EXTERN(void) jpeg_CreateDecompress JPP((j_decompress_ptr cinfo,
  154661. int version, size_t structsize));
  154662. /* Destruction of JPEG compression objects */
  154663. EXTERN(void) jpeg_destroy_compress JPP((j_compress_ptr cinfo));
  154664. EXTERN(void) jpeg_destroy_decompress JPP((j_decompress_ptr cinfo));
  154665. /* Standard data source and destination managers: stdio streams. */
  154666. /* Caller is responsible for opening the file before and closing after. */
  154667. EXTERN(void) jpeg_stdio_dest JPP((j_compress_ptr cinfo, FILE * outfile));
  154668. EXTERN(void) jpeg_stdio_src JPP((j_decompress_ptr cinfo, FILE * infile));
  154669. /* Default parameter setup for compression */
  154670. EXTERN(void) jpeg_set_defaults JPP((j_compress_ptr cinfo));
  154671. /* Compression parameter setup aids */
  154672. EXTERN(void) jpeg_set_colorspace JPP((j_compress_ptr cinfo,
  154673. J_COLOR_SPACE colorspace));
  154674. EXTERN(void) jpeg_default_colorspace JPP((j_compress_ptr cinfo));
  154675. EXTERN(void) jpeg_set_quality JPP((j_compress_ptr cinfo, int quality,
  154676. boolean force_baseline));
  154677. EXTERN(void) jpeg_set_linear_quality JPP((j_compress_ptr cinfo,
  154678. int scale_factor,
  154679. boolean force_baseline));
  154680. EXTERN(void) jpeg_add_quant_table JPP((j_compress_ptr cinfo, int which_tbl,
  154681. const unsigned int *basic_table,
  154682. int scale_factor,
  154683. boolean force_baseline));
  154684. EXTERN(int) jpeg_quality_scaling JPP((int quality));
  154685. EXTERN(void) jpeg_simple_progression JPP((j_compress_ptr cinfo));
  154686. EXTERN(void) jpeg_suppress_tables JPP((j_compress_ptr cinfo,
  154687. boolean suppress));
  154688. EXTERN(JQUANT_TBL *) jpeg_alloc_quant_table JPP((j_common_ptr cinfo));
  154689. EXTERN(JHUFF_TBL *) jpeg_alloc_huff_table JPP((j_common_ptr cinfo));
  154690. /* Main entry points for compression */
  154691. EXTERN(void) jpeg_start_compress JPP((j_compress_ptr cinfo,
  154692. boolean write_all_tables));
  154693. EXTERN(JDIMENSION) jpeg_write_scanlines JPP((j_compress_ptr cinfo,
  154694. JSAMPARRAY scanlines,
  154695. JDIMENSION num_lines));
  154696. EXTERN(void) jpeg_finish_compress JPP((j_compress_ptr cinfo));
  154697. /* Replaces jpeg_write_scanlines when writing raw downsampled data. */
  154698. EXTERN(JDIMENSION) jpeg_write_raw_data JPP((j_compress_ptr cinfo,
  154699. JSAMPIMAGE data,
  154700. JDIMENSION num_lines));
  154701. /* Write a special marker. See libjpeg.doc concerning safe usage. */
  154702. EXTERN(void) jpeg_write_marker
  154703. JPP((j_compress_ptr cinfo, int marker,
  154704. const JOCTET * dataptr, unsigned int datalen));
  154705. /* Same, but piecemeal. */
  154706. EXTERN(void) jpeg_write_m_header
  154707. JPP((j_compress_ptr cinfo, int marker, unsigned int datalen));
  154708. EXTERN(void) jpeg_write_m_byte
  154709. JPP((j_compress_ptr cinfo, int val));
  154710. /* Alternate compression function: just write an abbreviated table file */
  154711. EXTERN(void) jpeg_write_tables JPP((j_compress_ptr cinfo));
  154712. /* Decompression startup: read start of JPEG datastream to see what's there */
  154713. EXTERN(int) jpeg_read_header JPP((j_decompress_ptr cinfo,
  154714. boolean require_image));
  154715. /* Return value is one of: */
  154716. #define JPEG_SUSPENDED 0 /* Suspended due to lack of input data */
  154717. #define JPEG_HEADER_OK 1 /* Found valid image datastream */
  154718. #define JPEG_HEADER_TABLES_ONLY 2 /* Found valid table-specs-only datastream */
  154719. /* If you pass require_image = TRUE (normal case), you need not check for
  154720. * a TABLES_ONLY return code; an abbreviated file will cause an error exit.
  154721. * JPEG_SUSPENDED is only possible if you use a data source module that can
  154722. * give a suspension return (the stdio source module doesn't).
  154723. */
  154724. /* Main entry points for decompression */
  154725. EXTERN(boolean) jpeg_start_decompress JPP((j_decompress_ptr cinfo));
  154726. EXTERN(JDIMENSION) jpeg_read_scanlines JPP((j_decompress_ptr cinfo,
  154727. JSAMPARRAY scanlines,
  154728. JDIMENSION max_lines));
  154729. EXTERN(boolean) jpeg_finish_decompress JPP((j_decompress_ptr cinfo));
  154730. /* Replaces jpeg_read_scanlines when reading raw downsampled data. */
  154731. EXTERN(JDIMENSION) jpeg_read_raw_data JPP((j_decompress_ptr cinfo,
  154732. JSAMPIMAGE data,
  154733. JDIMENSION max_lines));
  154734. /* Additional entry points for buffered-image mode. */
  154735. EXTERN(boolean) jpeg_has_multiple_scans JPP((j_decompress_ptr cinfo));
  154736. EXTERN(boolean) jpeg_start_output JPP((j_decompress_ptr cinfo,
  154737. int scan_number));
  154738. EXTERN(boolean) jpeg_finish_output JPP((j_decompress_ptr cinfo));
  154739. EXTERN(boolean) jpeg_input_complete JPP((j_decompress_ptr cinfo));
  154740. EXTERN(void) jpeg_new_colormap JPP((j_decompress_ptr cinfo));
  154741. EXTERN(int) jpeg_consume_input JPP((j_decompress_ptr cinfo));
  154742. /* Return value is one of: */
  154743. /* #define JPEG_SUSPENDED 0 Suspended due to lack of input data */
  154744. #define JPEG_REACHED_SOS 1 /* Reached start of new scan */
  154745. #define JPEG_REACHED_EOI 2 /* Reached end of image */
  154746. #define JPEG_ROW_COMPLETED 3 /* Completed one iMCU row */
  154747. #define JPEG_SCAN_COMPLETED 4 /* Completed last iMCU row of a scan */
  154748. /* Precalculate output dimensions for current decompression parameters. */
  154749. EXTERN(void) jpeg_calc_output_dimensions JPP((j_decompress_ptr cinfo));
  154750. /* Control saving of COM and APPn markers into marker_list. */
  154751. EXTERN(void) jpeg_save_markers
  154752. JPP((j_decompress_ptr cinfo, int marker_code,
  154753. unsigned int length_limit));
  154754. /* Install a special processing method for COM or APPn markers. */
  154755. EXTERN(void) jpeg_set_marker_processor
  154756. JPP((j_decompress_ptr cinfo, int marker_code,
  154757. jpeg_marker_parser_method routine));
  154758. /* Read or write raw DCT coefficients --- useful for lossless transcoding. */
  154759. EXTERN(jvirt_barray_ptr *) jpeg_read_coefficients JPP((j_decompress_ptr cinfo));
  154760. EXTERN(void) jpeg_write_coefficients JPP((j_compress_ptr cinfo,
  154761. jvirt_barray_ptr * coef_arrays));
  154762. EXTERN(void) jpeg_copy_critical_parameters JPP((j_decompress_ptr srcinfo,
  154763. j_compress_ptr dstinfo));
  154764. /* If you choose to abort compression or decompression before completing
  154765. * jpeg_finish_(de)compress, then you need to clean up to release memory,
  154766. * temporary files, etc. You can just call jpeg_destroy_(de)compress
  154767. * if you're done with the JPEG object, but if you want to clean it up and
  154768. * reuse it, call this:
  154769. */
  154770. EXTERN(void) jpeg_abort_compress JPP((j_compress_ptr cinfo));
  154771. EXTERN(void) jpeg_abort_decompress JPP((j_decompress_ptr cinfo));
  154772. /* Generic versions of jpeg_abort and jpeg_destroy that work on either
  154773. * flavor of JPEG object. These may be more convenient in some places.
  154774. */
  154775. EXTERN(void) jpeg_abort JPP((j_common_ptr cinfo));
  154776. EXTERN(void) jpeg_destroy JPP((j_common_ptr cinfo));
  154777. /* Default restart-marker-resync procedure for use by data source modules */
  154778. EXTERN(boolean) jpeg_resync_to_restart JPP((j_decompress_ptr cinfo,
  154779. int desired));
  154780. /* These marker codes are exported since applications and data source modules
  154781. * are likely to want to use them.
  154782. */
  154783. #define JPEG_RST0 0xD0 /* RST0 marker code */
  154784. #define JPEG_EOI 0xD9 /* EOI marker code */
  154785. #define JPEG_APP0 0xE0 /* APP0 marker code */
  154786. #define JPEG_COM 0xFE /* COM marker code */
  154787. /* If we have a brain-damaged compiler that emits warnings (or worse, errors)
  154788. * for structure definitions that are never filled in, keep it quiet by
  154789. * supplying dummy definitions for the various substructures.
  154790. */
  154791. #ifdef INCOMPLETE_TYPES_BROKEN
  154792. #ifndef JPEG_INTERNALS /* will be defined in jpegint.h */
  154793. struct jvirt_sarray_control { long dummy; };
  154794. struct jvirt_barray_control { long dummy; };
  154795. struct jpeg_comp_master { long dummy; };
  154796. struct jpeg_c_main_controller { long dummy; };
  154797. struct jpeg_c_prep_controller { long dummy; };
  154798. struct jpeg_c_coef_controller { long dummy; };
  154799. struct jpeg_marker_writer { long dummy; };
  154800. struct jpeg_color_converter { long dummy; };
  154801. struct jpeg_downsampler { long dummy; };
  154802. struct jpeg_forward_dct { long dummy; };
  154803. struct jpeg_entropy_encoder { long dummy; };
  154804. struct jpeg_decomp_master { long dummy; };
  154805. struct jpeg_d_main_controller { long dummy; };
  154806. struct jpeg_d_coef_controller { long dummy; };
  154807. struct jpeg_d_post_controller { long dummy; };
  154808. struct jpeg_input_controller { long dummy; };
  154809. struct jpeg_marker_reader { long dummy; };
  154810. struct jpeg_entropy_decoder { long dummy; };
  154811. struct jpeg_inverse_dct { long dummy; };
  154812. struct jpeg_upsampler { long dummy; };
  154813. struct jpeg_color_deconverter { long dummy; };
  154814. struct jpeg_color_quantizer { long dummy; };
  154815. #endif /* JPEG_INTERNALS */
  154816. #endif /* INCOMPLETE_TYPES_BROKEN */
  154817. /*
  154818. * The JPEG library modules define JPEG_INTERNALS before including this file.
  154819. * The internal structure declarations are read only when that is true.
  154820. * Applications using the library should not include jpegint.h, but may wish
  154821. * to include jerror.h.
  154822. */
  154823. #ifdef JPEG_INTERNALS
  154824. /********* Start of inlined file: jpegint.h *********/
  154825. /* Declarations for both compression & decompression */
  154826. typedef enum { /* Operating modes for buffer controllers */
  154827. JBUF_PASS_THRU, /* Plain stripwise operation */
  154828. /* Remaining modes require a full-image buffer to have been created */
  154829. JBUF_SAVE_SOURCE, /* Run source subobject only, save output */
  154830. JBUF_CRANK_DEST, /* Run dest subobject only, using saved data */
  154831. JBUF_SAVE_AND_PASS /* Run both subobjects, save output */
  154832. } J_BUF_MODE;
  154833. /* Values of global_state field (jdapi.c has some dependencies on ordering!) */
  154834. #define CSTATE_START 100 /* after create_compress */
  154835. #define CSTATE_SCANNING 101 /* start_compress done, write_scanlines OK */
  154836. #define CSTATE_RAW_OK 102 /* start_compress done, write_raw_data OK */
  154837. #define CSTATE_WRCOEFS 103 /* jpeg_write_coefficients done */
  154838. #define DSTATE_START 200 /* after create_decompress */
  154839. #define DSTATE_INHEADER 201 /* reading header markers, no SOS yet */
  154840. #define DSTATE_READY 202 /* found SOS, ready for start_decompress */
  154841. #define DSTATE_PRELOAD 203 /* reading multiscan file in start_decompress*/
  154842. #define DSTATE_PRESCAN 204 /* performing dummy pass for 2-pass quant */
  154843. #define DSTATE_SCANNING 205 /* start_decompress done, read_scanlines OK */
  154844. #define DSTATE_RAW_OK 206 /* start_decompress done, read_raw_data OK */
  154845. #define DSTATE_BUFIMAGE 207 /* expecting jpeg_start_output */
  154846. #define DSTATE_BUFPOST 208 /* looking for SOS/EOI in jpeg_finish_output */
  154847. #define DSTATE_RDCOEFS 209 /* reading file in jpeg_read_coefficients */
  154848. #define DSTATE_STOPPING 210 /* looking for EOI in jpeg_finish_decompress */
  154849. /* Declarations for compression modules */
  154850. /* Master control module */
  154851. struct jpeg_comp_master {
  154852. JMETHOD(void, prepare_for_pass, (j_compress_ptr cinfo));
  154853. JMETHOD(void, pass_startup, (j_compress_ptr cinfo));
  154854. JMETHOD(void, finish_pass, (j_compress_ptr cinfo));
  154855. /* State variables made visible to other modules */
  154856. boolean call_pass_startup; /* True if pass_startup must be called */
  154857. boolean is_last_pass; /* True during last pass */
  154858. };
  154859. /* Main buffer control (downsampled-data buffer) */
  154860. struct jpeg_c_main_controller {
  154861. JMETHOD(void, start_pass, (j_compress_ptr cinfo, J_BUF_MODE pass_mode));
  154862. JMETHOD(void, process_data, (j_compress_ptr cinfo,
  154863. JSAMPARRAY input_buf, JDIMENSION *in_row_ctr,
  154864. JDIMENSION in_rows_avail));
  154865. };
  154866. /* Compression preprocessing (downsampling input buffer control) */
  154867. struct jpeg_c_prep_controller {
  154868. JMETHOD(void, start_pass, (j_compress_ptr cinfo, J_BUF_MODE pass_mode));
  154869. JMETHOD(void, pre_process_data, (j_compress_ptr cinfo,
  154870. JSAMPARRAY input_buf,
  154871. JDIMENSION *in_row_ctr,
  154872. JDIMENSION in_rows_avail,
  154873. JSAMPIMAGE output_buf,
  154874. JDIMENSION *out_row_group_ctr,
  154875. JDIMENSION out_row_groups_avail));
  154876. };
  154877. /* Coefficient buffer control */
  154878. struct jpeg_c_coef_controller {
  154879. JMETHOD(void, start_pass, (j_compress_ptr cinfo, J_BUF_MODE pass_mode));
  154880. JMETHOD(boolean, compress_data, (j_compress_ptr cinfo,
  154881. JSAMPIMAGE input_buf));
  154882. };
  154883. /* Colorspace conversion */
  154884. struct jpeg_color_converter {
  154885. JMETHOD(void, start_pass, (j_compress_ptr cinfo));
  154886. JMETHOD(void, color_convert, (j_compress_ptr cinfo,
  154887. JSAMPARRAY input_buf, JSAMPIMAGE output_buf,
  154888. JDIMENSION output_row, int num_rows));
  154889. };
  154890. /* Downsampling */
  154891. struct jpeg_downsampler {
  154892. JMETHOD(void, start_pass, (j_compress_ptr cinfo));
  154893. JMETHOD(void, downsample, (j_compress_ptr cinfo,
  154894. JSAMPIMAGE input_buf, JDIMENSION in_row_index,
  154895. JSAMPIMAGE output_buf,
  154896. JDIMENSION out_row_group_index));
  154897. boolean need_context_rows; /* TRUE if need rows above & below */
  154898. };
  154899. /* Forward DCT (also controls coefficient quantization) */
  154900. struct jpeg_forward_dct {
  154901. JMETHOD(void, start_pass, (j_compress_ptr cinfo));
  154902. /* perhaps this should be an array??? */
  154903. JMETHOD(void, forward_DCT, (j_compress_ptr cinfo,
  154904. jpeg_component_info * compptr,
  154905. JSAMPARRAY sample_data, JBLOCKROW coef_blocks,
  154906. JDIMENSION start_row, JDIMENSION start_col,
  154907. JDIMENSION num_blocks));
  154908. };
  154909. /* Entropy encoding */
  154910. struct jpeg_entropy_encoder {
  154911. JMETHOD(void, start_pass, (j_compress_ptr cinfo, boolean gather_statistics));
  154912. JMETHOD(boolean, encode_mcu, (j_compress_ptr cinfo, JBLOCKROW *MCU_data));
  154913. JMETHOD(void, finish_pass, (j_compress_ptr cinfo));
  154914. };
  154915. /* Marker writing */
  154916. struct jpeg_marker_writer {
  154917. JMETHOD(void, write_file_header, (j_compress_ptr cinfo));
  154918. JMETHOD(void, write_frame_header, (j_compress_ptr cinfo));
  154919. JMETHOD(void, write_scan_header, (j_compress_ptr cinfo));
  154920. JMETHOD(void, write_file_trailer, (j_compress_ptr cinfo));
  154921. JMETHOD(void, write_tables_only, (j_compress_ptr cinfo));
  154922. /* These routines are exported to allow insertion of extra markers */
  154923. /* Probably only COM and APPn markers should be written this way */
  154924. JMETHOD(void, write_marker_header, (j_compress_ptr cinfo, int marker,
  154925. unsigned int datalen));
  154926. JMETHOD(void, write_marker_byte, (j_compress_ptr cinfo, int val));
  154927. };
  154928. /* Declarations for decompression modules */
  154929. /* Master control module */
  154930. struct jpeg_decomp_master {
  154931. JMETHOD(void, prepare_for_output_pass, (j_decompress_ptr cinfo));
  154932. JMETHOD(void, finish_output_pass, (j_decompress_ptr cinfo));
  154933. /* State variables made visible to other modules */
  154934. boolean is_dummy_pass; /* True during 1st pass for 2-pass quant */
  154935. };
  154936. /* Input control module */
  154937. struct jpeg_input_controller {
  154938. JMETHOD(int, consume_input, (j_decompress_ptr cinfo));
  154939. JMETHOD(void, reset_input_controller, (j_decompress_ptr cinfo));
  154940. JMETHOD(void, start_input_pass, (j_decompress_ptr cinfo));
  154941. JMETHOD(void, finish_input_pass, (j_decompress_ptr cinfo));
  154942. /* State variables made visible to other modules */
  154943. boolean has_multiple_scans; /* True if file has multiple scans */
  154944. boolean eoi_reached; /* True when EOI has been consumed */
  154945. };
  154946. /* Main buffer control (downsampled-data buffer) */
  154947. struct jpeg_d_main_controller {
  154948. JMETHOD(void, start_pass, (j_decompress_ptr cinfo, J_BUF_MODE pass_mode));
  154949. JMETHOD(void, process_data, (j_decompress_ptr cinfo,
  154950. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  154951. JDIMENSION out_rows_avail));
  154952. };
  154953. /* Coefficient buffer control */
  154954. struct jpeg_d_coef_controller {
  154955. JMETHOD(void, start_input_pass, (j_decompress_ptr cinfo));
  154956. JMETHOD(int, consume_data, (j_decompress_ptr cinfo));
  154957. JMETHOD(void, start_output_pass, (j_decompress_ptr cinfo));
  154958. JMETHOD(int, decompress_data, (j_decompress_ptr cinfo,
  154959. JSAMPIMAGE output_buf));
  154960. /* Pointer to array of coefficient virtual arrays, or NULL if none */
  154961. jvirt_barray_ptr *coef_arrays;
  154962. };
  154963. /* Decompression postprocessing (color quantization buffer control) */
  154964. struct jpeg_d_post_controller {
  154965. JMETHOD(void, start_pass, (j_decompress_ptr cinfo, J_BUF_MODE pass_mode));
  154966. JMETHOD(void, post_process_data, (j_decompress_ptr cinfo,
  154967. JSAMPIMAGE input_buf,
  154968. JDIMENSION *in_row_group_ctr,
  154969. JDIMENSION in_row_groups_avail,
  154970. JSAMPARRAY output_buf,
  154971. JDIMENSION *out_row_ctr,
  154972. JDIMENSION out_rows_avail));
  154973. };
  154974. /* Marker reading & parsing */
  154975. struct jpeg_marker_reader {
  154976. JMETHOD(void, reset_marker_reader, (j_decompress_ptr cinfo));
  154977. /* Read markers until SOS or EOI.
  154978. * Returns same codes as are defined for jpeg_consume_input:
  154979. * JPEG_SUSPENDED, JPEG_REACHED_SOS, or JPEG_REACHED_EOI.
  154980. */
  154981. JMETHOD(int, read_markers, (j_decompress_ptr cinfo));
  154982. /* Read a restart marker --- exported for use by entropy decoder only */
  154983. jpeg_marker_parser_method read_restart_marker;
  154984. /* State of marker reader --- nominally internal, but applications
  154985. * supplying COM or APPn handlers might like to know the state.
  154986. */
  154987. boolean saw_SOI; /* found SOI? */
  154988. boolean saw_SOF; /* found SOF? */
  154989. int next_restart_num; /* next restart number expected (0-7) */
  154990. unsigned int discarded_bytes; /* # of bytes skipped looking for a marker */
  154991. };
  154992. /* Entropy decoding */
  154993. struct jpeg_entropy_decoder {
  154994. JMETHOD(void, start_pass, (j_decompress_ptr cinfo));
  154995. JMETHOD(boolean, decode_mcu, (j_decompress_ptr cinfo,
  154996. JBLOCKROW *MCU_data));
  154997. /* This is here to share code between baseline and progressive decoders; */
  154998. /* other modules probably should not use it */
  154999. boolean insufficient_data; /* set TRUE after emitting warning */
  155000. };
  155001. /* Inverse DCT (also performs dequantization) */
  155002. typedef JMETHOD(void, inverse_DCT_method_ptr,
  155003. (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  155004. JCOEFPTR coef_block,
  155005. JSAMPARRAY output_buf, JDIMENSION output_col));
  155006. struct jpeg_inverse_dct {
  155007. JMETHOD(void, start_pass, (j_decompress_ptr cinfo));
  155008. /* It is useful to allow each component to have a separate IDCT method. */
  155009. inverse_DCT_method_ptr inverse_DCT[MAX_COMPONENTS];
  155010. };
  155011. /* Upsampling (note that upsampler must also call color converter) */
  155012. struct jpeg_upsampler {
  155013. JMETHOD(void, start_pass, (j_decompress_ptr cinfo));
  155014. JMETHOD(void, upsample, (j_decompress_ptr cinfo,
  155015. JSAMPIMAGE input_buf,
  155016. JDIMENSION *in_row_group_ctr,
  155017. JDIMENSION in_row_groups_avail,
  155018. JSAMPARRAY output_buf,
  155019. JDIMENSION *out_row_ctr,
  155020. JDIMENSION out_rows_avail));
  155021. boolean need_context_rows; /* TRUE if need rows above & below */
  155022. };
  155023. /* Colorspace conversion */
  155024. struct jpeg_color_deconverter {
  155025. JMETHOD(void, start_pass, (j_decompress_ptr cinfo));
  155026. JMETHOD(void, color_convert, (j_decompress_ptr cinfo,
  155027. JSAMPIMAGE input_buf, JDIMENSION input_row,
  155028. JSAMPARRAY output_buf, int num_rows));
  155029. };
  155030. /* Color quantization or color precision reduction */
  155031. struct jpeg_color_quantizer {
  155032. JMETHOD(void, start_pass, (j_decompress_ptr cinfo, boolean is_pre_scan));
  155033. JMETHOD(void, color_quantize, (j_decompress_ptr cinfo,
  155034. JSAMPARRAY input_buf, JSAMPARRAY output_buf,
  155035. int num_rows));
  155036. JMETHOD(void, finish_pass, (j_decompress_ptr cinfo));
  155037. JMETHOD(void, new_color_map, (j_decompress_ptr cinfo));
  155038. };
  155039. /* Miscellaneous useful macros */
  155040. #undef MAX
  155041. #define MAX(a,b) ((a) > (b) ? (a) : (b))
  155042. #undef MIN
  155043. #define MIN(a,b) ((a) < (b) ? (a) : (b))
  155044. /* We assume that right shift corresponds to signed division by 2 with
  155045. * rounding towards minus infinity. This is correct for typical "arithmetic
  155046. * shift" instructions that shift in copies of the sign bit. But some
  155047. * C compilers implement >> with an unsigned shift. For these machines you
  155048. * must define RIGHT_SHIFT_IS_UNSIGNED.
  155049. * RIGHT_SHIFT provides a proper signed right shift of an INT32 quantity.
  155050. * It is only applied with constant shift counts. SHIFT_TEMPS must be
  155051. * included in the variables of any routine using RIGHT_SHIFT.
  155052. */
  155053. #ifdef RIGHT_SHIFT_IS_UNSIGNED
  155054. #define SHIFT_TEMPS INT32 shift_temp;
  155055. #define RIGHT_SHIFT(x,shft) \
  155056. ((shift_temp = (x)) < 0 ? \
  155057. (shift_temp >> (shft)) | ((~((INT32) 0)) << (32-(shft))) : \
  155058. (shift_temp >> (shft)))
  155059. #else
  155060. #define SHIFT_TEMPS
  155061. #define RIGHT_SHIFT(x,shft) ((x) >> (shft))
  155062. #endif
  155063. /* Short forms of external names for systems with brain-damaged linkers. */
  155064. #ifdef NEED_SHORT_EXTERNAL_NAMES
  155065. #define jinit_compress_master jICompress
  155066. #define jinit_c_master_control jICMaster
  155067. #define jinit_c_main_controller jICMainC
  155068. #define jinit_c_prep_controller jICPrepC
  155069. #define jinit_c_coef_controller jICCoefC
  155070. #define jinit_color_converter jICColor
  155071. #define jinit_downsampler jIDownsampler
  155072. #define jinit_forward_dct jIFDCT
  155073. #define jinit_huff_encoder jIHEncoder
  155074. #define jinit_phuff_encoder jIPHEncoder
  155075. #define jinit_marker_writer jIMWriter
  155076. #define jinit_master_decompress jIDMaster
  155077. #define jinit_d_main_controller jIDMainC
  155078. #define jinit_d_coef_controller jIDCoefC
  155079. #define jinit_d_post_controller jIDPostC
  155080. #define jinit_input_controller jIInCtlr
  155081. #define jinit_marker_reader jIMReader
  155082. #define jinit_huff_decoder jIHDecoder
  155083. #define jinit_phuff_decoder jIPHDecoder
  155084. #define jinit_inverse_dct jIIDCT
  155085. #define jinit_upsampler jIUpsampler
  155086. #define jinit_color_deconverter jIDColor
  155087. #define jinit_1pass_quantizer jI1Quant
  155088. #define jinit_2pass_quantizer jI2Quant
  155089. #define jinit_merged_upsampler jIMUpsampler
  155090. #define jinit_memory_mgr jIMemMgr
  155091. #define jdiv_round_up jDivRound
  155092. #define jround_up jRound
  155093. #define jcopy_sample_rows jCopySamples
  155094. #define jcopy_block_row jCopyBlocks
  155095. #define jzero_far jZeroFar
  155096. #define jpeg_zigzag_order jZIGTable
  155097. #define jpeg_natural_order jZAGTable
  155098. #endif /* NEED_SHORT_EXTERNAL_NAMES */
  155099. /* Compression module initialization routines */
  155100. EXTERN(void) jinit_compress_master JPP((j_compress_ptr cinfo));
  155101. EXTERN(void) jinit_c_master_control JPP((j_compress_ptr cinfo,
  155102. boolean transcode_only));
  155103. EXTERN(void) jinit_c_main_controller JPP((j_compress_ptr cinfo,
  155104. boolean need_full_buffer));
  155105. EXTERN(void) jinit_c_prep_controller JPP((j_compress_ptr cinfo,
  155106. boolean need_full_buffer));
  155107. EXTERN(void) jinit_c_coef_controller JPP((j_compress_ptr cinfo,
  155108. boolean need_full_buffer));
  155109. EXTERN(void) jinit_color_converter JPP((j_compress_ptr cinfo));
  155110. EXTERN(void) jinit_downsampler JPP((j_compress_ptr cinfo));
  155111. EXTERN(void) jinit_forward_dct JPP((j_compress_ptr cinfo));
  155112. EXTERN(void) jinit_huff_encoder JPP((j_compress_ptr cinfo));
  155113. EXTERN(void) jinit_phuff_encoder JPP((j_compress_ptr cinfo));
  155114. EXTERN(void) jinit_marker_writer JPP((j_compress_ptr cinfo));
  155115. /* Decompression module initialization routines */
  155116. EXTERN(void) jinit_master_decompress JPP((j_decompress_ptr cinfo));
  155117. EXTERN(void) jinit_d_main_controller JPP((j_decompress_ptr cinfo,
  155118. boolean need_full_buffer));
  155119. EXTERN(void) jinit_d_coef_controller JPP((j_decompress_ptr cinfo,
  155120. boolean need_full_buffer));
  155121. EXTERN(void) jinit_d_post_controller JPP((j_decompress_ptr cinfo,
  155122. boolean need_full_buffer));
  155123. EXTERN(void) jinit_input_controller JPP((j_decompress_ptr cinfo));
  155124. EXTERN(void) jinit_marker_reader JPP((j_decompress_ptr cinfo));
  155125. EXTERN(void) jinit_huff_decoder JPP((j_decompress_ptr cinfo));
  155126. EXTERN(void) jinit_phuff_decoder JPP((j_decompress_ptr cinfo));
  155127. EXTERN(void) jinit_inverse_dct JPP((j_decompress_ptr cinfo));
  155128. EXTERN(void) jinit_upsampler JPP((j_decompress_ptr cinfo));
  155129. EXTERN(void) jinit_color_deconverter JPP((j_decompress_ptr cinfo));
  155130. EXTERN(void) jinit_1pass_quantizer JPP((j_decompress_ptr cinfo));
  155131. EXTERN(void) jinit_2pass_quantizer JPP((j_decompress_ptr cinfo));
  155132. EXTERN(void) jinit_merged_upsampler JPP((j_decompress_ptr cinfo));
  155133. /* Memory manager initialization */
  155134. EXTERN(void) jinit_memory_mgr JPP((j_common_ptr cinfo));
  155135. /* Utility routines in jutils.c */
  155136. EXTERN(long) jdiv_round_up JPP((long a, long b));
  155137. EXTERN(long) jround_up JPP((long a, long b));
  155138. EXTERN(void) jcopy_sample_rows JPP((JSAMPARRAY input_array, int source_row,
  155139. JSAMPARRAY output_array, int dest_row,
  155140. int num_rows, JDIMENSION num_cols));
  155141. EXTERN(void) jcopy_block_row JPP((JBLOCKROW input_row, JBLOCKROW output_row,
  155142. JDIMENSION num_blocks));
  155143. EXTERN(void) jzero_far JPP((void FAR * target, size_t bytestozero));
  155144. /* Constant tables in jutils.c */
  155145. #if 0 /* This table is not actually needed in v6a */
  155146. extern const int jpeg_zigzag_order[]; /* natural coef order to zigzag order */
  155147. #endif
  155148. extern const int jpeg_natural_order[]; /* zigzag coef order to natural order */
  155149. /* Suppress undefined-structure complaints if necessary. */
  155150. #ifdef INCOMPLETE_TYPES_BROKEN
  155151. #ifndef AM_MEMORY_MANAGER /* only jmemmgr.c defines these */
  155152. struct jvirt_sarray_control { long dummy; };
  155153. struct jvirt_barray_control { long dummy; };
  155154. #endif
  155155. #endif /* INCOMPLETE_TYPES_BROKEN */
  155156. /********* End of inlined file: jpegint.h *********/
  155157. /* fetch private declarations */
  155158. /********* Start of inlined file: jerror.h *********/
  155159. /*
  155160. * To define the enum list of message codes, include this file without
  155161. * defining macro JMESSAGE. To create a message string table, include it
  155162. * again with a suitable JMESSAGE definition (see jerror.c for an example).
  155163. */
  155164. #ifndef JMESSAGE
  155165. #ifndef JERROR_H
  155166. /* First time through, define the enum list */
  155167. #define JMAKE_ENUM_LIST
  155168. #else
  155169. /* Repeated inclusions of this file are no-ops unless JMESSAGE is defined */
  155170. #define JMESSAGE(code,string)
  155171. #endif /* JERROR_H */
  155172. #endif /* JMESSAGE */
  155173. #ifdef JMAKE_ENUM_LIST
  155174. typedef enum {
  155175. #define JMESSAGE(code,string) code ,
  155176. #endif /* JMAKE_ENUM_LIST */
  155177. JMESSAGE(JMSG_NOMESSAGE, "Bogus message code %d") /* Must be first entry! */
  155178. /* For maintenance convenience, list is alphabetical by message code name */
  155179. JMESSAGE(JERR_ARITH_NOTIMPL,
  155180. "Sorry, there are legal restrictions on arithmetic coding")
  155181. JMESSAGE(JERR_BAD_ALIGN_TYPE, "ALIGN_TYPE is wrong, please fix")
  155182. JMESSAGE(JERR_BAD_ALLOC_CHUNK, "MAX_ALLOC_CHUNK is wrong, please fix")
  155183. JMESSAGE(JERR_BAD_BUFFER_MODE, "Bogus buffer control mode")
  155184. JMESSAGE(JERR_BAD_COMPONENT_ID, "Invalid component ID %d in SOS")
  155185. JMESSAGE(JERR_BAD_DCT_COEF, "DCT coefficient out of range")
  155186. JMESSAGE(JERR_BAD_DCTSIZE, "IDCT output block size %d not supported")
  155187. JMESSAGE(JERR_BAD_HUFF_TABLE, "Bogus Huffman table definition")
  155188. JMESSAGE(JERR_BAD_IN_COLORSPACE, "Bogus input colorspace")
  155189. JMESSAGE(JERR_BAD_J_COLORSPACE, "Bogus JPEG colorspace")
  155190. JMESSAGE(JERR_BAD_LENGTH, "Bogus marker length")
  155191. JMESSAGE(JERR_BAD_LIB_VERSION,
  155192. "Wrong JPEG library version: library is %d, caller expects %d")
  155193. JMESSAGE(JERR_BAD_MCU_SIZE, "Sampling factors too large for interleaved scan")
  155194. JMESSAGE(JERR_BAD_POOL_ID, "Invalid memory pool code %d")
  155195. JMESSAGE(JERR_BAD_PRECISION, "Unsupported JPEG data precision %d")
  155196. JMESSAGE(JERR_BAD_PROGRESSION,
  155197. "Invalid progressive parameters Ss=%d Se=%d Ah=%d Al=%d")
  155198. JMESSAGE(JERR_BAD_PROG_SCRIPT,
  155199. "Invalid progressive parameters at scan script entry %d")
  155200. JMESSAGE(JERR_BAD_SAMPLING, "Bogus sampling factors")
  155201. JMESSAGE(JERR_BAD_SCAN_SCRIPT, "Invalid scan script at entry %d")
  155202. JMESSAGE(JERR_BAD_STATE, "Improper call to JPEG library in state %d")
  155203. JMESSAGE(JERR_BAD_STRUCT_SIZE,
  155204. "JPEG parameter struct mismatch: library thinks size is %u, caller expects %u")
  155205. JMESSAGE(JERR_BAD_VIRTUAL_ACCESS, "Bogus virtual array access")
  155206. JMESSAGE(JERR_BUFFER_SIZE, "Buffer passed to JPEG library is too small")
  155207. JMESSAGE(JERR_CANT_SUSPEND, "Suspension not allowed here")
  155208. JMESSAGE(JERR_CCIR601_NOTIMPL, "CCIR601 sampling not implemented yet")
  155209. JMESSAGE(JERR_COMPONENT_COUNT, "Too many color components: %d, max %d")
  155210. JMESSAGE(JERR_CONVERSION_NOTIMPL, "Unsupported color conversion request")
  155211. JMESSAGE(JERR_DAC_INDEX, "Bogus DAC index %d")
  155212. JMESSAGE(JERR_DAC_VALUE, "Bogus DAC value 0x%x")
  155213. JMESSAGE(JERR_DHT_INDEX, "Bogus DHT index %d")
  155214. JMESSAGE(JERR_DQT_INDEX, "Bogus DQT index %d")
  155215. JMESSAGE(JERR_EMPTY_IMAGE, "Empty JPEG image (DNL not supported)")
  155216. JMESSAGE(JERR_EMS_READ, "Read from EMS failed")
  155217. JMESSAGE(JERR_EMS_WRITE, "Write to EMS failed")
  155218. JMESSAGE(JERR_EOI_EXPECTED, "Didn't expect more than one scan")
  155219. JMESSAGE(JERR_FILE_READ, "Input file read error")
  155220. JMESSAGE(JERR_FILE_WRITE, "Output file write error --- out of disk space?")
  155221. JMESSAGE(JERR_FRACT_SAMPLE_NOTIMPL, "Fractional sampling not implemented yet")
  155222. JMESSAGE(JERR_HUFF_CLEN_OVERFLOW, "Huffman code size table overflow")
  155223. JMESSAGE(JERR_HUFF_MISSING_CODE, "Missing Huffman code table entry")
  155224. JMESSAGE(JERR_IMAGE_TOO_BIG, "Maximum supported image dimension is %u pixels")
  155225. JMESSAGE(JERR_INPUT_EMPTY, "Empty input file")
  155226. JMESSAGE(JERR_INPUT_EOF, "Premature end of input file")
  155227. JMESSAGE(JERR_MISMATCHED_QUANT_TABLE,
  155228. "Cannot transcode due to multiple use of quantization table %d")
  155229. JMESSAGE(JERR_MISSING_DATA, "Scan script does not transmit all data")
  155230. JMESSAGE(JERR_MODE_CHANGE, "Invalid color quantization mode change")
  155231. JMESSAGE(JERR_NOTIMPL, "Not implemented yet")
  155232. JMESSAGE(JERR_NOT_COMPILED, "Requested feature was omitted at compile time")
  155233. JMESSAGE(JERR_NO_BACKING_STORE, "Backing store not supported")
  155234. JMESSAGE(JERR_NO_HUFF_TABLE, "Huffman table 0x%02x was not defined")
  155235. JMESSAGE(JERR_NO_IMAGE, "JPEG datastream contains no image")
  155236. JMESSAGE(JERR_NO_QUANT_TABLE, "Quantization table 0x%02x was not defined")
  155237. JMESSAGE(JERR_NO_SOI, "Not a JPEG file: starts with 0x%02x 0x%02x")
  155238. JMESSAGE(JERR_OUT_OF_MEMORY, "Insufficient memory (case %d)")
  155239. JMESSAGE(JERR_QUANT_COMPONENTS,
  155240. "Cannot quantize more than %d color components")
  155241. JMESSAGE(JERR_QUANT_FEW_COLORS, "Cannot quantize to fewer than %d colors")
  155242. JMESSAGE(JERR_QUANT_MANY_COLORS, "Cannot quantize to more than %d colors")
  155243. JMESSAGE(JERR_SOF_DUPLICATE, "Invalid JPEG file structure: two SOF markers")
  155244. JMESSAGE(JERR_SOF_NO_SOS, "Invalid JPEG file structure: missing SOS marker")
  155245. JMESSAGE(JERR_SOF_UNSUPPORTED, "Unsupported JPEG process: SOF type 0x%02x")
  155246. JMESSAGE(JERR_SOI_DUPLICATE, "Invalid JPEG file structure: two SOI markers")
  155247. JMESSAGE(JERR_SOS_NO_SOF, "Invalid JPEG file structure: SOS before SOF")
  155248. JMESSAGE(JERR_TFILE_CREATE, "Failed to create temporary file %s")
  155249. JMESSAGE(JERR_TFILE_READ, "Read failed on temporary file")
  155250. JMESSAGE(JERR_TFILE_SEEK, "Seek failed on temporary file")
  155251. JMESSAGE(JERR_TFILE_WRITE,
  155252. "Write failed on temporary file --- out of disk space?")
  155253. JMESSAGE(JERR_TOO_LITTLE_DATA, "Application transferred too few scanlines")
  155254. JMESSAGE(JERR_UNKNOWN_MARKER, "Unsupported marker type 0x%02x")
  155255. JMESSAGE(JERR_VIRTUAL_BUG, "Virtual array controller messed up")
  155256. JMESSAGE(JERR_WIDTH_OVERFLOW, "Image too wide for this implementation")
  155257. JMESSAGE(JERR_XMS_READ, "Read from XMS failed")
  155258. JMESSAGE(JERR_XMS_WRITE, "Write to XMS failed")
  155259. JMESSAGE(JMSG_COPYRIGHT, JCOPYRIGHT)
  155260. JMESSAGE(JMSG_VERSION, JVERSION)
  155261. JMESSAGE(JTRC_16BIT_TABLES,
  155262. "Caution: quantization tables are too coarse for baseline JPEG")
  155263. JMESSAGE(JTRC_ADOBE,
  155264. "Adobe APP14 marker: version %d, flags 0x%04x 0x%04x, transform %d")
  155265. JMESSAGE(JTRC_APP0, "Unknown APP0 marker (not JFIF), length %u")
  155266. JMESSAGE(JTRC_APP14, "Unknown APP14 marker (not Adobe), length %u")
  155267. JMESSAGE(JTRC_DAC, "Define Arithmetic Table 0x%02x: 0x%02x")
  155268. JMESSAGE(JTRC_DHT, "Define Huffman Table 0x%02x")
  155269. JMESSAGE(JTRC_DQT, "Define Quantization Table %d precision %d")
  155270. JMESSAGE(JTRC_DRI, "Define Restart Interval %u")
  155271. JMESSAGE(JTRC_EMS_CLOSE, "Freed EMS handle %u")
  155272. JMESSAGE(JTRC_EMS_OPEN, "Obtained EMS handle %u")
  155273. JMESSAGE(JTRC_EOI, "End Of Image")
  155274. JMESSAGE(JTRC_HUFFBITS, " %3d %3d %3d %3d %3d %3d %3d %3d")
  155275. JMESSAGE(JTRC_JFIF, "JFIF APP0 marker: version %d.%02d, density %dx%d %d")
  155276. JMESSAGE(JTRC_JFIF_BADTHUMBNAILSIZE,
  155277. "Warning: thumbnail image size does not match data length %u")
  155278. JMESSAGE(JTRC_JFIF_EXTENSION,
  155279. "JFIF extension marker: type 0x%02x, length %u")
  155280. JMESSAGE(JTRC_JFIF_THUMBNAIL, " with %d x %d thumbnail image")
  155281. JMESSAGE(JTRC_MISC_MARKER, "Miscellaneous marker 0x%02x, length %u")
  155282. JMESSAGE(JTRC_PARMLESS_MARKER, "Unexpected marker 0x%02x")
  155283. JMESSAGE(JTRC_QUANTVALS, " %4u %4u %4u %4u %4u %4u %4u %4u")
  155284. JMESSAGE(JTRC_QUANT_3_NCOLORS, "Quantizing to %d = %d*%d*%d colors")
  155285. JMESSAGE(JTRC_QUANT_NCOLORS, "Quantizing to %d colors")
  155286. JMESSAGE(JTRC_QUANT_SELECTED, "Selected %d colors for quantization")
  155287. JMESSAGE(JTRC_RECOVERY_ACTION, "At marker 0x%02x, recovery action %d")
  155288. JMESSAGE(JTRC_RST, "RST%d")
  155289. JMESSAGE(JTRC_SMOOTH_NOTIMPL,
  155290. "Smoothing not supported with nonstandard sampling ratios")
  155291. JMESSAGE(JTRC_SOF, "Start Of Frame 0x%02x: width=%u, height=%u, components=%d")
  155292. JMESSAGE(JTRC_SOF_COMPONENT, " Component %d: %dhx%dv q=%d")
  155293. JMESSAGE(JTRC_SOI, "Start of Image")
  155294. JMESSAGE(JTRC_SOS, "Start Of Scan: %d components")
  155295. JMESSAGE(JTRC_SOS_COMPONENT, " Component %d: dc=%d ac=%d")
  155296. JMESSAGE(JTRC_SOS_PARAMS, " Ss=%d, Se=%d, Ah=%d, Al=%d")
  155297. JMESSAGE(JTRC_TFILE_CLOSE, "Closed temporary file %s")
  155298. JMESSAGE(JTRC_TFILE_OPEN, "Opened temporary file %s")
  155299. JMESSAGE(JTRC_THUMB_JPEG,
  155300. "JFIF extension marker: JPEG-compressed thumbnail image, length %u")
  155301. JMESSAGE(JTRC_THUMB_PALETTE,
  155302. "JFIF extension marker: palette thumbnail image, length %u")
  155303. JMESSAGE(JTRC_THUMB_RGB,
  155304. "JFIF extension marker: RGB thumbnail image, length %u")
  155305. JMESSAGE(JTRC_UNKNOWN_IDS,
  155306. "Unrecognized component IDs %d %d %d, assuming YCbCr")
  155307. JMESSAGE(JTRC_XMS_CLOSE, "Freed XMS handle %u")
  155308. JMESSAGE(JTRC_XMS_OPEN, "Obtained XMS handle %u")
  155309. JMESSAGE(JWRN_ADOBE_XFORM, "Unknown Adobe color transform code %d")
  155310. JMESSAGE(JWRN_BOGUS_PROGRESSION,
  155311. "Inconsistent progression sequence for component %d coefficient %d")
  155312. JMESSAGE(JWRN_EXTRANEOUS_DATA,
  155313. "Corrupt JPEG data: %u extraneous bytes before marker 0x%02x")
  155314. JMESSAGE(JWRN_HIT_MARKER, "Corrupt JPEG data: premature end of data segment")
  155315. JMESSAGE(JWRN_HUFF_BAD_CODE, "Corrupt JPEG data: bad Huffman code")
  155316. JMESSAGE(JWRN_JFIF_MAJOR, "Warning: unknown JFIF revision number %d.%02d")
  155317. JMESSAGE(JWRN_JPEG_EOF, "Premature end of JPEG file")
  155318. JMESSAGE(JWRN_MUST_RESYNC,
  155319. "Corrupt JPEG data: found marker 0x%02x instead of RST%d")
  155320. JMESSAGE(JWRN_NOT_SEQUENTIAL, "Invalid SOS parameters for sequential JPEG")
  155321. JMESSAGE(JWRN_TOO_MUCH_DATA, "Application transferred too many scanlines")
  155322. #ifdef JMAKE_ENUM_LIST
  155323. JMSG_LASTMSGCODE
  155324. } J_MESSAGE_CODE;
  155325. #undef JMAKE_ENUM_LIST
  155326. #endif /* JMAKE_ENUM_LIST */
  155327. /* Zap JMESSAGE macro so that future re-inclusions do nothing by default */
  155328. #undef JMESSAGE
  155329. #ifndef JERROR_H
  155330. #define JERROR_H
  155331. /* Macros to simplify using the error and trace message stuff */
  155332. /* The first parameter is either type of cinfo pointer */
  155333. /* Fatal errors (print message and exit) */
  155334. #define ERREXIT(cinfo,code) \
  155335. ((cinfo)->err->msg_code = (code), \
  155336. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  155337. #define ERREXIT1(cinfo,code,p1) \
  155338. ((cinfo)->err->msg_code = (code), \
  155339. (cinfo)->err->msg_parm.i[0] = (p1), \
  155340. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  155341. #define ERREXIT2(cinfo,code,p1,p2) \
  155342. ((cinfo)->err->msg_code = (code), \
  155343. (cinfo)->err->msg_parm.i[0] = (p1), \
  155344. (cinfo)->err->msg_parm.i[1] = (p2), \
  155345. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  155346. #define ERREXIT3(cinfo,code,p1,p2,p3) \
  155347. ((cinfo)->err->msg_code = (code), \
  155348. (cinfo)->err->msg_parm.i[0] = (p1), \
  155349. (cinfo)->err->msg_parm.i[1] = (p2), \
  155350. (cinfo)->err->msg_parm.i[2] = (p3), \
  155351. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  155352. #define ERREXIT4(cinfo,code,p1,p2,p3,p4) \
  155353. ((cinfo)->err->msg_code = (code), \
  155354. (cinfo)->err->msg_parm.i[0] = (p1), \
  155355. (cinfo)->err->msg_parm.i[1] = (p2), \
  155356. (cinfo)->err->msg_parm.i[2] = (p3), \
  155357. (cinfo)->err->msg_parm.i[3] = (p4), \
  155358. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  155359. #define ERREXITS(cinfo,code,str) \
  155360. ((cinfo)->err->msg_code = (code), \
  155361. strncpy((cinfo)->err->msg_parm.s, (str), JMSG_STR_PARM_MAX), \
  155362. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  155363. #define MAKESTMT(stuff) do { stuff } while (0)
  155364. /* Nonfatal errors (we can keep going, but the data is probably corrupt) */
  155365. #define WARNMS(cinfo,code) \
  155366. ((cinfo)->err->msg_code = (code), \
  155367. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), -1))
  155368. #define WARNMS1(cinfo,code,p1) \
  155369. ((cinfo)->err->msg_code = (code), \
  155370. (cinfo)->err->msg_parm.i[0] = (p1), \
  155371. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), -1))
  155372. #define WARNMS2(cinfo,code,p1,p2) \
  155373. ((cinfo)->err->msg_code = (code), \
  155374. (cinfo)->err->msg_parm.i[0] = (p1), \
  155375. (cinfo)->err->msg_parm.i[1] = (p2), \
  155376. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), -1))
  155377. /* Informational/debugging messages */
  155378. #define TRACEMS(cinfo,lvl,code) \
  155379. ((cinfo)->err->msg_code = (code), \
  155380. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)))
  155381. #define TRACEMS1(cinfo,lvl,code,p1) \
  155382. ((cinfo)->err->msg_code = (code), \
  155383. (cinfo)->err->msg_parm.i[0] = (p1), \
  155384. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)))
  155385. #define TRACEMS2(cinfo,lvl,code,p1,p2) \
  155386. ((cinfo)->err->msg_code = (code), \
  155387. (cinfo)->err->msg_parm.i[0] = (p1), \
  155388. (cinfo)->err->msg_parm.i[1] = (p2), \
  155389. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)))
  155390. #define TRACEMS3(cinfo,lvl,code,p1,p2,p3) \
  155391. MAKESTMT(int * _mp = (cinfo)->err->msg_parm.i; \
  155392. _mp[0] = (p1); _mp[1] = (p2); _mp[2] = (p3); \
  155393. (cinfo)->err->msg_code = (code); \
  155394. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)); )
  155395. #define TRACEMS4(cinfo,lvl,code,p1,p2,p3,p4) \
  155396. MAKESTMT(int * _mp = (cinfo)->err->msg_parm.i; \
  155397. _mp[0] = (p1); _mp[1] = (p2); _mp[2] = (p3); _mp[3] = (p4); \
  155398. (cinfo)->err->msg_code = (code); \
  155399. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)); )
  155400. #define TRACEMS5(cinfo,lvl,code,p1,p2,p3,p4,p5) \
  155401. MAKESTMT(int * _mp = (cinfo)->err->msg_parm.i; \
  155402. _mp[0] = (p1); _mp[1] = (p2); _mp[2] = (p3); _mp[3] = (p4); \
  155403. _mp[4] = (p5); \
  155404. (cinfo)->err->msg_code = (code); \
  155405. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)); )
  155406. #define TRACEMS8(cinfo,lvl,code,p1,p2,p3,p4,p5,p6,p7,p8) \
  155407. MAKESTMT(int * _mp = (cinfo)->err->msg_parm.i; \
  155408. _mp[0] = (p1); _mp[1] = (p2); _mp[2] = (p3); _mp[3] = (p4); \
  155409. _mp[4] = (p5); _mp[5] = (p6); _mp[6] = (p7); _mp[7] = (p8); \
  155410. (cinfo)->err->msg_code = (code); \
  155411. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)); )
  155412. #define TRACEMSS(cinfo,lvl,code,str) \
  155413. ((cinfo)->err->msg_code = (code), \
  155414. strncpy((cinfo)->err->msg_parm.s, (str), JMSG_STR_PARM_MAX), \
  155415. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)))
  155416. #endif /* JERROR_H */
  155417. /********* End of inlined file: jerror.h *********/
  155418. /* fetch error codes too */
  155419. #endif
  155420. #endif /* JPEGLIB_H */
  155421. /********* End of inlined file: jpeglib.h *********/
  155422. /********* Start of inlined file: jcapimin.c *********/
  155423. #define JPEG_INTERNALS
  155424. /********* Start of inlined file: jinclude.h *********/
  155425. /* Include auto-config file to find out which system include files we need. */
  155426. #ifndef __jinclude_h__
  155427. #define __jinclude_h__
  155428. /********* Start of inlined file: jconfig.h *********/
  155429. /* see jconfig.doc for explanations */
  155430. // disable all the warnings under MSVC
  155431. #ifdef _MSC_VER
  155432. #pragma warning (disable: 4996 4267 4100 4127 4702 4244)
  155433. #endif
  155434. #ifdef __BORLANDC__
  155435. #pragma warn -8057
  155436. #pragma warn -8019
  155437. #pragma warn -8004
  155438. #pragma warn -8008
  155439. #endif
  155440. #define HAVE_PROTOTYPES
  155441. #define HAVE_UNSIGNED_CHAR
  155442. #define HAVE_UNSIGNED_SHORT
  155443. /* #define void char */
  155444. /* #define const */
  155445. #undef CHAR_IS_UNSIGNED
  155446. #define HAVE_STDDEF_H
  155447. #define HAVE_STDLIB_H
  155448. #undef NEED_BSD_STRINGS
  155449. #undef NEED_SYS_TYPES_H
  155450. #undef NEED_FAR_POINTERS /* we presume a 32-bit flat memory model */
  155451. #undef NEED_SHORT_EXTERNAL_NAMES
  155452. #undef INCOMPLETE_TYPES_BROKEN
  155453. /* Define "boolean" as unsigned char, not int, per Windows custom */
  155454. #ifndef __RPCNDR_H__ /* don't conflict if rpcndr.h already read */
  155455. typedef unsigned char boolean;
  155456. #endif
  155457. #define HAVE_BOOLEAN /* prevent jmorecfg.h from redefining it */
  155458. #ifdef JPEG_INTERNALS
  155459. #undef RIGHT_SHIFT_IS_UNSIGNED
  155460. #endif /* JPEG_INTERNALS */
  155461. #ifdef JPEG_CJPEG_DJPEG
  155462. #define BMP_SUPPORTED /* BMP image file format */
  155463. #define GIF_SUPPORTED /* GIF image file format */
  155464. #define PPM_SUPPORTED /* PBMPLUS PPM/PGM image file format */
  155465. #undef RLE_SUPPORTED /* Utah RLE image file format */
  155466. #define TARGA_SUPPORTED /* Targa image file format */
  155467. #define TWO_FILE_COMMANDLINE /* optional */
  155468. #define USE_SETMODE /* Microsoft has setmode() */
  155469. #undef NEED_SIGNAL_CATCHER
  155470. #undef DONT_USE_B_MODE
  155471. #undef PROGRESS_REPORT /* optional */
  155472. #endif /* JPEG_CJPEG_DJPEG */
  155473. /********* End of inlined file: jconfig.h *********/
  155474. /* auto configuration options */
  155475. #define JCONFIG_INCLUDED /* so that jpeglib.h doesn't do it again */
  155476. /*
  155477. * We need the NULL macro and size_t typedef.
  155478. * On an ANSI-conforming system it is sufficient to include <stddef.h>.
  155479. * Otherwise, we get them from <stdlib.h> or <stdio.h>; we may have to
  155480. * pull in <sys/types.h> as well.
  155481. * Note that the core JPEG library does not require <stdio.h>;
  155482. * only the default error handler and data source/destination modules do.
  155483. * But we must pull it in because of the references to FILE in jpeglib.h.
  155484. * You can remove those references if you want to compile without <stdio.h>.
  155485. */
  155486. #ifdef HAVE_STDDEF_H
  155487. #include <stddef.h>
  155488. #endif
  155489. #ifdef HAVE_STDLIB_H
  155490. #include <stdlib.h>
  155491. #endif
  155492. #ifdef NEED_SYS_TYPES_H
  155493. #include <sys/types.h>
  155494. #endif
  155495. #include <stdio.h>
  155496. /*
  155497. * We need memory copying and zeroing functions, plus strncpy().
  155498. * ANSI and System V implementations declare these in <string.h>.
  155499. * BSD doesn't have the mem() functions, but it does have bcopy()/bzero().
  155500. * Some systems may declare memset and memcpy in <memory.h>.
  155501. *
  155502. * NOTE: we assume the size parameters to these functions are of type size_t.
  155503. * Change the casts in these macros if not!
  155504. */
  155505. #ifdef NEED_BSD_STRINGS
  155506. #include <strings.h>
  155507. #define MEMZERO(target,size) bzero((void *)(target), (size_t)(size))
  155508. #define MEMCOPY(dest,src,size) bcopy((const void *)(src), (void *)(dest), (size_t)(size))
  155509. #else /* not BSD, assume ANSI/SysV string lib */
  155510. #include <string.h>
  155511. #define MEMZERO(target,size) memset((void *)(target), 0, (size_t)(size))
  155512. #define MEMCOPY(dest,src,size) memcpy((void *)(dest), (const void *)(src), (size_t)(size))
  155513. #endif
  155514. /*
  155515. * In ANSI C, and indeed any rational implementation, size_t is also the
  155516. * type returned by sizeof(). However, it seems there are some irrational
  155517. * implementations out there, in which sizeof() returns an int even though
  155518. * size_t is defined as long or unsigned long. To ensure consistent results
  155519. * we always use this SIZEOF() macro in place of using sizeof() directly.
  155520. */
  155521. #define SIZEOF(object) ((size_t) sizeof(object))
  155522. /*
  155523. * The modules that use fread() and fwrite() always invoke them through
  155524. * these macros. On some systems you may need to twiddle the argument casts.
  155525. * CAUTION: argument order is different from underlying functions!
  155526. */
  155527. #define JFREAD(file,buf,sizeofbuf) \
  155528. ((size_t) fread((void *) (buf), (size_t) 1, (size_t) (sizeofbuf), (file)))
  155529. #define JFWRITE(file,buf,sizeofbuf) \
  155530. ((size_t) fwrite((const void *) (buf), (size_t) 1, (size_t) (sizeofbuf), (file)))
  155531. typedef enum { /* JPEG marker codes */
  155532. M_SOF0 = 0xc0,
  155533. M_SOF1 = 0xc1,
  155534. M_SOF2 = 0xc2,
  155535. M_SOF3 = 0xc3,
  155536. M_SOF5 = 0xc5,
  155537. M_SOF6 = 0xc6,
  155538. M_SOF7 = 0xc7,
  155539. M_JPG = 0xc8,
  155540. M_SOF9 = 0xc9,
  155541. M_SOF10 = 0xca,
  155542. M_SOF11 = 0xcb,
  155543. M_SOF13 = 0xcd,
  155544. M_SOF14 = 0xce,
  155545. M_SOF15 = 0xcf,
  155546. M_DHT = 0xc4,
  155547. M_DAC = 0xcc,
  155548. M_RST0 = 0xd0,
  155549. M_RST1 = 0xd1,
  155550. M_RST2 = 0xd2,
  155551. M_RST3 = 0xd3,
  155552. M_RST4 = 0xd4,
  155553. M_RST5 = 0xd5,
  155554. M_RST6 = 0xd6,
  155555. M_RST7 = 0xd7,
  155556. M_SOI = 0xd8,
  155557. M_EOI = 0xd9,
  155558. M_SOS = 0xda,
  155559. M_DQT = 0xdb,
  155560. M_DNL = 0xdc,
  155561. M_DRI = 0xdd,
  155562. M_DHP = 0xde,
  155563. M_EXP = 0xdf,
  155564. M_APP0 = 0xe0,
  155565. M_APP1 = 0xe1,
  155566. M_APP2 = 0xe2,
  155567. M_APP3 = 0xe3,
  155568. M_APP4 = 0xe4,
  155569. M_APP5 = 0xe5,
  155570. M_APP6 = 0xe6,
  155571. M_APP7 = 0xe7,
  155572. M_APP8 = 0xe8,
  155573. M_APP9 = 0xe9,
  155574. M_APP10 = 0xea,
  155575. M_APP11 = 0xeb,
  155576. M_APP12 = 0xec,
  155577. M_APP13 = 0xed,
  155578. M_APP14 = 0xee,
  155579. M_APP15 = 0xef,
  155580. M_JPG0 = 0xf0,
  155581. M_JPG13 = 0xfd,
  155582. M_COM = 0xfe,
  155583. M_TEM = 0x01,
  155584. M_ERROR = 0x100
  155585. } JPEG_MARKER;
  155586. /*
  155587. * Figure F.12: extend sign bit.
  155588. * On some machines, a shift and add will be faster than a table lookup.
  155589. */
  155590. #ifdef AVOID_TABLES
  155591. #define HUFF_EXTEND(x,s) ((x) < (1<<((s)-1)) ? (x) + (((-1)<<(s)) + 1) : (x))
  155592. #else
  155593. #define HUFF_EXTEND(x,s) ((x) < extend_test[s] ? (x) + extend_offset[s] : (x))
  155594. static const int extend_test[16] = /* entry n is 2**(n-1) */
  155595. { 0, 0x0001, 0x0002, 0x0004, 0x0008, 0x0010, 0x0020, 0x0040, 0x0080,
  155596. 0x0100, 0x0200, 0x0400, 0x0800, 0x1000, 0x2000, 0x4000 };
  155597. static const int extend_offset[16] = /* entry n is (-1 << n) + 1 */
  155598. { 0, ((-1)<<1) + 1, ((-1)<<2) + 1, ((-1)<<3) + 1, ((-1)<<4) + 1,
  155599. ((-1)<<5) + 1, ((-1)<<6) + 1, ((-1)<<7) + 1, ((-1)<<8) + 1,
  155600. ((-1)<<9) + 1, ((-1)<<10) + 1, ((-1)<<11) + 1, ((-1)<<12) + 1,
  155601. ((-1)<<13) + 1, ((-1)<<14) + 1, ((-1)<<15) + 1 };
  155602. #endif /* AVOID_TABLES */
  155603. #endif
  155604. /********* End of inlined file: jinclude.h *********/
  155605. /*
  155606. * Initialization of a JPEG compression object.
  155607. * The error manager must already be set up (in case memory manager fails).
  155608. */
  155609. GLOBAL(void)
  155610. jpeg_CreateCompress (j_compress_ptr cinfo, int version, size_t structsize)
  155611. {
  155612. int i;
  155613. /* Guard against version mismatches between library and caller. */
  155614. cinfo->mem = NULL; /* so jpeg_destroy knows mem mgr not called */
  155615. if (version != JPEG_LIB_VERSION)
  155616. ERREXIT2(cinfo, JERR_BAD_LIB_VERSION, JPEG_LIB_VERSION, version);
  155617. if (structsize != SIZEOF(struct jpeg_compress_struct))
  155618. ERREXIT2(cinfo, JERR_BAD_STRUCT_SIZE,
  155619. (int) SIZEOF(struct jpeg_compress_struct), (int) structsize);
  155620. /* For debugging purposes, we zero the whole master structure.
  155621. * But the application has already set the err pointer, and may have set
  155622. * client_data, so we have to save and restore those fields.
  155623. * Note: if application hasn't set client_data, tools like Purify may
  155624. * complain here.
  155625. */
  155626. {
  155627. struct jpeg_error_mgr * err = cinfo->err;
  155628. void * client_data = cinfo->client_data; /* ignore Purify complaint here */
  155629. MEMZERO(cinfo, SIZEOF(struct jpeg_compress_struct));
  155630. cinfo->err = err;
  155631. cinfo->client_data = client_data;
  155632. }
  155633. cinfo->is_decompressor = FALSE;
  155634. /* Initialize a memory manager instance for this object */
  155635. jinit_memory_mgr((j_common_ptr) cinfo);
  155636. /* Zero out pointers to permanent structures. */
  155637. cinfo->progress = NULL;
  155638. cinfo->dest = NULL;
  155639. cinfo->comp_info = NULL;
  155640. for (i = 0; i < NUM_QUANT_TBLS; i++)
  155641. cinfo->quant_tbl_ptrs[i] = NULL;
  155642. for (i = 0; i < NUM_HUFF_TBLS; i++) {
  155643. cinfo->dc_huff_tbl_ptrs[i] = NULL;
  155644. cinfo->ac_huff_tbl_ptrs[i] = NULL;
  155645. }
  155646. cinfo->script_space = NULL;
  155647. cinfo->input_gamma = 1.0; /* in case application forgets */
  155648. /* OK, I'm ready */
  155649. cinfo->global_state = CSTATE_START;
  155650. }
  155651. /*
  155652. * Destruction of a JPEG compression object
  155653. */
  155654. GLOBAL(void)
  155655. jpeg_destroy_compress (j_compress_ptr cinfo)
  155656. {
  155657. jpeg_destroy((j_common_ptr) cinfo); /* use common routine */
  155658. }
  155659. /*
  155660. * Abort processing of a JPEG compression operation,
  155661. * but don't destroy the object itself.
  155662. */
  155663. GLOBAL(void)
  155664. jpeg_abort_compress (j_compress_ptr cinfo)
  155665. {
  155666. jpeg_abort((j_common_ptr) cinfo); /* use common routine */
  155667. }
  155668. /*
  155669. * Forcibly suppress or un-suppress all quantization and Huffman tables.
  155670. * Marks all currently defined tables as already written (if suppress)
  155671. * or not written (if !suppress). This will control whether they get emitted
  155672. * by a subsequent jpeg_start_compress call.
  155673. *
  155674. * This routine is exported for use by applications that want to produce
  155675. * abbreviated JPEG datastreams. It logically belongs in jcparam.c, but
  155676. * since it is called by jpeg_start_compress, we put it here --- otherwise
  155677. * jcparam.o would be linked whether the application used it or not.
  155678. */
  155679. GLOBAL(void)
  155680. jpeg_suppress_tables (j_compress_ptr cinfo, boolean suppress)
  155681. {
  155682. int i;
  155683. JQUANT_TBL * qtbl;
  155684. JHUFF_TBL * htbl;
  155685. for (i = 0; i < NUM_QUANT_TBLS; i++) {
  155686. if ((qtbl = cinfo->quant_tbl_ptrs[i]) != NULL)
  155687. qtbl->sent_table = suppress;
  155688. }
  155689. for (i = 0; i < NUM_HUFF_TBLS; i++) {
  155690. if ((htbl = cinfo->dc_huff_tbl_ptrs[i]) != NULL)
  155691. htbl->sent_table = suppress;
  155692. if ((htbl = cinfo->ac_huff_tbl_ptrs[i]) != NULL)
  155693. htbl->sent_table = suppress;
  155694. }
  155695. }
  155696. /*
  155697. * Finish JPEG compression.
  155698. *
  155699. * If a multipass operating mode was selected, this may do a great deal of
  155700. * work including most of the actual output.
  155701. */
  155702. GLOBAL(void)
  155703. jpeg_finish_compress (j_compress_ptr cinfo)
  155704. {
  155705. JDIMENSION iMCU_row;
  155706. if (cinfo->global_state == CSTATE_SCANNING ||
  155707. cinfo->global_state == CSTATE_RAW_OK) {
  155708. /* Terminate first pass */
  155709. if (cinfo->next_scanline < cinfo->image_height)
  155710. ERREXIT(cinfo, JERR_TOO_LITTLE_DATA);
  155711. (*cinfo->master->finish_pass) (cinfo);
  155712. } else if (cinfo->global_state != CSTATE_WRCOEFS)
  155713. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  155714. /* Perform any remaining passes */
  155715. while (! cinfo->master->is_last_pass) {
  155716. (*cinfo->master->prepare_for_pass) (cinfo);
  155717. for (iMCU_row = 0; iMCU_row < cinfo->total_iMCU_rows; iMCU_row++) {
  155718. if (cinfo->progress != NULL) {
  155719. cinfo->progress->pass_counter = (long) iMCU_row;
  155720. cinfo->progress->pass_limit = (long) cinfo->total_iMCU_rows;
  155721. (*cinfo->progress->progress_monitor) ((j_common_ptr) cinfo);
  155722. }
  155723. /* We bypass the main controller and invoke coef controller directly;
  155724. * all work is being done from the coefficient buffer.
  155725. */
  155726. if (! (*cinfo->coef->compress_data) (cinfo, (JSAMPIMAGE) NULL))
  155727. ERREXIT(cinfo, JERR_CANT_SUSPEND);
  155728. }
  155729. (*cinfo->master->finish_pass) (cinfo);
  155730. }
  155731. /* Write EOI, do final cleanup */
  155732. (*cinfo->marker->write_file_trailer) (cinfo);
  155733. (*cinfo->dest->term_destination) (cinfo);
  155734. /* We can use jpeg_abort to release memory and reset global_state */
  155735. jpeg_abort((j_common_ptr) cinfo);
  155736. }
  155737. /*
  155738. * Write a special marker.
  155739. * This is only recommended for writing COM or APPn markers.
  155740. * Must be called after jpeg_start_compress() and before
  155741. * first call to jpeg_write_scanlines() or jpeg_write_raw_data().
  155742. */
  155743. GLOBAL(void)
  155744. jpeg_write_marker (j_compress_ptr cinfo, int marker,
  155745. const JOCTET *dataptr, unsigned int datalen)
  155746. {
  155747. JMETHOD(void, write_marker_byte, (j_compress_ptr info, int val));
  155748. if (cinfo->next_scanline != 0 ||
  155749. (cinfo->global_state != CSTATE_SCANNING &&
  155750. cinfo->global_state != CSTATE_RAW_OK &&
  155751. cinfo->global_state != CSTATE_WRCOEFS))
  155752. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  155753. (*cinfo->marker->write_marker_header) (cinfo, marker, datalen);
  155754. write_marker_byte = cinfo->marker->write_marker_byte; /* copy for speed */
  155755. while (datalen--) {
  155756. (*write_marker_byte) (cinfo, *dataptr);
  155757. dataptr++;
  155758. }
  155759. }
  155760. /* Same, but piecemeal. */
  155761. GLOBAL(void)
  155762. jpeg_write_m_header (j_compress_ptr cinfo, int marker, unsigned int datalen)
  155763. {
  155764. if (cinfo->next_scanline != 0 ||
  155765. (cinfo->global_state != CSTATE_SCANNING &&
  155766. cinfo->global_state != CSTATE_RAW_OK &&
  155767. cinfo->global_state != CSTATE_WRCOEFS))
  155768. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  155769. (*cinfo->marker->write_marker_header) (cinfo, marker, datalen);
  155770. }
  155771. GLOBAL(void)
  155772. jpeg_write_m_byte (j_compress_ptr cinfo, int val)
  155773. {
  155774. (*cinfo->marker->write_marker_byte) (cinfo, val);
  155775. }
  155776. /*
  155777. * Alternate compression function: just write an abbreviated table file.
  155778. * Before calling this, all parameters and a data destination must be set up.
  155779. *
  155780. * To produce a pair of files containing abbreviated tables and abbreviated
  155781. * image data, one would proceed as follows:
  155782. *
  155783. * initialize JPEG object
  155784. * set JPEG parameters
  155785. * set destination to table file
  155786. * jpeg_write_tables(cinfo);
  155787. * set destination to image file
  155788. * jpeg_start_compress(cinfo, FALSE);
  155789. * write data...
  155790. * jpeg_finish_compress(cinfo);
  155791. *
  155792. * jpeg_write_tables has the side effect of marking all tables written
  155793. * (same as jpeg_suppress_tables(..., TRUE)). Thus a subsequent start_compress
  155794. * will not re-emit the tables unless it is passed write_all_tables=TRUE.
  155795. */
  155796. GLOBAL(void)
  155797. jpeg_write_tables (j_compress_ptr cinfo)
  155798. {
  155799. if (cinfo->global_state != CSTATE_START)
  155800. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  155801. /* (Re)initialize error mgr and destination modules */
  155802. (*cinfo->err->reset_error_mgr) ((j_common_ptr) cinfo);
  155803. (*cinfo->dest->init_destination) (cinfo);
  155804. /* Initialize the marker writer ... bit of a crock to do it here. */
  155805. jinit_marker_writer(cinfo);
  155806. /* Write them tables! */
  155807. (*cinfo->marker->write_tables_only) (cinfo);
  155808. /* And clean up. */
  155809. (*cinfo->dest->term_destination) (cinfo);
  155810. /*
  155811. * In library releases up through v6a, we called jpeg_abort() here to free
  155812. * any working memory allocated by the destination manager and marker
  155813. * writer. Some applications had a problem with that: they allocated space
  155814. * of their own from the library memory manager, and didn't want it to go
  155815. * away during write_tables. So now we do nothing. This will cause a
  155816. * memory leak if an app calls write_tables repeatedly without doing a full
  155817. * compression cycle or otherwise resetting the JPEG object. However, that
  155818. * seems less bad than unexpectedly freeing memory in the normal case.
  155819. * An app that prefers the old behavior can call jpeg_abort for itself after
  155820. * each call to jpeg_write_tables().
  155821. */
  155822. }
  155823. /********* End of inlined file: jcapimin.c *********/
  155824. /********* Start of inlined file: jcapistd.c *********/
  155825. #define JPEG_INTERNALS
  155826. /*
  155827. * Compression initialization.
  155828. * Before calling this, all parameters and a data destination must be set up.
  155829. *
  155830. * We require a write_all_tables parameter as a failsafe check when writing
  155831. * multiple datastreams from the same compression object. Since prior runs
  155832. * will have left all the tables marked sent_table=TRUE, a subsequent run
  155833. * would emit an abbreviated stream (no tables) by default. This may be what
  155834. * is wanted, but for safety's sake it should not be the default behavior:
  155835. * programmers should have to make a deliberate choice to emit abbreviated
  155836. * images. Therefore the documentation and examples should encourage people
  155837. * to pass write_all_tables=TRUE; then it will take active thought to do the
  155838. * wrong thing.
  155839. */
  155840. GLOBAL(void)
  155841. jpeg_start_compress (j_compress_ptr cinfo, boolean write_all_tables)
  155842. {
  155843. if (cinfo->global_state != CSTATE_START)
  155844. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  155845. if (write_all_tables)
  155846. jpeg_suppress_tables(cinfo, FALSE); /* mark all tables to be written */
  155847. /* (Re)initialize error mgr and destination modules */
  155848. (*cinfo->err->reset_error_mgr) ((j_common_ptr) cinfo);
  155849. (*cinfo->dest->init_destination) (cinfo);
  155850. /* Perform master selection of active modules */
  155851. jinit_compress_master(cinfo);
  155852. /* Set up for the first pass */
  155853. (*cinfo->master->prepare_for_pass) (cinfo);
  155854. /* Ready for application to drive first pass through jpeg_write_scanlines
  155855. * or jpeg_write_raw_data.
  155856. */
  155857. cinfo->next_scanline = 0;
  155858. cinfo->global_state = (cinfo->raw_data_in ? CSTATE_RAW_OK : CSTATE_SCANNING);
  155859. }
  155860. /*
  155861. * Write some scanlines of data to the JPEG compressor.
  155862. *
  155863. * The return value will be the number of lines actually written.
  155864. * This should be less than the supplied num_lines only in case that
  155865. * the data destination module has requested suspension of the compressor,
  155866. * or if more than image_height scanlines are passed in.
  155867. *
  155868. * Note: we warn about excess calls to jpeg_write_scanlines() since
  155869. * this likely signals an application programmer error. However,
  155870. * excess scanlines passed in the last valid call are *silently* ignored,
  155871. * so that the application need not adjust num_lines for end-of-image
  155872. * when using a multiple-scanline buffer.
  155873. */
  155874. GLOBAL(JDIMENSION)
  155875. jpeg_write_scanlines (j_compress_ptr cinfo, JSAMPARRAY scanlines,
  155876. JDIMENSION num_lines)
  155877. {
  155878. JDIMENSION row_ctr, rows_left;
  155879. if (cinfo->global_state != CSTATE_SCANNING)
  155880. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  155881. if (cinfo->next_scanline >= cinfo->image_height)
  155882. WARNMS(cinfo, JWRN_TOO_MUCH_DATA);
  155883. /* Call progress monitor hook if present */
  155884. if (cinfo->progress != NULL) {
  155885. cinfo->progress->pass_counter = (long) cinfo->next_scanline;
  155886. cinfo->progress->pass_limit = (long) cinfo->image_height;
  155887. (*cinfo->progress->progress_monitor) ((j_common_ptr) cinfo);
  155888. }
  155889. /* Give master control module another chance if this is first call to
  155890. * jpeg_write_scanlines. This lets output of the frame/scan headers be
  155891. * delayed so that application can write COM, etc, markers between
  155892. * jpeg_start_compress and jpeg_write_scanlines.
  155893. */
  155894. if (cinfo->master->call_pass_startup)
  155895. (*cinfo->master->pass_startup) (cinfo);
  155896. /* Ignore any extra scanlines at bottom of image. */
  155897. rows_left = cinfo->image_height - cinfo->next_scanline;
  155898. if (num_lines > rows_left)
  155899. num_lines = rows_left;
  155900. row_ctr = 0;
  155901. (*cinfo->main->process_data) (cinfo, scanlines, &row_ctr, num_lines);
  155902. cinfo->next_scanline += row_ctr;
  155903. return row_ctr;
  155904. }
  155905. /*
  155906. * Alternate entry point to write raw data.
  155907. * Processes exactly one iMCU row per call, unless suspended.
  155908. */
  155909. GLOBAL(JDIMENSION)
  155910. jpeg_write_raw_data (j_compress_ptr cinfo, JSAMPIMAGE data,
  155911. JDIMENSION num_lines)
  155912. {
  155913. JDIMENSION lines_per_iMCU_row;
  155914. if (cinfo->global_state != CSTATE_RAW_OK)
  155915. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  155916. if (cinfo->next_scanline >= cinfo->image_height) {
  155917. WARNMS(cinfo, JWRN_TOO_MUCH_DATA);
  155918. return 0;
  155919. }
  155920. /* Call progress monitor hook if present */
  155921. if (cinfo->progress != NULL) {
  155922. cinfo->progress->pass_counter = (long) cinfo->next_scanline;
  155923. cinfo->progress->pass_limit = (long) cinfo->image_height;
  155924. (*cinfo->progress->progress_monitor) ((j_common_ptr) cinfo);
  155925. }
  155926. /* Give master control module another chance if this is first call to
  155927. * jpeg_write_raw_data. This lets output of the frame/scan headers be
  155928. * delayed so that application can write COM, etc, markers between
  155929. * jpeg_start_compress and jpeg_write_raw_data.
  155930. */
  155931. if (cinfo->master->call_pass_startup)
  155932. (*cinfo->master->pass_startup) (cinfo);
  155933. /* Verify that at least one iMCU row has been passed. */
  155934. lines_per_iMCU_row = cinfo->max_v_samp_factor * DCTSIZE;
  155935. if (num_lines < lines_per_iMCU_row)
  155936. ERREXIT(cinfo, JERR_BUFFER_SIZE);
  155937. /* Directly compress the row. */
  155938. if (! (*cinfo->coef->compress_data) (cinfo, data)) {
  155939. /* If compressor did not consume the whole row, suspend processing. */
  155940. return 0;
  155941. }
  155942. /* OK, we processed one iMCU row. */
  155943. cinfo->next_scanline += lines_per_iMCU_row;
  155944. return lines_per_iMCU_row;
  155945. }
  155946. /********* End of inlined file: jcapistd.c *********/
  155947. /********* Start of inlined file: jccoefct.c *********/
  155948. #define JPEG_INTERNALS
  155949. /* We use a full-image coefficient buffer when doing Huffman optimization,
  155950. * and also for writing multiple-scan JPEG files. In all cases, the DCT
  155951. * step is run during the first pass, and subsequent passes need only read
  155952. * the buffered coefficients.
  155953. */
  155954. #ifdef ENTROPY_OPT_SUPPORTED
  155955. #define FULL_COEF_BUFFER_SUPPORTED
  155956. #else
  155957. #ifdef C_MULTISCAN_FILES_SUPPORTED
  155958. #define FULL_COEF_BUFFER_SUPPORTED
  155959. #endif
  155960. #endif
  155961. /* Private buffer controller object */
  155962. typedef struct {
  155963. struct jpeg_c_coef_controller pub; /* public fields */
  155964. JDIMENSION iMCU_row_num; /* iMCU row # within image */
  155965. JDIMENSION mcu_ctr; /* counts MCUs processed in current row */
  155966. int MCU_vert_offset; /* counts MCU rows within iMCU row */
  155967. int MCU_rows_per_iMCU_row; /* number of such rows needed */
  155968. /* For single-pass compression, it's sufficient to buffer just one MCU
  155969. * (although this may prove a bit slow in practice). We allocate a
  155970. * workspace of C_MAX_BLOCKS_IN_MCU coefficient blocks, and reuse it for each
  155971. * MCU constructed and sent. (On 80x86, the workspace is FAR even though
  155972. * it's not really very big; this is to keep the module interfaces unchanged
  155973. * when a large coefficient buffer is necessary.)
  155974. * In multi-pass modes, this array points to the current MCU's blocks
  155975. * within the virtual arrays.
  155976. */
  155977. JBLOCKROW MCU_buffer[C_MAX_BLOCKS_IN_MCU];
  155978. /* In multi-pass modes, we need a virtual block array for each component. */
  155979. jvirt_barray_ptr whole_image[MAX_COMPONENTS];
  155980. } my_coef_controller;
  155981. typedef my_coef_controller * my_coef_ptr;
  155982. /* Forward declarations */
  155983. METHODDEF(boolean) compress_data
  155984. JPP((j_compress_ptr cinfo, JSAMPIMAGE input_buf));
  155985. #ifdef FULL_COEF_BUFFER_SUPPORTED
  155986. METHODDEF(boolean) compress_first_pass
  155987. JPP((j_compress_ptr cinfo, JSAMPIMAGE input_buf));
  155988. METHODDEF(boolean) compress_output
  155989. JPP((j_compress_ptr cinfo, JSAMPIMAGE input_buf));
  155990. #endif
  155991. LOCAL(void)
  155992. start_iMCU_row (j_compress_ptr cinfo)
  155993. /* Reset within-iMCU-row counters for a new row */
  155994. {
  155995. my_coef_ptr coef = (my_coef_ptr) cinfo->coef;
  155996. /* In an interleaved scan, an MCU row is the same as an iMCU row.
  155997. * In a noninterleaved scan, an iMCU row has v_samp_factor MCU rows.
  155998. * But at the bottom of the image, process only what's left.
  155999. */
  156000. if (cinfo->comps_in_scan > 1) {
  156001. coef->MCU_rows_per_iMCU_row = 1;
  156002. } else {
  156003. if (coef->iMCU_row_num < (cinfo->total_iMCU_rows-1))
  156004. coef->MCU_rows_per_iMCU_row = cinfo->cur_comp_info[0]->v_samp_factor;
  156005. else
  156006. coef->MCU_rows_per_iMCU_row = cinfo->cur_comp_info[0]->last_row_height;
  156007. }
  156008. coef->mcu_ctr = 0;
  156009. coef->MCU_vert_offset = 0;
  156010. }
  156011. /*
  156012. * Initialize for a processing pass.
  156013. */
  156014. METHODDEF(void)
  156015. start_pass_coef (j_compress_ptr cinfo, J_BUF_MODE pass_mode)
  156016. {
  156017. my_coef_ptr coef = (my_coef_ptr) cinfo->coef;
  156018. coef->iMCU_row_num = 0;
  156019. start_iMCU_row(cinfo);
  156020. switch (pass_mode) {
  156021. case JBUF_PASS_THRU:
  156022. if (coef->whole_image[0] != NULL)
  156023. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  156024. coef->pub.compress_data = compress_data;
  156025. break;
  156026. #ifdef FULL_COEF_BUFFER_SUPPORTED
  156027. case JBUF_SAVE_AND_PASS:
  156028. if (coef->whole_image[0] == NULL)
  156029. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  156030. coef->pub.compress_data = compress_first_pass;
  156031. break;
  156032. case JBUF_CRANK_DEST:
  156033. if (coef->whole_image[0] == NULL)
  156034. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  156035. coef->pub.compress_data = compress_output;
  156036. break;
  156037. #endif
  156038. default:
  156039. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  156040. break;
  156041. }
  156042. }
  156043. /*
  156044. * Process some data in the single-pass case.
  156045. * We process the equivalent of one fully interleaved MCU row ("iMCU" row)
  156046. * per call, ie, v_samp_factor block rows for each component in the image.
  156047. * Returns TRUE if the iMCU row is completed, FALSE if suspended.
  156048. *
  156049. * NB: input_buf contains a plane for each component in image,
  156050. * which we index according to the component's SOF position.
  156051. */
  156052. METHODDEF(boolean)
  156053. compress_data (j_compress_ptr cinfo, JSAMPIMAGE input_buf)
  156054. {
  156055. my_coef_ptr coef = (my_coef_ptr) cinfo->coef;
  156056. JDIMENSION MCU_col_num; /* index of current MCU within row */
  156057. JDIMENSION last_MCU_col = cinfo->MCUs_per_row - 1;
  156058. JDIMENSION last_iMCU_row = cinfo->total_iMCU_rows - 1;
  156059. int blkn, bi, ci, yindex, yoffset, blockcnt;
  156060. JDIMENSION ypos, xpos;
  156061. jpeg_component_info *compptr;
  156062. /* Loop to write as much as one whole iMCU row */
  156063. for (yoffset = coef->MCU_vert_offset; yoffset < coef->MCU_rows_per_iMCU_row;
  156064. yoffset++) {
  156065. for (MCU_col_num = coef->mcu_ctr; MCU_col_num <= last_MCU_col;
  156066. MCU_col_num++) {
  156067. /* Determine where data comes from in input_buf and do the DCT thing.
  156068. * Each call on forward_DCT processes a horizontal row of DCT blocks
  156069. * as wide as an MCU; we rely on having allocated the MCU_buffer[] blocks
  156070. * sequentially. Dummy blocks at the right or bottom edge are filled in
  156071. * specially. The data in them does not matter for image reconstruction,
  156072. * so we fill them with values that will encode to the smallest amount of
  156073. * data, viz: all zeroes in the AC entries, DC entries equal to previous
  156074. * block's DC value. (Thanks to Thomas Kinsman for this idea.)
  156075. */
  156076. blkn = 0;
  156077. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  156078. compptr = cinfo->cur_comp_info[ci];
  156079. blockcnt = (MCU_col_num < last_MCU_col) ? compptr->MCU_width
  156080. : compptr->last_col_width;
  156081. xpos = MCU_col_num * compptr->MCU_sample_width;
  156082. ypos = yoffset * DCTSIZE; /* ypos == (yoffset+yindex) * DCTSIZE */
  156083. for (yindex = 0; yindex < compptr->MCU_height; yindex++) {
  156084. if (coef->iMCU_row_num < last_iMCU_row ||
  156085. yoffset+yindex < compptr->last_row_height) {
  156086. (*cinfo->fdct->forward_DCT) (cinfo, compptr,
  156087. input_buf[compptr->component_index],
  156088. coef->MCU_buffer[blkn],
  156089. ypos, xpos, (JDIMENSION) blockcnt);
  156090. if (blockcnt < compptr->MCU_width) {
  156091. /* Create some dummy blocks at the right edge of the image. */
  156092. jzero_far((void FAR *) coef->MCU_buffer[blkn + blockcnt],
  156093. (compptr->MCU_width - blockcnt) * SIZEOF(JBLOCK));
  156094. for (bi = blockcnt; bi < compptr->MCU_width; bi++) {
  156095. coef->MCU_buffer[blkn+bi][0][0] = coef->MCU_buffer[blkn+bi-1][0][0];
  156096. }
  156097. }
  156098. } else {
  156099. /* Create a row of dummy blocks at the bottom of the image. */
  156100. jzero_far((void FAR *) coef->MCU_buffer[blkn],
  156101. compptr->MCU_width * SIZEOF(JBLOCK));
  156102. for (bi = 0; bi < compptr->MCU_width; bi++) {
  156103. coef->MCU_buffer[blkn+bi][0][0] = coef->MCU_buffer[blkn-1][0][0];
  156104. }
  156105. }
  156106. blkn += compptr->MCU_width;
  156107. ypos += DCTSIZE;
  156108. }
  156109. }
  156110. /* Try to write the MCU. In event of a suspension failure, we will
  156111. * re-DCT the MCU on restart (a bit inefficient, could be fixed...)
  156112. */
  156113. if (! (*cinfo->entropy->encode_mcu) (cinfo, coef->MCU_buffer)) {
  156114. /* Suspension forced; update state counters and exit */
  156115. coef->MCU_vert_offset = yoffset;
  156116. coef->mcu_ctr = MCU_col_num;
  156117. return FALSE;
  156118. }
  156119. }
  156120. /* Completed an MCU row, but perhaps not an iMCU row */
  156121. coef->mcu_ctr = 0;
  156122. }
  156123. /* Completed the iMCU row, advance counters for next one */
  156124. coef->iMCU_row_num++;
  156125. start_iMCU_row(cinfo);
  156126. return TRUE;
  156127. }
  156128. #ifdef FULL_COEF_BUFFER_SUPPORTED
  156129. /*
  156130. * Process some data in the first pass of a multi-pass case.
  156131. * We process the equivalent of one fully interleaved MCU row ("iMCU" row)
  156132. * per call, ie, v_samp_factor block rows for each component in the image.
  156133. * This amount of data is read from the source buffer, DCT'd and quantized,
  156134. * and saved into the virtual arrays. We also generate suitable dummy blocks
  156135. * as needed at the right and lower edges. (The dummy blocks are constructed
  156136. * in the virtual arrays, which have been padded appropriately.) This makes
  156137. * it possible for subsequent passes not to worry about real vs. dummy blocks.
  156138. *
  156139. * We must also emit the data to the entropy encoder. This is conveniently
  156140. * done by calling compress_output() after we've loaded the current strip
  156141. * of the virtual arrays.
  156142. *
  156143. * NB: input_buf contains a plane for each component in image. All
  156144. * components are DCT'd and loaded into the virtual arrays in this pass.
  156145. * However, it may be that only a subset of the components are emitted to
  156146. * the entropy encoder during this first pass; be careful about looking
  156147. * at the scan-dependent variables (MCU dimensions, etc).
  156148. */
  156149. METHODDEF(boolean)
  156150. compress_first_pass (j_compress_ptr cinfo, JSAMPIMAGE input_buf)
  156151. {
  156152. my_coef_ptr coef = (my_coef_ptr) cinfo->coef;
  156153. JDIMENSION last_iMCU_row = cinfo->total_iMCU_rows - 1;
  156154. JDIMENSION blocks_across, MCUs_across, MCUindex;
  156155. int bi, ci, h_samp_factor, block_row, block_rows, ndummy;
  156156. JCOEF lastDC;
  156157. jpeg_component_info *compptr;
  156158. JBLOCKARRAY buffer;
  156159. JBLOCKROW thisblockrow, lastblockrow;
  156160. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  156161. ci++, compptr++) {
  156162. /* Align the virtual buffer for this component. */
  156163. buffer = (*cinfo->mem->access_virt_barray)
  156164. ((j_common_ptr) cinfo, coef->whole_image[ci],
  156165. coef->iMCU_row_num * compptr->v_samp_factor,
  156166. (JDIMENSION) compptr->v_samp_factor, TRUE);
  156167. /* Count non-dummy DCT block rows in this iMCU row. */
  156168. if (coef->iMCU_row_num < last_iMCU_row)
  156169. block_rows = compptr->v_samp_factor;
  156170. else {
  156171. /* NB: can't use last_row_height here, since may not be set! */
  156172. block_rows = (int) (compptr->height_in_blocks % compptr->v_samp_factor);
  156173. if (block_rows == 0) block_rows = compptr->v_samp_factor;
  156174. }
  156175. blocks_across = compptr->width_in_blocks;
  156176. h_samp_factor = compptr->h_samp_factor;
  156177. /* Count number of dummy blocks to be added at the right margin. */
  156178. ndummy = (int) (blocks_across % h_samp_factor);
  156179. if (ndummy > 0)
  156180. ndummy = h_samp_factor - ndummy;
  156181. /* Perform DCT for all non-dummy blocks in this iMCU row. Each call
  156182. * on forward_DCT processes a complete horizontal row of DCT blocks.
  156183. */
  156184. for (block_row = 0; block_row < block_rows; block_row++) {
  156185. thisblockrow = buffer[block_row];
  156186. (*cinfo->fdct->forward_DCT) (cinfo, compptr,
  156187. input_buf[ci], thisblockrow,
  156188. (JDIMENSION) (block_row * DCTSIZE),
  156189. (JDIMENSION) 0, blocks_across);
  156190. if (ndummy > 0) {
  156191. /* Create dummy blocks at the right edge of the image. */
  156192. thisblockrow += blocks_across; /* => first dummy block */
  156193. jzero_far((void FAR *) thisblockrow, ndummy * SIZEOF(JBLOCK));
  156194. lastDC = thisblockrow[-1][0];
  156195. for (bi = 0; bi < ndummy; bi++) {
  156196. thisblockrow[bi][0] = lastDC;
  156197. }
  156198. }
  156199. }
  156200. /* If at end of image, create dummy block rows as needed.
  156201. * The tricky part here is that within each MCU, we want the DC values
  156202. * of the dummy blocks to match the last real block's DC value.
  156203. * This squeezes a few more bytes out of the resulting file...
  156204. */
  156205. if (coef->iMCU_row_num == last_iMCU_row) {
  156206. blocks_across += ndummy; /* include lower right corner */
  156207. MCUs_across = blocks_across / h_samp_factor;
  156208. for (block_row = block_rows; block_row < compptr->v_samp_factor;
  156209. block_row++) {
  156210. thisblockrow = buffer[block_row];
  156211. lastblockrow = buffer[block_row-1];
  156212. jzero_far((void FAR *) thisblockrow,
  156213. (size_t) (blocks_across * SIZEOF(JBLOCK)));
  156214. for (MCUindex = 0; MCUindex < MCUs_across; MCUindex++) {
  156215. lastDC = lastblockrow[h_samp_factor-1][0];
  156216. for (bi = 0; bi < h_samp_factor; bi++) {
  156217. thisblockrow[bi][0] = lastDC;
  156218. }
  156219. thisblockrow += h_samp_factor; /* advance to next MCU in row */
  156220. lastblockrow += h_samp_factor;
  156221. }
  156222. }
  156223. }
  156224. }
  156225. /* NB: compress_output will increment iMCU_row_num if successful.
  156226. * A suspension return will result in redoing all the work above next time.
  156227. */
  156228. /* Emit data to the entropy encoder, sharing code with subsequent passes */
  156229. return compress_output(cinfo, input_buf);
  156230. }
  156231. /*
  156232. * Process some data in subsequent passes of a multi-pass case.
  156233. * We process the equivalent of one fully interleaved MCU row ("iMCU" row)
  156234. * per call, ie, v_samp_factor block rows for each component in the scan.
  156235. * The data is obtained from the virtual arrays and fed to the entropy coder.
  156236. * Returns TRUE if the iMCU row is completed, FALSE if suspended.
  156237. *
  156238. * NB: input_buf is ignored; it is likely to be a NULL pointer.
  156239. */
  156240. METHODDEF(boolean)
  156241. compress_output (j_compress_ptr cinfo, JSAMPIMAGE input_buf)
  156242. {
  156243. my_coef_ptr coef = (my_coef_ptr) cinfo->coef;
  156244. JDIMENSION MCU_col_num; /* index of current MCU within row */
  156245. int blkn, ci, xindex, yindex, yoffset;
  156246. JDIMENSION start_col;
  156247. JBLOCKARRAY buffer[MAX_COMPS_IN_SCAN];
  156248. JBLOCKROW buffer_ptr;
  156249. jpeg_component_info *compptr;
  156250. /* Align the virtual buffers for the components used in this scan.
  156251. * NB: during first pass, this is safe only because the buffers will
  156252. * already be aligned properly, so jmemmgr.c won't need to do any I/O.
  156253. */
  156254. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  156255. compptr = cinfo->cur_comp_info[ci];
  156256. buffer[ci] = (*cinfo->mem->access_virt_barray)
  156257. ((j_common_ptr) cinfo, coef->whole_image[compptr->component_index],
  156258. coef->iMCU_row_num * compptr->v_samp_factor,
  156259. (JDIMENSION) compptr->v_samp_factor, FALSE);
  156260. }
  156261. /* Loop to process one whole iMCU row */
  156262. for (yoffset = coef->MCU_vert_offset; yoffset < coef->MCU_rows_per_iMCU_row;
  156263. yoffset++) {
  156264. for (MCU_col_num = coef->mcu_ctr; MCU_col_num < cinfo->MCUs_per_row;
  156265. MCU_col_num++) {
  156266. /* Construct list of pointers to DCT blocks belonging to this MCU */
  156267. blkn = 0; /* index of current DCT block within MCU */
  156268. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  156269. compptr = cinfo->cur_comp_info[ci];
  156270. start_col = MCU_col_num * compptr->MCU_width;
  156271. for (yindex = 0; yindex < compptr->MCU_height; yindex++) {
  156272. buffer_ptr = buffer[ci][yindex+yoffset] + start_col;
  156273. for (xindex = 0; xindex < compptr->MCU_width; xindex++) {
  156274. coef->MCU_buffer[blkn++] = buffer_ptr++;
  156275. }
  156276. }
  156277. }
  156278. /* Try to write the MCU. */
  156279. if (! (*cinfo->entropy->encode_mcu) (cinfo, coef->MCU_buffer)) {
  156280. /* Suspension forced; update state counters and exit */
  156281. coef->MCU_vert_offset = yoffset;
  156282. coef->mcu_ctr = MCU_col_num;
  156283. return FALSE;
  156284. }
  156285. }
  156286. /* Completed an MCU row, but perhaps not an iMCU row */
  156287. coef->mcu_ctr = 0;
  156288. }
  156289. /* Completed the iMCU row, advance counters for next one */
  156290. coef->iMCU_row_num++;
  156291. start_iMCU_row(cinfo);
  156292. return TRUE;
  156293. }
  156294. #endif /* FULL_COEF_BUFFER_SUPPORTED */
  156295. /*
  156296. * Initialize coefficient buffer controller.
  156297. */
  156298. GLOBAL(void)
  156299. jinit_c_coef_controller (j_compress_ptr cinfo, boolean need_full_buffer)
  156300. {
  156301. my_coef_ptr coef;
  156302. coef = (my_coef_ptr)
  156303. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  156304. SIZEOF(my_coef_controller));
  156305. cinfo->coef = (struct jpeg_c_coef_controller *) coef;
  156306. coef->pub.start_pass = start_pass_coef;
  156307. /* Create the coefficient buffer. */
  156308. if (need_full_buffer) {
  156309. #ifdef FULL_COEF_BUFFER_SUPPORTED
  156310. /* Allocate a full-image virtual array for each component, */
  156311. /* padded to a multiple of samp_factor DCT blocks in each direction. */
  156312. int ci;
  156313. jpeg_component_info *compptr;
  156314. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  156315. ci++, compptr++) {
  156316. coef->whole_image[ci] = (*cinfo->mem->request_virt_barray)
  156317. ((j_common_ptr) cinfo, JPOOL_IMAGE, FALSE,
  156318. (JDIMENSION) jround_up((long) compptr->width_in_blocks,
  156319. (long) compptr->h_samp_factor),
  156320. (JDIMENSION) jround_up((long) compptr->height_in_blocks,
  156321. (long) compptr->v_samp_factor),
  156322. (JDIMENSION) compptr->v_samp_factor);
  156323. }
  156324. #else
  156325. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  156326. #endif
  156327. } else {
  156328. /* We only need a single-MCU buffer. */
  156329. JBLOCKROW buffer;
  156330. int i;
  156331. buffer = (JBLOCKROW)
  156332. (*cinfo->mem->alloc_large) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  156333. C_MAX_BLOCKS_IN_MCU * SIZEOF(JBLOCK));
  156334. for (i = 0; i < C_MAX_BLOCKS_IN_MCU; i++) {
  156335. coef->MCU_buffer[i] = buffer + i;
  156336. }
  156337. coef->whole_image[0] = NULL; /* flag for no virtual arrays */
  156338. }
  156339. }
  156340. /********* End of inlined file: jccoefct.c *********/
  156341. /********* Start of inlined file: jccolor.c *********/
  156342. #define JPEG_INTERNALS
  156343. /* Private subobject */
  156344. typedef struct {
  156345. struct jpeg_color_converter pub; /* public fields */
  156346. /* Private state for RGB->YCC conversion */
  156347. INT32 * rgb_ycc_tab; /* => table for RGB to YCbCr conversion */
  156348. } my_color_converter;
  156349. typedef my_color_converter * my_cconvert_ptr;
  156350. /**************** RGB -> YCbCr conversion: most common case **************/
  156351. /*
  156352. * YCbCr is defined per CCIR 601-1, except that Cb and Cr are
  156353. * normalized to the range 0..MAXJSAMPLE rather than -0.5 .. 0.5.
  156354. * The conversion equations to be implemented are therefore
  156355. * Y = 0.29900 * R + 0.58700 * G + 0.11400 * B
  156356. * Cb = -0.16874 * R - 0.33126 * G + 0.50000 * B + CENTERJSAMPLE
  156357. * Cr = 0.50000 * R - 0.41869 * G - 0.08131 * B + CENTERJSAMPLE
  156358. * (These numbers are derived from TIFF 6.0 section 21, dated 3-June-92.)
  156359. * Note: older versions of the IJG code used a zero offset of MAXJSAMPLE/2,
  156360. * rather than CENTERJSAMPLE, for Cb and Cr. This gave equal positive and
  156361. * negative swings for Cb/Cr, but meant that grayscale values (Cb=Cr=0)
  156362. * were not represented exactly. Now we sacrifice exact representation of
  156363. * maximum red and maximum blue in order to get exact grayscales.
  156364. *
  156365. * To avoid floating-point arithmetic, we represent the fractional constants
  156366. * as integers scaled up by 2^16 (about 4 digits precision); we have to divide
  156367. * the products by 2^16, with appropriate rounding, to get the correct answer.
  156368. *
  156369. * For even more speed, we avoid doing any multiplications in the inner loop
  156370. * by precalculating the constants times R,G,B for all possible values.
  156371. * For 8-bit JSAMPLEs this is very reasonable (only 256 entries per table);
  156372. * for 12-bit samples it is still acceptable. It's not very reasonable for
  156373. * 16-bit samples, but if you want lossless storage you shouldn't be changing
  156374. * colorspace anyway.
  156375. * The CENTERJSAMPLE offsets and the rounding fudge-factor of 0.5 are included
  156376. * in the tables to save adding them separately in the inner loop.
  156377. */
  156378. #define SCALEBITS 16 /* speediest right-shift on some machines */
  156379. #define CBCR_OFFSET ((INT32) CENTERJSAMPLE << SCALEBITS)
  156380. #define ONE_HALF ((INT32) 1 << (SCALEBITS-1))
  156381. #define FIX(x) ((INT32) ((x) * (1L<<SCALEBITS) + 0.5))
  156382. /* We allocate one big table and divide it up into eight parts, instead of
  156383. * doing eight alloc_small requests. This lets us use a single table base
  156384. * address, which can be held in a register in the inner loops on many
  156385. * machines (more than can hold all eight addresses, anyway).
  156386. */
  156387. #define R_Y_OFF 0 /* offset to R => Y section */
  156388. #define G_Y_OFF (1*(MAXJSAMPLE+1)) /* offset to G => Y section */
  156389. #define B_Y_OFF (2*(MAXJSAMPLE+1)) /* etc. */
  156390. #define R_CB_OFF (3*(MAXJSAMPLE+1))
  156391. #define G_CB_OFF (4*(MAXJSAMPLE+1))
  156392. #define B_CB_OFF (5*(MAXJSAMPLE+1))
  156393. #define R_CR_OFF B_CB_OFF /* B=>Cb, R=>Cr are the same */
  156394. #define G_CR_OFF (6*(MAXJSAMPLE+1))
  156395. #define B_CR_OFF (7*(MAXJSAMPLE+1))
  156396. #define TABLE_SIZE (8*(MAXJSAMPLE+1))
  156397. /*
  156398. * Initialize for RGB->YCC colorspace conversion.
  156399. */
  156400. METHODDEF(void)
  156401. rgb_ycc_start (j_compress_ptr cinfo)
  156402. {
  156403. my_cconvert_ptr cconvert = (my_cconvert_ptr) cinfo->cconvert;
  156404. INT32 * rgb_ycc_tab;
  156405. INT32 i;
  156406. /* Allocate and fill in the conversion tables. */
  156407. cconvert->rgb_ycc_tab = rgb_ycc_tab = (INT32 *)
  156408. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  156409. (TABLE_SIZE * SIZEOF(INT32)));
  156410. for (i = 0; i <= MAXJSAMPLE; i++) {
  156411. rgb_ycc_tab[i+R_Y_OFF] = FIX(0.29900) * i;
  156412. rgb_ycc_tab[i+G_Y_OFF] = FIX(0.58700) * i;
  156413. rgb_ycc_tab[i+B_Y_OFF] = FIX(0.11400) * i + ONE_HALF;
  156414. rgb_ycc_tab[i+R_CB_OFF] = (-FIX(0.16874)) * i;
  156415. rgb_ycc_tab[i+G_CB_OFF] = (-FIX(0.33126)) * i;
  156416. /* We use a rounding fudge-factor of 0.5-epsilon for Cb and Cr.
  156417. * This ensures that the maximum output will round to MAXJSAMPLE
  156418. * not MAXJSAMPLE+1, and thus that we don't have to range-limit.
  156419. */
  156420. rgb_ycc_tab[i+B_CB_OFF] = FIX(0.50000) * i + CBCR_OFFSET + ONE_HALF-1;
  156421. /* B=>Cb and R=>Cr tables are the same
  156422. rgb_ycc_tab[i+R_CR_OFF] = FIX(0.50000) * i + CBCR_OFFSET + ONE_HALF-1;
  156423. */
  156424. rgb_ycc_tab[i+G_CR_OFF] = (-FIX(0.41869)) * i;
  156425. rgb_ycc_tab[i+B_CR_OFF] = (-FIX(0.08131)) * i;
  156426. }
  156427. }
  156428. /*
  156429. * Convert some rows of samples to the JPEG colorspace.
  156430. *
  156431. * Note that we change from the application's interleaved-pixel format
  156432. * to our internal noninterleaved, one-plane-per-component format.
  156433. * The input buffer is therefore three times as wide as the output buffer.
  156434. *
  156435. * A starting row offset is provided only for the output buffer. The caller
  156436. * can easily adjust the passed input_buf value to accommodate any row
  156437. * offset required on that side.
  156438. */
  156439. METHODDEF(void)
  156440. rgb_ycc_convert (j_compress_ptr cinfo,
  156441. JSAMPARRAY input_buf, JSAMPIMAGE output_buf,
  156442. JDIMENSION output_row, int num_rows)
  156443. {
  156444. my_cconvert_ptr cconvert = (my_cconvert_ptr) cinfo->cconvert;
  156445. register int r, g, b;
  156446. register INT32 * ctab = cconvert->rgb_ycc_tab;
  156447. register JSAMPROW inptr;
  156448. register JSAMPROW outptr0, outptr1, outptr2;
  156449. register JDIMENSION col;
  156450. JDIMENSION num_cols = cinfo->image_width;
  156451. while (--num_rows >= 0) {
  156452. inptr = *input_buf++;
  156453. outptr0 = output_buf[0][output_row];
  156454. outptr1 = output_buf[1][output_row];
  156455. outptr2 = output_buf[2][output_row];
  156456. output_row++;
  156457. for (col = 0; col < num_cols; col++) {
  156458. r = GETJSAMPLE(inptr[RGB_RED]);
  156459. g = GETJSAMPLE(inptr[RGB_GREEN]);
  156460. b = GETJSAMPLE(inptr[RGB_BLUE]);
  156461. inptr += RGB_PIXELSIZE;
  156462. /* If the inputs are 0..MAXJSAMPLE, the outputs of these equations
  156463. * must be too; we do not need an explicit range-limiting operation.
  156464. * Hence the value being shifted is never negative, and we don't
  156465. * need the general RIGHT_SHIFT macro.
  156466. */
  156467. /* Y */
  156468. outptr0[col] = (JSAMPLE)
  156469. ((ctab[r+R_Y_OFF] + ctab[g+G_Y_OFF] + ctab[b+B_Y_OFF])
  156470. >> SCALEBITS);
  156471. /* Cb */
  156472. outptr1[col] = (JSAMPLE)
  156473. ((ctab[r+R_CB_OFF] + ctab[g+G_CB_OFF] + ctab[b+B_CB_OFF])
  156474. >> SCALEBITS);
  156475. /* Cr */
  156476. outptr2[col] = (JSAMPLE)
  156477. ((ctab[r+R_CR_OFF] + ctab[g+G_CR_OFF] + ctab[b+B_CR_OFF])
  156478. >> SCALEBITS);
  156479. }
  156480. }
  156481. }
  156482. /**************** Cases other than RGB -> YCbCr **************/
  156483. /*
  156484. * Convert some rows of samples to the JPEG colorspace.
  156485. * This version handles RGB->grayscale conversion, which is the same
  156486. * as the RGB->Y portion of RGB->YCbCr.
  156487. * We assume rgb_ycc_start has been called (we only use the Y tables).
  156488. */
  156489. METHODDEF(void)
  156490. rgb_gray_convert (j_compress_ptr cinfo,
  156491. JSAMPARRAY input_buf, JSAMPIMAGE output_buf,
  156492. JDIMENSION output_row, int num_rows)
  156493. {
  156494. my_cconvert_ptr cconvert = (my_cconvert_ptr) cinfo->cconvert;
  156495. register int r, g, b;
  156496. register INT32 * ctab = cconvert->rgb_ycc_tab;
  156497. register JSAMPROW inptr;
  156498. register JSAMPROW outptr;
  156499. register JDIMENSION col;
  156500. JDIMENSION num_cols = cinfo->image_width;
  156501. while (--num_rows >= 0) {
  156502. inptr = *input_buf++;
  156503. outptr = output_buf[0][output_row];
  156504. output_row++;
  156505. for (col = 0; col < num_cols; col++) {
  156506. r = GETJSAMPLE(inptr[RGB_RED]);
  156507. g = GETJSAMPLE(inptr[RGB_GREEN]);
  156508. b = GETJSAMPLE(inptr[RGB_BLUE]);
  156509. inptr += RGB_PIXELSIZE;
  156510. /* Y */
  156511. outptr[col] = (JSAMPLE)
  156512. ((ctab[r+R_Y_OFF] + ctab[g+G_Y_OFF] + ctab[b+B_Y_OFF])
  156513. >> SCALEBITS);
  156514. }
  156515. }
  156516. }
  156517. /*
  156518. * Convert some rows of samples to the JPEG colorspace.
  156519. * This version handles Adobe-style CMYK->YCCK conversion,
  156520. * where we convert R=1-C, G=1-M, and B=1-Y to YCbCr using the same
  156521. * conversion as above, while passing K (black) unchanged.
  156522. * We assume rgb_ycc_start has been called.
  156523. */
  156524. METHODDEF(void)
  156525. cmyk_ycck_convert (j_compress_ptr cinfo,
  156526. JSAMPARRAY input_buf, JSAMPIMAGE output_buf,
  156527. JDIMENSION output_row, int num_rows)
  156528. {
  156529. my_cconvert_ptr cconvert = (my_cconvert_ptr) cinfo->cconvert;
  156530. register int r, g, b;
  156531. register INT32 * ctab = cconvert->rgb_ycc_tab;
  156532. register JSAMPROW inptr;
  156533. register JSAMPROW outptr0, outptr1, outptr2, outptr3;
  156534. register JDIMENSION col;
  156535. JDIMENSION num_cols = cinfo->image_width;
  156536. while (--num_rows >= 0) {
  156537. inptr = *input_buf++;
  156538. outptr0 = output_buf[0][output_row];
  156539. outptr1 = output_buf[1][output_row];
  156540. outptr2 = output_buf[2][output_row];
  156541. outptr3 = output_buf[3][output_row];
  156542. output_row++;
  156543. for (col = 0; col < num_cols; col++) {
  156544. r = MAXJSAMPLE - GETJSAMPLE(inptr[0]);
  156545. g = MAXJSAMPLE - GETJSAMPLE(inptr[1]);
  156546. b = MAXJSAMPLE - GETJSAMPLE(inptr[2]);
  156547. /* K passes through as-is */
  156548. outptr3[col] = inptr[3]; /* don't need GETJSAMPLE here */
  156549. inptr += 4;
  156550. /* If the inputs are 0..MAXJSAMPLE, the outputs of these equations
  156551. * must be too; we do not need an explicit range-limiting operation.
  156552. * Hence the value being shifted is never negative, and we don't
  156553. * need the general RIGHT_SHIFT macro.
  156554. */
  156555. /* Y */
  156556. outptr0[col] = (JSAMPLE)
  156557. ((ctab[r+R_Y_OFF] + ctab[g+G_Y_OFF] + ctab[b+B_Y_OFF])
  156558. >> SCALEBITS);
  156559. /* Cb */
  156560. outptr1[col] = (JSAMPLE)
  156561. ((ctab[r+R_CB_OFF] + ctab[g+G_CB_OFF] + ctab[b+B_CB_OFF])
  156562. >> SCALEBITS);
  156563. /* Cr */
  156564. outptr2[col] = (JSAMPLE)
  156565. ((ctab[r+R_CR_OFF] + ctab[g+G_CR_OFF] + ctab[b+B_CR_OFF])
  156566. >> SCALEBITS);
  156567. }
  156568. }
  156569. }
  156570. /*
  156571. * Convert some rows of samples to the JPEG colorspace.
  156572. * This version handles grayscale output with no conversion.
  156573. * The source can be either plain grayscale or YCbCr (since Y == gray).
  156574. */
  156575. METHODDEF(void)
  156576. grayscale_convert (j_compress_ptr cinfo,
  156577. JSAMPARRAY input_buf, JSAMPIMAGE output_buf,
  156578. JDIMENSION output_row, int num_rows)
  156579. {
  156580. register JSAMPROW inptr;
  156581. register JSAMPROW outptr;
  156582. register JDIMENSION col;
  156583. JDIMENSION num_cols = cinfo->image_width;
  156584. int instride = cinfo->input_components;
  156585. while (--num_rows >= 0) {
  156586. inptr = *input_buf++;
  156587. outptr = output_buf[0][output_row];
  156588. output_row++;
  156589. for (col = 0; col < num_cols; col++) {
  156590. outptr[col] = inptr[0]; /* don't need GETJSAMPLE() here */
  156591. inptr += instride;
  156592. }
  156593. }
  156594. }
  156595. /*
  156596. * Convert some rows of samples to the JPEG colorspace.
  156597. * This version handles multi-component colorspaces without conversion.
  156598. * We assume input_components == num_components.
  156599. */
  156600. METHODDEF(void)
  156601. null_convert (j_compress_ptr cinfo,
  156602. JSAMPARRAY input_buf, JSAMPIMAGE output_buf,
  156603. JDIMENSION output_row, int num_rows)
  156604. {
  156605. register JSAMPROW inptr;
  156606. register JSAMPROW outptr;
  156607. register JDIMENSION col;
  156608. register int ci;
  156609. int nc = cinfo->num_components;
  156610. JDIMENSION num_cols = cinfo->image_width;
  156611. while (--num_rows >= 0) {
  156612. /* It seems fastest to make a separate pass for each component. */
  156613. for (ci = 0; ci < nc; ci++) {
  156614. inptr = *input_buf;
  156615. outptr = output_buf[ci][output_row];
  156616. for (col = 0; col < num_cols; col++) {
  156617. outptr[col] = inptr[ci]; /* don't need GETJSAMPLE() here */
  156618. inptr += nc;
  156619. }
  156620. }
  156621. input_buf++;
  156622. output_row++;
  156623. }
  156624. }
  156625. /*
  156626. * Empty method for start_pass.
  156627. */
  156628. METHODDEF(void)
  156629. null_method (j_compress_ptr cinfo)
  156630. {
  156631. /* no work needed */
  156632. }
  156633. /*
  156634. * Module initialization routine for input colorspace conversion.
  156635. */
  156636. GLOBAL(void)
  156637. jinit_color_converter (j_compress_ptr cinfo)
  156638. {
  156639. my_cconvert_ptr cconvert;
  156640. cconvert = (my_cconvert_ptr)
  156641. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  156642. SIZEOF(my_color_converter));
  156643. cinfo->cconvert = (struct jpeg_color_converter *) cconvert;
  156644. /* set start_pass to null method until we find out differently */
  156645. cconvert->pub.start_pass = null_method;
  156646. /* Make sure input_components agrees with in_color_space */
  156647. switch (cinfo->in_color_space) {
  156648. case JCS_GRAYSCALE:
  156649. if (cinfo->input_components != 1)
  156650. ERREXIT(cinfo, JERR_BAD_IN_COLORSPACE);
  156651. break;
  156652. case JCS_RGB:
  156653. #if RGB_PIXELSIZE != 3
  156654. if (cinfo->input_components != RGB_PIXELSIZE)
  156655. ERREXIT(cinfo, JERR_BAD_IN_COLORSPACE);
  156656. break;
  156657. #endif /* else share code with YCbCr */
  156658. case JCS_YCbCr:
  156659. if (cinfo->input_components != 3)
  156660. ERREXIT(cinfo, JERR_BAD_IN_COLORSPACE);
  156661. break;
  156662. case JCS_CMYK:
  156663. case JCS_YCCK:
  156664. if (cinfo->input_components != 4)
  156665. ERREXIT(cinfo, JERR_BAD_IN_COLORSPACE);
  156666. break;
  156667. default: /* JCS_UNKNOWN can be anything */
  156668. if (cinfo->input_components < 1)
  156669. ERREXIT(cinfo, JERR_BAD_IN_COLORSPACE);
  156670. break;
  156671. }
  156672. /* Check num_components, set conversion method based on requested space */
  156673. switch (cinfo->jpeg_color_space) {
  156674. case JCS_GRAYSCALE:
  156675. if (cinfo->num_components != 1)
  156676. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  156677. if (cinfo->in_color_space == JCS_GRAYSCALE)
  156678. cconvert->pub.color_convert = grayscale_convert;
  156679. else if (cinfo->in_color_space == JCS_RGB) {
  156680. cconvert->pub.start_pass = rgb_ycc_start;
  156681. cconvert->pub.color_convert = rgb_gray_convert;
  156682. } else if (cinfo->in_color_space == JCS_YCbCr)
  156683. cconvert->pub.color_convert = grayscale_convert;
  156684. else
  156685. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  156686. break;
  156687. case JCS_RGB:
  156688. if (cinfo->num_components != 3)
  156689. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  156690. if (cinfo->in_color_space == JCS_RGB && RGB_PIXELSIZE == 3)
  156691. cconvert->pub.color_convert = null_convert;
  156692. else
  156693. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  156694. break;
  156695. case JCS_YCbCr:
  156696. if (cinfo->num_components != 3)
  156697. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  156698. if (cinfo->in_color_space == JCS_RGB) {
  156699. cconvert->pub.start_pass = rgb_ycc_start;
  156700. cconvert->pub.color_convert = rgb_ycc_convert;
  156701. } else if (cinfo->in_color_space == JCS_YCbCr)
  156702. cconvert->pub.color_convert = null_convert;
  156703. else
  156704. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  156705. break;
  156706. case JCS_CMYK:
  156707. if (cinfo->num_components != 4)
  156708. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  156709. if (cinfo->in_color_space == JCS_CMYK)
  156710. cconvert->pub.color_convert = null_convert;
  156711. else
  156712. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  156713. break;
  156714. case JCS_YCCK:
  156715. if (cinfo->num_components != 4)
  156716. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  156717. if (cinfo->in_color_space == JCS_CMYK) {
  156718. cconvert->pub.start_pass = rgb_ycc_start;
  156719. cconvert->pub.color_convert = cmyk_ycck_convert;
  156720. } else if (cinfo->in_color_space == JCS_YCCK)
  156721. cconvert->pub.color_convert = null_convert;
  156722. else
  156723. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  156724. break;
  156725. default: /* allow null conversion of JCS_UNKNOWN */
  156726. if (cinfo->jpeg_color_space != cinfo->in_color_space ||
  156727. cinfo->num_components != cinfo->input_components)
  156728. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  156729. cconvert->pub.color_convert = null_convert;
  156730. break;
  156731. }
  156732. }
  156733. /********* End of inlined file: jccolor.c *********/
  156734. #undef FIX
  156735. /********* Start of inlined file: jcdctmgr.c *********/
  156736. #define JPEG_INTERNALS
  156737. /********* Start of inlined file: jdct.h *********/
  156738. /*
  156739. * A forward DCT routine is given a pointer to a work area of type DCTELEM[];
  156740. * the DCT is to be performed in-place in that buffer. Type DCTELEM is int
  156741. * for 8-bit samples, INT32 for 12-bit samples. (NOTE: Floating-point DCT
  156742. * implementations use an array of type FAST_FLOAT, instead.)
  156743. * The DCT inputs are expected to be signed (range +-CENTERJSAMPLE).
  156744. * The DCT outputs are returned scaled up by a factor of 8; they therefore
  156745. * have a range of +-8K for 8-bit data, +-128K for 12-bit data. This
  156746. * convention improves accuracy in integer implementations and saves some
  156747. * work in floating-point ones.
  156748. * Quantization of the output coefficients is done by jcdctmgr.c.
  156749. */
  156750. #ifndef __jdct_h__
  156751. #define __jdct_h__
  156752. #if BITS_IN_JSAMPLE == 8
  156753. typedef int DCTELEM; /* 16 or 32 bits is fine */
  156754. #else
  156755. typedef INT32 DCTELEM; /* must have 32 bits */
  156756. #endif
  156757. typedef JMETHOD(void, forward_DCT_method_ptr, (DCTELEM * data));
  156758. typedef JMETHOD(void, float_DCT_method_ptr, (FAST_FLOAT * data));
  156759. /*
  156760. * An inverse DCT routine is given a pointer to the input JBLOCK and a pointer
  156761. * to an output sample array. The routine must dequantize the input data as
  156762. * well as perform the IDCT; for dequantization, it uses the multiplier table
  156763. * pointed to by compptr->dct_table. The output data is to be placed into the
  156764. * sample array starting at a specified column. (Any row offset needed will
  156765. * be applied to the array pointer before it is passed to the IDCT code.)
  156766. * Note that the number of samples emitted by the IDCT routine is
  156767. * DCT_scaled_size * DCT_scaled_size.
  156768. */
  156769. /* typedef inverse_DCT_method_ptr is declared in jpegint.h */
  156770. /*
  156771. * Each IDCT routine has its own ideas about the best dct_table element type.
  156772. */
  156773. typedef MULTIPLIER ISLOW_MULT_TYPE; /* short or int, whichever is faster */
  156774. #if BITS_IN_JSAMPLE == 8
  156775. typedef MULTIPLIER IFAST_MULT_TYPE; /* 16 bits is OK, use short if faster */
  156776. #define IFAST_SCALE_BITS 2 /* fractional bits in scale factors */
  156777. #else
  156778. typedef INT32 IFAST_MULT_TYPE; /* need 32 bits for scaled quantizers */
  156779. #define IFAST_SCALE_BITS 13 /* fractional bits in scale factors */
  156780. #endif
  156781. typedef FAST_FLOAT FLOAT_MULT_TYPE; /* preferred floating type */
  156782. /*
  156783. * Each IDCT routine is responsible for range-limiting its results and
  156784. * converting them to unsigned form (0..MAXJSAMPLE). The raw outputs could
  156785. * be quite far out of range if the input data is corrupt, so a bulletproof
  156786. * range-limiting step is required. We use a mask-and-table-lookup method
  156787. * to do the combined operations quickly. See the comments with
  156788. * prepare_range_limit_table (in jdmaster.c) for more info.
  156789. */
  156790. #define IDCT_range_limit(cinfo) ((cinfo)->sample_range_limit + CENTERJSAMPLE)
  156791. #define RANGE_MASK (MAXJSAMPLE * 4 + 3) /* 2 bits wider than legal samples */
  156792. /* Short forms of external names for systems with brain-damaged linkers. */
  156793. #ifdef NEED_SHORT_EXTERNAL_NAMES
  156794. #define jpeg_fdct_islow jFDislow
  156795. #define jpeg_fdct_ifast jFDifast
  156796. #define jpeg_fdct_float jFDfloat
  156797. #define jpeg_idct_islow jRDislow
  156798. #define jpeg_idct_ifast jRDifast
  156799. #define jpeg_idct_float jRDfloat
  156800. #define jpeg_idct_4x4 jRD4x4
  156801. #define jpeg_idct_2x2 jRD2x2
  156802. #define jpeg_idct_1x1 jRD1x1
  156803. #endif /* NEED_SHORT_EXTERNAL_NAMES */
  156804. /* Extern declarations for the forward and inverse DCT routines. */
  156805. EXTERN(void) jpeg_fdct_islow JPP((DCTELEM * data));
  156806. EXTERN(void) jpeg_fdct_ifast JPP((DCTELEM * data));
  156807. EXTERN(void) jpeg_fdct_float JPP((FAST_FLOAT * data));
  156808. EXTERN(void) jpeg_idct_islow
  156809. JPP((j_decompress_ptr cinfo, jpeg_component_info * compptr,
  156810. JCOEFPTR coef_block, JSAMPARRAY output_buf, JDIMENSION output_col));
  156811. EXTERN(void) jpeg_idct_ifast
  156812. JPP((j_decompress_ptr cinfo, jpeg_component_info * compptr,
  156813. JCOEFPTR coef_block, JSAMPARRAY output_buf, JDIMENSION output_col));
  156814. EXTERN(void) jpeg_idct_float
  156815. JPP((j_decompress_ptr cinfo, jpeg_component_info * compptr,
  156816. JCOEFPTR coef_block, JSAMPARRAY output_buf, JDIMENSION output_col));
  156817. EXTERN(void) jpeg_idct_4x4
  156818. JPP((j_decompress_ptr cinfo, jpeg_component_info * compptr,
  156819. JCOEFPTR coef_block, JSAMPARRAY output_buf, JDIMENSION output_col));
  156820. EXTERN(void) jpeg_idct_2x2
  156821. JPP((j_decompress_ptr cinfo, jpeg_component_info * compptr,
  156822. JCOEFPTR coef_block, JSAMPARRAY output_buf, JDIMENSION output_col));
  156823. EXTERN(void) jpeg_idct_1x1
  156824. JPP((j_decompress_ptr cinfo, jpeg_component_info * compptr,
  156825. JCOEFPTR coef_block, JSAMPARRAY output_buf, JDIMENSION output_col));
  156826. /*
  156827. * Macros for handling fixed-point arithmetic; these are used by many
  156828. * but not all of the DCT/IDCT modules.
  156829. *
  156830. * All values are expected to be of type INT32.
  156831. * Fractional constants are scaled left by CONST_BITS bits.
  156832. * CONST_BITS is defined within each module using these macros,
  156833. * and may differ from one module to the next.
  156834. */
  156835. #define ONE ((INT32) 1)
  156836. #define CONST_SCALE (ONE << CONST_BITS)
  156837. /* Convert a positive real constant to an integer scaled by CONST_SCALE.
  156838. * Caution: some C compilers fail to reduce "FIX(constant)" at compile time,
  156839. * thus causing a lot of useless floating-point operations at run time.
  156840. */
  156841. #define FIX(x) ((INT32) ((x) * CONST_SCALE + 0.5))
  156842. /* Descale and correctly round an INT32 value that's scaled by N bits.
  156843. * We assume RIGHT_SHIFT rounds towards minus infinity, so adding
  156844. * the fudge factor is correct for either sign of X.
  156845. */
  156846. #define DESCALE(x,n) RIGHT_SHIFT((x) + (ONE << ((n)-1)), n)
  156847. /* Multiply an INT32 variable by an INT32 constant to yield an INT32 result.
  156848. * This macro is used only when the two inputs will actually be no more than
  156849. * 16 bits wide, so that a 16x16->32 bit multiply can be used instead of a
  156850. * full 32x32 multiply. This provides a useful speedup on many machines.
  156851. * Unfortunately there is no way to specify a 16x16->32 multiply portably
  156852. * in C, but some C compilers will do the right thing if you provide the
  156853. * correct combination of casts.
  156854. */
  156855. #ifdef SHORTxSHORT_32 /* may work if 'int' is 32 bits */
  156856. #define MULTIPLY16C16(var,const) (((INT16) (var)) * ((INT16) (const)))
  156857. #endif
  156858. #ifdef SHORTxLCONST_32 /* known to work with Microsoft C 6.0 */
  156859. #define MULTIPLY16C16(var,const) (((INT16) (var)) * ((INT32) (const)))
  156860. #endif
  156861. #ifndef MULTIPLY16C16 /* default definition */
  156862. #define MULTIPLY16C16(var,const) ((var) * (const))
  156863. #endif
  156864. /* Same except both inputs are variables. */
  156865. #ifdef SHORTxSHORT_32 /* may work if 'int' is 32 bits */
  156866. #define MULTIPLY16V16(var1,var2) (((INT16) (var1)) * ((INT16) (var2)))
  156867. #endif
  156868. #ifndef MULTIPLY16V16 /* default definition */
  156869. #define MULTIPLY16V16(var1,var2) ((var1) * (var2))
  156870. #endif
  156871. #endif
  156872. /********* End of inlined file: jdct.h *********/
  156873. /* Private declarations for DCT subsystem */
  156874. /* Private subobject for this module */
  156875. typedef struct {
  156876. struct jpeg_forward_dct pub; /* public fields */
  156877. /* Pointer to the DCT routine actually in use */
  156878. forward_DCT_method_ptr do_dct;
  156879. /* The actual post-DCT divisors --- not identical to the quant table
  156880. * entries, because of scaling (especially for an unnormalized DCT).
  156881. * Each table is given in normal array order.
  156882. */
  156883. DCTELEM * divisors[NUM_QUANT_TBLS];
  156884. #ifdef DCT_FLOAT_SUPPORTED
  156885. /* Same as above for the floating-point case. */
  156886. float_DCT_method_ptr do_float_dct;
  156887. FAST_FLOAT * float_divisors[NUM_QUANT_TBLS];
  156888. #endif
  156889. } my_fdct_controller;
  156890. typedef my_fdct_controller * my_fdct_ptr;
  156891. /*
  156892. * Initialize for a processing pass.
  156893. * Verify that all referenced Q-tables are present, and set up
  156894. * the divisor table for each one.
  156895. * In the current implementation, DCT of all components is done during
  156896. * the first pass, even if only some components will be output in the
  156897. * first scan. Hence all components should be examined here.
  156898. */
  156899. METHODDEF(void)
  156900. start_pass_fdctmgr (j_compress_ptr cinfo)
  156901. {
  156902. my_fdct_ptr fdct = (my_fdct_ptr) cinfo->fdct;
  156903. int ci, qtblno, i;
  156904. jpeg_component_info *compptr;
  156905. JQUANT_TBL * qtbl;
  156906. DCTELEM * dtbl;
  156907. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  156908. ci++, compptr++) {
  156909. qtblno = compptr->quant_tbl_no;
  156910. /* Make sure specified quantization table is present */
  156911. if (qtblno < 0 || qtblno >= NUM_QUANT_TBLS ||
  156912. cinfo->quant_tbl_ptrs[qtblno] == NULL)
  156913. ERREXIT1(cinfo, JERR_NO_QUANT_TABLE, qtblno);
  156914. qtbl = cinfo->quant_tbl_ptrs[qtblno];
  156915. /* Compute divisors for this quant table */
  156916. /* We may do this more than once for same table, but it's not a big deal */
  156917. switch (cinfo->dct_method) {
  156918. #ifdef DCT_ISLOW_SUPPORTED
  156919. case JDCT_ISLOW:
  156920. /* For LL&M IDCT method, divisors are equal to raw quantization
  156921. * coefficients multiplied by 8 (to counteract scaling).
  156922. */
  156923. if (fdct->divisors[qtblno] == NULL) {
  156924. fdct->divisors[qtblno] = (DCTELEM *)
  156925. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  156926. DCTSIZE2 * SIZEOF(DCTELEM));
  156927. }
  156928. dtbl = fdct->divisors[qtblno];
  156929. for (i = 0; i < DCTSIZE2; i++) {
  156930. dtbl[i] = ((DCTELEM) qtbl->quantval[i]) << 3;
  156931. }
  156932. break;
  156933. #endif
  156934. #ifdef DCT_IFAST_SUPPORTED
  156935. case JDCT_IFAST:
  156936. {
  156937. /* For AA&N IDCT method, divisors are equal to quantization
  156938. * coefficients scaled by scalefactor[row]*scalefactor[col], where
  156939. * scalefactor[0] = 1
  156940. * scalefactor[k] = cos(k*PI/16) * sqrt(2) for k=1..7
  156941. * We apply a further scale factor of 8.
  156942. */
  156943. #define CONST_BITS 14
  156944. static const INT16 aanscales[DCTSIZE2] = {
  156945. /* precomputed values scaled up by 14 bits */
  156946. 16384, 22725, 21407, 19266, 16384, 12873, 8867, 4520,
  156947. 22725, 31521, 29692, 26722, 22725, 17855, 12299, 6270,
  156948. 21407, 29692, 27969, 25172, 21407, 16819, 11585, 5906,
  156949. 19266, 26722, 25172, 22654, 19266, 15137, 10426, 5315,
  156950. 16384, 22725, 21407, 19266, 16384, 12873, 8867, 4520,
  156951. 12873, 17855, 16819, 15137, 12873, 10114, 6967, 3552,
  156952. 8867, 12299, 11585, 10426, 8867, 6967, 4799, 2446,
  156953. 4520, 6270, 5906, 5315, 4520, 3552, 2446, 1247
  156954. };
  156955. SHIFT_TEMPS
  156956. if (fdct->divisors[qtblno] == NULL) {
  156957. fdct->divisors[qtblno] = (DCTELEM *)
  156958. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  156959. DCTSIZE2 * SIZEOF(DCTELEM));
  156960. }
  156961. dtbl = fdct->divisors[qtblno];
  156962. for (i = 0; i < DCTSIZE2; i++) {
  156963. dtbl[i] = (DCTELEM)
  156964. DESCALE(MULTIPLY16V16((INT32) qtbl->quantval[i],
  156965. (INT32) aanscales[i]),
  156966. CONST_BITS-3);
  156967. }
  156968. }
  156969. break;
  156970. #endif
  156971. #ifdef DCT_FLOAT_SUPPORTED
  156972. case JDCT_FLOAT:
  156973. {
  156974. /* For float AA&N IDCT method, divisors are equal to quantization
  156975. * coefficients scaled by scalefactor[row]*scalefactor[col], where
  156976. * scalefactor[0] = 1
  156977. * scalefactor[k] = cos(k*PI/16) * sqrt(2) for k=1..7
  156978. * We apply a further scale factor of 8.
  156979. * What's actually stored is 1/divisor so that the inner loop can
  156980. * use a multiplication rather than a division.
  156981. */
  156982. FAST_FLOAT * fdtbl;
  156983. int row, col;
  156984. static const double aanscalefactor[DCTSIZE] = {
  156985. 1.0, 1.387039845, 1.306562965, 1.175875602,
  156986. 1.0, 0.785694958, 0.541196100, 0.275899379
  156987. };
  156988. if (fdct->float_divisors[qtblno] == NULL) {
  156989. fdct->float_divisors[qtblno] = (FAST_FLOAT *)
  156990. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  156991. DCTSIZE2 * SIZEOF(FAST_FLOAT));
  156992. }
  156993. fdtbl = fdct->float_divisors[qtblno];
  156994. i = 0;
  156995. for (row = 0; row < DCTSIZE; row++) {
  156996. for (col = 0; col < DCTSIZE; col++) {
  156997. fdtbl[i] = (FAST_FLOAT)
  156998. (1.0 / (((double) qtbl->quantval[i] *
  156999. aanscalefactor[row] * aanscalefactor[col] * 8.0)));
  157000. i++;
  157001. }
  157002. }
  157003. }
  157004. break;
  157005. #endif
  157006. default:
  157007. ERREXIT(cinfo, JERR_NOT_COMPILED);
  157008. break;
  157009. }
  157010. }
  157011. }
  157012. /*
  157013. * Perform forward DCT on one or more blocks of a component.
  157014. *
  157015. * The input samples are taken from the sample_data[] array starting at
  157016. * position start_row/start_col, and moving to the right for any additional
  157017. * blocks. The quantized coefficients are returned in coef_blocks[].
  157018. */
  157019. METHODDEF(void)
  157020. forward_DCT (j_compress_ptr cinfo, jpeg_component_info * compptr,
  157021. JSAMPARRAY sample_data, JBLOCKROW coef_blocks,
  157022. JDIMENSION start_row, JDIMENSION start_col,
  157023. JDIMENSION num_blocks)
  157024. /* This version is used for integer DCT implementations. */
  157025. {
  157026. /* This routine is heavily used, so it's worth coding it tightly. */
  157027. my_fdct_ptr fdct = (my_fdct_ptr) cinfo->fdct;
  157028. forward_DCT_method_ptr do_dct = fdct->do_dct;
  157029. DCTELEM * divisors = fdct->divisors[compptr->quant_tbl_no];
  157030. DCTELEM workspace[DCTSIZE2]; /* work area for FDCT subroutine */
  157031. JDIMENSION bi;
  157032. sample_data += start_row; /* fold in the vertical offset once */
  157033. for (bi = 0; bi < num_blocks; bi++, start_col += DCTSIZE) {
  157034. /* Load data into workspace, applying unsigned->signed conversion */
  157035. { register DCTELEM *workspaceptr;
  157036. register JSAMPROW elemptr;
  157037. register int elemr;
  157038. workspaceptr = workspace;
  157039. for (elemr = 0; elemr < DCTSIZE; elemr++) {
  157040. elemptr = sample_data[elemr] + start_col;
  157041. #if DCTSIZE == 8 /* unroll the inner loop */
  157042. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157043. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157044. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157045. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157046. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157047. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157048. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157049. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157050. #else
  157051. { register int elemc;
  157052. for (elemc = DCTSIZE; elemc > 0; elemc--) {
  157053. *workspaceptr++ = GETJSAMPLE(*elemptr++) - CENTERJSAMPLE;
  157054. }
  157055. }
  157056. #endif
  157057. }
  157058. }
  157059. /* Perform the DCT */
  157060. (*do_dct) (workspace);
  157061. /* Quantize/descale the coefficients, and store into coef_blocks[] */
  157062. { register DCTELEM temp, qval;
  157063. register int i;
  157064. register JCOEFPTR output_ptr = coef_blocks[bi];
  157065. for (i = 0; i < DCTSIZE2; i++) {
  157066. qval = divisors[i];
  157067. temp = workspace[i];
  157068. /* Divide the coefficient value by qval, ensuring proper rounding.
  157069. * Since C does not specify the direction of rounding for negative
  157070. * quotients, we have to force the dividend positive for portability.
  157071. *
  157072. * In most files, at least half of the output values will be zero
  157073. * (at default quantization settings, more like three-quarters...)
  157074. * so we should ensure that this case is fast. On many machines,
  157075. * a comparison is enough cheaper than a divide to make a special test
  157076. * a win. Since both inputs will be nonnegative, we need only test
  157077. * for a < b to discover whether a/b is 0.
  157078. * If your machine's division is fast enough, define FAST_DIVIDE.
  157079. */
  157080. #ifdef FAST_DIVIDE
  157081. #define DIVIDE_BY(a,b) a /= b
  157082. #else
  157083. #define DIVIDE_BY(a,b) if (a >= b) a /= b; else a = 0
  157084. #endif
  157085. if (temp < 0) {
  157086. temp = -temp;
  157087. temp += qval>>1; /* for rounding */
  157088. DIVIDE_BY(temp, qval);
  157089. temp = -temp;
  157090. } else {
  157091. temp += qval>>1; /* for rounding */
  157092. DIVIDE_BY(temp, qval);
  157093. }
  157094. output_ptr[i] = (JCOEF) temp;
  157095. }
  157096. }
  157097. }
  157098. }
  157099. #ifdef DCT_FLOAT_SUPPORTED
  157100. METHODDEF(void)
  157101. forward_DCT_float (j_compress_ptr cinfo, jpeg_component_info * compptr,
  157102. JSAMPARRAY sample_data, JBLOCKROW coef_blocks,
  157103. JDIMENSION start_row, JDIMENSION start_col,
  157104. JDIMENSION num_blocks)
  157105. /* This version is used for floating-point DCT implementations. */
  157106. {
  157107. /* This routine is heavily used, so it's worth coding it tightly. */
  157108. my_fdct_ptr fdct = (my_fdct_ptr) cinfo->fdct;
  157109. float_DCT_method_ptr do_dct = fdct->do_float_dct;
  157110. FAST_FLOAT * divisors = fdct->float_divisors[compptr->quant_tbl_no];
  157111. FAST_FLOAT workspace[DCTSIZE2]; /* work area for FDCT subroutine */
  157112. JDIMENSION bi;
  157113. sample_data += start_row; /* fold in the vertical offset once */
  157114. for (bi = 0; bi < num_blocks; bi++, start_col += DCTSIZE) {
  157115. /* Load data into workspace, applying unsigned->signed conversion */
  157116. { register FAST_FLOAT *workspaceptr;
  157117. register JSAMPROW elemptr;
  157118. register int elemr;
  157119. workspaceptr = workspace;
  157120. for (elemr = 0; elemr < DCTSIZE; elemr++) {
  157121. elemptr = sample_data[elemr] + start_col;
  157122. #if DCTSIZE == 8 /* unroll the inner loop */
  157123. *workspaceptr++ = (FAST_FLOAT)(GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157124. *workspaceptr++ = (FAST_FLOAT)(GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157125. *workspaceptr++ = (FAST_FLOAT)(GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157126. *workspaceptr++ = (FAST_FLOAT)(GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157127. *workspaceptr++ = (FAST_FLOAT)(GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157128. *workspaceptr++ = (FAST_FLOAT)(GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157129. *workspaceptr++ = (FAST_FLOAT)(GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157130. *workspaceptr++ = (FAST_FLOAT)(GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157131. #else
  157132. { register int elemc;
  157133. for (elemc = DCTSIZE; elemc > 0; elemc--) {
  157134. *workspaceptr++ = (FAST_FLOAT)
  157135. (GETJSAMPLE(*elemptr++) - CENTERJSAMPLE);
  157136. }
  157137. }
  157138. #endif
  157139. }
  157140. }
  157141. /* Perform the DCT */
  157142. (*do_dct) (workspace);
  157143. /* Quantize/descale the coefficients, and store into coef_blocks[] */
  157144. { register FAST_FLOAT temp;
  157145. register int i;
  157146. register JCOEFPTR output_ptr = coef_blocks[bi];
  157147. for (i = 0; i < DCTSIZE2; i++) {
  157148. /* Apply the quantization and scaling factor */
  157149. temp = workspace[i] * divisors[i];
  157150. /* Round to nearest integer.
  157151. * Since C does not specify the direction of rounding for negative
  157152. * quotients, we have to force the dividend positive for portability.
  157153. * The maximum coefficient size is +-16K (for 12-bit data), so this
  157154. * code should work for either 16-bit or 32-bit ints.
  157155. */
  157156. output_ptr[i] = (JCOEF) ((int) (temp + (FAST_FLOAT) 16384.5) - 16384);
  157157. }
  157158. }
  157159. }
  157160. }
  157161. #endif /* DCT_FLOAT_SUPPORTED */
  157162. /*
  157163. * Initialize FDCT manager.
  157164. */
  157165. GLOBAL(void)
  157166. jinit_forward_dct (j_compress_ptr cinfo)
  157167. {
  157168. my_fdct_ptr fdct;
  157169. int i;
  157170. fdct = (my_fdct_ptr)
  157171. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  157172. SIZEOF(my_fdct_controller));
  157173. cinfo->fdct = (struct jpeg_forward_dct *) fdct;
  157174. fdct->pub.start_pass = start_pass_fdctmgr;
  157175. switch (cinfo->dct_method) {
  157176. #ifdef DCT_ISLOW_SUPPORTED
  157177. case JDCT_ISLOW:
  157178. fdct->pub.forward_DCT = forward_DCT;
  157179. fdct->do_dct = jpeg_fdct_islow;
  157180. break;
  157181. #endif
  157182. #ifdef DCT_IFAST_SUPPORTED
  157183. case JDCT_IFAST:
  157184. fdct->pub.forward_DCT = forward_DCT;
  157185. fdct->do_dct = jpeg_fdct_ifast;
  157186. break;
  157187. #endif
  157188. #ifdef DCT_FLOAT_SUPPORTED
  157189. case JDCT_FLOAT:
  157190. fdct->pub.forward_DCT = forward_DCT_float;
  157191. fdct->do_float_dct = jpeg_fdct_float;
  157192. break;
  157193. #endif
  157194. default:
  157195. ERREXIT(cinfo, JERR_NOT_COMPILED);
  157196. break;
  157197. }
  157198. /* Mark divisor tables unallocated */
  157199. for (i = 0; i < NUM_QUANT_TBLS; i++) {
  157200. fdct->divisors[i] = NULL;
  157201. #ifdef DCT_FLOAT_SUPPORTED
  157202. fdct->float_divisors[i] = NULL;
  157203. #endif
  157204. }
  157205. }
  157206. /********* End of inlined file: jcdctmgr.c *********/
  157207. #undef CONST_BITS
  157208. /********* Start of inlined file: jchuff.c *********/
  157209. #define JPEG_INTERNALS
  157210. /********* Start of inlined file: jchuff.h *********/
  157211. /* The legal range of a DCT coefficient is
  157212. * -1024 .. +1023 for 8-bit data;
  157213. * -16384 .. +16383 for 12-bit data.
  157214. * Hence the magnitude should always fit in 10 or 14 bits respectively.
  157215. */
  157216. #ifndef _jchuff_h_
  157217. #define _jchuff_h_
  157218. #if BITS_IN_JSAMPLE == 8
  157219. #define MAX_COEF_BITS 10
  157220. #else
  157221. #define MAX_COEF_BITS 14
  157222. #endif
  157223. /* Derived data constructed for each Huffman table */
  157224. typedef struct {
  157225. unsigned int ehufco[256]; /* code for each symbol */
  157226. char ehufsi[256]; /* length of code for each symbol */
  157227. /* If no code has been allocated for a symbol S, ehufsi[S] contains 0 */
  157228. } c_derived_tbl;
  157229. /* Short forms of external names for systems with brain-damaged linkers. */
  157230. #ifdef NEED_SHORT_EXTERNAL_NAMES
  157231. #define jpeg_make_c_derived_tbl jMkCDerived
  157232. #define jpeg_gen_optimal_table jGenOptTbl
  157233. #endif /* NEED_SHORT_EXTERNAL_NAMES */
  157234. /* Expand a Huffman table definition into the derived format */
  157235. EXTERN(void) jpeg_make_c_derived_tbl
  157236. JPP((j_compress_ptr cinfo, boolean isDC, int tblno,
  157237. c_derived_tbl ** pdtbl));
  157238. /* Generate an optimal table definition given the specified counts */
  157239. EXTERN(void) jpeg_gen_optimal_table
  157240. JPP((j_compress_ptr cinfo, JHUFF_TBL * htbl, long freq[]));
  157241. #endif
  157242. /********* End of inlined file: jchuff.h *********/
  157243. /* Declarations shared with jcphuff.c */
  157244. /* Expanded entropy encoder object for Huffman encoding.
  157245. *
  157246. * The savable_state subrecord contains fields that change within an MCU,
  157247. * but must not be updated permanently until we complete the MCU.
  157248. */
  157249. typedef struct {
  157250. INT32 put_buffer; /* current bit-accumulation buffer */
  157251. int put_bits; /* # of bits now in it */
  157252. int last_dc_val[MAX_COMPS_IN_SCAN]; /* last DC coef for each component */
  157253. } savable_state;
  157254. /* This macro is to work around compilers with missing or broken
  157255. * structure assignment. You'll need to fix this code if you have
  157256. * such a compiler and you change MAX_COMPS_IN_SCAN.
  157257. */
  157258. #ifndef NO_STRUCT_ASSIGN
  157259. #define ASSIGN_STATE(dest,src) ((dest) = (src))
  157260. #else
  157261. #if MAX_COMPS_IN_SCAN == 4
  157262. #define ASSIGN_STATE(dest,src) \
  157263. ((dest).put_buffer = (src).put_buffer, \
  157264. (dest).put_bits = (src).put_bits, \
  157265. (dest).last_dc_val[0] = (src).last_dc_val[0], \
  157266. (dest).last_dc_val[1] = (src).last_dc_val[1], \
  157267. (dest).last_dc_val[2] = (src).last_dc_val[2], \
  157268. (dest).last_dc_val[3] = (src).last_dc_val[3])
  157269. #endif
  157270. #endif
  157271. typedef struct {
  157272. struct jpeg_entropy_encoder pub; /* public fields */
  157273. savable_state saved; /* Bit buffer & DC state at start of MCU */
  157274. /* These fields are NOT loaded into local working state. */
  157275. unsigned int restarts_to_go; /* MCUs left in this restart interval */
  157276. int next_restart_num; /* next restart number to write (0-7) */
  157277. /* Pointers to derived tables (these workspaces have image lifespan) */
  157278. c_derived_tbl * dc_derived_tbls[NUM_HUFF_TBLS];
  157279. c_derived_tbl * ac_derived_tbls[NUM_HUFF_TBLS];
  157280. #ifdef ENTROPY_OPT_SUPPORTED /* Statistics tables for optimization */
  157281. long * dc_count_ptrs[NUM_HUFF_TBLS];
  157282. long * ac_count_ptrs[NUM_HUFF_TBLS];
  157283. #endif
  157284. } huff_entropy_encoder;
  157285. typedef huff_entropy_encoder * huff_entropy_ptr;
  157286. /* Working state while writing an MCU.
  157287. * This struct contains all the fields that are needed by subroutines.
  157288. */
  157289. typedef struct {
  157290. JOCTET * next_output_byte; /* => next byte to write in buffer */
  157291. size_t free_in_buffer; /* # of byte spaces remaining in buffer */
  157292. savable_state cur; /* Current bit buffer & DC state */
  157293. j_compress_ptr cinfo; /* dump_buffer needs access to this */
  157294. } working_state;
  157295. /* Forward declarations */
  157296. METHODDEF(boolean) encode_mcu_huff JPP((j_compress_ptr cinfo,
  157297. JBLOCKROW *MCU_data));
  157298. METHODDEF(void) finish_pass_huff JPP((j_compress_ptr cinfo));
  157299. #ifdef ENTROPY_OPT_SUPPORTED
  157300. METHODDEF(boolean) encode_mcu_gather JPP((j_compress_ptr cinfo,
  157301. JBLOCKROW *MCU_data));
  157302. METHODDEF(void) finish_pass_gather JPP((j_compress_ptr cinfo));
  157303. #endif
  157304. /*
  157305. * Initialize for a Huffman-compressed scan.
  157306. * If gather_statistics is TRUE, we do not output anything during the scan,
  157307. * just count the Huffman symbols used and generate Huffman code tables.
  157308. */
  157309. METHODDEF(void)
  157310. start_pass_huff (j_compress_ptr cinfo, boolean gather_statistics)
  157311. {
  157312. huff_entropy_ptr entropy = (huff_entropy_ptr) cinfo->entropy;
  157313. int ci, dctbl, actbl;
  157314. jpeg_component_info * compptr;
  157315. if (gather_statistics) {
  157316. #ifdef ENTROPY_OPT_SUPPORTED
  157317. entropy->pub.encode_mcu = encode_mcu_gather;
  157318. entropy->pub.finish_pass = finish_pass_gather;
  157319. #else
  157320. ERREXIT(cinfo, JERR_NOT_COMPILED);
  157321. #endif
  157322. } else {
  157323. entropy->pub.encode_mcu = encode_mcu_huff;
  157324. entropy->pub.finish_pass = finish_pass_huff;
  157325. }
  157326. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  157327. compptr = cinfo->cur_comp_info[ci];
  157328. dctbl = compptr->dc_tbl_no;
  157329. actbl = compptr->ac_tbl_no;
  157330. if (gather_statistics) {
  157331. #ifdef ENTROPY_OPT_SUPPORTED
  157332. /* Check for invalid table indexes */
  157333. /* (make_c_derived_tbl does this in the other path) */
  157334. if (dctbl < 0 || dctbl >= NUM_HUFF_TBLS)
  157335. ERREXIT1(cinfo, JERR_NO_HUFF_TABLE, dctbl);
  157336. if (actbl < 0 || actbl >= NUM_HUFF_TBLS)
  157337. ERREXIT1(cinfo, JERR_NO_HUFF_TABLE, actbl);
  157338. /* Allocate and zero the statistics tables */
  157339. /* Note that jpeg_gen_optimal_table expects 257 entries in each table! */
  157340. if (entropy->dc_count_ptrs[dctbl] == NULL)
  157341. entropy->dc_count_ptrs[dctbl] = (long *)
  157342. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  157343. 257 * SIZEOF(long));
  157344. MEMZERO(entropy->dc_count_ptrs[dctbl], 257 * SIZEOF(long));
  157345. if (entropy->ac_count_ptrs[actbl] == NULL)
  157346. entropy->ac_count_ptrs[actbl] = (long *)
  157347. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  157348. 257 * SIZEOF(long));
  157349. MEMZERO(entropy->ac_count_ptrs[actbl], 257 * SIZEOF(long));
  157350. #endif
  157351. } else {
  157352. /* Compute derived values for Huffman tables */
  157353. /* We may do this more than once for a table, but it's not expensive */
  157354. jpeg_make_c_derived_tbl(cinfo, TRUE, dctbl,
  157355. & entropy->dc_derived_tbls[dctbl]);
  157356. jpeg_make_c_derived_tbl(cinfo, FALSE, actbl,
  157357. & entropy->ac_derived_tbls[actbl]);
  157358. }
  157359. /* Initialize DC predictions to 0 */
  157360. entropy->saved.last_dc_val[ci] = 0;
  157361. }
  157362. /* Initialize bit buffer to empty */
  157363. entropy->saved.put_buffer = 0;
  157364. entropy->saved.put_bits = 0;
  157365. /* Initialize restart stuff */
  157366. entropy->restarts_to_go = cinfo->restart_interval;
  157367. entropy->next_restart_num = 0;
  157368. }
  157369. /*
  157370. * Compute the derived values for a Huffman table.
  157371. * This routine also performs some validation checks on the table.
  157372. *
  157373. * Note this is also used by jcphuff.c.
  157374. */
  157375. GLOBAL(void)
  157376. jpeg_make_c_derived_tbl (j_compress_ptr cinfo, boolean isDC, int tblno,
  157377. c_derived_tbl ** pdtbl)
  157378. {
  157379. JHUFF_TBL *htbl;
  157380. c_derived_tbl *dtbl;
  157381. int p, i, l, lastp, si, maxsymbol;
  157382. char huffsize[257];
  157383. unsigned int huffcode[257];
  157384. unsigned int code;
  157385. /* Note that huffsize[] and huffcode[] are filled in code-length order,
  157386. * paralleling the order of the symbols themselves in htbl->huffval[].
  157387. */
  157388. /* Find the input Huffman table */
  157389. if (tblno < 0 || tblno >= NUM_HUFF_TBLS)
  157390. ERREXIT1(cinfo, JERR_NO_HUFF_TABLE, tblno);
  157391. htbl =
  157392. isDC ? cinfo->dc_huff_tbl_ptrs[tblno] : cinfo->ac_huff_tbl_ptrs[tblno];
  157393. if (htbl == NULL)
  157394. ERREXIT1(cinfo, JERR_NO_HUFF_TABLE, tblno);
  157395. /* Allocate a workspace if we haven't already done so. */
  157396. if (*pdtbl == NULL)
  157397. *pdtbl = (c_derived_tbl *)
  157398. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  157399. SIZEOF(c_derived_tbl));
  157400. dtbl = *pdtbl;
  157401. /* Figure C.1: make table of Huffman code length for each symbol */
  157402. p = 0;
  157403. for (l = 1; l <= 16; l++) {
  157404. i = (int) htbl->bits[l];
  157405. if (i < 0 || p + i > 256) /* protect against table overrun */
  157406. ERREXIT(cinfo, JERR_BAD_HUFF_TABLE);
  157407. while (i--)
  157408. huffsize[p++] = (char) l;
  157409. }
  157410. huffsize[p] = 0;
  157411. lastp = p;
  157412. /* Figure C.2: generate the codes themselves */
  157413. /* We also validate that the counts represent a legal Huffman code tree. */
  157414. code = 0;
  157415. si = huffsize[0];
  157416. p = 0;
  157417. while (huffsize[p]) {
  157418. while (((int) huffsize[p]) == si) {
  157419. huffcode[p++] = code;
  157420. code++;
  157421. }
  157422. /* code is now 1 more than the last code used for codelength si; but
  157423. * it must still fit in si bits, since no code is allowed to be all ones.
  157424. */
  157425. if (((INT32) code) >= (((INT32) 1) << si))
  157426. ERREXIT(cinfo, JERR_BAD_HUFF_TABLE);
  157427. code <<= 1;
  157428. si++;
  157429. }
  157430. /* Figure C.3: generate encoding tables */
  157431. /* These are code and size indexed by symbol value */
  157432. /* Set all codeless symbols to have code length 0;
  157433. * this lets us detect duplicate VAL entries here, and later
  157434. * allows emit_bits to detect any attempt to emit such symbols.
  157435. */
  157436. MEMZERO(dtbl->ehufsi, SIZEOF(dtbl->ehufsi));
  157437. /* This is also a convenient place to check for out-of-range
  157438. * and duplicated VAL entries. We allow 0..255 for AC symbols
  157439. * but only 0..15 for DC. (We could constrain them further
  157440. * based on data depth and mode, but this seems enough.)
  157441. */
  157442. maxsymbol = isDC ? 15 : 255;
  157443. for (p = 0; p < lastp; p++) {
  157444. i = htbl->huffval[p];
  157445. if (i < 0 || i > maxsymbol || dtbl->ehufsi[i])
  157446. ERREXIT(cinfo, JERR_BAD_HUFF_TABLE);
  157447. dtbl->ehufco[i] = huffcode[p];
  157448. dtbl->ehufsi[i] = huffsize[p];
  157449. }
  157450. }
  157451. /* Outputting bytes to the file */
  157452. /* Emit a byte, taking 'action' if must suspend. */
  157453. #define emit_byte(state,val,action) \
  157454. { *(state)->next_output_byte++ = (JOCTET) (val); \
  157455. if (--(state)->free_in_buffer == 0) \
  157456. if (! dump_buffer(state)) \
  157457. { action; } }
  157458. LOCAL(boolean)
  157459. dump_buffer (working_state * state)
  157460. /* Empty the output buffer; return TRUE if successful, FALSE if must suspend */
  157461. {
  157462. struct jpeg_destination_mgr * dest = state->cinfo->dest;
  157463. if (! (*dest->empty_output_buffer) (state->cinfo))
  157464. return FALSE;
  157465. /* After a successful buffer dump, must reset buffer pointers */
  157466. state->next_output_byte = dest->next_output_byte;
  157467. state->free_in_buffer = dest->free_in_buffer;
  157468. return TRUE;
  157469. }
  157470. /* Outputting bits to the file */
  157471. /* Only the right 24 bits of put_buffer are used; the valid bits are
  157472. * left-justified in this part. At most 16 bits can be passed to emit_bits
  157473. * in one call, and we never retain more than 7 bits in put_buffer
  157474. * between calls, so 24 bits are sufficient.
  157475. */
  157476. INLINE
  157477. LOCAL(boolean)
  157478. emit_bits (working_state * state, unsigned int code, int size)
  157479. /* Emit some bits; return TRUE if successful, FALSE if must suspend */
  157480. {
  157481. /* This routine is heavily used, so it's worth coding tightly. */
  157482. register INT32 put_buffer = (INT32) code;
  157483. register int put_bits = state->cur.put_bits;
  157484. /* if size is 0, caller used an invalid Huffman table entry */
  157485. if (size == 0)
  157486. ERREXIT(state->cinfo, JERR_HUFF_MISSING_CODE);
  157487. put_buffer &= (((INT32) 1)<<size) - 1; /* mask off any extra bits in code */
  157488. put_bits += size; /* new number of bits in buffer */
  157489. put_buffer <<= 24 - put_bits; /* align incoming bits */
  157490. put_buffer |= state->cur.put_buffer; /* and merge with old buffer contents */
  157491. while (put_bits >= 8) {
  157492. int c = (int) ((put_buffer >> 16) & 0xFF);
  157493. emit_byte(state, c, return FALSE);
  157494. if (c == 0xFF) { /* need to stuff a zero byte? */
  157495. emit_byte(state, 0, return FALSE);
  157496. }
  157497. put_buffer <<= 8;
  157498. put_bits -= 8;
  157499. }
  157500. state->cur.put_buffer = put_buffer; /* update state variables */
  157501. state->cur.put_bits = put_bits;
  157502. return TRUE;
  157503. }
  157504. LOCAL(boolean)
  157505. flush_bits (working_state * state)
  157506. {
  157507. if (! emit_bits(state, 0x7F, 7)) /* fill any partial byte with ones */
  157508. return FALSE;
  157509. state->cur.put_buffer = 0; /* and reset bit-buffer to empty */
  157510. state->cur.put_bits = 0;
  157511. return TRUE;
  157512. }
  157513. /* Encode a single block's worth of coefficients */
  157514. LOCAL(boolean)
  157515. encode_one_block (working_state * state, JCOEFPTR block, int last_dc_val,
  157516. c_derived_tbl *dctbl, c_derived_tbl *actbl)
  157517. {
  157518. register int temp, temp2;
  157519. register int nbits;
  157520. register int k, r, i;
  157521. /* Encode the DC coefficient difference per section F.1.2.1 */
  157522. temp = temp2 = block[0] - last_dc_val;
  157523. if (temp < 0) {
  157524. temp = -temp; /* temp is abs value of input */
  157525. /* For a negative input, want temp2 = bitwise complement of abs(input) */
  157526. /* This code assumes we are on a two's complement machine */
  157527. temp2--;
  157528. }
  157529. /* Find the number of bits needed for the magnitude of the coefficient */
  157530. nbits = 0;
  157531. while (temp) {
  157532. nbits++;
  157533. temp >>= 1;
  157534. }
  157535. /* Check for out-of-range coefficient values.
  157536. * Since we're encoding a difference, the range limit is twice as much.
  157537. */
  157538. if (nbits > MAX_COEF_BITS+1)
  157539. ERREXIT(state->cinfo, JERR_BAD_DCT_COEF);
  157540. /* Emit the Huffman-coded symbol for the number of bits */
  157541. if (! emit_bits(state, dctbl->ehufco[nbits], dctbl->ehufsi[nbits]))
  157542. return FALSE;
  157543. /* Emit that number of bits of the value, if positive, */
  157544. /* or the complement of its magnitude, if negative. */
  157545. if (nbits) /* emit_bits rejects calls with size 0 */
  157546. if (! emit_bits(state, (unsigned int) temp2, nbits))
  157547. return FALSE;
  157548. /* Encode the AC coefficients per section F.1.2.2 */
  157549. r = 0; /* r = run length of zeros */
  157550. for (k = 1; k < DCTSIZE2; k++) {
  157551. if ((temp = block[jpeg_natural_order[k]]) == 0) {
  157552. r++;
  157553. } else {
  157554. /* if run length > 15, must emit special run-length-16 codes (0xF0) */
  157555. while (r > 15) {
  157556. if (! emit_bits(state, actbl->ehufco[0xF0], actbl->ehufsi[0xF0]))
  157557. return FALSE;
  157558. r -= 16;
  157559. }
  157560. temp2 = temp;
  157561. if (temp < 0) {
  157562. temp = -temp; /* temp is abs value of input */
  157563. /* This code assumes we are on a two's complement machine */
  157564. temp2--;
  157565. }
  157566. /* Find the number of bits needed for the magnitude of the coefficient */
  157567. nbits = 1; /* there must be at least one 1 bit */
  157568. while ((temp >>= 1))
  157569. nbits++;
  157570. /* Check for out-of-range coefficient values */
  157571. if (nbits > MAX_COEF_BITS)
  157572. ERREXIT(state->cinfo, JERR_BAD_DCT_COEF);
  157573. /* Emit Huffman symbol for run length / number of bits */
  157574. i = (r << 4) + nbits;
  157575. if (! emit_bits(state, actbl->ehufco[i], actbl->ehufsi[i]))
  157576. return FALSE;
  157577. /* Emit that number of bits of the value, if positive, */
  157578. /* or the complement of its magnitude, if negative. */
  157579. if (! emit_bits(state, (unsigned int) temp2, nbits))
  157580. return FALSE;
  157581. r = 0;
  157582. }
  157583. }
  157584. /* If the last coef(s) were zero, emit an end-of-block code */
  157585. if (r > 0)
  157586. if (! emit_bits(state, actbl->ehufco[0], actbl->ehufsi[0]))
  157587. return FALSE;
  157588. return TRUE;
  157589. }
  157590. /*
  157591. * Emit a restart marker & resynchronize predictions.
  157592. */
  157593. LOCAL(boolean)
  157594. emit_restart (working_state * state, int restart_num)
  157595. {
  157596. int ci;
  157597. if (! flush_bits(state))
  157598. return FALSE;
  157599. emit_byte(state, 0xFF, return FALSE);
  157600. emit_byte(state, JPEG_RST0 + restart_num, return FALSE);
  157601. /* Re-initialize DC predictions to 0 */
  157602. for (ci = 0; ci < state->cinfo->comps_in_scan; ci++)
  157603. state->cur.last_dc_val[ci] = 0;
  157604. /* The restart counter is not updated until we successfully write the MCU. */
  157605. return TRUE;
  157606. }
  157607. /*
  157608. * Encode and output one MCU's worth of Huffman-compressed coefficients.
  157609. */
  157610. METHODDEF(boolean)
  157611. encode_mcu_huff (j_compress_ptr cinfo, JBLOCKROW *MCU_data)
  157612. {
  157613. huff_entropy_ptr entropy = (huff_entropy_ptr) cinfo->entropy;
  157614. working_state state;
  157615. int blkn, ci;
  157616. jpeg_component_info * compptr;
  157617. /* Load up working state */
  157618. state.next_output_byte = cinfo->dest->next_output_byte;
  157619. state.free_in_buffer = cinfo->dest->free_in_buffer;
  157620. ASSIGN_STATE(state.cur, entropy->saved);
  157621. state.cinfo = cinfo;
  157622. /* Emit restart marker if needed */
  157623. if (cinfo->restart_interval) {
  157624. if (entropy->restarts_to_go == 0)
  157625. if (! emit_restart(&state, entropy->next_restart_num))
  157626. return FALSE;
  157627. }
  157628. /* Encode the MCU data blocks */
  157629. for (blkn = 0; blkn < cinfo->blocks_in_MCU; blkn++) {
  157630. ci = cinfo->MCU_membership[blkn];
  157631. compptr = cinfo->cur_comp_info[ci];
  157632. if (! encode_one_block(&state,
  157633. MCU_data[blkn][0], state.cur.last_dc_val[ci],
  157634. entropy->dc_derived_tbls[compptr->dc_tbl_no],
  157635. entropy->ac_derived_tbls[compptr->ac_tbl_no]))
  157636. return FALSE;
  157637. /* Update last_dc_val */
  157638. state.cur.last_dc_val[ci] = MCU_data[blkn][0][0];
  157639. }
  157640. /* Completed MCU, so update state */
  157641. cinfo->dest->next_output_byte = state.next_output_byte;
  157642. cinfo->dest->free_in_buffer = state.free_in_buffer;
  157643. ASSIGN_STATE(entropy->saved, state.cur);
  157644. /* Update restart-interval state too */
  157645. if (cinfo->restart_interval) {
  157646. if (entropy->restarts_to_go == 0) {
  157647. entropy->restarts_to_go = cinfo->restart_interval;
  157648. entropy->next_restart_num++;
  157649. entropy->next_restart_num &= 7;
  157650. }
  157651. entropy->restarts_to_go--;
  157652. }
  157653. return TRUE;
  157654. }
  157655. /*
  157656. * Finish up at the end of a Huffman-compressed scan.
  157657. */
  157658. METHODDEF(void)
  157659. finish_pass_huff (j_compress_ptr cinfo)
  157660. {
  157661. huff_entropy_ptr entropy = (huff_entropy_ptr) cinfo->entropy;
  157662. working_state state;
  157663. /* Load up working state ... flush_bits needs it */
  157664. state.next_output_byte = cinfo->dest->next_output_byte;
  157665. state.free_in_buffer = cinfo->dest->free_in_buffer;
  157666. ASSIGN_STATE(state.cur, entropy->saved);
  157667. state.cinfo = cinfo;
  157668. /* Flush out the last data */
  157669. if (! flush_bits(&state))
  157670. ERREXIT(cinfo, JERR_CANT_SUSPEND);
  157671. /* Update state */
  157672. cinfo->dest->next_output_byte = state.next_output_byte;
  157673. cinfo->dest->free_in_buffer = state.free_in_buffer;
  157674. ASSIGN_STATE(entropy->saved, state.cur);
  157675. }
  157676. /*
  157677. * Huffman coding optimization.
  157678. *
  157679. * We first scan the supplied data and count the number of uses of each symbol
  157680. * that is to be Huffman-coded. (This process MUST agree with the code above.)
  157681. * Then we build a Huffman coding tree for the observed counts.
  157682. * Symbols which are not needed at all for the particular image are not
  157683. * assigned any code, which saves space in the DHT marker as well as in
  157684. * the compressed data.
  157685. */
  157686. #ifdef ENTROPY_OPT_SUPPORTED
  157687. /* Process a single block's worth of coefficients */
  157688. LOCAL(void)
  157689. htest_one_block (j_compress_ptr cinfo, JCOEFPTR block, int last_dc_val,
  157690. long dc_counts[], long ac_counts[])
  157691. {
  157692. register int temp;
  157693. register int nbits;
  157694. register int k, r;
  157695. /* Encode the DC coefficient difference per section F.1.2.1 */
  157696. temp = block[0] - last_dc_val;
  157697. if (temp < 0)
  157698. temp = -temp;
  157699. /* Find the number of bits needed for the magnitude of the coefficient */
  157700. nbits = 0;
  157701. while (temp) {
  157702. nbits++;
  157703. temp >>= 1;
  157704. }
  157705. /* Check for out-of-range coefficient values.
  157706. * Since we're encoding a difference, the range limit is twice as much.
  157707. */
  157708. if (nbits > MAX_COEF_BITS+1)
  157709. ERREXIT(cinfo, JERR_BAD_DCT_COEF);
  157710. /* Count the Huffman symbol for the number of bits */
  157711. dc_counts[nbits]++;
  157712. /* Encode the AC coefficients per section F.1.2.2 */
  157713. r = 0; /* r = run length of zeros */
  157714. for (k = 1; k < DCTSIZE2; k++) {
  157715. if ((temp = block[jpeg_natural_order[k]]) == 0) {
  157716. r++;
  157717. } else {
  157718. /* if run length > 15, must emit special run-length-16 codes (0xF0) */
  157719. while (r > 15) {
  157720. ac_counts[0xF0]++;
  157721. r -= 16;
  157722. }
  157723. /* Find the number of bits needed for the magnitude of the coefficient */
  157724. if (temp < 0)
  157725. temp = -temp;
  157726. /* Find the number of bits needed for the magnitude of the coefficient */
  157727. nbits = 1; /* there must be at least one 1 bit */
  157728. while ((temp >>= 1))
  157729. nbits++;
  157730. /* Check for out-of-range coefficient values */
  157731. if (nbits > MAX_COEF_BITS)
  157732. ERREXIT(cinfo, JERR_BAD_DCT_COEF);
  157733. /* Count Huffman symbol for run length / number of bits */
  157734. ac_counts[(r << 4) + nbits]++;
  157735. r = 0;
  157736. }
  157737. }
  157738. /* If the last coef(s) were zero, emit an end-of-block code */
  157739. if (r > 0)
  157740. ac_counts[0]++;
  157741. }
  157742. /*
  157743. * Trial-encode one MCU's worth of Huffman-compressed coefficients.
  157744. * No data is actually output, so no suspension return is possible.
  157745. */
  157746. METHODDEF(boolean)
  157747. encode_mcu_gather (j_compress_ptr cinfo, JBLOCKROW *MCU_data)
  157748. {
  157749. huff_entropy_ptr entropy = (huff_entropy_ptr) cinfo->entropy;
  157750. int blkn, ci;
  157751. jpeg_component_info * compptr;
  157752. /* Take care of restart intervals if needed */
  157753. if (cinfo->restart_interval) {
  157754. if (entropy->restarts_to_go == 0) {
  157755. /* Re-initialize DC predictions to 0 */
  157756. for (ci = 0; ci < cinfo->comps_in_scan; ci++)
  157757. entropy->saved.last_dc_val[ci] = 0;
  157758. /* Update restart state */
  157759. entropy->restarts_to_go = cinfo->restart_interval;
  157760. }
  157761. entropy->restarts_to_go--;
  157762. }
  157763. for (blkn = 0; blkn < cinfo->blocks_in_MCU; blkn++) {
  157764. ci = cinfo->MCU_membership[blkn];
  157765. compptr = cinfo->cur_comp_info[ci];
  157766. htest_one_block(cinfo, MCU_data[blkn][0], entropy->saved.last_dc_val[ci],
  157767. entropy->dc_count_ptrs[compptr->dc_tbl_no],
  157768. entropy->ac_count_ptrs[compptr->ac_tbl_no]);
  157769. entropy->saved.last_dc_val[ci] = MCU_data[blkn][0][0];
  157770. }
  157771. return TRUE;
  157772. }
  157773. /*
  157774. * Generate the best Huffman code table for the given counts, fill htbl.
  157775. * Note this is also used by jcphuff.c.
  157776. *
  157777. * The JPEG standard requires that no symbol be assigned a codeword of all
  157778. * one bits (so that padding bits added at the end of a compressed segment
  157779. * can't look like a valid code). Because of the canonical ordering of
  157780. * codewords, this just means that there must be an unused slot in the
  157781. * longest codeword length category. Section K.2 of the JPEG spec suggests
  157782. * reserving such a slot by pretending that symbol 256 is a valid symbol
  157783. * with count 1. In theory that's not optimal; giving it count zero but
  157784. * including it in the symbol set anyway should give a better Huffman code.
  157785. * But the theoretically better code actually seems to come out worse in
  157786. * practice, because it produces more all-ones bytes (which incur stuffed
  157787. * zero bytes in the final file). In any case the difference is tiny.
  157788. *
  157789. * The JPEG standard requires Huffman codes to be no more than 16 bits long.
  157790. * If some symbols have a very small but nonzero probability, the Huffman tree
  157791. * must be adjusted to meet the code length restriction. We currently use
  157792. * the adjustment method suggested in JPEG section K.2. This method is *not*
  157793. * optimal; it may not choose the best possible limited-length code. But
  157794. * typically only very-low-frequency symbols will be given less-than-optimal
  157795. * lengths, so the code is almost optimal. Experimental comparisons against
  157796. * an optimal limited-length-code algorithm indicate that the difference is
  157797. * microscopic --- usually less than a hundredth of a percent of total size.
  157798. * So the extra complexity of an optimal algorithm doesn't seem worthwhile.
  157799. */
  157800. GLOBAL(void)
  157801. jpeg_gen_optimal_table (j_compress_ptr cinfo, JHUFF_TBL * htbl, long freq[])
  157802. {
  157803. #define MAX_CLEN 32 /* assumed maximum initial code length */
  157804. UINT8 bits[MAX_CLEN+1]; /* bits[k] = # of symbols with code length k */
  157805. int codesize[257]; /* codesize[k] = code length of symbol k */
  157806. int others[257]; /* next symbol in current branch of tree */
  157807. int c1, c2;
  157808. int p, i, j;
  157809. long v;
  157810. /* This algorithm is explained in section K.2 of the JPEG standard */
  157811. MEMZERO(bits, SIZEOF(bits));
  157812. MEMZERO(codesize, SIZEOF(codesize));
  157813. for (i = 0; i < 257; i++)
  157814. others[i] = -1; /* init links to empty */
  157815. freq[256] = 1; /* make sure 256 has a nonzero count */
  157816. /* Including the pseudo-symbol 256 in the Huffman procedure guarantees
  157817. * that no real symbol is given code-value of all ones, because 256
  157818. * will be placed last in the largest codeword category.
  157819. */
  157820. /* Huffman's basic algorithm to assign optimal code lengths to symbols */
  157821. for (;;) {
  157822. /* Find the smallest nonzero frequency, set c1 = its symbol */
  157823. /* In case of ties, take the larger symbol number */
  157824. c1 = -1;
  157825. v = 1000000000L;
  157826. for (i = 0; i <= 256; i++) {
  157827. if (freq[i] && freq[i] <= v) {
  157828. v = freq[i];
  157829. c1 = i;
  157830. }
  157831. }
  157832. /* Find the next smallest nonzero frequency, set c2 = its symbol */
  157833. /* In case of ties, take the larger symbol number */
  157834. c2 = -1;
  157835. v = 1000000000L;
  157836. for (i = 0; i <= 256; i++) {
  157837. if (freq[i] && freq[i] <= v && i != c1) {
  157838. v = freq[i];
  157839. c2 = i;
  157840. }
  157841. }
  157842. /* Done if we've merged everything into one frequency */
  157843. if (c2 < 0)
  157844. break;
  157845. /* Else merge the two counts/trees */
  157846. freq[c1] += freq[c2];
  157847. freq[c2] = 0;
  157848. /* Increment the codesize of everything in c1's tree branch */
  157849. codesize[c1]++;
  157850. while (others[c1] >= 0) {
  157851. c1 = others[c1];
  157852. codesize[c1]++;
  157853. }
  157854. others[c1] = c2; /* chain c2 onto c1's tree branch */
  157855. /* Increment the codesize of everything in c2's tree branch */
  157856. codesize[c2]++;
  157857. while (others[c2] >= 0) {
  157858. c2 = others[c2];
  157859. codesize[c2]++;
  157860. }
  157861. }
  157862. /* Now count the number of symbols of each code length */
  157863. for (i = 0; i <= 256; i++) {
  157864. if (codesize[i]) {
  157865. /* The JPEG standard seems to think that this can't happen, */
  157866. /* but I'm paranoid... */
  157867. if (codesize[i] > MAX_CLEN)
  157868. ERREXIT(cinfo, JERR_HUFF_CLEN_OVERFLOW);
  157869. bits[codesize[i]]++;
  157870. }
  157871. }
  157872. /* JPEG doesn't allow symbols with code lengths over 16 bits, so if the pure
  157873. * Huffman procedure assigned any such lengths, we must adjust the coding.
  157874. * Here is what the JPEG spec says about how this next bit works:
  157875. * Since symbols are paired for the longest Huffman code, the symbols are
  157876. * removed from this length category two at a time. The prefix for the pair
  157877. * (which is one bit shorter) is allocated to one of the pair; then,
  157878. * skipping the BITS entry for that prefix length, a code word from the next
  157879. * shortest nonzero BITS entry is converted into a prefix for two code words
  157880. * one bit longer.
  157881. */
  157882. for (i = MAX_CLEN; i > 16; i--) {
  157883. while (bits[i] > 0) {
  157884. j = i - 2; /* find length of new prefix to be used */
  157885. while (bits[j] == 0)
  157886. j--;
  157887. bits[i] -= 2; /* remove two symbols */
  157888. bits[i-1]++; /* one goes in this length */
  157889. bits[j+1] += 2; /* two new symbols in this length */
  157890. bits[j]--; /* symbol of this length is now a prefix */
  157891. }
  157892. }
  157893. /* Remove the count for the pseudo-symbol 256 from the largest codelength */
  157894. while (bits[i] == 0) /* find largest codelength still in use */
  157895. i--;
  157896. bits[i]--;
  157897. /* Return final symbol counts (only for lengths 0..16) */
  157898. MEMCOPY(htbl->bits, bits, SIZEOF(htbl->bits));
  157899. /* Return a list of the symbols sorted by code length */
  157900. /* It's not real clear to me why we don't need to consider the codelength
  157901. * changes made above, but the JPEG spec seems to think this works.
  157902. */
  157903. p = 0;
  157904. for (i = 1; i <= MAX_CLEN; i++) {
  157905. for (j = 0; j <= 255; j++) {
  157906. if (codesize[j] == i) {
  157907. htbl->huffval[p] = (UINT8) j;
  157908. p++;
  157909. }
  157910. }
  157911. }
  157912. /* Set sent_table FALSE so updated table will be written to JPEG file. */
  157913. htbl->sent_table = FALSE;
  157914. }
  157915. /*
  157916. * Finish up a statistics-gathering pass and create the new Huffman tables.
  157917. */
  157918. METHODDEF(void)
  157919. finish_pass_gather (j_compress_ptr cinfo)
  157920. {
  157921. huff_entropy_ptr entropy = (huff_entropy_ptr) cinfo->entropy;
  157922. int ci, dctbl, actbl;
  157923. jpeg_component_info * compptr;
  157924. JHUFF_TBL **htblptr;
  157925. boolean did_dc[NUM_HUFF_TBLS];
  157926. boolean did_ac[NUM_HUFF_TBLS];
  157927. /* It's important not to apply jpeg_gen_optimal_table more than once
  157928. * per table, because it clobbers the input frequency counts!
  157929. */
  157930. MEMZERO(did_dc, SIZEOF(did_dc));
  157931. MEMZERO(did_ac, SIZEOF(did_ac));
  157932. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  157933. compptr = cinfo->cur_comp_info[ci];
  157934. dctbl = compptr->dc_tbl_no;
  157935. actbl = compptr->ac_tbl_no;
  157936. if (! did_dc[dctbl]) {
  157937. htblptr = & cinfo->dc_huff_tbl_ptrs[dctbl];
  157938. if (*htblptr == NULL)
  157939. *htblptr = jpeg_alloc_huff_table((j_common_ptr) cinfo);
  157940. jpeg_gen_optimal_table(cinfo, *htblptr, entropy->dc_count_ptrs[dctbl]);
  157941. did_dc[dctbl] = TRUE;
  157942. }
  157943. if (! did_ac[actbl]) {
  157944. htblptr = & cinfo->ac_huff_tbl_ptrs[actbl];
  157945. if (*htblptr == NULL)
  157946. *htblptr = jpeg_alloc_huff_table((j_common_ptr) cinfo);
  157947. jpeg_gen_optimal_table(cinfo, *htblptr, entropy->ac_count_ptrs[actbl]);
  157948. did_ac[actbl] = TRUE;
  157949. }
  157950. }
  157951. }
  157952. #endif /* ENTROPY_OPT_SUPPORTED */
  157953. /*
  157954. * Module initialization routine for Huffman entropy encoding.
  157955. */
  157956. GLOBAL(void)
  157957. jinit_huff_encoder (j_compress_ptr cinfo)
  157958. {
  157959. huff_entropy_ptr entropy;
  157960. int i;
  157961. entropy = (huff_entropy_ptr)
  157962. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  157963. SIZEOF(huff_entropy_encoder));
  157964. cinfo->entropy = (struct jpeg_entropy_encoder *) entropy;
  157965. entropy->pub.start_pass = start_pass_huff;
  157966. /* Mark tables unallocated */
  157967. for (i = 0; i < NUM_HUFF_TBLS; i++) {
  157968. entropy->dc_derived_tbls[i] = entropy->ac_derived_tbls[i] = NULL;
  157969. #ifdef ENTROPY_OPT_SUPPORTED
  157970. entropy->dc_count_ptrs[i] = entropy->ac_count_ptrs[i] = NULL;
  157971. #endif
  157972. }
  157973. }
  157974. /********* End of inlined file: jchuff.c *********/
  157975. #undef emit_byte
  157976. /********* Start of inlined file: jcinit.c *********/
  157977. #define JPEG_INTERNALS
  157978. /*
  157979. * Master selection of compression modules.
  157980. * This is done once at the start of processing an image. We determine
  157981. * which modules will be used and give them appropriate initialization calls.
  157982. */
  157983. GLOBAL(void)
  157984. jinit_compress_master (j_compress_ptr cinfo)
  157985. {
  157986. /* Initialize master control (includes parameter checking/processing) */
  157987. jinit_c_master_control(cinfo, FALSE /* full compression */);
  157988. /* Preprocessing */
  157989. if (! cinfo->raw_data_in) {
  157990. jinit_color_converter(cinfo);
  157991. jinit_downsampler(cinfo);
  157992. jinit_c_prep_controller(cinfo, FALSE /* never need full buffer here */);
  157993. }
  157994. /* Forward DCT */
  157995. jinit_forward_dct(cinfo);
  157996. /* Entropy encoding: either Huffman or arithmetic coding. */
  157997. if (cinfo->arith_code) {
  157998. ERREXIT(cinfo, JERR_ARITH_NOTIMPL);
  157999. } else {
  158000. if (cinfo->progressive_mode) {
  158001. #ifdef C_PROGRESSIVE_SUPPORTED
  158002. jinit_phuff_encoder(cinfo);
  158003. #else
  158004. ERREXIT(cinfo, JERR_NOT_COMPILED);
  158005. #endif
  158006. } else
  158007. jinit_huff_encoder(cinfo);
  158008. }
  158009. /* Need a full-image coefficient buffer in any multi-pass mode. */
  158010. jinit_c_coef_controller(cinfo,
  158011. (boolean) (cinfo->num_scans > 1 || cinfo->optimize_coding));
  158012. jinit_c_main_controller(cinfo, FALSE /* never need full buffer here */);
  158013. jinit_marker_writer(cinfo);
  158014. /* We can now tell the memory manager to allocate virtual arrays. */
  158015. (*cinfo->mem->realize_virt_arrays) ((j_common_ptr) cinfo);
  158016. /* Write the datastream header (SOI) immediately.
  158017. * Frame and scan headers are postponed till later.
  158018. * This lets application insert special markers after the SOI.
  158019. */
  158020. (*cinfo->marker->write_file_header) (cinfo);
  158021. }
  158022. /********* End of inlined file: jcinit.c *********/
  158023. /********* Start of inlined file: jcmainct.c *********/
  158024. #define JPEG_INTERNALS
  158025. /* Note: currently, there is no operating mode in which a full-image buffer
  158026. * is needed at this step. If there were, that mode could not be used with
  158027. * "raw data" input, since this module is bypassed in that case. However,
  158028. * we've left the code here for possible use in special applications.
  158029. */
  158030. #undef FULL_MAIN_BUFFER_SUPPORTED
  158031. /* Private buffer controller object */
  158032. typedef struct {
  158033. struct jpeg_c_main_controller pub; /* public fields */
  158034. JDIMENSION cur_iMCU_row; /* number of current iMCU row */
  158035. JDIMENSION rowgroup_ctr; /* counts row groups received in iMCU row */
  158036. boolean suspended; /* remember if we suspended output */
  158037. J_BUF_MODE pass_mode; /* current operating mode */
  158038. /* If using just a strip buffer, this points to the entire set of buffers
  158039. * (we allocate one for each component). In the full-image case, this
  158040. * points to the currently accessible strips of the virtual arrays.
  158041. */
  158042. JSAMPARRAY buffer[MAX_COMPONENTS];
  158043. #ifdef FULL_MAIN_BUFFER_SUPPORTED
  158044. /* If using full-image storage, this array holds pointers to virtual-array
  158045. * control blocks for each component. Unused if not full-image storage.
  158046. */
  158047. jvirt_sarray_ptr whole_image[MAX_COMPONENTS];
  158048. #endif
  158049. } my_main_controller;
  158050. typedef my_main_controller * my_main_ptr;
  158051. /* Forward declarations */
  158052. METHODDEF(void) process_data_simple_main
  158053. JPP((j_compress_ptr cinfo, JSAMPARRAY input_buf,
  158054. JDIMENSION *in_row_ctr, JDIMENSION in_rows_avail));
  158055. #ifdef FULL_MAIN_BUFFER_SUPPORTED
  158056. METHODDEF(void) process_data_buffer_main
  158057. JPP((j_compress_ptr cinfo, JSAMPARRAY input_buf,
  158058. JDIMENSION *in_row_ctr, JDIMENSION in_rows_avail));
  158059. #endif
  158060. /*
  158061. * Initialize for a processing pass.
  158062. */
  158063. METHODDEF(void)
  158064. start_pass_main (j_compress_ptr cinfo, J_BUF_MODE pass_mode)
  158065. {
  158066. my_main_ptr main_ = (my_main_ptr) cinfo->main;
  158067. /* Do nothing in raw-data mode. */
  158068. if (cinfo->raw_data_in)
  158069. return;
  158070. main_->cur_iMCU_row = 0; /* initialize counters */
  158071. main_->rowgroup_ctr = 0;
  158072. main_->suspended = FALSE;
  158073. main_->pass_mode = pass_mode; /* save mode for use by process_data */
  158074. switch (pass_mode) {
  158075. case JBUF_PASS_THRU:
  158076. #ifdef FULL_MAIN_BUFFER_SUPPORTED
  158077. if (main_->whole_image[0] != NULL)
  158078. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  158079. #endif
  158080. main_->pub.process_data = process_data_simple_main;
  158081. break;
  158082. #ifdef FULL_MAIN_BUFFER_SUPPORTED
  158083. case JBUF_SAVE_SOURCE:
  158084. case JBUF_CRANK_DEST:
  158085. case JBUF_SAVE_AND_PASS:
  158086. if (main_->whole_image[0] == NULL)
  158087. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  158088. main_->pub.process_data = process_data_buffer_main;
  158089. break;
  158090. #endif
  158091. default:
  158092. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  158093. break;
  158094. }
  158095. }
  158096. /*
  158097. * Process some data.
  158098. * This routine handles the simple pass-through mode,
  158099. * where we have only a strip buffer.
  158100. */
  158101. METHODDEF(void)
  158102. process_data_simple_main (j_compress_ptr cinfo,
  158103. JSAMPARRAY input_buf, JDIMENSION *in_row_ctr,
  158104. JDIMENSION in_rows_avail)
  158105. {
  158106. my_main_ptr main_ = (my_main_ptr) cinfo->main;
  158107. while (main_->cur_iMCU_row < cinfo->total_iMCU_rows) {
  158108. /* Read input data if we haven't filled the main buffer yet */
  158109. if (main_->rowgroup_ctr < DCTSIZE)
  158110. (*cinfo->prep->pre_process_data) (cinfo,
  158111. input_buf, in_row_ctr, in_rows_avail,
  158112. main_->buffer, &main_->rowgroup_ctr,
  158113. (JDIMENSION) DCTSIZE);
  158114. /* If we don't have a full iMCU row buffered, return to application for
  158115. * more data. Note that preprocessor will always pad to fill the iMCU row
  158116. * at the bottom of the image.
  158117. */
  158118. if (main_->rowgroup_ctr != DCTSIZE)
  158119. return;
  158120. /* Send the completed row to the compressor */
  158121. if (! (*cinfo->coef->compress_data) (cinfo, main_->buffer)) {
  158122. /* If compressor did not consume the whole row, then we must need to
  158123. * suspend processing and return to the application. In this situation
  158124. * we pretend we didn't yet consume the last input row; otherwise, if
  158125. * it happened to be the last row of the image, the application would
  158126. * think we were done.
  158127. */
  158128. if (! main_->suspended) {
  158129. (*in_row_ctr)--;
  158130. main_->suspended = TRUE;
  158131. }
  158132. return;
  158133. }
  158134. /* We did finish the row. Undo our little suspension hack if a previous
  158135. * call suspended; then mark the main buffer empty.
  158136. */
  158137. if (main_->suspended) {
  158138. (*in_row_ctr)++;
  158139. main_->suspended = FALSE;
  158140. }
  158141. main_->rowgroup_ctr = 0;
  158142. main_->cur_iMCU_row++;
  158143. }
  158144. }
  158145. #ifdef FULL_MAIN_BUFFER_SUPPORTED
  158146. /*
  158147. * Process some data.
  158148. * This routine handles all of the modes that use a full-size buffer.
  158149. */
  158150. METHODDEF(void)
  158151. process_data_buffer_main (j_compress_ptr cinfo,
  158152. JSAMPARRAY input_buf, JDIMENSION *in_row_ctr,
  158153. JDIMENSION in_rows_avail)
  158154. {
  158155. my_main_ptr main = (my_main_ptr) cinfo->main;
  158156. int ci;
  158157. jpeg_component_info *compptr;
  158158. boolean writing = (main->pass_mode != JBUF_CRANK_DEST);
  158159. while (main->cur_iMCU_row < cinfo->total_iMCU_rows) {
  158160. /* Realign the virtual buffers if at the start of an iMCU row. */
  158161. if (main->rowgroup_ctr == 0) {
  158162. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  158163. ci++, compptr++) {
  158164. main->buffer[ci] = (*cinfo->mem->access_virt_sarray)
  158165. ((j_common_ptr) cinfo, main->whole_image[ci],
  158166. main->cur_iMCU_row * (compptr->v_samp_factor * DCTSIZE),
  158167. (JDIMENSION) (compptr->v_samp_factor * DCTSIZE), writing);
  158168. }
  158169. /* In a read pass, pretend we just read some source data. */
  158170. if (! writing) {
  158171. *in_row_ctr += cinfo->max_v_samp_factor * DCTSIZE;
  158172. main->rowgroup_ctr = DCTSIZE;
  158173. }
  158174. }
  158175. /* If a write pass, read input data until the current iMCU row is full. */
  158176. /* Note: preprocessor will pad if necessary to fill the last iMCU row. */
  158177. if (writing) {
  158178. (*cinfo->prep->pre_process_data) (cinfo,
  158179. input_buf, in_row_ctr, in_rows_avail,
  158180. main->buffer, &main->rowgroup_ctr,
  158181. (JDIMENSION) DCTSIZE);
  158182. /* Return to application if we need more data to fill the iMCU row. */
  158183. if (main->rowgroup_ctr < DCTSIZE)
  158184. return;
  158185. }
  158186. /* Emit data, unless this is a sink-only pass. */
  158187. if (main->pass_mode != JBUF_SAVE_SOURCE) {
  158188. if (! (*cinfo->coef->compress_data) (cinfo, main->buffer)) {
  158189. /* If compressor did not consume the whole row, then we must need to
  158190. * suspend processing and return to the application. In this situation
  158191. * we pretend we didn't yet consume the last input row; otherwise, if
  158192. * it happened to be the last row of the image, the application would
  158193. * think we were done.
  158194. */
  158195. if (! main->suspended) {
  158196. (*in_row_ctr)--;
  158197. main->suspended = TRUE;
  158198. }
  158199. return;
  158200. }
  158201. /* We did finish the row. Undo our little suspension hack if a previous
  158202. * call suspended; then mark the main buffer empty.
  158203. */
  158204. if (main->suspended) {
  158205. (*in_row_ctr)++;
  158206. main->suspended = FALSE;
  158207. }
  158208. }
  158209. /* If get here, we are done with this iMCU row. Mark buffer empty. */
  158210. main->rowgroup_ctr = 0;
  158211. main->cur_iMCU_row++;
  158212. }
  158213. }
  158214. #endif /* FULL_MAIN_BUFFER_SUPPORTED */
  158215. /*
  158216. * Initialize main buffer controller.
  158217. */
  158218. GLOBAL(void)
  158219. jinit_c_main_controller (j_compress_ptr cinfo, boolean need_full_buffer)
  158220. {
  158221. my_main_ptr main_;
  158222. int ci;
  158223. jpeg_component_info *compptr;
  158224. main_ = (my_main_ptr)
  158225. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  158226. SIZEOF(my_main_controller));
  158227. cinfo->main = (struct jpeg_c_main_controller *) main_;
  158228. main_->pub.start_pass = start_pass_main;
  158229. /* We don't need to create a buffer in raw-data mode. */
  158230. if (cinfo->raw_data_in)
  158231. return;
  158232. /* Create the buffer. It holds downsampled data, so each component
  158233. * may be of a different size.
  158234. */
  158235. if (need_full_buffer) {
  158236. #ifdef FULL_MAIN_BUFFER_SUPPORTED
  158237. /* Allocate a full-image virtual array for each component */
  158238. /* Note we pad the bottom to a multiple of the iMCU height */
  158239. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  158240. ci++, compptr++) {
  158241. main->whole_image[ci] = (*cinfo->mem->request_virt_sarray)
  158242. ((j_common_ptr) cinfo, JPOOL_IMAGE, FALSE,
  158243. compptr->width_in_blocks * DCTSIZE,
  158244. (JDIMENSION) jround_up((long) compptr->height_in_blocks,
  158245. (long) compptr->v_samp_factor) * DCTSIZE,
  158246. (JDIMENSION) (compptr->v_samp_factor * DCTSIZE));
  158247. }
  158248. #else
  158249. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  158250. #endif
  158251. } else {
  158252. #ifdef FULL_MAIN_BUFFER_SUPPORTED
  158253. main_->whole_image[0] = NULL; /* flag for no virtual arrays */
  158254. #endif
  158255. /* Allocate a strip buffer for each component */
  158256. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  158257. ci++, compptr++) {
  158258. main_->buffer[ci] = (*cinfo->mem->alloc_sarray)
  158259. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  158260. compptr->width_in_blocks * DCTSIZE,
  158261. (JDIMENSION) (compptr->v_samp_factor * DCTSIZE));
  158262. }
  158263. }
  158264. }
  158265. /********* End of inlined file: jcmainct.c *********/
  158266. /********* Start of inlined file: jcmarker.c *********/
  158267. #define JPEG_INTERNALS
  158268. /* Private state */
  158269. typedef struct {
  158270. struct jpeg_marker_writer pub; /* public fields */
  158271. unsigned int last_restart_interval; /* last DRI value emitted; 0 after SOI */
  158272. } my_marker_writer;
  158273. typedef my_marker_writer * my_marker_ptr;
  158274. /*
  158275. * Basic output routines.
  158276. *
  158277. * Note that we do not support suspension while writing a marker.
  158278. * Therefore, an application using suspension must ensure that there is
  158279. * enough buffer space for the initial markers (typ. 600-700 bytes) before
  158280. * calling jpeg_start_compress, and enough space to write the trailing EOI
  158281. * (a few bytes) before calling jpeg_finish_compress. Multipass compression
  158282. * modes are not supported at all with suspension, so those two are the only
  158283. * points where markers will be written.
  158284. */
  158285. LOCAL(void)
  158286. emit_byte (j_compress_ptr cinfo, int val)
  158287. /* Emit a byte */
  158288. {
  158289. struct jpeg_destination_mgr * dest = cinfo->dest;
  158290. *(dest->next_output_byte)++ = (JOCTET) val;
  158291. if (--dest->free_in_buffer == 0) {
  158292. if (! (*dest->empty_output_buffer) (cinfo))
  158293. ERREXIT(cinfo, JERR_CANT_SUSPEND);
  158294. }
  158295. }
  158296. LOCAL(void)
  158297. emit_marker (j_compress_ptr cinfo, JPEG_MARKER mark)
  158298. /* Emit a marker code */
  158299. {
  158300. emit_byte(cinfo, 0xFF);
  158301. emit_byte(cinfo, (int) mark);
  158302. }
  158303. LOCAL(void)
  158304. emit_2bytes (j_compress_ptr cinfo, int value)
  158305. /* Emit a 2-byte integer; these are always MSB first in JPEG files */
  158306. {
  158307. emit_byte(cinfo, (value >> 8) & 0xFF);
  158308. emit_byte(cinfo, value & 0xFF);
  158309. }
  158310. /*
  158311. * Routines to write specific marker types.
  158312. */
  158313. LOCAL(int)
  158314. emit_dqt (j_compress_ptr cinfo, int index)
  158315. /* Emit a DQT marker */
  158316. /* Returns the precision used (0 = 8bits, 1 = 16bits) for baseline checking */
  158317. {
  158318. JQUANT_TBL * qtbl = cinfo->quant_tbl_ptrs[index];
  158319. int prec;
  158320. int i;
  158321. if (qtbl == NULL)
  158322. ERREXIT1(cinfo, JERR_NO_QUANT_TABLE, index);
  158323. prec = 0;
  158324. for (i = 0; i < DCTSIZE2; i++) {
  158325. if (qtbl->quantval[i] > 255)
  158326. prec = 1;
  158327. }
  158328. if (! qtbl->sent_table) {
  158329. emit_marker(cinfo, M_DQT);
  158330. emit_2bytes(cinfo, prec ? DCTSIZE2*2 + 1 + 2 : DCTSIZE2 + 1 + 2);
  158331. emit_byte(cinfo, index + (prec<<4));
  158332. for (i = 0; i < DCTSIZE2; i++) {
  158333. /* The table entries must be emitted in zigzag order. */
  158334. unsigned int qval = qtbl->quantval[jpeg_natural_order[i]];
  158335. if (prec)
  158336. emit_byte(cinfo, (int) (qval >> 8));
  158337. emit_byte(cinfo, (int) (qval & 0xFF));
  158338. }
  158339. qtbl->sent_table = TRUE;
  158340. }
  158341. return prec;
  158342. }
  158343. LOCAL(void)
  158344. emit_dht (j_compress_ptr cinfo, int index, boolean is_ac)
  158345. /* Emit a DHT marker */
  158346. {
  158347. JHUFF_TBL * htbl;
  158348. int length, i;
  158349. if (is_ac) {
  158350. htbl = cinfo->ac_huff_tbl_ptrs[index];
  158351. index += 0x10; /* output index has AC bit set */
  158352. } else {
  158353. htbl = cinfo->dc_huff_tbl_ptrs[index];
  158354. }
  158355. if (htbl == NULL)
  158356. ERREXIT1(cinfo, JERR_NO_HUFF_TABLE, index);
  158357. if (! htbl->sent_table) {
  158358. emit_marker(cinfo, M_DHT);
  158359. length = 0;
  158360. for (i = 1; i <= 16; i++)
  158361. length += htbl->bits[i];
  158362. emit_2bytes(cinfo, length + 2 + 1 + 16);
  158363. emit_byte(cinfo, index);
  158364. for (i = 1; i <= 16; i++)
  158365. emit_byte(cinfo, htbl->bits[i]);
  158366. for (i = 0; i < length; i++)
  158367. emit_byte(cinfo, htbl->huffval[i]);
  158368. htbl->sent_table = TRUE;
  158369. }
  158370. }
  158371. LOCAL(void)
  158372. emit_dac (j_compress_ptr cinfo)
  158373. /* Emit a DAC marker */
  158374. /* Since the useful info is so small, we want to emit all the tables in */
  158375. /* one DAC marker. Therefore this routine does its own scan of the table. */
  158376. {
  158377. #ifdef C_ARITH_CODING_SUPPORTED
  158378. char dc_in_use[NUM_ARITH_TBLS];
  158379. char ac_in_use[NUM_ARITH_TBLS];
  158380. int length, i;
  158381. jpeg_component_info *compptr;
  158382. for (i = 0; i < NUM_ARITH_TBLS; i++)
  158383. dc_in_use[i] = ac_in_use[i] = 0;
  158384. for (i = 0; i < cinfo->comps_in_scan; i++) {
  158385. compptr = cinfo->cur_comp_info[i];
  158386. dc_in_use[compptr->dc_tbl_no] = 1;
  158387. ac_in_use[compptr->ac_tbl_no] = 1;
  158388. }
  158389. length = 0;
  158390. for (i = 0; i < NUM_ARITH_TBLS; i++)
  158391. length += dc_in_use[i] + ac_in_use[i];
  158392. emit_marker(cinfo, M_DAC);
  158393. emit_2bytes(cinfo, length*2 + 2);
  158394. for (i = 0; i < NUM_ARITH_TBLS; i++) {
  158395. if (dc_in_use[i]) {
  158396. emit_byte(cinfo, i);
  158397. emit_byte(cinfo, cinfo->arith_dc_L[i] + (cinfo->arith_dc_U[i]<<4));
  158398. }
  158399. if (ac_in_use[i]) {
  158400. emit_byte(cinfo, i + 0x10);
  158401. emit_byte(cinfo, cinfo->arith_ac_K[i]);
  158402. }
  158403. }
  158404. #endif /* C_ARITH_CODING_SUPPORTED */
  158405. }
  158406. LOCAL(void)
  158407. emit_dri (j_compress_ptr cinfo)
  158408. /* Emit a DRI marker */
  158409. {
  158410. emit_marker(cinfo, M_DRI);
  158411. emit_2bytes(cinfo, 4); /* fixed length */
  158412. emit_2bytes(cinfo, (int) cinfo->restart_interval);
  158413. }
  158414. LOCAL(void)
  158415. emit_sof (j_compress_ptr cinfo, JPEG_MARKER code)
  158416. /* Emit a SOF marker */
  158417. {
  158418. int ci;
  158419. jpeg_component_info *compptr;
  158420. emit_marker(cinfo, code);
  158421. emit_2bytes(cinfo, 3 * cinfo->num_components + 2 + 5 + 1); /* length */
  158422. /* Make sure image isn't bigger than SOF field can handle */
  158423. if ((long) cinfo->image_height > 65535L ||
  158424. (long) cinfo->image_width > 65535L)
  158425. ERREXIT1(cinfo, JERR_IMAGE_TOO_BIG, (unsigned int) 65535);
  158426. emit_byte(cinfo, cinfo->data_precision);
  158427. emit_2bytes(cinfo, (int) cinfo->image_height);
  158428. emit_2bytes(cinfo, (int) cinfo->image_width);
  158429. emit_byte(cinfo, cinfo->num_components);
  158430. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  158431. ci++, compptr++) {
  158432. emit_byte(cinfo, compptr->component_id);
  158433. emit_byte(cinfo, (compptr->h_samp_factor << 4) + compptr->v_samp_factor);
  158434. emit_byte(cinfo, compptr->quant_tbl_no);
  158435. }
  158436. }
  158437. LOCAL(void)
  158438. emit_sos (j_compress_ptr cinfo)
  158439. /* Emit a SOS marker */
  158440. {
  158441. int i, td, ta;
  158442. jpeg_component_info *compptr;
  158443. emit_marker(cinfo, M_SOS);
  158444. emit_2bytes(cinfo, 2 * cinfo->comps_in_scan + 2 + 1 + 3); /* length */
  158445. emit_byte(cinfo, cinfo->comps_in_scan);
  158446. for (i = 0; i < cinfo->comps_in_scan; i++) {
  158447. compptr = cinfo->cur_comp_info[i];
  158448. emit_byte(cinfo, compptr->component_id);
  158449. td = compptr->dc_tbl_no;
  158450. ta = compptr->ac_tbl_no;
  158451. if (cinfo->progressive_mode) {
  158452. /* Progressive mode: only DC or only AC tables are used in one scan;
  158453. * furthermore, Huffman coding of DC refinement uses no table at all.
  158454. * We emit 0 for unused field(s); this is recommended by the P&M text
  158455. * but does not seem to be specified in the standard.
  158456. */
  158457. if (cinfo->Ss == 0) {
  158458. ta = 0; /* DC scan */
  158459. if (cinfo->Ah != 0 && !cinfo->arith_code)
  158460. td = 0; /* no DC table either */
  158461. } else {
  158462. td = 0; /* AC scan */
  158463. }
  158464. }
  158465. emit_byte(cinfo, (td << 4) + ta);
  158466. }
  158467. emit_byte(cinfo, cinfo->Ss);
  158468. emit_byte(cinfo, cinfo->Se);
  158469. emit_byte(cinfo, (cinfo->Ah << 4) + cinfo->Al);
  158470. }
  158471. LOCAL(void)
  158472. emit_jfif_app0 (j_compress_ptr cinfo)
  158473. /* Emit a JFIF-compliant APP0 marker */
  158474. {
  158475. /*
  158476. * Length of APP0 block (2 bytes)
  158477. * Block ID (4 bytes - ASCII "JFIF")
  158478. * Zero byte (1 byte to terminate the ID string)
  158479. * Version Major, Minor (2 bytes - major first)
  158480. * Units (1 byte - 0x00 = none, 0x01 = inch, 0x02 = cm)
  158481. * Xdpu (2 bytes - dots per unit horizontal)
  158482. * Ydpu (2 bytes - dots per unit vertical)
  158483. * Thumbnail X size (1 byte)
  158484. * Thumbnail Y size (1 byte)
  158485. */
  158486. emit_marker(cinfo, M_APP0);
  158487. emit_2bytes(cinfo, 2 + 4 + 1 + 2 + 1 + 2 + 2 + 1 + 1); /* length */
  158488. emit_byte(cinfo, 0x4A); /* Identifier: ASCII "JFIF" */
  158489. emit_byte(cinfo, 0x46);
  158490. emit_byte(cinfo, 0x49);
  158491. emit_byte(cinfo, 0x46);
  158492. emit_byte(cinfo, 0);
  158493. emit_byte(cinfo, cinfo->JFIF_major_version); /* Version fields */
  158494. emit_byte(cinfo, cinfo->JFIF_minor_version);
  158495. emit_byte(cinfo, cinfo->density_unit); /* Pixel size information */
  158496. emit_2bytes(cinfo, (int) cinfo->X_density);
  158497. emit_2bytes(cinfo, (int) cinfo->Y_density);
  158498. emit_byte(cinfo, 0); /* No thumbnail image */
  158499. emit_byte(cinfo, 0);
  158500. }
  158501. LOCAL(void)
  158502. emit_adobe_app14 (j_compress_ptr cinfo)
  158503. /* Emit an Adobe APP14 marker */
  158504. {
  158505. /*
  158506. * Length of APP14 block (2 bytes)
  158507. * Block ID (5 bytes - ASCII "Adobe")
  158508. * Version Number (2 bytes - currently 100)
  158509. * Flags0 (2 bytes - currently 0)
  158510. * Flags1 (2 bytes - currently 0)
  158511. * Color transform (1 byte)
  158512. *
  158513. * Although Adobe TN 5116 mentions Version = 101, all the Adobe files
  158514. * now in circulation seem to use Version = 100, so that's what we write.
  158515. *
  158516. * We write the color transform byte as 1 if the JPEG color space is
  158517. * YCbCr, 2 if it's YCCK, 0 otherwise. Adobe's definition has to do with
  158518. * whether the encoder performed a transformation, which is pretty useless.
  158519. */
  158520. emit_marker(cinfo, M_APP14);
  158521. emit_2bytes(cinfo, 2 + 5 + 2 + 2 + 2 + 1); /* length */
  158522. emit_byte(cinfo, 0x41); /* Identifier: ASCII "Adobe" */
  158523. emit_byte(cinfo, 0x64);
  158524. emit_byte(cinfo, 0x6F);
  158525. emit_byte(cinfo, 0x62);
  158526. emit_byte(cinfo, 0x65);
  158527. emit_2bytes(cinfo, 100); /* Version */
  158528. emit_2bytes(cinfo, 0); /* Flags0 */
  158529. emit_2bytes(cinfo, 0); /* Flags1 */
  158530. switch (cinfo->jpeg_color_space) {
  158531. case JCS_YCbCr:
  158532. emit_byte(cinfo, 1); /* Color transform = 1 */
  158533. break;
  158534. case JCS_YCCK:
  158535. emit_byte(cinfo, 2); /* Color transform = 2 */
  158536. break;
  158537. default:
  158538. emit_byte(cinfo, 0); /* Color transform = 0 */
  158539. break;
  158540. }
  158541. }
  158542. /*
  158543. * These routines allow writing an arbitrary marker with parameters.
  158544. * The only intended use is to emit COM or APPn markers after calling
  158545. * write_file_header and before calling write_frame_header.
  158546. * Other uses are not guaranteed to produce desirable results.
  158547. * Counting the parameter bytes properly is the caller's responsibility.
  158548. */
  158549. METHODDEF(void)
  158550. write_marker_header (j_compress_ptr cinfo, int marker, unsigned int datalen)
  158551. /* Emit an arbitrary marker header */
  158552. {
  158553. if (datalen > (unsigned int) 65533) /* safety check */
  158554. ERREXIT(cinfo, JERR_BAD_LENGTH);
  158555. emit_marker(cinfo, (JPEG_MARKER) marker);
  158556. emit_2bytes(cinfo, (int) (datalen + 2)); /* total length */
  158557. }
  158558. METHODDEF(void)
  158559. write_marker_byte (j_compress_ptr cinfo, int val)
  158560. /* Emit one byte of marker parameters following write_marker_header */
  158561. {
  158562. emit_byte(cinfo, val);
  158563. }
  158564. /*
  158565. * Write datastream header.
  158566. * This consists of an SOI and optional APPn markers.
  158567. * We recommend use of the JFIF marker, but not the Adobe marker,
  158568. * when using YCbCr or grayscale data. The JFIF marker should NOT
  158569. * be used for any other JPEG colorspace. The Adobe marker is helpful
  158570. * to distinguish RGB, CMYK, and YCCK colorspaces.
  158571. * Note that an application can write additional header markers after
  158572. * jpeg_start_compress returns.
  158573. */
  158574. METHODDEF(void)
  158575. write_file_header (j_compress_ptr cinfo)
  158576. {
  158577. my_marker_ptr marker = (my_marker_ptr) cinfo->marker;
  158578. emit_marker(cinfo, M_SOI); /* first the SOI */
  158579. /* SOI is defined to reset restart interval to 0 */
  158580. marker->last_restart_interval = 0;
  158581. if (cinfo->write_JFIF_header) /* next an optional JFIF APP0 */
  158582. emit_jfif_app0(cinfo);
  158583. if (cinfo->write_Adobe_marker) /* next an optional Adobe APP14 */
  158584. emit_adobe_app14(cinfo);
  158585. }
  158586. /*
  158587. * Write frame header.
  158588. * This consists of DQT and SOFn markers.
  158589. * Note that we do not emit the SOF until we have emitted the DQT(s).
  158590. * This avoids compatibility problems with incorrect implementations that
  158591. * try to error-check the quant table numbers as soon as they see the SOF.
  158592. */
  158593. METHODDEF(void)
  158594. write_frame_header (j_compress_ptr cinfo)
  158595. {
  158596. int ci, prec;
  158597. boolean is_baseline;
  158598. jpeg_component_info *compptr;
  158599. /* Emit DQT for each quantization table.
  158600. * Note that emit_dqt() suppresses any duplicate tables.
  158601. */
  158602. prec = 0;
  158603. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  158604. ci++, compptr++) {
  158605. prec += emit_dqt(cinfo, compptr->quant_tbl_no);
  158606. }
  158607. /* now prec is nonzero iff there are any 16-bit quant tables. */
  158608. /* Check for a non-baseline specification.
  158609. * Note we assume that Huffman table numbers won't be changed later.
  158610. */
  158611. if (cinfo->arith_code || cinfo->progressive_mode ||
  158612. cinfo->data_precision != 8) {
  158613. is_baseline = FALSE;
  158614. } else {
  158615. is_baseline = TRUE;
  158616. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  158617. ci++, compptr++) {
  158618. if (compptr->dc_tbl_no > 1 || compptr->ac_tbl_no > 1)
  158619. is_baseline = FALSE;
  158620. }
  158621. if (prec && is_baseline) {
  158622. is_baseline = FALSE;
  158623. /* If it's baseline except for quantizer size, warn the user */
  158624. TRACEMS(cinfo, 0, JTRC_16BIT_TABLES);
  158625. }
  158626. }
  158627. /* Emit the proper SOF marker */
  158628. if (cinfo->arith_code) {
  158629. emit_sof(cinfo, M_SOF9); /* SOF code for arithmetic coding */
  158630. } else {
  158631. if (cinfo->progressive_mode)
  158632. emit_sof(cinfo, M_SOF2); /* SOF code for progressive Huffman */
  158633. else if (is_baseline)
  158634. emit_sof(cinfo, M_SOF0); /* SOF code for baseline implementation */
  158635. else
  158636. emit_sof(cinfo, M_SOF1); /* SOF code for non-baseline Huffman file */
  158637. }
  158638. }
  158639. /*
  158640. * Write scan header.
  158641. * This consists of DHT or DAC markers, optional DRI, and SOS.
  158642. * Compressed data will be written following the SOS.
  158643. */
  158644. METHODDEF(void)
  158645. write_scan_header (j_compress_ptr cinfo)
  158646. {
  158647. my_marker_ptr marker = (my_marker_ptr) cinfo->marker;
  158648. int i;
  158649. jpeg_component_info *compptr;
  158650. if (cinfo->arith_code) {
  158651. /* Emit arith conditioning info. We may have some duplication
  158652. * if the file has multiple scans, but it's so small it's hardly
  158653. * worth worrying about.
  158654. */
  158655. emit_dac(cinfo);
  158656. } else {
  158657. /* Emit Huffman tables.
  158658. * Note that emit_dht() suppresses any duplicate tables.
  158659. */
  158660. for (i = 0; i < cinfo->comps_in_scan; i++) {
  158661. compptr = cinfo->cur_comp_info[i];
  158662. if (cinfo->progressive_mode) {
  158663. /* Progressive mode: only DC or only AC tables are used in one scan */
  158664. if (cinfo->Ss == 0) {
  158665. if (cinfo->Ah == 0) /* DC needs no table for refinement scan */
  158666. emit_dht(cinfo, compptr->dc_tbl_no, FALSE);
  158667. } else {
  158668. emit_dht(cinfo, compptr->ac_tbl_no, TRUE);
  158669. }
  158670. } else {
  158671. /* Sequential mode: need both DC and AC tables */
  158672. emit_dht(cinfo, compptr->dc_tbl_no, FALSE);
  158673. emit_dht(cinfo, compptr->ac_tbl_no, TRUE);
  158674. }
  158675. }
  158676. }
  158677. /* Emit DRI if required --- note that DRI value could change for each scan.
  158678. * We avoid wasting space with unnecessary DRIs, however.
  158679. */
  158680. if (cinfo->restart_interval != marker->last_restart_interval) {
  158681. emit_dri(cinfo);
  158682. marker->last_restart_interval = cinfo->restart_interval;
  158683. }
  158684. emit_sos(cinfo);
  158685. }
  158686. /*
  158687. * Write datastream trailer.
  158688. */
  158689. METHODDEF(void)
  158690. write_file_trailer (j_compress_ptr cinfo)
  158691. {
  158692. emit_marker(cinfo, M_EOI);
  158693. }
  158694. /*
  158695. * Write an abbreviated table-specification datastream.
  158696. * This consists of SOI, DQT and DHT tables, and EOI.
  158697. * Any table that is defined and not marked sent_table = TRUE will be
  158698. * emitted. Note that all tables will be marked sent_table = TRUE at exit.
  158699. */
  158700. METHODDEF(void)
  158701. write_tables_only (j_compress_ptr cinfo)
  158702. {
  158703. int i;
  158704. emit_marker(cinfo, M_SOI);
  158705. for (i = 0; i < NUM_QUANT_TBLS; i++) {
  158706. if (cinfo->quant_tbl_ptrs[i] != NULL)
  158707. (void) emit_dqt(cinfo, i);
  158708. }
  158709. if (! cinfo->arith_code) {
  158710. for (i = 0; i < NUM_HUFF_TBLS; i++) {
  158711. if (cinfo->dc_huff_tbl_ptrs[i] != NULL)
  158712. emit_dht(cinfo, i, FALSE);
  158713. if (cinfo->ac_huff_tbl_ptrs[i] != NULL)
  158714. emit_dht(cinfo, i, TRUE);
  158715. }
  158716. }
  158717. emit_marker(cinfo, M_EOI);
  158718. }
  158719. /*
  158720. * Initialize the marker writer module.
  158721. */
  158722. GLOBAL(void)
  158723. jinit_marker_writer (j_compress_ptr cinfo)
  158724. {
  158725. my_marker_ptr marker;
  158726. /* Create the subobject */
  158727. marker = (my_marker_ptr)
  158728. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  158729. SIZEOF(my_marker_writer));
  158730. cinfo->marker = (struct jpeg_marker_writer *) marker;
  158731. /* Initialize method pointers */
  158732. marker->pub.write_file_header = write_file_header;
  158733. marker->pub.write_frame_header = write_frame_header;
  158734. marker->pub.write_scan_header = write_scan_header;
  158735. marker->pub.write_file_trailer = write_file_trailer;
  158736. marker->pub.write_tables_only = write_tables_only;
  158737. marker->pub.write_marker_header = write_marker_header;
  158738. marker->pub.write_marker_byte = write_marker_byte;
  158739. /* Initialize private state */
  158740. marker->last_restart_interval = 0;
  158741. }
  158742. /********* End of inlined file: jcmarker.c *********/
  158743. /********* Start of inlined file: jcmaster.c *********/
  158744. #define JPEG_INTERNALS
  158745. /* Private state */
  158746. typedef enum {
  158747. main_pass, /* input data, also do first output step */
  158748. huff_opt_pass, /* Huffman code optimization pass */
  158749. output_pass /* data output pass */
  158750. } c_pass_type;
  158751. typedef struct {
  158752. struct jpeg_comp_master pub; /* public fields */
  158753. c_pass_type pass_type; /* the type of the current pass */
  158754. int pass_number; /* # of passes completed */
  158755. int total_passes; /* total # of passes needed */
  158756. int scan_number; /* current index in scan_info[] */
  158757. } my_comp_master;
  158758. typedef my_comp_master * my_master_ptr;
  158759. /*
  158760. * Support routines that do various essential calculations.
  158761. */
  158762. LOCAL(void)
  158763. initial_setup (j_compress_ptr cinfo)
  158764. /* Do computations that are needed before master selection phase */
  158765. {
  158766. int ci;
  158767. jpeg_component_info *compptr;
  158768. long samplesperrow;
  158769. JDIMENSION jd_samplesperrow;
  158770. /* Sanity check on image dimensions */
  158771. if (cinfo->image_height <= 0 || cinfo->image_width <= 0
  158772. || cinfo->num_components <= 0 || cinfo->input_components <= 0)
  158773. ERREXIT(cinfo, JERR_EMPTY_IMAGE);
  158774. /* Make sure image isn't bigger than I can handle */
  158775. if ((long) cinfo->image_height > (long) JPEG_MAX_DIMENSION ||
  158776. (long) cinfo->image_width > (long) JPEG_MAX_DIMENSION)
  158777. ERREXIT1(cinfo, JERR_IMAGE_TOO_BIG, (unsigned int) JPEG_MAX_DIMENSION);
  158778. /* Width of an input scanline must be representable as JDIMENSION. */
  158779. samplesperrow = (long) cinfo->image_width * (long) cinfo->input_components;
  158780. jd_samplesperrow = (JDIMENSION) samplesperrow;
  158781. if ((long) jd_samplesperrow != samplesperrow)
  158782. ERREXIT(cinfo, JERR_WIDTH_OVERFLOW);
  158783. /* For now, precision must match compiled-in value... */
  158784. if (cinfo->data_precision != BITS_IN_JSAMPLE)
  158785. ERREXIT1(cinfo, JERR_BAD_PRECISION, cinfo->data_precision);
  158786. /* Check that number of components won't exceed internal array sizes */
  158787. if (cinfo->num_components > MAX_COMPONENTS)
  158788. ERREXIT2(cinfo, JERR_COMPONENT_COUNT, cinfo->num_components,
  158789. MAX_COMPONENTS);
  158790. /* Compute maximum sampling factors; check factor validity */
  158791. cinfo->max_h_samp_factor = 1;
  158792. cinfo->max_v_samp_factor = 1;
  158793. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  158794. ci++, compptr++) {
  158795. if (compptr->h_samp_factor<=0 || compptr->h_samp_factor>MAX_SAMP_FACTOR ||
  158796. compptr->v_samp_factor<=0 || compptr->v_samp_factor>MAX_SAMP_FACTOR)
  158797. ERREXIT(cinfo, JERR_BAD_SAMPLING);
  158798. cinfo->max_h_samp_factor = MAX(cinfo->max_h_samp_factor,
  158799. compptr->h_samp_factor);
  158800. cinfo->max_v_samp_factor = MAX(cinfo->max_v_samp_factor,
  158801. compptr->v_samp_factor);
  158802. }
  158803. /* Compute dimensions of components */
  158804. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  158805. ci++, compptr++) {
  158806. /* Fill in the correct component_index value; don't rely on application */
  158807. compptr->component_index = ci;
  158808. /* For compression, we never do DCT scaling. */
  158809. compptr->DCT_scaled_size = DCTSIZE;
  158810. /* Size in DCT blocks */
  158811. compptr->width_in_blocks = (JDIMENSION)
  158812. jdiv_round_up((long) cinfo->image_width * (long) compptr->h_samp_factor,
  158813. (long) (cinfo->max_h_samp_factor * DCTSIZE));
  158814. compptr->height_in_blocks = (JDIMENSION)
  158815. jdiv_round_up((long) cinfo->image_height * (long) compptr->v_samp_factor,
  158816. (long) (cinfo->max_v_samp_factor * DCTSIZE));
  158817. /* Size in samples */
  158818. compptr->downsampled_width = (JDIMENSION)
  158819. jdiv_round_up((long) cinfo->image_width * (long) compptr->h_samp_factor,
  158820. (long) cinfo->max_h_samp_factor);
  158821. compptr->downsampled_height = (JDIMENSION)
  158822. jdiv_round_up((long) cinfo->image_height * (long) compptr->v_samp_factor,
  158823. (long) cinfo->max_v_samp_factor);
  158824. /* Mark component needed (this flag isn't actually used for compression) */
  158825. compptr->component_needed = TRUE;
  158826. }
  158827. /* Compute number of fully interleaved MCU rows (number of times that
  158828. * main controller will call coefficient controller).
  158829. */
  158830. cinfo->total_iMCU_rows = (JDIMENSION)
  158831. jdiv_round_up((long) cinfo->image_height,
  158832. (long) (cinfo->max_v_samp_factor*DCTSIZE));
  158833. }
  158834. #ifdef C_MULTISCAN_FILES_SUPPORTED
  158835. LOCAL(void)
  158836. validate_script (j_compress_ptr cinfo)
  158837. /* Verify that the scan script in cinfo->scan_info[] is valid; also
  158838. * determine whether it uses progressive JPEG, and set cinfo->progressive_mode.
  158839. */
  158840. {
  158841. const jpeg_scan_info * scanptr;
  158842. int scanno, ncomps, ci, coefi, thisi;
  158843. int Ss, Se, Ah, Al;
  158844. boolean component_sent[MAX_COMPONENTS];
  158845. #ifdef C_PROGRESSIVE_SUPPORTED
  158846. int * last_bitpos_ptr;
  158847. int last_bitpos[MAX_COMPONENTS][DCTSIZE2];
  158848. /* -1 until that coefficient has been seen; then last Al for it */
  158849. #endif
  158850. if (cinfo->num_scans <= 0)
  158851. ERREXIT1(cinfo, JERR_BAD_SCAN_SCRIPT, 0);
  158852. /* For sequential JPEG, all scans must have Ss=0, Se=DCTSIZE2-1;
  158853. * for progressive JPEG, no scan can have this.
  158854. */
  158855. scanptr = cinfo->scan_info;
  158856. if (scanptr->Ss != 0 || scanptr->Se != DCTSIZE2-1) {
  158857. #ifdef C_PROGRESSIVE_SUPPORTED
  158858. cinfo->progressive_mode = TRUE;
  158859. last_bitpos_ptr = & last_bitpos[0][0];
  158860. for (ci = 0; ci < cinfo->num_components; ci++)
  158861. for (coefi = 0; coefi < DCTSIZE2; coefi++)
  158862. *last_bitpos_ptr++ = -1;
  158863. #else
  158864. ERREXIT(cinfo, JERR_NOT_COMPILED);
  158865. #endif
  158866. } else {
  158867. cinfo->progressive_mode = FALSE;
  158868. for (ci = 0; ci < cinfo->num_components; ci++)
  158869. component_sent[ci] = FALSE;
  158870. }
  158871. for (scanno = 1; scanno <= cinfo->num_scans; scanptr++, scanno++) {
  158872. /* Validate component indexes */
  158873. ncomps = scanptr->comps_in_scan;
  158874. if (ncomps <= 0 || ncomps > MAX_COMPS_IN_SCAN)
  158875. ERREXIT2(cinfo, JERR_COMPONENT_COUNT, ncomps, MAX_COMPS_IN_SCAN);
  158876. for (ci = 0; ci < ncomps; ci++) {
  158877. thisi = scanptr->component_index[ci];
  158878. if (thisi < 0 || thisi >= cinfo->num_components)
  158879. ERREXIT1(cinfo, JERR_BAD_SCAN_SCRIPT, scanno);
  158880. /* Components must appear in SOF order within each scan */
  158881. if (ci > 0 && thisi <= scanptr->component_index[ci-1])
  158882. ERREXIT1(cinfo, JERR_BAD_SCAN_SCRIPT, scanno);
  158883. }
  158884. /* Validate progression parameters */
  158885. Ss = scanptr->Ss;
  158886. Se = scanptr->Se;
  158887. Ah = scanptr->Ah;
  158888. Al = scanptr->Al;
  158889. if (cinfo->progressive_mode) {
  158890. #ifdef C_PROGRESSIVE_SUPPORTED
  158891. /* The JPEG spec simply gives the ranges 0..13 for Ah and Al, but that
  158892. * seems wrong: the upper bound ought to depend on data precision.
  158893. * Perhaps they really meant 0..N+1 for N-bit precision.
  158894. * Here we allow 0..10 for 8-bit data; Al larger than 10 results in
  158895. * out-of-range reconstructed DC values during the first DC scan,
  158896. * which might cause problems for some decoders.
  158897. */
  158898. #if BITS_IN_JSAMPLE == 8
  158899. #define MAX_AH_AL 10
  158900. #else
  158901. #define MAX_AH_AL 13
  158902. #endif
  158903. if (Ss < 0 || Ss >= DCTSIZE2 || Se < Ss || Se >= DCTSIZE2 ||
  158904. Ah < 0 || Ah > MAX_AH_AL || Al < 0 || Al > MAX_AH_AL)
  158905. ERREXIT1(cinfo, JERR_BAD_PROG_SCRIPT, scanno);
  158906. if (Ss == 0) {
  158907. if (Se != 0) /* DC and AC together not OK */
  158908. ERREXIT1(cinfo, JERR_BAD_PROG_SCRIPT, scanno);
  158909. } else {
  158910. if (ncomps != 1) /* AC scans must be for only one component */
  158911. ERREXIT1(cinfo, JERR_BAD_PROG_SCRIPT, scanno);
  158912. }
  158913. for (ci = 0; ci < ncomps; ci++) {
  158914. last_bitpos_ptr = & last_bitpos[scanptr->component_index[ci]][0];
  158915. if (Ss != 0 && last_bitpos_ptr[0] < 0) /* AC without prior DC scan */
  158916. ERREXIT1(cinfo, JERR_BAD_PROG_SCRIPT, scanno);
  158917. for (coefi = Ss; coefi <= Se; coefi++) {
  158918. if (last_bitpos_ptr[coefi] < 0) {
  158919. /* first scan of this coefficient */
  158920. if (Ah != 0)
  158921. ERREXIT1(cinfo, JERR_BAD_PROG_SCRIPT, scanno);
  158922. } else {
  158923. /* not first scan */
  158924. if (Ah != last_bitpos_ptr[coefi] || Al != Ah-1)
  158925. ERREXIT1(cinfo, JERR_BAD_PROG_SCRIPT, scanno);
  158926. }
  158927. last_bitpos_ptr[coefi] = Al;
  158928. }
  158929. }
  158930. #endif
  158931. } else {
  158932. /* For sequential JPEG, all progression parameters must be these: */
  158933. if (Ss != 0 || Se != DCTSIZE2-1 || Ah != 0 || Al != 0)
  158934. ERREXIT1(cinfo, JERR_BAD_PROG_SCRIPT, scanno);
  158935. /* Make sure components are not sent twice */
  158936. for (ci = 0; ci < ncomps; ci++) {
  158937. thisi = scanptr->component_index[ci];
  158938. if (component_sent[thisi])
  158939. ERREXIT1(cinfo, JERR_BAD_SCAN_SCRIPT, scanno);
  158940. component_sent[thisi] = TRUE;
  158941. }
  158942. }
  158943. }
  158944. /* Now verify that everything got sent. */
  158945. if (cinfo->progressive_mode) {
  158946. #ifdef C_PROGRESSIVE_SUPPORTED
  158947. /* For progressive mode, we only check that at least some DC data
  158948. * got sent for each component; the spec does not require that all bits
  158949. * of all coefficients be transmitted. Would it be wiser to enforce
  158950. * transmission of all coefficient bits??
  158951. */
  158952. for (ci = 0; ci < cinfo->num_components; ci++) {
  158953. if (last_bitpos[ci][0] < 0)
  158954. ERREXIT(cinfo, JERR_MISSING_DATA);
  158955. }
  158956. #endif
  158957. } else {
  158958. for (ci = 0; ci < cinfo->num_components; ci++) {
  158959. if (! component_sent[ci])
  158960. ERREXIT(cinfo, JERR_MISSING_DATA);
  158961. }
  158962. }
  158963. }
  158964. #endif /* C_MULTISCAN_FILES_SUPPORTED */
  158965. LOCAL(void)
  158966. select_scan_parameters (j_compress_ptr cinfo)
  158967. /* Set up the scan parameters for the current scan */
  158968. {
  158969. int ci;
  158970. #ifdef C_MULTISCAN_FILES_SUPPORTED
  158971. if (cinfo->scan_info != NULL) {
  158972. /* Prepare for current scan --- the script is already validated */
  158973. my_master_ptr master = (my_master_ptr) cinfo->master;
  158974. const jpeg_scan_info * scanptr = cinfo->scan_info + master->scan_number;
  158975. cinfo->comps_in_scan = scanptr->comps_in_scan;
  158976. for (ci = 0; ci < scanptr->comps_in_scan; ci++) {
  158977. cinfo->cur_comp_info[ci] =
  158978. &cinfo->comp_info[scanptr->component_index[ci]];
  158979. }
  158980. cinfo->Ss = scanptr->Ss;
  158981. cinfo->Se = scanptr->Se;
  158982. cinfo->Ah = scanptr->Ah;
  158983. cinfo->Al = scanptr->Al;
  158984. }
  158985. else
  158986. #endif
  158987. {
  158988. /* Prepare for single sequential-JPEG scan containing all components */
  158989. if (cinfo->num_components > MAX_COMPS_IN_SCAN)
  158990. ERREXIT2(cinfo, JERR_COMPONENT_COUNT, cinfo->num_components,
  158991. MAX_COMPS_IN_SCAN);
  158992. cinfo->comps_in_scan = cinfo->num_components;
  158993. for (ci = 0; ci < cinfo->num_components; ci++) {
  158994. cinfo->cur_comp_info[ci] = &cinfo->comp_info[ci];
  158995. }
  158996. cinfo->Ss = 0;
  158997. cinfo->Se = DCTSIZE2-1;
  158998. cinfo->Ah = 0;
  158999. cinfo->Al = 0;
  159000. }
  159001. }
  159002. LOCAL(void)
  159003. per_scan_setup (j_compress_ptr cinfo)
  159004. /* Do computations that are needed before processing a JPEG scan */
  159005. /* cinfo->comps_in_scan and cinfo->cur_comp_info[] are already set */
  159006. {
  159007. int ci, mcublks, tmp;
  159008. jpeg_component_info *compptr;
  159009. if (cinfo->comps_in_scan == 1) {
  159010. /* Noninterleaved (single-component) scan */
  159011. compptr = cinfo->cur_comp_info[0];
  159012. /* Overall image size in MCUs */
  159013. cinfo->MCUs_per_row = compptr->width_in_blocks;
  159014. cinfo->MCU_rows_in_scan = compptr->height_in_blocks;
  159015. /* For noninterleaved scan, always one block per MCU */
  159016. compptr->MCU_width = 1;
  159017. compptr->MCU_height = 1;
  159018. compptr->MCU_blocks = 1;
  159019. compptr->MCU_sample_width = DCTSIZE;
  159020. compptr->last_col_width = 1;
  159021. /* For noninterleaved scans, it is convenient to define last_row_height
  159022. * as the number of block rows present in the last iMCU row.
  159023. */
  159024. tmp = (int) (compptr->height_in_blocks % compptr->v_samp_factor);
  159025. if (tmp == 0) tmp = compptr->v_samp_factor;
  159026. compptr->last_row_height = tmp;
  159027. /* Prepare array describing MCU composition */
  159028. cinfo->blocks_in_MCU = 1;
  159029. cinfo->MCU_membership[0] = 0;
  159030. } else {
  159031. /* Interleaved (multi-component) scan */
  159032. if (cinfo->comps_in_scan <= 0 || cinfo->comps_in_scan > MAX_COMPS_IN_SCAN)
  159033. ERREXIT2(cinfo, JERR_COMPONENT_COUNT, cinfo->comps_in_scan,
  159034. MAX_COMPS_IN_SCAN);
  159035. /* Overall image size in MCUs */
  159036. cinfo->MCUs_per_row = (JDIMENSION)
  159037. jdiv_round_up((long) cinfo->image_width,
  159038. (long) (cinfo->max_h_samp_factor*DCTSIZE));
  159039. cinfo->MCU_rows_in_scan = (JDIMENSION)
  159040. jdiv_round_up((long) cinfo->image_height,
  159041. (long) (cinfo->max_v_samp_factor*DCTSIZE));
  159042. cinfo->blocks_in_MCU = 0;
  159043. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  159044. compptr = cinfo->cur_comp_info[ci];
  159045. /* Sampling factors give # of blocks of component in each MCU */
  159046. compptr->MCU_width = compptr->h_samp_factor;
  159047. compptr->MCU_height = compptr->v_samp_factor;
  159048. compptr->MCU_blocks = compptr->MCU_width * compptr->MCU_height;
  159049. compptr->MCU_sample_width = compptr->MCU_width * DCTSIZE;
  159050. /* Figure number of non-dummy blocks in last MCU column & row */
  159051. tmp = (int) (compptr->width_in_blocks % compptr->MCU_width);
  159052. if (tmp == 0) tmp = compptr->MCU_width;
  159053. compptr->last_col_width = tmp;
  159054. tmp = (int) (compptr->height_in_blocks % compptr->MCU_height);
  159055. if (tmp == 0) tmp = compptr->MCU_height;
  159056. compptr->last_row_height = tmp;
  159057. /* Prepare array describing MCU composition */
  159058. mcublks = compptr->MCU_blocks;
  159059. if (cinfo->blocks_in_MCU + mcublks > C_MAX_BLOCKS_IN_MCU)
  159060. ERREXIT(cinfo, JERR_BAD_MCU_SIZE);
  159061. while (mcublks-- > 0) {
  159062. cinfo->MCU_membership[cinfo->blocks_in_MCU++] = ci;
  159063. }
  159064. }
  159065. }
  159066. /* Convert restart specified in rows to actual MCU count. */
  159067. /* Note that count must fit in 16 bits, so we provide limiting. */
  159068. if (cinfo->restart_in_rows > 0) {
  159069. long nominal = (long) cinfo->restart_in_rows * (long) cinfo->MCUs_per_row;
  159070. cinfo->restart_interval = (unsigned int) MIN(nominal, 65535L);
  159071. }
  159072. }
  159073. /*
  159074. * Per-pass setup.
  159075. * This is called at the beginning of each pass. We determine which modules
  159076. * will be active during this pass and give them appropriate start_pass calls.
  159077. * We also set is_last_pass to indicate whether any more passes will be
  159078. * required.
  159079. */
  159080. METHODDEF(void)
  159081. prepare_for_pass (j_compress_ptr cinfo)
  159082. {
  159083. my_master_ptr master = (my_master_ptr) cinfo->master;
  159084. switch (master->pass_type) {
  159085. case main_pass:
  159086. /* Initial pass: will collect input data, and do either Huffman
  159087. * optimization or data output for the first scan.
  159088. */
  159089. select_scan_parameters(cinfo);
  159090. per_scan_setup(cinfo);
  159091. if (! cinfo->raw_data_in) {
  159092. (*cinfo->cconvert->start_pass) (cinfo);
  159093. (*cinfo->downsample->start_pass) (cinfo);
  159094. (*cinfo->prep->start_pass) (cinfo, JBUF_PASS_THRU);
  159095. }
  159096. (*cinfo->fdct->start_pass) (cinfo);
  159097. (*cinfo->entropy->start_pass) (cinfo, cinfo->optimize_coding);
  159098. (*cinfo->coef->start_pass) (cinfo,
  159099. (master->total_passes > 1 ?
  159100. JBUF_SAVE_AND_PASS : JBUF_PASS_THRU));
  159101. (*cinfo->main->start_pass) (cinfo, JBUF_PASS_THRU);
  159102. if (cinfo->optimize_coding) {
  159103. /* No immediate data output; postpone writing frame/scan headers */
  159104. master->pub.call_pass_startup = FALSE;
  159105. } else {
  159106. /* Will write frame/scan headers at first jpeg_write_scanlines call */
  159107. master->pub.call_pass_startup = TRUE;
  159108. }
  159109. break;
  159110. #ifdef ENTROPY_OPT_SUPPORTED
  159111. case huff_opt_pass:
  159112. /* Do Huffman optimization for a scan after the first one. */
  159113. select_scan_parameters(cinfo);
  159114. per_scan_setup(cinfo);
  159115. if (cinfo->Ss != 0 || cinfo->Ah == 0 || cinfo->arith_code) {
  159116. (*cinfo->entropy->start_pass) (cinfo, TRUE);
  159117. (*cinfo->coef->start_pass) (cinfo, JBUF_CRANK_DEST);
  159118. master->pub.call_pass_startup = FALSE;
  159119. break;
  159120. }
  159121. /* Special case: Huffman DC refinement scans need no Huffman table
  159122. * and therefore we can skip the optimization pass for them.
  159123. */
  159124. master->pass_type = output_pass;
  159125. master->pass_number++;
  159126. /*FALLTHROUGH*/
  159127. #endif
  159128. case output_pass:
  159129. /* Do a data-output pass. */
  159130. /* We need not repeat per-scan setup if prior optimization pass did it. */
  159131. if (! cinfo->optimize_coding) {
  159132. select_scan_parameters(cinfo);
  159133. per_scan_setup(cinfo);
  159134. }
  159135. (*cinfo->entropy->start_pass) (cinfo, FALSE);
  159136. (*cinfo->coef->start_pass) (cinfo, JBUF_CRANK_DEST);
  159137. /* We emit frame/scan headers now */
  159138. if (master->scan_number == 0)
  159139. (*cinfo->marker->write_frame_header) (cinfo);
  159140. (*cinfo->marker->write_scan_header) (cinfo);
  159141. master->pub.call_pass_startup = FALSE;
  159142. break;
  159143. default:
  159144. ERREXIT(cinfo, JERR_NOT_COMPILED);
  159145. }
  159146. master->pub.is_last_pass = (master->pass_number == master->total_passes-1);
  159147. /* Set up progress monitor's pass info if present */
  159148. if (cinfo->progress != NULL) {
  159149. cinfo->progress->completed_passes = master->pass_number;
  159150. cinfo->progress->total_passes = master->total_passes;
  159151. }
  159152. }
  159153. /*
  159154. * Special start-of-pass hook.
  159155. * This is called by jpeg_write_scanlines if call_pass_startup is TRUE.
  159156. * In single-pass processing, we need this hook because we don't want to
  159157. * write frame/scan headers during jpeg_start_compress; we want to let the
  159158. * application write COM markers etc. between jpeg_start_compress and the
  159159. * jpeg_write_scanlines loop.
  159160. * In multi-pass processing, this routine is not used.
  159161. */
  159162. METHODDEF(void)
  159163. pass_startup (j_compress_ptr cinfo)
  159164. {
  159165. cinfo->master->call_pass_startup = FALSE; /* reset flag so call only once */
  159166. (*cinfo->marker->write_frame_header) (cinfo);
  159167. (*cinfo->marker->write_scan_header) (cinfo);
  159168. }
  159169. /*
  159170. * Finish up at end of pass.
  159171. */
  159172. METHODDEF(void)
  159173. finish_pass_master (j_compress_ptr cinfo)
  159174. {
  159175. my_master_ptr master = (my_master_ptr) cinfo->master;
  159176. /* The entropy coder always needs an end-of-pass call,
  159177. * either to analyze statistics or to flush its output buffer.
  159178. */
  159179. (*cinfo->entropy->finish_pass) (cinfo);
  159180. /* Update state for next pass */
  159181. switch (master->pass_type) {
  159182. case main_pass:
  159183. /* next pass is either output of scan 0 (after optimization)
  159184. * or output of scan 1 (if no optimization).
  159185. */
  159186. master->pass_type = output_pass;
  159187. if (! cinfo->optimize_coding)
  159188. master->scan_number++;
  159189. break;
  159190. case huff_opt_pass:
  159191. /* next pass is always output of current scan */
  159192. master->pass_type = output_pass;
  159193. break;
  159194. case output_pass:
  159195. /* next pass is either optimization or output of next scan */
  159196. if (cinfo->optimize_coding)
  159197. master->pass_type = huff_opt_pass;
  159198. master->scan_number++;
  159199. break;
  159200. }
  159201. master->pass_number++;
  159202. }
  159203. /*
  159204. * Initialize master compression control.
  159205. */
  159206. GLOBAL(void)
  159207. jinit_c_master_control (j_compress_ptr cinfo, boolean transcode_only)
  159208. {
  159209. my_master_ptr master;
  159210. master = (my_master_ptr)
  159211. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  159212. SIZEOF(my_comp_master));
  159213. cinfo->master = (struct jpeg_comp_master *) master;
  159214. master->pub.prepare_for_pass = prepare_for_pass;
  159215. master->pub.pass_startup = pass_startup;
  159216. master->pub.finish_pass = finish_pass_master;
  159217. master->pub.is_last_pass = FALSE;
  159218. /* Validate parameters, determine derived values */
  159219. initial_setup(cinfo);
  159220. if (cinfo->scan_info != NULL) {
  159221. #ifdef C_MULTISCAN_FILES_SUPPORTED
  159222. validate_script(cinfo);
  159223. #else
  159224. ERREXIT(cinfo, JERR_NOT_COMPILED);
  159225. #endif
  159226. } else {
  159227. cinfo->progressive_mode = FALSE;
  159228. cinfo->num_scans = 1;
  159229. }
  159230. if (cinfo->progressive_mode) /* TEMPORARY HACK ??? */
  159231. cinfo->optimize_coding = TRUE; /* assume default tables no good for progressive mode */
  159232. /* Initialize my private state */
  159233. if (transcode_only) {
  159234. /* no main pass in transcoding */
  159235. if (cinfo->optimize_coding)
  159236. master->pass_type = huff_opt_pass;
  159237. else
  159238. master->pass_type = output_pass;
  159239. } else {
  159240. /* for normal compression, first pass is always this type: */
  159241. master->pass_type = main_pass;
  159242. }
  159243. master->scan_number = 0;
  159244. master->pass_number = 0;
  159245. if (cinfo->optimize_coding)
  159246. master->total_passes = cinfo->num_scans * 2;
  159247. else
  159248. master->total_passes = cinfo->num_scans;
  159249. }
  159250. /********* End of inlined file: jcmaster.c *********/
  159251. /********* Start of inlined file: jcomapi.c *********/
  159252. #define JPEG_INTERNALS
  159253. /*
  159254. * Abort processing of a JPEG compression or decompression operation,
  159255. * but don't destroy the object itself.
  159256. *
  159257. * For this, we merely clean up all the nonpermanent memory pools.
  159258. * Note that temp files (virtual arrays) are not allowed to belong to
  159259. * the permanent pool, so we will be able to close all temp files here.
  159260. * Closing a data source or destination, if necessary, is the application's
  159261. * responsibility.
  159262. */
  159263. GLOBAL(void)
  159264. jpeg_abort (j_common_ptr cinfo)
  159265. {
  159266. int pool;
  159267. /* Do nothing if called on a not-initialized or destroyed JPEG object. */
  159268. if (cinfo->mem == NULL)
  159269. return;
  159270. /* Releasing pools in reverse order might help avoid fragmentation
  159271. * with some (brain-damaged) malloc libraries.
  159272. */
  159273. for (pool = JPOOL_NUMPOOLS-1; pool > JPOOL_PERMANENT; pool--) {
  159274. (*cinfo->mem->free_pool) (cinfo, pool);
  159275. }
  159276. /* Reset overall state for possible reuse of object */
  159277. if (cinfo->is_decompressor) {
  159278. cinfo->global_state = DSTATE_START;
  159279. /* Try to keep application from accessing now-deleted marker list.
  159280. * A bit kludgy to do it here, but this is the most central place.
  159281. */
  159282. ((j_decompress_ptr) cinfo)->marker_list = NULL;
  159283. } else {
  159284. cinfo->global_state = CSTATE_START;
  159285. }
  159286. }
  159287. /*
  159288. * Destruction of a JPEG object.
  159289. *
  159290. * Everything gets deallocated except the master jpeg_compress_struct itself
  159291. * and the error manager struct. Both of these are supplied by the application
  159292. * and must be freed, if necessary, by the application. (Often they are on
  159293. * the stack and so don't need to be freed anyway.)
  159294. * Closing a data source or destination, if necessary, is the application's
  159295. * responsibility.
  159296. */
  159297. GLOBAL(void)
  159298. jpeg_destroy (j_common_ptr cinfo)
  159299. {
  159300. /* We need only tell the memory manager to release everything. */
  159301. /* NB: mem pointer is NULL if memory mgr failed to initialize. */
  159302. if (cinfo->mem != NULL)
  159303. (*cinfo->mem->self_destruct) (cinfo);
  159304. cinfo->mem = NULL; /* be safe if jpeg_destroy is called twice */
  159305. cinfo->global_state = 0; /* mark it destroyed */
  159306. }
  159307. /*
  159308. * Convenience routines for allocating quantization and Huffman tables.
  159309. * (Would jutils.c be a more reasonable place to put these?)
  159310. */
  159311. GLOBAL(JQUANT_TBL *)
  159312. jpeg_alloc_quant_table (j_common_ptr cinfo)
  159313. {
  159314. JQUANT_TBL *tbl;
  159315. tbl = (JQUANT_TBL *)
  159316. (*cinfo->mem->alloc_small) (cinfo, JPOOL_PERMANENT, SIZEOF(JQUANT_TBL));
  159317. tbl->sent_table = FALSE; /* make sure this is false in any new table */
  159318. return tbl;
  159319. }
  159320. GLOBAL(JHUFF_TBL *)
  159321. jpeg_alloc_huff_table (j_common_ptr cinfo)
  159322. {
  159323. JHUFF_TBL *tbl;
  159324. tbl = (JHUFF_TBL *)
  159325. (*cinfo->mem->alloc_small) (cinfo, JPOOL_PERMANENT, SIZEOF(JHUFF_TBL));
  159326. tbl->sent_table = FALSE; /* make sure this is false in any new table */
  159327. return tbl;
  159328. }
  159329. /********* End of inlined file: jcomapi.c *********/
  159330. /********* Start of inlined file: jcparam.c *********/
  159331. #define JPEG_INTERNALS
  159332. /*
  159333. * Quantization table setup routines
  159334. */
  159335. GLOBAL(void)
  159336. jpeg_add_quant_table (j_compress_ptr cinfo, int which_tbl,
  159337. const unsigned int *basic_table,
  159338. int scale_factor, boolean force_baseline)
  159339. /* Define a quantization table equal to the basic_table times
  159340. * a scale factor (given as a percentage).
  159341. * If force_baseline is TRUE, the computed quantization table entries
  159342. * are limited to 1..255 for JPEG baseline compatibility.
  159343. */
  159344. {
  159345. JQUANT_TBL ** qtblptr;
  159346. int i;
  159347. long temp;
  159348. /* Safety check to ensure start_compress not called yet. */
  159349. if (cinfo->global_state != CSTATE_START)
  159350. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  159351. if (which_tbl < 0 || which_tbl >= NUM_QUANT_TBLS)
  159352. ERREXIT1(cinfo, JERR_DQT_INDEX, which_tbl);
  159353. qtblptr = & cinfo->quant_tbl_ptrs[which_tbl];
  159354. if (*qtblptr == NULL)
  159355. *qtblptr = jpeg_alloc_quant_table((j_common_ptr) cinfo);
  159356. for (i = 0; i < DCTSIZE2; i++) {
  159357. temp = ((long) basic_table[i] * scale_factor + 50L) / 100L;
  159358. /* limit the values to the valid range */
  159359. if (temp <= 0L) temp = 1L;
  159360. if (temp > 32767L) temp = 32767L; /* max quantizer needed for 12 bits */
  159361. if (force_baseline && temp > 255L)
  159362. temp = 255L; /* limit to baseline range if requested */
  159363. (*qtblptr)->quantval[i] = (UINT16) temp;
  159364. }
  159365. /* Initialize sent_table FALSE so table will be written to JPEG file. */
  159366. (*qtblptr)->sent_table = FALSE;
  159367. }
  159368. GLOBAL(void)
  159369. jpeg_set_linear_quality (j_compress_ptr cinfo, int scale_factor,
  159370. boolean force_baseline)
  159371. /* Set or change the 'quality' (quantization) setting, using default tables
  159372. * and a straight percentage-scaling quality scale. In most cases it's better
  159373. * to use jpeg_set_quality (below); this entry point is provided for
  159374. * applications that insist on a linear percentage scaling.
  159375. */
  159376. {
  159377. /* These are the sample quantization tables given in JPEG spec section K.1.
  159378. * The spec says that the values given produce "good" quality, and
  159379. * when divided by 2, "very good" quality.
  159380. */
  159381. static const unsigned int std_luminance_quant_tbl[DCTSIZE2] = {
  159382. 16, 11, 10, 16, 24, 40, 51, 61,
  159383. 12, 12, 14, 19, 26, 58, 60, 55,
  159384. 14, 13, 16, 24, 40, 57, 69, 56,
  159385. 14, 17, 22, 29, 51, 87, 80, 62,
  159386. 18, 22, 37, 56, 68, 109, 103, 77,
  159387. 24, 35, 55, 64, 81, 104, 113, 92,
  159388. 49, 64, 78, 87, 103, 121, 120, 101,
  159389. 72, 92, 95, 98, 112, 100, 103, 99
  159390. };
  159391. static const unsigned int std_chrominance_quant_tbl[DCTSIZE2] = {
  159392. 17, 18, 24, 47, 99, 99, 99, 99,
  159393. 18, 21, 26, 66, 99, 99, 99, 99,
  159394. 24, 26, 56, 99, 99, 99, 99, 99,
  159395. 47, 66, 99, 99, 99, 99, 99, 99,
  159396. 99, 99, 99, 99, 99, 99, 99, 99,
  159397. 99, 99, 99, 99, 99, 99, 99, 99,
  159398. 99, 99, 99, 99, 99, 99, 99, 99,
  159399. 99, 99, 99, 99, 99, 99, 99, 99
  159400. };
  159401. /* Set up two quantization tables using the specified scaling */
  159402. jpeg_add_quant_table(cinfo, 0, std_luminance_quant_tbl,
  159403. scale_factor, force_baseline);
  159404. jpeg_add_quant_table(cinfo, 1, std_chrominance_quant_tbl,
  159405. scale_factor, force_baseline);
  159406. }
  159407. GLOBAL(int)
  159408. jpeg_quality_scaling (int quality)
  159409. /* Convert a user-specified quality rating to a percentage scaling factor
  159410. * for an underlying quantization table, using our recommended scaling curve.
  159411. * The input 'quality' factor should be 0 (terrible) to 100 (very good).
  159412. */
  159413. {
  159414. /* Safety limit on quality factor. Convert 0 to 1 to avoid zero divide. */
  159415. if (quality <= 0) quality = 1;
  159416. if (quality > 100) quality = 100;
  159417. /* The basic table is used as-is (scaling 100) for a quality of 50.
  159418. * Qualities 50..100 are converted to scaling percentage 200 - 2*Q;
  159419. * note that at Q=100 the scaling is 0, which will cause jpeg_add_quant_table
  159420. * to make all the table entries 1 (hence, minimum quantization loss).
  159421. * Qualities 1..50 are converted to scaling percentage 5000/Q.
  159422. */
  159423. if (quality < 50)
  159424. quality = 5000 / quality;
  159425. else
  159426. quality = 200 - quality*2;
  159427. return quality;
  159428. }
  159429. GLOBAL(void)
  159430. jpeg_set_quality (j_compress_ptr cinfo, int quality, boolean force_baseline)
  159431. /* Set or change the 'quality' (quantization) setting, using default tables.
  159432. * This is the standard quality-adjusting entry point for typical user
  159433. * interfaces; only those who want detailed control over quantization tables
  159434. * would use the preceding three routines directly.
  159435. */
  159436. {
  159437. /* Convert user 0-100 rating to percentage scaling */
  159438. quality = jpeg_quality_scaling(quality);
  159439. /* Set up standard quality tables */
  159440. jpeg_set_linear_quality(cinfo, quality, force_baseline);
  159441. }
  159442. /*
  159443. * Huffman table setup routines
  159444. */
  159445. LOCAL(void)
  159446. add_huff_table (j_compress_ptr cinfo,
  159447. JHUFF_TBL **htblptr, const UINT8 *bits, const UINT8 *val)
  159448. /* Define a Huffman table */
  159449. {
  159450. int nsymbols, len;
  159451. if (*htblptr == NULL)
  159452. *htblptr = jpeg_alloc_huff_table((j_common_ptr) cinfo);
  159453. /* Copy the number-of-symbols-of-each-code-length counts */
  159454. MEMCOPY((*htblptr)->bits, bits, SIZEOF((*htblptr)->bits));
  159455. /* Validate the counts. We do this here mainly so we can copy the right
  159456. * number of symbols from the val[] array, without risking marching off
  159457. * the end of memory. jchuff.c will do a more thorough test later.
  159458. */
  159459. nsymbols = 0;
  159460. for (len = 1; len <= 16; len++)
  159461. nsymbols += bits[len];
  159462. if (nsymbols < 1 || nsymbols > 256)
  159463. ERREXIT(cinfo, JERR_BAD_HUFF_TABLE);
  159464. MEMCOPY((*htblptr)->huffval, val, nsymbols * SIZEOF(UINT8));
  159465. /* Initialize sent_table FALSE so table will be written to JPEG file. */
  159466. (*htblptr)->sent_table = FALSE;
  159467. }
  159468. LOCAL(void)
  159469. std_huff_tables (j_compress_ptr cinfo)
  159470. /* Set up the standard Huffman tables (cf. JPEG standard section K.3) */
  159471. /* IMPORTANT: these are only valid for 8-bit data precision! */
  159472. {
  159473. static const UINT8 bits_dc_luminance[17] =
  159474. { /* 0-base */ 0, 0, 1, 5, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0, 0 };
  159475. static const UINT8 val_dc_luminance[] =
  159476. { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11 };
  159477. static const UINT8 bits_dc_chrominance[17] =
  159478. { /* 0-base */ 0, 0, 3, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0 };
  159479. static const UINT8 val_dc_chrominance[] =
  159480. { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11 };
  159481. static const UINT8 bits_ac_luminance[17] =
  159482. { /* 0-base */ 0, 0, 2, 1, 3, 3, 2, 4, 3, 5, 5, 4, 4, 0, 0, 1, 0x7d };
  159483. static const UINT8 val_ac_luminance[] =
  159484. { 0x01, 0x02, 0x03, 0x00, 0x04, 0x11, 0x05, 0x12,
  159485. 0x21, 0x31, 0x41, 0x06, 0x13, 0x51, 0x61, 0x07,
  159486. 0x22, 0x71, 0x14, 0x32, 0x81, 0x91, 0xa1, 0x08,
  159487. 0x23, 0x42, 0xb1, 0xc1, 0x15, 0x52, 0xd1, 0xf0,
  159488. 0x24, 0x33, 0x62, 0x72, 0x82, 0x09, 0x0a, 0x16,
  159489. 0x17, 0x18, 0x19, 0x1a, 0x25, 0x26, 0x27, 0x28,
  159490. 0x29, 0x2a, 0x34, 0x35, 0x36, 0x37, 0x38, 0x39,
  159491. 0x3a, 0x43, 0x44, 0x45, 0x46, 0x47, 0x48, 0x49,
  159492. 0x4a, 0x53, 0x54, 0x55, 0x56, 0x57, 0x58, 0x59,
  159493. 0x5a, 0x63, 0x64, 0x65, 0x66, 0x67, 0x68, 0x69,
  159494. 0x6a, 0x73, 0x74, 0x75, 0x76, 0x77, 0x78, 0x79,
  159495. 0x7a, 0x83, 0x84, 0x85, 0x86, 0x87, 0x88, 0x89,
  159496. 0x8a, 0x92, 0x93, 0x94, 0x95, 0x96, 0x97, 0x98,
  159497. 0x99, 0x9a, 0xa2, 0xa3, 0xa4, 0xa5, 0xa6, 0xa7,
  159498. 0xa8, 0xa9, 0xaa, 0xb2, 0xb3, 0xb4, 0xb5, 0xb6,
  159499. 0xb7, 0xb8, 0xb9, 0xba, 0xc2, 0xc3, 0xc4, 0xc5,
  159500. 0xc6, 0xc7, 0xc8, 0xc9, 0xca, 0xd2, 0xd3, 0xd4,
  159501. 0xd5, 0xd6, 0xd7, 0xd8, 0xd9, 0xda, 0xe1, 0xe2,
  159502. 0xe3, 0xe4, 0xe5, 0xe6, 0xe7, 0xe8, 0xe9, 0xea,
  159503. 0xf1, 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7, 0xf8,
  159504. 0xf9, 0xfa };
  159505. static const UINT8 bits_ac_chrominance[17] =
  159506. { /* 0-base */ 0, 0, 2, 1, 2, 4, 4, 3, 4, 7, 5, 4, 4, 0, 1, 2, 0x77 };
  159507. static const UINT8 val_ac_chrominance[] =
  159508. { 0x00, 0x01, 0x02, 0x03, 0x11, 0x04, 0x05, 0x21,
  159509. 0x31, 0x06, 0x12, 0x41, 0x51, 0x07, 0x61, 0x71,
  159510. 0x13, 0x22, 0x32, 0x81, 0x08, 0x14, 0x42, 0x91,
  159511. 0xa1, 0xb1, 0xc1, 0x09, 0x23, 0x33, 0x52, 0xf0,
  159512. 0x15, 0x62, 0x72, 0xd1, 0x0a, 0x16, 0x24, 0x34,
  159513. 0xe1, 0x25, 0xf1, 0x17, 0x18, 0x19, 0x1a, 0x26,
  159514. 0x27, 0x28, 0x29, 0x2a, 0x35, 0x36, 0x37, 0x38,
  159515. 0x39, 0x3a, 0x43, 0x44, 0x45, 0x46, 0x47, 0x48,
  159516. 0x49, 0x4a, 0x53, 0x54, 0x55, 0x56, 0x57, 0x58,
  159517. 0x59, 0x5a, 0x63, 0x64, 0x65, 0x66, 0x67, 0x68,
  159518. 0x69, 0x6a, 0x73, 0x74, 0x75, 0x76, 0x77, 0x78,
  159519. 0x79, 0x7a, 0x82, 0x83, 0x84, 0x85, 0x86, 0x87,
  159520. 0x88, 0x89, 0x8a, 0x92, 0x93, 0x94, 0x95, 0x96,
  159521. 0x97, 0x98, 0x99, 0x9a, 0xa2, 0xa3, 0xa4, 0xa5,
  159522. 0xa6, 0xa7, 0xa8, 0xa9, 0xaa, 0xb2, 0xb3, 0xb4,
  159523. 0xb5, 0xb6, 0xb7, 0xb8, 0xb9, 0xba, 0xc2, 0xc3,
  159524. 0xc4, 0xc5, 0xc6, 0xc7, 0xc8, 0xc9, 0xca, 0xd2,
  159525. 0xd3, 0xd4, 0xd5, 0xd6, 0xd7, 0xd8, 0xd9, 0xda,
  159526. 0xe2, 0xe3, 0xe4, 0xe5, 0xe6, 0xe7, 0xe8, 0xe9,
  159527. 0xea, 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7, 0xf8,
  159528. 0xf9, 0xfa };
  159529. add_huff_table(cinfo, &cinfo->dc_huff_tbl_ptrs[0],
  159530. bits_dc_luminance, val_dc_luminance);
  159531. add_huff_table(cinfo, &cinfo->ac_huff_tbl_ptrs[0],
  159532. bits_ac_luminance, val_ac_luminance);
  159533. add_huff_table(cinfo, &cinfo->dc_huff_tbl_ptrs[1],
  159534. bits_dc_chrominance, val_dc_chrominance);
  159535. add_huff_table(cinfo, &cinfo->ac_huff_tbl_ptrs[1],
  159536. bits_ac_chrominance, val_ac_chrominance);
  159537. }
  159538. /*
  159539. * Default parameter setup for compression.
  159540. *
  159541. * Applications that don't choose to use this routine must do their
  159542. * own setup of all these parameters. Alternately, you can call this
  159543. * to establish defaults and then alter parameters selectively. This
  159544. * is the recommended approach since, if we add any new parameters,
  159545. * your code will still work (they'll be set to reasonable defaults).
  159546. */
  159547. GLOBAL(void)
  159548. jpeg_set_defaults (j_compress_ptr cinfo)
  159549. {
  159550. int i;
  159551. /* Safety check to ensure start_compress not called yet. */
  159552. if (cinfo->global_state != CSTATE_START)
  159553. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  159554. /* Allocate comp_info array large enough for maximum component count.
  159555. * Array is made permanent in case application wants to compress
  159556. * multiple images at same param settings.
  159557. */
  159558. if (cinfo->comp_info == NULL)
  159559. cinfo->comp_info = (jpeg_component_info *)
  159560. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_PERMANENT,
  159561. MAX_COMPONENTS * SIZEOF(jpeg_component_info));
  159562. /* Initialize everything not dependent on the color space */
  159563. cinfo->data_precision = BITS_IN_JSAMPLE;
  159564. /* Set up two quantization tables using default quality of 75 */
  159565. jpeg_set_quality(cinfo, 75, TRUE);
  159566. /* Set up two Huffman tables */
  159567. std_huff_tables(cinfo);
  159568. /* Initialize default arithmetic coding conditioning */
  159569. for (i = 0; i < NUM_ARITH_TBLS; i++) {
  159570. cinfo->arith_dc_L[i] = 0;
  159571. cinfo->arith_dc_U[i] = 1;
  159572. cinfo->arith_ac_K[i] = 5;
  159573. }
  159574. /* Default is no multiple-scan output */
  159575. cinfo->scan_info = NULL;
  159576. cinfo->num_scans = 0;
  159577. /* Expect normal source image, not raw downsampled data */
  159578. cinfo->raw_data_in = FALSE;
  159579. /* Use Huffman coding, not arithmetic coding, by default */
  159580. cinfo->arith_code = FALSE;
  159581. /* By default, don't do extra passes to optimize entropy coding */
  159582. cinfo->optimize_coding = FALSE;
  159583. /* The standard Huffman tables are only valid for 8-bit data precision.
  159584. * If the precision is higher, force optimization on so that usable
  159585. * tables will be computed. This test can be removed if default tables
  159586. * are supplied that are valid for the desired precision.
  159587. */
  159588. if (cinfo->data_precision > 8)
  159589. cinfo->optimize_coding = TRUE;
  159590. /* By default, use the simpler non-cosited sampling alignment */
  159591. cinfo->CCIR601_sampling = FALSE;
  159592. /* No input smoothing */
  159593. cinfo->smoothing_factor = 0;
  159594. /* DCT algorithm preference */
  159595. cinfo->dct_method = JDCT_DEFAULT;
  159596. /* No restart markers */
  159597. cinfo->restart_interval = 0;
  159598. cinfo->restart_in_rows = 0;
  159599. /* Fill in default JFIF marker parameters. Note that whether the marker
  159600. * will actually be written is determined by jpeg_set_colorspace.
  159601. *
  159602. * By default, the library emits JFIF version code 1.01.
  159603. * An application that wants to emit JFIF 1.02 extension markers should set
  159604. * JFIF_minor_version to 2. We could probably get away with just defaulting
  159605. * to 1.02, but there may still be some decoders in use that will complain
  159606. * about that; saying 1.01 should minimize compatibility problems.
  159607. */
  159608. cinfo->JFIF_major_version = 1; /* Default JFIF version = 1.01 */
  159609. cinfo->JFIF_minor_version = 1;
  159610. cinfo->density_unit = 0; /* Pixel size is unknown by default */
  159611. cinfo->X_density = 1; /* Pixel aspect ratio is square by default */
  159612. cinfo->Y_density = 1;
  159613. /* Choose JPEG colorspace based on input space, set defaults accordingly */
  159614. jpeg_default_colorspace(cinfo);
  159615. }
  159616. /*
  159617. * Select an appropriate JPEG colorspace for in_color_space.
  159618. */
  159619. GLOBAL(void)
  159620. jpeg_default_colorspace (j_compress_ptr cinfo)
  159621. {
  159622. switch (cinfo->in_color_space) {
  159623. case JCS_GRAYSCALE:
  159624. jpeg_set_colorspace(cinfo, JCS_GRAYSCALE);
  159625. break;
  159626. case JCS_RGB:
  159627. jpeg_set_colorspace(cinfo, JCS_YCbCr);
  159628. break;
  159629. case JCS_YCbCr:
  159630. jpeg_set_colorspace(cinfo, JCS_YCbCr);
  159631. break;
  159632. case JCS_CMYK:
  159633. jpeg_set_colorspace(cinfo, JCS_CMYK); /* By default, no translation */
  159634. break;
  159635. case JCS_YCCK:
  159636. jpeg_set_colorspace(cinfo, JCS_YCCK);
  159637. break;
  159638. case JCS_UNKNOWN:
  159639. jpeg_set_colorspace(cinfo, JCS_UNKNOWN);
  159640. break;
  159641. default:
  159642. ERREXIT(cinfo, JERR_BAD_IN_COLORSPACE);
  159643. }
  159644. }
  159645. /*
  159646. * Set the JPEG colorspace, and choose colorspace-dependent default values.
  159647. */
  159648. GLOBAL(void)
  159649. jpeg_set_colorspace (j_compress_ptr cinfo, J_COLOR_SPACE colorspace)
  159650. {
  159651. jpeg_component_info * compptr;
  159652. int ci;
  159653. #define SET_COMP(index,id,hsamp,vsamp,quant,dctbl,actbl) \
  159654. (compptr = &cinfo->comp_info[index], \
  159655. compptr->component_id = (id), \
  159656. compptr->h_samp_factor = (hsamp), \
  159657. compptr->v_samp_factor = (vsamp), \
  159658. compptr->quant_tbl_no = (quant), \
  159659. compptr->dc_tbl_no = (dctbl), \
  159660. compptr->ac_tbl_no = (actbl) )
  159661. /* Safety check to ensure start_compress not called yet. */
  159662. if (cinfo->global_state != CSTATE_START)
  159663. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  159664. /* For all colorspaces, we use Q and Huff tables 0 for luminance components,
  159665. * tables 1 for chrominance components.
  159666. */
  159667. cinfo->jpeg_color_space = colorspace;
  159668. cinfo->write_JFIF_header = FALSE; /* No marker for non-JFIF colorspaces */
  159669. cinfo->write_Adobe_marker = FALSE; /* write no Adobe marker by default */
  159670. switch (colorspace) {
  159671. case JCS_GRAYSCALE:
  159672. cinfo->write_JFIF_header = TRUE; /* Write a JFIF marker */
  159673. cinfo->num_components = 1;
  159674. /* JFIF specifies component ID 1 */
  159675. SET_COMP(0, 1, 1,1, 0, 0,0);
  159676. break;
  159677. case JCS_RGB:
  159678. cinfo->write_Adobe_marker = TRUE; /* write Adobe marker to flag RGB */
  159679. cinfo->num_components = 3;
  159680. SET_COMP(0, 0x52 /* 'R' */, 1,1, 0, 0,0);
  159681. SET_COMP(1, 0x47 /* 'G' */, 1,1, 0, 0,0);
  159682. SET_COMP(2, 0x42 /* 'B' */, 1,1, 0, 0,0);
  159683. break;
  159684. case JCS_YCbCr:
  159685. cinfo->write_JFIF_header = TRUE; /* Write a JFIF marker */
  159686. cinfo->num_components = 3;
  159687. /* JFIF specifies component IDs 1,2,3 */
  159688. /* We default to 2x2 subsamples of chrominance */
  159689. SET_COMP(0, 1, 2,2, 0, 0,0);
  159690. SET_COMP(1, 2, 1,1, 1, 1,1);
  159691. SET_COMP(2, 3, 1,1, 1, 1,1);
  159692. break;
  159693. case JCS_CMYK:
  159694. cinfo->write_Adobe_marker = TRUE; /* write Adobe marker to flag CMYK */
  159695. cinfo->num_components = 4;
  159696. SET_COMP(0, 0x43 /* 'C' */, 1,1, 0, 0,0);
  159697. SET_COMP(1, 0x4D /* 'M' */, 1,1, 0, 0,0);
  159698. SET_COMP(2, 0x59 /* 'Y' */, 1,1, 0, 0,0);
  159699. SET_COMP(3, 0x4B /* 'K' */, 1,1, 0, 0,0);
  159700. break;
  159701. case JCS_YCCK:
  159702. cinfo->write_Adobe_marker = TRUE; /* write Adobe marker to flag YCCK */
  159703. cinfo->num_components = 4;
  159704. SET_COMP(0, 1, 2,2, 0, 0,0);
  159705. SET_COMP(1, 2, 1,1, 1, 1,1);
  159706. SET_COMP(2, 3, 1,1, 1, 1,1);
  159707. SET_COMP(3, 4, 2,2, 0, 0,0);
  159708. break;
  159709. case JCS_UNKNOWN:
  159710. cinfo->num_components = cinfo->input_components;
  159711. if (cinfo->num_components < 1 || cinfo->num_components > MAX_COMPONENTS)
  159712. ERREXIT2(cinfo, JERR_COMPONENT_COUNT, cinfo->num_components,
  159713. MAX_COMPONENTS);
  159714. for (ci = 0; ci < cinfo->num_components; ci++) {
  159715. SET_COMP(ci, ci, 1,1, 0, 0,0);
  159716. }
  159717. break;
  159718. default:
  159719. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  159720. }
  159721. }
  159722. #ifdef C_PROGRESSIVE_SUPPORTED
  159723. LOCAL(jpeg_scan_info *)
  159724. fill_a_scan (jpeg_scan_info * scanptr, int ci,
  159725. int Ss, int Se, int Ah, int Al)
  159726. /* Support routine: generate one scan for specified component */
  159727. {
  159728. scanptr->comps_in_scan = 1;
  159729. scanptr->component_index[0] = ci;
  159730. scanptr->Ss = Ss;
  159731. scanptr->Se = Se;
  159732. scanptr->Ah = Ah;
  159733. scanptr->Al = Al;
  159734. scanptr++;
  159735. return scanptr;
  159736. }
  159737. LOCAL(jpeg_scan_info *)
  159738. fill_scans (jpeg_scan_info * scanptr, int ncomps,
  159739. int Ss, int Se, int Ah, int Al)
  159740. /* Support routine: generate one scan for each component */
  159741. {
  159742. int ci;
  159743. for (ci = 0; ci < ncomps; ci++) {
  159744. scanptr->comps_in_scan = 1;
  159745. scanptr->component_index[0] = ci;
  159746. scanptr->Ss = Ss;
  159747. scanptr->Se = Se;
  159748. scanptr->Ah = Ah;
  159749. scanptr->Al = Al;
  159750. scanptr++;
  159751. }
  159752. return scanptr;
  159753. }
  159754. LOCAL(jpeg_scan_info *)
  159755. fill_dc_scans (jpeg_scan_info * scanptr, int ncomps, int Ah, int Al)
  159756. /* Support routine: generate interleaved DC scan if possible, else N scans */
  159757. {
  159758. int ci;
  159759. if (ncomps <= MAX_COMPS_IN_SCAN) {
  159760. /* Single interleaved DC scan */
  159761. scanptr->comps_in_scan = ncomps;
  159762. for (ci = 0; ci < ncomps; ci++)
  159763. scanptr->component_index[ci] = ci;
  159764. scanptr->Ss = scanptr->Se = 0;
  159765. scanptr->Ah = Ah;
  159766. scanptr->Al = Al;
  159767. scanptr++;
  159768. } else {
  159769. /* Noninterleaved DC scan for each component */
  159770. scanptr = fill_scans(scanptr, ncomps, 0, 0, Ah, Al);
  159771. }
  159772. return scanptr;
  159773. }
  159774. /*
  159775. * Create a recommended progressive-JPEG script.
  159776. * cinfo->num_components and cinfo->jpeg_color_space must be correct.
  159777. */
  159778. GLOBAL(void)
  159779. jpeg_simple_progression (j_compress_ptr cinfo)
  159780. {
  159781. int ncomps = cinfo->num_components;
  159782. int nscans;
  159783. jpeg_scan_info * scanptr;
  159784. /* Safety check to ensure start_compress not called yet. */
  159785. if (cinfo->global_state != CSTATE_START)
  159786. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  159787. /* Figure space needed for script. Calculation must match code below! */
  159788. if (ncomps == 3 && cinfo->jpeg_color_space == JCS_YCbCr) {
  159789. /* Custom script for YCbCr color images. */
  159790. nscans = 10;
  159791. } else {
  159792. /* All-purpose script for other color spaces. */
  159793. if (ncomps > MAX_COMPS_IN_SCAN)
  159794. nscans = 6 * ncomps; /* 2 DC + 4 AC scans per component */
  159795. else
  159796. nscans = 2 + 4 * ncomps; /* 2 DC scans; 4 AC scans per component */
  159797. }
  159798. /* Allocate space for script.
  159799. * We need to put it in the permanent pool in case the application performs
  159800. * multiple compressions without changing the settings. To avoid a memory
  159801. * leak if jpeg_simple_progression is called repeatedly for the same JPEG
  159802. * object, we try to re-use previously allocated space, and we allocate
  159803. * enough space to handle YCbCr even if initially asked for grayscale.
  159804. */
  159805. if (cinfo->script_space == NULL || cinfo->script_space_size < nscans) {
  159806. cinfo->script_space_size = MAX(nscans, 10);
  159807. cinfo->script_space = (jpeg_scan_info *)
  159808. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_PERMANENT,
  159809. cinfo->script_space_size * SIZEOF(jpeg_scan_info));
  159810. }
  159811. scanptr = cinfo->script_space;
  159812. cinfo->scan_info = scanptr;
  159813. cinfo->num_scans = nscans;
  159814. if (ncomps == 3 && cinfo->jpeg_color_space == JCS_YCbCr) {
  159815. /* Custom script for YCbCr color images. */
  159816. /* Initial DC scan */
  159817. scanptr = fill_dc_scans(scanptr, ncomps, 0, 1);
  159818. /* Initial AC scan: get some luma data out in a hurry */
  159819. scanptr = fill_a_scan(scanptr, 0, 1, 5, 0, 2);
  159820. /* Chroma data is too small to be worth expending many scans on */
  159821. scanptr = fill_a_scan(scanptr, 2, 1, 63, 0, 1);
  159822. scanptr = fill_a_scan(scanptr, 1, 1, 63, 0, 1);
  159823. /* Complete spectral selection for luma AC */
  159824. scanptr = fill_a_scan(scanptr, 0, 6, 63, 0, 2);
  159825. /* Refine next bit of luma AC */
  159826. scanptr = fill_a_scan(scanptr, 0, 1, 63, 2, 1);
  159827. /* Finish DC successive approximation */
  159828. scanptr = fill_dc_scans(scanptr, ncomps, 1, 0);
  159829. /* Finish AC successive approximation */
  159830. scanptr = fill_a_scan(scanptr, 2, 1, 63, 1, 0);
  159831. scanptr = fill_a_scan(scanptr, 1, 1, 63, 1, 0);
  159832. /* Luma bottom bit comes last since it's usually largest scan */
  159833. scanptr = fill_a_scan(scanptr, 0, 1, 63, 1, 0);
  159834. } else {
  159835. /* All-purpose script for other color spaces. */
  159836. /* Successive approximation first pass */
  159837. scanptr = fill_dc_scans(scanptr, ncomps, 0, 1);
  159838. scanptr = fill_scans(scanptr, ncomps, 1, 5, 0, 2);
  159839. scanptr = fill_scans(scanptr, ncomps, 6, 63, 0, 2);
  159840. /* Successive approximation second pass */
  159841. scanptr = fill_scans(scanptr, ncomps, 1, 63, 2, 1);
  159842. /* Successive approximation final pass */
  159843. scanptr = fill_dc_scans(scanptr, ncomps, 1, 0);
  159844. scanptr = fill_scans(scanptr, ncomps, 1, 63, 1, 0);
  159845. }
  159846. }
  159847. #endif /* C_PROGRESSIVE_SUPPORTED */
  159848. /********* End of inlined file: jcparam.c *********/
  159849. /********* Start of inlined file: jcphuff.c *********/
  159850. #define JPEG_INTERNALS
  159851. #ifdef C_PROGRESSIVE_SUPPORTED
  159852. /* Expanded entropy encoder object for progressive Huffman encoding. */
  159853. typedef struct {
  159854. struct jpeg_entropy_encoder pub; /* public fields */
  159855. /* Mode flag: TRUE for optimization, FALSE for actual data output */
  159856. boolean gather_statistics;
  159857. /* Bit-level coding status.
  159858. * next_output_byte/free_in_buffer are local copies of cinfo->dest fields.
  159859. */
  159860. JOCTET * next_output_byte; /* => next byte to write in buffer */
  159861. size_t free_in_buffer; /* # of byte spaces remaining in buffer */
  159862. INT32 put_buffer; /* current bit-accumulation buffer */
  159863. int put_bits; /* # of bits now in it */
  159864. j_compress_ptr cinfo; /* link to cinfo (needed for dump_buffer) */
  159865. /* Coding status for DC components */
  159866. int last_dc_val[MAX_COMPS_IN_SCAN]; /* last DC coef for each component */
  159867. /* Coding status for AC components */
  159868. int ac_tbl_no; /* the table number of the single component */
  159869. unsigned int EOBRUN; /* run length of EOBs */
  159870. unsigned int BE; /* # of buffered correction bits before MCU */
  159871. char * bit_buffer; /* buffer for correction bits (1 per char) */
  159872. /* packing correction bits tightly would save some space but cost time... */
  159873. unsigned int restarts_to_go; /* MCUs left in this restart interval */
  159874. int next_restart_num; /* next restart number to write (0-7) */
  159875. /* Pointers to derived tables (these workspaces have image lifespan).
  159876. * Since any one scan codes only DC or only AC, we only need one set
  159877. * of tables, not one for DC and one for AC.
  159878. */
  159879. c_derived_tbl * derived_tbls[NUM_HUFF_TBLS];
  159880. /* Statistics tables for optimization; again, one set is enough */
  159881. long * count_ptrs[NUM_HUFF_TBLS];
  159882. } phuff_entropy_encoder;
  159883. typedef phuff_entropy_encoder * phuff_entropy_ptr;
  159884. /* MAX_CORR_BITS is the number of bits the AC refinement correction-bit
  159885. * buffer can hold. Larger sizes may slightly improve compression, but
  159886. * 1000 is already well into the realm of overkill.
  159887. * The minimum safe size is 64 bits.
  159888. */
  159889. #define MAX_CORR_BITS 1000 /* Max # of correction bits I can buffer */
  159890. /* IRIGHT_SHIFT is like RIGHT_SHIFT, but works on int rather than INT32.
  159891. * We assume that int right shift is unsigned if INT32 right shift is,
  159892. * which should be safe.
  159893. */
  159894. #ifdef RIGHT_SHIFT_IS_UNSIGNED
  159895. #define ISHIFT_TEMPS int ishift_temp;
  159896. #define IRIGHT_SHIFT(x,shft) \
  159897. ((ishift_temp = (x)) < 0 ? \
  159898. (ishift_temp >> (shft)) | ((~0) << (16-(shft))) : \
  159899. (ishift_temp >> (shft)))
  159900. #else
  159901. #define ISHIFT_TEMPS
  159902. #define IRIGHT_SHIFT(x,shft) ((x) >> (shft))
  159903. #endif
  159904. /* Forward declarations */
  159905. METHODDEF(boolean) encode_mcu_DC_first JPP((j_compress_ptr cinfo,
  159906. JBLOCKROW *MCU_data));
  159907. METHODDEF(boolean) encode_mcu_AC_first JPP((j_compress_ptr cinfo,
  159908. JBLOCKROW *MCU_data));
  159909. METHODDEF(boolean) encode_mcu_DC_refine JPP((j_compress_ptr cinfo,
  159910. JBLOCKROW *MCU_data));
  159911. METHODDEF(boolean) encode_mcu_AC_refine JPP((j_compress_ptr cinfo,
  159912. JBLOCKROW *MCU_data));
  159913. METHODDEF(void) finish_pass_phuff JPP((j_compress_ptr cinfo));
  159914. METHODDEF(void) finish_pass_gather_phuff JPP((j_compress_ptr cinfo));
  159915. /*
  159916. * Initialize for a Huffman-compressed scan using progressive JPEG.
  159917. */
  159918. METHODDEF(void)
  159919. start_pass_phuff (j_compress_ptr cinfo, boolean gather_statistics)
  159920. {
  159921. phuff_entropy_ptr entropy = (phuff_entropy_ptr) cinfo->entropy;
  159922. boolean is_DC_band;
  159923. int ci, tbl;
  159924. jpeg_component_info * compptr;
  159925. entropy->cinfo = cinfo;
  159926. entropy->gather_statistics = gather_statistics;
  159927. is_DC_band = (cinfo->Ss == 0);
  159928. /* We assume jcmaster.c already validated the scan parameters. */
  159929. /* Select execution routines */
  159930. if (cinfo->Ah == 0) {
  159931. if (is_DC_band)
  159932. entropy->pub.encode_mcu = encode_mcu_DC_first;
  159933. else
  159934. entropy->pub.encode_mcu = encode_mcu_AC_first;
  159935. } else {
  159936. if (is_DC_band)
  159937. entropy->pub.encode_mcu = encode_mcu_DC_refine;
  159938. else {
  159939. entropy->pub.encode_mcu = encode_mcu_AC_refine;
  159940. /* AC refinement needs a correction bit buffer */
  159941. if (entropy->bit_buffer == NULL)
  159942. entropy->bit_buffer = (char *)
  159943. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  159944. MAX_CORR_BITS * SIZEOF(char));
  159945. }
  159946. }
  159947. if (gather_statistics)
  159948. entropy->pub.finish_pass = finish_pass_gather_phuff;
  159949. else
  159950. entropy->pub.finish_pass = finish_pass_phuff;
  159951. /* Only DC coefficients may be interleaved, so cinfo->comps_in_scan = 1
  159952. * for AC coefficients.
  159953. */
  159954. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  159955. compptr = cinfo->cur_comp_info[ci];
  159956. /* Initialize DC predictions to 0 */
  159957. entropy->last_dc_val[ci] = 0;
  159958. /* Get table index */
  159959. if (is_DC_band) {
  159960. if (cinfo->Ah != 0) /* DC refinement needs no table */
  159961. continue;
  159962. tbl = compptr->dc_tbl_no;
  159963. } else {
  159964. entropy->ac_tbl_no = tbl = compptr->ac_tbl_no;
  159965. }
  159966. if (gather_statistics) {
  159967. /* Check for invalid table index */
  159968. /* (make_c_derived_tbl does this in the other path) */
  159969. if (tbl < 0 || tbl >= NUM_HUFF_TBLS)
  159970. ERREXIT1(cinfo, JERR_NO_HUFF_TABLE, tbl);
  159971. /* Allocate and zero the statistics tables */
  159972. /* Note that jpeg_gen_optimal_table expects 257 entries in each table! */
  159973. if (entropy->count_ptrs[tbl] == NULL)
  159974. entropy->count_ptrs[tbl] = (long *)
  159975. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  159976. 257 * SIZEOF(long));
  159977. MEMZERO(entropy->count_ptrs[tbl], 257 * SIZEOF(long));
  159978. } else {
  159979. /* Compute derived values for Huffman table */
  159980. /* We may do this more than once for a table, but it's not expensive */
  159981. jpeg_make_c_derived_tbl(cinfo, is_DC_band, tbl,
  159982. & entropy->derived_tbls[tbl]);
  159983. }
  159984. }
  159985. /* Initialize AC stuff */
  159986. entropy->EOBRUN = 0;
  159987. entropy->BE = 0;
  159988. /* Initialize bit buffer to empty */
  159989. entropy->put_buffer = 0;
  159990. entropy->put_bits = 0;
  159991. /* Initialize restart stuff */
  159992. entropy->restarts_to_go = cinfo->restart_interval;
  159993. entropy->next_restart_num = 0;
  159994. }
  159995. /* Outputting bytes to the file.
  159996. * NB: these must be called only when actually outputting,
  159997. * that is, entropy->gather_statistics == FALSE.
  159998. */
  159999. /* Emit a byte */
  160000. #define emit_byte(entropy,val) \
  160001. { *(entropy)->next_output_byte++ = (JOCTET) (val); \
  160002. if (--(entropy)->free_in_buffer == 0) \
  160003. dump_buffer_p(entropy); }
  160004. LOCAL(void)
  160005. dump_buffer_p (phuff_entropy_ptr entropy)
  160006. /* Empty the output buffer; we do not support suspension in this module. */
  160007. {
  160008. struct jpeg_destination_mgr * dest = entropy->cinfo->dest;
  160009. if (! (*dest->empty_output_buffer) (entropy->cinfo))
  160010. ERREXIT(entropy->cinfo, JERR_CANT_SUSPEND);
  160011. /* After a successful buffer dump, must reset buffer pointers */
  160012. entropy->next_output_byte = dest->next_output_byte;
  160013. entropy->free_in_buffer = dest->free_in_buffer;
  160014. }
  160015. /* Outputting bits to the file */
  160016. /* Only the right 24 bits of put_buffer are used; the valid bits are
  160017. * left-justified in this part. At most 16 bits can be passed to emit_bits
  160018. * in one call, and we never retain more than 7 bits in put_buffer
  160019. * between calls, so 24 bits are sufficient.
  160020. */
  160021. INLINE
  160022. LOCAL(void)
  160023. emit_bits_p (phuff_entropy_ptr entropy, unsigned int code, int size)
  160024. /* Emit some bits, unless we are in gather mode */
  160025. {
  160026. /* This routine is heavily used, so it's worth coding tightly. */
  160027. register INT32 put_buffer = (INT32) code;
  160028. register int put_bits = entropy->put_bits;
  160029. /* if size is 0, caller used an invalid Huffman table entry */
  160030. if (size == 0)
  160031. ERREXIT(entropy->cinfo, JERR_HUFF_MISSING_CODE);
  160032. if (entropy->gather_statistics)
  160033. return; /* do nothing if we're only getting stats */
  160034. put_buffer &= (((INT32) 1)<<size) - 1; /* mask off any extra bits in code */
  160035. put_bits += size; /* new number of bits in buffer */
  160036. put_buffer <<= 24 - put_bits; /* align incoming bits */
  160037. put_buffer |= entropy->put_buffer; /* and merge with old buffer contents */
  160038. while (put_bits >= 8) {
  160039. int c = (int) ((put_buffer >> 16) & 0xFF);
  160040. emit_byte(entropy, c);
  160041. if (c == 0xFF) { /* need to stuff a zero byte? */
  160042. emit_byte(entropy, 0);
  160043. }
  160044. put_buffer <<= 8;
  160045. put_bits -= 8;
  160046. }
  160047. entropy->put_buffer = put_buffer; /* update variables */
  160048. entropy->put_bits = put_bits;
  160049. }
  160050. LOCAL(void)
  160051. flush_bits_p (phuff_entropy_ptr entropy)
  160052. {
  160053. emit_bits_p(entropy, 0x7F, 7); /* fill any partial byte with ones */
  160054. entropy->put_buffer = 0; /* and reset bit-buffer to empty */
  160055. entropy->put_bits = 0;
  160056. }
  160057. /*
  160058. * Emit (or just count) a Huffman symbol.
  160059. */
  160060. INLINE
  160061. LOCAL(void)
  160062. emit_symbol (phuff_entropy_ptr entropy, int tbl_no, int symbol)
  160063. {
  160064. if (entropy->gather_statistics)
  160065. entropy->count_ptrs[tbl_no][symbol]++;
  160066. else {
  160067. c_derived_tbl * tbl = entropy->derived_tbls[tbl_no];
  160068. emit_bits_p(entropy, tbl->ehufco[symbol], tbl->ehufsi[symbol]);
  160069. }
  160070. }
  160071. /*
  160072. * Emit bits from a correction bit buffer.
  160073. */
  160074. LOCAL(void)
  160075. emit_buffered_bits (phuff_entropy_ptr entropy, char * bufstart,
  160076. unsigned int nbits)
  160077. {
  160078. if (entropy->gather_statistics)
  160079. return; /* no real work */
  160080. while (nbits > 0) {
  160081. emit_bits_p(entropy, (unsigned int) (*bufstart), 1);
  160082. bufstart++;
  160083. nbits--;
  160084. }
  160085. }
  160086. /*
  160087. * Emit any pending EOBRUN symbol.
  160088. */
  160089. LOCAL(void)
  160090. emit_eobrun (phuff_entropy_ptr entropy)
  160091. {
  160092. register int temp, nbits;
  160093. if (entropy->EOBRUN > 0) { /* if there is any pending EOBRUN */
  160094. temp = entropy->EOBRUN;
  160095. nbits = 0;
  160096. while ((temp >>= 1))
  160097. nbits++;
  160098. /* safety check: shouldn't happen given limited correction-bit buffer */
  160099. if (nbits > 14)
  160100. ERREXIT(entropy->cinfo, JERR_HUFF_MISSING_CODE);
  160101. emit_symbol(entropy, entropy->ac_tbl_no, nbits << 4);
  160102. if (nbits)
  160103. emit_bits_p(entropy, entropy->EOBRUN, nbits);
  160104. entropy->EOBRUN = 0;
  160105. /* Emit any buffered correction bits */
  160106. emit_buffered_bits(entropy, entropy->bit_buffer, entropy->BE);
  160107. entropy->BE = 0;
  160108. }
  160109. }
  160110. /*
  160111. * Emit a restart marker & resynchronize predictions.
  160112. */
  160113. LOCAL(void)
  160114. emit_restart_p (phuff_entropy_ptr entropy, int restart_num)
  160115. {
  160116. int ci;
  160117. emit_eobrun(entropy);
  160118. if (! entropy->gather_statistics) {
  160119. flush_bits_p(entropy);
  160120. emit_byte(entropy, 0xFF);
  160121. emit_byte(entropy, JPEG_RST0 + restart_num);
  160122. }
  160123. if (entropy->cinfo->Ss == 0) {
  160124. /* Re-initialize DC predictions to 0 */
  160125. for (ci = 0; ci < entropy->cinfo->comps_in_scan; ci++)
  160126. entropy->last_dc_val[ci] = 0;
  160127. } else {
  160128. /* Re-initialize all AC-related fields to 0 */
  160129. entropy->EOBRUN = 0;
  160130. entropy->BE = 0;
  160131. }
  160132. }
  160133. /*
  160134. * MCU encoding for DC initial scan (either spectral selection,
  160135. * or first pass of successive approximation).
  160136. */
  160137. METHODDEF(boolean)
  160138. encode_mcu_DC_first (j_compress_ptr cinfo, JBLOCKROW *MCU_data)
  160139. {
  160140. phuff_entropy_ptr entropy = (phuff_entropy_ptr) cinfo->entropy;
  160141. register int temp, temp2;
  160142. register int nbits;
  160143. int blkn, ci;
  160144. int Al = cinfo->Al;
  160145. JBLOCKROW block;
  160146. jpeg_component_info * compptr;
  160147. ISHIFT_TEMPS
  160148. entropy->next_output_byte = cinfo->dest->next_output_byte;
  160149. entropy->free_in_buffer = cinfo->dest->free_in_buffer;
  160150. /* Emit restart marker if needed */
  160151. if (cinfo->restart_interval)
  160152. if (entropy->restarts_to_go == 0)
  160153. emit_restart_p(entropy, entropy->next_restart_num);
  160154. /* Encode the MCU data blocks */
  160155. for (blkn = 0; blkn < cinfo->blocks_in_MCU; blkn++) {
  160156. block = MCU_data[blkn];
  160157. ci = cinfo->MCU_membership[blkn];
  160158. compptr = cinfo->cur_comp_info[ci];
  160159. /* Compute the DC value after the required point transform by Al.
  160160. * This is simply an arithmetic right shift.
  160161. */
  160162. temp2 = IRIGHT_SHIFT((int) ((*block)[0]), Al);
  160163. /* DC differences are figured on the point-transformed values. */
  160164. temp = temp2 - entropy->last_dc_val[ci];
  160165. entropy->last_dc_val[ci] = temp2;
  160166. /* Encode the DC coefficient difference per section G.1.2.1 */
  160167. temp2 = temp;
  160168. if (temp < 0) {
  160169. temp = -temp; /* temp is abs value of input */
  160170. /* For a negative input, want temp2 = bitwise complement of abs(input) */
  160171. /* This code assumes we are on a two's complement machine */
  160172. temp2--;
  160173. }
  160174. /* Find the number of bits needed for the magnitude of the coefficient */
  160175. nbits = 0;
  160176. while (temp) {
  160177. nbits++;
  160178. temp >>= 1;
  160179. }
  160180. /* Check for out-of-range coefficient values.
  160181. * Since we're encoding a difference, the range limit is twice as much.
  160182. */
  160183. if (nbits > MAX_COEF_BITS+1)
  160184. ERREXIT(cinfo, JERR_BAD_DCT_COEF);
  160185. /* Count/emit the Huffman-coded symbol for the number of bits */
  160186. emit_symbol(entropy, compptr->dc_tbl_no, nbits);
  160187. /* Emit that number of bits of the value, if positive, */
  160188. /* or the complement of its magnitude, if negative. */
  160189. if (nbits) /* emit_bits rejects calls with size 0 */
  160190. emit_bits_p(entropy, (unsigned int) temp2, nbits);
  160191. }
  160192. cinfo->dest->next_output_byte = entropy->next_output_byte;
  160193. cinfo->dest->free_in_buffer = entropy->free_in_buffer;
  160194. /* Update restart-interval state too */
  160195. if (cinfo->restart_interval) {
  160196. if (entropy->restarts_to_go == 0) {
  160197. entropy->restarts_to_go = cinfo->restart_interval;
  160198. entropy->next_restart_num++;
  160199. entropy->next_restart_num &= 7;
  160200. }
  160201. entropy->restarts_to_go--;
  160202. }
  160203. return TRUE;
  160204. }
  160205. /*
  160206. * MCU encoding for AC initial scan (either spectral selection,
  160207. * or first pass of successive approximation).
  160208. */
  160209. METHODDEF(boolean)
  160210. encode_mcu_AC_first (j_compress_ptr cinfo, JBLOCKROW *MCU_data)
  160211. {
  160212. phuff_entropy_ptr entropy = (phuff_entropy_ptr) cinfo->entropy;
  160213. register int temp, temp2;
  160214. register int nbits;
  160215. register int r, k;
  160216. int Se = cinfo->Se;
  160217. int Al = cinfo->Al;
  160218. JBLOCKROW block;
  160219. entropy->next_output_byte = cinfo->dest->next_output_byte;
  160220. entropy->free_in_buffer = cinfo->dest->free_in_buffer;
  160221. /* Emit restart marker if needed */
  160222. if (cinfo->restart_interval)
  160223. if (entropy->restarts_to_go == 0)
  160224. emit_restart_p(entropy, entropy->next_restart_num);
  160225. /* Encode the MCU data block */
  160226. block = MCU_data[0];
  160227. /* Encode the AC coefficients per section G.1.2.2, fig. G.3 */
  160228. r = 0; /* r = run length of zeros */
  160229. for (k = cinfo->Ss; k <= Se; k++) {
  160230. if ((temp = (*block)[jpeg_natural_order[k]]) == 0) {
  160231. r++;
  160232. continue;
  160233. }
  160234. /* We must apply the point transform by Al. For AC coefficients this
  160235. * is an integer division with rounding towards 0. To do this portably
  160236. * in C, we shift after obtaining the absolute value; so the code is
  160237. * interwoven with finding the abs value (temp) and output bits (temp2).
  160238. */
  160239. if (temp < 0) {
  160240. temp = -temp; /* temp is abs value of input */
  160241. temp >>= Al; /* apply the point transform */
  160242. /* For a negative coef, want temp2 = bitwise complement of abs(coef) */
  160243. temp2 = ~temp;
  160244. } else {
  160245. temp >>= Al; /* apply the point transform */
  160246. temp2 = temp;
  160247. }
  160248. /* Watch out for case that nonzero coef is zero after point transform */
  160249. if (temp == 0) {
  160250. r++;
  160251. continue;
  160252. }
  160253. /* Emit any pending EOBRUN */
  160254. if (entropy->EOBRUN > 0)
  160255. emit_eobrun(entropy);
  160256. /* if run length > 15, must emit special run-length-16 codes (0xF0) */
  160257. while (r > 15) {
  160258. emit_symbol(entropy, entropy->ac_tbl_no, 0xF0);
  160259. r -= 16;
  160260. }
  160261. /* Find the number of bits needed for the magnitude of the coefficient */
  160262. nbits = 1; /* there must be at least one 1 bit */
  160263. while ((temp >>= 1))
  160264. nbits++;
  160265. /* Check for out-of-range coefficient values */
  160266. if (nbits > MAX_COEF_BITS)
  160267. ERREXIT(cinfo, JERR_BAD_DCT_COEF);
  160268. /* Count/emit Huffman symbol for run length / number of bits */
  160269. emit_symbol(entropy, entropy->ac_tbl_no, (r << 4) + nbits);
  160270. /* Emit that number of bits of the value, if positive, */
  160271. /* or the complement of its magnitude, if negative. */
  160272. emit_bits_p(entropy, (unsigned int) temp2, nbits);
  160273. r = 0; /* reset zero run length */
  160274. }
  160275. if (r > 0) { /* If there are trailing zeroes, */
  160276. entropy->EOBRUN++; /* count an EOB */
  160277. if (entropy->EOBRUN == 0x7FFF)
  160278. emit_eobrun(entropy); /* force it out to avoid overflow */
  160279. }
  160280. cinfo->dest->next_output_byte = entropy->next_output_byte;
  160281. cinfo->dest->free_in_buffer = entropy->free_in_buffer;
  160282. /* Update restart-interval state too */
  160283. if (cinfo->restart_interval) {
  160284. if (entropy->restarts_to_go == 0) {
  160285. entropy->restarts_to_go = cinfo->restart_interval;
  160286. entropy->next_restart_num++;
  160287. entropy->next_restart_num &= 7;
  160288. }
  160289. entropy->restarts_to_go--;
  160290. }
  160291. return TRUE;
  160292. }
  160293. /*
  160294. * MCU encoding for DC successive approximation refinement scan.
  160295. * Note: we assume such scans can be multi-component, although the spec
  160296. * is not very clear on the point.
  160297. */
  160298. METHODDEF(boolean)
  160299. encode_mcu_DC_refine (j_compress_ptr cinfo, JBLOCKROW *MCU_data)
  160300. {
  160301. phuff_entropy_ptr entropy = (phuff_entropy_ptr) cinfo->entropy;
  160302. register int temp;
  160303. int blkn;
  160304. int Al = cinfo->Al;
  160305. JBLOCKROW block;
  160306. entropy->next_output_byte = cinfo->dest->next_output_byte;
  160307. entropy->free_in_buffer = cinfo->dest->free_in_buffer;
  160308. /* Emit restart marker if needed */
  160309. if (cinfo->restart_interval)
  160310. if (entropy->restarts_to_go == 0)
  160311. emit_restart_p(entropy, entropy->next_restart_num);
  160312. /* Encode the MCU data blocks */
  160313. for (blkn = 0; blkn < cinfo->blocks_in_MCU; blkn++) {
  160314. block = MCU_data[blkn];
  160315. /* We simply emit the Al'th bit of the DC coefficient value. */
  160316. temp = (*block)[0];
  160317. emit_bits_p(entropy, (unsigned int) (temp >> Al), 1);
  160318. }
  160319. cinfo->dest->next_output_byte = entropy->next_output_byte;
  160320. cinfo->dest->free_in_buffer = entropy->free_in_buffer;
  160321. /* Update restart-interval state too */
  160322. if (cinfo->restart_interval) {
  160323. if (entropy->restarts_to_go == 0) {
  160324. entropy->restarts_to_go = cinfo->restart_interval;
  160325. entropy->next_restart_num++;
  160326. entropy->next_restart_num &= 7;
  160327. }
  160328. entropy->restarts_to_go--;
  160329. }
  160330. return TRUE;
  160331. }
  160332. /*
  160333. * MCU encoding for AC successive approximation refinement scan.
  160334. */
  160335. METHODDEF(boolean)
  160336. encode_mcu_AC_refine (j_compress_ptr cinfo, JBLOCKROW *MCU_data)
  160337. {
  160338. phuff_entropy_ptr entropy = (phuff_entropy_ptr) cinfo->entropy;
  160339. register int temp;
  160340. register int r, k;
  160341. int EOB;
  160342. char *BR_buffer;
  160343. unsigned int BR;
  160344. int Se = cinfo->Se;
  160345. int Al = cinfo->Al;
  160346. JBLOCKROW block;
  160347. int absvalues[DCTSIZE2];
  160348. entropy->next_output_byte = cinfo->dest->next_output_byte;
  160349. entropy->free_in_buffer = cinfo->dest->free_in_buffer;
  160350. /* Emit restart marker if needed */
  160351. if (cinfo->restart_interval)
  160352. if (entropy->restarts_to_go == 0)
  160353. emit_restart_p(entropy, entropy->next_restart_num);
  160354. /* Encode the MCU data block */
  160355. block = MCU_data[0];
  160356. /* It is convenient to make a pre-pass to determine the transformed
  160357. * coefficients' absolute values and the EOB position.
  160358. */
  160359. EOB = 0;
  160360. for (k = cinfo->Ss; k <= Se; k++) {
  160361. temp = (*block)[jpeg_natural_order[k]];
  160362. /* We must apply the point transform by Al. For AC coefficients this
  160363. * is an integer division with rounding towards 0. To do this portably
  160364. * in C, we shift after obtaining the absolute value.
  160365. */
  160366. if (temp < 0)
  160367. temp = -temp; /* temp is abs value of input */
  160368. temp >>= Al; /* apply the point transform */
  160369. absvalues[k] = temp; /* save abs value for main pass */
  160370. if (temp == 1)
  160371. EOB = k; /* EOB = index of last newly-nonzero coef */
  160372. }
  160373. /* Encode the AC coefficients per section G.1.2.3, fig. G.7 */
  160374. r = 0; /* r = run length of zeros */
  160375. BR = 0; /* BR = count of buffered bits added now */
  160376. BR_buffer = entropy->bit_buffer + entropy->BE; /* Append bits to buffer */
  160377. for (k = cinfo->Ss; k <= Se; k++) {
  160378. if ((temp = absvalues[k]) == 0) {
  160379. r++;
  160380. continue;
  160381. }
  160382. /* Emit any required ZRLs, but not if they can be folded into EOB */
  160383. while (r > 15 && k <= EOB) {
  160384. /* emit any pending EOBRUN and the BE correction bits */
  160385. emit_eobrun(entropy);
  160386. /* Emit ZRL */
  160387. emit_symbol(entropy, entropy->ac_tbl_no, 0xF0);
  160388. r -= 16;
  160389. /* Emit buffered correction bits that must be associated with ZRL */
  160390. emit_buffered_bits(entropy, BR_buffer, BR);
  160391. BR_buffer = entropy->bit_buffer; /* BE bits are gone now */
  160392. BR = 0;
  160393. }
  160394. /* If the coef was previously nonzero, it only needs a correction bit.
  160395. * NOTE: a straight translation of the spec's figure G.7 would suggest
  160396. * that we also need to test r > 15. But if r > 15, we can only get here
  160397. * if k > EOB, which implies that this coefficient is not 1.
  160398. */
  160399. if (temp > 1) {
  160400. /* The correction bit is the next bit of the absolute value. */
  160401. BR_buffer[BR++] = (char) (temp & 1);
  160402. continue;
  160403. }
  160404. /* Emit any pending EOBRUN and the BE correction bits */
  160405. emit_eobrun(entropy);
  160406. /* Count/emit Huffman symbol for run length / number of bits */
  160407. emit_symbol(entropy, entropy->ac_tbl_no, (r << 4) + 1);
  160408. /* Emit output bit for newly-nonzero coef */
  160409. temp = ((*block)[jpeg_natural_order[k]] < 0) ? 0 : 1;
  160410. emit_bits_p(entropy, (unsigned int) temp, 1);
  160411. /* Emit buffered correction bits that must be associated with this code */
  160412. emit_buffered_bits(entropy, BR_buffer, BR);
  160413. BR_buffer = entropy->bit_buffer; /* BE bits are gone now */
  160414. BR = 0;
  160415. r = 0; /* reset zero run length */
  160416. }
  160417. if (r > 0 || BR > 0) { /* If there are trailing zeroes, */
  160418. entropy->EOBRUN++; /* count an EOB */
  160419. entropy->BE += BR; /* concat my correction bits to older ones */
  160420. /* We force out the EOB if we risk either:
  160421. * 1. overflow of the EOB counter;
  160422. * 2. overflow of the correction bit buffer during the next MCU.
  160423. */
  160424. if (entropy->EOBRUN == 0x7FFF || entropy->BE > (MAX_CORR_BITS-DCTSIZE2+1))
  160425. emit_eobrun(entropy);
  160426. }
  160427. cinfo->dest->next_output_byte = entropy->next_output_byte;
  160428. cinfo->dest->free_in_buffer = entropy->free_in_buffer;
  160429. /* Update restart-interval state too */
  160430. if (cinfo->restart_interval) {
  160431. if (entropy->restarts_to_go == 0) {
  160432. entropy->restarts_to_go = cinfo->restart_interval;
  160433. entropy->next_restart_num++;
  160434. entropy->next_restart_num &= 7;
  160435. }
  160436. entropy->restarts_to_go--;
  160437. }
  160438. return TRUE;
  160439. }
  160440. /*
  160441. * Finish up at the end of a Huffman-compressed progressive scan.
  160442. */
  160443. METHODDEF(void)
  160444. finish_pass_phuff (j_compress_ptr cinfo)
  160445. {
  160446. phuff_entropy_ptr entropy = (phuff_entropy_ptr) cinfo->entropy;
  160447. entropy->next_output_byte = cinfo->dest->next_output_byte;
  160448. entropy->free_in_buffer = cinfo->dest->free_in_buffer;
  160449. /* Flush out any buffered data */
  160450. emit_eobrun(entropy);
  160451. flush_bits_p(entropy);
  160452. cinfo->dest->next_output_byte = entropy->next_output_byte;
  160453. cinfo->dest->free_in_buffer = entropy->free_in_buffer;
  160454. }
  160455. /*
  160456. * Finish up a statistics-gathering pass and create the new Huffman tables.
  160457. */
  160458. METHODDEF(void)
  160459. finish_pass_gather_phuff (j_compress_ptr cinfo)
  160460. {
  160461. phuff_entropy_ptr entropy = (phuff_entropy_ptr) cinfo->entropy;
  160462. boolean is_DC_band;
  160463. int ci, tbl;
  160464. jpeg_component_info * compptr;
  160465. JHUFF_TBL **htblptr;
  160466. boolean did[NUM_HUFF_TBLS];
  160467. /* Flush out buffered data (all we care about is counting the EOB symbol) */
  160468. emit_eobrun(entropy);
  160469. is_DC_band = (cinfo->Ss == 0);
  160470. /* It's important not to apply jpeg_gen_optimal_table more than once
  160471. * per table, because it clobbers the input frequency counts!
  160472. */
  160473. MEMZERO(did, SIZEOF(did));
  160474. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  160475. compptr = cinfo->cur_comp_info[ci];
  160476. if (is_DC_band) {
  160477. if (cinfo->Ah != 0) /* DC refinement needs no table */
  160478. continue;
  160479. tbl = compptr->dc_tbl_no;
  160480. } else {
  160481. tbl = compptr->ac_tbl_no;
  160482. }
  160483. if (! did[tbl]) {
  160484. if (is_DC_band)
  160485. htblptr = & cinfo->dc_huff_tbl_ptrs[tbl];
  160486. else
  160487. htblptr = & cinfo->ac_huff_tbl_ptrs[tbl];
  160488. if (*htblptr == NULL)
  160489. *htblptr = jpeg_alloc_huff_table((j_common_ptr) cinfo);
  160490. jpeg_gen_optimal_table(cinfo, *htblptr, entropy->count_ptrs[tbl]);
  160491. did[tbl] = TRUE;
  160492. }
  160493. }
  160494. }
  160495. /*
  160496. * Module initialization routine for progressive Huffman entropy encoding.
  160497. */
  160498. GLOBAL(void)
  160499. jinit_phuff_encoder (j_compress_ptr cinfo)
  160500. {
  160501. phuff_entropy_ptr entropy;
  160502. int i;
  160503. entropy = (phuff_entropy_ptr)
  160504. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  160505. SIZEOF(phuff_entropy_encoder));
  160506. cinfo->entropy = (struct jpeg_entropy_encoder *) entropy;
  160507. entropy->pub.start_pass = start_pass_phuff;
  160508. /* Mark tables unallocated */
  160509. for (i = 0; i < NUM_HUFF_TBLS; i++) {
  160510. entropy->derived_tbls[i] = NULL;
  160511. entropy->count_ptrs[i] = NULL;
  160512. }
  160513. entropy->bit_buffer = NULL; /* needed only in AC refinement scan */
  160514. }
  160515. #endif /* C_PROGRESSIVE_SUPPORTED */
  160516. /********* End of inlined file: jcphuff.c *********/
  160517. /********* Start of inlined file: jcprepct.c *********/
  160518. #define JPEG_INTERNALS
  160519. /* At present, jcsample.c can request context rows only for smoothing.
  160520. * In the future, we might also need context rows for CCIR601 sampling
  160521. * or other more-complex downsampling procedures. The code to support
  160522. * context rows should be compiled only if needed.
  160523. */
  160524. #ifdef INPUT_SMOOTHING_SUPPORTED
  160525. #define CONTEXT_ROWS_SUPPORTED
  160526. #endif
  160527. /*
  160528. * For the simple (no-context-row) case, we just need to buffer one
  160529. * row group's worth of pixels for the downsampling step. At the bottom of
  160530. * the image, we pad to a full row group by replicating the last pixel row.
  160531. * The downsampler's last output row is then replicated if needed to pad
  160532. * out to a full iMCU row.
  160533. *
  160534. * When providing context rows, we must buffer three row groups' worth of
  160535. * pixels. Three row groups are physically allocated, but the row pointer
  160536. * arrays are made five row groups high, with the extra pointers above and
  160537. * below "wrapping around" to point to the last and first real row groups.
  160538. * This allows the downsampler to access the proper context rows.
  160539. * At the top and bottom of the image, we create dummy context rows by
  160540. * copying the first or last real pixel row. This copying could be avoided
  160541. * by pointer hacking as is done in jdmainct.c, but it doesn't seem worth the
  160542. * trouble on the compression side.
  160543. */
  160544. /* Private buffer controller object */
  160545. typedef struct {
  160546. struct jpeg_c_prep_controller pub; /* public fields */
  160547. /* Downsampling input buffer. This buffer holds color-converted data
  160548. * until we have enough to do a downsample step.
  160549. */
  160550. JSAMPARRAY color_buf[MAX_COMPONENTS];
  160551. JDIMENSION rows_to_go; /* counts rows remaining in source image */
  160552. int next_buf_row; /* index of next row to store in color_buf */
  160553. #ifdef CONTEXT_ROWS_SUPPORTED /* only needed for context case */
  160554. int this_row_group; /* starting row index of group to process */
  160555. int next_buf_stop; /* downsample when we reach this index */
  160556. #endif
  160557. } my_prep_controller;
  160558. typedef my_prep_controller * my_prep_ptr;
  160559. /*
  160560. * Initialize for a processing pass.
  160561. */
  160562. METHODDEF(void)
  160563. start_pass_prep (j_compress_ptr cinfo, J_BUF_MODE pass_mode)
  160564. {
  160565. my_prep_ptr prep = (my_prep_ptr) cinfo->prep;
  160566. if (pass_mode != JBUF_PASS_THRU)
  160567. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  160568. /* Initialize total-height counter for detecting bottom of image */
  160569. prep->rows_to_go = cinfo->image_height;
  160570. /* Mark the conversion buffer empty */
  160571. prep->next_buf_row = 0;
  160572. #ifdef CONTEXT_ROWS_SUPPORTED
  160573. /* Preset additional state variables for context mode.
  160574. * These aren't used in non-context mode, so we needn't test which mode.
  160575. */
  160576. prep->this_row_group = 0;
  160577. /* Set next_buf_stop to stop after two row groups have been read in. */
  160578. prep->next_buf_stop = 2 * cinfo->max_v_samp_factor;
  160579. #endif
  160580. }
  160581. /*
  160582. * Expand an image vertically from height input_rows to height output_rows,
  160583. * by duplicating the bottom row.
  160584. */
  160585. LOCAL(void)
  160586. expand_bottom_edge (JSAMPARRAY image_data, JDIMENSION num_cols,
  160587. int input_rows, int output_rows)
  160588. {
  160589. register int row;
  160590. for (row = input_rows; row < output_rows; row++) {
  160591. jcopy_sample_rows(image_data, input_rows-1, image_data, row,
  160592. 1, num_cols);
  160593. }
  160594. }
  160595. /*
  160596. * Process some data in the simple no-context case.
  160597. *
  160598. * Preprocessor output data is counted in "row groups". A row group
  160599. * is defined to be v_samp_factor sample rows of each component.
  160600. * Downsampling will produce this much data from each max_v_samp_factor
  160601. * input rows.
  160602. */
  160603. METHODDEF(void)
  160604. pre_process_data (j_compress_ptr cinfo,
  160605. JSAMPARRAY input_buf, JDIMENSION *in_row_ctr,
  160606. JDIMENSION in_rows_avail,
  160607. JSAMPIMAGE output_buf, JDIMENSION *out_row_group_ctr,
  160608. JDIMENSION out_row_groups_avail)
  160609. {
  160610. my_prep_ptr prep = (my_prep_ptr) cinfo->prep;
  160611. int numrows, ci;
  160612. JDIMENSION inrows;
  160613. jpeg_component_info * compptr;
  160614. while (*in_row_ctr < in_rows_avail &&
  160615. *out_row_group_ctr < out_row_groups_avail) {
  160616. /* Do color conversion to fill the conversion buffer. */
  160617. inrows = in_rows_avail - *in_row_ctr;
  160618. numrows = cinfo->max_v_samp_factor - prep->next_buf_row;
  160619. numrows = (int) MIN((JDIMENSION) numrows, inrows);
  160620. (*cinfo->cconvert->color_convert) (cinfo, input_buf + *in_row_ctr,
  160621. prep->color_buf,
  160622. (JDIMENSION) prep->next_buf_row,
  160623. numrows);
  160624. *in_row_ctr += numrows;
  160625. prep->next_buf_row += numrows;
  160626. prep->rows_to_go -= numrows;
  160627. /* If at bottom of image, pad to fill the conversion buffer. */
  160628. if (prep->rows_to_go == 0 &&
  160629. prep->next_buf_row < cinfo->max_v_samp_factor) {
  160630. for (ci = 0; ci < cinfo->num_components; ci++) {
  160631. expand_bottom_edge(prep->color_buf[ci], cinfo->image_width,
  160632. prep->next_buf_row, cinfo->max_v_samp_factor);
  160633. }
  160634. prep->next_buf_row = cinfo->max_v_samp_factor;
  160635. }
  160636. /* If we've filled the conversion buffer, empty it. */
  160637. if (prep->next_buf_row == cinfo->max_v_samp_factor) {
  160638. (*cinfo->downsample->downsample) (cinfo,
  160639. prep->color_buf, (JDIMENSION) 0,
  160640. output_buf, *out_row_group_ctr);
  160641. prep->next_buf_row = 0;
  160642. (*out_row_group_ctr)++;
  160643. }
  160644. /* If at bottom of image, pad the output to a full iMCU height.
  160645. * Note we assume the caller is providing a one-iMCU-height output buffer!
  160646. */
  160647. if (prep->rows_to_go == 0 &&
  160648. *out_row_group_ctr < out_row_groups_avail) {
  160649. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  160650. ci++, compptr++) {
  160651. expand_bottom_edge(output_buf[ci],
  160652. compptr->width_in_blocks * DCTSIZE,
  160653. (int) (*out_row_group_ctr * compptr->v_samp_factor),
  160654. (int) (out_row_groups_avail * compptr->v_samp_factor));
  160655. }
  160656. *out_row_group_ctr = out_row_groups_avail;
  160657. break; /* can exit outer loop without test */
  160658. }
  160659. }
  160660. }
  160661. #ifdef CONTEXT_ROWS_SUPPORTED
  160662. /*
  160663. * Process some data in the context case.
  160664. */
  160665. METHODDEF(void)
  160666. pre_process_context (j_compress_ptr cinfo,
  160667. JSAMPARRAY input_buf, JDIMENSION *in_row_ctr,
  160668. JDIMENSION in_rows_avail,
  160669. JSAMPIMAGE output_buf, JDIMENSION *out_row_group_ctr,
  160670. JDIMENSION out_row_groups_avail)
  160671. {
  160672. my_prep_ptr prep = (my_prep_ptr) cinfo->prep;
  160673. int numrows, ci;
  160674. int buf_height = cinfo->max_v_samp_factor * 3;
  160675. JDIMENSION inrows;
  160676. while (*out_row_group_ctr < out_row_groups_avail) {
  160677. if (*in_row_ctr < in_rows_avail) {
  160678. /* Do color conversion to fill the conversion buffer. */
  160679. inrows = in_rows_avail - *in_row_ctr;
  160680. numrows = prep->next_buf_stop - prep->next_buf_row;
  160681. numrows = (int) MIN((JDIMENSION) numrows, inrows);
  160682. (*cinfo->cconvert->color_convert) (cinfo, input_buf + *in_row_ctr,
  160683. prep->color_buf,
  160684. (JDIMENSION) prep->next_buf_row,
  160685. numrows);
  160686. /* Pad at top of image, if first time through */
  160687. if (prep->rows_to_go == cinfo->image_height) {
  160688. for (ci = 0; ci < cinfo->num_components; ci++) {
  160689. int row;
  160690. for (row = 1; row <= cinfo->max_v_samp_factor; row++) {
  160691. jcopy_sample_rows(prep->color_buf[ci], 0,
  160692. prep->color_buf[ci], -row,
  160693. 1, cinfo->image_width);
  160694. }
  160695. }
  160696. }
  160697. *in_row_ctr += numrows;
  160698. prep->next_buf_row += numrows;
  160699. prep->rows_to_go -= numrows;
  160700. } else {
  160701. /* Return for more data, unless we are at the bottom of the image. */
  160702. if (prep->rows_to_go != 0)
  160703. break;
  160704. /* When at bottom of image, pad to fill the conversion buffer. */
  160705. if (prep->next_buf_row < prep->next_buf_stop) {
  160706. for (ci = 0; ci < cinfo->num_components; ci++) {
  160707. expand_bottom_edge(prep->color_buf[ci], cinfo->image_width,
  160708. prep->next_buf_row, prep->next_buf_stop);
  160709. }
  160710. prep->next_buf_row = prep->next_buf_stop;
  160711. }
  160712. }
  160713. /* If we've gotten enough data, downsample a row group. */
  160714. if (prep->next_buf_row == prep->next_buf_stop) {
  160715. (*cinfo->downsample->downsample) (cinfo,
  160716. prep->color_buf,
  160717. (JDIMENSION) prep->this_row_group,
  160718. output_buf, *out_row_group_ctr);
  160719. (*out_row_group_ctr)++;
  160720. /* Advance pointers with wraparound as necessary. */
  160721. prep->this_row_group += cinfo->max_v_samp_factor;
  160722. if (prep->this_row_group >= buf_height)
  160723. prep->this_row_group = 0;
  160724. if (prep->next_buf_row >= buf_height)
  160725. prep->next_buf_row = 0;
  160726. prep->next_buf_stop = prep->next_buf_row + cinfo->max_v_samp_factor;
  160727. }
  160728. }
  160729. }
  160730. /*
  160731. * Create the wrapped-around downsampling input buffer needed for context mode.
  160732. */
  160733. LOCAL(void)
  160734. create_context_buffer (j_compress_ptr cinfo)
  160735. {
  160736. my_prep_ptr prep = (my_prep_ptr) cinfo->prep;
  160737. int rgroup_height = cinfo->max_v_samp_factor;
  160738. int ci, i;
  160739. jpeg_component_info * compptr;
  160740. JSAMPARRAY true_buffer, fake_buffer;
  160741. /* Grab enough space for fake row pointers for all the components;
  160742. * we need five row groups' worth of pointers for each component.
  160743. */
  160744. fake_buffer = (JSAMPARRAY)
  160745. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  160746. (cinfo->num_components * 5 * rgroup_height) *
  160747. SIZEOF(JSAMPROW));
  160748. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  160749. ci++, compptr++) {
  160750. /* Allocate the actual buffer space (3 row groups) for this component.
  160751. * We make the buffer wide enough to allow the downsampler to edge-expand
  160752. * horizontally within the buffer, if it so chooses.
  160753. */
  160754. true_buffer = (*cinfo->mem->alloc_sarray)
  160755. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  160756. (JDIMENSION) (((long) compptr->width_in_blocks * DCTSIZE *
  160757. cinfo->max_h_samp_factor) / compptr->h_samp_factor),
  160758. (JDIMENSION) (3 * rgroup_height));
  160759. /* Copy true buffer row pointers into the middle of the fake row array */
  160760. MEMCOPY(fake_buffer + rgroup_height, true_buffer,
  160761. 3 * rgroup_height * SIZEOF(JSAMPROW));
  160762. /* Fill in the above and below wraparound pointers */
  160763. for (i = 0; i < rgroup_height; i++) {
  160764. fake_buffer[i] = true_buffer[2 * rgroup_height + i];
  160765. fake_buffer[4 * rgroup_height + i] = true_buffer[i];
  160766. }
  160767. prep->color_buf[ci] = fake_buffer + rgroup_height;
  160768. fake_buffer += 5 * rgroup_height; /* point to space for next component */
  160769. }
  160770. }
  160771. #endif /* CONTEXT_ROWS_SUPPORTED */
  160772. /*
  160773. * Initialize preprocessing controller.
  160774. */
  160775. GLOBAL(void)
  160776. jinit_c_prep_controller (j_compress_ptr cinfo, boolean need_full_buffer)
  160777. {
  160778. my_prep_ptr prep;
  160779. int ci;
  160780. jpeg_component_info * compptr;
  160781. if (need_full_buffer) /* safety check */
  160782. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  160783. prep = (my_prep_ptr)
  160784. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  160785. SIZEOF(my_prep_controller));
  160786. cinfo->prep = (struct jpeg_c_prep_controller *) prep;
  160787. prep->pub.start_pass = start_pass_prep;
  160788. /* Allocate the color conversion buffer.
  160789. * We make the buffer wide enough to allow the downsampler to edge-expand
  160790. * horizontally within the buffer, if it so chooses.
  160791. */
  160792. if (cinfo->downsample->need_context_rows) {
  160793. /* Set up to provide context rows */
  160794. #ifdef CONTEXT_ROWS_SUPPORTED
  160795. prep->pub.pre_process_data = pre_process_context;
  160796. create_context_buffer(cinfo);
  160797. #else
  160798. ERREXIT(cinfo, JERR_NOT_COMPILED);
  160799. #endif
  160800. } else {
  160801. /* No context, just make it tall enough for one row group */
  160802. prep->pub.pre_process_data = pre_process_data;
  160803. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  160804. ci++, compptr++) {
  160805. prep->color_buf[ci] = (*cinfo->mem->alloc_sarray)
  160806. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  160807. (JDIMENSION) (((long) compptr->width_in_blocks * DCTSIZE *
  160808. cinfo->max_h_samp_factor) / compptr->h_samp_factor),
  160809. (JDIMENSION) cinfo->max_v_samp_factor);
  160810. }
  160811. }
  160812. }
  160813. /********* End of inlined file: jcprepct.c *********/
  160814. /********* Start of inlined file: jcsample.c *********/
  160815. #define JPEG_INTERNALS
  160816. /* Pointer to routine to downsample a single component */
  160817. typedef JMETHOD(void, downsample1_ptr,
  160818. (j_compress_ptr cinfo, jpeg_component_info * compptr,
  160819. JSAMPARRAY input_data, JSAMPARRAY output_data));
  160820. /* Private subobject */
  160821. typedef struct {
  160822. struct jpeg_downsampler pub; /* public fields */
  160823. /* Downsampling method pointers, one per component */
  160824. downsample1_ptr methods[MAX_COMPONENTS];
  160825. } my_downsampler;
  160826. typedef my_downsampler * my_downsample_ptr;
  160827. /*
  160828. * Initialize for a downsampling pass.
  160829. */
  160830. METHODDEF(void)
  160831. start_pass_downsample (j_compress_ptr cinfo)
  160832. {
  160833. /* no work for now */
  160834. }
  160835. /*
  160836. * Expand a component horizontally from width input_cols to width output_cols,
  160837. * by duplicating the rightmost samples.
  160838. */
  160839. LOCAL(void)
  160840. expand_right_edge (JSAMPARRAY image_data, int num_rows,
  160841. JDIMENSION input_cols, JDIMENSION output_cols)
  160842. {
  160843. register JSAMPROW ptr;
  160844. register JSAMPLE pixval;
  160845. register int count;
  160846. int row;
  160847. int numcols = (int) (output_cols - input_cols);
  160848. if (numcols > 0) {
  160849. for (row = 0; row < num_rows; row++) {
  160850. ptr = image_data[row] + input_cols;
  160851. pixval = ptr[-1]; /* don't need GETJSAMPLE() here */
  160852. for (count = numcols; count > 0; count--)
  160853. *ptr++ = pixval;
  160854. }
  160855. }
  160856. }
  160857. /*
  160858. * Do downsampling for a whole row group (all components).
  160859. *
  160860. * In this version we simply downsample each component independently.
  160861. */
  160862. METHODDEF(void)
  160863. sep_downsample (j_compress_ptr cinfo,
  160864. JSAMPIMAGE input_buf, JDIMENSION in_row_index,
  160865. JSAMPIMAGE output_buf, JDIMENSION out_row_group_index)
  160866. {
  160867. my_downsample_ptr downsample = (my_downsample_ptr) cinfo->downsample;
  160868. int ci;
  160869. jpeg_component_info * compptr;
  160870. JSAMPARRAY in_ptr, out_ptr;
  160871. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  160872. ci++, compptr++) {
  160873. in_ptr = input_buf[ci] + in_row_index;
  160874. out_ptr = output_buf[ci] + (out_row_group_index * compptr->v_samp_factor);
  160875. (*downsample->methods[ci]) (cinfo, compptr, in_ptr, out_ptr);
  160876. }
  160877. }
  160878. /*
  160879. * Downsample pixel values of a single component.
  160880. * One row group is processed per call.
  160881. * This version handles arbitrary integral sampling ratios, without smoothing.
  160882. * Note that this version is not actually used for customary sampling ratios.
  160883. */
  160884. METHODDEF(void)
  160885. int_downsample (j_compress_ptr cinfo, jpeg_component_info * compptr,
  160886. JSAMPARRAY input_data, JSAMPARRAY output_data)
  160887. {
  160888. int inrow, outrow, h_expand, v_expand, numpix, numpix2, h, v;
  160889. JDIMENSION outcol, outcol_h; /* outcol_h == outcol*h_expand */
  160890. JDIMENSION output_cols = compptr->width_in_blocks * DCTSIZE;
  160891. JSAMPROW inptr, outptr;
  160892. INT32 outvalue;
  160893. h_expand = cinfo->max_h_samp_factor / compptr->h_samp_factor;
  160894. v_expand = cinfo->max_v_samp_factor / compptr->v_samp_factor;
  160895. numpix = h_expand * v_expand;
  160896. numpix2 = numpix/2;
  160897. /* Expand input data enough to let all the output samples be generated
  160898. * by the standard loop. Special-casing padded output would be more
  160899. * efficient.
  160900. */
  160901. expand_right_edge(input_data, cinfo->max_v_samp_factor,
  160902. cinfo->image_width, output_cols * h_expand);
  160903. inrow = 0;
  160904. for (outrow = 0; outrow < compptr->v_samp_factor; outrow++) {
  160905. outptr = output_data[outrow];
  160906. for (outcol = 0, outcol_h = 0; outcol < output_cols;
  160907. outcol++, outcol_h += h_expand) {
  160908. outvalue = 0;
  160909. for (v = 0; v < v_expand; v++) {
  160910. inptr = input_data[inrow+v] + outcol_h;
  160911. for (h = 0; h < h_expand; h++) {
  160912. outvalue += (INT32) GETJSAMPLE(*inptr++);
  160913. }
  160914. }
  160915. *outptr++ = (JSAMPLE) ((outvalue + numpix2) / numpix);
  160916. }
  160917. inrow += v_expand;
  160918. }
  160919. }
  160920. /*
  160921. * Downsample pixel values of a single component.
  160922. * This version handles the special case of a full-size component,
  160923. * without smoothing.
  160924. */
  160925. METHODDEF(void)
  160926. fullsize_downsample (j_compress_ptr cinfo, jpeg_component_info * compptr,
  160927. JSAMPARRAY input_data, JSAMPARRAY output_data)
  160928. {
  160929. /* Copy the data */
  160930. jcopy_sample_rows(input_data, 0, output_data, 0,
  160931. cinfo->max_v_samp_factor, cinfo->image_width);
  160932. /* Edge-expand */
  160933. expand_right_edge(output_data, cinfo->max_v_samp_factor,
  160934. cinfo->image_width, compptr->width_in_blocks * DCTSIZE);
  160935. }
  160936. /*
  160937. * Downsample pixel values of a single component.
  160938. * This version handles the common case of 2:1 horizontal and 1:1 vertical,
  160939. * without smoothing.
  160940. *
  160941. * A note about the "bias" calculations: when rounding fractional values to
  160942. * integer, we do not want to always round 0.5 up to the next integer.
  160943. * If we did that, we'd introduce a noticeable bias towards larger values.
  160944. * Instead, this code is arranged so that 0.5 will be rounded up or down at
  160945. * alternate pixel locations (a simple ordered dither pattern).
  160946. */
  160947. METHODDEF(void)
  160948. h2v1_downsample (j_compress_ptr cinfo, jpeg_component_info * compptr,
  160949. JSAMPARRAY input_data, JSAMPARRAY output_data)
  160950. {
  160951. int outrow;
  160952. JDIMENSION outcol;
  160953. JDIMENSION output_cols = compptr->width_in_blocks * DCTSIZE;
  160954. register JSAMPROW inptr, outptr;
  160955. register int bias;
  160956. /* Expand input data enough to let all the output samples be generated
  160957. * by the standard loop. Special-casing padded output would be more
  160958. * efficient.
  160959. */
  160960. expand_right_edge(input_data, cinfo->max_v_samp_factor,
  160961. cinfo->image_width, output_cols * 2);
  160962. for (outrow = 0; outrow < compptr->v_samp_factor; outrow++) {
  160963. outptr = output_data[outrow];
  160964. inptr = input_data[outrow];
  160965. bias = 0; /* bias = 0,1,0,1,... for successive samples */
  160966. for (outcol = 0; outcol < output_cols; outcol++) {
  160967. *outptr++ = (JSAMPLE) ((GETJSAMPLE(*inptr) + GETJSAMPLE(inptr[1])
  160968. + bias) >> 1);
  160969. bias ^= 1; /* 0=>1, 1=>0 */
  160970. inptr += 2;
  160971. }
  160972. }
  160973. }
  160974. /*
  160975. * Downsample pixel values of a single component.
  160976. * This version handles the standard case of 2:1 horizontal and 2:1 vertical,
  160977. * without smoothing.
  160978. */
  160979. METHODDEF(void)
  160980. h2v2_downsample (j_compress_ptr cinfo, jpeg_component_info * compptr,
  160981. JSAMPARRAY input_data, JSAMPARRAY output_data)
  160982. {
  160983. int inrow, outrow;
  160984. JDIMENSION outcol;
  160985. JDIMENSION output_cols = compptr->width_in_blocks * DCTSIZE;
  160986. register JSAMPROW inptr0, inptr1, outptr;
  160987. register int bias;
  160988. /* Expand input data enough to let all the output samples be generated
  160989. * by the standard loop. Special-casing padded output would be more
  160990. * efficient.
  160991. */
  160992. expand_right_edge(input_data, cinfo->max_v_samp_factor,
  160993. cinfo->image_width, output_cols * 2);
  160994. inrow = 0;
  160995. for (outrow = 0; outrow < compptr->v_samp_factor; outrow++) {
  160996. outptr = output_data[outrow];
  160997. inptr0 = input_data[inrow];
  160998. inptr1 = input_data[inrow+1];
  160999. bias = 1; /* bias = 1,2,1,2,... for successive samples */
  161000. for (outcol = 0; outcol < output_cols; outcol++) {
  161001. *outptr++ = (JSAMPLE) ((GETJSAMPLE(*inptr0) + GETJSAMPLE(inptr0[1]) +
  161002. GETJSAMPLE(*inptr1) + GETJSAMPLE(inptr1[1])
  161003. + bias) >> 2);
  161004. bias ^= 3; /* 1=>2, 2=>1 */
  161005. inptr0 += 2; inptr1 += 2;
  161006. }
  161007. inrow += 2;
  161008. }
  161009. }
  161010. #ifdef INPUT_SMOOTHING_SUPPORTED
  161011. /*
  161012. * Downsample pixel values of a single component.
  161013. * This version handles the standard case of 2:1 horizontal and 2:1 vertical,
  161014. * with smoothing. One row of context is required.
  161015. */
  161016. METHODDEF(void)
  161017. h2v2_smooth_downsample (j_compress_ptr cinfo, jpeg_component_info * compptr,
  161018. JSAMPARRAY input_data, JSAMPARRAY output_data)
  161019. {
  161020. int inrow, outrow;
  161021. JDIMENSION colctr;
  161022. JDIMENSION output_cols = compptr->width_in_blocks * DCTSIZE;
  161023. register JSAMPROW inptr0, inptr1, above_ptr, below_ptr, outptr;
  161024. INT32 membersum, neighsum, memberscale, neighscale;
  161025. /* Expand input data enough to let all the output samples be generated
  161026. * by the standard loop. Special-casing padded output would be more
  161027. * efficient.
  161028. */
  161029. expand_right_edge(input_data - 1, cinfo->max_v_samp_factor + 2,
  161030. cinfo->image_width, output_cols * 2);
  161031. /* We don't bother to form the individual "smoothed" input pixel values;
  161032. * we can directly compute the output which is the average of the four
  161033. * smoothed values. Each of the four member pixels contributes a fraction
  161034. * (1-8*SF) to its own smoothed image and a fraction SF to each of the three
  161035. * other smoothed pixels, therefore a total fraction (1-5*SF)/4 to the final
  161036. * output. The four corner-adjacent neighbor pixels contribute a fraction
  161037. * SF to just one smoothed pixel, or SF/4 to the final output; while the
  161038. * eight edge-adjacent neighbors contribute SF to each of two smoothed
  161039. * pixels, or SF/2 overall. In order to use integer arithmetic, these
  161040. * factors are scaled by 2^16 = 65536.
  161041. * Also recall that SF = smoothing_factor / 1024.
  161042. */
  161043. memberscale = 16384 - cinfo->smoothing_factor * 80; /* scaled (1-5*SF)/4 */
  161044. neighscale = cinfo->smoothing_factor * 16; /* scaled SF/4 */
  161045. inrow = 0;
  161046. for (outrow = 0; outrow < compptr->v_samp_factor; outrow++) {
  161047. outptr = output_data[outrow];
  161048. inptr0 = input_data[inrow];
  161049. inptr1 = input_data[inrow+1];
  161050. above_ptr = input_data[inrow-1];
  161051. below_ptr = input_data[inrow+2];
  161052. /* Special case for first column: pretend column -1 is same as column 0 */
  161053. membersum = GETJSAMPLE(*inptr0) + GETJSAMPLE(inptr0[1]) +
  161054. GETJSAMPLE(*inptr1) + GETJSAMPLE(inptr1[1]);
  161055. neighsum = GETJSAMPLE(*above_ptr) + GETJSAMPLE(above_ptr[1]) +
  161056. GETJSAMPLE(*below_ptr) + GETJSAMPLE(below_ptr[1]) +
  161057. GETJSAMPLE(*inptr0) + GETJSAMPLE(inptr0[2]) +
  161058. GETJSAMPLE(*inptr1) + GETJSAMPLE(inptr1[2]);
  161059. neighsum += neighsum;
  161060. neighsum += GETJSAMPLE(*above_ptr) + GETJSAMPLE(above_ptr[2]) +
  161061. GETJSAMPLE(*below_ptr) + GETJSAMPLE(below_ptr[2]);
  161062. membersum = membersum * memberscale + neighsum * neighscale;
  161063. *outptr++ = (JSAMPLE) ((membersum + 32768) >> 16);
  161064. inptr0 += 2; inptr1 += 2; above_ptr += 2; below_ptr += 2;
  161065. for (colctr = output_cols - 2; colctr > 0; colctr--) {
  161066. /* sum of pixels directly mapped to this output element */
  161067. membersum = GETJSAMPLE(*inptr0) + GETJSAMPLE(inptr0[1]) +
  161068. GETJSAMPLE(*inptr1) + GETJSAMPLE(inptr1[1]);
  161069. /* sum of edge-neighbor pixels */
  161070. neighsum = GETJSAMPLE(*above_ptr) + GETJSAMPLE(above_ptr[1]) +
  161071. GETJSAMPLE(*below_ptr) + GETJSAMPLE(below_ptr[1]) +
  161072. GETJSAMPLE(inptr0[-1]) + GETJSAMPLE(inptr0[2]) +
  161073. GETJSAMPLE(inptr1[-1]) + GETJSAMPLE(inptr1[2]);
  161074. /* The edge-neighbors count twice as much as corner-neighbors */
  161075. neighsum += neighsum;
  161076. /* Add in the corner-neighbors */
  161077. neighsum += GETJSAMPLE(above_ptr[-1]) + GETJSAMPLE(above_ptr[2]) +
  161078. GETJSAMPLE(below_ptr[-1]) + GETJSAMPLE(below_ptr[2]);
  161079. /* form final output scaled up by 2^16 */
  161080. membersum = membersum * memberscale + neighsum * neighscale;
  161081. /* round, descale and output it */
  161082. *outptr++ = (JSAMPLE) ((membersum + 32768) >> 16);
  161083. inptr0 += 2; inptr1 += 2; above_ptr += 2; below_ptr += 2;
  161084. }
  161085. /* Special case for last column */
  161086. membersum = GETJSAMPLE(*inptr0) + GETJSAMPLE(inptr0[1]) +
  161087. GETJSAMPLE(*inptr1) + GETJSAMPLE(inptr1[1]);
  161088. neighsum = GETJSAMPLE(*above_ptr) + GETJSAMPLE(above_ptr[1]) +
  161089. GETJSAMPLE(*below_ptr) + GETJSAMPLE(below_ptr[1]) +
  161090. GETJSAMPLE(inptr0[-1]) + GETJSAMPLE(inptr0[1]) +
  161091. GETJSAMPLE(inptr1[-1]) + GETJSAMPLE(inptr1[1]);
  161092. neighsum += neighsum;
  161093. neighsum += GETJSAMPLE(above_ptr[-1]) + GETJSAMPLE(above_ptr[1]) +
  161094. GETJSAMPLE(below_ptr[-1]) + GETJSAMPLE(below_ptr[1]);
  161095. membersum = membersum * memberscale + neighsum * neighscale;
  161096. *outptr = (JSAMPLE) ((membersum + 32768) >> 16);
  161097. inrow += 2;
  161098. }
  161099. }
  161100. /*
  161101. * Downsample pixel values of a single component.
  161102. * This version handles the special case of a full-size component,
  161103. * with smoothing. One row of context is required.
  161104. */
  161105. METHODDEF(void)
  161106. fullsize_smooth_downsample (j_compress_ptr cinfo, jpeg_component_info *compptr,
  161107. JSAMPARRAY input_data, JSAMPARRAY output_data)
  161108. {
  161109. int outrow;
  161110. JDIMENSION colctr;
  161111. JDIMENSION output_cols = compptr->width_in_blocks * DCTSIZE;
  161112. register JSAMPROW inptr, above_ptr, below_ptr, outptr;
  161113. INT32 membersum, neighsum, memberscale, neighscale;
  161114. int colsum, lastcolsum, nextcolsum;
  161115. /* Expand input data enough to let all the output samples be generated
  161116. * by the standard loop. Special-casing padded output would be more
  161117. * efficient.
  161118. */
  161119. expand_right_edge(input_data - 1, cinfo->max_v_samp_factor + 2,
  161120. cinfo->image_width, output_cols);
  161121. /* Each of the eight neighbor pixels contributes a fraction SF to the
  161122. * smoothed pixel, while the main pixel contributes (1-8*SF). In order
  161123. * to use integer arithmetic, these factors are multiplied by 2^16 = 65536.
  161124. * Also recall that SF = smoothing_factor / 1024.
  161125. */
  161126. memberscale = 65536L - cinfo->smoothing_factor * 512L; /* scaled 1-8*SF */
  161127. neighscale = cinfo->smoothing_factor * 64; /* scaled SF */
  161128. for (outrow = 0; outrow < compptr->v_samp_factor; outrow++) {
  161129. outptr = output_data[outrow];
  161130. inptr = input_data[outrow];
  161131. above_ptr = input_data[outrow-1];
  161132. below_ptr = input_data[outrow+1];
  161133. /* Special case for first column */
  161134. colsum = GETJSAMPLE(*above_ptr++) + GETJSAMPLE(*below_ptr++) +
  161135. GETJSAMPLE(*inptr);
  161136. membersum = GETJSAMPLE(*inptr++);
  161137. nextcolsum = GETJSAMPLE(*above_ptr) + GETJSAMPLE(*below_ptr) +
  161138. GETJSAMPLE(*inptr);
  161139. neighsum = colsum + (colsum - membersum) + nextcolsum;
  161140. membersum = membersum * memberscale + neighsum * neighscale;
  161141. *outptr++ = (JSAMPLE) ((membersum + 32768) >> 16);
  161142. lastcolsum = colsum; colsum = nextcolsum;
  161143. for (colctr = output_cols - 2; colctr > 0; colctr--) {
  161144. membersum = GETJSAMPLE(*inptr++);
  161145. above_ptr++; below_ptr++;
  161146. nextcolsum = GETJSAMPLE(*above_ptr) + GETJSAMPLE(*below_ptr) +
  161147. GETJSAMPLE(*inptr);
  161148. neighsum = lastcolsum + (colsum - membersum) + nextcolsum;
  161149. membersum = membersum * memberscale + neighsum * neighscale;
  161150. *outptr++ = (JSAMPLE) ((membersum + 32768) >> 16);
  161151. lastcolsum = colsum; colsum = nextcolsum;
  161152. }
  161153. /* Special case for last column */
  161154. membersum = GETJSAMPLE(*inptr);
  161155. neighsum = lastcolsum + (colsum - membersum) + colsum;
  161156. membersum = membersum * memberscale + neighsum * neighscale;
  161157. *outptr = (JSAMPLE) ((membersum + 32768) >> 16);
  161158. }
  161159. }
  161160. #endif /* INPUT_SMOOTHING_SUPPORTED */
  161161. /*
  161162. * Module initialization routine for downsampling.
  161163. * Note that we must select a routine for each component.
  161164. */
  161165. GLOBAL(void)
  161166. jinit_downsampler (j_compress_ptr cinfo)
  161167. {
  161168. my_downsample_ptr downsample;
  161169. int ci;
  161170. jpeg_component_info * compptr;
  161171. boolean smoothok = TRUE;
  161172. downsample = (my_downsample_ptr)
  161173. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  161174. SIZEOF(my_downsampler));
  161175. cinfo->downsample = (struct jpeg_downsampler *) downsample;
  161176. downsample->pub.start_pass = start_pass_downsample;
  161177. downsample->pub.downsample = sep_downsample;
  161178. downsample->pub.need_context_rows = FALSE;
  161179. if (cinfo->CCIR601_sampling)
  161180. ERREXIT(cinfo, JERR_CCIR601_NOTIMPL);
  161181. /* Verify we can handle the sampling factors, and set up method pointers */
  161182. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  161183. ci++, compptr++) {
  161184. if (compptr->h_samp_factor == cinfo->max_h_samp_factor &&
  161185. compptr->v_samp_factor == cinfo->max_v_samp_factor) {
  161186. #ifdef INPUT_SMOOTHING_SUPPORTED
  161187. if (cinfo->smoothing_factor) {
  161188. downsample->methods[ci] = fullsize_smooth_downsample;
  161189. downsample->pub.need_context_rows = TRUE;
  161190. } else
  161191. #endif
  161192. downsample->methods[ci] = fullsize_downsample;
  161193. } else if (compptr->h_samp_factor * 2 == cinfo->max_h_samp_factor &&
  161194. compptr->v_samp_factor == cinfo->max_v_samp_factor) {
  161195. smoothok = FALSE;
  161196. downsample->methods[ci] = h2v1_downsample;
  161197. } else if (compptr->h_samp_factor * 2 == cinfo->max_h_samp_factor &&
  161198. compptr->v_samp_factor * 2 == cinfo->max_v_samp_factor) {
  161199. #ifdef INPUT_SMOOTHING_SUPPORTED
  161200. if (cinfo->smoothing_factor) {
  161201. downsample->methods[ci] = h2v2_smooth_downsample;
  161202. downsample->pub.need_context_rows = TRUE;
  161203. } else
  161204. #endif
  161205. downsample->methods[ci] = h2v2_downsample;
  161206. } else if ((cinfo->max_h_samp_factor % compptr->h_samp_factor) == 0 &&
  161207. (cinfo->max_v_samp_factor % compptr->v_samp_factor) == 0) {
  161208. smoothok = FALSE;
  161209. downsample->methods[ci] = int_downsample;
  161210. } else
  161211. ERREXIT(cinfo, JERR_FRACT_SAMPLE_NOTIMPL);
  161212. }
  161213. #ifdef INPUT_SMOOTHING_SUPPORTED
  161214. if (cinfo->smoothing_factor && !smoothok)
  161215. TRACEMS(cinfo, 0, JTRC_SMOOTH_NOTIMPL);
  161216. #endif
  161217. }
  161218. /********* End of inlined file: jcsample.c *********/
  161219. /********* Start of inlined file: jctrans.c *********/
  161220. #define JPEG_INTERNALS
  161221. /* Forward declarations */
  161222. LOCAL(void) transencode_master_selection
  161223. JPP((j_compress_ptr cinfo, jvirt_barray_ptr * coef_arrays));
  161224. LOCAL(void) transencode_coef_controller
  161225. JPP((j_compress_ptr cinfo, jvirt_barray_ptr * coef_arrays));
  161226. /*
  161227. * Compression initialization for writing raw-coefficient data.
  161228. * Before calling this, all parameters and a data destination must be set up.
  161229. * Call jpeg_finish_compress() to actually write the data.
  161230. *
  161231. * The number of passed virtual arrays must match cinfo->num_components.
  161232. * Note that the virtual arrays need not be filled or even realized at
  161233. * the time write_coefficients is called; indeed, if the virtual arrays
  161234. * were requested from this compression object's memory manager, they
  161235. * typically will be realized during this routine and filled afterwards.
  161236. */
  161237. GLOBAL(void)
  161238. jpeg_write_coefficients (j_compress_ptr cinfo, jvirt_barray_ptr * coef_arrays)
  161239. {
  161240. if (cinfo->global_state != CSTATE_START)
  161241. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  161242. /* Mark all tables to be written */
  161243. jpeg_suppress_tables(cinfo, FALSE);
  161244. /* (Re)initialize error mgr and destination modules */
  161245. (*cinfo->err->reset_error_mgr) ((j_common_ptr) cinfo);
  161246. (*cinfo->dest->init_destination) (cinfo);
  161247. /* Perform master selection of active modules */
  161248. transencode_master_selection(cinfo, coef_arrays);
  161249. /* Wait for jpeg_finish_compress() call */
  161250. cinfo->next_scanline = 0; /* so jpeg_write_marker works */
  161251. cinfo->global_state = CSTATE_WRCOEFS;
  161252. }
  161253. /*
  161254. * Initialize the compression object with default parameters,
  161255. * then copy from the source object all parameters needed for lossless
  161256. * transcoding. Parameters that can be varied without loss (such as
  161257. * scan script and Huffman optimization) are left in their default states.
  161258. */
  161259. GLOBAL(void)
  161260. jpeg_copy_critical_parameters (j_decompress_ptr srcinfo,
  161261. j_compress_ptr dstinfo)
  161262. {
  161263. JQUANT_TBL ** qtblptr;
  161264. jpeg_component_info *incomp, *outcomp;
  161265. JQUANT_TBL *c_quant, *slot_quant;
  161266. int tblno, ci, coefi;
  161267. /* Safety check to ensure start_compress not called yet. */
  161268. if (dstinfo->global_state != CSTATE_START)
  161269. ERREXIT1(dstinfo, JERR_BAD_STATE, dstinfo->global_state);
  161270. /* Copy fundamental image dimensions */
  161271. dstinfo->image_width = srcinfo->image_width;
  161272. dstinfo->image_height = srcinfo->image_height;
  161273. dstinfo->input_components = srcinfo->num_components;
  161274. dstinfo->in_color_space = srcinfo->jpeg_color_space;
  161275. /* Initialize all parameters to default values */
  161276. jpeg_set_defaults(dstinfo);
  161277. /* jpeg_set_defaults may choose wrong colorspace, eg YCbCr if input is RGB.
  161278. * Fix it to get the right header markers for the image colorspace.
  161279. */
  161280. jpeg_set_colorspace(dstinfo, srcinfo->jpeg_color_space);
  161281. dstinfo->data_precision = srcinfo->data_precision;
  161282. dstinfo->CCIR601_sampling = srcinfo->CCIR601_sampling;
  161283. /* Copy the source's quantization tables. */
  161284. for (tblno = 0; tblno < NUM_QUANT_TBLS; tblno++) {
  161285. if (srcinfo->quant_tbl_ptrs[tblno] != NULL) {
  161286. qtblptr = & dstinfo->quant_tbl_ptrs[tblno];
  161287. if (*qtblptr == NULL)
  161288. *qtblptr = jpeg_alloc_quant_table((j_common_ptr) dstinfo);
  161289. MEMCOPY((*qtblptr)->quantval,
  161290. srcinfo->quant_tbl_ptrs[tblno]->quantval,
  161291. SIZEOF((*qtblptr)->quantval));
  161292. (*qtblptr)->sent_table = FALSE;
  161293. }
  161294. }
  161295. /* Copy the source's per-component info.
  161296. * Note we assume jpeg_set_defaults has allocated the dest comp_info array.
  161297. */
  161298. dstinfo->num_components = srcinfo->num_components;
  161299. if (dstinfo->num_components < 1 || dstinfo->num_components > MAX_COMPONENTS)
  161300. ERREXIT2(dstinfo, JERR_COMPONENT_COUNT, dstinfo->num_components,
  161301. MAX_COMPONENTS);
  161302. for (ci = 0, incomp = srcinfo->comp_info, outcomp = dstinfo->comp_info;
  161303. ci < dstinfo->num_components; ci++, incomp++, outcomp++) {
  161304. outcomp->component_id = incomp->component_id;
  161305. outcomp->h_samp_factor = incomp->h_samp_factor;
  161306. outcomp->v_samp_factor = incomp->v_samp_factor;
  161307. outcomp->quant_tbl_no = incomp->quant_tbl_no;
  161308. /* Make sure saved quantization table for component matches the qtable
  161309. * slot. If not, the input file re-used this qtable slot.
  161310. * IJG encoder currently cannot duplicate this.
  161311. */
  161312. tblno = outcomp->quant_tbl_no;
  161313. if (tblno < 0 || tblno >= NUM_QUANT_TBLS ||
  161314. srcinfo->quant_tbl_ptrs[tblno] == NULL)
  161315. ERREXIT1(dstinfo, JERR_NO_QUANT_TABLE, tblno);
  161316. slot_quant = srcinfo->quant_tbl_ptrs[tblno];
  161317. c_quant = incomp->quant_table;
  161318. if (c_quant != NULL) {
  161319. for (coefi = 0; coefi < DCTSIZE2; coefi++) {
  161320. if (c_quant->quantval[coefi] != slot_quant->quantval[coefi])
  161321. ERREXIT1(dstinfo, JERR_MISMATCHED_QUANT_TABLE, tblno);
  161322. }
  161323. }
  161324. /* Note: we do not copy the source's Huffman table assignments;
  161325. * instead we rely on jpeg_set_colorspace to have made a suitable choice.
  161326. */
  161327. }
  161328. /* Also copy JFIF version and resolution information, if available.
  161329. * Strictly speaking this isn't "critical" info, but it's nearly
  161330. * always appropriate to copy it if available. In particular,
  161331. * if the application chooses to copy JFIF 1.02 extension markers from
  161332. * the source file, we need to copy the version to make sure we don't
  161333. * emit a file that has 1.02 extensions but a claimed version of 1.01.
  161334. * We will *not*, however, copy version info from mislabeled "2.01" files.
  161335. */
  161336. if (srcinfo->saw_JFIF_marker) {
  161337. if (srcinfo->JFIF_major_version == 1) {
  161338. dstinfo->JFIF_major_version = srcinfo->JFIF_major_version;
  161339. dstinfo->JFIF_minor_version = srcinfo->JFIF_minor_version;
  161340. }
  161341. dstinfo->density_unit = srcinfo->density_unit;
  161342. dstinfo->X_density = srcinfo->X_density;
  161343. dstinfo->Y_density = srcinfo->Y_density;
  161344. }
  161345. }
  161346. /*
  161347. * Master selection of compression modules for transcoding.
  161348. * This substitutes for jcinit.c's initialization of the full compressor.
  161349. */
  161350. LOCAL(void)
  161351. transencode_master_selection (j_compress_ptr cinfo,
  161352. jvirt_barray_ptr * coef_arrays)
  161353. {
  161354. /* Although we don't actually use input_components for transcoding,
  161355. * jcmaster.c's initial_setup will complain if input_components is 0.
  161356. */
  161357. cinfo->input_components = 1;
  161358. /* Initialize master control (includes parameter checking/processing) */
  161359. jinit_c_master_control(cinfo, TRUE /* transcode only */);
  161360. /* Entropy encoding: either Huffman or arithmetic coding. */
  161361. if (cinfo->arith_code) {
  161362. ERREXIT(cinfo, JERR_ARITH_NOTIMPL);
  161363. } else {
  161364. if (cinfo->progressive_mode) {
  161365. #ifdef C_PROGRESSIVE_SUPPORTED
  161366. jinit_phuff_encoder(cinfo);
  161367. #else
  161368. ERREXIT(cinfo, JERR_NOT_COMPILED);
  161369. #endif
  161370. } else
  161371. jinit_huff_encoder(cinfo);
  161372. }
  161373. /* We need a special coefficient buffer controller. */
  161374. transencode_coef_controller(cinfo, coef_arrays);
  161375. jinit_marker_writer(cinfo);
  161376. /* We can now tell the memory manager to allocate virtual arrays. */
  161377. (*cinfo->mem->realize_virt_arrays) ((j_common_ptr) cinfo);
  161378. /* Write the datastream header (SOI, JFIF) immediately.
  161379. * Frame and scan headers are postponed till later.
  161380. * This lets application insert special markers after the SOI.
  161381. */
  161382. (*cinfo->marker->write_file_header) (cinfo);
  161383. }
  161384. /*
  161385. * The rest of this file is a special implementation of the coefficient
  161386. * buffer controller. This is similar to jccoefct.c, but it handles only
  161387. * output from presupplied virtual arrays. Furthermore, we generate any
  161388. * dummy padding blocks on-the-fly rather than expecting them to be present
  161389. * in the arrays.
  161390. */
  161391. /* Private buffer controller object */
  161392. typedef struct {
  161393. struct jpeg_c_coef_controller pub; /* public fields */
  161394. JDIMENSION iMCU_row_num; /* iMCU row # within image */
  161395. JDIMENSION mcu_ctr; /* counts MCUs processed in current row */
  161396. int MCU_vert_offset; /* counts MCU rows within iMCU row */
  161397. int MCU_rows_per_iMCU_row; /* number of such rows needed */
  161398. /* Virtual block array for each component. */
  161399. jvirt_barray_ptr * whole_image;
  161400. /* Workspace for constructing dummy blocks at right/bottom edges. */
  161401. JBLOCKROW dummy_buffer[C_MAX_BLOCKS_IN_MCU];
  161402. } my_coef_controller2;
  161403. typedef my_coef_controller2 * my_coef_ptr2;
  161404. LOCAL(void)
  161405. start_iMCU_row2 (j_compress_ptr cinfo)
  161406. /* Reset within-iMCU-row counters for a new row */
  161407. {
  161408. my_coef_ptr2 coef = (my_coef_ptr2) cinfo->coef;
  161409. /* In an interleaved scan, an MCU row is the same as an iMCU row.
  161410. * In a noninterleaved scan, an iMCU row has v_samp_factor MCU rows.
  161411. * But at the bottom of the image, process only what's left.
  161412. */
  161413. if (cinfo->comps_in_scan > 1) {
  161414. coef->MCU_rows_per_iMCU_row = 1;
  161415. } else {
  161416. if (coef->iMCU_row_num < (cinfo->total_iMCU_rows-1))
  161417. coef->MCU_rows_per_iMCU_row = cinfo->cur_comp_info[0]->v_samp_factor;
  161418. else
  161419. coef->MCU_rows_per_iMCU_row = cinfo->cur_comp_info[0]->last_row_height;
  161420. }
  161421. coef->mcu_ctr = 0;
  161422. coef->MCU_vert_offset = 0;
  161423. }
  161424. /*
  161425. * Initialize for a processing pass.
  161426. */
  161427. METHODDEF(void)
  161428. start_pass_coef2 (j_compress_ptr cinfo, J_BUF_MODE pass_mode)
  161429. {
  161430. my_coef_ptr2 coef = (my_coef_ptr2) cinfo->coef;
  161431. if (pass_mode != JBUF_CRANK_DEST)
  161432. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  161433. coef->iMCU_row_num = 0;
  161434. start_iMCU_row2(cinfo);
  161435. }
  161436. /*
  161437. * Process some data.
  161438. * We process the equivalent of one fully interleaved MCU row ("iMCU" row)
  161439. * per call, ie, v_samp_factor block rows for each component in the scan.
  161440. * The data is obtained from the virtual arrays and fed to the entropy coder.
  161441. * Returns TRUE if the iMCU row is completed, FALSE if suspended.
  161442. *
  161443. * NB: input_buf is ignored; it is likely to be a NULL pointer.
  161444. */
  161445. METHODDEF(boolean)
  161446. compress_output2 (j_compress_ptr cinfo, JSAMPIMAGE input_buf)
  161447. {
  161448. my_coef_ptr2 coef = (my_coef_ptr2) cinfo->coef;
  161449. JDIMENSION MCU_col_num; /* index of current MCU within row */
  161450. JDIMENSION last_MCU_col = cinfo->MCUs_per_row - 1;
  161451. JDIMENSION last_iMCU_row = cinfo->total_iMCU_rows - 1;
  161452. int blkn, ci, xindex, yindex, yoffset, blockcnt;
  161453. JDIMENSION start_col;
  161454. JBLOCKARRAY buffer[MAX_COMPS_IN_SCAN];
  161455. JBLOCKROW MCU_buffer[C_MAX_BLOCKS_IN_MCU];
  161456. JBLOCKROW buffer_ptr;
  161457. jpeg_component_info *compptr;
  161458. /* Align the virtual buffers for the components used in this scan. */
  161459. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  161460. compptr = cinfo->cur_comp_info[ci];
  161461. buffer[ci] = (*cinfo->mem->access_virt_barray)
  161462. ((j_common_ptr) cinfo, coef->whole_image[compptr->component_index],
  161463. coef->iMCU_row_num * compptr->v_samp_factor,
  161464. (JDIMENSION) compptr->v_samp_factor, FALSE);
  161465. }
  161466. /* Loop to process one whole iMCU row */
  161467. for (yoffset = coef->MCU_vert_offset; yoffset < coef->MCU_rows_per_iMCU_row;
  161468. yoffset++) {
  161469. for (MCU_col_num = coef->mcu_ctr; MCU_col_num < cinfo->MCUs_per_row;
  161470. MCU_col_num++) {
  161471. /* Construct list of pointers to DCT blocks belonging to this MCU */
  161472. blkn = 0; /* index of current DCT block within MCU */
  161473. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  161474. compptr = cinfo->cur_comp_info[ci];
  161475. start_col = MCU_col_num * compptr->MCU_width;
  161476. blockcnt = (MCU_col_num < last_MCU_col) ? compptr->MCU_width
  161477. : compptr->last_col_width;
  161478. for (yindex = 0; yindex < compptr->MCU_height; yindex++) {
  161479. if (coef->iMCU_row_num < last_iMCU_row ||
  161480. yindex+yoffset < compptr->last_row_height) {
  161481. /* Fill in pointers to real blocks in this row */
  161482. buffer_ptr = buffer[ci][yindex+yoffset] + start_col;
  161483. for (xindex = 0; xindex < blockcnt; xindex++)
  161484. MCU_buffer[blkn++] = buffer_ptr++;
  161485. } else {
  161486. /* At bottom of image, need a whole row of dummy blocks */
  161487. xindex = 0;
  161488. }
  161489. /* Fill in any dummy blocks needed in this row.
  161490. * Dummy blocks are filled in the same way as in jccoefct.c:
  161491. * all zeroes in the AC entries, DC entries equal to previous
  161492. * block's DC value. The init routine has already zeroed the
  161493. * AC entries, so we need only set the DC entries correctly.
  161494. */
  161495. for (; xindex < compptr->MCU_width; xindex++) {
  161496. MCU_buffer[blkn] = coef->dummy_buffer[blkn];
  161497. MCU_buffer[blkn][0][0] = MCU_buffer[blkn-1][0][0];
  161498. blkn++;
  161499. }
  161500. }
  161501. }
  161502. /* Try to write the MCU. */
  161503. if (! (*cinfo->entropy->encode_mcu) (cinfo, MCU_buffer)) {
  161504. /* Suspension forced; update state counters and exit */
  161505. coef->MCU_vert_offset = yoffset;
  161506. coef->mcu_ctr = MCU_col_num;
  161507. return FALSE;
  161508. }
  161509. }
  161510. /* Completed an MCU row, but perhaps not an iMCU row */
  161511. coef->mcu_ctr = 0;
  161512. }
  161513. /* Completed the iMCU row, advance counters for next one */
  161514. coef->iMCU_row_num++;
  161515. start_iMCU_row2(cinfo);
  161516. return TRUE;
  161517. }
  161518. /*
  161519. * Initialize coefficient buffer controller.
  161520. *
  161521. * Each passed coefficient array must be the right size for that
  161522. * coefficient: width_in_blocks wide and height_in_blocks high,
  161523. * with unitheight at least v_samp_factor.
  161524. */
  161525. LOCAL(void)
  161526. transencode_coef_controller (j_compress_ptr cinfo,
  161527. jvirt_barray_ptr * coef_arrays)
  161528. {
  161529. my_coef_ptr2 coef;
  161530. JBLOCKROW buffer;
  161531. int i;
  161532. coef = (my_coef_ptr2)
  161533. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  161534. SIZEOF(my_coef_controller2));
  161535. cinfo->coef = (struct jpeg_c_coef_controller *) coef;
  161536. coef->pub.start_pass = start_pass_coef2;
  161537. coef->pub.compress_data = compress_output2;
  161538. /* Save pointer to virtual arrays */
  161539. coef->whole_image = coef_arrays;
  161540. /* Allocate and pre-zero space for dummy DCT blocks. */
  161541. buffer = (JBLOCKROW)
  161542. (*cinfo->mem->alloc_large) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  161543. C_MAX_BLOCKS_IN_MCU * SIZEOF(JBLOCK));
  161544. jzero_far((void FAR *) buffer, C_MAX_BLOCKS_IN_MCU * SIZEOF(JBLOCK));
  161545. for (i = 0; i < C_MAX_BLOCKS_IN_MCU; i++) {
  161546. coef->dummy_buffer[i] = buffer + i;
  161547. }
  161548. }
  161549. /********* End of inlined file: jctrans.c *********/
  161550. /********* Start of inlined file: jdapistd.c *********/
  161551. #define JPEG_INTERNALS
  161552. /* Forward declarations */
  161553. LOCAL(boolean) output_pass_setup JPP((j_decompress_ptr cinfo));
  161554. /*
  161555. * Decompression initialization.
  161556. * jpeg_read_header must be completed before calling this.
  161557. *
  161558. * If a multipass operating mode was selected, this will do all but the
  161559. * last pass, and thus may take a great deal of time.
  161560. *
  161561. * Returns FALSE if suspended. The return value need be inspected only if
  161562. * a suspending data source is used.
  161563. */
  161564. GLOBAL(boolean)
  161565. jpeg_start_decompress (j_decompress_ptr cinfo)
  161566. {
  161567. if (cinfo->global_state == DSTATE_READY) {
  161568. /* First call: initialize master control, select active modules */
  161569. jinit_master_decompress(cinfo);
  161570. if (cinfo->buffered_image) {
  161571. /* No more work here; expecting jpeg_start_output next */
  161572. cinfo->global_state = DSTATE_BUFIMAGE;
  161573. return TRUE;
  161574. }
  161575. cinfo->global_state = DSTATE_PRELOAD;
  161576. }
  161577. if (cinfo->global_state == DSTATE_PRELOAD) {
  161578. /* If file has multiple scans, absorb them all into the coef buffer */
  161579. if (cinfo->inputctl->has_multiple_scans) {
  161580. #ifdef D_MULTISCAN_FILES_SUPPORTED
  161581. for (;;) {
  161582. int retcode;
  161583. /* Call progress monitor hook if present */
  161584. if (cinfo->progress != NULL)
  161585. (*cinfo->progress->progress_monitor) ((j_common_ptr) cinfo);
  161586. /* Absorb some more input */
  161587. retcode = (*cinfo->inputctl->consume_input) (cinfo);
  161588. if (retcode == JPEG_SUSPENDED)
  161589. return FALSE;
  161590. if (retcode == JPEG_REACHED_EOI)
  161591. break;
  161592. /* Advance progress counter if appropriate */
  161593. if (cinfo->progress != NULL &&
  161594. (retcode == JPEG_ROW_COMPLETED || retcode == JPEG_REACHED_SOS)) {
  161595. if (++cinfo->progress->pass_counter >= cinfo->progress->pass_limit) {
  161596. /* jdmaster underestimated number of scans; ratchet up one scan */
  161597. cinfo->progress->pass_limit += (long) cinfo->total_iMCU_rows;
  161598. }
  161599. }
  161600. }
  161601. #else
  161602. ERREXIT(cinfo, JERR_NOT_COMPILED);
  161603. #endif /* D_MULTISCAN_FILES_SUPPORTED */
  161604. }
  161605. cinfo->output_scan_number = cinfo->input_scan_number;
  161606. } else if (cinfo->global_state != DSTATE_PRESCAN)
  161607. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  161608. /* Perform any dummy output passes, and set up for the final pass */
  161609. return output_pass_setup(cinfo);
  161610. }
  161611. /*
  161612. * Set up for an output pass, and perform any dummy pass(es) needed.
  161613. * Common subroutine for jpeg_start_decompress and jpeg_start_output.
  161614. * Entry: global_state = DSTATE_PRESCAN only if previously suspended.
  161615. * Exit: If done, returns TRUE and sets global_state for proper output mode.
  161616. * If suspended, returns FALSE and sets global_state = DSTATE_PRESCAN.
  161617. */
  161618. LOCAL(boolean)
  161619. output_pass_setup (j_decompress_ptr cinfo)
  161620. {
  161621. if (cinfo->global_state != DSTATE_PRESCAN) {
  161622. /* First call: do pass setup */
  161623. (*cinfo->master->prepare_for_output_pass) (cinfo);
  161624. cinfo->output_scanline = 0;
  161625. cinfo->global_state = DSTATE_PRESCAN;
  161626. }
  161627. /* Loop over any required dummy passes */
  161628. while (cinfo->master->is_dummy_pass) {
  161629. #ifdef QUANT_2PASS_SUPPORTED
  161630. /* Crank through the dummy pass */
  161631. while (cinfo->output_scanline < cinfo->output_height) {
  161632. JDIMENSION last_scanline;
  161633. /* Call progress monitor hook if present */
  161634. if (cinfo->progress != NULL) {
  161635. cinfo->progress->pass_counter = (long) cinfo->output_scanline;
  161636. cinfo->progress->pass_limit = (long) cinfo->output_height;
  161637. (*cinfo->progress->progress_monitor) ((j_common_ptr) cinfo);
  161638. }
  161639. /* Process some data */
  161640. last_scanline = cinfo->output_scanline;
  161641. (*cinfo->main->process_data) (cinfo, (JSAMPARRAY) NULL,
  161642. &cinfo->output_scanline, (JDIMENSION) 0);
  161643. if (cinfo->output_scanline == last_scanline)
  161644. return FALSE; /* No progress made, must suspend */
  161645. }
  161646. /* Finish up dummy pass, and set up for another one */
  161647. (*cinfo->master->finish_output_pass) (cinfo);
  161648. (*cinfo->master->prepare_for_output_pass) (cinfo);
  161649. cinfo->output_scanline = 0;
  161650. #else
  161651. ERREXIT(cinfo, JERR_NOT_COMPILED);
  161652. #endif /* QUANT_2PASS_SUPPORTED */
  161653. }
  161654. /* Ready for application to drive output pass through
  161655. * jpeg_read_scanlines or jpeg_read_raw_data.
  161656. */
  161657. cinfo->global_state = cinfo->raw_data_out ? DSTATE_RAW_OK : DSTATE_SCANNING;
  161658. return TRUE;
  161659. }
  161660. /*
  161661. * Read some scanlines of data from the JPEG decompressor.
  161662. *
  161663. * The return value will be the number of lines actually read.
  161664. * This may be less than the number requested in several cases,
  161665. * including bottom of image, data source suspension, and operating
  161666. * modes that emit multiple scanlines at a time.
  161667. *
  161668. * Note: we warn about excess calls to jpeg_read_scanlines() since
  161669. * this likely signals an application programmer error. However,
  161670. * an oversize buffer (max_lines > scanlines remaining) is not an error.
  161671. */
  161672. GLOBAL(JDIMENSION)
  161673. jpeg_read_scanlines (j_decompress_ptr cinfo, JSAMPARRAY scanlines,
  161674. JDIMENSION max_lines)
  161675. {
  161676. JDIMENSION row_ctr;
  161677. if (cinfo->global_state != DSTATE_SCANNING)
  161678. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  161679. if (cinfo->output_scanline >= cinfo->output_height) {
  161680. WARNMS(cinfo, JWRN_TOO_MUCH_DATA);
  161681. return 0;
  161682. }
  161683. /* Call progress monitor hook if present */
  161684. if (cinfo->progress != NULL) {
  161685. cinfo->progress->pass_counter = (long) cinfo->output_scanline;
  161686. cinfo->progress->pass_limit = (long) cinfo->output_height;
  161687. (*cinfo->progress->progress_monitor) ((j_common_ptr) cinfo);
  161688. }
  161689. /* Process some data */
  161690. row_ctr = 0;
  161691. (*cinfo->main->process_data) (cinfo, scanlines, &row_ctr, max_lines);
  161692. cinfo->output_scanline += row_ctr;
  161693. return row_ctr;
  161694. }
  161695. /*
  161696. * Alternate entry point to read raw data.
  161697. * Processes exactly one iMCU row per call, unless suspended.
  161698. */
  161699. GLOBAL(JDIMENSION)
  161700. jpeg_read_raw_data (j_decompress_ptr cinfo, JSAMPIMAGE data,
  161701. JDIMENSION max_lines)
  161702. {
  161703. JDIMENSION lines_per_iMCU_row;
  161704. if (cinfo->global_state != DSTATE_RAW_OK)
  161705. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  161706. if (cinfo->output_scanline >= cinfo->output_height) {
  161707. WARNMS(cinfo, JWRN_TOO_MUCH_DATA);
  161708. return 0;
  161709. }
  161710. /* Call progress monitor hook if present */
  161711. if (cinfo->progress != NULL) {
  161712. cinfo->progress->pass_counter = (long) cinfo->output_scanline;
  161713. cinfo->progress->pass_limit = (long) cinfo->output_height;
  161714. (*cinfo->progress->progress_monitor) ((j_common_ptr) cinfo);
  161715. }
  161716. /* Verify that at least one iMCU row can be returned. */
  161717. lines_per_iMCU_row = cinfo->max_v_samp_factor * cinfo->min_DCT_scaled_size;
  161718. if (max_lines < lines_per_iMCU_row)
  161719. ERREXIT(cinfo, JERR_BUFFER_SIZE);
  161720. /* Decompress directly into user's buffer. */
  161721. if (! (*cinfo->coef->decompress_data) (cinfo, data))
  161722. return 0; /* suspension forced, can do nothing more */
  161723. /* OK, we processed one iMCU row. */
  161724. cinfo->output_scanline += lines_per_iMCU_row;
  161725. return lines_per_iMCU_row;
  161726. }
  161727. /* Additional entry points for buffered-image mode. */
  161728. #ifdef D_MULTISCAN_FILES_SUPPORTED
  161729. /*
  161730. * Initialize for an output pass in buffered-image mode.
  161731. */
  161732. GLOBAL(boolean)
  161733. jpeg_start_output (j_decompress_ptr cinfo, int scan_number)
  161734. {
  161735. if (cinfo->global_state != DSTATE_BUFIMAGE &&
  161736. cinfo->global_state != DSTATE_PRESCAN)
  161737. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  161738. /* Limit scan number to valid range */
  161739. if (scan_number <= 0)
  161740. scan_number = 1;
  161741. if (cinfo->inputctl->eoi_reached &&
  161742. scan_number > cinfo->input_scan_number)
  161743. scan_number = cinfo->input_scan_number;
  161744. cinfo->output_scan_number = scan_number;
  161745. /* Perform any dummy output passes, and set up for the real pass */
  161746. return output_pass_setup(cinfo);
  161747. }
  161748. /*
  161749. * Finish up after an output pass in buffered-image mode.
  161750. *
  161751. * Returns FALSE if suspended. The return value need be inspected only if
  161752. * a suspending data source is used.
  161753. */
  161754. GLOBAL(boolean)
  161755. jpeg_finish_output (j_decompress_ptr cinfo)
  161756. {
  161757. if ((cinfo->global_state == DSTATE_SCANNING ||
  161758. cinfo->global_state == DSTATE_RAW_OK) && cinfo->buffered_image) {
  161759. /* Terminate this pass. */
  161760. /* We do not require the whole pass to have been completed. */
  161761. (*cinfo->master->finish_output_pass) (cinfo);
  161762. cinfo->global_state = DSTATE_BUFPOST;
  161763. } else if (cinfo->global_state != DSTATE_BUFPOST) {
  161764. /* BUFPOST = repeat call after a suspension, anything else is error */
  161765. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  161766. }
  161767. /* Read markers looking for SOS or EOI */
  161768. while (cinfo->input_scan_number <= cinfo->output_scan_number &&
  161769. ! cinfo->inputctl->eoi_reached) {
  161770. if ((*cinfo->inputctl->consume_input) (cinfo) == JPEG_SUSPENDED)
  161771. return FALSE; /* Suspend, come back later */
  161772. }
  161773. cinfo->global_state = DSTATE_BUFIMAGE;
  161774. return TRUE;
  161775. }
  161776. #endif /* D_MULTISCAN_FILES_SUPPORTED */
  161777. /********* End of inlined file: jdapistd.c *********/
  161778. /********* Start of inlined file: jdapimin.c *********/
  161779. #define JPEG_INTERNALS
  161780. /*
  161781. * Initialization of a JPEG decompression object.
  161782. * The error manager must already be set up (in case memory manager fails).
  161783. */
  161784. GLOBAL(void)
  161785. jpeg_CreateDecompress (j_decompress_ptr cinfo, int version, size_t structsize)
  161786. {
  161787. int i;
  161788. /* Guard against version mismatches between library and caller. */
  161789. cinfo->mem = NULL; /* so jpeg_destroy knows mem mgr not called */
  161790. if (version != JPEG_LIB_VERSION)
  161791. ERREXIT2(cinfo, JERR_BAD_LIB_VERSION, JPEG_LIB_VERSION, version);
  161792. if (structsize != SIZEOF(struct jpeg_decompress_struct))
  161793. ERREXIT2(cinfo, JERR_BAD_STRUCT_SIZE,
  161794. (int) SIZEOF(struct jpeg_decompress_struct), (int) structsize);
  161795. /* For debugging purposes, we zero the whole master structure.
  161796. * But the application has already set the err pointer, and may have set
  161797. * client_data, so we have to save and restore those fields.
  161798. * Note: if application hasn't set client_data, tools like Purify may
  161799. * complain here.
  161800. */
  161801. {
  161802. struct jpeg_error_mgr * err = cinfo->err;
  161803. void * client_data = cinfo->client_data; /* ignore Purify complaint here */
  161804. MEMZERO(cinfo, SIZEOF(struct jpeg_decompress_struct));
  161805. cinfo->err = err;
  161806. cinfo->client_data = client_data;
  161807. }
  161808. cinfo->is_decompressor = TRUE;
  161809. /* Initialize a memory manager instance for this object */
  161810. jinit_memory_mgr((j_common_ptr) cinfo);
  161811. /* Zero out pointers to permanent structures. */
  161812. cinfo->progress = NULL;
  161813. cinfo->src = NULL;
  161814. for (i = 0; i < NUM_QUANT_TBLS; i++)
  161815. cinfo->quant_tbl_ptrs[i] = NULL;
  161816. for (i = 0; i < NUM_HUFF_TBLS; i++) {
  161817. cinfo->dc_huff_tbl_ptrs[i] = NULL;
  161818. cinfo->ac_huff_tbl_ptrs[i] = NULL;
  161819. }
  161820. /* Initialize marker processor so application can override methods
  161821. * for COM, APPn markers before calling jpeg_read_header.
  161822. */
  161823. cinfo->marker_list = NULL;
  161824. jinit_marker_reader(cinfo);
  161825. /* And initialize the overall input controller. */
  161826. jinit_input_controller(cinfo);
  161827. /* OK, I'm ready */
  161828. cinfo->global_state = DSTATE_START;
  161829. }
  161830. /*
  161831. * Destruction of a JPEG decompression object
  161832. */
  161833. GLOBAL(void)
  161834. jpeg_destroy_decompress (j_decompress_ptr cinfo)
  161835. {
  161836. jpeg_destroy((j_common_ptr) cinfo); /* use common routine */
  161837. }
  161838. /*
  161839. * Abort processing of a JPEG decompression operation,
  161840. * but don't destroy the object itself.
  161841. */
  161842. GLOBAL(void)
  161843. jpeg_abort_decompress (j_decompress_ptr cinfo)
  161844. {
  161845. jpeg_abort((j_common_ptr) cinfo); /* use common routine */
  161846. }
  161847. /*
  161848. * Set default decompression parameters.
  161849. */
  161850. LOCAL(void)
  161851. default_decompress_parms (j_decompress_ptr cinfo)
  161852. {
  161853. /* Guess the input colorspace, and set output colorspace accordingly. */
  161854. /* (Wish JPEG committee had provided a real way to specify this...) */
  161855. /* Note application may override our guesses. */
  161856. switch (cinfo->num_components) {
  161857. case 1:
  161858. cinfo->jpeg_color_space = JCS_GRAYSCALE;
  161859. cinfo->out_color_space = JCS_GRAYSCALE;
  161860. break;
  161861. case 3:
  161862. if (cinfo->saw_JFIF_marker) {
  161863. cinfo->jpeg_color_space = JCS_YCbCr; /* JFIF implies YCbCr */
  161864. } else if (cinfo->saw_Adobe_marker) {
  161865. switch (cinfo->Adobe_transform) {
  161866. case 0:
  161867. cinfo->jpeg_color_space = JCS_RGB;
  161868. break;
  161869. case 1:
  161870. cinfo->jpeg_color_space = JCS_YCbCr;
  161871. break;
  161872. default:
  161873. WARNMS1(cinfo, JWRN_ADOBE_XFORM, cinfo->Adobe_transform);
  161874. cinfo->jpeg_color_space = JCS_YCbCr; /* assume it's YCbCr */
  161875. break;
  161876. }
  161877. } else {
  161878. /* Saw no special markers, try to guess from the component IDs */
  161879. int cid0 = cinfo->comp_info[0].component_id;
  161880. int cid1 = cinfo->comp_info[1].component_id;
  161881. int cid2 = cinfo->comp_info[2].component_id;
  161882. if (cid0 == 1 && cid1 == 2 && cid2 == 3)
  161883. cinfo->jpeg_color_space = JCS_YCbCr; /* assume JFIF w/out marker */
  161884. else if (cid0 == 82 && cid1 == 71 && cid2 == 66)
  161885. cinfo->jpeg_color_space = JCS_RGB; /* ASCII 'R', 'G', 'B' */
  161886. else {
  161887. TRACEMS3(cinfo, 1, JTRC_UNKNOWN_IDS, cid0, cid1, cid2);
  161888. cinfo->jpeg_color_space = JCS_YCbCr; /* assume it's YCbCr */
  161889. }
  161890. }
  161891. /* Always guess RGB is proper output colorspace. */
  161892. cinfo->out_color_space = JCS_RGB;
  161893. break;
  161894. case 4:
  161895. if (cinfo->saw_Adobe_marker) {
  161896. switch (cinfo->Adobe_transform) {
  161897. case 0:
  161898. cinfo->jpeg_color_space = JCS_CMYK;
  161899. break;
  161900. case 2:
  161901. cinfo->jpeg_color_space = JCS_YCCK;
  161902. break;
  161903. default:
  161904. WARNMS1(cinfo, JWRN_ADOBE_XFORM, cinfo->Adobe_transform);
  161905. cinfo->jpeg_color_space = JCS_YCCK; /* assume it's YCCK */
  161906. break;
  161907. }
  161908. } else {
  161909. /* No special markers, assume straight CMYK. */
  161910. cinfo->jpeg_color_space = JCS_CMYK;
  161911. }
  161912. cinfo->out_color_space = JCS_CMYK;
  161913. break;
  161914. default:
  161915. cinfo->jpeg_color_space = JCS_UNKNOWN;
  161916. cinfo->out_color_space = JCS_UNKNOWN;
  161917. break;
  161918. }
  161919. /* Set defaults for other decompression parameters. */
  161920. cinfo->scale_num = 1; /* 1:1 scaling */
  161921. cinfo->scale_denom = 1;
  161922. cinfo->output_gamma = 1.0;
  161923. cinfo->buffered_image = FALSE;
  161924. cinfo->raw_data_out = FALSE;
  161925. cinfo->dct_method = JDCT_DEFAULT;
  161926. cinfo->do_fancy_upsampling = TRUE;
  161927. cinfo->do_block_smoothing = TRUE;
  161928. cinfo->quantize_colors = FALSE;
  161929. /* We set these in case application only sets quantize_colors. */
  161930. cinfo->dither_mode = JDITHER_FS;
  161931. #ifdef QUANT_2PASS_SUPPORTED
  161932. cinfo->two_pass_quantize = TRUE;
  161933. #else
  161934. cinfo->two_pass_quantize = FALSE;
  161935. #endif
  161936. cinfo->desired_number_of_colors = 256;
  161937. cinfo->colormap = NULL;
  161938. /* Initialize for no mode change in buffered-image mode. */
  161939. cinfo->enable_1pass_quant = FALSE;
  161940. cinfo->enable_external_quant = FALSE;
  161941. cinfo->enable_2pass_quant = FALSE;
  161942. }
  161943. /*
  161944. * Decompression startup: read start of JPEG datastream to see what's there.
  161945. * Need only initialize JPEG object and supply a data source before calling.
  161946. *
  161947. * This routine will read as far as the first SOS marker (ie, actual start of
  161948. * compressed data), and will save all tables and parameters in the JPEG
  161949. * object. It will also initialize the decompression parameters to default
  161950. * values, and finally return JPEG_HEADER_OK. On return, the application may
  161951. * adjust the decompression parameters and then call jpeg_start_decompress.
  161952. * (Or, if the application only wanted to determine the image parameters,
  161953. * the data need not be decompressed. In that case, call jpeg_abort or
  161954. * jpeg_destroy to release any temporary space.)
  161955. * If an abbreviated (tables only) datastream is presented, the routine will
  161956. * return JPEG_HEADER_TABLES_ONLY upon reaching EOI. The application may then
  161957. * re-use the JPEG object to read the abbreviated image datastream(s).
  161958. * It is unnecessary (but OK) to call jpeg_abort in this case.
  161959. * The JPEG_SUSPENDED return code only occurs if the data source module
  161960. * requests suspension of the decompressor. In this case the application
  161961. * should load more source data and then re-call jpeg_read_header to resume
  161962. * processing.
  161963. * If a non-suspending data source is used and require_image is TRUE, then the
  161964. * return code need not be inspected since only JPEG_HEADER_OK is possible.
  161965. *
  161966. * This routine is now just a front end to jpeg_consume_input, with some
  161967. * extra error checking.
  161968. */
  161969. GLOBAL(int)
  161970. jpeg_read_header (j_decompress_ptr cinfo, boolean require_image)
  161971. {
  161972. int retcode;
  161973. if (cinfo->global_state != DSTATE_START &&
  161974. cinfo->global_state != DSTATE_INHEADER)
  161975. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  161976. retcode = jpeg_consume_input(cinfo);
  161977. switch (retcode) {
  161978. case JPEG_REACHED_SOS:
  161979. retcode = JPEG_HEADER_OK;
  161980. break;
  161981. case JPEG_REACHED_EOI:
  161982. if (require_image) /* Complain if application wanted an image */
  161983. ERREXIT(cinfo, JERR_NO_IMAGE);
  161984. /* Reset to start state; it would be safer to require the application to
  161985. * call jpeg_abort, but we can't change it now for compatibility reasons.
  161986. * A side effect is to free any temporary memory (there shouldn't be any).
  161987. */
  161988. jpeg_abort((j_common_ptr) cinfo); /* sets state = DSTATE_START */
  161989. retcode = JPEG_HEADER_TABLES_ONLY;
  161990. break;
  161991. case JPEG_SUSPENDED:
  161992. /* no work */
  161993. break;
  161994. }
  161995. return retcode;
  161996. }
  161997. /*
  161998. * Consume data in advance of what the decompressor requires.
  161999. * This can be called at any time once the decompressor object has
  162000. * been created and a data source has been set up.
  162001. *
  162002. * This routine is essentially a state machine that handles a couple
  162003. * of critical state-transition actions, namely initial setup and
  162004. * transition from header scanning to ready-for-start_decompress.
  162005. * All the actual input is done via the input controller's consume_input
  162006. * method.
  162007. */
  162008. GLOBAL(int)
  162009. jpeg_consume_input (j_decompress_ptr cinfo)
  162010. {
  162011. int retcode = JPEG_SUSPENDED;
  162012. /* NB: every possible DSTATE value should be listed in this switch */
  162013. switch (cinfo->global_state) {
  162014. case DSTATE_START:
  162015. /* Start-of-datastream actions: reset appropriate modules */
  162016. (*cinfo->inputctl->reset_input_controller) (cinfo);
  162017. /* Initialize application's data source module */
  162018. (*cinfo->src->init_source) (cinfo);
  162019. cinfo->global_state = DSTATE_INHEADER;
  162020. /*FALLTHROUGH*/
  162021. case DSTATE_INHEADER:
  162022. retcode = (*cinfo->inputctl->consume_input) (cinfo);
  162023. if (retcode == JPEG_REACHED_SOS) { /* Found SOS, prepare to decompress */
  162024. /* Set up default parameters based on header data */
  162025. default_decompress_parms(cinfo);
  162026. /* Set global state: ready for start_decompress */
  162027. cinfo->global_state = DSTATE_READY;
  162028. }
  162029. break;
  162030. case DSTATE_READY:
  162031. /* Can't advance past first SOS until start_decompress is called */
  162032. retcode = JPEG_REACHED_SOS;
  162033. break;
  162034. case DSTATE_PRELOAD:
  162035. case DSTATE_PRESCAN:
  162036. case DSTATE_SCANNING:
  162037. case DSTATE_RAW_OK:
  162038. case DSTATE_BUFIMAGE:
  162039. case DSTATE_BUFPOST:
  162040. case DSTATE_STOPPING:
  162041. retcode = (*cinfo->inputctl->consume_input) (cinfo);
  162042. break;
  162043. default:
  162044. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  162045. }
  162046. return retcode;
  162047. }
  162048. /*
  162049. * Have we finished reading the input file?
  162050. */
  162051. GLOBAL(boolean)
  162052. jpeg_input_complete (j_decompress_ptr cinfo)
  162053. {
  162054. /* Check for valid jpeg object */
  162055. if (cinfo->global_state < DSTATE_START ||
  162056. cinfo->global_state > DSTATE_STOPPING)
  162057. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  162058. return cinfo->inputctl->eoi_reached;
  162059. }
  162060. /*
  162061. * Is there more than one scan?
  162062. */
  162063. GLOBAL(boolean)
  162064. jpeg_has_multiple_scans (j_decompress_ptr cinfo)
  162065. {
  162066. /* Only valid after jpeg_read_header completes */
  162067. if (cinfo->global_state < DSTATE_READY ||
  162068. cinfo->global_state > DSTATE_STOPPING)
  162069. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  162070. return cinfo->inputctl->has_multiple_scans;
  162071. }
  162072. /*
  162073. * Finish JPEG decompression.
  162074. *
  162075. * This will normally just verify the file trailer and release temp storage.
  162076. *
  162077. * Returns FALSE if suspended. The return value need be inspected only if
  162078. * a suspending data source is used.
  162079. */
  162080. GLOBAL(boolean)
  162081. jpeg_finish_decompress (j_decompress_ptr cinfo)
  162082. {
  162083. if ((cinfo->global_state == DSTATE_SCANNING ||
  162084. cinfo->global_state == DSTATE_RAW_OK) && ! cinfo->buffered_image) {
  162085. /* Terminate final pass of non-buffered mode */
  162086. if (cinfo->output_scanline < cinfo->output_height)
  162087. ERREXIT(cinfo, JERR_TOO_LITTLE_DATA);
  162088. (*cinfo->master->finish_output_pass) (cinfo);
  162089. cinfo->global_state = DSTATE_STOPPING;
  162090. } else if (cinfo->global_state == DSTATE_BUFIMAGE) {
  162091. /* Finishing after a buffered-image operation */
  162092. cinfo->global_state = DSTATE_STOPPING;
  162093. } else if (cinfo->global_state != DSTATE_STOPPING) {
  162094. /* STOPPING = repeat call after a suspension, anything else is error */
  162095. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  162096. }
  162097. /* Read until EOI */
  162098. while (! cinfo->inputctl->eoi_reached) {
  162099. if ((*cinfo->inputctl->consume_input) (cinfo) == JPEG_SUSPENDED)
  162100. return FALSE; /* Suspend, come back later */
  162101. }
  162102. /* Do final cleanup */
  162103. (*cinfo->src->term_source) (cinfo);
  162104. /* We can use jpeg_abort to release memory and reset global_state */
  162105. jpeg_abort((j_common_ptr) cinfo);
  162106. return TRUE;
  162107. }
  162108. /********* End of inlined file: jdapimin.c *********/
  162109. /********* Start of inlined file: jdatasrc.c *********/
  162110. /* this is not a core library module, so it doesn't define JPEG_INTERNALS */
  162111. /********* Start of inlined file: jerror.h *********/
  162112. /*
  162113. * To define the enum list of message codes, include this file without
  162114. * defining macro JMESSAGE. To create a message string table, include it
  162115. * again with a suitable JMESSAGE definition (see jerror.c for an example).
  162116. */
  162117. #ifndef JMESSAGE
  162118. #ifndef JERROR_H
  162119. /* First time through, define the enum list */
  162120. #define JMAKE_ENUM_LIST
  162121. #else
  162122. /* Repeated inclusions of this file are no-ops unless JMESSAGE is defined */
  162123. #define JMESSAGE(code,string)
  162124. #endif /* JERROR_H */
  162125. #endif /* JMESSAGE */
  162126. #ifdef JMAKE_ENUM_LIST
  162127. typedef enum {
  162128. #define JMESSAGE(code,string) code ,
  162129. #endif /* JMAKE_ENUM_LIST */
  162130. JMESSAGE(JMSG_NOMESSAGE, "Bogus message code %d") /* Must be first entry! */
  162131. /* For maintenance convenience, list is alphabetical by message code name */
  162132. JMESSAGE(JERR_ARITH_NOTIMPL,
  162133. "Sorry, there are legal restrictions on arithmetic coding")
  162134. JMESSAGE(JERR_BAD_ALIGN_TYPE, "ALIGN_TYPE is wrong, please fix")
  162135. JMESSAGE(JERR_BAD_ALLOC_CHUNK, "MAX_ALLOC_CHUNK is wrong, please fix")
  162136. JMESSAGE(JERR_BAD_BUFFER_MODE, "Bogus buffer control mode")
  162137. JMESSAGE(JERR_BAD_COMPONENT_ID, "Invalid component ID %d in SOS")
  162138. JMESSAGE(JERR_BAD_DCT_COEF, "DCT coefficient out of range")
  162139. JMESSAGE(JERR_BAD_DCTSIZE, "IDCT output block size %d not supported")
  162140. JMESSAGE(JERR_BAD_HUFF_TABLE, "Bogus Huffman table definition")
  162141. JMESSAGE(JERR_BAD_IN_COLORSPACE, "Bogus input colorspace")
  162142. JMESSAGE(JERR_BAD_J_COLORSPACE, "Bogus JPEG colorspace")
  162143. JMESSAGE(JERR_BAD_LENGTH, "Bogus marker length")
  162144. JMESSAGE(JERR_BAD_LIB_VERSION,
  162145. "Wrong JPEG library version: library is %d, caller expects %d")
  162146. JMESSAGE(JERR_BAD_MCU_SIZE, "Sampling factors too large for interleaved scan")
  162147. JMESSAGE(JERR_BAD_POOL_ID, "Invalid memory pool code %d")
  162148. JMESSAGE(JERR_BAD_PRECISION, "Unsupported JPEG data precision %d")
  162149. JMESSAGE(JERR_BAD_PROGRESSION,
  162150. "Invalid progressive parameters Ss=%d Se=%d Ah=%d Al=%d")
  162151. JMESSAGE(JERR_BAD_PROG_SCRIPT,
  162152. "Invalid progressive parameters at scan script entry %d")
  162153. JMESSAGE(JERR_BAD_SAMPLING, "Bogus sampling factors")
  162154. JMESSAGE(JERR_BAD_SCAN_SCRIPT, "Invalid scan script at entry %d")
  162155. JMESSAGE(JERR_BAD_STATE, "Improper call to JPEG library in state %d")
  162156. JMESSAGE(JERR_BAD_STRUCT_SIZE,
  162157. "JPEG parameter struct mismatch: library thinks size is %u, caller expects %u")
  162158. JMESSAGE(JERR_BAD_VIRTUAL_ACCESS, "Bogus virtual array access")
  162159. JMESSAGE(JERR_BUFFER_SIZE, "Buffer passed to JPEG library is too small")
  162160. JMESSAGE(JERR_CANT_SUSPEND, "Suspension not allowed here")
  162161. JMESSAGE(JERR_CCIR601_NOTIMPL, "CCIR601 sampling not implemented yet")
  162162. JMESSAGE(JERR_COMPONENT_COUNT, "Too many color components: %d, max %d")
  162163. JMESSAGE(JERR_CONVERSION_NOTIMPL, "Unsupported color conversion request")
  162164. JMESSAGE(JERR_DAC_INDEX, "Bogus DAC index %d")
  162165. JMESSAGE(JERR_DAC_VALUE, "Bogus DAC value 0x%x")
  162166. JMESSAGE(JERR_DHT_INDEX, "Bogus DHT index %d")
  162167. JMESSAGE(JERR_DQT_INDEX, "Bogus DQT index %d")
  162168. JMESSAGE(JERR_EMPTY_IMAGE, "Empty JPEG image (DNL not supported)")
  162169. JMESSAGE(JERR_EMS_READ, "Read from EMS failed")
  162170. JMESSAGE(JERR_EMS_WRITE, "Write to EMS failed")
  162171. JMESSAGE(JERR_EOI_EXPECTED, "Didn't expect more than one scan")
  162172. JMESSAGE(JERR_FILE_READ, "Input file read error")
  162173. JMESSAGE(JERR_FILE_WRITE, "Output file write error --- out of disk space?")
  162174. JMESSAGE(JERR_FRACT_SAMPLE_NOTIMPL, "Fractional sampling not implemented yet")
  162175. JMESSAGE(JERR_HUFF_CLEN_OVERFLOW, "Huffman code size table overflow")
  162176. JMESSAGE(JERR_HUFF_MISSING_CODE, "Missing Huffman code table entry")
  162177. JMESSAGE(JERR_IMAGE_TOO_BIG, "Maximum supported image dimension is %u pixels")
  162178. JMESSAGE(JERR_INPUT_EMPTY, "Empty input file")
  162179. JMESSAGE(JERR_INPUT_EOF, "Premature end of input file")
  162180. JMESSAGE(JERR_MISMATCHED_QUANT_TABLE,
  162181. "Cannot transcode due to multiple use of quantization table %d")
  162182. JMESSAGE(JERR_MISSING_DATA, "Scan script does not transmit all data")
  162183. JMESSAGE(JERR_MODE_CHANGE, "Invalid color quantization mode change")
  162184. JMESSAGE(JERR_NOTIMPL, "Not implemented yet")
  162185. JMESSAGE(JERR_NOT_COMPILED, "Requested feature was omitted at compile time")
  162186. JMESSAGE(JERR_NO_BACKING_STORE, "Backing store not supported")
  162187. JMESSAGE(JERR_NO_HUFF_TABLE, "Huffman table 0x%02x was not defined")
  162188. JMESSAGE(JERR_NO_IMAGE, "JPEG datastream contains no image")
  162189. JMESSAGE(JERR_NO_QUANT_TABLE, "Quantization table 0x%02x was not defined")
  162190. JMESSAGE(JERR_NO_SOI, "Not a JPEG file: starts with 0x%02x 0x%02x")
  162191. JMESSAGE(JERR_OUT_OF_MEMORY, "Insufficient memory (case %d)")
  162192. JMESSAGE(JERR_QUANT_COMPONENTS,
  162193. "Cannot quantize more than %d color components")
  162194. JMESSAGE(JERR_QUANT_FEW_COLORS, "Cannot quantize to fewer than %d colors")
  162195. JMESSAGE(JERR_QUANT_MANY_COLORS, "Cannot quantize to more than %d colors")
  162196. JMESSAGE(JERR_SOF_DUPLICATE, "Invalid JPEG file structure: two SOF markers")
  162197. JMESSAGE(JERR_SOF_NO_SOS, "Invalid JPEG file structure: missing SOS marker")
  162198. JMESSAGE(JERR_SOF_UNSUPPORTED, "Unsupported JPEG process: SOF type 0x%02x")
  162199. JMESSAGE(JERR_SOI_DUPLICATE, "Invalid JPEG file structure: two SOI markers")
  162200. JMESSAGE(JERR_SOS_NO_SOF, "Invalid JPEG file structure: SOS before SOF")
  162201. JMESSAGE(JERR_TFILE_CREATE, "Failed to create temporary file %s")
  162202. JMESSAGE(JERR_TFILE_READ, "Read failed on temporary file")
  162203. JMESSAGE(JERR_TFILE_SEEK, "Seek failed on temporary file")
  162204. JMESSAGE(JERR_TFILE_WRITE,
  162205. "Write failed on temporary file --- out of disk space?")
  162206. JMESSAGE(JERR_TOO_LITTLE_DATA, "Application transferred too few scanlines")
  162207. JMESSAGE(JERR_UNKNOWN_MARKER, "Unsupported marker type 0x%02x")
  162208. JMESSAGE(JERR_VIRTUAL_BUG, "Virtual array controller messed up")
  162209. JMESSAGE(JERR_WIDTH_OVERFLOW, "Image too wide for this implementation")
  162210. JMESSAGE(JERR_XMS_READ, "Read from XMS failed")
  162211. JMESSAGE(JERR_XMS_WRITE, "Write to XMS failed")
  162212. JMESSAGE(JMSG_COPYRIGHT, JCOPYRIGHT)
  162213. JMESSAGE(JMSG_VERSION, JVERSION)
  162214. JMESSAGE(JTRC_16BIT_TABLES,
  162215. "Caution: quantization tables are too coarse for baseline JPEG")
  162216. JMESSAGE(JTRC_ADOBE,
  162217. "Adobe APP14 marker: version %d, flags 0x%04x 0x%04x, transform %d")
  162218. JMESSAGE(JTRC_APP0, "Unknown APP0 marker (not JFIF), length %u")
  162219. JMESSAGE(JTRC_APP14, "Unknown APP14 marker (not Adobe), length %u")
  162220. JMESSAGE(JTRC_DAC, "Define Arithmetic Table 0x%02x: 0x%02x")
  162221. JMESSAGE(JTRC_DHT, "Define Huffman Table 0x%02x")
  162222. JMESSAGE(JTRC_DQT, "Define Quantization Table %d precision %d")
  162223. JMESSAGE(JTRC_DRI, "Define Restart Interval %u")
  162224. JMESSAGE(JTRC_EMS_CLOSE, "Freed EMS handle %u")
  162225. JMESSAGE(JTRC_EMS_OPEN, "Obtained EMS handle %u")
  162226. JMESSAGE(JTRC_EOI, "End Of Image")
  162227. JMESSAGE(JTRC_HUFFBITS, " %3d %3d %3d %3d %3d %3d %3d %3d")
  162228. JMESSAGE(JTRC_JFIF, "JFIF APP0 marker: version %d.%02d, density %dx%d %d")
  162229. JMESSAGE(JTRC_JFIF_BADTHUMBNAILSIZE,
  162230. "Warning: thumbnail image size does not match data length %u")
  162231. JMESSAGE(JTRC_JFIF_EXTENSION,
  162232. "JFIF extension marker: type 0x%02x, length %u")
  162233. JMESSAGE(JTRC_JFIF_THUMBNAIL, " with %d x %d thumbnail image")
  162234. JMESSAGE(JTRC_MISC_MARKER, "Miscellaneous marker 0x%02x, length %u")
  162235. JMESSAGE(JTRC_PARMLESS_MARKER, "Unexpected marker 0x%02x")
  162236. JMESSAGE(JTRC_QUANTVALS, " %4u %4u %4u %4u %4u %4u %4u %4u")
  162237. JMESSAGE(JTRC_QUANT_3_NCOLORS, "Quantizing to %d = %d*%d*%d colors")
  162238. JMESSAGE(JTRC_QUANT_NCOLORS, "Quantizing to %d colors")
  162239. JMESSAGE(JTRC_QUANT_SELECTED, "Selected %d colors for quantization")
  162240. JMESSAGE(JTRC_RECOVERY_ACTION, "At marker 0x%02x, recovery action %d")
  162241. JMESSAGE(JTRC_RST, "RST%d")
  162242. JMESSAGE(JTRC_SMOOTH_NOTIMPL,
  162243. "Smoothing not supported with nonstandard sampling ratios")
  162244. JMESSAGE(JTRC_SOF, "Start Of Frame 0x%02x: width=%u, height=%u, components=%d")
  162245. JMESSAGE(JTRC_SOF_COMPONENT, " Component %d: %dhx%dv q=%d")
  162246. JMESSAGE(JTRC_SOI, "Start of Image")
  162247. JMESSAGE(JTRC_SOS, "Start Of Scan: %d components")
  162248. JMESSAGE(JTRC_SOS_COMPONENT, " Component %d: dc=%d ac=%d")
  162249. JMESSAGE(JTRC_SOS_PARAMS, " Ss=%d, Se=%d, Ah=%d, Al=%d")
  162250. JMESSAGE(JTRC_TFILE_CLOSE, "Closed temporary file %s")
  162251. JMESSAGE(JTRC_TFILE_OPEN, "Opened temporary file %s")
  162252. JMESSAGE(JTRC_THUMB_JPEG,
  162253. "JFIF extension marker: JPEG-compressed thumbnail image, length %u")
  162254. JMESSAGE(JTRC_THUMB_PALETTE,
  162255. "JFIF extension marker: palette thumbnail image, length %u")
  162256. JMESSAGE(JTRC_THUMB_RGB,
  162257. "JFIF extension marker: RGB thumbnail image, length %u")
  162258. JMESSAGE(JTRC_UNKNOWN_IDS,
  162259. "Unrecognized component IDs %d %d %d, assuming YCbCr")
  162260. JMESSAGE(JTRC_XMS_CLOSE, "Freed XMS handle %u")
  162261. JMESSAGE(JTRC_XMS_OPEN, "Obtained XMS handle %u")
  162262. JMESSAGE(JWRN_ADOBE_XFORM, "Unknown Adobe color transform code %d")
  162263. JMESSAGE(JWRN_BOGUS_PROGRESSION,
  162264. "Inconsistent progression sequence for component %d coefficient %d")
  162265. JMESSAGE(JWRN_EXTRANEOUS_DATA,
  162266. "Corrupt JPEG data: %u extraneous bytes before marker 0x%02x")
  162267. JMESSAGE(JWRN_HIT_MARKER, "Corrupt JPEG data: premature end of data segment")
  162268. JMESSAGE(JWRN_HUFF_BAD_CODE, "Corrupt JPEG data: bad Huffman code")
  162269. JMESSAGE(JWRN_JFIF_MAJOR, "Warning: unknown JFIF revision number %d.%02d")
  162270. JMESSAGE(JWRN_JPEG_EOF, "Premature end of JPEG file")
  162271. JMESSAGE(JWRN_MUST_RESYNC,
  162272. "Corrupt JPEG data: found marker 0x%02x instead of RST%d")
  162273. JMESSAGE(JWRN_NOT_SEQUENTIAL, "Invalid SOS parameters for sequential JPEG")
  162274. JMESSAGE(JWRN_TOO_MUCH_DATA, "Application transferred too many scanlines")
  162275. #ifdef JMAKE_ENUM_LIST
  162276. JMSG_LASTMSGCODE
  162277. } J_MESSAGE_CODE;
  162278. #undef JMAKE_ENUM_LIST
  162279. #endif /* JMAKE_ENUM_LIST */
  162280. /* Zap JMESSAGE macro so that future re-inclusions do nothing by default */
  162281. #undef JMESSAGE
  162282. #ifndef JERROR_H
  162283. #define JERROR_H
  162284. /* Macros to simplify using the error and trace message stuff */
  162285. /* The first parameter is either type of cinfo pointer */
  162286. /* Fatal errors (print message and exit) */
  162287. #define ERREXIT(cinfo,code) \
  162288. ((cinfo)->err->msg_code = (code), \
  162289. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  162290. #define ERREXIT1(cinfo,code,p1) \
  162291. ((cinfo)->err->msg_code = (code), \
  162292. (cinfo)->err->msg_parm.i[0] = (p1), \
  162293. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  162294. #define ERREXIT2(cinfo,code,p1,p2) \
  162295. ((cinfo)->err->msg_code = (code), \
  162296. (cinfo)->err->msg_parm.i[0] = (p1), \
  162297. (cinfo)->err->msg_parm.i[1] = (p2), \
  162298. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  162299. #define ERREXIT3(cinfo,code,p1,p2,p3) \
  162300. ((cinfo)->err->msg_code = (code), \
  162301. (cinfo)->err->msg_parm.i[0] = (p1), \
  162302. (cinfo)->err->msg_parm.i[1] = (p2), \
  162303. (cinfo)->err->msg_parm.i[2] = (p3), \
  162304. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  162305. #define ERREXIT4(cinfo,code,p1,p2,p3,p4) \
  162306. ((cinfo)->err->msg_code = (code), \
  162307. (cinfo)->err->msg_parm.i[0] = (p1), \
  162308. (cinfo)->err->msg_parm.i[1] = (p2), \
  162309. (cinfo)->err->msg_parm.i[2] = (p3), \
  162310. (cinfo)->err->msg_parm.i[3] = (p4), \
  162311. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  162312. #define ERREXITS(cinfo,code,str) \
  162313. ((cinfo)->err->msg_code = (code), \
  162314. strncpy((cinfo)->err->msg_parm.s, (str), JMSG_STR_PARM_MAX), \
  162315. (*(cinfo)->err->error_exit) ((j_common_ptr) (cinfo)))
  162316. #define MAKESTMT(stuff) do { stuff } while (0)
  162317. /* Nonfatal errors (we can keep going, but the data is probably corrupt) */
  162318. #define WARNMS(cinfo,code) \
  162319. ((cinfo)->err->msg_code = (code), \
  162320. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), -1))
  162321. #define WARNMS1(cinfo,code,p1) \
  162322. ((cinfo)->err->msg_code = (code), \
  162323. (cinfo)->err->msg_parm.i[0] = (p1), \
  162324. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), -1))
  162325. #define WARNMS2(cinfo,code,p1,p2) \
  162326. ((cinfo)->err->msg_code = (code), \
  162327. (cinfo)->err->msg_parm.i[0] = (p1), \
  162328. (cinfo)->err->msg_parm.i[1] = (p2), \
  162329. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), -1))
  162330. /* Informational/debugging messages */
  162331. #define TRACEMS(cinfo,lvl,code) \
  162332. ((cinfo)->err->msg_code = (code), \
  162333. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)))
  162334. #define TRACEMS1(cinfo,lvl,code,p1) \
  162335. ((cinfo)->err->msg_code = (code), \
  162336. (cinfo)->err->msg_parm.i[0] = (p1), \
  162337. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)))
  162338. #define TRACEMS2(cinfo,lvl,code,p1,p2) \
  162339. ((cinfo)->err->msg_code = (code), \
  162340. (cinfo)->err->msg_parm.i[0] = (p1), \
  162341. (cinfo)->err->msg_parm.i[1] = (p2), \
  162342. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)))
  162343. #define TRACEMS3(cinfo,lvl,code,p1,p2,p3) \
  162344. MAKESTMT(int * _mp = (cinfo)->err->msg_parm.i; \
  162345. _mp[0] = (p1); _mp[1] = (p2); _mp[2] = (p3); \
  162346. (cinfo)->err->msg_code = (code); \
  162347. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)); )
  162348. #define TRACEMS4(cinfo,lvl,code,p1,p2,p3,p4) \
  162349. MAKESTMT(int * _mp = (cinfo)->err->msg_parm.i; \
  162350. _mp[0] = (p1); _mp[1] = (p2); _mp[2] = (p3); _mp[3] = (p4); \
  162351. (cinfo)->err->msg_code = (code); \
  162352. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)); )
  162353. #define TRACEMS5(cinfo,lvl,code,p1,p2,p3,p4,p5) \
  162354. MAKESTMT(int * _mp = (cinfo)->err->msg_parm.i; \
  162355. _mp[0] = (p1); _mp[1] = (p2); _mp[2] = (p3); _mp[3] = (p4); \
  162356. _mp[4] = (p5); \
  162357. (cinfo)->err->msg_code = (code); \
  162358. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)); )
  162359. #define TRACEMS8(cinfo,lvl,code,p1,p2,p3,p4,p5,p6,p7,p8) \
  162360. MAKESTMT(int * _mp = (cinfo)->err->msg_parm.i; \
  162361. _mp[0] = (p1); _mp[1] = (p2); _mp[2] = (p3); _mp[3] = (p4); \
  162362. _mp[4] = (p5); _mp[5] = (p6); _mp[6] = (p7); _mp[7] = (p8); \
  162363. (cinfo)->err->msg_code = (code); \
  162364. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)); )
  162365. #define TRACEMSS(cinfo,lvl,code,str) \
  162366. ((cinfo)->err->msg_code = (code), \
  162367. strncpy((cinfo)->err->msg_parm.s, (str), JMSG_STR_PARM_MAX), \
  162368. (*(cinfo)->err->emit_message) ((j_common_ptr) (cinfo), (lvl)))
  162369. #endif /* JERROR_H */
  162370. /********* End of inlined file: jerror.h *********/
  162371. /* Expanded data source object for stdio input */
  162372. typedef struct {
  162373. struct jpeg_source_mgr pub; /* public fields */
  162374. FILE * infile; /* source stream */
  162375. JOCTET * buffer; /* start of buffer */
  162376. boolean start_of_file; /* have we gotten any data yet? */
  162377. } my_source_mgr;
  162378. typedef my_source_mgr * my_src_ptr;
  162379. #define INPUT_BUF_SIZE 4096 /* choose an efficiently fread'able size */
  162380. /*
  162381. * Initialize source --- called by jpeg_read_header
  162382. * before any data is actually read.
  162383. */
  162384. METHODDEF(void)
  162385. init_source (j_decompress_ptr cinfo)
  162386. {
  162387. my_src_ptr src = (my_src_ptr) cinfo->src;
  162388. /* We reset the empty-input-file flag for each image,
  162389. * but we don't clear the input buffer.
  162390. * This is correct behavior for reading a series of images from one source.
  162391. */
  162392. src->start_of_file = TRUE;
  162393. }
  162394. /*
  162395. * Fill the input buffer --- called whenever buffer is emptied.
  162396. *
  162397. * In typical applications, this should read fresh data into the buffer
  162398. * (ignoring the current state of next_input_byte & bytes_in_buffer),
  162399. * reset the pointer & count to the start of the buffer, and return TRUE
  162400. * indicating that the buffer has been reloaded. It is not necessary to
  162401. * fill the buffer entirely, only to obtain at least one more byte.
  162402. *
  162403. * There is no such thing as an EOF return. If the end of the file has been
  162404. * reached, the routine has a choice of ERREXIT() or inserting fake data into
  162405. * the buffer. In most cases, generating a warning message and inserting a
  162406. * fake EOI marker is the best course of action --- this will allow the
  162407. * decompressor to output however much of the image is there. However,
  162408. * the resulting error message is misleading if the real problem is an empty
  162409. * input file, so we handle that case specially.
  162410. *
  162411. * In applications that need to be able to suspend compression due to input
  162412. * not being available yet, a FALSE return indicates that no more data can be
  162413. * obtained right now, but more may be forthcoming later. In this situation,
  162414. * the decompressor will return to its caller (with an indication of the
  162415. * number of scanlines it has read, if any). The application should resume
  162416. * decompression after it has loaded more data into the input buffer. Note
  162417. * that there are substantial restrictions on the use of suspension --- see
  162418. * the documentation.
  162419. *
  162420. * When suspending, the decompressor will back up to a convenient restart point
  162421. * (typically the start of the current MCU). next_input_byte & bytes_in_buffer
  162422. * indicate where the restart point will be if the current call returns FALSE.
  162423. * Data beyond this point must be rescanned after resumption, so move it to
  162424. * the front of the buffer rather than discarding it.
  162425. */
  162426. METHODDEF(boolean)
  162427. fill_input_buffer (j_decompress_ptr cinfo)
  162428. {
  162429. my_src_ptr src = (my_src_ptr) cinfo->src;
  162430. size_t nbytes;
  162431. nbytes = JFREAD(src->infile, src->buffer, INPUT_BUF_SIZE);
  162432. if (nbytes <= 0) {
  162433. if (src->start_of_file) /* Treat empty input file as fatal error */
  162434. ERREXIT(cinfo, JERR_INPUT_EMPTY);
  162435. WARNMS(cinfo, JWRN_JPEG_EOF);
  162436. /* Insert a fake EOI marker */
  162437. src->buffer[0] = (JOCTET) 0xFF;
  162438. src->buffer[1] = (JOCTET) JPEG_EOI;
  162439. nbytes = 2;
  162440. }
  162441. src->pub.next_input_byte = src->buffer;
  162442. src->pub.bytes_in_buffer = nbytes;
  162443. src->start_of_file = FALSE;
  162444. return TRUE;
  162445. }
  162446. /*
  162447. * Skip data --- used to skip over a potentially large amount of
  162448. * uninteresting data (such as an APPn marker).
  162449. *
  162450. * Writers of suspendable-input applications must note that skip_input_data
  162451. * is not granted the right to give a suspension return. If the skip extends
  162452. * beyond the data currently in the buffer, the buffer can be marked empty so
  162453. * that the next read will cause a fill_input_buffer call that can suspend.
  162454. * Arranging for additional bytes to be discarded before reloading the input
  162455. * buffer is the application writer's problem.
  162456. */
  162457. METHODDEF(void)
  162458. skip_input_data (j_decompress_ptr cinfo, long num_bytes)
  162459. {
  162460. my_src_ptr src = (my_src_ptr) cinfo->src;
  162461. /* Just a dumb implementation for now. Could use fseek() except
  162462. * it doesn't work on pipes. Not clear that being smart is worth
  162463. * any trouble anyway --- large skips are infrequent.
  162464. */
  162465. if (num_bytes > 0) {
  162466. while (num_bytes > (long) src->pub.bytes_in_buffer) {
  162467. num_bytes -= (long) src->pub.bytes_in_buffer;
  162468. (void) fill_input_buffer(cinfo);
  162469. /* note we assume that fill_input_buffer will never return FALSE,
  162470. * so suspension need not be handled.
  162471. */
  162472. }
  162473. src->pub.next_input_byte += (size_t) num_bytes;
  162474. src->pub.bytes_in_buffer -= (size_t) num_bytes;
  162475. }
  162476. }
  162477. /*
  162478. * An additional method that can be provided by data source modules is the
  162479. * resync_to_restart method for error recovery in the presence of RST markers.
  162480. * For the moment, this source module just uses the default resync method
  162481. * provided by the JPEG library. That method assumes that no backtracking
  162482. * is possible.
  162483. */
  162484. /*
  162485. * Terminate source --- called by jpeg_finish_decompress
  162486. * after all data has been read. Often a no-op.
  162487. *
  162488. * NB: *not* called by jpeg_abort or jpeg_destroy; surrounding
  162489. * application must deal with any cleanup that should happen even
  162490. * for error exit.
  162491. */
  162492. METHODDEF(void)
  162493. term_source (j_decompress_ptr cinfo)
  162494. {
  162495. /* no work necessary here */
  162496. }
  162497. /*
  162498. * Prepare for input from a stdio stream.
  162499. * The caller must have already opened the stream, and is responsible
  162500. * for closing it after finishing decompression.
  162501. */
  162502. GLOBAL(void)
  162503. jpeg_stdio_src (j_decompress_ptr cinfo, FILE * infile)
  162504. {
  162505. my_src_ptr src;
  162506. /* The source object and input buffer are made permanent so that a series
  162507. * of JPEG images can be read from the same file by calling jpeg_stdio_src
  162508. * only before the first one. (If we discarded the buffer at the end of
  162509. * one image, we'd likely lose the start of the next one.)
  162510. * This makes it unsafe to use this manager and a different source
  162511. * manager serially with the same JPEG object. Caveat programmer.
  162512. */
  162513. if (cinfo->src == NULL) { /* first time for this JPEG object? */
  162514. cinfo->src = (struct jpeg_source_mgr *)
  162515. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_PERMANENT,
  162516. SIZEOF(my_source_mgr));
  162517. src = (my_src_ptr) cinfo->src;
  162518. src->buffer = (JOCTET *)
  162519. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_PERMANENT,
  162520. INPUT_BUF_SIZE * SIZEOF(JOCTET));
  162521. }
  162522. src = (my_src_ptr) cinfo->src;
  162523. src->pub.init_source = init_source;
  162524. src->pub.fill_input_buffer = fill_input_buffer;
  162525. src->pub.skip_input_data = skip_input_data;
  162526. src->pub.resync_to_restart = jpeg_resync_to_restart; /* use default method */
  162527. src->pub.term_source = term_source;
  162528. src->infile = infile;
  162529. src->pub.bytes_in_buffer = 0; /* forces fill_input_buffer on first read */
  162530. src->pub.next_input_byte = NULL; /* until buffer loaded */
  162531. }
  162532. /********* End of inlined file: jdatasrc.c *********/
  162533. /********* Start of inlined file: jdcoefct.c *********/
  162534. #define JPEG_INTERNALS
  162535. /* Block smoothing is only applicable for progressive JPEG, so: */
  162536. #ifndef D_PROGRESSIVE_SUPPORTED
  162537. #undef BLOCK_SMOOTHING_SUPPORTED
  162538. #endif
  162539. /* Private buffer controller object */
  162540. typedef struct {
  162541. struct jpeg_d_coef_controller pub; /* public fields */
  162542. /* These variables keep track of the current location of the input side. */
  162543. /* cinfo->input_iMCU_row is also used for this. */
  162544. JDIMENSION MCU_ctr; /* counts MCUs processed in current row */
  162545. int MCU_vert_offset; /* counts MCU rows within iMCU row */
  162546. int MCU_rows_per_iMCU_row; /* number of such rows needed */
  162547. /* The output side's location is represented by cinfo->output_iMCU_row. */
  162548. /* In single-pass modes, it's sufficient to buffer just one MCU.
  162549. * We allocate a workspace of D_MAX_BLOCKS_IN_MCU coefficient blocks,
  162550. * and let the entropy decoder write into that workspace each time.
  162551. * (On 80x86, the workspace is FAR even though it's not really very big;
  162552. * this is to keep the module interfaces unchanged when a large coefficient
  162553. * buffer is necessary.)
  162554. * In multi-pass modes, this array points to the current MCU's blocks
  162555. * within the virtual arrays; it is used only by the input side.
  162556. */
  162557. JBLOCKROW MCU_buffer[D_MAX_BLOCKS_IN_MCU];
  162558. #ifdef D_MULTISCAN_FILES_SUPPORTED
  162559. /* In multi-pass modes, we need a virtual block array for each component. */
  162560. jvirt_barray_ptr whole_image[MAX_COMPONENTS];
  162561. #endif
  162562. #ifdef BLOCK_SMOOTHING_SUPPORTED
  162563. /* When doing block smoothing, we latch coefficient Al values here */
  162564. int * coef_bits_latch;
  162565. #define SAVED_COEFS 6 /* we save coef_bits[0..5] */
  162566. #endif
  162567. } my_coef_controller3;
  162568. typedef my_coef_controller3 * my_coef_ptr3;
  162569. /* Forward declarations */
  162570. METHODDEF(int) decompress_onepass
  162571. JPP((j_decompress_ptr cinfo, JSAMPIMAGE output_buf));
  162572. #ifdef D_MULTISCAN_FILES_SUPPORTED
  162573. METHODDEF(int) decompress_data
  162574. JPP((j_decompress_ptr cinfo, JSAMPIMAGE output_buf));
  162575. #endif
  162576. #ifdef BLOCK_SMOOTHING_SUPPORTED
  162577. LOCAL(boolean) smoothing_ok JPP((j_decompress_ptr cinfo));
  162578. METHODDEF(int) decompress_smooth_data
  162579. JPP((j_decompress_ptr cinfo, JSAMPIMAGE output_buf));
  162580. #endif
  162581. LOCAL(void)
  162582. start_iMCU_row3 (j_decompress_ptr cinfo)
  162583. /* Reset within-iMCU-row counters for a new row (input side) */
  162584. {
  162585. my_coef_ptr3 coef = (my_coef_ptr3) cinfo->coef;
  162586. /* In an interleaved scan, an MCU row is the same as an iMCU row.
  162587. * In a noninterleaved scan, an iMCU row has v_samp_factor MCU rows.
  162588. * But at the bottom of the image, process only what's left.
  162589. */
  162590. if (cinfo->comps_in_scan > 1) {
  162591. coef->MCU_rows_per_iMCU_row = 1;
  162592. } else {
  162593. if (cinfo->input_iMCU_row < (cinfo->total_iMCU_rows-1))
  162594. coef->MCU_rows_per_iMCU_row = cinfo->cur_comp_info[0]->v_samp_factor;
  162595. else
  162596. coef->MCU_rows_per_iMCU_row = cinfo->cur_comp_info[0]->last_row_height;
  162597. }
  162598. coef->MCU_ctr = 0;
  162599. coef->MCU_vert_offset = 0;
  162600. }
  162601. /*
  162602. * Initialize for an input processing pass.
  162603. */
  162604. METHODDEF(void)
  162605. start_input_pass (j_decompress_ptr cinfo)
  162606. {
  162607. cinfo->input_iMCU_row = 0;
  162608. start_iMCU_row3(cinfo);
  162609. }
  162610. /*
  162611. * Initialize for an output processing pass.
  162612. */
  162613. METHODDEF(void)
  162614. start_output_pass (j_decompress_ptr cinfo)
  162615. {
  162616. #ifdef BLOCK_SMOOTHING_SUPPORTED
  162617. my_coef_ptr3 coef = (my_coef_ptr3) cinfo->coef;
  162618. /* If multipass, check to see whether to use block smoothing on this pass */
  162619. if (coef->pub.coef_arrays != NULL) {
  162620. if (cinfo->do_block_smoothing && smoothing_ok(cinfo))
  162621. coef->pub.decompress_data = decompress_smooth_data;
  162622. else
  162623. coef->pub.decompress_data = decompress_data;
  162624. }
  162625. #endif
  162626. cinfo->output_iMCU_row = 0;
  162627. }
  162628. /*
  162629. * Decompress and return some data in the single-pass case.
  162630. * Always attempts to emit one fully interleaved MCU row ("iMCU" row).
  162631. * Input and output must run in lockstep since we have only a one-MCU buffer.
  162632. * Return value is JPEG_ROW_COMPLETED, JPEG_SCAN_COMPLETED, or JPEG_SUSPENDED.
  162633. *
  162634. * NB: output_buf contains a plane for each component in image,
  162635. * which we index according to the component's SOF position.
  162636. */
  162637. METHODDEF(int)
  162638. decompress_onepass (j_decompress_ptr cinfo, JSAMPIMAGE output_buf)
  162639. {
  162640. my_coef_ptr3 coef = (my_coef_ptr3) cinfo->coef;
  162641. JDIMENSION MCU_col_num; /* index of current MCU within row */
  162642. JDIMENSION last_MCU_col = cinfo->MCUs_per_row - 1;
  162643. JDIMENSION last_iMCU_row = cinfo->total_iMCU_rows - 1;
  162644. int blkn, ci, xindex, yindex, yoffset, useful_width;
  162645. JSAMPARRAY output_ptr;
  162646. JDIMENSION start_col, output_col;
  162647. jpeg_component_info *compptr;
  162648. inverse_DCT_method_ptr inverse_DCT;
  162649. /* Loop to process as much as one whole iMCU row */
  162650. for (yoffset = coef->MCU_vert_offset; yoffset < coef->MCU_rows_per_iMCU_row;
  162651. yoffset++) {
  162652. for (MCU_col_num = coef->MCU_ctr; MCU_col_num <= last_MCU_col;
  162653. MCU_col_num++) {
  162654. /* Try to fetch an MCU. Entropy decoder expects buffer to be zeroed. */
  162655. jzero_far((void FAR *) coef->MCU_buffer[0],
  162656. (size_t) (cinfo->blocks_in_MCU * SIZEOF(JBLOCK)));
  162657. if (! (*cinfo->entropy->decode_mcu) (cinfo, coef->MCU_buffer)) {
  162658. /* Suspension forced; update state counters and exit */
  162659. coef->MCU_vert_offset = yoffset;
  162660. coef->MCU_ctr = MCU_col_num;
  162661. return JPEG_SUSPENDED;
  162662. }
  162663. /* Determine where data should go in output_buf and do the IDCT thing.
  162664. * We skip dummy blocks at the right and bottom edges (but blkn gets
  162665. * incremented past them!). Note the inner loop relies on having
  162666. * allocated the MCU_buffer[] blocks sequentially.
  162667. */
  162668. blkn = 0; /* index of current DCT block within MCU */
  162669. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  162670. compptr = cinfo->cur_comp_info[ci];
  162671. /* Don't bother to IDCT an uninteresting component. */
  162672. if (! compptr->component_needed) {
  162673. blkn += compptr->MCU_blocks;
  162674. continue;
  162675. }
  162676. inverse_DCT = cinfo->idct->inverse_DCT[compptr->component_index];
  162677. useful_width = (MCU_col_num < last_MCU_col) ? compptr->MCU_width
  162678. : compptr->last_col_width;
  162679. output_ptr = output_buf[compptr->component_index] +
  162680. yoffset * compptr->DCT_scaled_size;
  162681. start_col = MCU_col_num * compptr->MCU_sample_width;
  162682. for (yindex = 0; yindex < compptr->MCU_height; yindex++) {
  162683. if (cinfo->input_iMCU_row < last_iMCU_row ||
  162684. yoffset+yindex < compptr->last_row_height) {
  162685. output_col = start_col;
  162686. for (xindex = 0; xindex < useful_width; xindex++) {
  162687. (*inverse_DCT) (cinfo, compptr,
  162688. (JCOEFPTR) coef->MCU_buffer[blkn+xindex],
  162689. output_ptr, output_col);
  162690. output_col += compptr->DCT_scaled_size;
  162691. }
  162692. }
  162693. blkn += compptr->MCU_width;
  162694. output_ptr += compptr->DCT_scaled_size;
  162695. }
  162696. }
  162697. }
  162698. /* Completed an MCU row, but perhaps not an iMCU row */
  162699. coef->MCU_ctr = 0;
  162700. }
  162701. /* Completed the iMCU row, advance counters for next one */
  162702. cinfo->output_iMCU_row++;
  162703. if (++(cinfo->input_iMCU_row) < cinfo->total_iMCU_rows) {
  162704. start_iMCU_row3(cinfo);
  162705. return JPEG_ROW_COMPLETED;
  162706. }
  162707. /* Completed the scan */
  162708. (*cinfo->inputctl->finish_input_pass) (cinfo);
  162709. return JPEG_SCAN_COMPLETED;
  162710. }
  162711. /*
  162712. * Dummy consume-input routine for single-pass operation.
  162713. */
  162714. METHODDEF(int)
  162715. dummy_consume_data (j_decompress_ptr cinfo)
  162716. {
  162717. return JPEG_SUSPENDED; /* Always indicate nothing was done */
  162718. }
  162719. #ifdef D_MULTISCAN_FILES_SUPPORTED
  162720. /*
  162721. * Consume input data and store it in the full-image coefficient buffer.
  162722. * We read as much as one fully interleaved MCU row ("iMCU" row) per call,
  162723. * ie, v_samp_factor block rows for each component in the scan.
  162724. * Return value is JPEG_ROW_COMPLETED, JPEG_SCAN_COMPLETED, or JPEG_SUSPENDED.
  162725. */
  162726. METHODDEF(int)
  162727. consume_data (j_decompress_ptr cinfo)
  162728. {
  162729. my_coef_ptr3 coef = (my_coef_ptr3) cinfo->coef;
  162730. JDIMENSION MCU_col_num; /* index of current MCU within row */
  162731. int blkn, ci, xindex, yindex, yoffset;
  162732. JDIMENSION start_col;
  162733. JBLOCKARRAY buffer[MAX_COMPS_IN_SCAN];
  162734. JBLOCKROW buffer_ptr;
  162735. jpeg_component_info *compptr;
  162736. /* Align the virtual buffers for the components used in this scan. */
  162737. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  162738. compptr = cinfo->cur_comp_info[ci];
  162739. buffer[ci] = (*cinfo->mem->access_virt_barray)
  162740. ((j_common_ptr) cinfo, coef->whole_image[compptr->component_index],
  162741. cinfo->input_iMCU_row * compptr->v_samp_factor,
  162742. (JDIMENSION) compptr->v_samp_factor, TRUE);
  162743. /* Note: entropy decoder expects buffer to be zeroed,
  162744. * but this is handled automatically by the memory manager
  162745. * because we requested a pre-zeroed array.
  162746. */
  162747. }
  162748. /* Loop to process one whole iMCU row */
  162749. for (yoffset = coef->MCU_vert_offset; yoffset < coef->MCU_rows_per_iMCU_row;
  162750. yoffset++) {
  162751. for (MCU_col_num = coef->MCU_ctr; MCU_col_num < cinfo->MCUs_per_row;
  162752. MCU_col_num++) {
  162753. /* Construct list of pointers to DCT blocks belonging to this MCU */
  162754. blkn = 0; /* index of current DCT block within MCU */
  162755. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  162756. compptr = cinfo->cur_comp_info[ci];
  162757. start_col = MCU_col_num * compptr->MCU_width;
  162758. for (yindex = 0; yindex < compptr->MCU_height; yindex++) {
  162759. buffer_ptr = buffer[ci][yindex+yoffset] + start_col;
  162760. for (xindex = 0; xindex < compptr->MCU_width; xindex++) {
  162761. coef->MCU_buffer[blkn++] = buffer_ptr++;
  162762. }
  162763. }
  162764. }
  162765. /* Try to fetch the MCU. */
  162766. if (! (*cinfo->entropy->decode_mcu) (cinfo, coef->MCU_buffer)) {
  162767. /* Suspension forced; update state counters and exit */
  162768. coef->MCU_vert_offset = yoffset;
  162769. coef->MCU_ctr = MCU_col_num;
  162770. return JPEG_SUSPENDED;
  162771. }
  162772. }
  162773. /* Completed an MCU row, but perhaps not an iMCU row */
  162774. coef->MCU_ctr = 0;
  162775. }
  162776. /* Completed the iMCU row, advance counters for next one */
  162777. if (++(cinfo->input_iMCU_row) < cinfo->total_iMCU_rows) {
  162778. start_iMCU_row3(cinfo);
  162779. return JPEG_ROW_COMPLETED;
  162780. }
  162781. /* Completed the scan */
  162782. (*cinfo->inputctl->finish_input_pass) (cinfo);
  162783. return JPEG_SCAN_COMPLETED;
  162784. }
  162785. /*
  162786. * Decompress and return some data in the multi-pass case.
  162787. * Always attempts to emit one fully interleaved MCU row ("iMCU" row).
  162788. * Return value is JPEG_ROW_COMPLETED, JPEG_SCAN_COMPLETED, or JPEG_SUSPENDED.
  162789. *
  162790. * NB: output_buf contains a plane for each component in image.
  162791. */
  162792. METHODDEF(int)
  162793. decompress_data (j_decompress_ptr cinfo, JSAMPIMAGE output_buf)
  162794. {
  162795. my_coef_ptr3 coef = (my_coef_ptr3) cinfo->coef;
  162796. JDIMENSION last_iMCU_row = cinfo->total_iMCU_rows - 1;
  162797. JDIMENSION block_num;
  162798. int ci, block_row, block_rows;
  162799. JBLOCKARRAY buffer;
  162800. JBLOCKROW buffer_ptr;
  162801. JSAMPARRAY output_ptr;
  162802. JDIMENSION output_col;
  162803. jpeg_component_info *compptr;
  162804. inverse_DCT_method_ptr inverse_DCT;
  162805. /* Force some input to be done if we are getting ahead of the input. */
  162806. while (cinfo->input_scan_number < cinfo->output_scan_number ||
  162807. (cinfo->input_scan_number == cinfo->output_scan_number &&
  162808. cinfo->input_iMCU_row <= cinfo->output_iMCU_row)) {
  162809. if ((*cinfo->inputctl->consume_input)(cinfo) == JPEG_SUSPENDED)
  162810. return JPEG_SUSPENDED;
  162811. }
  162812. /* OK, output from the virtual arrays. */
  162813. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  162814. ci++, compptr++) {
  162815. /* Don't bother to IDCT an uninteresting component. */
  162816. if (! compptr->component_needed)
  162817. continue;
  162818. /* Align the virtual buffer for this component. */
  162819. buffer = (*cinfo->mem->access_virt_barray)
  162820. ((j_common_ptr) cinfo, coef->whole_image[ci],
  162821. cinfo->output_iMCU_row * compptr->v_samp_factor,
  162822. (JDIMENSION) compptr->v_samp_factor, FALSE);
  162823. /* Count non-dummy DCT block rows in this iMCU row. */
  162824. if (cinfo->output_iMCU_row < last_iMCU_row)
  162825. block_rows = compptr->v_samp_factor;
  162826. else {
  162827. /* NB: can't use last_row_height here; it is input-side-dependent! */
  162828. block_rows = (int) (compptr->height_in_blocks % compptr->v_samp_factor);
  162829. if (block_rows == 0) block_rows = compptr->v_samp_factor;
  162830. }
  162831. inverse_DCT = cinfo->idct->inverse_DCT[ci];
  162832. output_ptr = output_buf[ci];
  162833. /* Loop over all DCT blocks to be processed. */
  162834. for (block_row = 0; block_row < block_rows; block_row++) {
  162835. buffer_ptr = buffer[block_row];
  162836. output_col = 0;
  162837. for (block_num = 0; block_num < compptr->width_in_blocks; block_num++) {
  162838. (*inverse_DCT) (cinfo, compptr, (JCOEFPTR) buffer_ptr,
  162839. output_ptr, output_col);
  162840. buffer_ptr++;
  162841. output_col += compptr->DCT_scaled_size;
  162842. }
  162843. output_ptr += compptr->DCT_scaled_size;
  162844. }
  162845. }
  162846. if (++(cinfo->output_iMCU_row) < cinfo->total_iMCU_rows)
  162847. return JPEG_ROW_COMPLETED;
  162848. return JPEG_SCAN_COMPLETED;
  162849. }
  162850. #endif /* D_MULTISCAN_FILES_SUPPORTED */
  162851. #ifdef BLOCK_SMOOTHING_SUPPORTED
  162852. /*
  162853. * This code applies interblock smoothing as described by section K.8
  162854. * of the JPEG standard: the first 5 AC coefficients are estimated from
  162855. * the DC values of a DCT block and its 8 neighboring blocks.
  162856. * We apply smoothing only for progressive JPEG decoding, and only if
  162857. * the coefficients it can estimate are not yet known to full precision.
  162858. */
  162859. /* Natural-order array positions of the first 5 zigzag-order coefficients */
  162860. #define Q01_POS 1
  162861. #define Q10_POS 8
  162862. #define Q20_POS 16
  162863. #define Q11_POS 9
  162864. #define Q02_POS 2
  162865. /*
  162866. * Determine whether block smoothing is applicable and safe.
  162867. * We also latch the current states of the coef_bits[] entries for the
  162868. * AC coefficients; otherwise, if the input side of the decompressor
  162869. * advances into a new scan, we might think the coefficients are known
  162870. * more accurately than they really are.
  162871. */
  162872. LOCAL(boolean)
  162873. smoothing_ok (j_decompress_ptr cinfo)
  162874. {
  162875. my_coef_ptr3 coef = (my_coef_ptr3) cinfo->coef;
  162876. boolean smoothing_useful = FALSE;
  162877. int ci, coefi;
  162878. jpeg_component_info *compptr;
  162879. JQUANT_TBL * qtable;
  162880. int * coef_bits;
  162881. int * coef_bits_latch;
  162882. if (! cinfo->progressive_mode || cinfo->coef_bits == NULL)
  162883. return FALSE;
  162884. /* Allocate latch area if not already done */
  162885. if (coef->coef_bits_latch == NULL)
  162886. coef->coef_bits_latch = (int *)
  162887. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  162888. cinfo->num_components *
  162889. (SAVED_COEFS * SIZEOF(int)));
  162890. coef_bits_latch = coef->coef_bits_latch;
  162891. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  162892. ci++, compptr++) {
  162893. /* All components' quantization values must already be latched. */
  162894. if ((qtable = compptr->quant_table) == NULL)
  162895. return FALSE;
  162896. /* Verify DC & first 5 AC quantizers are nonzero to avoid zero-divide. */
  162897. if (qtable->quantval[0] == 0 ||
  162898. qtable->quantval[Q01_POS] == 0 ||
  162899. qtable->quantval[Q10_POS] == 0 ||
  162900. qtable->quantval[Q20_POS] == 0 ||
  162901. qtable->quantval[Q11_POS] == 0 ||
  162902. qtable->quantval[Q02_POS] == 0)
  162903. return FALSE;
  162904. /* DC values must be at least partly known for all components. */
  162905. coef_bits = cinfo->coef_bits[ci];
  162906. if (coef_bits[0] < 0)
  162907. return FALSE;
  162908. /* Block smoothing is helpful if some AC coefficients remain inaccurate. */
  162909. for (coefi = 1; coefi <= 5; coefi++) {
  162910. coef_bits_latch[coefi] = coef_bits[coefi];
  162911. if (coef_bits[coefi] != 0)
  162912. smoothing_useful = TRUE;
  162913. }
  162914. coef_bits_latch += SAVED_COEFS;
  162915. }
  162916. return smoothing_useful;
  162917. }
  162918. /*
  162919. * Variant of decompress_data for use when doing block smoothing.
  162920. */
  162921. METHODDEF(int)
  162922. decompress_smooth_data (j_decompress_ptr cinfo, JSAMPIMAGE output_buf)
  162923. {
  162924. my_coef_ptr3 coef = (my_coef_ptr3) cinfo->coef;
  162925. JDIMENSION last_iMCU_row = cinfo->total_iMCU_rows - 1;
  162926. JDIMENSION block_num, last_block_column;
  162927. int ci, block_row, block_rows, access_rows;
  162928. JBLOCKARRAY buffer;
  162929. JBLOCKROW buffer_ptr, prev_block_row, next_block_row;
  162930. JSAMPARRAY output_ptr;
  162931. JDIMENSION output_col;
  162932. jpeg_component_info *compptr;
  162933. inverse_DCT_method_ptr inverse_DCT;
  162934. boolean first_row, last_row;
  162935. JBLOCK workspace;
  162936. int *coef_bits;
  162937. JQUANT_TBL *quanttbl;
  162938. INT32 Q00,Q01,Q02,Q10,Q11,Q20, num;
  162939. int DC1,DC2,DC3,DC4,DC5,DC6,DC7,DC8,DC9;
  162940. int Al, pred;
  162941. /* Force some input to be done if we are getting ahead of the input. */
  162942. while (cinfo->input_scan_number <= cinfo->output_scan_number &&
  162943. ! cinfo->inputctl->eoi_reached) {
  162944. if (cinfo->input_scan_number == cinfo->output_scan_number) {
  162945. /* If input is working on current scan, we ordinarily want it to
  162946. * have completed the current row. But if input scan is DC,
  162947. * we want it to keep one row ahead so that next block row's DC
  162948. * values are up to date.
  162949. */
  162950. JDIMENSION delta = (cinfo->Ss == 0) ? 1 : 0;
  162951. if (cinfo->input_iMCU_row > cinfo->output_iMCU_row+delta)
  162952. break;
  162953. }
  162954. if ((*cinfo->inputctl->consume_input)(cinfo) == JPEG_SUSPENDED)
  162955. return JPEG_SUSPENDED;
  162956. }
  162957. /* OK, output from the virtual arrays. */
  162958. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  162959. ci++, compptr++) {
  162960. /* Don't bother to IDCT an uninteresting component. */
  162961. if (! compptr->component_needed)
  162962. continue;
  162963. /* Count non-dummy DCT block rows in this iMCU row. */
  162964. if (cinfo->output_iMCU_row < last_iMCU_row) {
  162965. block_rows = compptr->v_samp_factor;
  162966. access_rows = block_rows * 2; /* this and next iMCU row */
  162967. last_row = FALSE;
  162968. } else {
  162969. /* NB: can't use last_row_height here; it is input-side-dependent! */
  162970. block_rows = (int) (compptr->height_in_blocks % compptr->v_samp_factor);
  162971. if (block_rows == 0) block_rows = compptr->v_samp_factor;
  162972. access_rows = block_rows; /* this iMCU row only */
  162973. last_row = TRUE;
  162974. }
  162975. /* Align the virtual buffer for this component. */
  162976. if (cinfo->output_iMCU_row > 0) {
  162977. access_rows += compptr->v_samp_factor; /* prior iMCU row too */
  162978. buffer = (*cinfo->mem->access_virt_barray)
  162979. ((j_common_ptr) cinfo, coef->whole_image[ci],
  162980. (cinfo->output_iMCU_row - 1) * compptr->v_samp_factor,
  162981. (JDIMENSION) access_rows, FALSE);
  162982. buffer += compptr->v_samp_factor; /* point to current iMCU row */
  162983. first_row = FALSE;
  162984. } else {
  162985. buffer = (*cinfo->mem->access_virt_barray)
  162986. ((j_common_ptr) cinfo, coef->whole_image[ci],
  162987. (JDIMENSION) 0, (JDIMENSION) access_rows, FALSE);
  162988. first_row = TRUE;
  162989. }
  162990. /* Fetch component-dependent info */
  162991. coef_bits = coef->coef_bits_latch + (ci * SAVED_COEFS);
  162992. quanttbl = compptr->quant_table;
  162993. Q00 = quanttbl->quantval[0];
  162994. Q01 = quanttbl->quantval[Q01_POS];
  162995. Q10 = quanttbl->quantval[Q10_POS];
  162996. Q20 = quanttbl->quantval[Q20_POS];
  162997. Q11 = quanttbl->quantval[Q11_POS];
  162998. Q02 = quanttbl->quantval[Q02_POS];
  162999. inverse_DCT = cinfo->idct->inverse_DCT[ci];
  163000. output_ptr = output_buf[ci];
  163001. /* Loop over all DCT blocks to be processed. */
  163002. for (block_row = 0; block_row < block_rows; block_row++) {
  163003. buffer_ptr = buffer[block_row];
  163004. if (first_row && block_row == 0)
  163005. prev_block_row = buffer_ptr;
  163006. else
  163007. prev_block_row = buffer[block_row-1];
  163008. if (last_row && block_row == block_rows-1)
  163009. next_block_row = buffer_ptr;
  163010. else
  163011. next_block_row = buffer[block_row+1];
  163012. /* We fetch the surrounding DC values using a sliding-register approach.
  163013. * Initialize all nine here so as to do the right thing on narrow pics.
  163014. */
  163015. DC1 = DC2 = DC3 = (int) prev_block_row[0][0];
  163016. DC4 = DC5 = DC6 = (int) buffer_ptr[0][0];
  163017. DC7 = DC8 = DC9 = (int) next_block_row[0][0];
  163018. output_col = 0;
  163019. last_block_column = compptr->width_in_blocks - 1;
  163020. for (block_num = 0; block_num <= last_block_column; block_num++) {
  163021. /* Fetch current DCT block into workspace so we can modify it. */
  163022. jcopy_block_row(buffer_ptr, (JBLOCKROW) workspace, (JDIMENSION) 1);
  163023. /* Update DC values */
  163024. if (block_num < last_block_column) {
  163025. DC3 = (int) prev_block_row[1][0];
  163026. DC6 = (int) buffer_ptr[1][0];
  163027. DC9 = (int) next_block_row[1][0];
  163028. }
  163029. /* Compute coefficient estimates per K.8.
  163030. * An estimate is applied only if coefficient is still zero,
  163031. * and is not known to be fully accurate.
  163032. */
  163033. /* AC01 */
  163034. if ((Al=coef_bits[1]) != 0 && workspace[1] == 0) {
  163035. num = 36 * Q00 * (DC4 - DC6);
  163036. if (num >= 0) {
  163037. pred = (int) (((Q01<<7) + num) / (Q01<<8));
  163038. if (Al > 0 && pred >= (1<<Al))
  163039. pred = (1<<Al)-1;
  163040. } else {
  163041. pred = (int) (((Q01<<7) - num) / (Q01<<8));
  163042. if (Al > 0 && pred >= (1<<Al))
  163043. pred = (1<<Al)-1;
  163044. pred = -pred;
  163045. }
  163046. workspace[1] = (JCOEF) pred;
  163047. }
  163048. /* AC10 */
  163049. if ((Al=coef_bits[2]) != 0 && workspace[8] == 0) {
  163050. num = 36 * Q00 * (DC2 - DC8);
  163051. if (num >= 0) {
  163052. pred = (int) (((Q10<<7) + num) / (Q10<<8));
  163053. if (Al > 0 && pred >= (1<<Al))
  163054. pred = (1<<Al)-1;
  163055. } else {
  163056. pred = (int) (((Q10<<7) - num) / (Q10<<8));
  163057. if (Al > 0 && pred >= (1<<Al))
  163058. pred = (1<<Al)-1;
  163059. pred = -pred;
  163060. }
  163061. workspace[8] = (JCOEF) pred;
  163062. }
  163063. /* AC20 */
  163064. if ((Al=coef_bits[3]) != 0 && workspace[16] == 0) {
  163065. num = 9 * Q00 * (DC2 + DC8 - 2*DC5);
  163066. if (num >= 0) {
  163067. pred = (int) (((Q20<<7) + num) / (Q20<<8));
  163068. if (Al > 0 && pred >= (1<<Al))
  163069. pred = (1<<Al)-1;
  163070. } else {
  163071. pred = (int) (((Q20<<7) - num) / (Q20<<8));
  163072. if (Al > 0 && pred >= (1<<Al))
  163073. pred = (1<<Al)-1;
  163074. pred = -pred;
  163075. }
  163076. workspace[16] = (JCOEF) pred;
  163077. }
  163078. /* AC11 */
  163079. if ((Al=coef_bits[4]) != 0 && workspace[9] == 0) {
  163080. num = 5 * Q00 * (DC1 - DC3 - DC7 + DC9);
  163081. if (num >= 0) {
  163082. pred = (int) (((Q11<<7) + num) / (Q11<<8));
  163083. if (Al > 0 && pred >= (1<<Al))
  163084. pred = (1<<Al)-1;
  163085. } else {
  163086. pred = (int) (((Q11<<7) - num) / (Q11<<8));
  163087. if (Al > 0 && pred >= (1<<Al))
  163088. pred = (1<<Al)-1;
  163089. pred = -pred;
  163090. }
  163091. workspace[9] = (JCOEF) pred;
  163092. }
  163093. /* AC02 */
  163094. if ((Al=coef_bits[5]) != 0 && workspace[2] == 0) {
  163095. num = 9 * Q00 * (DC4 + DC6 - 2*DC5);
  163096. if (num >= 0) {
  163097. pred = (int) (((Q02<<7) + num) / (Q02<<8));
  163098. if (Al > 0 && pred >= (1<<Al))
  163099. pred = (1<<Al)-1;
  163100. } else {
  163101. pred = (int) (((Q02<<7) - num) / (Q02<<8));
  163102. if (Al > 0 && pred >= (1<<Al))
  163103. pred = (1<<Al)-1;
  163104. pred = -pred;
  163105. }
  163106. workspace[2] = (JCOEF) pred;
  163107. }
  163108. /* OK, do the IDCT */
  163109. (*inverse_DCT) (cinfo, compptr, (JCOEFPTR) workspace,
  163110. output_ptr, output_col);
  163111. /* Advance for next column */
  163112. DC1 = DC2; DC2 = DC3;
  163113. DC4 = DC5; DC5 = DC6;
  163114. DC7 = DC8; DC8 = DC9;
  163115. buffer_ptr++, prev_block_row++, next_block_row++;
  163116. output_col += compptr->DCT_scaled_size;
  163117. }
  163118. output_ptr += compptr->DCT_scaled_size;
  163119. }
  163120. }
  163121. if (++(cinfo->output_iMCU_row) < cinfo->total_iMCU_rows)
  163122. return JPEG_ROW_COMPLETED;
  163123. return JPEG_SCAN_COMPLETED;
  163124. }
  163125. #endif /* BLOCK_SMOOTHING_SUPPORTED */
  163126. /*
  163127. * Initialize coefficient buffer controller.
  163128. */
  163129. GLOBAL(void)
  163130. jinit_d_coef_controller (j_decompress_ptr cinfo, boolean need_full_buffer)
  163131. {
  163132. my_coef_ptr3 coef;
  163133. coef = (my_coef_ptr3)
  163134. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163135. SIZEOF(my_coef_controller3));
  163136. cinfo->coef = (struct jpeg_d_coef_controller *) coef;
  163137. coef->pub.start_input_pass = start_input_pass;
  163138. coef->pub.start_output_pass = start_output_pass;
  163139. #ifdef BLOCK_SMOOTHING_SUPPORTED
  163140. coef->coef_bits_latch = NULL;
  163141. #endif
  163142. /* Create the coefficient buffer. */
  163143. if (need_full_buffer) {
  163144. #ifdef D_MULTISCAN_FILES_SUPPORTED
  163145. /* Allocate a full-image virtual array for each component, */
  163146. /* padded to a multiple of samp_factor DCT blocks in each direction. */
  163147. /* Note we ask for a pre-zeroed array. */
  163148. int ci, access_rows;
  163149. jpeg_component_info *compptr;
  163150. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  163151. ci++, compptr++) {
  163152. access_rows = compptr->v_samp_factor;
  163153. #ifdef BLOCK_SMOOTHING_SUPPORTED
  163154. /* If block smoothing could be used, need a bigger window */
  163155. if (cinfo->progressive_mode)
  163156. access_rows *= 3;
  163157. #endif
  163158. coef->whole_image[ci] = (*cinfo->mem->request_virt_barray)
  163159. ((j_common_ptr) cinfo, JPOOL_IMAGE, TRUE,
  163160. (JDIMENSION) jround_up((long) compptr->width_in_blocks,
  163161. (long) compptr->h_samp_factor),
  163162. (JDIMENSION) jround_up((long) compptr->height_in_blocks,
  163163. (long) compptr->v_samp_factor),
  163164. (JDIMENSION) access_rows);
  163165. }
  163166. coef->pub.consume_data = consume_data;
  163167. coef->pub.decompress_data = decompress_data;
  163168. coef->pub.coef_arrays = coef->whole_image; /* link to virtual arrays */
  163169. #else
  163170. ERREXIT(cinfo, JERR_NOT_COMPILED);
  163171. #endif
  163172. } else {
  163173. /* We only need a single-MCU buffer. */
  163174. JBLOCKROW buffer;
  163175. int i;
  163176. buffer = (JBLOCKROW)
  163177. (*cinfo->mem->alloc_large) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163178. D_MAX_BLOCKS_IN_MCU * SIZEOF(JBLOCK));
  163179. for (i = 0; i < D_MAX_BLOCKS_IN_MCU; i++) {
  163180. coef->MCU_buffer[i] = buffer + i;
  163181. }
  163182. coef->pub.consume_data = dummy_consume_data;
  163183. coef->pub.decompress_data = decompress_onepass;
  163184. coef->pub.coef_arrays = NULL; /* flag for no virtual arrays */
  163185. }
  163186. }
  163187. /********* End of inlined file: jdcoefct.c *********/
  163188. #undef FIX
  163189. /********* Start of inlined file: jdcolor.c *********/
  163190. #define JPEG_INTERNALS
  163191. /* Private subobject */
  163192. typedef struct {
  163193. struct jpeg_color_deconverter pub; /* public fields */
  163194. /* Private state for YCC->RGB conversion */
  163195. int * Cr_r_tab; /* => table for Cr to R conversion */
  163196. int * Cb_b_tab; /* => table for Cb to B conversion */
  163197. INT32 * Cr_g_tab; /* => table for Cr to G conversion */
  163198. INT32 * Cb_g_tab; /* => table for Cb to G conversion */
  163199. } my_color_deconverter2;
  163200. typedef my_color_deconverter2 * my_cconvert_ptr2;
  163201. /**************** YCbCr -> RGB conversion: most common case **************/
  163202. /*
  163203. * YCbCr is defined per CCIR 601-1, except that Cb and Cr are
  163204. * normalized to the range 0..MAXJSAMPLE rather than -0.5 .. 0.5.
  163205. * The conversion equations to be implemented are therefore
  163206. * R = Y + 1.40200 * Cr
  163207. * G = Y - 0.34414 * Cb - 0.71414 * Cr
  163208. * B = Y + 1.77200 * Cb
  163209. * where Cb and Cr represent the incoming values less CENTERJSAMPLE.
  163210. * (These numbers are derived from TIFF 6.0 section 21, dated 3-June-92.)
  163211. *
  163212. * To avoid floating-point arithmetic, we represent the fractional constants
  163213. * as integers scaled up by 2^16 (about 4 digits precision); we have to divide
  163214. * the products by 2^16, with appropriate rounding, to get the correct answer.
  163215. * Notice that Y, being an integral input, does not contribute any fraction
  163216. * so it need not participate in the rounding.
  163217. *
  163218. * For even more speed, we avoid doing any multiplications in the inner loop
  163219. * by precalculating the constants times Cb and Cr for all possible values.
  163220. * For 8-bit JSAMPLEs this is very reasonable (only 256 entries per table);
  163221. * for 12-bit samples it is still acceptable. It's not very reasonable for
  163222. * 16-bit samples, but if you want lossless storage you shouldn't be changing
  163223. * colorspace anyway.
  163224. * The Cr=>R and Cb=>B values can be rounded to integers in advance; the
  163225. * values for the G calculation are left scaled up, since we must add them
  163226. * together before rounding.
  163227. */
  163228. #define SCALEBITS 16 /* speediest right-shift on some machines */
  163229. #define ONE_HALF ((INT32) 1 << (SCALEBITS-1))
  163230. #define FIX(x) ((INT32) ((x) * (1L<<SCALEBITS) + 0.5))
  163231. /*
  163232. * Initialize tables for YCC->RGB colorspace conversion.
  163233. */
  163234. LOCAL(void)
  163235. build_ycc_rgb_table (j_decompress_ptr cinfo)
  163236. {
  163237. my_cconvert_ptr2 cconvert = (my_cconvert_ptr2) cinfo->cconvert;
  163238. int i;
  163239. INT32 x;
  163240. SHIFT_TEMPS
  163241. cconvert->Cr_r_tab = (int *)
  163242. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163243. (MAXJSAMPLE+1) * SIZEOF(int));
  163244. cconvert->Cb_b_tab = (int *)
  163245. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163246. (MAXJSAMPLE+1) * SIZEOF(int));
  163247. cconvert->Cr_g_tab = (INT32 *)
  163248. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163249. (MAXJSAMPLE+1) * SIZEOF(INT32));
  163250. cconvert->Cb_g_tab = (INT32 *)
  163251. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163252. (MAXJSAMPLE+1) * SIZEOF(INT32));
  163253. for (i = 0, x = -CENTERJSAMPLE; i <= MAXJSAMPLE; i++, x++) {
  163254. /* i is the actual input pixel value, in the range 0..MAXJSAMPLE */
  163255. /* The Cb or Cr value we are thinking of is x = i - CENTERJSAMPLE */
  163256. /* Cr=>R value is nearest int to 1.40200 * x */
  163257. cconvert->Cr_r_tab[i] = (int)
  163258. RIGHT_SHIFT(FIX(1.40200) * x + ONE_HALF, SCALEBITS);
  163259. /* Cb=>B value is nearest int to 1.77200 * x */
  163260. cconvert->Cb_b_tab[i] = (int)
  163261. RIGHT_SHIFT(FIX(1.77200) * x + ONE_HALF, SCALEBITS);
  163262. /* Cr=>G value is scaled-up -0.71414 * x */
  163263. cconvert->Cr_g_tab[i] = (- FIX(0.71414)) * x;
  163264. /* Cb=>G value is scaled-up -0.34414 * x */
  163265. /* We also add in ONE_HALF so that need not do it in inner loop */
  163266. cconvert->Cb_g_tab[i] = (- FIX(0.34414)) * x + ONE_HALF;
  163267. }
  163268. }
  163269. /*
  163270. * Convert some rows of samples to the output colorspace.
  163271. *
  163272. * Note that we change from noninterleaved, one-plane-per-component format
  163273. * to interleaved-pixel format. The output buffer is therefore three times
  163274. * as wide as the input buffer.
  163275. * A starting row offset is provided only for the input buffer. The caller
  163276. * can easily adjust the passed output_buf value to accommodate any row
  163277. * offset required on that side.
  163278. */
  163279. METHODDEF(void)
  163280. ycc_rgb_convert (j_decompress_ptr cinfo,
  163281. JSAMPIMAGE input_buf, JDIMENSION input_row,
  163282. JSAMPARRAY output_buf, int num_rows)
  163283. {
  163284. my_cconvert_ptr2 cconvert = (my_cconvert_ptr2) cinfo->cconvert;
  163285. register int y, cb, cr;
  163286. register JSAMPROW outptr;
  163287. register JSAMPROW inptr0, inptr1, inptr2;
  163288. register JDIMENSION col;
  163289. JDIMENSION num_cols = cinfo->output_width;
  163290. /* copy these pointers into registers if possible */
  163291. register JSAMPLE * range_limit = cinfo->sample_range_limit;
  163292. register int * Crrtab = cconvert->Cr_r_tab;
  163293. register int * Cbbtab = cconvert->Cb_b_tab;
  163294. register INT32 * Crgtab = cconvert->Cr_g_tab;
  163295. register INT32 * Cbgtab = cconvert->Cb_g_tab;
  163296. SHIFT_TEMPS
  163297. while (--num_rows >= 0) {
  163298. inptr0 = input_buf[0][input_row];
  163299. inptr1 = input_buf[1][input_row];
  163300. inptr2 = input_buf[2][input_row];
  163301. input_row++;
  163302. outptr = *output_buf++;
  163303. for (col = 0; col < num_cols; col++) {
  163304. y = GETJSAMPLE(inptr0[col]);
  163305. cb = GETJSAMPLE(inptr1[col]);
  163306. cr = GETJSAMPLE(inptr2[col]);
  163307. /* Range-limiting is essential due to noise introduced by DCT losses. */
  163308. outptr[RGB_RED] = range_limit[y + Crrtab[cr]];
  163309. outptr[RGB_GREEN] = range_limit[y +
  163310. ((int) RIGHT_SHIFT(Cbgtab[cb] + Crgtab[cr],
  163311. SCALEBITS))];
  163312. outptr[RGB_BLUE] = range_limit[y + Cbbtab[cb]];
  163313. outptr += RGB_PIXELSIZE;
  163314. }
  163315. }
  163316. }
  163317. /**************** Cases other than YCbCr -> RGB **************/
  163318. /*
  163319. * Color conversion for no colorspace change: just copy the data,
  163320. * converting from separate-planes to interleaved representation.
  163321. */
  163322. METHODDEF(void)
  163323. null_convert2 (j_decompress_ptr cinfo,
  163324. JSAMPIMAGE input_buf, JDIMENSION input_row,
  163325. JSAMPARRAY output_buf, int num_rows)
  163326. {
  163327. register JSAMPROW inptr, outptr;
  163328. register JDIMENSION count;
  163329. register int num_components = cinfo->num_components;
  163330. JDIMENSION num_cols = cinfo->output_width;
  163331. int ci;
  163332. while (--num_rows >= 0) {
  163333. for (ci = 0; ci < num_components; ci++) {
  163334. inptr = input_buf[ci][input_row];
  163335. outptr = output_buf[0] + ci;
  163336. for (count = num_cols; count > 0; count--) {
  163337. *outptr = *inptr++; /* needn't bother with GETJSAMPLE() here */
  163338. outptr += num_components;
  163339. }
  163340. }
  163341. input_row++;
  163342. output_buf++;
  163343. }
  163344. }
  163345. /*
  163346. * Color conversion for grayscale: just copy the data.
  163347. * This also works for YCbCr -> grayscale conversion, in which
  163348. * we just copy the Y (luminance) component and ignore chrominance.
  163349. */
  163350. METHODDEF(void)
  163351. grayscale_convert2 (j_decompress_ptr cinfo,
  163352. JSAMPIMAGE input_buf, JDIMENSION input_row,
  163353. JSAMPARRAY output_buf, int num_rows)
  163354. {
  163355. jcopy_sample_rows(input_buf[0], (int) input_row, output_buf, 0,
  163356. num_rows, cinfo->output_width);
  163357. }
  163358. /*
  163359. * Convert grayscale to RGB: just duplicate the graylevel three times.
  163360. * This is provided to support applications that don't want to cope
  163361. * with grayscale as a separate case.
  163362. */
  163363. METHODDEF(void)
  163364. gray_rgb_convert (j_decompress_ptr cinfo,
  163365. JSAMPIMAGE input_buf, JDIMENSION input_row,
  163366. JSAMPARRAY output_buf, int num_rows)
  163367. {
  163368. register JSAMPROW inptr, outptr;
  163369. register JDIMENSION col;
  163370. JDIMENSION num_cols = cinfo->output_width;
  163371. while (--num_rows >= 0) {
  163372. inptr = input_buf[0][input_row++];
  163373. outptr = *output_buf++;
  163374. for (col = 0; col < num_cols; col++) {
  163375. /* We can dispense with GETJSAMPLE() here */
  163376. outptr[RGB_RED] = outptr[RGB_GREEN] = outptr[RGB_BLUE] = inptr[col];
  163377. outptr += RGB_PIXELSIZE;
  163378. }
  163379. }
  163380. }
  163381. /*
  163382. * Adobe-style YCCK->CMYK conversion.
  163383. * We convert YCbCr to R=1-C, G=1-M, and B=1-Y using the same
  163384. * conversion as above, while passing K (black) unchanged.
  163385. * We assume build_ycc_rgb_table has been called.
  163386. */
  163387. METHODDEF(void)
  163388. ycck_cmyk_convert (j_decompress_ptr cinfo,
  163389. JSAMPIMAGE input_buf, JDIMENSION input_row,
  163390. JSAMPARRAY output_buf, int num_rows)
  163391. {
  163392. my_cconvert_ptr2 cconvert = (my_cconvert_ptr2) cinfo->cconvert;
  163393. register int y, cb, cr;
  163394. register JSAMPROW outptr;
  163395. register JSAMPROW inptr0, inptr1, inptr2, inptr3;
  163396. register JDIMENSION col;
  163397. JDIMENSION num_cols = cinfo->output_width;
  163398. /* copy these pointers into registers if possible */
  163399. register JSAMPLE * range_limit = cinfo->sample_range_limit;
  163400. register int * Crrtab = cconvert->Cr_r_tab;
  163401. register int * Cbbtab = cconvert->Cb_b_tab;
  163402. register INT32 * Crgtab = cconvert->Cr_g_tab;
  163403. register INT32 * Cbgtab = cconvert->Cb_g_tab;
  163404. SHIFT_TEMPS
  163405. while (--num_rows >= 0) {
  163406. inptr0 = input_buf[0][input_row];
  163407. inptr1 = input_buf[1][input_row];
  163408. inptr2 = input_buf[2][input_row];
  163409. inptr3 = input_buf[3][input_row];
  163410. input_row++;
  163411. outptr = *output_buf++;
  163412. for (col = 0; col < num_cols; col++) {
  163413. y = GETJSAMPLE(inptr0[col]);
  163414. cb = GETJSAMPLE(inptr1[col]);
  163415. cr = GETJSAMPLE(inptr2[col]);
  163416. /* Range-limiting is essential due to noise introduced by DCT losses. */
  163417. outptr[0] = range_limit[MAXJSAMPLE - (y + Crrtab[cr])]; /* red */
  163418. outptr[1] = range_limit[MAXJSAMPLE - (y + /* green */
  163419. ((int) RIGHT_SHIFT(Cbgtab[cb] + Crgtab[cr],
  163420. SCALEBITS)))];
  163421. outptr[2] = range_limit[MAXJSAMPLE - (y + Cbbtab[cb])]; /* blue */
  163422. /* K passes through unchanged */
  163423. outptr[3] = inptr3[col]; /* don't need GETJSAMPLE here */
  163424. outptr += 4;
  163425. }
  163426. }
  163427. }
  163428. /*
  163429. * Empty method for start_pass.
  163430. */
  163431. METHODDEF(void)
  163432. start_pass_dcolor (j_decompress_ptr cinfo)
  163433. {
  163434. /* no work needed */
  163435. }
  163436. /*
  163437. * Module initialization routine for output colorspace conversion.
  163438. */
  163439. GLOBAL(void)
  163440. jinit_color_deconverter (j_decompress_ptr cinfo)
  163441. {
  163442. my_cconvert_ptr2 cconvert;
  163443. int ci;
  163444. cconvert = (my_cconvert_ptr2)
  163445. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163446. SIZEOF(my_color_deconverter2));
  163447. cinfo->cconvert = (struct jpeg_color_deconverter *) cconvert;
  163448. cconvert->pub.start_pass = start_pass_dcolor;
  163449. /* Make sure num_components agrees with jpeg_color_space */
  163450. switch (cinfo->jpeg_color_space) {
  163451. case JCS_GRAYSCALE:
  163452. if (cinfo->num_components != 1)
  163453. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  163454. break;
  163455. case JCS_RGB:
  163456. case JCS_YCbCr:
  163457. if (cinfo->num_components != 3)
  163458. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  163459. break;
  163460. case JCS_CMYK:
  163461. case JCS_YCCK:
  163462. if (cinfo->num_components != 4)
  163463. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  163464. break;
  163465. default: /* JCS_UNKNOWN can be anything */
  163466. if (cinfo->num_components < 1)
  163467. ERREXIT(cinfo, JERR_BAD_J_COLORSPACE);
  163468. break;
  163469. }
  163470. /* Set out_color_components and conversion method based on requested space.
  163471. * Also clear the component_needed flags for any unused components,
  163472. * so that earlier pipeline stages can avoid useless computation.
  163473. */
  163474. switch (cinfo->out_color_space) {
  163475. case JCS_GRAYSCALE:
  163476. cinfo->out_color_components = 1;
  163477. if (cinfo->jpeg_color_space == JCS_GRAYSCALE ||
  163478. cinfo->jpeg_color_space == JCS_YCbCr) {
  163479. cconvert->pub.color_convert = grayscale_convert2;
  163480. /* For color->grayscale conversion, only the Y (0) component is needed */
  163481. for (ci = 1; ci < cinfo->num_components; ci++)
  163482. cinfo->comp_info[ci].component_needed = FALSE;
  163483. } else
  163484. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  163485. break;
  163486. case JCS_RGB:
  163487. cinfo->out_color_components = RGB_PIXELSIZE;
  163488. if (cinfo->jpeg_color_space == JCS_YCbCr) {
  163489. cconvert->pub.color_convert = ycc_rgb_convert;
  163490. build_ycc_rgb_table(cinfo);
  163491. } else if (cinfo->jpeg_color_space == JCS_GRAYSCALE) {
  163492. cconvert->pub.color_convert = gray_rgb_convert;
  163493. } else if (cinfo->jpeg_color_space == JCS_RGB && RGB_PIXELSIZE == 3) {
  163494. cconvert->pub.color_convert = null_convert2;
  163495. } else
  163496. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  163497. break;
  163498. case JCS_CMYK:
  163499. cinfo->out_color_components = 4;
  163500. if (cinfo->jpeg_color_space == JCS_YCCK) {
  163501. cconvert->pub.color_convert = ycck_cmyk_convert;
  163502. build_ycc_rgb_table(cinfo);
  163503. } else if (cinfo->jpeg_color_space == JCS_CMYK) {
  163504. cconvert->pub.color_convert = null_convert2;
  163505. } else
  163506. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  163507. break;
  163508. default:
  163509. /* Permit null conversion to same output space */
  163510. if (cinfo->out_color_space == cinfo->jpeg_color_space) {
  163511. cinfo->out_color_components = cinfo->num_components;
  163512. cconvert->pub.color_convert = null_convert2;
  163513. } else /* unsupported non-null conversion */
  163514. ERREXIT(cinfo, JERR_CONVERSION_NOTIMPL);
  163515. break;
  163516. }
  163517. if (cinfo->quantize_colors)
  163518. cinfo->output_components = 1; /* single colormapped output component */
  163519. else
  163520. cinfo->output_components = cinfo->out_color_components;
  163521. }
  163522. /********* End of inlined file: jdcolor.c *********/
  163523. #undef FIX
  163524. /********* Start of inlined file: jddctmgr.c *********/
  163525. #define JPEG_INTERNALS
  163526. /*
  163527. * The decompressor input side (jdinput.c) saves away the appropriate
  163528. * quantization table for each component at the start of the first scan
  163529. * involving that component. (This is necessary in order to correctly
  163530. * decode files that reuse Q-table slots.)
  163531. * When we are ready to make an output pass, the saved Q-table is converted
  163532. * to a multiplier table that will actually be used by the IDCT routine.
  163533. * The multiplier table contents are IDCT-method-dependent. To support
  163534. * application changes in IDCT method between scans, we can remake the
  163535. * multiplier tables if necessary.
  163536. * In buffered-image mode, the first output pass may occur before any data
  163537. * has been seen for some components, and thus before their Q-tables have
  163538. * been saved away. To handle this case, multiplier tables are preset
  163539. * to zeroes; the result of the IDCT will be a neutral gray level.
  163540. */
  163541. /* Private subobject for this module */
  163542. typedef struct {
  163543. struct jpeg_inverse_dct pub; /* public fields */
  163544. /* This array contains the IDCT method code that each multiplier table
  163545. * is currently set up for, or -1 if it's not yet set up.
  163546. * The actual multiplier tables are pointed to by dct_table in the
  163547. * per-component comp_info structures.
  163548. */
  163549. int cur_method[MAX_COMPONENTS];
  163550. } my_idct_controller;
  163551. typedef my_idct_controller * my_idct_ptr;
  163552. /* Allocated multiplier tables: big enough for any supported variant */
  163553. typedef union {
  163554. ISLOW_MULT_TYPE islow_array[DCTSIZE2];
  163555. #ifdef DCT_IFAST_SUPPORTED
  163556. IFAST_MULT_TYPE ifast_array[DCTSIZE2];
  163557. #endif
  163558. #ifdef DCT_FLOAT_SUPPORTED
  163559. FLOAT_MULT_TYPE float_array[DCTSIZE2];
  163560. #endif
  163561. } multiplier_table;
  163562. /* The current scaled-IDCT routines require ISLOW-style multiplier tables,
  163563. * so be sure to compile that code if either ISLOW or SCALING is requested.
  163564. */
  163565. #ifdef DCT_ISLOW_SUPPORTED
  163566. #define PROVIDE_ISLOW_TABLES
  163567. #else
  163568. #ifdef IDCT_SCALING_SUPPORTED
  163569. #define PROVIDE_ISLOW_TABLES
  163570. #endif
  163571. #endif
  163572. /*
  163573. * Prepare for an output pass.
  163574. * Here we select the proper IDCT routine for each component and build
  163575. * a matching multiplier table.
  163576. */
  163577. METHODDEF(void)
  163578. start_pass (j_decompress_ptr cinfo)
  163579. {
  163580. my_idct_ptr idct = (my_idct_ptr) cinfo->idct;
  163581. int ci, i;
  163582. jpeg_component_info *compptr;
  163583. int method = 0;
  163584. inverse_DCT_method_ptr method_ptr = NULL;
  163585. JQUANT_TBL * qtbl;
  163586. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  163587. ci++, compptr++) {
  163588. /* Select the proper IDCT routine for this component's scaling */
  163589. switch (compptr->DCT_scaled_size) {
  163590. #ifdef IDCT_SCALING_SUPPORTED
  163591. case 1:
  163592. method_ptr = jpeg_idct_1x1;
  163593. method = JDCT_ISLOW; /* jidctred uses islow-style table */
  163594. break;
  163595. case 2:
  163596. method_ptr = jpeg_idct_2x2;
  163597. method = JDCT_ISLOW; /* jidctred uses islow-style table */
  163598. break;
  163599. case 4:
  163600. method_ptr = jpeg_idct_4x4;
  163601. method = JDCT_ISLOW; /* jidctred uses islow-style table */
  163602. break;
  163603. #endif
  163604. case DCTSIZE:
  163605. switch (cinfo->dct_method) {
  163606. #ifdef DCT_ISLOW_SUPPORTED
  163607. case JDCT_ISLOW:
  163608. method_ptr = jpeg_idct_islow;
  163609. method = JDCT_ISLOW;
  163610. break;
  163611. #endif
  163612. #ifdef DCT_IFAST_SUPPORTED
  163613. case JDCT_IFAST:
  163614. method_ptr = jpeg_idct_ifast;
  163615. method = JDCT_IFAST;
  163616. break;
  163617. #endif
  163618. #ifdef DCT_FLOAT_SUPPORTED
  163619. case JDCT_FLOAT:
  163620. method_ptr = jpeg_idct_float;
  163621. method = JDCT_FLOAT;
  163622. break;
  163623. #endif
  163624. default:
  163625. ERREXIT(cinfo, JERR_NOT_COMPILED);
  163626. break;
  163627. }
  163628. break;
  163629. default:
  163630. ERREXIT1(cinfo, JERR_BAD_DCTSIZE, compptr->DCT_scaled_size);
  163631. break;
  163632. }
  163633. idct->pub.inverse_DCT[ci] = method_ptr;
  163634. /* Create multiplier table from quant table.
  163635. * However, we can skip this if the component is uninteresting
  163636. * or if we already built the table. Also, if no quant table
  163637. * has yet been saved for the component, we leave the
  163638. * multiplier table all-zero; we'll be reading zeroes from the
  163639. * coefficient controller's buffer anyway.
  163640. */
  163641. if (! compptr->component_needed || idct->cur_method[ci] == method)
  163642. continue;
  163643. qtbl = compptr->quant_table;
  163644. if (qtbl == NULL) /* happens if no data yet for component */
  163645. continue;
  163646. idct->cur_method[ci] = method;
  163647. switch (method) {
  163648. #ifdef PROVIDE_ISLOW_TABLES
  163649. case JDCT_ISLOW:
  163650. {
  163651. /* For LL&M IDCT method, multipliers are equal to raw quantization
  163652. * coefficients, but are stored as ints to ensure access efficiency.
  163653. */
  163654. ISLOW_MULT_TYPE * ismtbl = (ISLOW_MULT_TYPE *) compptr->dct_table;
  163655. for (i = 0; i < DCTSIZE2; i++) {
  163656. ismtbl[i] = (ISLOW_MULT_TYPE) qtbl->quantval[i];
  163657. }
  163658. }
  163659. break;
  163660. #endif
  163661. #ifdef DCT_IFAST_SUPPORTED
  163662. case JDCT_IFAST:
  163663. {
  163664. /* For AA&N IDCT method, multipliers are equal to quantization
  163665. * coefficients scaled by scalefactor[row]*scalefactor[col], where
  163666. * scalefactor[0] = 1
  163667. * scalefactor[k] = cos(k*PI/16) * sqrt(2) for k=1..7
  163668. * For integer operation, the multiplier table is to be scaled by
  163669. * IFAST_SCALE_BITS.
  163670. */
  163671. IFAST_MULT_TYPE * ifmtbl = (IFAST_MULT_TYPE *) compptr->dct_table;
  163672. #define CONST_BITS 14
  163673. static const INT16 aanscales[DCTSIZE2] = {
  163674. /* precomputed values scaled up by 14 bits */
  163675. 16384, 22725, 21407, 19266, 16384, 12873, 8867, 4520,
  163676. 22725, 31521, 29692, 26722, 22725, 17855, 12299, 6270,
  163677. 21407, 29692, 27969, 25172, 21407, 16819, 11585, 5906,
  163678. 19266, 26722, 25172, 22654, 19266, 15137, 10426, 5315,
  163679. 16384, 22725, 21407, 19266, 16384, 12873, 8867, 4520,
  163680. 12873, 17855, 16819, 15137, 12873, 10114, 6967, 3552,
  163681. 8867, 12299, 11585, 10426, 8867, 6967, 4799, 2446,
  163682. 4520, 6270, 5906, 5315, 4520, 3552, 2446, 1247
  163683. };
  163684. SHIFT_TEMPS
  163685. for (i = 0; i < DCTSIZE2; i++) {
  163686. ifmtbl[i] = (IFAST_MULT_TYPE)
  163687. DESCALE(MULTIPLY16V16((INT32) qtbl->quantval[i],
  163688. (INT32) aanscales[i]),
  163689. CONST_BITS-IFAST_SCALE_BITS);
  163690. }
  163691. }
  163692. break;
  163693. #endif
  163694. #ifdef DCT_FLOAT_SUPPORTED
  163695. case JDCT_FLOAT:
  163696. {
  163697. /* For float AA&N IDCT method, multipliers are equal to quantization
  163698. * coefficients scaled by scalefactor[row]*scalefactor[col], where
  163699. * scalefactor[0] = 1
  163700. * scalefactor[k] = cos(k*PI/16) * sqrt(2) for k=1..7
  163701. */
  163702. FLOAT_MULT_TYPE * fmtbl = (FLOAT_MULT_TYPE *) compptr->dct_table;
  163703. int row, col;
  163704. static const double aanscalefactor[DCTSIZE] = {
  163705. 1.0, 1.387039845, 1.306562965, 1.175875602,
  163706. 1.0, 0.785694958, 0.541196100, 0.275899379
  163707. };
  163708. i = 0;
  163709. for (row = 0; row < DCTSIZE; row++) {
  163710. for (col = 0; col < DCTSIZE; col++) {
  163711. fmtbl[i] = (FLOAT_MULT_TYPE)
  163712. ((double) qtbl->quantval[i] *
  163713. aanscalefactor[row] * aanscalefactor[col]);
  163714. i++;
  163715. }
  163716. }
  163717. }
  163718. break;
  163719. #endif
  163720. default:
  163721. ERREXIT(cinfo, JERR_NOT_COMPILED);
  163722. break;
  163723. }
  163724. }
  163725. }
  163726. /*
  163727. * Initialize IDCT manager.
  163728. */
  163729. GLOBAL(void)
  163730. jinit_inverse_dct (j_decompress_ptr cinfo)
  163731. {
  163732. my_idct_ptr idct;
  163733. int ci;
  163734. jpeg_component_info *compptr;
  163735. idct = (my_idct_ptr)
  163736. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163737. SIZEOF(my_idct_controller));
  163738. cinfo->idct = (struct jpeg_inverse_dct *) idct;
  163739. idct->pub.start_pass = start_pass;
  163740. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  163741. ci++, compptr++) {
  163742. /* Allocate and pre-zero a multiplier table for each component */
  163743. compptr->dct_table =
  163744. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  163745. SIZEOF(multiplier_table));
  163746. MEMZERO(compptr->dct_table, SIZEOF(multiplier_table));
  163747. /* Mark multiplier table not yet set up for any method */
  163748. idct->cur_method[ci] = -1;
  163749. }
  163750. }
  163751. /********* End of inlined file: jddctmgr.c *********/
  163752. #undef CONST_BITS
  163753. #undef ASSIGN_STATE
  163754. /********* Start of inlined file: jdhuff.c *********/
  163755. #define JPEG_INTERNALS
  163756. /********* Start of inlined file: jdhuff.h *********/
  163757. /* Short forms of external names for systems with brain-damaged linkers. */
  163758. #ifndef __jdhuff_h__
  163759. #define __jdhuff_h__
  163760. #ifdef NEED_SHORT_EXTERNAL_NAMES
  163761. #define jpeg_make_d_derived_tbl jMkDDerived
  163762. #define jpeg_fill_bit_buffer jFilBitBuf
  163763. #define jpeg_huff_decode jHufDecode
  163764. #endif /* NEED_SHORT_EXTERNAL_NAMES */
  163765. /* Derived data constructed for each Huffman table */
  163766. #define HUFF_LOOKAHEAD 8 /* # of bits of lookahead */
  163767. typedef struct {
  163768. /* Basic tables: (element [0] of each array is unused) */
  163769. INT32 maxcode[18]; /* largest code of length k (-1 if none) */
  163770. /* (maxcode[17] is a sentinel to ensure jpeg_huff_decode terminates) */
  163771. INT32 valoffset[17]; /* huffval[] offset for codes of length k */
  163772. /* valoffset[k] = huffval[] index of 1st symbol of code length k, less
  163773. * the smallest code of length k; so given a code of length k, the
  163774. * corresponding symbol is huffval[code + valoffset[k]]
  163775. */
  163776. /* Link to public Huffman table (needed only in jpeg_huff_decode) */
  163777. JHUFF_TBL *pub;
  163778. /* Lookahead tables: indexed by the next HUFF_LOOKAHEAD bits of
  163779. * the input data stream. If the next Huffman code is no more
  163780. * than HUFF_LOOKAHEAD bits long, we can obtain its length and
  163781. * the corresponding symbol directly from these tables.
  163782. */
  163783. int look_nbits[1<<HUFF_LOOKAHEAD]; /* # bits, or 0 if too long */
  163784. UINT8 look_sym[1<<HUFF_LOOKAHEAD]; /* symbol, or unused */
  163785. } d_derived_tbl;
  163786. /* Expand a Huffman table definition into the derived format */
  163787. EXTERN(void) jpeg_make_d_derived_tbl
  163788. JPP((j_decompress_ptr cinfo, boolean isDC, int tblno,
  163789. d_derived_tbl ** pdtbl));
  163790. /*
  163791. * Fetching the next N bits from the input stream is a time-critical operation
  163792. * for the Huffman decoders. We implement it with a combination of inline
  163793. * macros and out-of-line subroutines. Note that N (the number of bits
  163794. * demanded at one time) never exceeds 15 for JPEG use.
  163795. *
  163796. * We read source bytes into get_buffer and dole out bits as needed.
  163797. * If get_buffer already contains enough bits, they are fetched in-line
  163798. * by the macros CHECK_BIT_BUFFER and GET_BITS. When there aren't enough
  163799. * bits, jpeg_fill_bit_buffer is called; it will attempt to fill get_buffer
  163800. * as full as possible (not just to the number of bits needed; this
  163801. * prefetching reduces the overhead cost of calling jpeg_fill_bit_buffer).
  163802. * Note that jpeg_fill_bit_buffer may return FALSE to indicate suspension.
  163803. * On TRUE return, jpeg_fill_bit_buffer guarantees that get_buffer contains
  163804. * at least the requested number of bits --- dummy zeroes are inserted if
  163805. * necessary.
  163806. */
  163807. typedef INT32 bit_buf_type; /* type of bit-extraction buffer */
  163808. #define BIT_BUF_SIZE 32 /* size of buffer in bits */
  163809. /* If long is > 32 bits on your machine, and shifting/masking longs is
  163810. * reasonably fast, making bit_buf_type be long and setting BIT_BUF_SIZE
  163811. * appropriately should be a win. Unfortunately we can't define the size
  163812. * with something like #define BIT_BUF_SIZE (sizeof(bit_buf_type)*8)
  163813. * because not all machines measure sizeof in 8-bit bytes.
  163814. */
  163815. typedef struct { /* Bitreading state saved across MCUs */
  163816. bit_buf_type get_buffer; /* current bit-extraction buffer */
  163817. int bits_left; /* # of unused bits in it */
  163818. } bitread_perm_state;
  163819. typedef struct { /* Bitreading working state within an MCU */
  163820. /* Current data source location */
  163821. /* We need a copy, rather than munging the original, in case of suspension */
  163822. const JOCTET * next_input_byte; /* => next byte to read from source */
  163823. size_t bytes_in_buffer; /* # of bytes remaining in source buffer */
  163824. /* Bit input buffer --- note these values are kept in register variables,
  163825. * not in this struct, inside the inner loops.
  163826. */
  163827. bit_buf_type get_buffer; /* current bit-extraction buffer */
  163828. int bits_left; /* # of unused bits in it */
  163829. /* Pointer needed by jpeg_fill_bit_buffer. */
  163830. j_decompress_ptr cinfo; /* back link to decompress master record */
  163831. } bitread_working_state;
  163832. /* Macros to declare and load/save bitread local variables. */
  163833. #define BITREAD_STATE_VARS \
  163834. register bit_buf_type get_buffer; \
  163835. register int bits_left; \
  163836. bitread_working_state br_state
  163837. #define BITREAD_LOAD_STATE(cinfop,permstate) \
  163838. br_state.cinfo = cinfop; \
  163839. br_state.next_input_byte = cinfop->src->next_input_byte; \
  163840. br_state.bytes_in_buffer = cinfop->src->bytes_in_buffer; \
  163841. get_buffer = permstate.get_buffer; \
  163842. bits_left = permstate.bits_left;
  163843. #define BITREAD_SAVE_STATE(cinfop,permstate) \
  163844. cinfop->src->next_input_byte = br_state.next_input_byte; \
  163845. cinfop->src->bytes_in_buffer = br_state.bytes_in_buffer; \
  163846. permstate.get_buffer = get_buffer; \
  163847. permstate.bits_left = bits_left
  163848. /*
  163849. * These macros provide the in-line portion of bit fetching.
  163850. * Use CHECK_BIT_BUFFER to ensure there are N bits in get_buffer
  163851. * before using GET_BITS, PEEK_BITS, or DROP_BITS.
  163852. * The variables get_buffer and bits_left are assumed to be locals,
  163853. * but the state struct might not be (jpeg_huff_decode needs this).
  163854. * CHECK_BIT_BUFFER(state,n,action);
  163855. * Ensure there are N bits in get_buffer; if suspend, take action.
  163856. * val = GET_BITS(n);
  163857. * Fetch next N bits.
  163858. * val = PEEK_BITS(n);
  163859. * Fetch next N bits without removing them from the buffer.
  163860. * DROP_BITS(n);
  163861. * Discard next N bits.
  163862. * The value N should be a simple variable, not an expression, because it
  163863. * is evaluated multiple times.
  163864. */
  163865. #define CHECK_BIT_BUFFER(state,nbits,action) \
  163866. { if (bits_left < (nbits)) { \
  163867. if (! jpeg_fill_bit_buffer(&(state),get_buffer,bits_left,nbits)) \
  163868. { action; } \
  163869. get_buffer = (state).get_buffer; bits_left = (state).bits_left; } }
  163870. #define GET_BITS(nbits) \
  163871. (((int) (get_buffer >> (bits_left -= (nbits)))) & ((1<<(nbits))-1))
  163872. #define PEEK_BITS(nbits) \
  163873. (((int) (get_buffer >> (bits_left - (nbits)))) & ((1<<(nbits))-1))
  163874. #define DROP_BITS(nbits) \
  163875. (bits_left -= (nbits))
  163876. /* Load up the bit buffer to a depth of at least nbits */
  163877. EXTERN(boolean) jpeg_fill_bit_buffer
  163878. JPP((bitread_working_state * state, register bit_buf_type get_buffer,
  163879. register int bits_left, int nbits));
  163880. /*
  163881. * Code for extracting next Huffman-coded symbol from input bit stream.
  163882. * Again, this is time-critical and we make the main paths be macros.
  163883. *
  163884. * We use a lookahead table to process codes of up to HUFF_LOOKAHEAD bits
  163885. * without looping. Usually, more than 95% of the Huffman codes will be 8
  163886. * or fewer bits long. The few overlength codes are handled with a loop,
  163887. * which need not be inline code.
  163888. *
  163889. * Notes about the HUFF_DECODE macro:
  163890. * 1. Near the end of the data segment, we may fail to get enough bits
  163891. * for a lookahead. In that case, we do it the hard way.
  163892. * 2. If the lookahead table contains no entry, the next code must be
  163893. * more than HUFF_LOOKAHEAD bits long.
  163894. * 3. jpeg_huff_decode returns -1 if forced to suspend.
  163895. */
  163896. #define HUFF_DECODE(result,state,htbl,failaction,slowlabel) \
  163897. { register int nb, look; \
  163898. if (bits_left < HUFF_LOOKAHEAD) { \
  163899. if (! jpeg_fill_bit_buffer(&state,get_buffer,bits_left, 0)) {failaction;} \
  163900. get_buffer = state.get_buffer; bits_left = state.bits_left; \
  163901. if (bits_left < HUFF_LOOKAHEAD) { \
  163902. nb = 1; goto slowlabel; \
  163903. } \
  163904. } \
  163905. look = PEEK_BITS(HUFF_LOOKAHEAD); \
  163906. if ((nb = htbl->look_nbits[look]) != 0) { \
  163907. DROP_BITS(nb); \
  163908. result = htbl->look_sym[look]; \
  163909. } else { \
  163910. nb = HUFF_LOOKAHEAD+1; \
  163911. slowlabel: \
  163912. if ((result=jpeg_huff_decode(&state,get_buffer,bits_left,htbl,nb)) < 0) \
  163913. { failaction; } \
  163914. get_buffer = state.get_buffer; bits_left = state.bits_left; \
  163915. } \
  163916. }
  163917. /* Out-of-line case for Huffman code fetching */
  163918. EXTERN(int) jpeg_huff_decode
  163919. JPP((bitread_working_state * state, register bit_buf_type get_buffer,
  163920. register int bits_left, d_derived_tbl * htbl, int min_bits));
  163921. #endif
  163922. /********* End of inlined file: jdhuff.h *********/
  163923. /* Declarations shared with jdphuff.c */
  163924. /*
  163925. * Expanded entropy decoder object for Huffman decoding.
  163926. *
  163927. * The savable_state subrecord contains fields that change within an MCU,
  163928. * but must not be updated permanently until we complete the MCU.
  163929. */
  163930. typedef struct {
  163931. int last_dc_val[MAX_COMPS_IN_SCAN]; /* last DC coef for each component */
  163932. } savable_state2;
  163933. /* This macro is to work around compilers with missing or broken
  163934. * structure assignment. You'll need to fix this code if you have
  163935. * such a compiler and you change MAX_COMPS_IN_SCAN.
  163936. */
  163937. #ifndef NO_STRUCT_ASSIGN
  163938. #define ASSIGN_STATE(dest,src) ((dest) = (src))
  163939. #else
  163940. #if MAX_COMPS_IN_SCAN == 4
  163941. #define ASSIGN_STATE(dest,src) \
  163942. ((dest).last_dc_val[0] = (src).last_dc_val[0], \
  163943. (dest).last_dc_val[1] = (src).last_dc_val[1], \
  163944. (dest).last_dc_val[2] = (src).last_dc_val[2], \
  163945. (dest).last_dc_val[3] = (src).last_dc_val[3])
  163946. #endif
  163947. #endif
  163948. typedef struct {
  163949. struct jpeg_entropy_decoder pub; /* public fields */
  163950. /* These fields are loaded into local variables at start of each MCU.
  163951. * In case of suspension, we exit WITHOUT updating them.
  163952. */
  163953. bitread_perm_state bitstate; /* Bit buffer at start of MCU */
  163954. savable_state2 saved; /* Other state at start of MCU */
  163955. /* These fields are NOT loaded into local working state. */
  163956. unsigned int restarts_to_go; /* MCUs left in this restart interval */
  163957. /* Pointers to derived tables (these workspaces have image lifespan) */
  163958. d_derived_tbl * dc_derived_tbls[NUM_HUFF_TBLS];
  163959. d_derived_tbl * ac_derived_tbls[NUM_HUFF_TBLS];
  163960. /* Precalculated info set up by start_pass for use in decode_mcu: */
  163961. /* Pointers to derived tables to be used for each block within an MCU */
  163962. d_derived_tbl * dc_cur_tbls[D_MAX_BLOCKS_IN_MCU];
  163963. d_derived_tbl * ac_cur_tbls[D_MAX_BLOCKS_IN_MCU];
  163964. /* Whether we care about the DC and AC coefficient values for each block */
  163965. boolean dc_needed[D_MAX_BLOCKS_IN_MCU];
  163966. boolean ac_needed[D_MAX_BLOCKS_IN_MCU];
  163967. } huff_entropy_decoder2;
  163968. typedef huff_entropy_decoder2 * huff_entropy_ptr2;
  163969. /*
  163970. * Initialize for a Huffman-compressed scan.
  163971. */
  163972. METHODDEF(void)
  163973. start_pass_huff_decoder (j_decompress_ptr cinfo)
  163974. {
  163975. huff_entropy_ptr2 entropy = (huff_entropy_ptr2) cinfo->entropy;
  163976. int ci, blkn, dctbl, actbl;
  163977. jpeg_component_info * compptr;
  163978. /* Check that the scan parameters Ss, Se, Ah/Al are OK for sequential JPEG.
  163979. * This ought to be an error condition, but we make it a warning because
  163980. * there are some baseline files out there with all zeroes in these bytes.
  163981. */
  163982. if (cinfo->Ss != 0 || cinfo->Se != DCTSIZE2-1 ||
  163983. cinfo->Ah != 0 || cinfo->Al != 0)
  163984. WARNMS(cinfo, JWRN_NOT_SEQUENTIAL);
  163985. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  163986. compptr = cinfo->cur_comp_info[ci];
  163987. dctbl = compptr->dc_tbl_no;
  163988. actbl = compptr->ac_tbl_no;
  163989. /* Compute derived values for Huffman tables */
  163990. /* We may do this more than once for a table, but it's not expensive */
  163991. jpeg_make_d_derived_tbl(cinfo, TRUE, dctbl,
  163992. & entropy->dc_derived_tbls[dctbl]);
  163993. jpeg_make_d_derived_tbl(cinfo, FALSE, actbl,
  163994. & entropy->ac_derived_tbls[actbl]);
  163995. /* Initialize DC predictions to 0 */
  163996. entropy->saved.last_dc_val[ci] = 0;
  163997. }
  163998. /* Precalculate decoding info for each block in an MCU of this scan */
  163999. for (blkn = 0; blkn < cinfo->blocks_in_MCU; blkn++) {
  164000. ci = cinfo->MCU_membership[blkn];
  164001. compptr = cinfo->cur_comp_info[ci];
  164002. /* Precalculate which table to use for each block */
  164003. entropy->dc_cur_tbls[blkn] = entropy->dc_derived_tbls[compptr->dc_tbl_no];
  164004. entropy->ac_cur_tbls[blkn] = entropy->ac_derived_tbls[compptr->ac_tbl_no];
  164005. /* Decide whether we really care about the coefficient values */
  164006. if (compptr->component_needed) {
  164007. entropy->dc_needed[blkn] = TRUE;
  164008. /* we don't need the ACs if producing a 1/8th-size image */
  164009. entropy->ac_needed[blkn] = (compptr->DCT_scaled_size > 1);
  164010. } else {
  164011. entropy->dc_needed[blkn] = entropy->ac_needed[blkn] = FALSE;
  164012. }
  164013. }
  164014. /* Initialize bitread state variables */
  164015. entropy->bitstate.bits_left = 0;
  164016. entropy->bitstate.get_buffer = 0; /* unnecessary, but keeps Purify quiet */
  164017. entropy->pub.insufficient_data = FALSE;
  164018. /* Initialize restart counter */
  164019. entropy->restarts_to_go = cinfo->restart_interval;
  164020. }
  164021. /*
  164022. * Compute the derived values for a Huffman table.
  164023. * This routine also performs some validation checks on the table.
  164024. *
  164025. * Note this is also used by jdphuff.c.
  164026. */
  164027. GLOBAL(void)
  164028. jpeg_make_d_derived_tbl (j_decompress_ptr cinfo, boolean isDC, int tblno,
  164029. d_derived_tbl ** pdtbl)
  164030. {
  164031. JHUFF_TBL *htbl;
  164032. d_derived_tbl *dtbl;
  164033. int p, i, l, si, numsymbols;
  164034. int lookbits, ctr;
  164035. char huffsize[257];
  164036. unsigned int huffcode[257];
  164037. unsigned int code;
  164038. /* Note that huffsize[] and huffcode[] are filled in code-length order,
  164039. * paralleling the order of the symbols themselves in htbl->huffval[].
  164040. */
  164041. /* Find the input Huffman table */
  164042. if (tblno < 0 || tblno >= NUM_HUFF_TBLS)
  164043. ERREXIT1(cinfo, JERR_NO_HUFF_TABLE, tblno);
  164044. htbl =
  164045. isDC ? cinfo->dc_huff_tbl_ptrs[tblno] : cinfo->ac_huff_tbl_ptrs[tblno];
  164046. if (htbl == NULL)
  164047. ERREXIT1(cinfo, JERR_NO_HUFF_TABLE, tblno);
  164048. /* Allocate a workspace if we haven't already done so. */
  164049. if (*pdtbl == NULL)
  164050. *pdtbl = (d_derived_tbl *)
  164051. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  164052. SIZEOF(d_derived_tbl));
  164053. dtbl = *pdtbl;
  164054. dtbl->pub = htbl; /* fill in back link */
  164055. /* Figure C.1: make table of Huffman code length for each symbol */
  164056. p = 0;
  164057. for (l = 1; l <= 16; l++) {
  164058. i = (int) htbl->bits[l];
  164059. if (i < 0 || p + i > 256) /* protect against table overrun */
  164060. ERREXIT(cinfo, JERR_BAD_HUFF_TABLE);
  164061. while (i--)
  164062. huffsize[p++] = (char) l;
  164063. }
  164064. huffsize[p] = 0;
  164065. numsymbols = p;
  164066. /* Figure C.2: generate the codes themselves */
  164067. /* We also validate that the counts represent a legal Huffman code tree. */
  164068. code = 0;
  164069. si = huffsize[0];
  164070. p = 0;
  164071. while (huffsize[p]) {
  164072. while (((int) huffsize[p]) == si) {
  164073. huffcode[p++] = code;
  164074. code++;
  164075. }
  164076. /* code is now 1 more than the last code used for codelength si; but
  164077. * it must still fit in si bits, since no code is allowed to be all ones.
  164078. */
  164079. if (((INT32) code) >= (((INT32) 1) << si))
  164080. ERREXIT(cinfo, JERR_BAD_HUFF_TABLE);
  164081. code <<= 1;
  164082. si++;
  164083. }
  164084. /* Figure F.15: generate decoding tables for bit-sequential decoding */
  164085. p = 0;
  164086. for (l = 1; l <= 16; l++) {
  164087. if (htbl->bits[l]) {
  164088. /* valoffset[l] = huffval[] index of 1st symbol of code length l,
  164089. * minus the minimum code of length l
  164090. */
  164091. dtbl->valoffset[l] = (INT32) p - (INT32) huffcode[p];
  164092. p += htbl->bits[l];
  164093. dtbl->maxcode[l] = huffcode[p-1]; /* maximum code of length l */
  164094. } else {
  164095. dtbl->maxcode[l] = -1; /* -1 if no codes of this length */
  164096. }
  164097. }
  164098. dtbl->maxcode[17] = 0xFFFFFL; /* ensures jpeg_huff_decode terminates */
  164099. /* Compute lookahead tables to speed up decoding.
  164100. * First we set all the table entries to 0, indicating "too long";
  164101. * then we iterate through the Huffman codes that are short enough and
  164102. * fill in all the entries that correspond to bit sequences starting
  164103. * with that code.
  164104. */
  164105. MEMZERO(dtbl->look_nbits, SIZEOF(dtbl->look_nbits));
  164106. p = 0;
  164107. for (l = 1; l <= HUFF_LOOKAHEAD; l++) {
  164108. for (i = 1; i <= (int) htbl->bits[l]; i++, p++) {
  164109. /* l = current code's length, p = its index in huffcode[] & huffval[]. */
  164110. /* Generate left-justified code followed by all possible bit sequences */
  164111. lookbits = huffcode[p] << (HUFF_LOOKAHEAD-l);
  164112. for (ctr = 1 << (HUFF_LOOKAHEAD-l); ctr > 0; ctr--) {
  164113. dtbl->look_nbits[lookbits] = l;
  164114. dtbl->look_sym[lookbits] = htbl->huffval[p];
  164115. lookbits++;
  164116. }
  164117. }
  164118. }
  164119. /* Validate symbols as being reasonable.
  164120. * For AC tables, we make no check, but accept all byte values 0..255.
  164121. * For DC tables, we require the symbols to be in range 0..15.
  164122. * (Tighter bounds could be applied depending on the data depth and mode,
  164123. * but this is sufficient to ensure safe decoding.)
  164124. */
  164125. if (isDC) {
  164126. for (i = 0; i < numsymbols; i++) {
  164127. int sym = htbl->huffval[i];
  164128. if (sym < 0 || sym > 15)
  164129. ERREXIT(cinfo, JERR_BAD_HUFF_TABLE);
  164130. }
  164131. }
  164132. }
  164133. /*
  164134. * Out-of-line code for bit fetching (shared with jdphuff.c).
  164135. * See jdhuff.h for info about usage.
  164136. * Note: current values of get_buffer and bits_left are passed as parameters,
  164137. * but are returned in the corresponding fields of the state struct.
  164138. *
  164139. * On most machines MIN_GET_BITS should be 25 to allow the full 32-bit width
  164140. * of get_buffer to be used. (On machines with wider words, an even larger
  164141. * buffer could be used.) However, on some machines 32-bit shifts are
  164142. * quite slow and take time proportional to the number of places shifted.
  164143. * (This is true with most PC compilers, for instance.) In this case it may
  164144. * be a win to set MIN_GET_BITS to the minimum value of 15. This reduces the
  164145. * average shift distance at the cost of more calls to jpeg_fill_bit_buffer.
  164146. */
  164147. #ifdef SLOW_SHIFT_32
  164148. #define MIN_GET_BITS 15 /* minimum allowable value */
  164149. #else
  164150. #define MIN_GET_BITS (BIT_BUF_SIZE-7)
  164151. #endif
  164152. GLOBAL(boolean)
  164153. jpeg_fill_bit_buffer (bitread_working_state * state,
  164154. register bit_buf_type get_buffer, register int bits_left,
  164155. int nbits)
  164156. /* Load up the bit buffer to a depth of at least nbits */
  164157. {
  164158. /* Copy heavily used state fields into locals (hopefully registers) */
  164159. register const JOCTET * next_input_byte = state->next_input_byte;
  164160. register size_t bytes_in_buffer = state->bytes_in_buffer;
  164161. j_decompress_ptr cinfo = state->cinfo;
  164162. /* Attempt to load at least MIN_GET_BITS bits into get_buffer. */
  164163. /* (It is assumed that no request will be for more than that many bits.) */
  164164. /* We fail to do so only if we hit a marker or are forced to suspend. */
  164165. if (cinfo->unread_marker == 0) { /* cannot advance past a marker */
  164166. while (bits_left < MIN_GET_BITS) {
  164167. register int c;
  164168. /* Attempt to read a byte */
  164169. if (bytes_in_buffer == 0) {
  164170. if (! (*cinfo->src->fill_input_buffer) (cinfo))
  164171. return FALSE;
  164172. next_input_byte = cinfo->src->next_input_byte;
  164173. bytes_in_buffer = cinfo->src->bytes_in_buffer;
  164174. }
  164175. bytes_in_buffer--;
  164176. c = GETJOCTET(*next_input_byte++);
  164177. /* If it's 0xFF, check and discard stuffed zero byte */
  164178. if (c == 0xFF) {
  164179. /* Loop here to discard any padding FF's on terminating marker,
  164180. * so that we can save a valid unread_marker value. NOTE: we will
  164181. * accept multiple FF's followed by a 0 as meaning a single FF data
  164182. * byte. This data pattern is not valid according to the standard.
  164183. */
  164184. do {
  164185. if (bytes_in_buffer == 0) {
  164186. if (! (*cinfo->src->fill_input_buffer) (cinfo))
  164187. return FALSE;
  164188. next_input_byte = cinfo->src->next_input_byte;
  164189. bytes_in_buffer = cinfo->src->bytes_in_buffer;
  164190. }
  164191. bytes_in_buffer--;
  164192. c = GETJOCTET(*next_input_byte++);
  164193. } while (c == 0xFF);
  164194. if (c == 0) {
  164195. /* Found FF/00, which represents an FF data byte */
  164196. c = 0xFF;
  164197. } else {
  164198. /* Oops, it's actually a marker indicating end of compressed data.
  164199. * Save the marker code for later use.
  164200. * Fine point: it might appear that we should save the marker into
  164201. * bitread working state, not straight into permanent state. But
  164202. * once we have hit a marker, we cannot need to suspend within the
  164203. * current MCU, because we will read no more bytes from the data
  164204. * source. So it is OK to update permanent state right away.
  164205. */
  164206. cinfo->unread_marker = c;
  164207. /* See if we need to insert some fake zero bits. */
  164208. goto no_more_bytes;
  164209. }
  164210. }
  164211. /* OK, load c into get_buffer */
  164212. get_buffer = (get_buffer << 8) | c;
  164213. bits_left += 8;
  164214. } /* end while */
  164215. } else {
  164216. no_more_bytes:
  164217. /* We get here if we've read the marker that terminates the compressed
  164218. * data segment. There should be enough bits in the buffer register
  164219. * to satisfy the request; if so, no problem.
  164220. */
  164221. if (nbits > bits_left) {
  164222. /* Uh-oh. Report corrupted data to user and stuff zeroes into
  164223. * the data stream, so that we can produce some kind of image.
  164224. * We use a nonvolatile flag to ensure that only one warning message
  164225. * appears per data segment.
  164226. */
  164227. if (! cinfo->entropy->insufficient_data) {
  164228. WARNMS(cinfo, JWRN_HIT_MARKER);
  164229. cinfo->entropy->insufficient_data = TRUE;
  164230. }
  164231. /* Fill the buffer with zero bits */
  164232. get_buffer <<= MIN_GET_BITS - bits_left;
  164233. bits_left = MIN_GET_BITS;
  164234. }
  164235. }
  164236. /* Unload the local registers */
  164237. state->next_input_byte = next_input_byte;
  164238. state->bytes_in_buffer = bytes_in_buffer;
  164239. state->get_buffer = get_buffer;
  164240. state->bits_left = bits_left;
  164241. return TRUE;
  164242. }
  164243. /*
  164244. * Out-of-line code for Huffman code decoding.
  164245. * See jdhuff.h for info about usage.
  164246. */
  164247. GLOBAL(int)
  164248. jpeg_huff_decode (bitread_working_state * state,
  164249. register bit_buf_type get_buffer, register int bits_left,
  164250. d_derived_tbl * htbl, int min_bits)
  164251. {
  164252. register int l = min_bits;
  164253. register INT32 code;
  164254. /* HUFF_DECODE has determined that the code is at least min_bits */
  164255. /* bits long, so fetch that many bits in one swoop. */
  164256. CHECK_BIT_BUFFER(*state, l, return -1);
  164257. code = GET_BITS(l);
  164258. /* Collect the rest of the Huffman code one bit at a time. */
  164259. /* This is per Figure F.16 in the JPEG spec. */
  164260. while (code > htbl->maxcode[l]) {
  164261. code <<= 1;
  164262. CHECK_BIT_BUFFER(*state, 1, return -1);
  164263. code |= GET_BITS(1);
  164264. l++;
  164265. }
  164266. /* Unload the local registers */
  164267. state->get_buffer = get_buffer;
  164268. state->bits_left = bits_left;
  164269. /* With garbage input we may reach the sentinel value l = 17. */
  164270. if (l > 16) {
  164271. WARNMS(state->cinfo, JWRN_HUFF_BAD_CODE);
  164272. return 0; /* fake a zero as the safest result */
  164273. }
  164274. return htbl->pub->huffval[ (int) (code + htbl->valoffset[l]) ];
  164275. }
  164276. /*
  164277. * Check for a restart marker & resynchronize decoder.
  164278. * Returns FALSE if must suspend.
  164279. */
  164280. LOCAL(boolean)
  164281. process_restart (j_decompress_ptr cinfo)
  164282. {
  164283. huff_entropy_ptr2 entropy = (huff_entropy_ptr2) cinfo->entropy;
  164284. int ci;
  164285. /* Throw away any unused bits remaining in bit buffer; */
  164286. /* include any full bytes in next_marker's count of discarded bytes */
  164287. cinfo->marker->discarded_bytes += entropy->bitstate.bits_left / 8;
  164288. entropy->bitstate.bits_left = 0;
  164289. /* Advance past the RSTn marker */
  164290. if (! (*cinfo->marker->read_restart_marker) (cinfo))
  164291. return FALSE;
  164292. /* Re-initialize DC predictions to 0 */
  164293. for (ci = 0; ci < cinfo->comps_in_scan; ci++)
  164294. entropy->saved.last_dc_val[ci] = 0;
  164295. /* Reset restart counter */
  164296. entropy->restarts_to_go = cinfo->restart_interval;
  164297. /* Reset out-of-data flag, unless read_restart_marker left us smack up
  164298. * against a marker. In that case we will end up treating the next data
  164299. * segment as empty, and we can avoid producing bogus output pixels by
  164300. * leaving the flag set.
  164301. */
  164302. if (cinfo->unread_marker == 0)
  164303. entropy->pub.insufficient_data = FALSE;
  164304. return TRUE;
  164305. }
  164306. /*
  164307. * Decode and return one MCU's worth of Huffman-compressed coefficients.
  164308. * The coefficients are reordered from zigzag order into natural array order,
  164309. * but are not dequantized.
  164310. *
  164311. * The i'th block of the MCU is stored into the block pointed to by
  164312. * MCU_data[i]. WE ASSUME THIS AREA HAS BEEN ZEROED BY THE CALLER.
  164313. * (Wholesale zeroing is usually a little faster than retail...)
  164314. *
  164315. * Returns FALSE if data source requested suspension. In that case no
  164316. * changes have been made to permanent state. (Exception: some output
  164317. * coefficients may already have been assigned. This is harmless for
  164318. * this module, since we'll just re-assign them on the next call.)
  164319. */
  164320. METHODDEF(boolean)
  164321. decode_mcu (j_decompress_ptr cinfo, JBLOCKROW *MCU_data)
  164322. {
  164323. huff_entropy_ptr2 entropy = (huff_entropy_ptr2) cinfo->entropy;
  164324. int blkn;
  164325. BITREAD_STATE_VARS;
  164326. savable_state2 state;
  164327. /* Process restart marker if needed; may have to suspend */
  164328. if (cinfo->restart_interval) {
  164329. if (entropy->restarts_to_go == 0)
  164330. if (! process_restart(cinfo))
  164331. return FALSE;
  164332. }
  164333. /* If we've run out of data, just leave the MCU set to zeroes.
  164334. * This way, we return uniform gray for the remainder of the segment.
  164335. */
  164336. if (! entropy->pub.insufficient_data) {
  164337. /* Load up working state */
  164338. BITREAD_LOAD_STATE(cinfo,entropy->bitstate);
  164339. ASSIGN_STATE(state, entropy->saved);
  164340. /* Outer loop handles each block in the MCU */
  164341. for (blkn = 0; blkn < cinfo->blocks_in_MCU; blkn++) {
  164342. JBLOCKROW block = MCU_data[blkn];
  164343. d_derived_tbl * dctbl = entropy->dc_cur_tbls[blkn];
  164344. d_derived_tbl * actbl = entropy->ac_cur_tbls[blkn];
  164345. register int s, k, r;
  164346. /* Decode a single block's worth of coefficients */
  164347. /* Section F.2.2.1: decode the DC coefficient difference */
  164348. HUFF_DECODE(s, br_state, dctbl, return FALSE, label1);
  164349. if (s) {
  164350. CHECK_BIT_BUFFER(br_state, s, return FALSE);
  164351. r = GET_BITS(s);
  164352. s = HUFF_EXTEND(r, s);
  164353. }
  164354. if (entropy->dc_needed[blkn]) {
  164355. /* Convert DC difference to actual value, update last_dc_val */
  164356. int ci = cinfo->MCU_membership[blkn];
  164357. s += state.last_dc_val[ci];
  164358. state.last_dc_val[ci] = s;
  164359. /* Output the DC coefficient (assumes jpeg_natural_order[0] = 0) */
  164360. (*block)[0] = (JCOEF) s;
  164361. }
  164362. if (entropy->ac_needed[blkn]) {
  164363. /* Section F.2.2.2: decode the AC coefficients */
  164364. /* Since zeroes are skipped, output area must be cleared beforehand */
  164365. for (k = 1; k < DCTSIZE2; k++) {
  164366. HUFF_DECODE(s, br_state, actbl, return FALSE, label2);
  164367. r = s >> 4;
  164368. s &= 15;
  164369. if (s) {
  164370. k += r;
  164371. CHECK_BIT_BUFFER(br_state, s, return FALSE);
  164372. r = GET_BITS(s);
  164373. s = HUFF_EXTEND(r, s);
  164374. /* Output coefficient in natural (dezigzagged) order.
  164375. * Note: the extra entries in jpeg_natural_order[] will save us
  164376. * if k >= DCTSIZE2, which could happen if the data is corrupted.
  164377. */
  164378. (*block)[jpeg_natural_order[k]] = (JCOEF) s;
  164379. } else {
  164380. if (r != 15)
  164381. break;
  164382. k += 15;
  164383. }
  164384. }
  164385. } else {
  164386. /* Section F.2.2.2: decode the AC coefficients */
  164387. /* In this path we just discard the values */
  164388. for (k = 1; k < DCTSIZE2; k++) {
  164389. HUFF_DECODE(s, br_state, actbl, return FALSE, label3);
  164390. r = s >> 4;
  164391. s &= 15;
  164392. if (s) {
  164393. k += r;
  164394. CHECK_BIT_BUFFER(br_state, s, return FALSE);
  164395. DROP_BITS(s);
  164396. } else {
  164397. if (r != 15)
  164398. break;
  164399. k += 15;
  164400. }
  164401. }
  164402. }
  164403. }
  164404. /* Completed MCU, so update state */
  164405. BITREAD_SAVE_STATE(cinfo,entropy->bitstate);
  164406. ASSIGN_STATE(entropy->saved, state);
  164407. }
  164408. /* Account for restart interval (no-op if not using restarts) */
  164409. entropy->restarts_to_go--;
  164410. return TRUE;
  164411. }
  164412. /*
  164413. * Module initialization routine for Huffman entropy decoding.
  164414. */
  164415. GLOBAL(void)
  164416. jinit_huff_decoder (j_decompress_ptr cinfo)
  164417. {
  164418. huff_entropy_ptr2 entropy;
  164419. int i;
  164420. entropy = (huff_entropy_ptr2)
  164421. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  164422. SIZEOF(huff_entropy_decoder2));
  164423. cinfo->entropy = (struct jpeg_entropy_decoder *) entropy;
  164424. entropy->pub.start_pass = start_pass_huff_decoder;
  164425. entropy->pub.decode_mcu = decode_mcu;
  164426. /* Mark tables unallocated */
  164427. for (i = 0; i < NUM_HUFF_TBLS; i++) {
  164428. entropy->dc_derived_tbls[i] = entropy->ac_derived_tbls[i] = NULL;
  164429. }
  164430. }
  164431. /********* End of inlined file: jdhuff.c *********/
  164432. /********* Start of inlined file: jdinput.c *********/
  164433. #define JPEG_INTERNALS
  164434. /* Private state */
  164435. typedef struct {
  164436. struct jpeg_input_controller pub; /* public fields */
  164437. boolean inheaders; /* TRUE until first SOS is reached */
  164438. } my_input_controller;
  164439. typedef my_input_controller * my_inputctl_ptr;
  164440. /* Forward declarations */
  164441. METHODDEF(int) consume_markers JPP((j_decompress_ptr cinfo));
  164442. /*
  164443. * Routines to calculate various quantities related to the size of the image.
  164444. */
  164445. LOCAL(void)
  164446. initial_setup2 (j_decompress_ptr cinfo)
  164447. /* Called once, when first SOS marker is reached */
  164448. {
  164449. int ci;
  164450. jpeg_component_info *compptr;
  164451. /* Make sure image isn't bigger than I can handle */
  164452. if ((long) cinfo->image_height > (long) JPEG_MAX_DIMENSION ||
  164453. (long) cinfo->image_width > (long) JPEG_MAX_DIMENSION)
  164454. ERREXIT1(cinfo, JERR_IMAGE_TOO_BIG, (unsigned int) JPEG_MAX_DIMENSION);
  164455. /* For now, precision must match compiled-in value... */
  164456. if (cinfo->data_precision != BITS_IN_JSAMPLE)
  164457. ERREXIT1(cinfo, JERR_BAD_PRECISION, cinfo->data_precision);
  164458. /* Check that number of components won't exceed internal array sizes */
  164459. if (cinfo->num_components > MAX_COMPONENTS)
  164460. ERREXIT2(cinfo, JERR_COMPONENT_COUNT, cinfo->num_components,
  164461. MAX_COMPONENTS);
  164462. /* Compute maximum sampling factors; check factor validity */
  164463. cinfo->max_h_samp_factor = 1;
  164464. cinfo->max_v_samp_factor = 1;
  164465. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  164466. ci++, compptr++) {
  164467. if (compptr->h_samp_factor<=0 || compptr->h_samp_factor>MAX_SAMP_FACTOR ||
  164468. compptr->v_samp_factor<=0 || compptr->v_samp_factor>MAX_SAMP_FACTOR)
  164469. ERREXIT(cinfo, JERR_BAD_SAMPLING);
  164470. cinfo->max_h_samp_factor = MAX(cinfo->max_h_samp_factor,
  164471. compptr->h_samp_factor);
  164472. cinfo->max_v_samp_factor = MAX(cinfo->max_v_samp_factor,
  164473. compptr->v_samp_factor);
  164474. }
  164475. /* We initialize DCT_scaled_size and min_DCT_scaled_size to DCTSIZE.
  164476. * In the full decompressor, this will be overridden by jdmaster.c;
  164477. * but in the transcoder, jdmaster.c is not used, so we must do it here.
  164478. */
  164479. cinfo->min_DCT_scaled_size = DCTSIZE;
  164480. /* Compute dimensions of components */
  164481. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  164482. ci++, compptr++) {
  164483. compptr->DCT_scaled_size = DCTSIZE;
  164484. /* Size in DCT blocks */
  164485. compptr->width_in_blocks = (JDIMENSION)
  164486. jdiv_round_up((long) cinfo->image_width * (long) compptr->h_samp_factor,
  164487. (long) (cinfo->max_h_samp_factor * DCTSIZE));
  164488. compptr->height_in_blocks = (JDIMENSION)
  164489. jdiv_round_up((long) cinfo->image_height * (long) compptr->v_samp_factor,
  164490. (long) (cinfo->max_v_samp_factor * DCTSIZE));
  164491. /* downsampled_width and downsampled_height will also be overridden by
  164492. * jdmaster.c if we are doing full decompression. The transcoder library
  164493. * doesn't use these values, but the calling application might.
  164494. */
  164495. /* Size in samples */
  164496. compptr->downsampled_width = (JDIMENSION)
  164497. jdiv_round_up((long) cinfo->image_width * (long) compptr->h_samp_factor,
  164498. (long) cinfo->max_h_samp_factor);
  164499. compptr->downsampled_height = (JDIMENSION)
  164500. jdiv_round_up((long) cinfo->image_height * (long) compptr->v_samp_factor,
  164501. (long) cinfo->max_v_samp_factor);
  164502. /* Mark component needed, until color conversion says otherwise */
  164503. compptr->component_needed = TRUE;
  164504. /* Mark no quantization table yet saved for component */
  164505. compptr->quant_table = NULL;
  164506. }
  164507. /* Compute number of fully interleaved MCU rows. */
  164508. cinfo->total_iMCU_rows = (JDIMENSION)
  164509. jdiv_round_up((long) cinfo->image_height,
  164510. (long) (cinfo->max_v_samp_factor*DCTSIZE));
  164511. /* Decide whether file contains multiple scans */
  164512. if (cinfo->comps_in_scan < cinfo->num_components || cinfo->progressive_mode)
  164513. cinfo->inputctl->has_multiple_scans = TRUE;
  164514. else
  164515. cinfo->inputctl->has_multiple_scans = FALSE;
  164516. }
  164517. LOCAL(void)
  164518. per_scan_setup2 (j_decompress_ptr cinfo)
  164519. /* Do computations that are needed before processing a JPEG scan */
  164520. /* cinfo->comps_in_scan and cinfo->cur_comp_info[] were set from SOS marker */
  164521. {
  164522. int ci, mcublks, tmp;
  164523. jpeg_component_info *compptr;
  164524. if (cinfo->comps_in_scan == 1) {
  164525. /* Noninterleaved (single-component) scan */
  164526. compptr = cinfo->cur_comp_info[0];
  164527. /* Overall image size in MCUs */
  164528. cinfo->MCUs_per_row = compptr->width_in_blocks;
  164529. cinfo->MCU_rows_in_scan = compptr->height_in_blocks;
  164530. /* For noninterleaved scan, always one block per MCU */
  164531. compptr->MCU_width = 1;
  164532. compptr->MCU_height = 1;
  164533. compptr->MCU_blocks = 1;
  164534. compptr->MCU_sample_width = compptr->DCT_scaled_size;
  164535. compptr->last_col_width = 1;
  164536. /* For noninterleaved scans, it is convenient to define last_row_height
  164537. * as the number of block rows present in the last iMCU row.
  164538. */
  164539. tmp = (int) (compptr->height_in_blocks % compptr->v_samp_factor);
  164540. if (tmp == 0) tmp = compptr->v_samp_factor;
  164541. compptr->last_row_height = tmp;
  164542. /* Prepare array describing MCU composition */
  164543. cinfo->blocks_in_MCU = 1;
  164544. cinfo->MCU_membership[0] = 0;
  164545. } else {
  164546. /* Interleaved (multi-component) scan */
  164547. if (cinfo->comps_in_scan <= 0 || cinfo->comps_in_scan > MAX_COMPS_IN_SCAN)
  164548. ERREXIT2(cinfo, JERR_COMPONENT_COUNT, cinfo->comps_in_scan,
  164549. MAX_COMPS_IN_SCAN);
  164550. /* Overall image size in MCUs */
  164551. cinfo->MCUs_per_row = (JDIMENSION)
  164552. jdiv_round_up((long) cinfo->image_width,
  164553. (long) (cinfo->max_h_samp_factor*DCTSIZE));
  164554. cinfo->MCU_rows_in_scan = (JDIMENSION)
  164555. jdiv_round_up((long) cinfo->image_height,
  164556. (long) (cinfo->max_v_samp_factor*DCTSIZE));
  164557. cinfo->blocks_in_MCU = 0;
  164558. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  164559. compptr = cinfo->cur_comp_info[ci];
  164560. /* Sampling factors give # of blocks of component in each MCU */
  164561. compptr->MCU_width = compptr->h_samp_factor;
  164562. compptr->MCU_height = compptr->v_samp_factor;
  164563. compptr->MCU_blocks = compptr->MCU_width * compptr->MCU_height;
  164564. compptr->MCU_sample_width = compptr->MCU_width * compptr->DCT_scaled_size;
  164565. /* Figure number of non-dummy blocks in last MCU column & row */
  164566. tmp = (int) (compptr->width_in_blocks % compptr->MCU_width);
  164567. if (tmp == 0) tmp = compptr->MCU_width;
  164568. compptr->last_col_width = tmp;
  164569. tmp = (int) (compptr->height_in_blocks % compptr->MCU_height);
  164570. if (tmp == 0) tmp = compptr->MCU_height;
  164571. compptr->last_row_height = tmp;
  164572. /* Prepare array describing MCU composition */
  164573. mcublks = compptr->MCU_blocks;
  164574. if (cinfo->blocks_in_MCU + mcublks > D_MAX_BLOCKS_IN_MCU)
  164575. ERREXIT(cinfo, JERR_BAD_MCU_SIZE);
  164576. while (mcublks-- > 0) {
  164577. cinfo->MCU_membership[cinfo->blocks_in_MCU++] = ci;
  164578. }
  164579. }
  164580. }
  164581. }
  164582. /*
  164583. * Save away a copy of the Q-table referenced by each component present
  164584. * in the current scan, unless already saved during a prior scan.
  164585. *
  164586. * In a multiple-scan JPEG file, the encoder could assign different components
  164587. * the same Q-table slot number, but change table definitions between scans
  164588. * so that each component uses a different Q-table. (The IJG encoder is not
  164589. * currently capable of doing this, but other encoders might.) Since we want
  164590. * to be able to dequantize all the components at the end of the file, this
  164591. * means that we have to save away the table actually used for each component.
  164592. * We do this by copying the table at the start of the first scan containing
  164593. * the component.
  164594. * The JPEG spec prohibits the encoder from changing the contents of a Q-table
  164595. * slot between scans of a component using that slot. If the encoder does so
  164596. * anyway, this decoder will simply use the Q-table values that were current
  164597. * at the start of the first scan for the component.
  164598. *
  164599. * The decompressor output side looks only at the saved quant tables,
  164600. * not at the current Q-table slots.
  164601. */
  164602. LOCAL(void)
  164603. latch_quant_tables (j_decompress_ptr cinfo)
  164604. {
  164605. int ci, qtblno;
  164606. jpeg_component_info *compptr;
  164607. JQUANT_TBL * qtbl;
  164608. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  164609. compptr = cinfo->cur_comp_info[ci];
  164610. /* No work if we already saved Q-table for this component */
  164611. if (compptr->quant_table != NULL)
  164612. continue;
  164613. /* Make sure specified quantization table is present */
  164614. qtblno = compptr->quant_tbl_no;
  164615. if (qtblno < 0 || qtblno >= NUM_QUANT_TBLS ||
  164616. cinfo->quant_tbl_ptrs[qtblno] == NULL)
  164617. ERREXIT1(cinfo, JERR_NO_QUANT_TABLE, qtblno);
  164618. /* OK, save away the quantization table */
  164619. qtbl = (JQUANT_TBL *)
  164620. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  164621. SIZEOF(JQUANT_TBL));
  164622. MEMCOPY(qtbl, cinfo->quant_tbl_ptrs[qtblno], SIZEOF(JQUANT_TBL));
  164623. compptr->quant_table = qtbl;
  164624. }
  164625. }
  164626. /*
  164627. * Initialize the input modules to read a scan of compressed data.
  164628. * The first call to this is done by jdmaster.c after initializing
  164629. * the entire decompressor (during jpeg_start_decompress).
  164630. * Subsequent calls come from consume_markers, below.
  164631. */
  164632. METHODDEF(void)
  164633. start_input_pass2 (j_decompress_ptr cinfo)
  164634. {
  164635. per_scan_setup2(cinfo);
  164636. latch_quant_tables(cinfo);
  164637. (*cinfo->entropy->start_pass) (cinfo);
  164638. (*cinfo->coef->start_input_pass) (cinfo);
  164639. cinfo->inputctl->consume_input = cinfo->coef->consume_data;
  164640. }
  164641. /*
  164642. * Finish up after inputting a compressed-data scan.
  164643. * This is called by the coefficient controller after it's read all
  164644. * the expected data of the scan.
  164645. */
  164646. METHODDEF(void)
  164647. finish_input_pass (j_decompress_ptr cinfo)
  164648. {
  164649. cinfo->inputctl->consume_input = consume_markers;
  164650. }
  164651. /*
  164652. * Read JPEG markers before, between, or after compressed-data scans.
  164653. * Change state as necessary when a new scan is reached.
  164654. * Return value is JPEG_SUSPENDED, JPEG_REACHED_SOS, or JPEG_REACHED_EOI.
  164655. *
  164656. * The consume_input method pointer points either here or to the
  164657. * coefficient controller's consume_data routine, depending on whether
  164658. * we are reading a compressed data segment or inter-segment markers.
  164659. */
  164660. METHODDEF(int)
  164661. consume_markers (j_decompress_ptr cinfo)
  164662. {
  164663. my_inputctl_ptr inputctl = (my_inputctl_ptr) cinfo->inputctl;
  164664. int val;
  164665. if (inputctl->pub.eoi_reached) /* After hitting EOI, read no further */
  164666. return JPEG_REACHED_EOI;
  164667. val = (*cinfo->marker->read_markers) (cinfo);
  164668. switch (val) {
  164669. case JPEG_REACHED_SOS: /* Found SOS */
  164670. if (inputctl->inheaders) { /* 1st SOS */
  164671. initial_setup2(cinfo);
  164672. inputctl->inheaders = FALSE;
  164673. /* Note: start_input_pass must be called by jdmaster.c
  164674. * before any more input can be consumed. jdapimin.c is
  164675. * responsible for enforcing this sequencing.
  164676. */
  164677. } else { /* 2nd or later SOS marker */
  164678. if (! inputctl->pub.has_multiple_scans)
  164679. ERREXIT(cinfo, JERR_EOI_EXPECTED); /* Oops, I wasn't expecting this! */
  164680. start_input_pass2(cinfo);
  164681. }
  164682. break;
  164683. case JPEG_REACHED_EOI: /* Found EOI */
  164684. inputctl->pub.eoi_reached = TRUE;
  164685. if (inputctl->inheaders) { /* Tables-only datastream, apparently */
  164686. if (cinfo->marker->saw_SOF)
  164687. ERREXIT(cinfo, JERR_SOF_NO_SOS);
  164688. } else {
  164689. /* Prevent infinite loop in coef ctlr's decompress_data routine
  164690. * if user set output_scan_number larger than number of scans.
  164691. */
  164692. if (cinfo->output_scan_number > cinfo->input_scan_number)
  164693. cinfo->output_scan_number = cinfo->input_scan_number;
  164694. }
  164695. break;
  164696. case JPEG_SUSPENDED:
  164697. break;
  164698. }
  164699. return val;
  164700. }
  164701. /*
  164702. * Reset state to begin a fresh datastream.
  164703. */
  164704. METHODDEF(void)
  164705. reset_input_controller (j_decompress_ptr cinfo)
  164706. {
  164707. my_inputctl_ptr inputctl = (my_inputctl_ptr) cinfo->inputctl;
  164708. inputctl->pub.consume_input = consume_markers;
  164709. inputctl->pub.has_multiple_scans = FALSE; /* "unknown" would be better */
  164710. inputctl->pub.eoi_reached = FALSE;
  164711. inputctl->inheaders = TRUE;
  164712. /* Reset other modules */
  164713. (*cinfo->err->reset_error_mgr) ((j_common_ptr) cinfo);
  164714. (*cinfo->marker->reset_marker_reader) (cinfo);
  164715. /* Reset progression state -- would be cleaner if entropy decoder did this */
  164716. cinfo->coef_bits = NULL;
  164717. }
  164718. /*
  164719. * Initialize the input controller module.
  164720. * This is called only once, when the decompression object is created.
  164721. */
  164722. GLOBAL(void)
  164723. jinit_input_controller (j_decompress_ptr cinfo)
  164724. {
  164725. my_inputctl_ptr inputctl;
  164726. /* Create subobject in permanent pool */
  164727. inputctl = (my_inputctl_ptr)
  164728. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_PERMANENT,
  164729. SIZEOF(my_input_controller));
  164730. cinfo->inputctl = (struct jpeg_input_controller *) inputctl;
  164731. /* Initialize method pointers */
  164732. inputctl->pub.consume_input = consume_markers;
  164733. inputctl->pub.reset_input_controller = reset_input_controller;
  164734. inputctl->pub.start_input_pass = start_input_pass2;
  164735. inputctl->pub.finish_input_pass = finish_input_pass;
  164736. /* Initialize state: can't use reset_input_controller since we don't
  164737. * want to try to reset other modules yet.
  164738. */
  164739. inputctl->pub.has_multiple_scans = FALSE; /* "unknown" would be better */
  164740. inputctl->pub.eoi_reached = FALSE;
  164741. inputctl->inheaders = TRUE;
  164742. }
  164743. /********* End of inlined file: jdinput.c *********/
  164744. /********* Start of inlined file: jdmainct.c *********/
  164745. #define JPEG_INTERNALS
  164746. /*
  164747. * In the current system design, the main buffer need never be a full-image
  164748. * buffer; any full-height buffers will be found inside the coefficient or
  164749. * postprocessing controllers. Nonetheless, the main controller is not
  164750. * trivial. Its responsibility is to provide context rows for upsampling/
  164751. * rescaling, and doing this in an efficient fashion is a bit tricky.
  164752. *
  164753. * Postprocessor input data is counted in "row groups". A row group
  164754. * is defined to be (v_samp_factor * DCT_scaled_size / min_DCT_scaled_size)
  164755. * sample rows of each component. (We require DCT_scaled_size values to be
  164756. * chosen such that these numbers are integers. In practice DCT_scaled_size
  164757. * values will likely be powers of two, so we actually have the stronger
  164758. * condition that DCT_scaled_size / min_DCT_scaled_size is an integer.)
  164759. * Upsampling will typically produce max_v_samp_factor pixel rows from each
  164760. * row group (times any additional scale factor that the upsampler is
  164761. * applying).
  164762. *
  164763. * The coefficient controller will deliver data to us one iMCU row at a time;
  164764. * each iMCU row contains v_samp_factor * DCT_scaled_size sample rows, or
  164765. * exactly min_DCT_scaled_size row groups. (This amount of data corresponds
  164766. * to one row of MCUs when the image is fully interleaved.) Note that the
  164767. * number of sample rows varies across components, but the number of row
  164768. * groups does not. Some garbage sample rows may be included in the last iMCU
  164769. * row at the bottom of the image.
  164770. *
  164771. * Depending on the vertical scaling algorithm used, the upsampler may need
  164772. * access to the sample row(s) above and below its current input row group.
  164773. * The upsampler is required to set need_context_rows TRUE at global selection
  164774. * time if so. When need_context_rows is FALSE, this controller can simply
  164775. * obtain one iMCU row at a time from the coefficient controller and dole it
  164776. * out as row groups to the postprocessor.
  164777. *
  164778. * When need_context_rows is TRUE, this controller guarantees that the buffer
  164779. * passed to postprocessing contains at least one row group's worth of samples
  164780. * above and below the row group(s) being processed. Note that the context
  164781. * rows "above" the first passed row group appear at negative row offsets in
  164782. * the passed buffer. At the top and bottom of the image, the required
  164783. * context rows are manufactured by duplicating the first or last real sample
  164784. * row; this avoids having special cases in the upsampling inner loops.
  164785. *
  164786. * The amount of context is fixed at one row group just because that's a
  164787. * convenient number for this controller to work with. The existing
  164788. * upsamplers really only need one sample row of context. An upsampler
  164789. * supporting arbitrary output rescaling might wish for more than one row
  164790. * group of context when shrinking the image; tough, we don't handle that.
  164791. * (This is justified by the assumption that downsizing will be handled mostly
  164792. * by adjusting the DCT_scaled_size values, so that the actual scale factor at
  164793. * the upsample step needn't be much less than one.)
  164794. *
  164795. * To provide the desired context, we have to retain the last two row groups
  164796. * of one iMCU row while reading in the next iMCU row. (The last row group
  164797. * can't be processed until we have another row group for its below-context,
  164798. * and so we have to save the next-to-last group too for its above-context.)
  164799. * We could do this most simply by copying data around in our buffer, but
  164800. * that'd be very slow. We can avoid copying any data by creating a rather
  164801. * strange pointer structure. Here's how it works. We allocate a workspace
  164802. * consisting of M+2 row groups (where M = min_DCT_scaled_size is the number
  164803. * of row groups per iMCU row). We create two sets of redundant pointers to
  164804. * the workspace. Labeling the physical row groups 0 to M+1, the synthesized
  164805. * pointer lists look like this:
  164806. * M+1 M-1
  164807. * master pointer --> 0 master pointer --> 0
  164808. * 1 1
  164809. * ... ...
  164810. * M-3 M-3
  164811. * M-2 M
  164812. * M-1 M+1
  164813. * M M-2
  164814. * M+1 M-1
  164815. * 0 0
  164816. * We read alternate iMCU rows using each master pointer; thus the last two
  164817. * row groups of the previous iMCU row remain un-overwritten in the workspace.
  164818. * The pointer lists are set up so that the required context rows appear to
  164819. * be adjacent to the proper places when we pass the pointer lists to the
  164820. * upsampler.
  164821. *
  164822. * The above pictures describe the normal state of the pointer lists.
  164823. * At top and bottom of the image, we diddle the pointer lists to duplicate
  164824. * the first or last sample row as necessary (this is cheaper than copying
  164825. * sample rows around).
  164826. *
  164827. * This scheme breaks down if M < 2, ie, min_DCT_scaled_size is 1. In that
  164828. * situation each iMCU row provides only one row group so the buffering logic
  164829. * must be different (eg, we must read two iMCU rows before we can emit the
  164830. * first row group). For now, we simply do not support providing context
  164831. * rows when min_DCT_scaled_size is 1. That combination seems unlikely to
  164832. * be worth providing --- if someone wants a 1/8th-size preview, they probably
  164833. * want it quick and dirty, so a context-free upsampler is sufficient.
  164834. */
  164835. /* Private buffer controller object */
  164836. typedef struct {
  164837. struct jpeg_d_main_controller pub; /* public fields */
  164838. /* Pointer to allocated workspace (M or M+2 row groups). */
  164839. JSAMPARRAY buffer[MAX_COMPONENTS];
  164840. boolean buffer_full; /* Have we gotten an iMCU row from decoder? */
  164841. JDIMENSION rowgroup_ctr; /* counts row groups output to postprocessor */
  164842. /* Remaining fields are only used in the context case. */
  164843. /* These are the master pointers to the funny-order pointer lists. */
  164844. JSAMPIMAGE xbuffer[2]; /* pointers to weird pointer lists */
  164845. int whichptr; /* indicates which pointer set is now in use */
  164846. int context_state; /* process_data state machine status */
  164847. JDIMENSION rowgroups_avail; /* row groups available to postprocessor */
  164848. JDIMENSION iMCU_row_ctr; /* counts iMCU rows to detect image top/bot */
  164849. } my_main_controller4;
  164850. typedef my_main_controller4 * my_main_ptr4;
  164851. /* context_state values: */
  164852. #define CTX_PREPARE_FOR_IMCU 0 /* need to prepare for MCU row */
  164853. #define CTX_PROCESS_IMCU 1 /* feeding iMCU to postprocessor */
  164854. #define CTX_POSTPONED_ROW 2 /* feeding postponed row group */
  164855. /* Forward declarations */
  164856. METHODDEF(void) process_data_simple_main2
  164857. JPP((j_decompress_ptr cinfo, JSAMPARRAY output_buf,
  164858. JDIMENSION *out_row_ctr, JDIMENSION out_rows_avail));
  164859. METHODDEF(void) process_data_context_main
  164860. JPP((j_decompress_ptr cinfo, JSAMPARRAY output_buf,
  164861. JDIMENSION *out_row_ctr, JDIMENSION out_rows_avail));
  164862. #ifdef QUANT_2PASS_SUPPORTED
  164863. METHODDEF(void) process_data_crank_post
  164864. JPP((j_decompress_ptr cinfo, JSAMPARRAY output_buf,
  164865. JDIMENSION *out_row_ctr, JDIMENSION out_rows_avail));
  164866. #endif
  164867. LOCAL(void)
  164868. alloc_funny_pointers (j_decompress_ptr cinfo)
  164869. /* Allocate space for the funny pointer lists.
  164870. * This is done only once, not once per pass.
  164871. */
  164872. {
  164873. my_main_ptr4 main_ = (my_main_ptr4) cinfo->main;
  164874. int ci, rgroup;
  164875. int M = cinfo->min_DCT_scaled_size;
  164876. jpeg_component_info *compptr;
  164877. JSAMPARRAY xbuf;
  164878. /* Get top-level space for component array pointers.
  164879. * We alloc both arrays with one call to save a few cycles.
  164880. */
  164881. main_->xbuffer[0] = (JSAMPIMAGE)
  164882. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  164883. cinfo->num_components * 2 * SIZEOF(JSAMPARRAY));
  164884. main_->xbuffer[1] = main_->xbuffer[0] + cinfo->num_components;
  164885. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  164886. ci++, compptr++) {
  164887. rgroup = (compptr->v_samp_factor * compptr->DCT_scaled_size) /
  164888. cinfo->min_DCT_scaled_size; /* height of a row group of component */
  164889. /* Get space for pointer lists --- M+4 row groups in each list.
  164890. * We alloc both pointer lists with one call to save a few cycles.
  164891. */
  164892. xbuf = (JSAMPARRAY)
  164893. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  164894. 2 * (rgroup * (M + 4)) * SIZEOF(JSAMPROW));
  164895. xbuf += rgroup; /* want one row group at negative offsets */
  164896. main_->xbuffer[0][ci] = xbuf;
  164897. xbuf += rgroup * (M + 4);
  164898. main_->xbuffer[1][ci] = xbuf;
  164899. }
  164900. }
  164901. LOCAL(void)
  164902. make_funny_pointers (j_decompress_ptr cinfo)
  164903. /* Create the funny pointer lists discussed in the comments above.
  164904. * The actual workspace is already allocated (in main->buffer),
  164905. * and the space for the pointer lists is allocated too.
  164906. * This routine just fills in the curiously ordered lists.
  164907. * This will be repeated at the beginning of each pass.
  164908. */
  164909. {
  164910. my_main_ptr4 main_ = (my_main_ptr4) cinfo->main;
  164911. int ci, i, rgroup;
  164912. int M = cinfo->min_DCT_scaled_size;
  164913. jpeg_component_info *compptr;
  164914. JSAMPARRAY buf, xbuf0, xbuf1;
  164915. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  164916. ci++, compptr++) {
  164917. rgroup = (compptr->v_samp_factor * compptr->DCT_scaled_size) /
  164918. cinfo->min_DCT_scaled_size; /* height of a row group of component */
  164919. xbuf0 = main_->xbuffer[0][ci];
  164920. xbuf1 = main_->xbuffer[1][ci];
  164921. /* First copy the workspace pointers as-is */
  164922. buf = main_->buffer[ci];
  164923. for (i = 0; i < rgroup * (M + 2); i++) {
  164924. xbuf0[i] = xbuf1[i] = buf[i];
  164925. }
  164926. /* In the second list, put the last four row groups in swapped order */
  164927. for (i = 0; i < rgroup * 2; i++) {
  164928. xbuf1[rgroup*(M-2) + i] = buf[rgroup*M + i];
  164929. xbuf1[rgroup*M + i] = buf[rgroup*(M-2) + i];
  164930. }
  164931. /* The wraparound pointers at top and bottom will be filled later
  164932. * (see set_wraparound_pointers, below). Initially we want the "above"
  164933. * pointers to duplicate the first actual data line. This only needs
  164934. * to happen in xbuffer[0].
  164935. */
  164936. for (i = 0; i < rgroup; i++) {
  164937. xbuf0[i - rgroup] = xbuf0[0];
  164938. }
  164939. }
  164940. }
  164941. LOCAL(void)
  164942. set_wraparound_pointers (j_decompress_ptr cinfo)
  164943. /* Set up the "wraparound" pointers at top and bottom of the pointer lists.
  164944. * This changes the pointer list state from top-of-image to the normal state.
  164945. */
  164946. {
  164947. my_main_ptr4 main_ = (my_main_ptr4) cinfo->main;
  164948. int ci, i, rgroup;
  164949. int M = cinfo->min_DCT_scaled_size;
  164950. jpeg_component_info *compptr;
  164951. JSAMPARRAY xbuf0, xbuf1;
  164952. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  164953. ci++, compptr++) {
  164954. rgroup = (compptr->v_samp_factor * compptr->DCT_scaled_size) /
  164955. cinfo->min_DCT_scaled_size; /* height of a row group of component */
  164956. xbuf0 = main_->xbuffer[0][ci];
  164957. xbuf1 = main_->xbuffer[1][ci];
  164958. for (i = 0; i < rgroup; i++) {
  164959. xbuf0[i - rgroup] = xbuf0[rgroup*(M+1) + i];
  164960. xbuf1[i - rgroup] = xbuf1[rgroup*(M+1) + i];
  164961. xbuf0[rgroup*(M+2) + i] = xbuf0[i];
  164962. xbuf1[rgroup*(M+2) + i] = xbuf1[i];
  164963. }
  164964. }
  164965. }
  164966. LOCAL(void)
  164967. set_bottom_pointers (j_decompress_ptr cinfo)
  164968. /* Change the pointer lists to duplicate the last sample row at the bottom
  164969. * of the image. whichptr indicates which xbuffer holds the final iMCU row.
  164970. * Also sets rowgroups_avail to indicate number of nondummy row groups in row.
  164971. */
  164972. {
  164973. my_main_ptr4 main_ = (my_main_ptr4) cinfo->main;
  164974. int ci, i, rgroup, iMCUheight, rows_left;
  164975. jpeg_component_info *compptr;
  164976. JSAMPARRAY xbuf;
  164977. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  164978. ci++, compptr++) {
  164979. /* Count sample rows in one iMCU row and in one row group */
  164980. iMCUheight = compptr->v_samp_factor * compptr->DCT_scaled_size;
  164981. rgroup = iMCUheight / cinfo->min_DCT_scaled_size;
  164982. /* Count nondummy sample rows remaining for this component */
  164983. rows_left = (int) (compptr->downsampled_height % (JDIMENSION) iMCUheight);
  164984. if (rows_left == 0) rows_left = iMCUheight;
  164985. /* Count nondummy row groups. Should get same answer for each component,
  164986. * so we need only do it once.
  164987. */
  164988. if (ci == 0) {
  164989. main_->rowgroups_avail = (JDIMENSION) ((rows_left-1) / rgroup + 1);
  164990. }
  164991. /* Duplicate the last real sample row rgroup*2 times; this pads out the
  164992. * last partial rowgroup and ensures at least one full rowgroup of context.
  164993. */
  164994. xbuf = main_->xbuffer[main_->whichptr][ci];
  164995. for (i = 0; i < rgroup * 2; i++) {
  164996. xbuf[rows_left + i] = xbuf[rows_left-1];
  164997. }
  164998. }
  164999. }
  165000. /*
  165001. * Initialize for a processing pass.
  165002. */
  165003. METHODDEF(void)
  165004. start_pass_main2 (j_decompress_ptr cinfo, J_BUF_MODE pass_mode)
  165005. {
  165006. my_main_ptr4 main_ = (my_main_ptr4) cinfo->main;
  165007. switch (pass_mode) {
  165008. case JBUF_PASS_THRU:
  165009. if (cinfo->upsample->need_context_rows) {
  165010. main_->pub.process_data = process_data_context_main;
  165011. make_funny_pointers(cinfo); /* Create the xbuffer[] lists */
  165012. main_->whichptr = 0; /* Read first iMCU row into xbuffer[0] */
  165013. main_->context_state = CTX_PREPARE_FOR_IMCU;
  165014. main_->iMCU_row_ctr = 0;
  165015. } else {
  165016. /* Simple case with no context needed */
  165017. main_->pub.process_data = process_data_simple_main2;
  165018. }
  165019. main_->buffer_full = FALSE; /* Mark buffer empty */
  165020. main_->rowgroup_ctr = 0;
  165021. break;
  165022. #ifdef QUANT_2PASS_SUPPORTED
  165023. case JBUF_CRANK_DEST:
  165024. /* For last pass of 2-pass quantization, just crank the postprocessor */
  165025. main_->pub.process_data = process_data_crank_post;
  165026. break;
  165027. #endif
  165028. default:
  165029. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  165030. break;
  165031. }
  165032. }
  165033. /*
  165034. * Process some data.
  165035. * This handles the simple case where no context is required.
  165036. */
  165037. METHODDEF(void)
  165038. process_data_simple_main2 (j_decompress_ptr cinfo,
  165039. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  165040. JDIMENSION out_rows_avail)
  165041. {
  165042. my_main_ptr4 main_ = (my_main_ptr4) cinfo->main;
  165043. JDIMENSION rowgroups_avail;
  165044. /* Read input data if we haven't filled the main buffer yet */
  165045. if (! main_->buffer_full) {
  165046. if (! (*cinfo->coef->decompress_data) (cinfo, main_->buffer))
  165047. return; /* suspension forced, can do nothing more */
  165048. main_->buffer_full = TRUE; /* OK, we have an iMCU row to work with */
  165049. }
  165050. /* There are always min_DCT_scaled_size row groups in an iMCU row. */
  165051. rowgroups_avail = (JDIMENSION) cinfo->min_DCT_scaled_size;
  165052. /* Note: at the bottom of the image, we may pass extra garbage row groups
  165053. * to the postprocessor. The postprocessor has to check for bottom
  165054. * of image anyway (at row resolution), so no point in us doing it too.
  165055. */
  165056. /* Feed the postprocessor */
  165057. (*cinfo->post->post_process_data) (cinfo, main_->buffer,
  165058. &main_->rowgroup_ctr, rowgroups_avail,
  165059. output_buf, out_row_ctr, out_rows_avail);
  165060. /* Has postprocessor consumed all the data yet? If so, mark buffer empty */
  165061. if (main_->rowgroup_ctr >= rowgroups_avail) {
  165062. main_->buffer_full = FALSE;
  165063. main_->rowgroup_ctr = 0;
  165064. }
  165065. }
  165066. /*
  165067. * Process some data.
  165068. * This handles the case where context rows must be provided.
  165069. */
  165070. METHODDEF(void)
  165071. process_data_context_main (j_decompress_ptr cinfo,
  165072. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  165073. JDIMENSION out_rows_avail)
  165074. {
  165075. my_main_ptr4 main_ = (my_main_ptr4) cinfo->main;
  165076. /* Read input data if we haven't filled the main buffer yet */
  165077. if (! main_->buffer_full) {
  165078. if (! (*cinfo->coef->decompress_data) (cinfo,
  165079. main_->xbuffer[main_->whichptr]))
  165080. return; /* suspension forced, can do nothing more */
  165081. main_->buffer_full = TRUE; /* OK, we have an iMCU row to work with */
  165082. main_->iMCU_row_ctr++; /* count rows received */
  165083. }
  165084. /* Postprocessor typically will not swallow all the input data it is handed
  165085. * in one call (due to filling the output buffer first). Must be prepared
  165086. * to exit and restart. This switch lets us keep track of how far we got.
  165087. * Note that each case falls through to the next on successful completion.
  165088. */
  165089. switch (main_->context_state) {
  165090. case CTX_POSTPONED_ROW:
  165091. /* Call postprocessor using previously set pointers for postponed row */
  165092. (*cinfo->post->post_process_data) (cinfo, main_->xbuffer[main_->whichptr],
  165093. &main_->rowgroup_ctr, main_->rowgroups_avail,
  165094. output_buf, out_row_ctr, out_rows_avail);
  165095. if (main_->rowgroup_ctr < main_->rowgroups_avail)
  165096. return; /* Need to suspend */
  165097. main_->context_state = CTX_PREPARE_FOR_IMCU;
  165098. if (*out_row_ctr >= out_rows_avail)
  165099. return; /* Postprocessor exactly filled output buf */
  165100. /*FALLTHROUGH*/
  165101. case CTX_PREPARE_FOR_IMCU:
  165102. /* Prepare to process first M-1 row groups of this iMCU row */
  165103. main_->rowgroup_ctr = 0;
  165104. main_->rowgroups_avail = (JDIMENSION) (cinfo->min_DCT_scaled_size - 1);
  165105. /* Check for bottom of image: if so, tweak pointers to "duplicate"
  165106. * the last sample row, and adjust rowgroups_avail to ignore padding rows.
  165107. */
  165108. if (main_->iMCU_row_ctr == cinfo->total_iMCU_rows)
  165109. set_bottom_pointers(cinfo);
  165110. main_->context_state = CTX_PROCESS_IMCU;
  165111. /*FALLTHROUGH*/
  165112. case CTX_PROCESS_IMCU:
  165113. /* Call postprocessor using previously set pointers */
  165114. (*cinfo->post->post_process_data) (cinfo, main_->xbuffer[main_->whichptr],
  165115. &main_->rowgroup_ctr, main_->rowgroups_avail,
  165116. output_buf, out_row_ctr, out_rows_avail);
  165117. if (main_->rowgroup_ctr < main_->rowgroups_avail)
  165118. return; /* Need to suspend */
  165119. /* After the first iMCU, change wraparound pointers to normal state */
  165120. if (main_->iMCU_row_ctr == 1)
  165121. set_wraparound_pointers(cinfo);
  165122. /* Prepare to load new iMCU row using other xbuffer list */
  165123. main_->whichptr ^= 1; /* 0=>1 or 1=>0 */
  165124. main_->buffer_full = FALSE;
  165125. /* Still need to process last row group of this iMCU row, */
  165126. /* which is saved at index M+1 of the other xbuffer */
  165127. main_->rowgroup_ctr = (JDIMENSION) (cinfo->min_DCT_scaled_size + 1);
  165128. main_->rowgroups_avail = (JDIMENSION) (cinfo->min_DCT_scaled_size + 2);
  165129. main_->context_state = CTX_POSTPONED_ROW;
  165130. }
  165131. }
  165132. /*
  165133. * Process some data.
  165134. * Final pass of two-pass quantization: just call the postprocessor.
  165135. * Source data will be the postprocessor controller's internal buffer.
  165136. */
  165137. #ifdef QUANT_2PASS_SUPPORTED
  165138. METHODDEF(void)
  165139. process_data_crank_post (j_decompress_ptr cinfo,
  165140. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  165141. JDIMENSION out_rows_avail)
  165142. {
  165143. (*cinfo->post->post_process_data) (cinfo, (JSAMPIMAGE) NULL,
  165144. (JDIMENSION *) NULL, (JDIMENSION) 0,
  165145. output_buf, out_row_ctr, out_rows_avail);
  165146. }
  165147. #endif /* QUANT_2PASS_SUPPORTED */
  165148. /*
  165149. * Initialize main buffer controller.
  165150. */
  165151. GLOBAL(void)
  165152. jinit_d_main_controller (j_decompress_ptr cinfo, boolean need_full_buffer)
  165153. {
  165154. my_main_ptr4 main_;
  165155. int ci, rgroup, ngroups;
  165156. jpeg_component_info *compptr;
  165157. main_ = (my_main_ptr4)
  165158. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  165159. SIZEOF(my_main_controller4));
  165160. cinfo->main = (struct jpeg_d_main_controller *) main_;
  165161. main_->pub.start_pass = start_pass_main2;
  165162. if (need_full_buffer) /* shouldn't happen */
  165163. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  165164. /* Allocate the workspace.
  165165. * ngroups is the number of row groups we need.
  165166. */
  165167. if (cinfo->upsample->need_context_rows) {
  165168. if (cinfo->min_DCT_scaled_size < 2) /* unsupported, see comments above */
  165169. ERREXIT(cinfo, JERR_NOTIMPL);
  165170. alloc_funny_pointers(cinfo); /* Alloc space for xbuffer[] lists */
  165171. ngroups = cinfo->min_DCT_scaled_size + 2;
  165172. } else {
  165173. ngroups = cinfo->min_DCT_scaled_size;
  165174. }
  165175. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  165176. ci++, compptr++) {
  165177. rgroup = (compptr->v_samp_factor * compptr->DCT_scaled_size) /
  165178. cinfo->min_DCT_scaled_size; /* height of a row group of component */
  165179. main_->buffer[ci] = (*cinfo->mem->alloc_sarray)
  165180. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  165181. compptr->width_in_blocks * compptr->DCT_scaled_size,
  165182. (JDIMENSION) (rgroup * ngroups));
  165183. }
  165184. }
  165185. /********* End of inlined file: jdmainct.c *********/
  165186. /********* Start of inlined file: jdmarker.c *********/
  165187. #define JPEG_INTERNALS
  165188. /* Private state */
  165189. typedef struct {
  165190. struct jpeg_marker_reader pub; /* public fields */
  165191. /* Application-overridable marker processing methods */
  165192. jpeg_marker_parser_method process_COM;
  165193. jpeg_marker_parser_method process_APPn[16];
  165194. /* Limit on marker data length to save for each marker type */
  165195. unsigned int length_limit_COM;
  165196. unsigned int length_limit_APPn[16];
  165197. /* Status of COM/APPn marker saving */
  165198. jpeg_saved_marker_ptr cur_marker; /* NULL if not processing a marker */
  165199. unsigned int bytes_read; /* data bytes read so far in marker */
  165200. /* Note: cur_marker is not linked into marker_list until it's all read. */
  165201. } my_marker_reader;
  165202. typedef my_marker_reader * my_marker_ptr2;
  165203. /*
  165204. * Macros for fetching data from the data source module.
  165205. *
  165206. * At all times, cinfo->src->next_input_byte and ->bytes_in_buffer reflect
  165207. * the current restart point; we update them only when we have reached a
  165208. * suitable place to restart if a suspension occurs.
  165209. */
  165210. /* Declare and initialize local copies of input pointer/count */
  165211. #define INPUT_VARS(cinfo) \
  165212. struct jpeg_source_mgr * datasrc = (cinfo)->src; \
  165213. const JOCTET * next_input_byte = datasrc->next_input_byte; \
  165214. size_t bytes_in_buffer = datasrc->bytes_in_buffer
  165215. /* Unload the local copies --- do this only at a restart boundary */
  165216. #define INPUT_SYNC(cinfo) \
  165217. ( datasrc->next_input_byte = next_input_byte, \
  165218. datasrc->bytes_in_buffer = bytes_in_buffer )
  165219. /* Reload the local copies --- used only in MAKE_BYTE_AVAIL */
  165220. #define INPUT_RELOAD(cinfo) \
  165221. ( next_input_byte = datasrc->next_input_byte, \
  165222. bytes_in_buffer = datasrc->bytes_in_buffer )
  165223. /* Internal macro for INPUT_BYTE and INPUT_2BYTES: make a byte available.
  165224. * Note we do *not* do INPUT_SYNC before calling fill_input_buffer,
  165225. * but we must reload the local copies after a successful fill.
  165226. */
  165227. #define MAKE_BYTE_AVAIL(cinfo,action) \
  165228. if (bytes_in_buffer == 0) { \
  165229. if (! (*datasrc->fill_input_buffer) (cinfo)) \
  165230. { action; } \
  165231. INPUT_RELOAD(cinfo); \
  165232. }
  165233. /* Read a byte into variable V.
  165234. * If must suspend, take the specified action (typically "return FALSE").
  165235. */
  165236. #define INPUT_BYTE(cinfo,V,action) \
  165237. MAKESTMT( MAKE_BYTE_AVAIL(cinfo,action); \
  165238. bytes_in_buffer--; \
  165239. V = GETJOCTET(*next_input_byte++); )
  165240. /* As above, but read two bytes interpreted as an unsigned 16-bit integer.
  165241. * V should be declared unsigned int or perhaps INT32.
  165242. */
  165243. #define INPUT_2BYTES(cinfo,V,action) \
  165244. MAKESTMT( MAKE_BYTE_AVAIL(cinfo,action); \
  165245. bytes_in_buffer--; \
  165246. V = ((unsigned int) GETJOCTET(*next_input_byte++)) << 8; \
  165247. MAKE_BYTE_AVAIL(cinfo,action); \
  165248. bytes_in_buffer--; \
  165249. V += GETJOCTET(*next_input_byte++); )
  165250. /*
  165251. * Routines to process JPEG markers.
  165252. *
  165253. * Entry condition: JPEG marker itself has been read and its code saved
  165254. * in cinfo->unread_marker; input restart point is just after the marker.
  165255. *
  165256. * Exit: if return TRUE, have read and processed any parameters, and have
  165257. * updated the restart point to point after the parameters.
  165258. * If return FALSE, was forced to suspend before reaching end of
  165259. * marker parameters; restart point has not been moved. Same routine
  165260. * will be called again after application supplies more input data.
  165261. *
  165262. * This approach to suspension assumes that all of a marker's parameters
  165263. * can fit into a single input bufferload. This should hold for "normal"
  165264. * markers. Some COM/APPn markers might have large parameter segments
  165265. * that might not fit. If we are simply dropping such a marker, we use
  165266. * skip_input_data to get past it, and thereby put the problem on the
  165267. * source manager's shoulders. If we are saving the marker's contents
  165268. * into memory, we use a slightly different convention: when forced to
  165269. * suspend, the marker processor updates the restart point to the end of
  165270. * what it's consumed (ie, the end of the buffer) before returning FALSE.
  165271. * On resumption, cinfo->unread_marker still contains the marker code,
  165272. * but the data source will point to the next chunk of marker data.
  165273. * The marker processor must retain internal state to deal with this.
  165274. *
  165275. * Note that we don't bother to avoid duplicate trace messages if a
  165276. * suspension occurs within marker parameters. Other side effects
  165277. * require more care.
  165278. */
  165279. LOCAL(boolean)
  165280. get_soi (j_decompress_ptr cinfo)
  165281. /* Process an SOI marker */
  165282. {
  165283. int i;
  165284. TRACEMS(cinfo, 1, JTRC_SOI);
  165285. if (cinfo->marker->saw_SOI)
  165286. ERREXIT(cinfo, JERR_SOI_DUPLICATE);
  165287. /* Reset all parameters that are defined to be reset by SOI */
  165288. for (i = 0; i < NUM_ARITH_TBLS; i++) {
  165289. cinfo->arith_dc_L[i] = 0;
  165290. cinfo->arith_dc_U[i] = 1;
  165291. cinfo->arith_ac_K[i] = 5;
  165292. }
  165293. cinfo->restart_interval = 0;
  165294. /* Set initial assumptions for colorspace etc */
  165295. cinfo->jpeg_color_space = JCS_UNKNOWN;
  165296. cinfo->CCIR601_sampling = FALSE; /* Assume non-CCIR sampling??? */
  165297. cinfo->saw_JFIF_marker = FALSE;
  165298. cinfo->JFIF_major_version = 1; /* set default JFIF APP0 values */
  165299. cinfo->JFIF_minor_version = 1;
  165300. cinfo->density_unit = 0;
  165301. cinfo->X_density = 1;
  165302. cinfo->Y_density = 1;
  165303. cinfo->saw_Adobe_marker = FALSE;
  165304. cinfo->Adobe_transform = 0;
  165305. cinfo->marker->saw_SOI = TRUE;
  165306. return TRUE;
  165307. }
  165308. LOCAL(boolean)
  165309. get_sof (j_decompress_ptr cinfo, boolean is_prog, boolean is_arith)
  165310. /* Process a SOFn marker */
  165311. {
  165312. INT32 length;
  165313. int c, ci;
  165314. jpeg_component_info * compptr;
  165315. INPUT_VARS(cinfo);
  165316. cinfo->progressive_mode = is_prog;
  165317. cinfo->arith_code = is_arith;
  165318. INPUT_2BYTES(cinfo, length, return FALSE);
  165319. INPUT_BYTE(cinfo, cinfo->data_precision, return FALSE);
  165320. INPUT_2BYTES(cinfo, cinfo->image_height, return FALSE);
  165321. INPUT_2BYTES(cinfo, cinfo->image_width, return FALSE);
  165322. INPUT_BYTE(cinfo, cinfo->num_components, return FALSE);
  165323. length -= 8;
  165324. TRACEMS4(cinfo, 1, JTRC_SOF, cinfo->unread_marker,
  165325. (int) cinfo->image_width, (int) cinfo->image_height,
  165326. cinfo->num_components);
  165327. if (cinfo->marker->saw_SOF)
  165328. ERREXIT(cinfo, JERR_SOF_DUPLICATE);
  165329. /* We don't support files in which the image height is initially specified */
  165330. /* as 0 and is later redefined by DNL. As long as we have to check that, */
  165331. /* might as well have a general sanity check. */
  165332. if (cinfo->image_height <= 0 || cinfo->image_width <= 0
  165333. || cinfo->num_components <= 0)
  165334. ERREXIT(cinfo, JERR_EMPTY_IMAGE);
  165335. if (length != (cinfo->num_components * 3))
  165336. ERREXIT(cinfo, JERR_BAD_LENGTH);
  165337. if (cinfo->comp_info == NULL) /* do only once, even if suspend */
  165338. cinfo->comp_info = (jpeg_component_info *) (*cinfo->mem->alloc_small)
  165339. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  165340. cinfo->num_components * SIZEOF(jpeg_component_info));
  165341. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  165342. ci++, compptr++) {
  165343. compptr->component_index = ci;
  165344. INPUT_BYTE(cinfo, compptr->component_id, return FALSE);
  165345. INPUT_BYTE(cinfo, c, return FALSE);
  165346. compptr->h_samp_factor = (c >> 4) & 15;
  165347. compptr->v_samp_factor = (c ) & 15;
  165348. INPUT_BYTE(cinfo, compptr->quant_tbl_no, return FALSE);
  165349. TRACEMS4(cinfo, 1, JTRC_SOF_COMPONENT,
  165350. compptr->component_id, compptr->h_samp_factor,
  165351. compptr->v_samp_factor, compptr->quant_tbl_no);
  165352. }
  165353. cinfo->marker->saw_SOF = TRUE;
  165354. INPUT_SYNC(cinfo);
  165355. return TRUE;
  165356. }
  165357. LOCAL(boolean)
  165358. get_sos (j_decompress_ptr cinfo)
  165359. /* Process a SOS marker */
  165360. {
  165361. INT32 length;
  165362. int i, ci, n, c, cc;
  165363. jpeg_component_info * compptr;
  165364. INPUT_VARS(cinfo);
  165365. if (! cinfo->marker->saw_SOF)
  165366. ERREXIT(cinfo, JERR_SOS_NO_SOF);
  165367. INPUT_2BYTES(cinfo, length, return FALSE);
  165368. INPUT_BYTE(cinfo, n, return FALSE); /* Number of components */
  165369. TRACEMS1(cinfo, 1, JTRC_SOS, n);
  165370. if (length != (n * 2 + 6) || n < 1 || n > MAX_COMPS_IN_SCAN)
  165371. ERREXIT(cinfo, JERR_BAD_LENGTH);
  165372. cinfo->comps_in_scan = n;
  165373. /* Collect the component-spec parameters */
  165374. for (i = 0; i < n; i++) {
  165375. INPUT_BYTE(cinfo, cc, return FALSE);
  165376. INPUT_BYTE(cinfo, c, return FALSE);
  165377. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  165378. ci++, compptr++) {
  165379. if (cc == compptr->component_id)
  165380. goto id_found;
  165381. }
  165382. ERREXIT1(cinfo, JERR_BAD_COMPONENT_ID, cc);
  165383. id_found:
  165384. cinfo->cur_comp_info[i] = compptr;
  165385. compptr->dc_tbl_no = (c >> 4) & 15;
  165386. compptr->ac_tbl_no = (c ) & 15;
  165387. TRACEMS3(cinfo, 1, JTRC_SOS_COMPONENT, cc,
  165388. compptr->dc_tbl_no, compptr->ac_tbl_no);
  165389. }
  165390. /* Collect the additional scan parameters Ss, Se, Ah/Al. */
  165391. INPUT_BYTE(cinfo, c, return FALSE);
  165392. cinfo->Ss = c;
  165393. INPUT_BYTE(cinfo, c, return FALSE);
  165394. cinfo->Se = c;
  165395. INPUT_BYTE(cinfo, c, return FALSE);
  165396. cinfo->Ah = (c >> 4) & 15;
  165397. cinfo->Al = (c ) & 15;
  165398. TRACEMS4(cinfo, 1, JTRC_SOS_PARAMS, cinfo->Ss, cinfo->Se,
  165399. cinfo->Ah, cinfo->Al);
  165400. /* Prepare to scan data & restart markers */
  165401. cinfo->marker->next_restart_num = 0;
  165402. /* Count another SOS marker */
  165403. cinfo->input_scan_number++;
  165404. INPUT_SYNC(cinfo);
  165405. return TRUE;
  165406. }
  165407. #ifdef D_ARITH_CODING_SUPPORTED
  165408. LOCAL(boolean)
  165409. get_dac (j_decompress_ptr cinfo)
  165410. /* Process a DAC marker */
  165411. {
  165412. INT32 length;
  165413. int index, val;
  165414. INPUT_VARS(cinfo);
  165415. INPUT_2BYTES(cinfo, length, return FALSE);
  165416. length -= 2;
  165417. while (length > 0) {
  165418. INPUT_BYTE(cinfo, index, return FALSE);
  165419. INPUT_BYTE(cinfo, val, return FALSE);
  165420. length -= 2;
  165421. TRACEMS2(cinfo, 1, JTRC_DAC, index, val);
  165422. if (index < 0 || index >= (2*NUM_ARITH_TBLS))
  165423. ERREXIT1(cinfo, JERR_DAC_INDEX, index);
  165424. if (index >= NUM_ARITH_TBLS) { /* define AC table */
  165425. cinfo->arith_ac_K[index-NUM_ARITH_TBLS] = (UINT8) val;
  165426. } else { /* define DC table */
  165427. cinfo->arith_dc_L[index] = (UINT8) (val & 0x0F);
  165428. cinfo->arith_dc_U[index] = (UINT8) (val >> 4);
  165429. if (cinfo->arith_dc_L[index] > cinfo->arith_dc_U[index])
  165430. ERREXIT1(cinfo, JERR_DAC_VALUE, val);
  165431. }
  165432. }
  165433. if (length != 0)
  165434. ERREXIT(cinfo, JERR_BAD_LENGTH);
  165435. INPUT_SYNC(cinfo);
  165436. return TRUE;
  165437. }
  165438. #else /* ! D_ARITH_CODING_SUPPORTED */
  165439. #define get_dac(cinfo) skip_variable(cinfo)
  165440. #endif /* D_ARITH_CODING_SUPPORTED */
  165441. LOCAL(boolean)
  165442. get_dht (j_decompress_ptr cinfo)
  165443. /* Process a DHT marker */
  165444. {
  165445. INT32 length;
  165446. UINT8 bits[17];
  165447. UINT8 huffval[256];
  165448. int i, index, count;
  165449. JHUFF_TBL **htblptr;
  165450. INPUT_VARS(cinfo);
  165451. INPUT_2BYTES(cinfo, length, return FALSE);
  165452. length -= 2;
  165453. while (length > 16) {
  165454. INPUT_BYTE(cinfo, index, return FALSE);
  165455. TRACEMS1(cinfo, 1, JTRC_DHT, index);
  165456. bits[0] = 0;
  165457. count = 0;
  165458. for (i = 1; i <= 16; i++) {
  165459. INPUT_BYTE(cinfo, bits[i], return FALSE);
  165460. count += bits[i];
  165461. }
  165462. length -= 1 + 16;
  165463. TRACEMS8(cinfo, 2, JTRC_HUFFBITS,
  165464. bits[1], bits[2], bits[3], bits[4],
  165465. bits[5], bits[6], bits[7], bits[8]);
  165466. TRACEMS8(cinfo, 2, JTRC_HUFFBITS,
  165467. bits[9], bits[10], bits[11], bits[12],
  165468. bits[13], bits[14], bits[15], bits[16]);
  165469. /* Here we just do minimal validation of the counts to avoid walking
  165470. * off the end of our table space. jdhuff.c will check more carefully.
  165471. */
  165472. if (count > 256 || ((INT32) count) > length)
  165473. ERREXIT(cinfo, JERR_BAD_HUFF_TABLE);
  165474. for (i = 0; i < count; i++)
  165475. INPUT_BYTE(cinfo, huffval[i], return FALSE);
  165476. length -= count;
  165477. if (index & 0x10) { /* AC table definition */
  165478. index -= 0x10;
  165479. htblptr = &cinfo->ac_huff_tbl_ptrs[index];
  165480. } else { /* DC table definition */
  165481. htblptr = &cinfo->dc_huff_tbl_ptrs[index];
  165482. }
  165483. if (index < 0 || index >= NUM_HUFF_TBLS)
  165484. ERREXIT1(cinfo, JERR_DHT_INDEX, index);
  165485. if (*htblptr == NULL)
  165486. *htblptr = jpeg_alloc_huff_table((j_common_ptr) cinfo);
  165487. MEMCOPY((*htblptr)->bits, bits, SIZEOF((*htblptr)->bits));
  165488. MEMCOPY((*htblptr)->huffval, huffval, SIZEOF((*htblptr)->huffval));
  165489. }
  165490. if (length != 0)
  165491. ERREXIT(cinfo, JERR_BAD_LENGTH);
  165492. INPUT_SYNC(cinfo);
  165493. return TRUE;
  165494. }
  165495. LOCAL(boolean)
  165496. get_dqt (j_decompress_ptr cinfo)
  165497. /* Process a DQT marker */
  165498. {
  165499. INT32 length;
  165500. int n, i, prec;
  165501. unsigned int tmp;
  165502. JQUANT_TBL *quant_ptr;
  165503. INPUT_VARS(cinfo);
  165504. INPUT_2BYTES(cinfo, length, return FALSE);
  165505. length -= 2;
  165506. while (length > 0) {
  165507. INPUT_BYTE(cinfo, n, return FALSE);
  165508. prec = n >> 4;
  165509. n &= 0x0F;
  165510. TRACEMS2(cinfo, 1, JTRC_DQT, n, prec);
  165511. if (n >= NUM_QUANT_TBLS)
  165512. ERREXIT1(cinfo, JERR_DQT_INDEX, n);
  165513. if (cinfo->quant_tbl_ptrs[n] == NULL)
  165514. cinfo->quant_tbl_ptrs[n] = jpeg_alloc_quant_table((j_common_ptr) cinfo);
  165515. quant_ptr = cinfo->quant_tbl_ptrs[n];
  165516. for (i = 0; i < DCTSIZE2; i++) {
  165517. if (prec)
  165518. INPUT_2BYTES(cinfo, tmp, return FALSE);
  165519. else
  165520. INPUT_BYTE(cinfo, tmp, return FALSE);
  165521. /* We convert the zigzag-order table to natural array order. */
  165522. quant_ptr->quantval[jpeg_natural_order[i]] = (UINT16) tmp;
  165523. }
  165524. if (cinfo->err->trace_level >= 2) {
  165525. for (i = 0; i < DCTSIZE2; i += 8) {
  165526. TRACEMS8(cinfo, 2, JTRC_QUANTVALS,
  165527. quant_ptr->quantval[i], quant_ptr->quantval[i+1],
  165528. quant_ptr->quantval[i+2], quant_ptr->quantval[i+3],
  165529. quant_ptr->quantval[i+4], quant_ptr->quantval[i+5],
  165530. quant_ptr->quantval[i+6], quant_ptr->quantval[i+7]);
  165531. }
  165532. }
  165533. length -= DCTSIZE2+1;
  165534. if (prec) length -= DCTSIZE2;
  165535. }
  165536. if (length != 0)
  165537. ERREXIT(cinfo, JERR_BAD_LENGTH);
  165538. INPUT_SYNC(cinfo);
  165539. return TRUE;
  165540. }
  165541. LOCAL(boolean)
  165542. get_dri (j_decompress_ptr cinfo)
  165543. /* Process a DRI marker */
  165544. {
  165545. INT32 length;
  165546. unsigned int tmp;
  165547. INPUT_VARS(cinfo);
  165548. INPUT_2BYTES(cinfo, length, return FALSE);
  165549. if (length != 4)
  165550. ERREXIT(cinfo, JERR_BAD_LENGTH);
  165551. INPUT_2BYTES(cinfo, tmp, return FALSE);
  165552. TRACEMS1(cinfo, 1, JTRC_DRI, tmp);
  165553. cinfo->restart_interval = tmp;
  165554. INPUT_SYNC(cinfo);
  165555. return TRUE;
  165556. }
  165557. /*
  165558. * Routines for processing APPn and COM markers.
  165559. * These are either saved in memory or discarded, per application request.
  165560. * APP0 and APP14 are specially checked to see if they are
  165561. * JFIF and Adobe markers, respectively.
  165562. */
  165563. #define APP0_DATA_LEN 14 /* Length of interesting data in APP0 */
  165564. #define APP14_DATA_LEN 12 /* Length of interesting data in APP14 */
  165565. #define APPN_DATA_LEN 14 /* Must be the largest of the above!! */
  165566. LOCAL(void)
  165567. examine_app0 (j_decompress_ptr cinfo, JOCTET FAR * data,
  165568. unsigned int datalen, INT32 remaining)
  165569. /* Examine first few bytes from an APP0.
  165570. * Take appropriate action if it is a JFIF marker.
  165571. * datalen is # of bytes at data[], remaining is length of rest of marker data.
  165572. */
  165573. {
  165574. INT32 totallen = (INT32) datalen + remaining;
  165575. if (datalen >= APP0_DATA_LEN &&
  165576. GETJOCTET(data[0]) == 0x4A &&
  165577. GETJOCTET(data[1]) == 0x46 &&
  165578. GETJOCTET(data[2]) == 0x49 &&
  165579. GETJOCTET(data[3]) == 0x46 &&
  165580. GETJOCTET(data[4]) == 0) {
  165581. /* Found JFIF APP0 marker: save info */
  165582. cinfo->saw_JFIF_marker = TRUE;
  165583. cinfo->JFIF_major_version = GETJOCTET(data[5]);
  165584. cinfo->JFIF_minor_version = GETJOCTET(data[6]);
  165585. cinfo->density_unit = GETJOCTET(data[7]);
  165586. cinfo->X_density = (GETJOCTET(data[8]) << 8) + GETJOCTET(data[9]);
  165587. cinfo->Y_density = (GETJOCTET(data[10]) << 8) + GETJOCTET(data[11]);
  165588. /* Check version.
  165589. * Major version must be 1, anything else signals an incompatible change.
  165590. * (We used to treat this as an error, but now it's a nonfatal warning,
  165591. * because some bozo at Hijaak couldn't read the spec.)
  165592. * Minor version should be 0..2, but process anyway if newer.
  165593. */
  165594. if (cinfo->JFIF_major_version != 1)
  165595. WARNMS2(cinfo, JWRN_JFIF_MAJOR,
  165596. cinfo->JFIF_major_version, cinfo->JFIF_minor_version);
  165597. /* Generate trace messages */
  165598. TRACEMS5(cinfo, 1, JTRC_JFIF,
  165599. cinfo->JFIF_major_version, cinfo->JFIF_minor_version,
  165600. cinfo->X_density, cinfo->Y_density, cinfo->density_unit);
  165601. /* Validate thumbnail dimensions and issue appropriate messages */
  165602. if (GETJOCTET(data[12]) | GETJOCTET(data[13]))
  165603. TRACEMS2(cinfo, 1, JTRC_JFIF_THUMBNAIL,
  165604. GETJOCTET(data[12]), GETJOCTET(data[13]));
  165605. totallen -= APP0_DATA_LEN;
  165606. if (totallen !=
  165607. ((INT32)GETJOCTET(data[12]) * (INT32)GETJOCTET(data[13]) * (INT32) 3))
  165608. TRACEMS1(cinfo, 1, JTRC_JFIF_BADTHUMBNAILSIZE, (int) totallen);
  165609. } else if (datalen >= 6 &&
  165610. GETJOCTET(data[0]) == 0x4A &&
  165611. GETJOCTET(data[1]) == 0x46 &&
  165612. GETJOCTET(data[2]) == 0x58 &&
  165613. GETJOCTET(data[3]) == 0x58 &&
  165614. GETJOCTET(data[4]) == 0) {
  165615. /* Found JFIF "JFXX" extension APP0 marker */
  165616. /* The library doesn't actually do anything with these,
  165617. * but we try to produce a helpful trace message.
  165618. */
  165619. switch (GETJOCTET(data[5])) {
  165620. case 0x10:
  165621. TRACEMS1(cinfo, 1, JTRC_THUMB_JPEG, (int) totallen);
  165622. break;
  165623. case 0x11:
  165624. TRACEMS1(cinfo, 1, JTRC_THUMB_PALETTE, (int) totallen);
  165625. break;
  165626. case 0x13:
  165627. TRACEMS1(cinfo, 1, JTRC_THUMB_RGB, (int) totallen);
  165628. break;
  165629. default:
  165630. TRACEMS2(cinfo, 1, JTRC_JFIF_EXTENSION,
  165631. GETJOCTET(data[5]), (int) totallen);
  165632. break;
  165633. }
  165634. } else {
  165635. /* Start of APP0 does not match "JFIF" or "JFXX", or too short */
  165636. TRACEMS1(cinfo, 1, JTRC_APP0, (int) totallen);
  165637. }
  165638. }
  165639. LOCAL(void)
  165640. examine_app14 (j_decompress_ptr cinfo, JOCTET FAR * data,
  165641. unsigned int datalen, INT32 remaining)
  165642. /* Examine first few bytes from an APP14.
  165643. * Take appropriate action if it is an Adobe marker.
  165644. * datalen is # of bytes at data[], remaining is length of rest of marker data.
  165645. */
  165646. {
  165647. unsigned int version, flags0, flags1, transform;
  165648. if (datalen >= APP14_DATA_LEN &&
  165649. GETJOCTET(data[0]) == 0x41 &&
  165650. GETJOCTET(data[1]) == 0x64 &&
  165651. GETJOCTET(data[2]) == 0x6F &&
  165652. GETJOCTET(data[3]) == 0x62 &&
  165653. GETJOCTET(data[4]) == 0x65) {
  165654. /* Found Adobe APP14 marker */
  165655. version = (GETJOCTET(data[5]) << 8) + GETJOCTET(data[6]);
  165656. flags0 = (GETJOCTET(data[7]) << 8) + GETJOCTET(data[8]);
  165657. flags1 = (GETJOCTET(data[9]) << 8) + GETJOCTET(data[10]);
  165658. transform = GETJOCTET(data[11]);
  165659. TRACEMS4(cinfo, 1, JTRC_ADOBE, version, flags0, flags1, transform);
  165660. cinfo->saw_Adobe_marker = TRUE;
  165661. cinfo->Adobe_transform = (UINT8) transform;
  165662. } else {
  165663. /* Start of APP14 does not match "Adobe", or too short */
  165664. TRACEMS1(cinfo, 1, JTRC_APP14, (int) (datalen + remaining));
  165665. }
  165666. }
  165667. METHODDEF(boolean)
  165668. get_interesting_appn (j_decompress_ptr cinfo)
  165669. /* Process an APP0 or APP14 marker without saving it */
  165670. {
  165671. INT32 length;
  165672. JOCTET b[APPN_DATA_LEN];
  165673. unsigned int i, numtoread;
  165674. INPUT_VARS(cinfo);
  165675. INPUT_2BYTES(cinfo, length, return FALSE);
  165676. length -= 2;
  165677. /* get the interesting part of the marker data */
  165678. if (length >= APPN_DATA_LEN)
  165679. numtoread = APPN_DATA_LEN;
  165680. else if (length > 0)
  165681. numtoread = (unsigned int) length;
  165682. else
  165683. numtoread = 0;
  165684. for (i = 0; i < numtoread; i++)
  165685. INPUT_BYTE(cinfo, b[i], return FALSE);
  165686. length -= numtoread;
  165687. /* process it */
  165688. switch (cinfo->unread_marker) {
  165689. case M_APP0:
  165690. examine_app0(cinfo, (JOCTET FAR *) b, numtoread, length);
  165691. break;
  165692. case M_APP14:
  165693. examine_app14(cinfo, (JOCTET FAR *) b, numtoread, length);
  165694. break;
  165695. default:
  165696. /* can't get here unless jpeg_save_markers chooses wrong processor */
  165697. ERREXIT1(cinfo, JERR_UNKNOWN_MARKER, cinfo->unread_marker);
  165698. break;
  165699. }
  165700. /* skip any remaining data -- could be lots */
  165701. INPUT_SYNC(cinfo);
  165702. if (length > 0)
  165703. (*cinfo->src->skip_input_data) (cinfo, (long) length);
  165704. return TRUE;
  165705. }
  165706. #ifdef SAVE_MARKERS_SUPPORTED
  165707. METHODDEF(boolean)
  165708. save_marker (j_decompress_ptr cinfo)
  165709. /* Save an APPn or COM marker into the marker list */
  165710. {
  165711. my_marker_ptr2 marker = (my_marker_ptr2) cinfo->marker;
  165712. jpeg_saved_marker_ptr cur_marker = marker->cur_marker;
  165713. unsigned int bytes_read, data_length;
  165714. JOCTET FAR * data;
  165715. INT32 length = 0;
  165716. INPUT_VARS(cinfo);
  165717. if (cur_marker == NULL) {
  165718. /* begin reading a marker */
  165719. INPUT_2BYTES(cinfo, length, return FALSE);
  165720. length -= 2;
  165721. if (length >= 0) { /* watch out for bogus length word */
  165722. /* figure out how much we want to save */
  165723. unsigned int limit;
  165724. if (cinfo->unread_marker == (int) M_COM)
  165725. limit = marker->length_limit_COM;
  165726. else
  165727. limit = marker->length_limit_APPn[cinfo->unread_marker - (int) M_APP0];
  165728. if ((unsigned int) length < limit)
  165729. limit = (unsigned int) length;
  165730. /* allocate and initialize the marker item */
  165731. cur_marker = (jpeg_saved_marker_ptr)
  165732. (*cinfo->mem->alloc_large) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  165733. SIZEOF(struct jpeg_marker_struct) + limit);
  165734. cur_marker->next = NULL;
  165735. cur_marker->marker = (UINT8) cinfo->unread_marker;
  165736. cur_marker->original_length = (unsigned int) length;
  165737. cur_marker->data_length = limit;
  165738. /* data area is just beyond the jpeg_marker_struct */
  165739. data = cur_marker->data = (JOCTET FAR *) (cur_marker + 1);
  165740. marker->cur_marker = cur_marker;
  165741. marker->bytes_read = 0;
  165742. bytes_read = 0;
  165743. data_length = limit;
  165744. } else {
  165745. /* deal with bogus length word */
  165746. bytes_read = data_length = 0;
  165747. data = NULL;
  165748. }
  165749. } else {
  165750. /* resume reading a marker */
  165751. bytes_read = marker->bytes_read;
  165752. data_length = cur_marker->data_length;
  165753. data = cur_marker->data + bytes_read;
  165754. }
  165755. while (bytes_read < data_length) {
  165756. INPUT_SYNC(cinfo); /* move the restart point to here */
  165757. marker->bytes_read = bytes_read;
  165758. /* If there's not at least one byte in buffer, suspend */
  165759. MAKE_BYTE_AVAIL(cinfo, return FALSE);
  165760. /* Copy bytes with reasonable rapidity */
  165761. while (bytes_read < data_length && bytes_in_buffer > 0) {
  165762. *data++ = *next_input_byte++;
  165763. bytes_in_buffer--;
  165764. bytes_read++;
  165765. }
  165766. }
  165767. /* Done reading what we want to read */
  165768. if (cur_marker != NULL) { /* will be NULL if bogus length word */
  165769. /* Add new marker to end of list */
  165770. if (cinfo->marker_list == NULL) {
  165771. cinfo->marker_list = cur_marker;
  165772. } else {
  165773. jpeg_saved_marker_ptr prev = cinfo->marker_list;
  165774. while (prev->next != NULL)
  165775. prev = prev->next;
  165776. prev->next = cur_marker;
  165777. }
  165778. /* Reset pointer & calc remaining data length */
  165779. data = cur_marker->data;
  165780. length = cur_marker->original_length - data_length;
  165781. }
  165782. /* Reset to initial state for next marker */
  165783. marker->cur_marker = NULL;
  165784. /* Process the marker if interesting; else just make a generic trace msg */
  165785. switch (cinfo->unread_marker) {
  165786. case M_APP0:
  165787. examine_app0(cinfo, data, data_length, length);
  165788. break;
  165789. case M_APP14:
  165790. examine_app14(cinfo, data, data_length, length);
  165791. break;
  165792. default:
  165793. TRACEMS2(cinfo, 1, JTRC_MISC_MARKER, cinfo->unread_marker,
  165794. (int) (data_length + length));
  165795. break;
  165796. }
  165797. /* skip any remaining data -- could be lots */
  165798. INPUT_SYNC(cinfo); /* do before skip_input_data */
  165799. if (length > 0)
  165800. (*cinfo->src->skip_input_data) (cinfo, (long) length);
  165801. return TRUE;
  165802. }
  165803. #endif /* SAVE_MARKERS_SUPPORTED */
  165804. METHODDEF(boolean)
  165805. skip_variable (j_decompress_ptr cinfo)
  165806. /* Skip over an unknown or uninteresting variable-length marker */
  165807. {
  165808. INT32 length;
  165809. INPUT_VARS(cinfo);
  165810. INPUT_2BYTES(cinfo, length, return FALSE);
  165811. length -= 2;
  165812. TRACEMS2(cinfo, 1, JTRC_MISC_MARKER, cinfo->unread_marker, (int) length);
  165813. INPUT_SYNC(cinfo); /* do before skip_input_data */
  165814. if (length > 0)
  165815. (*cinfo->src->skip_input_data) (cinfo, (long) length);
  165816. return TRUE;
  165817. }
  165818. /*
  165819. * Find the next JPEG marker, save it in cinfo->unread_marker.
  165820. * Returns FALSE if had to suspend before reaching a marker;
  165821. * in that case cinfo->unread_marker is unchanged.
  165822. *
  165823. * Note that the result might not be a valid marker code,
  165824. * but it will never be 0 or FF.
  165825. */
  165826. LOCAL(boolean)
  165827. next_marker (j_decompress_ptr cinfo)
  165828. {
  165829. int c;
  165830. INPUT_VARS(cinfo);
  165831. for (;;) {
  165832. INPUT_BYTE(cinfo, c, return FALSE);
  165833. /* Skip any non-FF bytes.
  165834. * This may look a bit inefficient, but it will not occur in a valid file.
  165835. * We sync after each discarded byte so that a suspending data source
  165836. * can discard the byte from its buffer.
  165837. */
  165838. while (c != 0xFF) {
  165839. cinfo->marker->discarded_bytes++;
  165840. INPUT_SYNC(cinfo);
  165841. INPUT_BYTE(cinfo, c, return FALSE);
  165842. }
  165843. /* This loop swallows any duplicate FF bytes. Extra FFs are legal as
  165844. * pad bytes, so don't count them in discarded_bytes. We assume there
  165845. * will not be so many consecutive FF bytes as to overflow a suspending
  165846. * data source's input buffer.
  165847. */
  165848. do {
  165849. INPUT_BYTE(cinfo, c, return FALSE);
  165850. } while (c == 0xFF);
  165851. if (c != 0)
  165852. break; /* found a valid marker, exit loop */
  165853. /* Reach here if we found a stuffed-zero data sequence (FF/00).
  165854. * Discard it and loop back to try again.
  165855. */
  165856. cinfo->marker->discarded_bytes += 2;
  165857. INPUT_SYNC(cinfo);
  165858. }
  165859. if (cinfo->marker->discarded_bytes != 0) {
  165860. WARNMS2(cinfo, JWRN_EXTRANEOUS_DATA, cinfo->marker->discarded_bytes, c);
  165861. cinfo->marker->discarded_bytes = 0;
  165862. }
  165863. cinfo->unread_marker = c;
  165864. INPUT_SYNC(cinfo);
  165865. return TRUE;
  165866. }
  165867. LOCAL(boolean)
  165868. first_marker (j_decompress_ptr cinfo)
  165869. /* Like next_marker, but used to obtain the initial SOI marker. */
  165870. /* For this marker, we do not allow preceding garbage or fill; otherwise,
  165871. * we might well scan an entire input file before realizing it ain't JPEG.
  165872. * If an application wants to process non-JFIF files, it must seek to the
  165873. * SOI before calling the JPEG library.
  165874. */
  165875. {
  165876. int c, c2;
  165877. INPUT_VARS(cinfo);
  165878. INPUT_BYTE(cinfo, c, return FALSE);
  165879. INPUT_BYTE(cinfo, c2, return FALSE);
  165880. if (c != 0xFF || c2 != (int) M_SOI)
  165881. ERREXIT2(cinfo, JERR_NO_SOI, c, c2);
  165882. cinfo->unread_marker = c2;
  165883. INPUT_SYNC(cinfo);
  165884. return TRUE;
  165885. }
  165886. /*
  165887. * Read markers until SOS or EOI.
  165888. *
  165889. * Returns same codes as are defined for jpeg_consume_input:
  165890. * JPEG_SUSPENDED, JPEG_REACHED_SOS, or JPEG_REACHED_EOI.
  165891. */
  165892. METHODDEF(int)
  165893. read_markers (j_decompress_ptr cinfo)
  165894. {
  165895. /* Outer loop repeats once for each marker. */
  165896. for (;;) {
  165897. /* Collect the marker proper, unless we already did. */
  165898. /* NB: first_marker() enforces the requirement that SOI appear first. */
  165899. if (cinfo->unread_marker == 0) {
  165900. if (! cinfo->marker->saw_SOI) {
  165901. if (! first_marker(cinfo))
  165902. return JPEG_SUSPENDED;
  165903. } else {
  165904. if (! next_marker(cinfo))
  165905. return JPEG_SUSPENDED;
  165906. }
  165907. }
  165908. /* At this point cinfo->unread_marker contains the marker code and the
  165909. * input point is just past the marker proper, but before any parameters.
  165910. * A suspension will cause us to return with this state still true.
  165911. */
  165912. switch (cinfo->unread_marker) {
  165913. case M_SOI:
  165914. if (! get_soi(cinfo))
  165915. return JPEG_SUSPENDED;
  165916. break;
  165917. case M_SOF0: /* Baseline */
  165918. case M_SOF1: /* Extended sequential, Huffman */
  165919. if (! get_sof(cinfo, FALSE, FALSE))
  165920. return JPEG_SUSPENDED;
  165921. break;
  165922. case M_SOF2: /* Progressive, Huffman */
  165923. if (! get_sof(cinfo, TRUE, FALSE))
  165924. return JPEG_SUSPENDED;
  165925. break;
  165926. case M_SOF9: /* Extended sequential, arithmetic */
  165927. if (! get_sof(cinfo, FALSE, TRUE))
  165928. return JPEG_SUSPENDED;
  165929. break;
  165930. case M_SOF10: /* Progressive, arithmetic */
  165931. if (! get_sof(cinfo, TRUE, TRUE))
  165932. return JPEG_SUSPENDED;
  165933. break;
  165934. /* Currently unsupported SOFn types */
  165935. case M_SOF3: /* Lossless, Huffman */
  165936. case M_SOF5: /* Differential sequential, Huffman */
  165937. case M_SOF6: /* Differential progressive, Huffman */
  165938. case M_SOF7: /* Differential lossless, Huffman */
  165939. case M_JPG: /* Reserved for JPEG extensions */
  165940. case M_SOF11: /* Lossless, arithmetic */
  165941. case M_SOF13: /* Differential sequential, arithmetic */
  165942. case M_SOF14: /* Differential progressive, arithmetic */
  165943. case M_SOF15: /* Differential lossless, arithmetic */
  165944. ERREXIT1(cinfo, JERR_SOF_UNSUPPORTED, cinfo->unread_marker);
  165945. break;
  165946. case M_SOS:
  165947. if (! get_sos(cinfo))
  165948. return JPEG_SUSPENDED;
  165949. cinfo->unread_marker = 0; /* processed the marker */
  165950. return JPEG_REACHED_SOS;
  165951. case M_EOI:
  165952. TRACEMS(cinfo, 1, JTRC_EOI);
  165953. cinfo->unread_marker = 0; /* processed the marker */
  165954. return JPEG_REACHED_EOI;
  165955. case M_DAC:
  165956. if (! get_dac(cinfo))
  165957. return JPEG_SUSPENDED;
  165958. break;
  165959. case M_DHT:
  165960. if (! get_dht(cinfo))
  165961. return JPEG_SUSPENDED;
  165962. break;
  165963. case M_DQT:
  165964. if (! get_dqt(cinfo))
  165965. return JPEG_SUSPENDED;
  165966. break;
  165967. case M_DRI:
  165968. if (! get_dri(cinfo))
  165969. return JPEG_SUSPENDED;
  165970. break;
  165971. case M_APP0:
  165972. case M_APP1:
  165973. case M_APP2:
  165974. case M_APP3:
  165975. case M_APP4:
  165976. case M_APP5:
  165977. case M_APP6:
  165978. case M_APP7:
  165979. case M_APP8:
  165980. case M_APP9:
  165981. case M_APP10:
  165982. case M_APP11:
  165983. case M_APP12:
  165984. case M_APP13:
  165985. case M_APP14:
  165986. case M_APP15:
  165987. if (! (*((my_marker_ptr2) cinfo->marker)->process_APPn[
  165988. cinfo->unread_marker - (int) M_APP0]) (cinfo))
  165989. return JPEG_SUSPENDED;
  165990. break;
  165991. case M_COM:
  165992. if (! (*((my_marker_ptr2) cinfo->marker)->process_COM) (cinfo))
  165993. return JPEG_SUSPENDED;
  165994. break;
  165995. case M_RST0: /* these are all parameterless */
  165996. case M_RST1:
  165997. case M_RST2:
  165998. case M_RST3:
  165999. case M_RST4:
  166000. case M_RST5:
  166001. case M_RST6:
  166002. case M_RST7:
  166003. case M_TEM:
  166004. TRACEMS1(cinfo, 1, JTRC_PARMLESS_MARKER, cinfo->unread_marker);
  166005. break;
  166006. case M_DNL: /* Ignore DNL ... perhaps the wrong thing */
  166007. if (! skip_variable(cinfo))
  166008. return JPEG_SUSPENDED;
  166009. break;
  166010. default: /* must be DHP, EXP, JPGn, or RESn */
  166011. /* For now, we treat the reserved markers as fatal errors since they are
  166012. * likely to be used to signal incompatible JPEG Part 3 extensions.
  166013. * Once the JPEG 3 version-number marker is well defined, this code
  166014. * ought to change!
  166015. */
  166016. ERREXIT1(cinfo, JERR_UNKNOWN_MARKER, cinfo->unread_marker);
  166017. break;
  166018. }
  166019. /* Successfully processed marker, so reset state variable */
  166020. cinfo->unread_marker = 0;
  166021. } /* end loop */
  166022. }
  166023. /*
  166024. * Read a restart marker, which is expected to appear next in the datastream;
  166025. * if the marker is not there, take appropriate recovery action.
  166026. * Returns FALSE if suspension is required.
  166027. *
  166028. * This is called by the entropy decoder after it has read an appropriate
  166029. * number of MCUs. cinfo->unread_marker may be nonzero if the entropy decoder
  166030. * has already read a marker from the data source. Under normal conditions
  166031. * cinfo->unread_marker will be reset to 0 before returning; if not reset,
  166032. * it holds a marker which the decoder will be unable to read past.
  166033. */
  166034. METHODDEF(boolean)
  166035. read_restart_marker (j_decompress_ptr cinfo)
  166036. {
  166037. /* Obtain a marker unless we already did. */
  166038. /* Note that next_marker will complain if it skips any data. */
  166039. if (cinfo->unread_marker == 0) {
  166040. if (! next_marker(cinfo))
  166041. return FALSE;
  166042. }
  166043. if (cinfo->unread_marker ==
  166044. ((int) M_RST0 + cinfo->marker->next_restart_num)) {
  166045. /* Normal case --- swallow the marker and let entropy decoder continue */
  166046. TRACEMS1(cinfo, 3, JTRC_RST, cinfo->marker->next_restart_num);
  166047. cinfo->unread_marker = 0;
  166048. } else {
  166049. /* Uh-oh, the restart markers have been messed up. */
  166050. /* Let the data source manager determine how to resync. */
  166051. if (! (*cinfo->src->resync_to_restart) (cinfo,
  166052. cinfo->marker->next_restart_num))
  166053. return FALSE;
  166054. }
  166055. /* Update next-restart state */
  166056. cinfo->marker->next_restart_num = (cinfo->marker->next_restart_num + 1) & 7;
  166057. return TRUE;
  166058. }
  166059. /*
  166060. * This is the default resync_to_restart method for data source managers
  166061. * to use if they don't have any better approach. Some data source managers
  166062. * may be able to back up, or may have additional knowledge about the data
  166063. * which permits a more intelligent recovery strategy; such managers would
  166064. * presumably supply their own resync method.
  166065. *
  166066. * read_restart_marker calls resync_to_restart if it finds a marker other than
  166067. * the restart marker it was expecting. (This code is *not* used unless
  166068. * a nonzero restart interval has been declared.) cinfo->unread_marker is
  166069. * the marker code actually found (might be anything, except 0 or FF).
  166070. * The desired restart marker number (0..7) is passed as a parameter.
  166071. * This routine is supposed to apply whatever error recovery strategy seems
  166072. * appropriate in order to position the input stream to the next data segment.
  166073. * Note that cinfo->unread_marker is treated as a marker appearing before
  166074. * the current data-source input point; usually it should be reset to zero
  166075. * before returning.
  166076. * Returns FALSE if suspension is required.
  166077. *
  166078. * This implementation is substantially constrained by wanting to treat the
  166079. * input as a data stream; this means we can't back up. Therefore, we have
  166080. * only the following actions to work with:
  166081. * 1. Simply discard the marker and let the entropy decoder resume at next
  166082. * byte of file.
  166083. * 2. Read forward until we find another marker, discarding intervening
  166084. * data. (In theory we could look ahead within the current bufferload,
  166085. * without having to discard data if we don't find the desired marker.
  166086. * This idea is not implemented here, in part because it makes behavior
  166087. * dependent on buffer size and chance buffer-boundary positions.)
  166088. * 3. Leave the marker unread (by failing to zero cinfo->unread_marker).
  166089. * This will cause the entropy decoder to process an empty data segment,
  166090. * inserting dummy zeroes, and then we will reprocess the marker.
  166091. *
  166092. * #2 is appropriate if we think the desired marker lies ahead, while #3 is
  166093. * appropriate if the found marker is a future restart marker (indicating
  166094. * that we have missed the desired restart marker, probably because it got
  166095. * corrupted).
  166096. * We apply #2 or #3 if the found marker is a restart marker no more than
  166097. * two counts behind or ahead of the expected one. We also apply #2 if the
  166098. * found marker is not a legal JPEG marker code (it's certainly bogus data).
  166099. * If the found marker is a restart marker more than 2 counts away, we do #1
  166100. * (too much risk that the marker is erroneous; with luck we will be able to
  166101. * resync at some future point).
  166102. * For any valid non-restart JPEG marker, we apply #3. This keeps us from
  166103. * overrunning the end of a scan. An implementation limited to single-scan
  166104. * files might find it better to apply #2 for markers other than EOI, since
  166105. * any other marker would have to be bogus data in that case.
  166106. */
  166107. GLOBAL(boolean)
  166108. jpeg_resync_to_restart (j_decompress_ptr cinfo, int desired)
  166109. {
  166110. int marker = cinfo->unread_marker;
  166111. int action = 1;
  166112. /* Always put up a warning. */
  166113. WARNMS2(cinfo, JWRN_MUST_RESYNC, marker, desired);
  166114. /* Outer loop handles repeated decision after scanning forward. */
  166115. for (;;) {
  166116. if (marker < (int) M_SOF0)
  166117. action = 2; /* invalid marker */
  166118. else if (marker < (int) M_RST0 || marker > (int) M_RST7)
  166119. action = 3; /* valid non-restart marker */
  166120. else {
  166121. if (marker == ((int) M_RST0 + ((desired+1) & 7)) ||
  166122. marker == ((int) M_RST0 + ((desired+2) & 7)))
  166123. action = 3; /* one of the next two expected restarts */
  166124. else if (marker == ((int) M_RST0 + ((desired-1) & 7)) ||
  166125. marker == ((int) M_RST0 + ((desired-2) & 7)))
  166126. action = 2; /* a prior restart, so advance */
  166127. else
  166128. action = 1; /* desired restart or too far away */
  166129. }
  166130. TRACEMS2(cinfo, 4, JTRC_RECOVERY_ACTION, marker, action);
  166131. switch (action) {
  166132. case 1:
  166133. /* Discard marker and let entropy decoder resume processing. */
  166134. cinfo->unread_marker = 0;
  166135. return TRUE;
  166136. case 2:
  166137. /* Scan to the next marker, and repeat the decision loop. */
  166138. if (! next_marker(cinfo))
  166139. return FALSE;
  166140. marker = cinfo->unread_marker;
  166141. break;
  166142. case 3:
  166143. /* Return without advancing past this marker. */
  166144. /* Entropy decoder will be forced to process an empty segment. */
  166145. return TRUE;
  166146. }
  166147. } /* end loop */
  166148. }
  166149. /*
  166150. * Reset marker processing state to begin a fresh datastream.
  166151. */
  166152. METHODDEF(void)
  166153. reset_marker_reader (j_decompress_ptr cinfo)
  166154. {
  166155. my_marker_ptr2 marker = (my_marker_ptr2) cinfo->marker;
  166156. cinfo->comp_info = NULL; /* until allocated by get_sof */
  166157. cinfo->input_scan_number = 0; /* no SOS seen yet */
  166158. cinfo->unread_marker = 0; /* no pending marker */
  166159. marker->pub.saw_SOI = FALSE; /* set internal state too */
  166160. marker->pub.saw_SOF = FALSE;
  166161. marker->pub.discarded_bytes = 0;
  166162. marker->cur_marker = NULL;
  166163. }
  166164. /*
  166165. * Initialize the marker reader module.
  166166. * This is called only once, when the decompression object is created.
  166167. */
  166168. GLOBAL(void)
  166169. jinit_marker_reader (j_decompress_ptr cinfo)
  166170. {
  166171. my_marker_ptr2 marker;
  166172. int i;
  166173. /* Create subobject in permanent pool */
  166174. marker = (my_marker_ptr2)
  166175. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_PERMANENT,
  166176. SIZEOF(my_marker_reader));
  166177. cinfo->marker = (struct jpeg_marker_reader *) marker;
  166178. /* Initialize public method pointers */
  166179. marker->pub.reset_marker_reader = reset_marker_reader;
  166180. marker->pub.read_markers = read_markers;
  166181. marker->pub.read_restart_marker = read_restart_marker;
  166182. /* Initialize COM/APPn processing.
  166183. * By default, we examine and then discard APP0 and APP14,
  166184. * but simply discard COM and all other APPn.
  166185. */
  166186. marker->process_COM = skip_variable;
  166187. marker->length_limit_COM = 0;
  166188. for (i = 0; i < 16; i++) {
  166189. marker->process_APPn[i] = skip_variable;
  166190. marker->length_limit_APPn[i] = 0;
  166191. }
  166192. marker->process_APPn[0] = get_interesting_appn;
  166193. marker->process_APPn[14] = get_interesting_appn;
  166194. /* Reset marker processing state */
  166195. reset_marker_reader(cinfo);
  166196. }
  166197. /*
  166198. * Control saving of COM and APPn markers into marker_list.
  166199. */
  166200. #ifdef SAVE_MARKERS_SUPPORTED
  166201. GLOBAL(void)
  166202. jpeg_save_markers (j_decompress_ptr cinfo, int marker_code,
  166203. unsigned int length_limit)
  166204. {
  166205. my_marker_ptr2 marker = (my_marker_ptr2) cinfo->marker;
  166206. long maxlength;
  166207. jpeg_marker_parser_method processor;
  166208. /* Length limit mustn't be larger than what we can allocate
  166209. * (should only be a concern in a 16-bit environment).
  166210. */
  166211. maxlength = cinfo->mem->max_alloc_chunk - SIZEOF(struct jpeg_marker_struct);
  166212. if (((long) length_limit) > maxlength)
  166213. length_limit = (unsigned int) maxlength;
  166214. /* Choose processor routine to use.
  166215. * APP0/APP14 have special requirements.
  166216. */
  166217. if (length_limit) {
  166218. processor = save_marker;
  166219. /* If saving APP0/APP14, save at least enough for our internal use. */
  166220. if (marker_code == (int) M_APP0 && length_limit < APP0_DATA_LEN)
  166221. length_limit = APP0_DATA_LEN;
  166222. else if (marker_code == (int) M_APP14 && length_limit < APP14_DATA_LEN)
  166223. length_limit = APP14_DATA_LEN;
  166224. } else {
  166225. processor = skip_variable;
  166226. /* If discarding APP0/APP14, use our regular on-the-fly processor. */
  166227. if (marker_code == (int) M_APP0 || marker_code == (int) M_APP14)
  166228. processor = get_interesting_appn;
  166229. }
  166230. if (marker_code == (int) M_COM) {
  166231. marker->process_COM = processor;
  166232. marker->length_limit_COM = length_limit;
  166233. } else if (marker_code >= (int) M_APP0 && marker_code <= (int) M_APP15) {
  166234. marker->process_APPn[marker_code - (int) M_APP0] = processor;
  166235. marker->length_limit_APPn[marker_code - (int) M_APP0] = length_limit;
  166236. } else
  166237. ERREXIT1(cinfo, JERR_UNKNOWN_MARKER, marker_code);
  166238. }
  166239. #endif /* SAVE_MARKERS_SUPPORTED */
  166240. /*
  166241. * Install a special processing method for COM or APPn markers.
  166242. */
  166243. GLOBAL(void)
  166244. jpeg_set_marker_processor (j_decompress_ptr cinfo, int marker_code,
  166245. jpeg_marker_parser_method routine)
  166246. {
  166247. my_marker_ptr2 marker = (my_marker_ptr2) cinfo->marker;
  166248. if (marker_code == (int) M_COM)
  166249. marker->process_COM = routine;
  166250. else if (marker_code >= (int) M_APP0 && marker_code <= (int) M_APP15)
  166251. marker->process_APPn[marker_code - (int) M_APP0] = routine;
  166252. else
  166253. ERREXIT1(cinfo, JERR_UNKNOWN_MARKER, marker_code);
  166254. }
  166255. /********* End of inlined file: jdmarker.c *********/
  166256. /********* Start of inlined file: jdmaster.c *********/
  166257. #define JPEG_INTERNALS
  166258. /* Private state */
  166259. typedef struct {
  166260. struct jpeg_decomp_master pub; /* public fields */
  166261. int pass_number; /* # of passes completed */
  166262. boolean using_merged_upsample; /* TRUE if using merged upsample/cconvert */
  166263. /* Saved references to initialized quantizer modules,
  166264. * in case we need to switch modes.
  166265. */
  166266. struct jpeg_color_quantizer * quantizer_1pass;
  166267. struct jpeg_color_quantizer * quantizer_2pass;
  166268. } my_decomp_master;
  166269. typedef my_decomp_master * my_master_ptr6;
  166270. /*
  166271. * Determine whether merged upsample/color conversion should be used.
  166272. * CRUCIAL: this must match the actual capabilities of jdmerge.c!
  166273. */
  166274. LOCAL(boolean)
  166275. use_merged_upsample (j_decompress_ptr cinfo)
  166276. {
  166277. #ifdef UPSAMPLE_MERGING_SUPPORTED
  166278. /* Merging is the equivalent of plain box-filter upsampling */
  166279. if (cinfo->do_fancy_upsampling || cinfo->CCIR601_sampling)
  166280. return FALSE;
  166281. /* jdmerge.c only supports YCC=>RGB color conversion */
  166282. if (cinfo->jpeg_color_space != JCS_YCbCr || cinfo->num_components != 3 ||
  166283. cinfo->out_color_space != JCS_RGB ||
  166284. cinfo->out_color_components != RGB_PIXELSIZE)
  166285. return FALSE;
  166286. /* and it only handles 2h1v or 2h2v sampling ratios */
  166287. if (cinfo->comp_info[0].h_samp_factor != 2 ||
  166288. cinfo->comp_info[1].h_samp_factor != 1 ||
  166289. cinfo->comp_info[2].h_samp_factor != 1 ||
  166290. cinfo->comp_info[0].v_samp_factor > 2 ||
  166291. cinfo->comp_info[1].v_samp_factor != 1 ||
  166292. cinfo->comp_info[2].v_samp_factor != 1)
  166293. return FALSE;
  166294. /* furthermore, it doesn't work if we've scaled the IDCTs differently */
  166295. if (cinfo->comp_info[0].DCT_scaled_size != cinfo->min_DCT_scaled_size ||
  166296. cinfo->comp_info[1].DCT_scaled_size != cinfo->min_DCT_scaled_size ||
  166297. cinfo->comp_info[2].DCT_scaled_size != cinfo->min_DCT_scaled_size)
  166298. return FALSE;
  166299. /* ??? also need to test for upsample-time rescaling, when & if supported */
  166300. return TRUE; /* by golly, it'll work... */
  166301. #else
  166302. return FALSE;
  166303. #endif
  166304. }
  166305. /*
  166306. * Compute output image dimensions and related values.
  166307. * NOTE: this is exported for possible use by application.
  166308. * Hence it mustn't do anything that can't be done twice.
  166309. * Also note that it may be called before the master module is initialized!
  166310. */
  166311. GLOBAL(void)
  166312. jpeg_calc_output_dimensions (j_decompress_ptr cinfo)
  166313. /* Do computations that are needed before master selection phase */
  166314. {
  166315. #ifdef IDCT_SCALING_SUPPORTED
  166316. int ci;
  166317. jpeg_component_info *compptr;
  166318. #endif
  166319. /* Prevent application from calling me at wrong times */
  166320. if (cinfo->global_state != DSTATE_READY)
  166321. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  166322. #ifdef IDCT_SCALING_SUPPORTED
  166323. /* Compute actual output image dimensions and DCT scaling choices. */
  166324. if (cinfo->scale_num * 8 <= cinfo->scale_denom) {
  166325. /* Provide 1/8 scaling */
  166326. cinfo->output_width = (JDIMENSION)
  166327. jdiv_round_up((long) cinfo->image_width, 8L);
  166328. cinfo->output_height = (JDIMENSION)
  166329. jdiv_round_up((long) cinfo->image_height, 8L);
  166330. cinfo->min_DCT_scaled_size = 1;
  166331. } else if (cinfo->scale_num * 4 <= cinfo->scale_denom) {
  166332. /* Provide 1/4 scaling */
  166333. cinfo->output_width = (JDIMENSION)
  166334. jdiv_round_up((long) cinfo->image_width, 4L);
  166335. cinfo->output_height = (JDIMENSION)
  166336. jdiv_round_up((long) cinfo->image_height, 4L);
  166337. cinfo->min_DCT_scaled_size = 2;
  166338. } else if (cinfo->scale_num * 2 <= cinfo->scale_denom) {
  166339. /* Provide 1/2 scaling */
  166340. cinfo->output_width = (JDIMENSION)
  166341. jdiv_round_up((long) cinfo->image_width, 2L);
  166342. cinfo->output_height = (JDIMENSION)
  166343. jdiv_round_up((long) cinfo->image_height, 2L);
  166344. cinfo->min_DCT_scaled_size = 4;
  166345. } else {
  166346. /* Provide 1/1 scaling */
  166347. cinfo->output_width = cinfo->image_width;
  166348. cinfo->output_height = cinfo->image_height;
  166349. cinfo->min_DCT_scaled_size = DCTSIZE;
  166350. }
  166351. /* In selecting the actual DCT scaling for each component, we try to
  166352. * scale up the chroma components via IDCT scaling rather than upsampling.
  166353. * This saves time if the upsampler gets to use 1:1 scaling.
  166354. * Note this code assumes that the supported DCT scalings are powers of 2.
  166355. */
  166356. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  166357. ci++, compptr++) {
  166358. int ssize = cinfo->min_DCT_scaled_size;
  166359. while (ssize < DCTSIZE &&
  166360. (compptr->h_samp_factor * ssize * 2 <=
  166361. cinfo->max_h_samp_factor * cinfo->min_DCT_scaled_size) &&
  166362. (compptr->v_samp_factor * ssize * 2 <=
  166363. cinfo->max_v_samp_factor * cinfo->min_DCT_scaled_size)) {
  166364. ssize = ssize * 2;
  166365. }
  166366. compptr->DCT_scaled_size = ssize;
  166367. }
  166368. /* Recompute downsampled dimensions of components;
  166369. * application needs to know these if using raw downsampled data.
  166370. */
  166371. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  166372. ci++, compptr++) {
  166373. /* Size in samples, after IDCT scaling */
  166374. compptr->downsampled_width = (JDIMENSION)
  166375. jdiv_round_up((long) cinfo->image_width *
  166376. (long) (compptr->h_samp_factor * compptr->DCT_scaled_size),
  166377. (long) (cinfo->max_h_samp_factor * DCTSIZE));
  166378. compptr->downsampled_height = (JDIMENSION)
  166379. jdiv_round_up((long) cinfo->image_height *
  166380. (long) (compptr->v_samp_factor * compptr->DCT_scaled_size),
  166381. (long) (cinfo->max_v_samp_factor * DCTSIZE));
  166382. }
  166383. #else /* !IDCT_SCALING_SUPPORTED */
  166384. /* Hardwire it to "no scaling" */
  166385. cinfo->output_width = cinfo->image_width;
  166386. cinfo->output_height = cinfo->image_height;
  166387. /* jdinput.c has already initialized DCT_scaled_size to DCTSIZE,
  166388. * and has computed unscaled downsampled_width and downsampled_height.
  166389. */
  166390. #endif /* IDCT_SCALING_SUPPORTED */
  166391. /* Report number of components in selected colorspace. */
  166392. /* Probably this should be in the color conversion module... */
  166393. switch (cinfo->out_color_space) {
  166394. case JCS_GRAYSCALE:
  166395. cinfo->out_color_components = 1;
  166396. break;
  166397. case JCS_RGB:
  166398. #if RGB_PIXELSIZE != 3
  166399. cinfo->out_color_components = RGB_PIXELSIZE;
  166400. break;
  166401. #endif /* else share code with YCbCr */
  166402. case JCS_YCbCr:
  166403. cinfo->out_color_components = 3;
  166404. break;
  166405. case JCS_CMYK:
  166406. case JCS_YCCK:
  166407. cinfo->out_color_components = 4;
  166408. break;
  166409. default: /* else must be same colorspace as in file */
  166410. cinfo->out_color_components = cinfo->num_components;
  166411. break;
  166412. }
  166413. cinfo->output_components = (cinfo->quantize_colors ? 1 :
  166414. cinfo->out_color_components);
  166415. /* See if upsampler will want to emit more than one row at a time */
  166416. if (use_merged_upsample(cinfo))
  166417. cinfo->rec_outbuf_height = cinfo->max_v_samp_factor;
  166418. else
  166419. cinfo->rec_outbuf_height = 1;
  166420. }
  166421. /*
  166422. * Several decompression processes need to range-limit values to the range
  166423. * 0..MAXJSAMPLE; the input value may fall somewhat outside this range
  166424. * due to noise introduced by quantization, roundoff error, etc. These
  166425. * processes are inner loops and need to be as fast as possible. On most
  166426. * machines, particularly CPUs with pipelines or instruction prefetch,
  166427. * a (subscript-check-less) C table lookup
  166428. * x = sample_range_limit[x];
  166429. * is faster than explicit tests
  166430. * if (x < 0) x = 0;
  166431. * else if (x > MAXJSAMPLE) x = MAXJSAMPLE;
  166432. * These processes all use a common table prepared by the routine below.
  166433. *
  166434. * For most steps we can mathematically guarantee that the initial value
  166435. * of x is within MAXJSAMPLE+1 of the legal range, so a table running from
  166436. * -(MAXJSAMPLE+1) to 2*MAXJSAMPLE+1 is sufficient. But for the initial
  166437. * limiting step (just after the IDCT), a wildly out-of-range value is
  166438. * possible if the input data is corrupt. To avoid any chance of indexing
  166439. * off the end of memory and getting a bad-pointer trap, we perform the
  166440. * post-IDCT limiting thus:
  166441. * x = range_limit[x & MASK];
  166442. * where MASK is 2 bits wider than legal sample data, ie 10 bits for 8-bit
  166443. * samples. Under normal circumstances this is more than enough range and
  166444. * a correct output will be generated; with bogus input data the mask will
  166445. * cause wraparound, and we will safely generate a bogus-but-in-range output.
  166446. * For the post-IDCT step, we want to convert the data from signed to unsigned
  166447. * representation by adding CENTERJSAMPLE at the same time that we limit it.
  166448. * So the post-IDCT limiting table ends up looking like this:
  166449. * CENTERJSAMPLE,CENTERJSAMPLE+1,...,MAXJSAMPLE,
  166450. * MAXJSAMPLE (repeat 2*(MAXJSAMPLE+1)-CENTERJSAMPLE times),
  166451. * 0 (repeat 2*(MAXJSAMPLE+1)-CENTERJSAMPLE times),
  166452. * 0,1,...,CENTERJSAMPLE-1
  166453. * Negative inputs select values from the upper half of the table after
  166454. * masking.
  166455. *
  166456. * We can save some space by overlapping the start of the post-IDCT table
  166457. * with the simpler range limiting table. The post-IDCT table begins at
  166458. * sample_range_limit + CENTERJSAMPLE.
  166459. *
  166460. * Note that the table is allocated in near data space on PCs; it's small
  166461. * enough and used often enough to justify this.
  166462. */
  166463. LOCAL(void)
  166464. prepare_range_limit_table (j_decompress_ptr cinfo)
  166465. /* Allocate and fill in the sample_range_limit table */
  166466. {
  166467. JSAMPLE * table;
  166468. int i;
  166469. table = (JSAMPLE *)
  166470. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  166471. (5 * (MAXJSAMPLE+1) + CENTERJSAMPLE) * SIZEOF(JSAMPLE));
  166472. table += (MAXJSAMPLE+1); /* allow negative subscripts of simple table */
  166473. cinfo->sample_range_limit = table;
  166474. /* First segment of "simple" table: limit[x] = 0 for x < 0 */
  166475. MEMZERO(table - (MAXJSAMPLE+1), (MAXJSAMPLE+1) * SIZEOF(JSAMPLE));
  166476. /* Main part of "simple" table: limit[x] = x */
  166477. for (i = 0; i <= MAXJSAMPLE; i++)
  166478. table[i] = (JSAMPLE) i;
  166479. table += CENTERJSAMPLE; /* Point to where post-IDCT table starts */
  166480. /* End of simple table, rest of first half of post-IDCT table */
  166481. for (i = CENTERJSAMPLE; i < 2*(MAXJSAMPLE+1); i++)
  166482. table[i] = MAXJSAMPLE;
  166483. /* Second half of post-IDCT table */
  166484. MEMZERO(table + (2 * (MAXJSAMPLE+1)),
  166485. (2 * (MAXJSAMPLE+1) - CENTERJSAMPLE) * SIZEOF(JSAMPLE));
  166486. MEMCOPY(table + (4 * (MAXJSAMPLE+1) - CENTERJSAMPLE),
  166487. cinfo->sample_range_limit, CENTERJSAMPLE * SIZEOF(JSAMPLE));
  166488. }
  166489. /*
  166490. * Master selection of decompression modules.
  166491. * This is done once at jpeg_start_decompress time. We determine
  166492. * which modules will be used and give them appropriate initialization calls.
  166493. * We also initialize the decompressor input side to begin consuming data.
  166494. *
  166495. * Since jpeg_read_header has finished, we know what is in the SOF
  166496. * and (first) SOS markers. We also have all the application parameter
  166497. * settings.
  166498. */
  166499. LOCAL(void)
  166500. master_selection (j_decompress_ptr cinfo)
  166501. {
  166502. my_master_ptr6 master = (my_master_ptr6) cinfo->master;
  166503. boolean use_c_buffer;
  166504. long samplesperrow;
  166505. JDIMENSION jd_samplesperrow;
  166506. /* Initialize dimensions and other stuff */
  166507. jpeg_calc_output_dimensions(cinfo);
  166508. prepare_range_limit_table(cinfo);
  166509. /* Width of an output scanline must be representable as JDIMENSION. */
  166510. samplesperrow = (long) cinfo->output_width * (long) cinfo->out_color_components;
  166511. jd_samplesperrow = (JDIMENSION) samplesperrow;
  166512. if ((long) jd_samplesperrow != samplesperrow)
  166513. ERREXIT(cinfo, JERR_WIDTH_OVERFLOW);
  166514. /* Initialize my private state */
  166515. master->pass_number = 0;
  166516. master->using_merged_upsample = use_merged_upsample(cinfo);
  166517. /* Color quantizer selection */
  166518. master->quantizer_1pass = NULL;
  166519. master->quantizer_2pass = NULL;
  166520. /* No mode changes if not using buffered-image mode. */
  166521. if (! cinfo->quantize_colors || ! cinfo->buffered_image) {
  166522. cinfo->enable_1pass_quant = FALSE;
  166523. cinfo->enable_external_quant = FALSE;
  166524. cinfo->enable_2pass_quant = FALSE;
  166525. }
  166526. if (cinfo->quantize_colors) {
  166527. if (cinfo->raw_data_out)
  166528. ERREXIT(cinfo, JERR_NOTIMPL);
  166529. /* 2-pass quantizer only works in 3-component color space. */
  166530. if (cinfo->out_color_components != 3) {
  166531. cinfo->enable_1pass_quant = TRUE;
  166532. cinfo->enable_external_quant = FALSE;
  166533. cinfo->enable_2pass_quant = FALSE;
  166534. cinfo->colormap = NULL;
  166535. } else if (cinfo->colormap != NULL) {
  166536. cinfo->enable_external_quant = TRUE;
  166537. } else if (cinfo->two_pass_quantize) {
  166538. cinfo->enable_2pass_quant = TRUE;
  166539. } else {
  166540. cinfo->enable_1pass_quant = TRUE;
  166541. }
  166542. if (cinfo->enable_1pass_quant) {
  166543. #ifdef QUANT_1PASS_SUPPORTED
  166544. jinit_1pass_quantizer(cinfo);
  166545. master->quantizer_1pass = cinfo->cquantize;
  166546. #else
  166547. ERREXIT(cinfo, JERR_NOT_COMPILED);
  166548. #endif
  166549. }
  166550. /* We use the 2-pass code to map to external colormaps. */
  166551. if (cinfo->enable_2pass_quant || cinfo->enable_external_quant) {
  166552. #ifdef QUANT_2PASS_SUPPORTED
  166553. jinit_2pass_quantizer(cinfo);
  166554. master->quantizer_2pass = cinfo->cquantize;
  166555. #else
  166556. ERREXIT(cinfo, JERR_NOT_COMPILED);
  166557. #endif
  166558. }
  166559. /* If both quantizers are initialized, the 2-pass one is left active;
  166560. * this is necessary for starting with quantization to an external map.
  166561. */
  166562. }
  166563. /* Post-processing: in particular, color conversion first */
  166564. if (! cinfo->raw_data_out) {
  166565. if (master->using_merged_upsample) {
  166566. #ifdef UPSAMPLE_MERGING_SUPPORTED
  166567. jinit_merged_upsampler(cinfo); /* does color conversion too */
  166568. #else
  166569. ERREXIT(cinfo, JERR_NOT_COMPILED);
  166570. #endif
  166571. } else {
  166572. jinit_color_deconverter(cinfo);
  166573. jinit_upsampler(cinfo);
  166574. }
  166575. jinit_d_post_controller(cinfo, cinfo->enable_2pass_quant);
  166576. }
  166577. /* Inverse DCT */
  166578. jinit_inverse_dct(cinfo);
  166579. /* Entropy decoding: either Huffman or arithmetic coding. */
  166580. if (cinfo->arith_code) {
  166581. ERREXIT(cinfo, JERR_ARITH_NOTIMPL);
  166582. } else {
  166583. if (cinfo->progressive_mode) {
  166584. #ifdef D_PROGRESSIVE_SUPPORTED
  166585. jinit_phuff_decoder(cinfo);
  166586. #else
  166587. ERREXIT(cinfo, JERR_NOT_COMPILED);
  166588. #endif
  166589. } else
  166590. jinit_huff_decoder(cinfo);
  166591. }
  166592. /* Initialize principal buffer controllers. */
  166593. use_c_buffer = cinfo->inputctl->has_multiple_scans || cinfo->buffered_image;
  166594. jinit_d_coef_controller(cinfo, use_c_buffer);
  166595. if (! cinfo->raw_data_out)
  166596. jinit_d_main_controller(cinfo, FALSE /* never need full buffer here */);
  166597. /* We can now tell the memory manager to allocate virtual arrays. */
  166598. (*cinfo->mem->realize_virt_arrays) ((j_common_ptr) cinfo);
  166599. /* Initialize input side of decompressor to consume first scan. */
  166600. (*cinfo->inputctl->start_input_pass) (cinfo);
  166601. #ifdef D_MULTISCAN_FILES_SUPPORTED
  166602. /* If jpeg_start_decompress will read the whole file, initialize
  166603. * progress monitoring appropriately. The input step is counted
  166604. * as one pass.
  166605. */
  166606. if (cinfo->progress != NULL && ! cinfo->buffered_image &&
  166607. cinfo->inputctl->has_multiple_scans) {
  166608. int nscans;
  166609. /* Estimate number of scans to set pass_limit. */
  166610. if (cinfo->progressive_mode) {
  166611. /* Arbitrarily estimate 2 interleaved DC scans + 3 AC scans/component. */
  166612. nscans = 2 + 3 * cinfo->num_components;
  166613. } else {
  166614. /* For a nonprogressive multiscan file, estimate 1 scan per component. */
  166615. nscans = cinfo->num_components;
  166616. }
  166617. cinfo->progress->pass_counter = 0L;
  166618. cinfo->progress->pass_limit = (long) cinfo->total_iMCU_rows * nscans;
  166619. cinfo->progress->completed_passes = 0;
  166620. cinfo->progress->total_passes = (cinfo->enable_2pass_quant ? 3 : 2);
  166621. /* Count the input pass as done */
  166622. master->pass_number++;
  166623. }
  166624. #endif /* D_MULTISCAN_FILES_SUPPORTED */
  166625. }
  166626. /*
  166627. * Per-pass setup.
  166628. * This is called at the beginning of each output pass. We determine which
  166629. * modules will be active during this pass and give them appropriate
  166630. * start_pass calls. We also set is_dummy_pass to indicate whether this
  166631. * is a "real" output pass or a dummy pass for color quantization.
  166632. * (In the latter case, jdapistd.c will crank the pass to completion.)
  166633. */
  166634. METHODDEF(void)
  166635. prepare_for_output_pass (j_decompress_ptr cinfo)
  166636. {
  166637. my_master_ptr6 master = (my_master_ptr6) cinfo->master;
  166638. if (master->pub.is_dummy_pass) {
  166639. #ifdef QUANT_2PASS_SUPPORTED
  166640. /* Final pass of 2-pass quantization */
  166641. master->pub.is_dummy_pass = FALSE;
  166642. (*cinfo->cquantize->start_pass) (cinfo, FALSE);
  166643. (*cinfo->post->start_pass) (cinfo, JBUF_CRANK_DEST);
  166644. (*cinfo->main->start_pass) (cinfo, JBUF_CRANK_DEST);
  166645. #else
  166646. ERREXIT(cinfo, JERR_NOT_COMPILED);
  166647. #endif /* QUANT_2PASS_SUPPORTED */
  166648. } else {
  166649. if (cinfo->quantize_colors && cinfo->colormap == NULL) {
  166650. /* Select new quantization method */
  166651. if (cinfo->two_pass_quantize && cinfo->enable_2pass_quant) {
  166652. cinfo->cquantize = master->quantizer_2pass;
  166653. master->pub.is_dummy_pass = TRUE;
  166654. } else if (cinfo->enable_1pass_quant) {
  166655. cinfo->cquantize = master->quantizer_1pass;
  166656. } else {
  166657. ERREXIT(cinfo, JERR_MODE_CHANGE);
  166658. }
  166659. }
  166660. (*cinfo->idct->start_pass) (cinfo);
  166661. (*cinfo->coef->start_output_pass) (cinfo);
  166662. if (! cinfo->raw_data_out) {
  166663. if (! master->using_merged_upsample)
  166664. (*cinfo->cconvert->start_pass) (cinfo);
  166665. (*cinfo->upsample->start_pass) (cinfo);
  166666. if (cinfo->quantize_colors)
  166667. (*cinfo->cquantize->start_pass) (cinfo, master->pub.is_dummy_pass);
  166668. (*cinfo->post->start_pass) (cinfo,
  166669. (master->pub.is_dummy_pass ? JBUF_SAVE_AND_PASS : JBUF_PASS_THRU));
  166670. (*cinfo->main->start_pass) (cinfo, JBUF_PASS_THRU);
  166671. }
  166672. }
  166673. /* Set up progress monitor's pass info if present */
  166674. if (cinfo->progress != NULL) {
  166675. cinfo->progress->completed_passes = master->pass_number;
  166676. cinfo->progress->total_passes = master->pass_number +
  166677. (master->pub.is_dummy_pass ? 2 : 1);
  166678. /* In buffered-image mode, we assume one more output pass if EOI not
  166679. * yet reached, but no more passes if EOI has been reached.
  166680. */
  166681. if (cinfo->buffered_image && ! cinfo->inputctl->eoi_reached) {
  166682. cinfo->progress->total_passes += (cinfo->enable_2pass_quant ? 2 : 1);
  166683. }
  166684. }
  166685. }
  166686. /*
  166687. * Finish up at end of an output pass.
  166688. */
  166689. METHODDEF(void)
  166690. finish_output_pass (j_decompress_ptr cinfo)
  166691. {
  166692. my_master_ptr6 master = (my_master_ptr6) cinfo->master;
  166693. if (cinfo->quantize_colors)
  166694. (*cinfo->cquantize->finish_pass) (cinfo);
  166695. master->pass_number++;
  166696. }
  166697. #ifdef D_MULTISCAN_FILES_SUPPORTED
  166698. /*
  166699. * Switch to a new external colormap between output passes.
  166700. */
  166701. GLOBAL(void)
  166702. jpeg_new_colormap (j_decompress_ptr cinfo)
  166703. {
  166704. my_master_ptr6 master = (my_master_ptr6) cinfo->master;
  166705. /* Prevent application from calling me at wrong times */
  166706. if (cinfo->global_state != DSTATE_BUFIMAGE)
  166707. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  166708. if (cinfo->quantize_colors && cinfo->enable_external_quant &&
  166709. cinfo->colormap != NULL) {
  166710. /* Select 2-pass quantizer for external colormap use */
  166711. cinfo->cquantize = master->quantizer_2pass;
  166712. /* Notify quantizer of colormap change */
  166713. (*cinfo->cquantize->new_color_map) (cinfo);
  166714. master->pub.is_dummy_pass = FALSE; /* just in case */
  166715. } else
  166716. ERREXIT(cinfo, JERR_MODE_CHANGE);
  166717. }
  166718. #endif /* D_MULTISCAN_FILES_SUPPORTED */
  166719. /*
  166720. * Initialize master decompression control and select active modules.
  166721. * This is performed at the start of jpeg_start_decompress.
  166722. */
  166723. GLOBAL(void)
  166724. jinit_master_decompress (j_decompress_ptr cinfo)
  166725. {
  166726. my_master_ptr6 master;
  166727. master = (my_master_ptr6)
  166728. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  166729. SIZEOF(my_decomp_master));
  166730. cinfo->master = (struct jpeg_decomp_master *) master;
  166731. master->pub.prepare_for_output_pass = prepare_for_output_pass;
  166732. master->pub.finish_output_pass = finish_output_pass;
  166733. master->pub.is_dummy_pass = FALSE;
  166734. master_selection(cinfo);
  166735. }
  166736. /********* End of inlined file: jdmaster.c *********/
  166737. #undef FIX
  166738. /********* Start of inlined file: jdmerge.c *********/
  166739. #define JPEG_INTERNALS
  166740. #ifdef UPSAMPLE_MERGING_SUPPORTED
  166741. /* Private subobject */
  166742. typedef struct {
  166743. struct jpeg_upsampler pub; /* public fields */
  166744. /* Pointer to routine to do actual upsampling/conversion of one row group */
  166745. JMETHOD(void, upmethod, (j_decompress_ptr cinfo,
  166746. JSAMPIMAGE input_buf, JDIMENSION in_row_group_ctr,
  166747. JSAMPARRAY output_buf));
  166748. /* Private state for YCC->RGB conversion */
  166749. int * Cr_r_tab; /* => table for Cr to R conversion */
  166750. int * Cb_b_tab; /* => table for Cb to B conversion */
  166751. INT32 * Cr_g_tab; /* => table for Cr to G conversion */
  166752. INT32 * Cb_g_tab; /* => table for Cb to G conversion */
  166753. /* For 2:1 vertical sampling, we produce two output rows at a time.
  166754. * We need a "spare" row buffer to hold the second output row if the
  166755. * application provides just a one-row buffer; we also use the spare
  166756. * to discard the dummy last row if the image height is odd.
  166757. */
  166758. JSAMPROW spare_row;
  166759. boolean spare_full; /* T if spare buffer is occupied */
  166760. JDIMENSION out_row_width; /* samples per output row */
  166761. JDIMENSION rows_to_go; /* counts rows remaining in image */
  166762. } my_upsampler;
  166763. typedef my_upsampler * my_upsample_ptr;
  166764. #define SCALEBITS 16 /* speediest right-shift on some machines */
  166765. #define ONE_HALF ((INT32) 1 << (SCALEBITS-1))
  166766. #define FIX(x) ((INT32) ((x) * (1L<<SCALEBITS) + 0.5))
  166767. /*
  166768. * Initialize tables for YCC->RGB colorspace conversion.
  166769. * This is taken directly from jdcolor.c; see that file for more info.
  166770. */
  166771. LOCAL(void)
  166772. build_ycc_rgb_table2 (j_decompress_ptr cinfo)
  166773. {
  166774. my_upsample_ptr upsample = (my_upsample_ptr) cinfo->upsample;
  166775. int i;
  166776. INT32 x;
  166777. SHIFT_TEMPS
  166778. upsample->Cr_r_tab = (int *)
  166779. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  166780. (MAXJSAMPLE+1) * SIZEOF(int));
  166781. upsample->Cb_b_tab = (int *)
  166782. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  166783. (MAXJSAMPLE+1) * SIZEOF(int));
  166784. upsample->Cr_g_tab = (INT32 *)
  166785. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  166786. (MAXJSAMPLE+1) * SIZEOF(INT32));
  166787. upsample->Cb_g_tab = (INT32 *)
  166788. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  166789. (MAXJSAMPLE+1) * SIZEOF(INT32));
  166790. for (i = 0, x = -CENTERJSAMPLE; i <= MAXJSAMPLE; i++, x++) {
  166791. /* i is the actual input pixel value, in the range 0..MAXJSAMPLE */
  166792. /* The Cb or Cr value we are thinking of is x = i - CENTERJSAMPLE */
  166793. /* Cr=>R value is nearest int to 1.40200 * x */
  166794. upsample->Cr_r_tab[i] = (int)
  166795. RIGHT_SHIFT(FIX(1.40200) * x + ONE_HALF, SCALEBITS);
  166796. /* Cb=>B value is nearest int to 1.77200 * x */
  166797. upsample->Cb_b_tab[i] = (int)
  166798. RIGHT_SHIFT(FIX(1.77200) * x + ONE_HALF, SCALEBITS);
  166799. /* Cr=>G value is scaled-up -0.71414 * x */
  166800. upsample->Cr_g_tab[i] = (- FIX(0.71414)) * x;
  166801. /* Cb=>G value is scaled-up -0.34414 * x */
  166802. /* We also add in ONE_HALF so that need not do it in inner loop */
  166803. upsample->Cb_g_tab[i] = (- FIX(0.34414)) * x + ONE_HALF;
  166804. }
  166805. }
  166806. /*
  166807. * Initialize for an upsampling pass.
  166808. */
  166809. METHODDEF(void)
  166810. start_pass_merged_upsample (j_decompress_ptr cinfo)
  166811. {
  166812. my_upsample_ptr upsample = (my_upsample_ptr) cinfo->upsample;
  166813. /* Mark the spare buffer empty */
  166814. upsample->spare_full = FALSE;
  166815. /* Initialize total-height counter for detecting bottom of image */
  166816. upsample->rows_to_go = cinfo->output_height;
  166817. }
  166818. /*
  166819. * Control routine to do upsampling (and color conversion).
  166820. *
  166821. * The control routine just handles the row buffering considerations.
  166822. */
  166823. METHODDEF(void)
  166824. merged_2v_upsample (j_decompress_ptr cinfo,
  166825. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  166826. JDIMENSION in_row_groups_avail,
  166827. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  166828. JDIMENSION out_rows_avail)
  166829. /* 2:1 vertical sampling case: may need a spare row. */
  166830. {
  166831. my_upsample_ptr upsample = (my_upsample_ptr) cinfo->upsample;
  166832. JSAMPROW work_ptrs[2];
  166833. JDIMENSION num_rows; /* number of rows returned to caller */
  166834. if (upsample->spare_full) {
  166835. /* If we have a spare row saved from a previous cycle, just return it. */
  166836. jcopy_sample_rows(& upsample->spare_row, 0, output_buf + *out_row_ctr, 0,
  166837. 1, upsample->out_row_width);
  166838. num_rows = 1;
  166839. upsample->spare_full = FALSE;
  166840. } else {
  166841. /* Figure number of rows to return to caller. */
  166842. num_rows = 2;
  166843. /* Not more than the distance to the end of the image. */
  166844. if (num_rows > upsample->rows_to_go)
  166845. num_rows = upsample->rows_to_go;
  166846. /* And not more than what the client can accept: */
  166847. out_rows_avail -= *out_row_ctr;
  166848. if (num_rows > out_rows_avail)
  166849. num_rows = out_rows_avail;
  166850. /* Create output pointer array for upsampler. */
  166851. work_ptrs[0] = output_buf[*out_row_ctr];
  166852. if (num_rows > 1) {
  166853. work_ptrs[1] = output_buf[*out_row_ctr + 1];
  166854. } else {
  166855. work_ptrs[1] = upsample->spare_row;
  166856. upsample->spare_full = TRUE;
  166857. }
  166858. /* Now do the upsampling. */
  166859. (*upsample->upmethod) (cinfo, input_buf, *in_row_group_ctr, work_ptrs);
  166860. }
  166861. /* Adjust counts */
  166862. *out_row_ctr += num_rows;
  166863. upsample->rows_to_go -= num_rows;
  166864. /* When the buffer is emptied, declare this input row group consumed */
  166865. if (! upsample->spare_full)
  166866. (*in_row_group_ctr)++;
  166867. }
  166868. METHODDEF(void)
  166869. merged_1v_upsample (j_decompress_ptr cinfo,
  166870. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  166871. JDIMENSION in_row_groups_avail,
  166872. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  166873. JDIMENSION out_rows_avail)
  166874. /* 1:1 vertical sampling case: much easier, never need a spare row. */
  166875. {
  166876. my_upsample_ptr upsample = (my_upsample_ptr) cinfo->upsample;
  166877. /* Just do the upsampling. */
  166878. (*upsample->upmethod) (cinfo, input_buf, *in_row_group_ctr,
  166879. output_buf + *out_row_ctr);
  166880. /* Adjust counts */
  166881. (*out_row_ctr)++;
  166882. (*in_row_group_ctr)++;
  166883. }
  166884. /*
  166885. * These are the routines invoked by the control routines to do
  166886. * the actual upsampling/conversion. One row group is processed per call.
  166887. *
  166888. * Note: since we may be writing directly into application-supplied buffers,
  166889. * we have to be honest about the output width; we can't assume the buffer
  166890. * has been rounded up to an even width.
  166891. */
  166892. /*
  166893. * Upsample and color convert for the case of 2:1 horizontal and 1:1 vertical.
  166894. */
  166895. METHODDEF(void)
  166896. h2v1_merged_upsample (j_decompress_ptr cinfo,
  166897. JSAMPIMAGE input_buf, JDIMENSION in_row_group_ctr,
  166898. JSAMPARRAY output_buf)
  166899. {
  166900. my_upsample_ptr upsample = (my_upsample_ptr) cinfo->upsample;
  166901. register int y, cred, cgreen, cblue;
  166902. int cb, cr;
  166903. register JSAMPROW outptr;
  166904. JSAMPROW inptr0, inptr1, inptr2;
  166905. JDIMENSION col;
  166906. /* copy these pointers into registers if possible */
  166907. register JSAMPLE * range_limit = cinfo->sample_range_limit;
  166908. int * Crrtab = upsample->Cr_r_tab;
  166909. int * Cbbtab = upsample->Cb_b_tab;
  166910. INT32 * Crgtab = upsample->Cr_g_tab;
  166911. INT32 * Cbgtab = upsample->Cb_g_tab;
  166912. SHIFT_TEMPS
  166913. inptr0 = input_buf[0][in_row_group_ctr];
  166914. inptr1 = input_buf[1][in_row_group_ctr];
  166915. inptr2 = input_buf[2][in_row_group_ctr];
  166916. outptr = output_buf[0];
  166917. /* Loop for each pair of output pixels */
  166918. for (col = cinfo->output_width >> 1; col > 0; col--) {
  166919. /* Do the chroma part of the calculation */
  166920. cb = GETJSAMPLE(*inptr1++);
  166921. cr = GETJSAMPLE(*inptr2++);
  166922. cred = Crrtab[cr];
  166923. cgreen = (int) RIGHT_SHIFT(Cbgtab[cb] + Crgtab[cr], SCALEBITS);
  166924. cblue = Cbbtab[cb];
  166925. /* Fetch 2 Y values and emit 2 pixels */
  166926. y = GETJSAMPLE(*inptr0++);
  166927. outptr[RGB_RED] = range_limit[y + cred];
  166928. outptr[RGB_GREEN] = range_limit[y + cgreen];
  166929. outptr[RGB_BLUE] = range_limit[y + cblue];
  166930. outptr += RGB_PIXELSIZE;
  166931. y = GETJSAMPLE(*inptr0++);
  166932. outptr[RGB_RED] = range_limit[y + cred];
  166933. outptr[RGB_GREEN] = range_limit[y + cgreen];
  166934. outptr[RGB_BLUE] = range_limit[y + cblue];
  166935. outptr += RGB_PIXELSIZE;
  166936. }
  166937. /* If image width is odd, do the last output column separately */
  166938. if (cinfo->output_width & 1) {
  166939. cb = GETJSAMPLE(*inptr1);
  166940. cr = GETJSAMPLE(*inptr2);
  166941. cred = Crrtab[cr];
  166942. cgreen = (int) RIGHT_SHIFT(Cbgtab[cb] + Crgtab[cr], SCALEBITS);
  166943. cblue = Cbbtab[cb];
  166944. y = GETJSAMPLE(*inptr0);
  166945. outptr[RGB_RED] = range_limit[y + cred];
  166946. outptr[RGB_GREEN] = range_limit[y + cgreen];
  166947. outptr[RGB_BLUE] = range_limit[y + cblue];
  166948. }
  166949. }
  166950. /*
  166951. * Upsample and color convert for the case of 2:1 horizontal and 2:1 vertical.
  166952. */
  166953. METHODDEF(void)
  166954. h2v2_merged_upsample (j_decompress_ptr cinfo,
  166955. JSAMPIMAGE input_buf, JDIMENSION in_row_group_ctr,
  166956. JSAMPARRAY output_buf)
  166957. {
  166958. my_upsample_ptr upsample = (my_upsample_ptr) cinfo->upsample;
  166959. register int y, cred, cgreen, cblue;
  166960. int cb, cr;
  166961. register JSAMPROW outptr0, outptr1;
  166962. JSAMPROW inptr00, inptr01, inptr1, inptr2;
  166963. JDIMENSION col;
  166964. /* copy these pointers into registers if possible */
  166965. register JSAMPLE * range_limit = cinfo->sample_range_limit;
  166966. int * Crrtab = upsample->Cr_r_tab;
  166967. int * Cbbtab = upsample->Cb_b_tab;
  166968. INT32 * Crgtab = upsample->Cr_g_tab;
  166969. INT32 * Cbgtab = upsample->Cb_g_tab;
  166970. SHIFT_TEMPS
  166971. inptr00 = input_buf[0][in_row_group_ctr*2];
  166972. inptr01 = input_buf[0][in_row_group_ctr*2 + 1];
  166973. inptr1 = input_buf[1][in_row_group_ctr];
  166974. inptr2 = input_buf[2][in_row_group_ctr];
  166975. outptr0 = output_buf[0];
  166976. outptr1 = output_buf[1];
  166977. /* Loop for each group of output pixels */
  166978. for (col = cinfo->output_width >> 1; col > 0; col--) {
  166979. /* Do the chroma part of the calculation */
  166980. cb = GETJSAMPLE(*inptr1++);
  166981. cr = GETJSAMPLE(*inptr2++);
  166982. cred = Crrtab[cr];
  166983. cgreen = (int) RIGHT_SHIFT(Cbgtab[cb] + Crgtab[cr], SCALEBITS);
  166984. cblue = Cbbtab[cb];
  166985. /* Fetch 4 Y values and emit 4 pixels */
  166986. y = GETJSAMPLE(*inptr00++);
  166987. outptr0[RGB_RED] = range_limit[y + cred];
  166988. outptr0[RGB_GREEN] = range_limit[y + cgreen];
  166989. outptr0[RGB_BLUE] = range_limit[y + cblue];
  166990. outptr0 += RGB_PIXELSIZE;
  166991. y = GETJSAMPLE(*inptr00++);
  166992. outptr0[RGB_RED] = range_limit[y + cred];
  166993. outptr0[RGB_GREEN] = range_limit[y + cgreen];
  166994. outptr0[RGB_BLUE] = range_limit[y + cblue];
  166995. outptr0 += RGB_PIXELSIZE;
  166996. y = GETJSAMPLE(*inptr01++);
  166997. outptr1[RGB_RED] = range_limit[y + cred];
  166998. outptr1[RGB_GREEN] = range_limit[y + cgreen];
  166999. outptr1[RGB_BLUE] = range_limit[y + cblue];
  167000. outptr1 += RGB_PIXELSIZE;
  167001. y = GETJSAMPLE(*inptr01++);
  167002. outptr1[RGB_RED] = range_limit[y + cred];
  167003. outptr1[RGB_GREEN] = range_limit[y + cgreen];
  167004. outptr1[RGB_BLUE] = range_limit[y + cblue];
  167005. outptr1 += RGB_PIXELSIZE;
  167006. }
  167007. /* If image width is odd, do the last output column separately */
  167008. if (cinfo->output_width & 1) {
  167009. cb = GETJSAMPLE(*inptr1);
  167010. cr = GETJSAMPLE(*inptr2);
  167011. cred = Crrtab[cr];
  167012. cgreen = (int) RIGHT_SHIFT(Cbgtab[cb] + Crgtab[cr], SCALEBITS);
  167013. cblue = Cbbtab[cb];
  167014. y = GETJSAMPLE(*inptr00);
  167015. outptr0[RGB_RED] = range_limit[y + cred];
  167016. outptr0[RGB_GREEN] = range_limit[y + cgreen];
  167017. outptr0[RGB_BLUE] = range_limit[y + cblue];
  167018. y = GETJSAMPLE(*inptr01);
  167019. outptr1[RGB_RED] = range_limit[y + cred];
  167020. outptr1[RGB_GREEN] = range_limit[y + cgreen];
  167021. outptr1[RGB_BLUE] = range_limit[y + cblue];
  167022. }
  167023. }
  167024. /*
  167025. * Module initialization routine for merged upsampling/color conversion.
  167026. *
  167027. * NB: this is called under the conditions determined by use_merged_upsample()
  167028. * in jdmaster.c. That routine MUST correspond to the actual capabilities
  167029. * of this module; no safety checks are made here.
  167030. */
  167031. GLOBAL(void)
  167032. jinit_merged_upsampler (j_decompress_ptr cinfo)
  167033. {
  167034. my_upsample_ptr upsample;
  167035. upsample = (my_upsample_ptr)
  167036. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  167037. SIZEOF(my_upsampler));
  167038. cinfo->upsample = (struct jpeg_upsampler *) upsample;
  167039. upsample->pub.start_pass = start_pass_merged_upsample;
  167040. upsample->pub.need_context_rows = FALSE;
  167041. upsample->out_row_width = cinfo->output_width * cinfo->out_color_components;
  167042. if (cinfo->max_v_samp_factor == 2) {
  167043. upsample->pub.upsample = merged_2v_upsample;
  167044. upsample->upmethod = h2v2_merged_upsample;
  167045. /* Allocate a spare row buffer */
  167046. upsample->spare_row = (JSAMPROW)
  167047. (*cinfo->mem->alloc_large) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  167048. (size_t) (upsample->out_row_width * SIZEOF(JSAMPLE)));
  167049. } else {
  167050. upsample->pub.upsample = merged_1v_upsample;
  167051. upsample->upmethod = h2v1_merged_upsample;
  167052. /* No spare row needed */
  167053. upsample->spare_row = NULL;
  167054. }
  167055. build_ycc_rgb_table2(cinfo);
  167056. }
  167057. #endif /* UPSAMPLE_MERGING_SUPPORTED */
  167058. /********* End of inlined file: jdmerge.c *********/
  167059. #undef ASSIGN_STATE
  167060. /********* Start of inlined file: jdphuff.c *********/
  167061. #define JPEG_INTERNALS
  167062. #ifdef D_PROGRESSIVE_SUPPORTED
  167063. /*
  167064. * Expanded entropy decoder object for progressive Huffman decoding.
  167065. *
  167066. * The savable_state subrecord contains fields that change within an MCU,
  167067. * but must not be updated permanently until we complete the MCU.
  167068. */
  167069. typedef struct {
  167070. unsigned int EOBRUN; /* remaining EOBs in EOBRUN */
  167071. int last_dc_val[MAX_COMPS_IN_SCAN]; /* last DC coef for each component */
  167072. } savable_state3;
  167073. /* This macro is to work around compilers with missing or broken
  167074. * structure assignment. You'll need to fix this code if you have
  167075. * such a compiler and you change MAX_COMPS_IN_SCAN.
  167076. */
  167077. #ifndef NO_STRUCT_ASSIGN
  167078. #define ASSIGN_STATE(dest,src) ((dest) = (src))
  167079. #else
  167080. #if MAX_COMPS_IN_SCAN == 4
  167081. #define ASSIGN_STATE(dest,src) \
  167082. ((dest).EOBRUN = (src).EOBRUN, \
  167083. (dest).last_dc_val[0] = (src).last_dc_val[0], \
  167084. (dest).last_dc_val[1] = (src).last_dc_val[1], \
  167085. (dest).last_dc_val[2] = (src).last_dc_val[2], \
  167086. (dest).last_dc_val[3] = (src).last_dc_val[3])
  167087. #endif
  167088. #endif
  167089. typedef struct {
  167090. struct jpeg_entropy_decoder pub; /* public fields */
  167091. /* These fields are loaded into local variables at start of each MCU.
  167092. * In case of suspension, we exit WITHOUT updating them.
  167093. */
  167094. bitread_perm_state bitstate; /* Bit buffer at start of MCU */
  167095. savable_state3 saved; /* Other state at start of MCU */
  167096. /* These fields are NOT loaded into local working state. */
  167097. unsigned int restarts_to_go; /* MCUs left in this restart interval */
  167098. /* Pointers to derived tables (these workspaces have image lifespan) */
  167099. d_derived_tbl * derived_tbls[NUM_HUFF_TBLS];
  167100. d_derived_tbl * ac_derived_tbl; /* active table during an AC scan */
  167101. } phuff_entropy_decoder;
  167102. typedef phuff_entropy_decoder * phuff_entropy_ptr2;
  167103. /* Forward declarations */
  167104. METHODDEF(boolean) decode_mcu_DC_first JPP((j_decompress_ptr cinfo,
  167105. JBLOCKROW *MCU_data));
  167106. METHODDEF(boolean) decode_mcu_AC_first JPP((j_decompress_ptr cinfo,
  167107. JBLOCKROW *MCU_data));
  167108. METHODDEF(boolean) decode_mcu_DC_refine JPP((j_decompress_ptr cinfo,
  167109. JBLOCKROW *MCU_data));
  167110. METHODDEF(boolean) decode_mcu_AC_refine JPP((j_decompress_ptr cinfo,
  167111. JBLOCKROW *MCU_data));
  167112. /*
  167113. * Initialize for a Huffman-compressed scan.
  167114. */
  167115. METHODDEF(void)
  167116. start_pass_phuff_decoder (j_decompress_ptr cinfo)
  167117. {
  167118. phuff_entropy_ptr2 entropy = (phuff_entropy_ptr2) cinfo->entropy;
  167119. boolean is_DC_band, bad;
  167120. int ci, coefi, tbl;
  167121. int *coef_bit_ptr;
  167122. jpeg_component_info * compptr;
  167123. is_DC_band = (cinfo->Ss == 0);
  167124. /* Validate scan parameters */
  167125. bad = FALSE;
  167126. if (is_DC_band) {
  167127. if (cinfo->Se != 0)
  167128. bad = TRUE;
  167129. } else {
  167130. /* need not check Ss/Se < 0 since they came from unsigned bytes */
  167131. if (cinfo->Ss > cinfo->Se || cinfo->Se >= DCTSIZE2)
  167132. bad = TRUE;
  167133. /* AC scans may have only one component */
  167134. if (cinfo->comps_in_scan != 1)
  167135. bad = TRUE;
  167136. }
  167137. if (cinfo->Ah != 0) {
  167138. /* Successive approximation refinement scan: must have Al = Ah-1. */
  167139. if (cinfo->Al != cinfo->Ah-1)
  167140. bad = TRUE;
  167141. }
  167142. if (cinfo->Al > 13) /* need not check for < 0 */
  167143. bad = TRUE;
  167144. /* Arguably the maximum Al value should be less than 13 for 8-bit precision,
  167145. * but the spec doesn't say so, and we try to be liberal about what we
  167146. * accept. Note: large Al values could result in out-of-range DC
  167147. * coefficients during early scans, leading to bizarre displays due to
  167148. * overflows in the IDCT math. But we won't crash.
  167149. */
  167150. if (bad)
  167151. ERREXIT4(cinfo, JERR_BAD_PROGRESSION,
  167152. cinfo->Ss, cinfo->Se, cinfo->Ah, cinfo->Al);
  167153. /* Update progression status, and verify that scan order is legal.
  167154. * Note that inter-scan inconsistencies are treated as warnings
  167155. * not fatal errors ... not clear if this is right way to behave.
  167156. */
  167157. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  167158. int cindex = cinfo->cur_comp_info[ci]->component_index;
  167159. coef_bit_ptr = & cinfo->coef_bits[cindex][0];
  167160. if (!is_DC_band && coef_bit_ptr[0] < 0) /* AC without prior DC scan */
  167161. WARNMS2(cinfo, JWRN_BOGUS_PROGRESSION, cindex, 0);
  167162. for (coefi = cinfo->Ss; coefi <= cinfo->Se; coefi++) {
  167163. int expected = (coef_bit_ptr[coefi] < 0) ? 0 : coef_bit_ptr[coefi];
  167164. if (cinfo->Ah != expected)
  167165. WARNMS2(cinfo, JWRN_BOGUS_PROGRESSION, cindex, coefi);
  167166. coef_bit_ptr[coefi] = cinfo->Al;
  167167. }
  167168. }
  167169. /* Select MCU decoding routine */
  167170. if (cinfo->Ah == 0) {
  167171. if (is_DC_band)
  167172. entropy->pub.decode_mcu = decode_mcu_DC_first;
  167173. else
  167174. entropy->pub.decode_mcu = decode_mcu_AC_first;
  167175. } else {
  167176. if (is_DC_band)
  167177. entropy->pub.decode_mcu = decode_mcu_DC_refine;
  167178. else
  167179. entropy->pub.decode_mcu = decode_mcu_AC_refine;
  167180. }
  167181. for (ci = 0; ci < cinfo->comps_in_scan; ci++) {
  167182. compptr = cinfo->cur_comp_info[ci];
  167183. /* Make sure requested tables are present, and compute derived tables.
  167184. * We may build same derived table more than once, but it's not expensive.
  167185. */
  167186. if (is_DC_band) {
  167187. if (cinfo->Ah == 0) { /* DC refinement needs no table */
  167188. tbl = compptr->dc_tbl_no;
  167189. jpeg_make_d_derived_tbl(cinfo, TRUE, tbl,
  167190. & entropy->derived_tbls[tbl]);
  167191. }
  167192. } else {
  167193. tbl = compptr->ac_tbl_no;
  167194. jpeg_make_d_derived_tbl(cinfo, FALSE, tbl,
  167195. & entropy->derived_tbls[tbl]);
  167196. /* remember the single active table */
  167197. entropy->ac_derived_tbl = entropy->derived_tbls[tbl];
  167198. }
  167199. /* Initialize DC predictions to 0 */
  167200. entropy->saved.last_dc_val[ci] = 0;
  167201. }
  167202. /* Initialize bitread state variables */
  167203. entropy->bitstate.bits_left = 0;
  167204. entropy->bitstate.get_buffer = 0; /* unnecessary, but keeps Purify quiet */
  167205. entropy->pub.insufficient_data = FALSE;
  167206. /* Initialize private state variables */
  167207. entropy->saved.EOBRUN = 0;
  167208. /* Initialize restart counter */
  167209. entropy->restarts_to_go = cinfo->restart_interval;
  167210. }
  167211. /*
  167212. * Check for a restart marker & resynchronize decoder.
  167213. * Returns FALSE if must suspend.
  167214. */
  167215. LOCAL(boolean)
  167216. process_restartp (j_decompress_ptr cinfo)
  167217. {
  167218. phuff_entropy_ptr2 entropy = (phuff_entropy_ptr2) cinfo->entropy;
  167219. int ci;
  167220. /* Throw away any unused bits remaining in bit buffer; */
  167221. /* include any full bytes in next_marker's count of discarded bytes */
  167222. cinfo->marker->discarded_bytes += entropy->bitstate.bits_left / 8;
  167223. entropy->bitstate.bits_left = 0;
  167224. /* Advance past the RSTn marker */
  167225. if (! (*cinfo->marker->read_restart_marker) (cinfo))
  167226. return FALSE;
  167227. /* Re-initialize DC predictions to 0 */
  167228. for (ci = 0; ci < cinfo->comps_in_scan; ci++)
  167229. entropy->saved.last_dc_val[ci] = 0;
  167230. /* Re-init EOB run count, too */
  167231. entropy->saved.EOBRUN = 0;
  167232. /* Reset restart counter */
  167233. entropy->restarts_to_go = cinfo->restart_interval;
  167234. /* Reset out-of-data flag, unless read_restart_marker left us smack up
  167235. * against a marker. In that case we will end up treating the next data
  167236. * segment as empty, and we can avoid producing bogus output pixels by
  167237. * leaving the flag set.
  167238. */
  167239. if (cinfo->unread_marker == 0)
  167240. entropy->pub.insufficient_data = FALSE;
  167241. return TRUE;
  167242. }
  167243. /*
  167244. * Huffman MCU decoding.
  167245. * Each of these routines decodes and returns one MCU's worth of
  167246. * Huffman-compressed coefficients.
  167247. * The coefficients are reordered from zigzag order into natural array order,
  167248. * but are not dequantized.
  167249. *
  167250. * The i'th block of the MCU is stored into the block pointed to by
  167251. * MCU_data[i]. WE ASSUME THIS AREA IS INITIALLY ZEROED BY THE CALLER.
  167252. *
  167253. * We return FALSE if data source requested suspension. In that case no
  167254. * changes have been made to permanent state. (Exception: some output
  167255. * coefficients may already have been assigned. This is harmless for
  167256. * spectral selection, since we'll just re-assign them on the next call.
  167257. * Successive approximation AC refinement has to be more careful, however.)
  167258. */
  167259. /*
  167260. * MCU decoding for DC initial scan (either spectral selection,
  167261. * or first pass of successive approximation).
  167262. */
  167263. METHODDEF(boolean)
  167264. decode_mcu_DC_first (j_decompress_ptr cinfo, JBLOCKROW *MCU_data)
  167265. {
  167266. phuff_entropy_ptr2 entropy = (phuff_entropy_ptr2) cinfo->entropy;
  167267. int Al = cinfo->Al;
  167268. register int s, r;
  167269. int blkn, ci;
  167270. JBLOCKROW block;
  167271. BITREAD_STATE_VARS;
  167272. savable_state3 state;
  167273. d_derived_tbl * tbl;
  167274. jpeg_component_info * compptr;
  167275. /* Process restart marker if needed; may have to suspend */
  167276. if (cinfo->restart_interval) {
  167277. if (entropy->restarts_to_go == 0)
  167278. if (! process_restartp(cinfo))
  167279. return FALSE;
  167280. }
  167281. /* If we've run out of data, just leave the MCU set to zeroes.
  167282. * This way, we return uniform gray for the remainder of the segment.
  167283. */
  167284. if (! entropy->pub.insufficient_data) {
  167285. /* Load up working state */
  167286. BITREAD_LOAD_STATE(cinfo,entropy->bitstate);
  167287. ASSIGN_STATE(state, entropy->saved);
  167288. /* Outer loop handles each block in the MCU */
  167289. for (blkn = 0; blkn < cinfo->blocks_in_MCU; blkn++) {
  167290. block = MCU_data[blkn];
  167291. ci = cinfo->MCU_membership[blkn];
  167292. compptr = cinfo->cur_comp_info[ci];
  167293. tbl = entropy->derived_tbls[compptr->dc_tbl_no];
  167294. /* Decode a single block's worth of coefficients */
  167295. /* Section F.2.2.1: decode the DC coefficient difference */
  167296. HUFF_DECODE(s, br_state, tbl, return FALSE, label1);
  167297. if (s) {
  167298. CHECK_BIT_BUFFER(br_state, s, return FALSE);
  167299. r = GET_BITS(s);
  167300. s = HUFF_EXTEND(r, s);
  167301. }
  167302. /* Convert DC difference to actual value, update last_dc_val */
  167303. s += state.last_dc_val[ci];
  167304. state.last_dc_val[ci] = s;
  167305. /* Scale and output the coefficient (assumes jpeg_natural_order[0]=0) */
  167306. (*block)[0] = (JCOEF) (s << Al);
  167307. }
  167308. /* Completed MCU, so update state */
  167309. BITREAD_SAVE_STATE(cinfo,entropy->bitstate);
  167310. ASSIGN_STATE(entropy->saved, state);
  167311. }
  167312. /* Account for restart interval (no-op if not using restarts) */
  167313. entropy->restarts_to_go--;
  167314. return TRUE;
  167315. }
  167316. /*
  167317. * MCU decoding for AC initial scan (either spectral selection,
  167318. * or first pass of successive approximation).
  167319. */
  167320. METHODDEF(boolean)
  167321. decode_mcu_AC_first (j_decompress_ptr cinfo, JBLOCKROW *MCU_data)
  167322. {
  167323. phuff_entropy_ptr2 entropy = (phuff_entropy_ptr2) cinfo->entropy;
  167324. int Se = cinfo->Se;
  167325. int Al = cinfo->Al;
  167326. register int s, k, r;
  167327. unsigned int EOBRUN;
  167328. JBLOCKROW block;
  167329. BITREAD_STATE_VARS;
  167330. d_derived_tbl * tbl;
  167331. /* Process restart marker if needed; may have to suspend */
  167332. if (cinfo->restart_interval) {
  167333. if (entropy->restarts_to_go == 0)
  167334. if (! process_restartp(cinfo))
  167335. return FALSE;
  167336. }
  167337. /* If we've run out of data, just leave the MCU set to zeroes.
  167338. * This way, we return uniform gray for the remainder of the segment.
  167339. */
  167340. if (! entropy->pub.insufficient_data) {
  167341. /* Load up working state.
  167342. * We can avoid loading/saving bitread state if in an EOB run.
  167343. */
  167344. EOBRUN = entropy->saved.EOBRUN; /* only part of saved state we need */
  167345. /* There is always only one block per MCU */
  167346. if (EOBRUN > 0) /* if it's a band of zeroes... */
  167347. EOBRUN--; /* ...process it now (we do nothing) */
  167348. else {
  167349. BITREAD_LOAD_STATE(cinfo,entropy->bitstate);
  167350. block = MCU_data[0];
  167351. tbl = entropy->ac_derived_tbl;
  167352. for (k = cinfo->Ss; k <= Se; k++) {
  167353. HUFF_DECODE(s, br_state, tbl, return FALSE, label2);
  167354. r = s >> 4;
  167355. s &= 15;
  167356. if (s) {
  167357. k += r;
  167358. CHECK_BIT_BUFFER(br_state, s, return FALSE);
  167359. r = GET_BITS(s);
  167360. s = HUFF_EXTEND(r, s);
  167361. /* Scale and output coefficient in natural (dezigzagged) order */
  167362. (*block)[jpeg_natural_order[k]] = (JCOEF) (s << Al);
  167363. } else {
  167364. if (r == 15) { /* ZRL */
  167365. k += 15; /* skip 15 zeroes in band */
  167366. } else { /* EOBr, run length is 2^r + appended bits */
  167367. EOBRUN = 1 << r;
  167368. if (r) { /* EOBr, r > 0 */
  167369. CHECK_BIT_BUFFER(br_state, r, return FALSE);
  167370. r = GET_BITS(r);
  167371. EOBRUN += r;
  167372. }
  167373. EOBRUN--; /* this band is processed at this moment */
  167374. break; /* force end-of-band */
  167375. }
  167376. }
  167377. }
  167378. BITREAD_SAVE_STATE(cinfo,entropy->bitstate);
  167379. }
  167380. /* Completed MCU, so update state */
  167381. entropy->saved.EOBRUN = EOBRUN; /* only part of saved state we need */
  167382. }
  167383. /* Account for restart interval (no-op if not using restarts) */
  167384. entropy->restarts_to_go--;
  167385. return TRUE;
  167386. }
  167387. /*
  167388. * MCU decoding for DC successive approximation refinement scan.
  167389. * Note: we assume such scans can be multi-component, although the spec
  167390. * is not very clear on the point.
  167391. */
  167392. METHODDEF(boolean)
  167393. decode_mcu_DC_refine (j_decompress_ptr cinfo, JBLOCKROW *MCU_data)
  167394. {
  167395. phuff_entropy_ptr2 entropy = (phuff_entropy_ptr2) cinfo->entropy;
  167396. int p1 = 1 << cinfo->Al; /* 1 in the bit position being coded */
  167397. int blkn;
  167398. JBLOCKROW block;
  167399. BITREAD_STATE_VARS;
  167400. /* Process restart marker if needed; may have to suspend */
  167401. if (cinfo->restart_interval) {
  167402. if (entropy->restarts_to_go == 0)
  167403. if (! process_restartp(cinfo))
  167404. return FALSE;
  167405. }
  167406. /* Not worth the cycles to check insufficient_data here,
  167407. * since we will not change the data anyway if we read zeroes.
  167408. */
  167409. /* Load up working state */
  167410. BITREAD_LOAD_STATE(cinfo,entropy->bitstate);
  167411. /* Outer loop handles each block in the MCU */
  167412. for (blkn = 0; blkn < cinfo->blocks_in_MCU; blkn++) {
  167413. block = MCU_data[blkn];
  167414. /* Encoded data is simply the next bit of the two's-complement DC value */
  167415. CHECK_BIT_BUFFER(br_state, 1, return FALSE);
  167416. if (GET_BITS(1))
  167417. (*block)[0] |= p1;
  167418. /* Note: since we use |=, repeating the assignment later is safe */
  167419. }
  167420. /* Completed MCU, so update state */
  167421. BITREAD_SAVE_STATE(cinfo,entropy->bitstate);
  167422. /* Account for restart interval (no-op if not using restarts) */
  167423. entropy->restarts_to_go--;
  167424. return TRUE;
  167425. }
  167426. /*
  167427. * MCU decoding for AC successive approximation refinement scan.
  167428. */
  167429. METHODDEF(boolean)
  167430. decode_mcu_AC_refine (j_decompress_ptr cinfo, JBLOCKROW *MCU_data)
  167431. {
  167432. phuff_entropy_ptr2 entropy = (phuff_entropy_ptr2) cinfo->entropy;
  167433. int Se = cinfo->Se;
  167434. int p1 = 1 << cinfo->Al; /* 1 in the bit position being coded */
  167435. int m1 = (-1) << cinfo->Al; /* -1 in the bit position being coded */
  167436. register int s, k, r;
  167437. unsigned int EOBRUN;
  167438. JBLOCKROW block;
  167439. JCOEFPTR thiscoef;
  167440. BITREAD_STATE_VARS;
  167441. d_derived_tbl * tbl;
  167442. int num_newnz;
  167443. int newnz_pos[DCTSIZE2];
  167444. /* Process restart marker if needed; may have to suspend */
  167445. if (cinfo->restart_interval) {
  167446. if (entropy->restarts_to_go == 0)
  167447. if (! process_restartp(cinfo))
  167448. return FALSE;
  167449. }
  167450. /* If we've run out of data, don't modify the MCU.
  167451. */
  167452. if (! entropy->pub.insufficient_data) {
  167453. /* Load up working state */
  167454. BITREAD_LOAD_STATE(cinfo,entropy->bitstate);
  167455. EOBRUN = entropy->saved.EOBRUN; /* only part of saved state we need */
  167456. /* There is always only one block per MCU */
  167457. block = MCU_data[0];
  167458. tbl = entropy->ac_derived_tbl;
  167459. /* If we are forced to suspend, we must undo the assignments to any newly
  167460. * nonzero coefficients in the block, because otherwise we'd get confused
  167461. * next time about which coefficients were already nonzero.
  167462. * But we need not undo addition of bits to already-nonzero coefficients;
  167463. * instead, we can test the current bit to see if we already did it.
  167464. */
  167465. num_newnz = 0;
  167466. /* initialize coefficient loop counter to start of band */
  167467. k = cinfo->Ss;
  167468. if (EOBRUN == 0) {
  167469. for (; k <= Se; k++) {
  167470. HUFF_DECODE(s, br_state, tbl, goto undoit, label3);
  167471. r = s >> 4;
  167472. s &= 15;
  167473. if (s) {
  167474. if (s != 1) /* size of new coef should always be 1 */
  167475. WARNMS(cinfo, JWRN_HUFF_BAD_CODE);
  167476. CHECK_BIT_BUFFER(br_state, 1, goto undoit);
  167477. if (GET_BITS(1))
  167478. s = p1; /* newly nonzero coef is positive */
  167479. else
  167480. s = m1; /* newly nonzero coef is negative */
  167481. } else {
  167482. if (r != 15) {
  167483. EOBRUN = 1 << r; /* EOBr, run length is 2^r + appended bits */
  167484. if (r) {
  167485. CHECK_BIT_BUFFER(br_state, r, goto undoit);
  167486. r = GET_BITS(r);
  167487. EOBRUN += r;
  167488. }
  167489. break; /* rest of block is handled by EOB logic */
  167490. }
  167491. /* note s = 0 for processing ZRL */
  167492. }
  167493. /* Advance over already-nonzero coefs and r still-zero coefs,
  167494. * appending correction bits to the nonzeroes. A correction bit is 1
  167495. * if the absolute value of the coefficient must be increased.
  167496. */
  167497. do {
  167498. thiscoef = *block + jpeg_natural_order[k];
  167499. if (*thiscoef != 0) {
  167500. CHECK_BIT_BUFFER(br_state, 1, goto undoit);
  167501. if (GET_BITS(1)) {
  167502. if ((*thiscoef & p1) == 0) { /* do nothing if already set it */
  167503. if (*thiscoef >= 0)
  167504. *thiscoef += p1;
  167505. else
  167506. *thiscoef += m1;
  167507. }
  167508. }
  167509. } else {
  167510. if (--r < 0)
  167511. break; /* reached target zero coefficient */
  167512. }
  167513. k++;
  167514. } while (k <= Se);
  167515. if (s) {
  167516. int pos = jpeg_natural_order[k];
  167517. /* Output newly nonzero coefficient */
  167518. (*block)[pos] = (JCOEF) s;
  167519. /* Remember its position in case we have to suspend */
  167520. newnz_pos[num_newnz++] = pos;
  167521. }
  167522. }
  167523. }
  167524. if (EOBRUN > 0) {
  167525. /* Scan any remaining coefficient positions after the end-of-band
  167526. * (the last newly nonzero coefficient, if any). Append a correction
  167527. * bit to each already-nonzero coefficient. A correction bit is 1
  167528. * if the absolute value of the coefficient must be increased.
  167529. */
  167530. for (; k <= Se; k++) {
  167531. thiscoef = *block + jpeg_natural_order[k];
  167532. if (*thiscoef != 0) {
  167533. CHECK_BIT_BUFFER(br_state, 1, goto undoit);
  167534. if (GET_BITS(1)) {
  167535. if ((*thiscoef & p1) == 0) { /* do nothing if already changed it */
  167536. if (*thiscoef >= 0)
  167537. *thiscoef += p1;
  167538. else
  167539. *thiscoef += m1;
  167540. }
  167541. }
  167542. }
  167543. }
  167544. /* Count one block completed in EOB run */
  167545. EOBRUN--;
  167546. }
  167547. /* Completed MCU, so update state */
  167548. BITREAD_SAVE_STATE(cinfo,entropy->bitstate);
  167549. entropy->saved.EOBRUN = EOBRUN; /* only part of saved state we need */
  167550. }
  167551. /* Account for restart interval (no-op if not using restarts) */
  167552. entropy->restarts_to_go--;
  167553. return TRUE;
  167554. undoit:
  167555. /* Re-zero any output coefficients that we made newly nonzero */
  167556. while (num_newnz > 0)
  167557. (*block)[newnz_pos[--num_newnz]] = 0;
  167558. return FALSE;
  167559. }
  167560. /*
  167561. * Module initialization routine for progressive Huffman entropy decoding.
  167562. */
  167563. GLOBAL(void)
  167564. jinit_phuff_decoder (j_decompress_ptr cinfo)
  167565. {
  167566. phuff_entropy_ptr2 entropy;
  167567. int *coef_bit_ptr;
  167568. int ci, i;
  167569. entropy = (phuff_entropy_ptr2)
  167570. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  167571. SIZEOF(phuff_entropy_decoder));
  167572. cinfo->entropy = (struct jpeg_entropy_decoder *) entropy;
  167573. entropy->pub.start_pass = start_pass_phuff_decoder;
  167574. /* Mark derived tables unallocated */
  167575. for (i = 0; i < NUM_HUFF_TBLS; i++) {
  167576. entropy->derived_tbls[i] = NULL;
  167577. }
  167578. /* Create progression status table */
  167579. cinfo->coef_bits = (int (*)[DCTSIZE2])
  167580. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  167581. cinfo->num_components*DCTSIZE2*SIZEOF(int));
  167582. coef_bit_ptr = & cinfo->coef_bits[0][0];
  167583. for (ci = 0; ci < cinfo->num_components; ci++)
  167584. for (i = 0; i < DCTSIZE2; i++)
  167585. *coef_bit_ptr++ = -1;
  167586. }
  167587. #endif /* D_PROGRESSIVE_SUPPORTED */
  167588. /********* End of inlined file: jdphuff.c *********/
  167589. /********* Start of inlined file: jdpostct.c *********/
  167590. #define JPEG_INTERNALS
  167591. /* Private buffer controller object */
  167592. typedef struct {
  167593. struct jpeg_d_post_controller pub; /* public fields */
  167594. /* Color quantization source buffer: this holds output data from
  167595. * the upsample/color conversion step to be passed to the quantizer.
  167596. * For two-pass color quantization, we need a full-image buffer;
  167597. * for one-pass operation, a strip buffer is sufficient.
  167598. */
  167599. jvirt_sarray_ptr whole_image; /* virtual array, or NULL if one-pass */
  167600. JSAMPARRAY buffer; /* strip buffer, or current strip of virtual */
  167601. JDIMENSION strip_height; /* buffer size in rows */
  167602. /* for two-pass mode only: */
  167603. JDIMENSION starting_row; /* row # of first row in current strip */
  167604. JDIMENSION next_row; /* index of next row to fill/empty in strip */
  167605. } my_post_controller;
  167606. typedef my_post_controller * my_post_ptr;
  167607. /* Forward declarations */
  167608. METHODDEF(void) post_process_1pass
  167609. JPP((j_decompress_ptr cinfo,
  167610. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  167611. JDIMENSION in_row_groups_avail,
  167612. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  167613. JDIMENSION out_rows_avail));
  167614. #ifdef QUANT_2PASS_SUPPORTED
  167615. METHODDEF(void) post_process_prepass
  167616. JPP((j_decompress_ptr cinfo,
  167617. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  167618. JDIMENSION in_row_groups_avail,
  167619. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  167620. JDIMENSION out_rows_avail));
  167621. METHODDEF(void) post_process_2pass
  167622. JPP((j_decompress_ptr cinfo,
  167623. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  167624. JDIMENSION in_row_groups_avail,
  167625. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  167626. JDIMENSION out_rows_avail));
  167627. #endif
  167628. /*
  167629. * Initialize for a processing pass.
  167630. */
  167631. METHODDEF(void)
  167632. start_pass_dpost (j_decompress_ptr cinfo, J_BUF_MODE pass_mode)
  167633. {
  167634. my_post_ptr post = (my_post_ptr) cinfo->post;
  167635. switch (pass_mode) {
  167636. case JBUF_PASS_THRU:
  167637. if (cinfo->quantize_colors) {
  167638. /* Single-pass processing with color quantization. */
  167639. post->pub.post_process_data = post_process_1pass;
  167640. /* We could be doing buffered-image output before starting a 2-pass
  167641. * color quantization; in that case, jinit_d_post_controller did not
  167642. * allocate a strip buffer. Use the virtual-array buffer as workspace.
  167643. */
  167644. if (post->buffer == NULL) {
  167645. post->buffer = (*cinfo->mem->access_virt_sarray)
  167646. ((j_common_ptr) cinfo, post->whole_image,
  167647. (JDIMENSION) 0, post->strip_height, TRUE);
  167648. }
  167649. } else {
  167650. /* For single-pass processing without color quantization,
  167651. * I have no work to do; just call the upsampler directly.
  167652. */
  167653. post->pub.post_process_data = cinfo->upsample->upsample;
  167654. }
  167655. break;
  167656. #ifdef QUANT_2PASS_SUPPORTED
  167657. case JBUF_SAVE_AND_PASS:
  167658. /* First pass of 2-pass quantization */
  167659. if (post->whole_image == NULL)
  167660. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  167661. post->pub.post_process_data = post_process_prepass;
  167662. break;
  167663. case JBUF_CRANK_DEST:
  167664. /* Second pass of 2-pass quantization */
  167665. if (post->whole_image == NULL)
  167666. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  167667. post->pub.post_process_data = post_process_2pass;
  167668. break;
  167669. #endif /* QUANT_2PASS_SUPPORTED */
  167670. default:
  167671. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  167672. break;
  167673. }
  167674. post->starting_row = post->next_row = 0;
  167675. }
  167676. /*
  167677. * Process some data in the one-pass (strip buffer) case.
  167678. * This is used for color precision reduction as well as one-pass quantization.
  167679. */
  167680. METHODDEF(void)
  167681. post_process_1pass (j_decompress_ptr cinfo,
  167682. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  167683. JDIMENSION in_row_groups_avail,
  167684. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  167685. JDIMENSION out_rows_avail)
  167686. {
  167687. my_post_ptr post = (my_post_ptr) cinfo->post;
  167688. JDIMENSION num_rows, max_rows;
  167689. /* Fill the buffer, but not more than what we can dump out in one go. */
  167690. /* Note we rely on the upsampler to detect bottom of image. */
  167691. max_rows = out_rows_avail - *out_row_ctr;
  167692. if (max_rows > post->strip_height)
  167693. max_rows = post->strip_height;
  167694. num_rows = 0;
  167695. (*cinfo->upsample->upsample) (cinfo,
  167696. input_buf, in_row_group_ctr, in_row_groups_avail,
  167697. post->buffer, &num_rows, max_rows);
  167698. /* Quantize and emit data. */
  167699. (*cinfo->cquantize->color_quantize) (cinfo,
  167700. post->buffer, output_buf + *out_row_ctr, (int) num_rows);
  167701. *out_row_ctr += num_rows;
  167702. }
  167703. #ifdef QUANT_2PASS_SUPPORTED
  167704. /*
  167705. * Process some data in the first pass of 2-pass quantization.
  167706. */
  167707. METHODDEF(void)
  167708. post_process_prepass (j_decompress_ptr cinfo,
  167709. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  167710. JDIMENSION in_row_groups_avail,
  167711. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  167712. JDIMENSION out_rows_avail)
  167713. {
  167714. my_post_ptr post = (my_post_ptr) cinfo->post;
  167715. JDIMENSION old_next_row, num_rows;
  167716. /* Reposition virtual buffer if at start of strip. */
  167717. if (post->next_row == 0) {
  167718. post->buffer = (*cinfo->mem->access_virt_sarray)
  167719. ((j_common_ptr) cinfo, post->whole_image,
  167720. post->starting_row, post->strip_height, TRUE);
  167721. }
  167722. /* Upsample some data (up to a strip height's worth). */
  167723. old_next_row = post->next_row;
  167724. (*cinfo->upsample->upsample) (cinfo,
  167725. input_buf, in_row_group_ctr, in_row_groups_avail,
  167726. post->buffer, &post->next_row, post->strip_height);
  167727. /* Allow quantizer to scan new data. No data is emitted, */
  167728. /* but we advance out_row_ctr so outer loop can tell when we're done. */
  167729. if (post->next_row > old_next_row) {
  167730. num_rows = post->next_row - old_next_row;
  167731. (*cinfo->cquantize->color_quantize) (cinfo, post->buffer + old_next_row,
  167732. (JSAMPARRAY) NULL, (int) num_rows);
  167733. *out_row_ctr += num_rows;
  167734. }
  167735. /* Advance if we filled the strip. */
  167736. if (post->next_row >= post->strip_height) {
  167737. post->starting_row += post->strip_height;
  167738. post->next_row = 0;
  167739. }
  167740. }
  167741. /*
  167742. * Process some data in the second pass of 2-pass quantization.
  167743. */
  167744. METHODDEF(void)
  167745. post_process_2pass (j_decompress_ptr cinfo,
  167746. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  167747. JDIMENSION in_row_groups_avail,
  167748. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  167749. JDIMENSION out_rows_avail)
  167750. {
  167751. my_post_ptr post = (my_post_ptr) cinfo->post;
  167752. JDIMENSION num_rows, max_rows;
  167753. /* Reposition virtual buffer if at start of strip. */
  167754. if (post->next_row == 0) {
  167755. post->buffer = (*cinfo->mem->access_virt_sarray)
  167756. ((j_common_ptr) cinfo, post->whole_image,
  167757. post->starting_row, post->strip_height, FALSE);
  167758. }
  167759. /* Determine number of rows to emit. */
  167760. num_rows = post->strip_height - post->next_row; /* available in strip */
  167761. max_rows = out_rows_avail - *out_row_ctr; /* available in output area */
  167762. if (num_rows > max_rows)
  167763. num_rows = max_rows;
  167764. /* We have to check bottom of image here, can't depend on upsampler. */
  167765. max_rows = cinfo->output_height - post->starting_row;
  167766. if (num_rows > max_rows)
  167767. num_rows = max_rows;
  167768. /* Quantize and emit data. */
  167769. (*cinfo->cquantize->color_quantize) (cinfo,
  167770. post->buffer + post->next_row, output_buf + *out_row_ctr,
  167771. (int) num_rows);
  167772. *out_row_ctr += num_rows;
  167773. /* Advance if we filled the strip. */
  167774. post->next_row += num_rows;
  167775. if (post->next_row >= post->strip_height) {
  167776. post->starting_row += post->strip_height;
  167777. post->next_row = 0;
  167778. }
  167779. }
  167780. #endif /* QUANT_2PASS_SUPPORTED */
  167781. /*
  167782. * Initialize postprocessing controller.
  167783. */
  167784. GLOBAL(void)
  167785. jinit_d_post_controller (j_decompress_ptr cinfo, boolean need_full_buffer)
  167786. {
  167787. my_post_ptr post;
  167788. post = (my_post_ptr)
  167789. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  167790. SIZEOF(my_post_controller));
  167791. cinfo->post = (struct jpeg_d_post_controller *) post;
  167792. post->pub.start_pass = start_pass_dpost;
  167793. post->whole_image = NULL; /* flag for no virtual arrays */
  167794. post->buffer = NULL; /* flag for no strip buffer */
  167795. /* Create the quantization buffer, if needed */
  167796. if (cinfo->quantize_colors) {
  167797. /* The buffer strip height is max_v_samp_factor, which is typically
  167798. * an efficient number of rows for upsampling to return.
  167799. * (In the presence of output rescaling, we might want to be smarter?)
  167800. */
  167801. post->strip_height = (JDIMENSION) cinfo->max_v_samp_factor;
  167802. if (need_full_buffer) {
  167803. /* Two-pass color quantization: need full-image storage. */
  167804. /* We round up the number of rows to a multiple of the strip height. */
  167805. #ifdef QUANT_2PASS_SUPPORTED
  167806. post->whole_image = (*cinfo->mem->request_virt_sarray)
  167807. ((j_common_ptr) cinfo, JPOOL_IMAGE, FALSE,
  167808. cinfo->output_width * cinfo->out_color_components,
  167809. (JDIMENSION) jround_up((long) cinfo->output_height,
  167810. (long) post->strip_height),
  167811. post->strip_height);
  167812. #else
  167813. ERREXIT(cinfo, JERR_BAD_BUFFER_MODE);
  167814. #endif /* QUANT_2PASS_SUPPORTED */
  167815. } else {
  167816. /* One-pass color quantization: just make a strip buffer. */
  167817. post->buffer = (*cinfo->mem->alloc_sarray)
  167818. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  167819. cinfo->output_width * cinfo->out_color_components,
  167820. post->strip_height);
  167821. }
  167822. }
  167823. }
  167824. /********* End of inlined file: jdpostct.c *********/
  167825. #undef FIX
  167826. /********* Start of inlined file: jdsample.c *********/
  167827. #define JPEG_INTERNALS
  167828. /* Pointer to routine to upsample a single component */
  167829. typedef JMETHOD(void, upsample1_ptr,
  167830. (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  167831. JSAMPARRAY input_data, JSAMPARRAY * output_data_ptr));
  167832. /* Private subobject */
  167833. typedef struct {
  167834. struct jpeg_upsampler pub; /* public fields */
  167835. /* Color conversion buffer. When using separate upsampling and color
  167836. * conversion steps, this buffer holds one upsampled row group until it
  167837. * has been color converted and output.
  167838. * Note: we do not allocate any storage for component(s) which are full-size,
  167839. * ie do not need rescaling. The corresponding entry of color_buf[] is
  167840. * simply set to point to the input data array, thereby avoiding copying.
  167841. */
  167842. JSAMPARRAY color_buf[MAX_COMPONENTS];
  167843. /* Per-component upsampling method pointers */
  167844. upsample1_ptr methods[MAX_COMPONENTS];
  167845. int next_row_out; /* counts rows emitted from color_buf */
  167846. JDIMENSION rows_to_go; /* counts rows remaining in image */
  167847. /* Height of an input row group for each component. */
  167848. int rowgroup_height[MAX_COMPONENTS];
  167849. /* These arrays save pixel expansion factors so that int_expand need not
  167850. * recompute them each time. They are unused for other upsampling methods.
  167851. */
  167852. UINT8 h_expand[MAX_COMPONENTS];
  167853. UINT8 v_expand[MAX_COMPONENTS];
  167854. } my_upsampler2;
  167855. typedef my_upsampler2 * my_upsample_ptr2;
  167856. /*
  167857. * Initialize for an upsampling pass.
  167858. */
  167859. METHODDEF(void)
  167860. start_pass_upsample (j_decompress_ptr cinfo)
  167861. {
  167862. my_upsample_ptr2 upsample = (my_upsample_ptr2) cinfo->upsample;
  167863. /* Mark the conversion buffer empty */
  167864. upsample->next_row_out = cinfo->max_v_samp_factor;
  167865. /* Initialize total-height counter for detecting bottom of image */
  167866. upsample->rows_to_go = cinfo->output_height;
  167867. }
  167868. /*
  167869. * Control routine to do upsampling (and color conversion).
  167870. *
  167871. * In this version we upsample each component independently.
  167872. * We upsample one row group into the conversion buffer, then apply
  167873. * color conversion a row at a time.
  167874. */
  167875. METHODDEF(void)
  167876. sep_upsample (j_decompress_ptr cinfo,
  167877. JSAMPIMAGE input_buf, JDIMENSION *in_row_group_ctr,
  167878. JDIMENSION in_row_groups_avail,
  167879. JSAMPARRAY output_buf, JDIMENSION *out_row_ctr,
  167880. JDIMENSION out_rows_avail)
  167881. {
  167882. my_upsample_ptr2 upsample = (my_upsample_ptr2) cinfo->upsample;
  167883. int ci;
  167884. jpeg_component_info * compptr;
  167885. JDIMENSION num_rows;
  167886. /* Fill the conversion buffer, if it's empty */
  167887. if (upsample->next_row_out >= cinfo->max_v_samp_factor) {
  167888. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  167889. ci++, compptr++) {
  167890. /* Invoke per-component upsample method. Notice we pass a POINTER
  167891. * to color_buf[ci], so that fullsize_upsample can change it.
  167892. */
  167893. (*upsample->methods[ci]) (cinfo, compptr,
  167894. input_buf[ci] + (*in_row_group_ctr * upsample->rowgroup_height[ci]),
  167895. upsample->color_buf + ci);
  167896. }
  167897. upsample->next_row_out = 0;
  167898. }
  167899. /* Color-convert and emit rows */
  167900. /* How many we have in the buffer: */
  167901. num_rows = (JDIMENSION) (cinfo->max_v_samp_factor - upsample->next_row_out);
  167902. /* Not more than the distance to the end of the image. Need this test
  167903. * in case the image height is not a multiple of max_v_samp_factor:
  167904. */
  167905. if (num_rows > upsample->rows_to_go)
  167906. num_rows = upsample->rows_to_go;
  167907. /* And not more than what the client can accept: */
  167908. out_rows_avail -= *out_row_ctr;
  167909. if (num_rows > out_rows_avail)
  167910. num_rows = out_rows_avail;
  167911. (*cinfo->cconvert->color_convert) (cinfo, upsample->color_buf,
  167912. (JDIMENSION) upsample->next_row_out,
  167913. output_buf + *out_row_ctr,
  167914. (int) num_rows);
  167915. /* Adjust counts */
  167916. *out_row_ctr += num_rows;
  167917. upsample->rows_to_go -= num_rows;
  167918. upsample->next_row_out += num_rows;
  167919. /* When the buffer is emptied, declare this input row group consumed */
  167920. if (upsample->next_row_out >= cinfo->max_v_samp_factor)
  167921. (*in_row_group_ctr)++;
  167922. }
  167923. /*
  167924. * These are the routines invoked by sep_upsample to upsample pixel values
  167925. * of a single component. One row group is processed per call.
  167926. */
  167927. /*
  167928. * For full-size components, we just make color_buf[ci] point at the
  167929. * input buffer, and thus avoid copying any data. Note that this is
  167930. * safe only because sep_upsample doesn't declare the input row group
  167931. * "consumed" until we are done color converting and emitting it.
  167932. */
  167933. METHODDEF(void)
  167934. fullsize_upsample (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  167935. JSAMPARRAY input_data, JSAMPARRAY * output_data_ptr)
  167936. {
  167937. *output_data_ptr = input_data;
  167938. }
  167939. /*
  167940. * This is a no-op version used for "uninteresting" components.
  167941. * These components will not be referenced by color conversion.
  167942. */
  167943. METHODDEF(void)
  167944. noop_upsample (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  167945. JSAMPARRAY input_data, JSAMPARRAY * output_data_ptr)
  167946. {
  167947. *output_data_ptr = NULL; /* safety check */
  167948. }
  167949. /*
  167950. * This version handles any integral sampling ratios.
  167951. * This is not used for typical JPEG files, so it need not be fast.
  167952. * Nor, for that matter, is it particularly accurate: the algorithm is
  167953. * simple replication of the input pixel onto the corresponding output
  167954. * pixels. The hi-falutin sampling literature refers to this as a
  167955. * "box filter". A box filter tends to introduce visible artifacts,
  167956. * so if you are actually going to use 3:1 or 4:1 sampling ratios
  167957. * you would be well advised to improve this code.
  167958. */
  167959. METHODDEF(void)
  167960. int_upsample (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  167961. JSAMPARRAY input_data, JSAMPARRAY * output_data_ptr)
  167962. {
  167963. my_upsample_ptr2 upsample = (my_upsample_ptr2) cinfo->upsample;
  167964. JSAMPARRAY output_data = *output_data_ptr;
  167965. register JSAMPROW inptr, outptr;
  167966. register JSAMPLE invalue;
  167967. register int h;
  167968. JSAMPROW outend;
  167969. int h_expand, v_expand;
  167970. int inrow, outrow;
  167971. h_expand = upsample->h_expand[compptr->component_index];
  167972. v_expand = upsample->v_expand[compptr->component_index];
  167973. inrow = outrow = 0;
  167974. while (outrow < cinfo->max_v_samp_factor) {
  167975. /* Generate one output row with proper horizontal expansion */
  167976. inptr = input_data[inrow];
  167977. outptr = output_data[outrow];
  167978. outend = outptr + cinfo->output_width;
  167979. while (outptr < outend) {
  167980. invalue = *inptr++; /* don't need GETJSAMPLE() here */
  167981. for (h = h_expand; h > 0; h--) {
  167982. *outptr++ = invalue;
  167983. }
  167984. }
  167985. /* Generate any additional output rows by duplicating the first one */
  167986. if (v_expand > 1) {
  167987. jcopy_sample_rows(output_data, outrow, output_data, outrow+1,
  167988. v_expand-1, cinfo->output_width);
  167989. }
  167990. inrow++;
  167991. outrow += v_expand;
  167992. }
  167993. }
  167994. /*
  167995. * Fast processing for the common case of 2:1 horizontal and 1:1 vertical.
  167996. * It's still a box filter.
  167997. */
  167998. METHODDEF(void)
  167999. h2v1_upsample (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  168000. JSAMPARRAY input_data, JSAMPARRAY * output_data_ptr)
  168001. {
  168002. JSAMPARRAY output_data = *output_data_ptr;
  168003. register JSAMPROW inptr, outptr;
  168004. register JSAMPLE invalue;
  168005. JSAMPROW outend;
  168006. int inrow;
  168007. for (inrow = 0; inrow < cinfo->max_v_samp_factor; inrow++) {
  168008. inptr = input_data[inrow];
  168009. outptr = output_data[inrow];
  168010. outend = outptr + cinfo->output_width;
  168011. while (outptr < outend) {
  168012. invalue = *inptr++; /* don't need GETJSAMPLE() here */
  168013. *outptr++ = invalue;
  168014. *outptr++ = invalue;
  168015. }
  168016. }
  168017. }
  168018. /*
  168019. * Fast processing for the common case of 2:1 horizontal and 2:1 vertical.
  168020. * It's still a box filter.
  168021. */
  168022. METHODDEF(void)
  168023. h2v2_upsample (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  168024. JSAMPARRAY input_data, JSAMPARRAY * output_data_ptr)
  168025. {
  168026. JSAMPARRAY output_data = *output_data_ptr;
  168027. register JSAMPROW inptr, outptr;
  168028. register JSAMPLE invalue;
  168029. JSAMPROW outend;
  168030. int inrow, outrow;
  168031. inrow = outrow = 0;
  168032. while (outrow < cinfo->max_v_samp_factor) {
  168033. inptr = input_data[inrow];
  168034. outptr = output_data[outrow];
  168035. outend = outptr + cinfo->output_width;
  168036. while (outptr < outend) {
  168037. invalue = *inptr++; /* don't need GETJSAMPLE() here */
  168038. *outptr++ = invalue;
  168039. *outptr++ = invalue;
  168040. }
  168041. jcopy_sample_rows(output_data, outrow, output_data, outrow+1,
  168042. 1, cinfo->output_width);
  168043. inrow++;
  168044. outrow += 2;
  168045. }
  168046. }
  168047. /*
  168048. * Fancy processing for the common case of 2:1 horizontal and 1:1 vertical.
  168049. *
  168050. * The upsampling algorithm is linear interpolation between pixel centers,
  168051. * also known as a "triangle filter". This is a good compromise between
  168052. * speed and visual quality. The centers of the output pixels are 1/4 and 3/4
  168053. * of the way between input pixel centers.
  168054. *
  168055. * A note about the "bias" calculations: when rounding fractional values to
  168056. * integer, we do not want to always round 0.5 up to the next integer.
  168057. * If we did that, we'd introduce a noticeable bias towards larger values.
  168058. * Instead, this code is arranged so that 0.5 will be rounded up or down at
  168059. * alternate pixel locations (a simple ordered dither pattern).
  168060. */
  168061. METHODDEF(void)
  168062. h2v1_fancy_upsample (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  168063. JSAMPARRAY input_data, JSAMPARRAY * output_data_ptr)
  168064. {
  168065. JSAMPARRAY output_data = *output_data_ptr;
  168066. register JSAMPROW inptr, outptr;
  168067. register int invalue;
  168068. register JDIMENSION colctr;
  168069. int inrow;
  168070. for (inrow = 0; inrow < cinfo->max_v_samp_factor; inrow++) {
  168071. inptr = input_data[inrow];
  168072. outptr = output_data[inrow];
  168073. /* Special case for first column */
  168074. invalue = GETJSAMPLE(*inptr++);
  168075. *outptr++ = (JSAMPLE) invalue;
  168076. *outptr++ = (JSAMPLE) ((invalue * 3 + GETJSAMPLE(*inptr) + 2) >> 2);
  168077. for (colctr = compptr->downsampled_width - 2; colctr > 0; colctr--) {
  168078. /* General case: 3/4 * nearer pixel + 1/4 * further pixel */
  168079. invalue = GETJSAMPLE(*inptr++) * 3;
  168080. *outptr++ = (JSAMPLE) ((invalue + GETJSAMPLE(inptr[-2]) + 1) >> 2);
  168081. *outptr++ = (JSAMPLE) ((invalue + GETJSAMPLE(*inptr) + 2) >> 2);
  168082. }
  168083. /* Special case for last column */
  168084. invalue = GETJSAMPLE(*inptr);
  168085. *outptr++ = (JSAMPLE) ((invalue * 3 + GETJSAMPLE(inptr[-1]) + 1) >> 2);
  168086. *outptr++ = (JSAMPLE) invalue;
  168087. }
  168088. }
  168089. /*
  168090. * Fancy processing for the common case of 2:1 horizontal and 2:1 vertical.
  168091. * Again a triangle filter; see comments for h2v1 case, above.
  168092. *
  168093. * It is OK for us to reference the adjacent input rows because we demanded
  168094. * context from the main buffer controller (see initialization code).
  168095. */
  168096. METHODDEF(void)
  168097. h2v2_fancy_upsample (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  168098. JSAMPARRAY input_data, JSAMPARRAY * output_data_ptr)
  168099. {
  168100. JSAMPARRAY output_data = *output_data_ptr;
  168101. register JSAMPROW inptr0, inptr1, outptr;
  168102. #if BITS_IN_JSAMPLE == 8
  168103. register int thiscolsum, lastcolsum, nextcolsum;
  168104. #else
  168105. register INT32 thiscolsum, lastcolsum, nextcolsum;
  168106. #endif
  168107. register JDIMENSION colctr;
  168108. int inrow, outrow, v;
  168109. inrow = outrow = 0;
  168110. while (outrow < cinfo->max_v_samp_factor) {
  168111. for (v = 0; v < 2; v++) {
  168112. /* inptr0 points to nearest input row, inptr1 points to next nearest */
  168113. inptr0 = input_data[inrow];
  168114. if (v == 0) /* next nearest is row above */
  168115. inptr1 = input_data[inrow-1];
  168116. else /* next nearest is row below */
  168117. inptr1 = input_data[inrow+1];
  168118. outptr = output_data[outrow++];
  168119. /* Special case for first column */
  168120. thiscolsum = GETJSAMPLE(*inptr0++) * 3 + GETJSAMPLE(*inptr1++);
  168121. nextcolsum = GETJSAMPLE(*inptr0++) * 3 + GETJSAMPLE(*inptr1++);
  168122. *outptr++ = (JSAMPLE) ((thiscolsum * 4 + 8) >> 4);
  168123. *outptr++ = (JSAMPLE) ((thiscolsum * 3 + nextcolsum + 7) >> 4);
  168124. lastcolsum = thiscolsum; thiscolsum = nextcolsum;
  168125. for (colctr = compptr->downsampled_width - 2; colctr > 0; colctr--) {
  168126. /* General case: 3/4 * nearer pixel + 1/4 * further pixel in each */
  168127. /* dimension, thus 9/16, 3/16, 3/16, 1/16 overall */
  168128. nextcolsum = GETJSAMPLE(*inptr0++) * 3 + GETJSAMPLE(*inptr1++);
  168129. *outptr++ = (JSAMPLE) ((thiscolsum * 3 + lastcolsum + 8) >> 4);
  168130. *outptr++ = (JSAMPLE) ((thiscolsum * 3 + nextcolsum + 7) >> 4);
  168131. lastcolsum = thiscolsum; thiscolsum = nextcolsum;
  168132. }
  168133. /* Special case for last column */
  168134. *outptr++ = (JSAMPLE) ((thiscolsum * 3 + lastcolsum + 8) >> 4);
  168135. *outptr++ = (JSAMPLE) ((thiscolsum * 4 + 7) >> 4);
  168136. }
  168137. inrow++;
  168138. }
  168139. }
  168140. /*
  168141. * Module initialization routine for upsampling.
  168142. */
  168143. GLOBAL(void)
  168144. jinit_upsampler (j_decompress_ptr cinfo)
  168145. {
  168146. my_upsample_ptr2 upsample;
  168147. int ci;
  168148. jpeg_component_info * compptr;
  168149. boolean need_buffer, do_fancy;
  168150. int h_in_group, v_in_group, h_out_group, v_out_group;
  168151. upsample = (my_upsample_ptr2)
  168152. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  168153. SIZEOF(my_upsampler2));
  168154. cinfo->upsample = (struct jpeg_upsampler *) upsample;
  168155. upsample->pub.start_pass = start_pass_upsample;
  168156. upsample->pub.upsample = sep_upsample;
  168157. upsample->pub.need_context_rows = FALSE; /* until we find out differently */
  168158. if (cinfo->CCIR601_sampling) /* this isn't supported */
  168159. ERREXIT(cinfo, JERR_CCIR601_NOTIMPL);
  168160. /* jdmainct.c doesn't support context rows when min_DCT_scaled_size = 1,
  168161. * so don't ask for it.
  168162. */
  168163. do_fancy = cinfo->do_fancy_upsampling && cinfo->min_DCT_scaled_size > 1;
  168164. /* Verify we can handle the sampling factors, select per-component methods,
  168165. * and create storage as needed.
  168166. */
  168167. for (ci = 0, compptr = cinfo->comp_info; ci < cinfo->num_components;
  168168. ci++, compptr++) {
  168169. /* Compute size of an "input group" after IDCT scaling. This many samples
  168170. * are to be converted to max_h_samp_factor * max_v_samp_factor pixels.
  168171. */
  168172. h_in_group = (compptr->h_samp_factor * compptr->DCT_scaled_size) /
  168173. cinfo->min_DCT_scaled_size;
  168174. v_in_group = (compptr->v_samp_factor * compptr->DCT_scaled_size) /
  168175. cinfo->min_DCT_scaled_size;
  168176. h_out_group = cinfo->max_h_samp_factor;
  168177. v_out_group = cinfo->max_v_samp_factor;
  168178. upsample->rowgroup_height[ci] = v_in_group; /* save for use later */
  168179. need_buffer = TRUE;
  168180. if (! compptr->component_needed) {
  168181. /* Don't bother to upsample an uninteresting component. */
  168182. upsample->methods[ci] = noop_upsample;
  168183. need_buffer = FALSE;
  168184. } else if (h_in_group == h_out_group && v_in_group == v_out_group) {
  168185. /* Fullsize components can be processed without any work. */
  168186. upsample->methods[ci] = fullsize_upsample;
  168187. need_buffer = FALSE;
  168188. } else if (h_in_group * 2 == h_out_group &&
  168189. v_in_group == v_out_group) {
  168190. /* Special cases for 2h1v upsampling */
  168191. if (do_fancy && compptr->downsampled_width > 2)
  168192. upsample->methods[ci] = h2v1_fancy_upsample;
  168193. else
  168194. upsample->methods[ci] = h2v1_upsample;
  168195. } else if (h_in_group * 2 == h_out_group &&
  168196. v_in_group * 2 == v_out_group) {
  168197. /* Special cases for 2h2v upsampling */
  168198. if (do_fancy && compptr->downsampled_width > 2) {
  168199. upsample->methods[ci] = h2v2_fancy_upsample;
  168200. upsample->pub.need_context_rows = TRUE;
  168201. } else
  168202. upsample->methods[ci] = h2v2_upsample;
  168203. } else if ((h_out_group % h_in_group) == 0 &&
  168204. (v_out_group % v_in_group) == 0) {
  168205. /* Generic integral-factors upsampling method */
  168206. upsample->methods[ci] = int_upsample;
  168207. upsample->h_expand[ci] = (UINT8) (h_out_group / h_in_group);
  168208. upsample->v_expand[ci] = (UINT8) (v_out_group / v_in_group);
  168209. } else
  168210. ERREXIT(cinfo, JERR_FRACT_SAMPLE_NOTIMPL);
  168211. if (need_buffer) {
  168212. upsample->color_buf[ci] = (*cinfo->mem->alloc_sarray)
  168213. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  168214. (JDIMENSION) jround_up((long) cinfo->output_width,
  168215. (long) cinfo->max_h_samp_factor),
  168216. (JDIMENSION) cinfo->max_v_samp_factor);
  168217. }
  168218. }
  168219. }
  168220. /********* End of inlined file: jdsample.c *********/
  168221. /********* Start of inlined file: jdtrans.c *********/
  168222. #define JPEG_INTERNALS
  168223. /* Forward declarations */
  168224. LOCAL(void) transdecode_master_selection JPP((j_decompress_ptr cinfo));
  168225. /*
  168226. * Read the coefficient arrays from a JPEG file.
  168227. * jpeg_read_header must be completed before calling this.
  168228. *
  168229. * The entire image is read into a set of virtual coefficient-block arrays,
  168230. * one per component. The return value is a pointer to the array of
  168231. * virtual-array descriptors. These can be manipulated directly via the
  168232. * JPEG memory manager, or handed off to jpeg_write_coefficients().
  168233. * To release the memory occupied by the virtual arrays, call
  168234. * jpeg_finish_decompress() when done with the data.
  168235. *
  168236. * An alternative usage is to simply obtain access to the coefficient arrays
  168237. * during a buffered-image-mode decompression operation. This is allowed
  168238. * after any jpeg_finish_output() call. The arrays can be accessed until
  168239. * jpeg_finish_decompress() is called. (Note that any call to the library
  168240. * may reposition the arrays, so don't rely on access_virt_barray() results
  168241. * to stay valid across library calls.)
  168242. *
  168243. * Returns NULL if suspended. This case need be checked only if
  168244. * a suspending data source is used.
  168245. */
  168246. GLOBAL(jvirt_barray_ptr *)
  168247. jpeg_read_coefficients (j_decompress_ptr cinfo)
  168248. {
  168249. if (cinfo->global_state == DSTATE_READY) {
  168250. /* First call: initialize active modules */
  168251. transdecode_master_selection(cinfo);
  168252. cinfo->global_state = DSTATE_RDCOEFS;
  168253. }
  168254. if (cinfo->global_state == DSTATE_RDCOEFS) {
  168255. /* Absorb whole file into the coef buffer */
  168256. for (;;) {
  168257. int retcode;
  168258. /* Call progress monitor hook if present */
  168259. if (cinfo->progress != NULL)
  168260. (*cinfo->progress->progress_monitor) ((j_common_ptr) cinfo);
  168261. /* Absorb some more input */
  168262. retcode = (*cinfo->inputctl->consume_input) (cinfo);
  168263. if (retcode == JPEG_SUSPENDED)
  168264. return NULL;
  168265. if (retcode == JPEG_REACHED_EOI)
  168266. break;
  168267. /* Advance progress counter if appropriate */
  168268. if (cinfo->progress != NULL &&
  168269. (retcode == JPEG_ROW_COMPLETED || retcode == JPEG_REACHED_SOS)) {
  168270. if (++cinfo->progress->pass_counter >= cinfo->progress->pass_limit) {
  168271. /* startup underestimated number of scans; ratchet up one scan */
  168272. cinfo->progress->pass_limit += (long) cinfo->total_iMCU_rows;
  168273. }
  168274. }
  168275. }
  168276. /* Set state so that jpeg_finish_decompress does the right thing */
  168277. cinfo->global_state = DSTATE_STOPPING;
  168278. }
  168279. /* At this point we should be in state DSTATE_STOPPING if being used
  168280. * standalone, or in state DSTATE_BUFIMAGE if being invoked to get access
  168281. * to the coefficients during a full buffered-image-mode decompression.
  168282. */
  168283. if ((cinfo->global_state == DSTATE_STOPPING ||
  168284. cinfo->global_state == DSTATE_BUFIMAGE) && cinfo->buffered_image) {
  168285. return cinfo->coef->coef_arrays;
  168286. }
  168287. /* Oops, improper usage */
  168288. ERREXIT1(cinfo, JERR_BAD_STATE, cinfo->global_state);
  168289. return NULL; /* keep compiler happy */
  168290. }
  168291. /*
  168292. * Master selection of decompression modules for transcoding.
  168293. * This substitutes for jdmaster.c's initialization of the full decompressor.
  168294. */
  168295. LOCAL(void)
  168296. transdecode_master_selection (j_decompress_ptr cinfo)
  168297. {
  168298. /* This is effectively a buffered-image operation. */
  168299. cinfo->buffered_image = TRUE;
  168300. /* Entropy decoding: either Huffman or arithmetic coding. */
  168301. if (cinfo->arith_code) {
  168302. ERREXIT(cinfo, JERR_ARITH_NOTIMPL);
  168303. } else {
  168304. if (cinfo->progressive_mode) {
  168305. #ifdef D_PROGRESSIVE_SUPPORTED
  168306. jinit_phuff_decoder(cinfo);
  168307. #else
  168308. ERREXIT(cinfo, JERR_NOT_COMPILED);
  168309. #endif
  168310. } else
  168311. jinit_huff_decoder(cinfo);
  168312. }
  168313. /* Always get a full-image coefficient buffer. */
  168314. jinit_d_coef_controller(cinfo, TRUE);
  168315. /* We can now tell the memory manager to allocate virtual arrays. */
  168316. (*cinfo->mem->realize_virt_arrays) ((j_common_ptr) cinfo);
  168317. /* Initialize input side of decompressor to consume first scan. */
  168318. (*cinfo->inputctl->start_input_pass) (cinfo);
  168319. /* Initialize progress monitoring. */
  168320. if (cinfo->progress != NULL) {
  168321. int nscans;
  168322. /* Estimate number of scans to set pass_limit. */
  168323. if (cinfo->progressive_mode) {
  168324. /* Arbitrarily estimate 2 interleaved DC scans + 3 AC scans/component. */
  168325. nscans = 2 + 3 * cinfo->num_components;
  168326. } else if (cinfo->inputctl->has_multiple_scans) {
  168327. /* For a nonprogressive multiscan file, estimate 1 scan per component. */
  168328. nscans = cinfo->num_components;
  168329. } else {
  168330. nscans = 1;
  168331. }
  168332. cinfo->progress->pass_counter = 0L;
  168333. cinfo->progress->pass_limit = (long) cinfo->total_iMCU_rows * nscans;
  168334. cinfo->progress->completed_passes = 0;
  168335. cinfo->progress->total_passes = 1;
  168336. }
  168337. }
  168338. /********* End of inlined file: jdtrans.c *********/
  168339. /********* Start of inlined file: jfdctflt.c *********/
  168340. #define JPEG_INTERNALS
  168341. #ifdef DCT_FLOAT_SUPPORTED
  168342. /*
  168343. * This module is specialized to the case DCTSIZE = 8.
  168344. */
  168345. #if DCTSIZE != 8
  168346. Sorry, this code only copes with 8x8 DCTs. /* deliberate syntax err */
  168347. #endif
  168348. /*
  168349. * Perform the forward DCT on one block of samples.
  168350. */
  168351. GLOBAL(void)
  168352. jpeg_fdct_float (FAST_FLOAT * data)
  168353. {
  168354. FAST_FLOAT tmp0, tmp1, tmp2, tmp3, tmp4, tmp5, tmp6, tmp7;
  168355. FAST_FLOAT tmp10, tmp11, tmp12, tmp13;
  168356. FAST_FLOAT z1, z2, z3, z4, z5, z11, z13;
  168357. FAST_FLOAT *dataptr;
  168358. int ctr;
  168359. /* Pass 1: process rows. */
  168360. dataptr = data;
  168361. for (ctr = DCTSIZE-1; ctr >= 0; ctr--) {
  168362. tmp0 = dataptr[0] + dataptr[7];
  168363. tmp7 = dataptr[0] - dataptr[7];
  168364. tmp1 = dataptr[1] + dataptr[6];
  168365. tmp6 = dataptr[1] - dataptr[6];
  168366. tmp2 = dataptr[2] + dataptr[5];
  168367. tmp5 = dataptr[2] - dataptr[5];
  168368. tmp3 = dataptr[3] + dataptr[4];
  168369. tmp4 = dataptr[3] - dataptr[4];
  168370. /* Even part */
  168371. tmp10 = tmp0 + tmp3; /* phase 2 */
  168372. tmp13 = tmp0 - tmp3;
  168373. tmp11 = tmp1 + tmp2;
  168374. tmp12 = tmp1 - tmp2;
  168375. dataptr[0] = tmp10 + tmp11; /* phase 3 */
  168376. dataptr[4] = tmp10 - tmp11;
  168377. z1 = (tmp12 + tmp13) * ((FAST_FLOAT) 0.707106781); /* c4 */
  168378. dataptr[2] = tmp13 + z1; /* phase 5 */
  168379. dataptr[6] = tmp13 - z1;
  168380. /* Odd part */
  168381. tmp10 = tmp4 + tmp5; /* phase 2 */
  168382. tmp11 = tmp5 + tmp6;
  168383. tmp12 = tmp6 + tmp7;
  168384. /* The rotator is modified from fig 4-8 to avoid extra negations. */
  168385. z5 = (tmp10 - tmp12) * ((FAST_FLOAT) 0.382683433); /* c6 */
  168386. z2 = ((FAST_FLOAT) 0.541196100) * tmp10 + z5; /* c2-c6 */
  168387. z4 = ((FAST_FLOAT) 1.306562965) * tmp12 + z5; /* c2+c6 */
  168388. z3 = tmp11 * ((FAST_FLOAT) 0.707106781); /* c4 */
  168389. z11 = tmp7 + z3; /* phase 5 */
  168390. z13 = tmp7 - z3;
  168391. dataptr[5] = z13 + z2; /* phase 6 */
  168392. dataptr[3] = z13 - z2;
  168393. dataptr[1] = z11 + z4;
  168394. dataptr[7] = z11 - z4;
  168395. dataptr += DCTSIZE; /* advance pointer to next row */
  168396. }
  168397. /* Pass 2: process columns. */
  168398. dataptr = data;
  168399. for (ctr = DCTSIZE-1; ctr >= 0; ctr--) {
  168400. tmp0 = dataptr[DCTSIZE*0] + dataptr[DCTSIZE*7];
  168401. tmp7 = dataptr[DCTSIZE*0] - dataptr[DCTSIZE*7];
  168402. tmp1 = dataptr[DCTSIZE*1] + dataptr[DCTSIZE*6];
  168403. tmp6 = dataptr[DCTSIZE*1] - dataptr[DCTSIZE*6];
  168404. tmp2 = dataptr[DCTSIZE*2] + dataptr[DCTSIZE*5];
  168405. tmp5 = dataptr[DCTSIZE*2] - dataptr[DCTSIZE*5];
  168406. tmp3 = dataptr[DCTSIZE*3] + dataptr[DCTSIZE*4];
  168407. tmp4 = dataptr[DCTSIZE*3] - dataptr[DCTSIZE*4];
  168408. /* Even part */
  168409. tmp10 = tmp0 + tmp3; /* phase 2 */
  168410. tmp13 = tmp0 - tmp3;
  168411. tmp11 = tmp1 + tmp2;
  168412. tmp12 = tmp1 - tmp2;
  168413. dataptr[DCTSIZE*0] = tmp10 + tmp11; /* phase 3 */
  168414. dataptr[DCTSIZE*4] = tmp10 - tmp11;
  168415. z1 = (tmp12 + tmp13) * ((FAST_FLOAT) 0.707106781); /* c4 */
  168416. dataptr[DCTSIZE*2] = tmp13 + z1; /* phase 5 */
  168417. dataptr[DCTSIZE*6] = tmp13 - z1;
  168418. /* Odd part */
  168419. tmp10 = tmp4 + tmp5; /* phase 2 */
  168420. tmp11 = tmp5 + tmp6;
  168421. tmp12 = tmp6 + tmp7;
  168422. /* The rotator is modified from fig 4-8 to avoid extra negations. */
  168423. z5 = (tmp10 - tmp12) * ((FAST_FLOAT) 0.382683433); /* c6 */
  168424. z2 = ((FAST_FLOAT) 0.541196100) * tmp10 + z5; /* c2-c6 */
  168425. z4 = ((FAST_FLOAT) 1.306562965) * tmp12 + z5; /* c2+c6 */
  168426. z3 = tmp11 * ((FAST_FLOAT) 0.707106781); /* c4 */
  168427. z11 = tmp7 + z3; /* phase 5 */
  168428. z13 = tmp7 - z3;
  168429. dataptr[DCTSIZE*5] = z13 + z2; /* phase 6 */
  168430. dataptr[DCTSIZE*3] = z13 - z2;
  168431. dataptr[DCTSIZE*1] = z11 + z4;
  168432. dataptr[DCTSIZE*7] = z11 - z4;
  168433. dataptr++; /* advance pointer to next column */
  168434. }
  168435. }
  168436. #endif /* DCT_FLOAT_SUPPORTED */
  168437. /********* End of inlined file: jfdctflt.c *********/
  168438. /********* Start of inlined file: jfdctint.c *********/
  168439. #define JPEG_INTERNALS
  168440. #ifdef DCT_ISLOW_SUPPORTED
  168441. /*
  168442. * This module is specialized to the case DCTSIZE = 8.
  168443. */
  168444. #if DCTSIZE != 8
  168445. Sorry, this code only copes with 8x8 DCTs. /* deliberate syntax err */
  168446. #endif
  168447. /*
  168448. * The poop on this scaling stuff is as follows:
  168449. *
  168450. * Each 1-D DCT step produces outputs which are a factor of sqrt(N)
  168451. * larger than the true DCT outputs. The final outputs are therefore
  168452. * a factor of N larger than desired; since N=8 this can be cured by
  168453. * a simple right shift at the end of the algorithm. The advantage of
  168454. * this arrangement is that we save two multiplications per 1-D DCT,
  168455. * because the y0 and y4 outputs need not be divided by sqrt(N).
  168456. * In the IJG code, this factor of 8 is removed by the quantization step
  168457. * (in jcdctmgr.c), NOT in this module.
  168458. *
  168459. * We have to do addition and subtraction of the integer inputs, which
  168460. * is no problem, and multiplication by fractional constants, which is
  168461. * a problem to do in integer arithmetic. We multiply all the constants
  168462. * by CONST_SCALE and convert them to integer constants (thus retaining
  168463. * CONST_BITS bits of precision in the constants). After doing a
  168464. * multiplication we have to divide the product by CONST_SCALE, with proper
  168465. * rounding, to produce the correct output. This division can be done
  168466. * cheaply as a right shift of CONST_BITS bits. We postpone shifting
  168467. * as long as possible so that partial sums can be added together with
  168468. * full fractional precision.
  168469. *
  168470. * The outputs of the first pass are scaled up by PASS1_BITS bits so that
  168471. * they are represented to better-than-integral precision. These outputs
  168472. * require BITS_IN_JSAMPLE + PASS1_BITS + 3 bits; this fits in a 16-bit word
  168473. * with the recommended scaling. (For 12-bit sample data, the intermediate
  168474. * array is INT32 anyway.)
  168475. *
  168476. * To avoid overflow of the 32-bit intermediate results in pass 2, we must
  168477. * have BITS_IN_JSAMPLE + CONST_BITS + PASS1_BITS <= 26. Error analysis
  168478. * shows that the values given below are the most effective.
  168479. */
  168480. #if BITS_IN_JSAMPLE == 8
  168481. #define CONST_BITS 13
  168482. #define PASS1_BITS 2
  168483. #else
  168484. #define CONST_BITS 13
  168485. #define PASS1_BITS 1 /* lose a little precision to avoid overflow */
  168486. #endif
  168487. /* Some C compilers fail to reduce "FIX(constant)" at compile time, thus
  168488. * causing a lot of useless floating-point operations at run time.
  168489. * To get around this we use the following pre-calculated constants.
  168490. * If you change CONST_BITS you may want to add appropriate values.
  168491. * (With a reasonable C compiler, you can just rely on the FIX() macro...)
  168492. */
  168493. #if CONST_BITS == 13
  168494. #define FIX_0_298631336 ((INT32) 2446) /* FIX(0.298631336) */
  168495. #define FIX_0_390180644 ((INT32) 3196) /* FIX(0.390180644) */
  168496. #define FIX_0_541196100 ((INT32) 4433) /* FIX(0.541196100) */
  168497. #define FIX_0_765366865 ((INT32) 6270) /* FIX(0.765366865) */
  168498. #define FIX_0_899976223 ((INT32) 7373) /* FIX(0.899976223) */
  168499. #define FIX_1_175875602 ((INT32) 9633) /* FIX(1.175875602) */
  168500. #define FIX_1_501321110 ((INT32) 12299) /* FIX(1.501321110) */
  168501. #define FIX_1_847759065 ((INT32) 15137) /* FIX(1.847759065) */
  168502. #define FIX_1_961570560 ((INT32) 16069) /* FIX(1.961570560) */
  168503. #define FIX_2_053119869 ((INT32) 16819) /* FIX(2.053119869) */
  168504. #define FIX_2_562915447 ((INT32) 20995) /* FIX(2.562915447) */
  168505. #define FIX_3_072711026 ((INT32) 25172) /* FIX(3.072711026) */
  168506. #else
  168507. #define FIX_0_298631336 FIX(0.298631336)
  168508. #define FIX_0_390180644 FIX(0.390180644)
  168509. #define FIX_0_541196100 FIX(0.541196100)
  168510. #define FIX_0_765366865 FIX(0.765366865)
  168511. #define FIX_0_899976223 FIX(0.899976223)
  168512. #define FIX_1_175875602 FIX(1.175875602)
  168513. #define FIX_1_501321110 FIX(1.501321110)
  168514. #define FIX_1_847759065 FIX(1.847759065)
  168515. #define FIX_1_961570560 FIX(1.961570560)
  168516. #define FIX_2_053119869 FIX(2.053119869)
  168517. #define FIX_2_562915447 FIX(2.562915447)
  168518. #define FIX_3_072711026 FIX(3.072711026)
  168519. #endif
  168520. /* Multiply an INT32 variable by an INT32 constant to yield an INT32 result.
  168521. * For 8-bit samples with the recommended scaling, all the variable
  168522. * and constant values involved are no more than 16 bits wide, so a
  168523. * 16x16->32 bit multiply can be used instead of a full 32x32 multiply.
  168524. * For 12-bit samples, a full 32-bit multiplication will be needed.
  168525. */
  168526. #if BITS_IN_JSAMPLE == 8
  168527. #define MULTIPLY(var,const) MULTIPLY16C16(var,const)
  168528. #else
  168529. #define MULTIPLY(var,const) ((var) * (const))
  168530. #endif
  168531. /*
  168532. * Perform the forward DCT on one block of samples.
  168533. */
  168534. GLOBAL(void)
  168535. jpeg_fdct_islow (DCTELEM * data)
  168536. {
  168537. INT32 tmp0, tmp1, tmp2, tmp3, tmp4, tmp5, tmp6, tmp7;
  168538. INT32 tmp10, tmp11, tmp12, tmp13;
  168539. INT32 z1, z2, z3, z4, z5;
  168540. DCTELEM *dataptr;
  168541. int ctr;
  168542. SHIFT_TEMPS
  168543. /* Pass 1: process rows. */
  168544. /* Note results are scaled up by sqrt(8) compared to a true DCT; */
  168545. /* furthermore, we scale the results by 2**PASS1_BITS. */
  168546. dataptr = data;
  168547. for (ctr = DCTSIZE-1; ctr >= 0; ctr--) {
  168548. tmp0 = dataptr[0] + dataptr[7];
  168549. tmp7 = dataptr[0] - dataptr[7];
  168550. tmp1 = dataptr[1] + dataptr[6];
  168551. tmp6 = dataptr[1] - dataptr[6];
  168552. tmp2 = dataptr[2] + dataptr[5];
  168553. tmp5 = dataptr[2] - dataptr[5];
  168554. tmp3 = dataptr[3] + dataptr[4];
  168555. tmp4 = dataptr[3] - dataptr[4];
  168556. /* Even part per LL&M figure 1 --- note that published figure is faulty;
  168557. * rotator "sqrt(2)*c1" should be "sqrt(2)*c6".
  168558. */
  168559. tmp10 = tmp0 + tmp3;
  168560. tmp13 = tmp0 - tmp3;
  168561. tmp11 = tmp1 + tmp2;
  168562. tmp12 = tmp1 - tmp2;
  168563. dataptr[0] = (DCTELEM) ((tmp10 + tmp11) << PASS1_BITS);
  168564. dataptr[4] = (DCTELEM) ((tmp10 - tmp11) << PASS1_BITS);
  168565. z1 = MULTIPLY(tmp12 + tmp13, FIX_0_541196100);
  168566. dataptr[2] = (DCTELEM) DESCALE(z1 + MULTIPLY(tmp13, FIX_0_765366865),
  168567. CONST_BITS-PASS1_BITS);
  168568. dataptr[6] = (DCTELEM) DESCALE(z1 + MULTIPLY(tmp12, - FIX_1_847759065),
  168569. CONST_BITS-PASS1_BITS);
  168570. /* Odd part per figure 8 --- note paper omits factor of sqrt(2).
  168571. * cK represents cos(K*pi/16).
  168572. * i0..i3 in the paper are tmp4..tmp7 here.
  168573. */
  168574. z1 = tmp4 + tmp7;
  168575. z2 = tmp5 + tmp6;
  168576. z3 = tmp4 + tmp6;
  168577. z4 = tmp5 + tmp7;
  168578. z5 = MULTIPLY(z3 + z4, FIX_1_175875602); /* sqrt(2) * c3 */
  168579. tmp4 = MULTIPLY(tmp4, FIX_0_298631336); /* sqrt(2) * (-c1+c3+c5-c7) */
  168580. tmp5 = MULTIPLY(tmp5, FIX_2_053119869); /* sqrt(2) * ( c1+c3-c5+c7) */
  168581. tmp6 = MULTIPLY(tmp6, FIX_3_072711026); /* sqrt(2) * ( c1+c3+c5-c7) */
  168582. tmp7 = MULTIPLY(tmp7, FIX_1_501321110); /* sqrt(2) * ( c1+c3-c5-c7) */
  168583. z1 = MULTIPLY(z1, - FIX_0_899976223); /* sqrt(2) * (c7-c3) */
  168584. z2 = MULTIPLY(z2, - FIX_2_562915447); /* sqrt(2) * (-c1-c3) */
  168585. z3 = MULTIPLY(z3, - FIX_1_961570560); /* sqrt(2) * (-c3-c5) */
  168586. z4 = MULTIPLY(z4, - FIX_0_390180644); /* sqrt(2) * (c5-c3) */
  168587. z3 += z5;
  168588. z4 += z5;
  168589. dataptr[7] = (DCTELEM) DESCALE(tmp4 + z1 + z3, CONST_BITS-PASS1_BITS);
  168590. dataptr[5] = (DCTELEM) DESCALE(tmp5 + z2 + z4, CONST_BITS-PASS1_BITS);
  168591. dataptr[3] = (DCTELEM) DESCALE(tmp6 + z2 + z3, CONST_BITS-PASS1_BITS);
  168592. dataptr[1] = (DCTELEM) DESCALE(tmp7 + z1 + z4, CONST_BITS-PASS1_BITS);
  168593. dataptr += DCTSIZE; /* advance pointer to next row */
  168594. }
  168595. /* Pass 2: process columns.
  168596. * We remove the PASS1_BITS scaling, but leave the results scaled up
  168597. * by an overall factor of 8.
  168598. */
  168599. dataptr = data;
  168600. for (ctr = DCTSIZE-1; ctr >= 0; ctr--) {
  168601. tmp0 = dataptr[DCTSIZE*0] + dataptr[DCTSIZE*7];
  168602. tmp7 = dataptr[DCTSIZE*0] - dataptr[DCTSIZE*7];
  168603. tmp1 = dataptr[DCTSIZE*1] + dataptr[DCTSIZE*6];
  168604. tmp6 = dataptr[DCTSIZE*1] - dataptr[DCTSIZE*6];
  168605. tmp2 = dataptr[DCTSIZE*2] + dataptr[DCTSIZE*5];
  168606. tmp5 = dataptr[DCTSIZE*2] - dataptr[DCTSIZE*5];
  168607. tmp3 = dataptr[DCTSIZE*3] + dataptr[DCTSIZE*4];
  168608. tmp4 = dataptr[DCTSIZE*3] - dataptr[DCTSIZE*4];
  168609. /* Even part per LL&M figure 1 --- note that published figure is faulty;
  168610. * rotator "sqrt(2)*c1" should be "sqrt(2)*c6".
  168611. */
  168612. tmp10 = tmp0 + tmp3;
  168613. tmp13 = tmp0 - tmp3;
  168614. tmp11 = tmp1 + tmp2;
  168615. tmp12 = tmp1 - tmp2;
  168616. dataptr[DCTSIZE*0] = (DCTELEM) DESCALE(tmp10 + tmp11, PASS1_BITS);
  168617. dataptr[DCTSIZE*4] = (DCTELEM) DESCALE(tmp10 - tmp11, PASS1_BITS);
  168618. z1 = MULTIPLY(tmp12 + tmp13, FIX_0_541196100);
  168619. dataptr[DCTSIZE*2] = (DCTELEM) DESCALE(z1 + MULTIPLY(tmp13, FIX_0_765366865),
  168620. CONST_BITS+PASS1_BITS);
  168621. dataptr[DCTSIZE*6] = (DCTELEM) DESCALE(z1 + MULTIPLY(tmp12, - FIX_1_847759065),
  168622. CONST_BITS+PASS1_BITS);
  168623. /* Odd part per figure 8 --- note paper omits factor of sqrt(2).
  168624. * cK represents cos(K*pi/16).
  168625. * i0..i3 in the paper are tmp4..tmp7 here.
  168626. */
  168627. z1 = tmp4 + tmp7;
  168628. z2 = tmp5 + tmp6;
  168629. z3 = tmp4 + tmp6;
  168630. z4 = tmp5 + tmp7;
  168631. z5 = MULTIPLY(z3 + z4, FIX_1_175875602); /* sqrt(2) * c3 */
  168632. tmp4 = MULTIPLY(tmp4, FIX_0_298631336); /* sqrt(2) * (-c1+c3+c5-c7) */
  168633. tmp5 = MULTIPLY(tmp5, FIX_2_053119869); /* sqrt(2) * ( c1+c3-c5+c7) */
  168634. tmp6 = MULTIPLY(tmp6, FIX_3_072711026); /* sqrt(2) * ( c1+c3+c5-c7) */
  168635. tmp7 = MULTIPLY(tmp7, FIX_1_501321110); /* sqrt(2) * ( c1+c3-c5-c7) */
  168636. z1 = MULTIPLY(z1, - FIX_0_899976223); /* sqrt(2) * (c7-c3) */
  168637. z2 = MULTIPLY(z2, - FIX_2_562915447); /* sqrt(2) * (-c1-c3) */
  168638. z3 = MULTIPLY(z3, - FIX_1_961570560); /* sqrt(2) * (-c3-c5) */
  168639. z4 = MULTIPLY(z4, - FIX_0_390180644); /* sqrt(2) * (c5-c3) */
  168640. z3 += z5;
  168641. z4 += z5;
  168642. dataptr[DCTSIZE*7] = (DCTELEM) DESCALE(tmp4 + z1 + z3,
  168643. CONST_BITS+PASS1_BITS);
  168644. dataptr[DCTSIZE*5] = (DCTELEM) DESCALE(tmp5 + z2 + z4,
  168645. CONST_BITS+PASS1_BITS);
  168646. dataptr[DCTSIZE*3] = (DCTELEM) DESCALE(tmp6 + z2 + z3,
  168647. CONST_BITS+PASS1_BITS);
  168648. dataptr[DCTSIZE*1] = (DCTELEM) DESCALE(tmp7 + z1 + z4,
  168649. CONST_BITS+PASS1_BITS);
  168650. dataptr++; /* advance pointer to next column */
  168651. }
  168652. }
  168653. #endif /* DCT_ISLOW_SUPPORTED */
  168654. /********* End of inlined file: jfdctint.c *********/
  168655. #undef CONST_BITS
  168656. #undef MULTIPLY
  168657. #undef FIX_0_541196100
  168658. /********* Start of inlined file: jfdctfst.c *********/
  168659. #define JPEG_INTERNALS
  168660. #ifdef DCT_IFAST_SUPPORTED
  168661. /*
  168662. * This module is specialized to the case DCTSIZE = 8.
  168663. */
  168664. #if DCTSIZE != 8
  168665. Sorry, this code only copes with 8x8 DCTs. /* deliberate syntax err */
  168666. #endif
  168667. /* Scaling decisions are generally the same as in the LL&M algorithm;
  168668. * see jfdctint.c for more details. However, we choose to descale
  168669. * (right shift) multiplication products as soon as they are formed,
  168670. * rather than carrying additional fractional bits into subsequent additions.
  168671. * This compromises accuracy slightly, but it lets us save a few shifts.
  168672. * More importantly, 16-bit arithmetic is then adequate (for 8-bit samples)
  168673. * everywhere except in the multiplications proper; this saves a good deal
  168674. * of work on 16-bit-int machines.
  168675. *
  168676. * Again to save a few shifts, the intermediate results between pass 1 and
  168677. * pass 2 are not upscaled, but are represented only to integral precision.
  168678. *
  168679. * A final compromise is to represent the multiplicative constants to only
  168680. * 8 fractional bits, rather than 13. This saves some shifting work on some
  168681. * machines, and may also reduce the cost of multiplication (since there
  168682. * are fewer one-bits in the constants).
  168683. */
  168684. #define CONST_BITS 8
  168685. /* Some C compilers fail to reduce "FIX(constant)" at compile time, thus
  168686. * causing a lot of useless floating-point operations at run time.
  168687. * To get around this we use the following pre-calculated constants.
  168688. * If you change CONST_BITS you may want to add appropriate values.
  168689. * (With a reasonable C compiler, you can just rely on the FIX() macro...)
  168690. */
  168691. #if CONST_BITS == 8
  168692. #define FIX_0_382683433 ((INT32) 98) /* FIX(0.382683433) */
  168693. #define FIX_0_541196100 ((INT32) 139) /* FIX(0.541196100) */
  168694. #define FIX_0_707106781 ((INT32) 181) /* FIX(0.707106781) */
  168695. #define FIX_1_306562965 ((INT32) 334) /* FIX(1.306562965) */
  168696. #else
  168697. #define FIX_0_382683433 FIX(0.382683433)
  168698. #define FIX_0_541196100 FIX(0.541196100)
  168699. #define FIX_0_707106781 FIX(0.707106781)
  168700. #define FIX_1_306562965 FIX(1.306562965)
  168701. #endif
  168702. /* We can gain a little more speed, with a further compromise in accuracy,
  168703. * by omitting the addition in a descaling shift. This yields an incorrectly
  168704. * rounded result half the time...
  168705. */
  168706. #ifndef USE_ACCURATE_ROUNDING
  168707. #undef DESCALE
  168708. #define DESCALE(x,n) RIGHT_SHIFT(x, n)
  168709. #endif
  168710. /* Multiply a DCTELEM variable by an INT32 constant, and immediately
  168711. * descale to yield a DCTELEM result.
  168712. */
  168713. #define MULTIPLY(var,const) ((DCTELEM) DESCALE((var) * (const), CONST_BITS))
  168714. /*
  168715. * Perform the forward DCT on one block of samples.
  168716. */
  168717. GLOBAL(void)
  168718. jpeg_fdct_ifast (DCTELEM * data)
  168719. {
  168720. DCTELEM tmp0, tmp1, tmp2, tmp3, tmp4, tmp5, tmp6, tmp7;
  168721. DCTELEM tmp10, tmp11, tmp12, tmp13;
  168722. DCTELEM z1, z2, z3, z4, z5, z11, z13;
  168723. DCTELEM *dataptr;
  168724. int ctr;
  168725. SHIFT_TEMPS
  168726. /* Pass 1: process rows. */
  168727. dataptr = data;
  168728. for (ctr = DCTSIZE-1; ctr >= 0; ctr--) {
  168729. tmp0 = dataptr[0] + dataptr[7];
  168730. tmp7 = dataptr[0] - dataptr[7];
  168731. tmp1 = dataptr[1] + dataptr[6];
  168732. tmp6 = dataptr[1] - dataptr[6];
  168733. tmp2 = dataptr[2] + dataptr[5];
  168734. tmp5 = dataptr[2] - dataptr[5];
  168735. tmp3 = dataptr[3] + dataptr[4];
  168736. tmp4 = dataptr[3] - dataptr[4];
  168737. /* Even part */
  168738. tmp10 = tmp0 + tmp3; /* phase 2 */
  168739. tmp13 = tmp0 - tmp3;
  168740. tmp11 = tmp1 + tmp2;
  168741. tmp12 = tmp1 - tmp2;
  168742. dataptr[0] = tmp10 + tmp11; /* phase 3 */
  168743. dataptr[4] = tmp10 - tmp11;
  168744. z1 = MULTIPLY(tmp12 + tmp13, FIX_0_707106781); /* c4 */
  168745. dataptr[2] = tmp13 + z1; /* phase 5 */
  168746. dataptr[6] = tmp13 - z1;
  168747. /* Odd part */
  168748. tmp10 = tmp4 + tmp5; /* phase 2 */
  168749. tmp11 = tmp5 + tmp6;
  168750. tmp12 = tmp6 + tmp7;
  168751. /* The rotator is modified from fig 4-8 to avoid extra negations. */
  168752. z5 = MULTIPLY(tmp10 - tmp12, FIX_0_382683433); /* c6 */
  168753. z2 = MULTIPLY(tmp10, FIX_0_541196100) + z5; /* c2-c6 */
  168754. z4 = MULTIPLY(tmp12, FIX_1_306562965) + z5; /* c2+c6 */
  168755. z3 = MULTIPLY(tmp11, FIX_0_707106781); /* c4 */
  168756. z11 = tmp7 + z3; /* phase 5 */
  168757. z13 = tmp7 - z3;
  168758. dataptr[5] = z13 + z2; /* phase 6 */
  168759. dataptr[3] = z13 - z2;
  168760. dataptr[1] = z11 + z4;
  168761. dataptr[7] = z11 - z4;
  168762. dataptr += DCTSIZE; /* advance pointer to next row */
  168763. }
  168764. /* Pass 2: process columns. */
  168765. dataptr = data;
  168766. for (ctr = DCTSIZE-1; ctr >= 0; ctr--) {
  168767. tmp0 = dataptr[DCTSIZE*0] + dataptr[DCTSIZE*7];
  168768. tmp7 = dataptr[DCTSIZE*0] - dataptr[DCTSIZE*7];
  168769. tmp1 = dataptr[DCTSIZE*1] + dataptr[DCTSIZE*6];
  168770. tmp6 = dataptr[DCTSIZE*1] - dataptr[DCTSIZE*6];
  168771. tmp2 = dataptr[DCTSIZE*2] + dataptr[DCTSIZE*5];
  168772. tmp5 = dataptr[DCTSIZE*2] - dataptr[DCTSIZE*5];
  168773. tmp3 = dataptr[DCTSIZE*3] + dataptr[DCTSIZE*4];
  168774. tmp4 = dataptr[DCTSIZE*3] - dataptr[DCTSIZE*4];
  168775. /* Even part */
  168776. tmp10 = tmp0 + tmp3; /* phase 2 */
  168777. tmp13 = tmp0 - tmp3;
  168778. tmp11 = tmp1 + tmp2;
  168779. tmp12 = tmp1 - tmp2;
  168780. dataptr[DCTSIZE*0] = tmp10 + tmp11; /* phase 3 */
  168781. dataptr[DCTSIZE*4] = tmp10 - tmp11;
  168782. z1 = MULTIPLY(tmp12 + tmp13, FIX_0_707106781); /* c4 */
  168783. dataptr[DCTSIZE*2] = tmp13 + z1; /* phase 5 */
  168784. dataptr[DCTSIZE*6] = tmp13 - z1;
  168785. /* Odd part */
  168786. tmp10 = tmp4 + tmp5; /* phase 2 */
  168787. tmp11 = tmp5 + tmp6;
  168788. tmp12 = tmp6 + tmp7;
  168789. /* The rotator is modified from fig 4-8 to avoid extra negations. */
  168790. z5 = MULTIPLY(tmp10 - tmp12, FIX_0_382683433); /* c6 */
  168791. z2 = MULTIPLY(tmp10, FIX_0_541196100) + z5; /* c2-c6 */
  168792. z4 = MULTIPLY(tmp12, FIX_1_306562965) + z5; /* c2+c6 */
  168793. z3 = MULTIPLY(tmp11, FIX_0_707106781); /* c4 */
  168794. z11 = tmp7 + z3; /* phase 5 */
  168795. z13 = tmp7 - z3;
  168796. dataptr[DCTSIZE*5] = z13 + z2; /* phase 6 */
  168797. dataptr[DCTSIZE*3] = z13 - z2;
  168798. dataptr[DCTSIZE*1] = z11 + z4;
  168799. dataptr[DCTSIZE*7] = z11 - z4;
  168800. dataptr++; /* advance pointer to next column */
  168801. }
  168802. }
  168803. #endif /* DCT_IFAST_SUPPORTED */
  168804. /********* End of inlined file: jfdctfst.c *********/
  168805. #undef FIX_0_541196100
  168806. /********* Start of inlined file: jidctflt.c *********/
  168807. #define JPEG_INTERNALS
  168808. #ifdef DCT_FLOAT_SUPPORTED
  168809. /*
  168810. * This module is specialized to the case DCTSIZE = 8.
  168811. */
  168812. #if DCTSIZE != 8
  168813. Sorry, this code only copes with 8x8 DCTs. /* deliberate syntax err */
  168814. #endif
  168815. /* Dequantize a coefficient by multiplying it by the multiplier-table
  168816. * entry; produce a float result.
  168817. */
  168818. #define DEQUANTIZE(coef,quantval) (((FAST_FLOAT) (coef)) * (quantval))
  168819. /*
  168820. * Perform dequantization and inverse DCT on one block of coefficients.
  168821. */
  168822. GLOBAL(void)
  168823. jpeg_idct_float (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  168824. JCOEFPTR coef_block,
  168825. JSAMPARRAY output_buf, JDIMENSION output_col)
  168826. {
  168827. FAST_FLOAT tmp0, tmp1, tmp2, tmp3, tmp4, tmp5, tmp6, tmp7;
  168828. FAST_FLOAT tmp10, tmp11, tmp12, tmp13;
  168829. FAST_FLOAT z5, z10, z11, z12, z13;
  168830. JCOEFPTR inptr;
  168831. FLOAT_MULT_TYPE * quantptr;
  168832. FAST_FLOAT * wsptr;
  168833. JSAMPROW outptr;
  168834. JSAMPLE *range_limit = IDCT_range_limit(cinfo);
  168835. int ctr;
  168836. FAST_FLOAT workspace[DCTSIZE2]; /* buffers data between passes */
  168837. SHIFT_TEMPS
  168838. /* Pass 1: process columns from input, store into work array. */
  168839. inptr = coef_block;
  168840. quantptr = (FLOAT_MULT_TYPE *) compptr->dct_table;
  168841. wsptr = workspace;
  168842. for (ctr = DCTSIZE; ctr > 0; ctr--) {
  168843. /* Due to quantization, we will usually find that many of the input
  168844. * coefficients are zero, especially the AC terms. We can exploit this
  168845. * by short-circuiting the IDCT calculation for any column in which all
  168846. * the AC terms are zero. In that case each output is equal to the
  168847. * DC coefficient (with scale factor as needed).
  168848. * With typical images and quantization tables, half or more of the
  168849. * column DCT calculations can be simplified this way.
  168850. */
  168851. if (inptr[DCTSIZE*1] == 0 && inptr[DCTSIZE*2] == 0 &&
  168852. inptr[DCTSIZE*3] == 0 && inptr[DCTSIZE*4] == 0 &&
  168853. inptr[DCTSIZE*5] == 0 && inptr[DCTSIZE*6] == 0 &&
  168854. inptr[DCTSIZE*7] == 0) {
  168855. /* AC terms all zero */
  168856. FAST_FLOAT dcval = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]);
  168857. wsptr[DCTSIZE*0] = dcval;
  168858. wsptr[DCTSIZE*1] = dcval;
  168859. wsptr[DCTSIZE*2] = dcval;
  168860. wsptr[DCTSIZE*3] = dcval;
  168861. wsptr[DCTSIZE*4] = dcval;
  168862. wsptr[DCTSIZE*5] = dcval;
  168863. wsptr[DCTSIZE*6] = dcval;
  168864. wsptr[DCTSIZE*7] = dcval;
  168865. inptr++; /* advance pointers to next column */
  168866. quantptr++;
  168867. wsptr++;
  168868. continue;
  168869. }
  168870. /* Even part */
  168871. tmp0 = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]);
  168872. tmp1 = DEQUANTIZE(inptr[DCTSIZE*2], quantptr[DCTSIZE*2]);
  168873. tmp2 = DEQUANTIZE(inptr[DCTSIZE*4], quantptr[DCTSIZE*4]);
  168874. tmp3 = DEQUANTIZE(inptr[DCTSIZE*6], quantptr[DCTSIZE*6]);
  168875. tmp10 = tmp0 + tmp2; /* phase 3 */
  168876. tmp11 = tmp0 - tmp2;
  168877. tmp13 = tmp1 + tmp3; /* phases 5-3 */
  168878. tmp12 = (tmp1 - tmp3) * ((FAST_FLOAT) 1.414213562) - tmp13; /* 2*c4 */
  168879. tmp0 = tmp10 + tmp13; /* phase 2 */
  168880. tmp3 = tmp10 - tmp13;
  168881. tmp1 = tmp11 + tmp12;
  168882. tmp2 = tmp11 - tmp12;
  168883. /* Odd part */
  168884. tmp4 = DEQUANTIZE(inptr[DCTSIZE*1], quantptr[DCTSIZE*1]);
  168885. tmp5 = DEQUANTIZE(inptr[DCTSIZE*3], quantptr[DCTSIZE*3]);
  168886. tmp6 = DEQUANTIZE(inptr[DCTSIZE*5], quantptr[DCTSIZE*5]);
  168887. tmp7 = DEQUANTIZE(inptr[DCTSIZE*7], quantptr[DCTSIZE*7]);
  168888. z13 = tmp6 + tmp5; /* phase 6 */
  168889. z10 = tmp6 - tmp5;
  168890. z11 = tmp4 + tmp7;
  168891. z12 = tmp4 - tmp7;
  168892. tmp7 = z11 + z13; /* phase 5 */
  168893. tmp11 = (z11 - z13) * ((FAST_FLOAT) 1.414213562); /* 2*c4 */
  168894. z5 = (z10 + z12) * ((FAST_FLOAT) 1.847759065); /* 2*c2 */
  168895. tmp10 = ((FAST_FLOAT) 1.082392200) * z12 - z5; /* 2*(c2-c6) */
  168896. tmp12 = ((FAST_FLOAT) -2.613125930) * z10 + z5; /* -2*(c2+c6) */
  168897. tmp6 = tmp12 - tmp7; /* phase 2 */
  168898. tmp5 = tmp11 - tmp6;
  168899. tmp4 = tmp10 + tmp5;
  168900. wsptr[DCTSIZE*0] = tmp0 + tmp7;
  168901. wsptr[DCTSIZE*7] = tmp0 - tmp7;
  168902. wsptr[DCTSIZE*1] = tmp1 + tmp6;
  168903. wsptr[DCTSIZE*6] = tmp1 - tmp6;
  168904. wsptr[DCTSIZE*2] = tmp2 + tmp5;
  168905. wsptr[DCTSIZE*5] = tmp2 - tmp5;
  168906. wsptr[DCTSIZE*4] = tmp3 + tmp4;
  168907. wsptr[DCTSIZE*3] = tmp3 - tmp4;
  168908. inptr++; /* advance pointers to next column */
  168909. quantptr++;
  168910. wsptr++;
  168911. }
  168912. /* Pass 2: process rows from work array, store into output array. */
  168913. /* Note that we must descale the results by a factor of 8 == 2**3. */
  168914. wsptr = workspace;
  168915. for (ctr = 0; ctr < DCTSIZE; ctr++) {
  168916. outptr = output_buf[ctr] + output_col;
  168917. /* Rows of zeroes can be exploited in the same way as we did with columns.
  168918. * However, the column calculation has created many nonzero AC terms, so
  168919. * the simplification applies less often (typically 5% to 10% of the time).
  168920. * And testing floats for zero is relatively expensive, so we don't bother.
  168921. */
  168922. /* Even part */
  168923. tmp10 = wsptr[0] + wsptr[4];
  168924. tmp11 = wsptr[0] - wsptr[4];
  168925. tmp13 = wsptr[2] + wsptr[6];
  168926. tmp12 = (wsptr[2] - wsptr[6]) * ((FAST_FLOAT) 1.414213562) - tmp13;
  168927. tmp0 = tmp10 + tmp13;
  168928. tmp3 = tmp10 - tmp13;
  168929. tmp1 = tmp11 + tmp12;
  168930. tmp2 = tmp11 - tmp12;
  168931. /* Odd part */
  168932. z13 = wsptr[5] + wsptr[3];
  168933. z10 = wsptr[5] - wsptr[3];
  168934. z11 = wsptr[1] + wsptr[7];
  168935. z12 = wsptr[1] - wsptr[7];
  168936. tmp7 = z11 + z13;
  168937. tmp11 = (z11 - z13) * ((FAST_FLOAT) 1.414213562);
  168938. z5 = (z10 + z12) * ((FAST_FLOAT) 1.847759065); /* 2*c2 */
  168939. tmp10 = ((FAST_FLOAT) 1.082392200) * z12 - z5; /* 2*(c2-c6) */
  168940. tmp12 = ((FAST_FLOAT) -2.613125930) * z10 + z5; /* -2*(c2+c6) */
  168941. tmp6 = tmp12 - tmp7;
  168942. tmp5 = tmp11 - tmp6;
  168943. tmp4 = tmp10 + tmp5;
  168944. /* Final output stage: scale down by a factor of 8 and range-limit */
  168945. outptr[0] = range_limit[(int) DESCALE((INT32) (tmp0 + tmp7), 3)
  168946. & RANGE_MASK];
  168947. outptr[7] = range_limit[(int) DESCALE((INT32) (tmp0 - tmp7), 3)
  168948. & RANGE_MASK];
  168949. outptr[1] = range_limit[(int) DESCALE((INT32) (tmp1 + tmp6), 3)
  168950. & RANGE_MASK];
  168951. outptr[6] = range_limit[(int) DESCALE((INT32) (tmp1 - tmp6), 3)
  168952. & RANGE_MASK];
  168953. outptr[2] = range_limit[(int) DESCALE((INT32) (tmp2 + tmp5), 3)
  168954. & RANGE_MASK];
  168955. outptr[5] = range_limit[(int) DESCALE((INT32) (tmp2 - tmp5), 3)
  168956. & RANGE_MASK];
  168957. outptr[4] = range_limit[(int) DESCALE((INT32) (tmp3 + tmp4), 3)
  168958. & RANGE_MASK];
  168959. outptr[3] = range_limit[(int) DESCALE((INT32) (tmp3 - tmp4), 3)
  168960. & RANGE_MASK];
  168961. wsptr += DCTSIZE; /* advance pointer to next row */
  168962. }
  168963. }
  168964. #endif /* DCT_FLOAT_SUPPORTED */
  168965. /********* End of inlined file: jidctflt.c *********/
  168966. #undef CONST_BITS
  168967. #undef FIX_1_847759065
  168968. #undef MULTIPLY
  168969. #undef DEQUANTIZE
  168970. #undef DESCALE
  168971. /********* Start of inlined file: jidctfst.c *********/
  168972. #define JPEG_INTERNALS
  168973. #ifdef DCT_IFAST_SUPPORTED
  168974. /*
  168975. * This module is specialized to the case DCTSIZE = 8.
  168976. */
  168977. #if DCTSIZE != 8
  168978. Sorry, this code only copes with 8x8 DCTs. /* deliberate syntax err */
  168979. #endif
  168980. /* Scaling decisions are generally the same as in the LL&M algorithm;
  168981. * see jidctint.c for more details. However, we choose to descale
  168982. * (right shift) multiplication products as soon as they are formed,
  168983. * rather than carrying additional fractional bits into subsequent additions.
  168984. * This compromises accuracy slightly, but it lets us save a few shifts.
  168985. * More importantly, 16-bit arithmetic is then adequate (for 8-bit samples)
  168986. * everywhere except in the multiplications proper; this saves a good deal
  168987. * of work on 16-bit-int machines.
  168988. *
  168989. * The dequantized coefficients are not integers because the AA&N scaling
  168990. * factors have been incorporated. We represent them scaled up by PASS1_BITS,
  168991. * so that the first and second IDCT rounds have the same input scaling.
  168992. * For 8-bit JSAMPLEs, we choose IFAST_SCALE_BITS = PASS1_BITS so as to
  168993. * avoid a descaling shift; this compromises accuracy rather drastically
  168994. * for small quantization table entries, but it saves a lot of shifts.
  168995. * For 12-bit JSAMPLEs, there's no hope of using 16x16 multiplies anyway,
  168996. * so we use a much larger scaling factor to preserve accuracy.
  168997. *
  168998. * A final compromise is to represent the multiplicative constants to only
  168999. * 8 fractional bits, rather than 13. This saves some shifting work on some
  169000. * machines, and may also reduce the cost of multiplication (since there
  169001. * are fewer one-bits in the constants).
  169002. */
  169003. #if BITS_IN_JSAMPLE == 8
  169004. #define CONST_BITS 8
  169005. #define PASS1_BITS 2
  169006. #else
  169007. #define CONST_BITS 8
  169008. #define PASS1_BITS 1 /* lose a little precision to avoid overflow */
  169009. #endif
  169010. /* Some C compilers fail to reduce "FIX(constant)" at compile time, thus
  169011. * causing a lot of useless floating-point operations at run time.
  169012. * To get around this we use the following pre-calculated constants.
  169013. * If you change CONST_BITS you may want to add appropriate values.
  169014. * (With a reasonable C compiler, you can just rely on the FIX() macro...)
  169015. */
  169016. #if CONST_BITS == 8
  169017. #define FIX_1_082392200 ((INT32) 277) /* FIX(1.082392200) */
  169018. #define FIX_1_414213562 ((INT32) 362) /* FIX(1.414213562) */
  169019. #define FIX_1_847759065 ((INT32) 473) /* FIX(1.847759065) */
  169020. #define FIX_2_613125930 ((INT32) 669) /* FIX(2.613125930) */
  169021. #else
  169022. #define FIX_1_082392200 FIX(1.082392200)
  169023. #define FIX_1_414213562 FIX(1.414213562)
  169024. #define FIX_1_847759065 FIX(1.847759065)
  169025. #define FIX_2_613125930 FIX(2.613125930)
  169026. #endif
  169027. /* We can gain a little more speed, with a further compromise in accuracy,
  169028. * by omitting the addition in a descaling shift. This yields an incorrectly
  169029. * rounded result half the time...
  169030. */
  169031. #ifndef USE_ACCURATE_ROUNDING
  169032. #undef DESCALE
  169033. #define DESCALE(x,n) RIGHT_SHIFT(x, n)
  169034. #endif
  169035. /* Multiply a DCTELEM variable by an INT32 constant, and immediately
  169036. * descale to yield a DCTELEM result.
  169037. */
  169038. #define MULTIPLY(var,const) ((DCTELEM) DESCALE((var) * (const), CONST_BITS))
  169039. /* Dequantize a coefficient by multiplying it by the multiplier-table
  169040. * entry; produce a DCTELEM result. For 8-bit data a 16x16->16
  169041. * multiplication will do. For 12-bit data, the multiplier table is
  169042. * declared INT32, so a 32-bit multiply will be used.
  169043. */
  169044. #if BITS_IN_JSAMPLE == 8
  169045. #define DEQUANTIZE(coef,quantval) (((IFAST_MULT_TYPE) (coef)) * (quantval))
  169046. #else
  169047. #define DEQUANTIZE(coef,quantval) \
  169048. DESCALE((coef)*(quantval), IFAST_SCALE_BITS-PASS1_BITS)
  169049. #endif
  169050. /* Like DESCALE, but applies to a DCTELEM and produces an int.
  169051. * We assume that int right shift is unsigned if INT32 right shift is.
  169052. */
  169053. #ifdef RIGHT_SHIFT_IS_UNSIGNED
  169054. #define ISHIFT_TEMPS DCTELEM ishift_temp;
  169055. #if BITS_IN_JSAMPLE == 8
  169056. #define DCTELEMBITS 16 /* DCTELEM may be 16 or 32 bits */
  169057. #else
  169058. #define DCTELEMBITS 32 /* DCTELEM must be 32 bits */
  169059. #endif
  169060. #define IRIGHT_SHIFT(x,shft) \
  169061. ((ishift_temp = (x)) < 0 ? \
  169062. (ishift_temp >> (shft)) | ((~((DCTELEM) 0)) << (DCTELEMBITS-(shft))) : \
  169063. (ishift_temp >> (shft)))
  169064. #else
  169065. #define ISHIFT_TEMPS
  169066. #define IRIGHT_SHIFT(x,shft) ((x) >> (shft))
  169067. #endif
  169068. #ifdef USE_ACCURATE_ROUNDING
  169069. #define IDESCALE(x,n) ((int) IRIGHT_SHIFT((x) + (1 << ((n)-1)), n))
  169070. #else
  169071. #define IDESCALE(x,n) ((int) IRIGHT_SHIFT(x, n))
  169072. #endif
  169073. /*
  169074. * Perform dequantization and inverse DCT on one block of coefficients.
  169075. */
  169076. GLOBAL(void)
  169077. jpeg_idct_ifast (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  169078. JCOEFPTR coef_block,
  169079. JSAMPARRAY output_buf, JDIMENSION output_col)
  169080. {
  169081. DCTELEM tmp0, tmp1, tmp2, tmp3, tmp4, tmp5, tmp6, tmp7;
  169082. DCTELEM tmp10, tmp11, tmp12, tmp13;
  169083. DCTELEM z5, z10, z11, z12, z13;
  169084. JCOEFPTR inptr;
  169085. IFAST_MULT_TYPE * quantptr;
  169086. int * wsptr;
  169087. JSAMPROW outptr;
  169088. JSAMPLE *range_limit = IDCT_range_limit(cinfo);
  169089. int ctr;
  169090. int workspace[DCTSIZE2]; /* buffers data between passes */
  169091. SHIFT_TEMPS /* for DESCALE */
  169092. ISHIFT_TEMPS /* for IDESCALE */
  169093. /* Pass 1: process columns from input, store into work array. */
  169094. inptr = coef_block;
  169095. quantptr = (IFAST_MULT_TYPE *) compptr->dct_table;
  169096. wsptr = workspace;
  169097. for (ctr = DCTSIZE; ctr > 0; ctr--) {
  169098. /* Due to quantization, we will usually find that many of the input
  169099. * coefficients are zero, especially the AC terms. We can exploit this
  169100. * by short-circuiting the IDCT calculation for any column in which all
  169101. * the AC terms are zero. In that case each output is equal to the
  169102. * DC coefficient (with scale factor as needed).
  169103. * With typical images and quantization tables, half or more of the
  169104. * column DCT calculations can be simplified this way.
  169105. */
  169106. if (inptr[DCTSIZE*1] == 0 && inptr[DCTSIZE*2] == 0 &&
  169107. inptr[DCTSIZE*3] == 0 && inptr[DCTSIZE*4] == 0 &&
  169108. inptr[DCTSIZE*5] == 0 && inptr[DCTSIZE*6] == 0 &&
  169109. inptr[DCTSIZE*7] == 0) {
  169110. /* AC terms all zero */
  169111. int dcval = (int) DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]);
  169112. wsptr[DCTSIZE*0] = dcval;
  169113. wsptr[DCTSIZE*1] = dcval;
  169114. wsptr[DCTSIZE*2] = dcval;
  169115. wsptr[DCTSIZE*3] = dcval;
  169116. wsptr[DCTSIZE*4] = dcval;
  169117. wsptr[DCTSIZE*5] = dcval;
  169118. wsptr[DCTSIZE*6] = dcval;
  169119. wsptr[DCTSIZE*7] = dcval;
  169120. inptr++; /* advance pointers to next column */
  169121. quantptr++;
  169122. wsptr++;
  169123. continue;
  169124. }
  169125. /* Even part */
  169126. tmp0 = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]);
  169127. tmp1 = DEQUANTIZE(inptr[DCTSIZE*2], quantptr[DCTSIZE*2]);
  169128. tmp2 = DEQUANTIZE(inptr[DCTSIZE*4], quantptr[DCTSIZE*4]);
  169129. tmp3 = DEQUANTIZE(inptr[DCTSIZE*6], quantptr[DCTSIZE*6]);
  169130. tmp10 = tmp0 + tmp2; /* phase 3 */
  169131. tmp11 = tmp0 - tmp2;
  169132. tmp13 = tmp1 + tmp3; /* phases 5-3 */
  169133. tmp12 = MULTIPLY(tmp1 - tmp3, FIX_1_414213562) - tmp13; /* 2*c4 */
  169134. tmp0 = tmp10 + tmp13; /* phase 2 */
  169135. tmp3 = tmp10 - tmp13;
  169136. tmp1 = tmp11 + tmp12;
  169137. tmp2 = tmp11 - tmp12;
  169138. /* Odd part */
  169139. tmp4 = DEQUANTIZE(inptr[DCTSIZE*1], quantptr[DCTSIZE*1]);
  169140. tmp5 = DEQUANTIZE(inptr[DCTSIZE*3], quantptr[DCTSIZE*3]);
  169141. tmp6 = DEQUANTIZE(inptr[DCTSIZE*5], quantptr[DCTSIZE*5]);
  169142. tmp7 = DEQUANTIZE(inptr[DCTSIZE*7], quantptr[DCTSIZE*7]);
  169143. z13 = tmp6 + tmp5; /* phase 6 */
  169144. z10 = tmp6 - tmp5;
  169145. z11 = tmp4 + tmp7;
  169146. z12 = tmp4 - tmp7;
  169147. tmp7 = z11 + z13; /* phase 5 */
  169148. tmp11 = MULTIPLY(z11 - z13, FIX_1_414213562); /* 2*c4 */
  169149. z5 = MULTIPLY(z10 + z12, FIX_1_847759065); /* 2*c2 */
  169150. tmp10 = MULTIPLY(z12, FIX_1_082392200) - z5; /* 2*(c2-c6) */
  169151. tmp12 = MULTIPLY(z10, - FIX_2_613125930) + z5; /* -2*(c2+c6) */
  169152. tmp6 = tmp12 - tmp7; /* phase 2 */
  169153. tmp5 = tmp11 - tmp6;
  169154. tmp4 = tmp10 + tmp5;
  169155. wsptr[DCTSIZE*0] = (int) (tmp0 + tmp7);
  169156. wsptr[DCTSIZE*7] = (int) (tmp0 - tmp7);
  169157. wsptr[DCTSIZE*1] = (int) (tmp1 + tmp6);
  169158. wsptr[DCTSIZE*6] = (int) (tmp1 - tmp6);
  169159. wsptr[DCTSIZE*2] = (int) (tmp2 + tmp5);
  169160. wsptr[DCTSIZE*5] = (int) (tmp2 - tmp5);
  169161. wsptr[DCTSIZE*4] = (int) (tmp3 + tmp4);
  169162. wsptr[DCTSIZE*3] = (int) (tmp3 - tmp4);
  169163. inptr++; /* advance pointers to next column */
  169164. quantptr++;
  169165. wsptr++;
  169166. }
  169167. /* Pass 2: process rows from work array, store into output array. */
  169168. /* Note that we must descale the results by a factor of 8 == 2**3, */
  169169. /* and also undo the PASS1_BITS scaling. */
  169170. wsptr = workspace;
  169171. for (ctr = 0; ctr < DCTSIZE; ctr++) {
  169172. outptr = output_buf[ctr] + output_col;
  169173. /* Rows of zeroes can be exploited in the same way as we did with columns.
  169174. * However, the column calculation has created many nonzero AC terms, so
  169175. * the simplification applies less often (typically 5% to 10% of the time).
  169176. * On machines with very fast multiplication, it's possible that the
  169177. * test takes more time than it's worth. In that case this section
  169178. * may be commented out.
  169179. */
  169180. #ifndef NO_ZERO_ROW_TEST
  169181. if (wsptr[1] == 0 && wsptr[2] == 0 && wsptr[3] == 0 && wsptr[4] == 0 &&
  169182. wsptr[5] == 0 && wsptr[6] == 0 && wsptr[7] == 0) {
  169183. /* AC terms all zero */
  169184. JSAMPLE dcval = range_limit[IDESCALE(wsptr[0], PASS1_BITS+3)
  169185. & RANGE_MASK];
  169186. outptr[0] = dcval;
  169187. outptr[1] = dcval;
  169188. outptr[2] = dcval;
  169189. outptr[3] = dcval;
  169190. outptr[4] = dcval;
  169191. outptr[5] = dcval;
  169192. outptr[6] = dcval;
  169193. outptr[7] = dcval;
  169194. wsptr += DCTSIZE; /* advance pointer to next row */
  169195. continue;
  169196. }
  169197. #endif
  169198. /* Even part */
  169199. tmp10 = ((DCTELEM) wsptr[0] + (DCTELEM) wsptr[4]);
  169200. tmp11 = ((DCTELEM) wsptr[0] - (DCTELEM) wsptr[4]);
  169201. tmp13 = ((DCTELEM) wsptr[2] + (DCTELEM) wsptr[6]);
  169202. tmp12 = MULTIPLY((DCTELEM) wsptr[2] - (DCTELEM) wsptr[6], FIX_1_414213562)
  169203. - tmp13;
  169204. tmp0 = tmp10 + tmp13;
  169205. tmp3 = tmp10 - tmp13;
  169206. tmp1 = tmp11 + tmp12;
  169207. tmp2 = tmp11 - tmp12;
  169208. /* Odd part */
  169209. z13 = (DCTELEM) wsptr[5] + (DCTELEM) wsptr[3];
  169210. z10 = (DCTELEM) wsptr[5] - (DCTELEM) wsptr[3];
  169211. z11 = (DCTELEM) wsptr[1] + (DCTELEM) wsptr[7];
  169212. z12 = (DCTELEM) wsptr[1] - (DCTELEM) wsptr[7];
  169213. tmp7 = z11 + z13; /* phase 5 */
  169214. tmp11 = MULTIPLY(z11 - z13, FIX_1_414213562); /* 2*c4 */
  169215. z5 = MULTIPLY(z10 + z12, FIX_1_847759065); /* 2*c2 */
  169216. tmp10 = MULTIPLY(z12, FIX_1_082392200) - z5; /* 2*(c2-c6) */
  169217. tmp12 = MULTIPLY(z10, - FIX_2_613125930) + z5; /* -2*(c2+c6) */
  169218. tmp6 = tmp12 - tmp7; /* phase 2 */
  169219. tmp5 = tmp11 - tmp6;
  169220. tmp4 = tmp10 + tmp5;
  169221. /* Final output stage: scale down by a factor of 8 and range-limit */
  169222. outptr[0] = range_limit[IDESCALE(tmp0 + tmp7, PASS1_BITS+3)
  169223. & RANGE_MASK];
  169224. outptr[7] = range_limit[IDESCALE(tmp0 - tmp7, PASS1_BITS+3)
  169225. & RANGE_MASK];
  169226. outptr[1] = range_limit[IDESCALE(tmp1 + tmp6, PASS1_BITS+3)
  169227. & RANGE_MASK];
  169228. outptr[6] = range_limit[IDESCALE(tmp1 - tmp6, PASS1_BITS+3)
  169229. & RANGE_MASK];
  169230. outptr[2] = range_limit[IDESCALE(tmp2 + tmp5, PASS1_BITS+3)
  169231. & RANGE_MASK];
  169232. outptr[5] = range_limit[IDESCALE(tmp2 - tmp5, PASS1_BITS+3)
  169233. & RANGE_MASK];
  169234. outptr[4] = range_limit[IDESCALE(tmp3 + tmp4, PASS1_BITS+3)
  169235. & RANGE_MASK];
  169236. outptr[3] = range_limit[IDESCALE(tmp3 - tmp4, PASS1_BITS+3)
  169237. & RANGE_MASK];
  169238. wsptr += DCTSIZE; /* advance pointer to next row */
  169239. }
  169240. }
  169241. #endif /* DCT_IFAST_SUPPORTED */
  169242. /********* End of inlined file: jidctfst.c *********/
  169243. #undef CONST_BITS
  169244. #undef FIX_1_847759065
  169245. #undef MULTIPLY
  169246. #undef DEQUANTIZE
  169247. /********* Start of inlined file: jidctint.c *********/
  169248. #define JPEG_INTERNALS
  169249. #ifdef DCT_ISLOW_SUPPORTED
  169250. /*
  169251. * This module is specialized to the case DCTSIZE = 8.
  169252. */
  169253. #if DCTSIZE != 8
  169254. Sorry, this code only copes with 8x8 DCTs. /* deliberate syntax err */
  169255. #endif
  169256. /*
  169257. * The poop on this scaling stuff is as follows:
  169258. *
  169259. * Each 1-D IDCT step produces outputs which are a factor of sqrt(N)
  169260. * larger than the true IDCT outputs. The final outputs are therefore
  169261. * a factor of N larger than desired; since N=8 this can be cured by
  169262. * a simple right shift at the end of the algorithm. The advantage of
  169263. * this arrangement is that we save two multiplications per 1-D IDCT,
  169264. * because the y0 and y4 inputs need not be divided by sqrt(N).
  169265. *
  169266. * We have to do addition and subtraction of the integer inputs, which
  169267. * is no problem, and multiplication by fractional constants, which is
  169268. * a problem to do in integer arithmetic. We multiply all the constants
  169269. * by CONST_SCALE and convert them to integer constants (thus retaining
  169270. * CONST_BITS bits of precision in the constants). After doing a
  169271. * multiplication we have to divide the product by CONST_SCALE, with proper
  169272. * rounding, to produce the correct output. This division can be done
  169273. * cheaply as a right shift of CONST_BITS bits. We postpone shifting
  169274. * as long as possible so that partial sums can be added together with
  169275. * full fractional precision.
  169276. *
  169277. * The outputs of the first pass are scaled up by PASS1_BITS bits so that
  169278. * they are represented to better-than-integral precision. These outputs
  169279. * require BITS_IN_JSAMPLE + PASS1_BITS + 3 bits; this fits in a 16-bit word
  169280. * with the recommended scaling. (To scale up 12-bit sample data further, an
  169281. * intermediate INT32 array would be needed.)
  169282. *
  169283. * To avoid overflow of the 32-bit intermediate results in pass 2, we must
  169284. * have BITS_IN_JSAMPLE + CONST_BITS + PASS1_BITS <= 26. Error analysis
  169285. * shows that the values given below are the most effective.
  169286. */
  169287. #if BITS_IN_JSAMPLE == 8
  169288. #define CONST_BITS 13
  169289. #define PASS1_BITS 2
  169290. #else
  169291. #define CONST_BITS 13
  169292. #define PASS1_BITS 1 /* lose a little precision to avoid overflow */
  169293. #endif
  169294. /* Some C compilers fail to reduce "FIX(constant)" at compile time, thus
  169295. * causing a lot of useless floating-point operations at run time.
  169296. * To get around this we use the following pre-calculated constants.
  169297. * If you change CONST_BITS you may want to add appropriate values.
  169298. * (With a reasonable C compiler, you can just rely on the FIX() macro...)
  169299. */
  169300. #if CONST_BITS == 13
  169301. #define FIX_0_298631336 ((INT32) 2446) /* FIX(0.298631336) */
  169302. #define FIX_0_390180644 ((INT32) 3196) /* FIX(0.390180644) */
  169303. #define FIX_0_541196100 ((INT32) 4433) /* FIX(0.541196100) */
  169304. #define FIX_0_765366865 ((INT32) 6270) /* FIX(0.765366865) */
  169305. #define FIX_0_899976223 ((INT32) 7373) /* FIX(0.899976223) */
  169306. #define FIX_1_175875602 ((INT32) 9633) /* FIX(1.175875602) */
  169307. #define FIX_1_501321110 ((INT32) 12299) /* FIX(1.501321110) */
  169308. #define FIX_1_847759065 ((INT32) 15137) /* FIX(1.847759065) */
  169309. #define FIX_1_961570560 ((INT32) 16069) /* FIX(1.961570560) */
  169310. #define FIX_2_053119869 ((INT32) 16819) /* FIX(2.053119869) */
  169311. #define FIX_2_562915447 ((INT32) 20995) /* FIX(2.562915447) */
  169312. #define FIX_3_072711026 ((INT32) 25172) /* FIX(3.072711026) */
  169313. #else
  169314. #define FIX_0_298631336 FIX(0.298631336)
  169315. #define FIX_0_390180644 FIX(0.390180644)
  169316. #define FIX_0_541196100 FIX(0.541196100)
  169317. #define FIX_0_765366865 FIX(0.765366865)
  169318. #define FIX_0_899976223 FIX(0.899976223)
  169319. #define FIX_1_175875602 FIX(1.175875602)
  169320. #define FIX_1_501321110 FIX(1.501321110)
  169321. #define FIX_1_847759065 FIX(1.847759065)
  169322. #define FIX_1_961570560 FIX(1.961570560)
  169323. #define FIX_2_053119869 FIX(2.053119869)
  169324. #define FIX_2_562915447 FIX(2.562915447)
  169325. #define FIX_3_072711026 FIX(3.072711026)
  169326. #endif
  169327. /* Multiply an INT32 variable by an INT32 constant to yield an INT32 result.
  169328. * For 8-bit samples with the recommended scaling, all the variable
  169329. * and constant values involved are no more than 16 bits wide, so a
  169330. * 16x16->32 bit multiply can be used instead of a full 32x32 multiply.
  169331. * For 12-bit samples, a full 32-bit multiplication will be needed.
  169332. */
  169333. #if BITS_IN_JSAMPLE == 8
  169334. #define MULTIPLY(var,const) MULTIPLY16C16(var,const)
  169335. #else
  169336. #define MULTIPLY(var,const) ((var) * (const))
  169337. #endif
  169338. /* Dequantize a coefficient by multiplying it by the multiplier-table
  169339. * entry; produce an int result. In this module, both inputs and result
  169340. * are 16 bits or less, so either int or short multiply will work.
  169341. */
  169342. #define DEQUANTIZE(coef,quantval) (((ISLOW_MULT_TYPE) (coef)) * (quantval))
  169343. /*
  169344. * Perform dequantization and inverse DCT on one block of coefficients.
  169345. */
  169346. GLOBAL(void)
  169347. jpeg_idct_islow (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  169348. JCOEFPTR coef_block,
  169349. JSAMPARRAY output_buf, JDIMENSION output_col)
  169350. {
  169351. INT32 tmp0, tmp1, tmp2, tmp3;
  169352. INT32 tmp10, tmp11, tmp12, tmp13;
  169353. INT32 z1, z2, z3, z4, z5;
  169354. JCOEFPTR inptr;
  169355. ISLOW_MULT_TYPE * quantptr;
  169356. int * wsptr;
  169357. JSAMPROW outptr;
  169358. JSAMPLE *range_limit = IDCT_range_limit(cinfo);
  169359. int ctr;
  169360. int workspace[DCTSIZE2]; /* buffers data between passes */
  169361. SHIFT_TEMPS
  169362. /* Pass 1: process columns from input, store into work array. */
  169363. /* Note results are scaled up by sqrt(8) compared to a true IDCT; */
  169364. /* furthermore, we scale the results by 2**PASS1_BITS. */
  169365. inptr = coef_block;
  169366. quantptr = (ISLOW_MULT_TYPE *) compptr->dct_table;
  169367. wsptr = workspace;
  169368. for (ctr = DCTSIZE; ctr > 0; ctr--) {
  169369. /* Due to quantization, we will usually find that many of the input
  169370. * coefficients are zero, especially the AC terms. We can exploit this
  169371. * by short-circuiting the IDCT calculation for any column in which all
  169372. * the AC terms are zero. In that case each output is equal to the
  169373. * DC coefficient (with scale factor as needed).
  169374. * With typical images and quantization tables, half or more of the
  169375. * column DCT calculations can be simplified this way.
  169376. */
  169377. if (inptr[DCTSIZE*1] == 0 && inptr[DCTSIZE*2] == 0 &&
  169378. inptr[DCTSIZE*3] == 0 && inptr[DCTSIZE*4] == 0 &&
  169379. inptr[DCTSIZE*5] == 0 && inptr[DCTSIZE*6] == 0 &&
  169380. inptr[DCTSIZE*7] == 0) {
  169381. /* AC terms all zero */
  169382. int dcval = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]) << PASS1_BITS;
  169383. wsptr[DCTSIZE*0] = dcval;
  169384. wsptr[DCTSIZE*1] = dcval;
  169385. wsptr[DCTSIZE*2] = dcval;
  169386. wsptr[DCTSIZE*3] = dcval;
  169387. wsptr[DCTSIZE*4] = dcval;
  169388. wsptr[DCTSIZE*5] = dcval;
  169389. wsptr[DCTSIZE*6] = dcval;
  169390. wsptr[DCTSIZE*7] = dcval;
  169391. inptr++; /* advance pointers to next column */
  169392. quantptr++;
  169393. wsptr++;
  169394. continue;
  169395. }
  169396. /* Even part: reverse the even part of the forward DCT. */
  169397. /* The rotator is sqrt(2)*c(-6). */
  169398. z2 = DEQUANTIZE(inptr[DCTSIZE*2], quantptr[DCTSIZE*2]);
  169399. z3 = DEQUANTIZE(inptr[DCTSIZE*6], quantptr[DCTSIZE*6]);
  169400. z1 = MULTIPLY(z2 + z3, FIX_0_541196100);
  169401. tmp2 = z1 + MULTIPLY(z3, - FIX_1_847759065);
  169402. tmp3 = z1 + MULTIPLY(z2, FIX_0_765366865);
  169403. z2 = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]);
  169404. z3 = DEQUANTIZE(inptr[DCTSIZE*4], quantptr[DCTSIZE*4]);
  169405. tmp0 = (z2 + z3) << CONST_BITS;
  169406. tmp1 = (z2 - z3) << CONST_BITS;
  169407. tmp10 = tmp0 + tmp3;
  169408. tmp13 = tmp0 - tmp3;
  169409. tmp11 = tmp1 + tmp2;
  169410. tmp12 = tmp1 - tmp2;
  169411. /* Odd part per figure 8; the matrix is unitary and hence its
  169412. * transpose is its inverse. i0..i3 are y7,y5,y3,y1 respectively.
  169413. */
  169414. tmp0 = DEQUANTIZE(inptr[DCTSIZE*7], quantptr[DCTSIZE*7]);
  169415. tmp1 = DEQUANTIZE(inptr[DCTSIZE*5], quantptr[DCTSIZE*5]);
  169416. tmp2 = DEQUANTIZE(inptr[DCTSIZE*3], quantptr[DCTSIZE*3]);
  169417. tmp3 = DEQUANTIZE(inptr[DCTSIZE*1], quantptr[DCTSIZE*1]);
  169418. z1 = tmp0 + tmp3;
  169419. z2 = tmp1 + tmp2;
  169420. z3 = tmp0 + tmp2;
  169421. z4 = tmp1 + tmp3;
  169422. z5 = MULTIPLY(z3 + z4, FIX_1_175875602); /* sqrt(2) * c3 */
  169423. tmp0 = MULTIPLY(tmp0, FIX_0_298631336); /* sqrt(2) * (-c1+c3+c5-c7) */
  169424. tmp1 = MULTIPLY(tmp1, FIX_2_053119869); /* sqrt(2) * ( c1+c3-c5+c7) */
  169425. tmp2 = MULTIPLY(tmp2, FIX_3_072711026); /* sqrt(2) * ( c1+c3+c5-c7) */
  169426. tmp3 = MULTIPLY(tmp3, FIX_1_501321110); /* sqrt(2) * ( c1+c3-c5-c7) */
  169427. z1 = MULTIPLY(z1, - FIX_0_899976223); /* sqrt(2) * (c7-c3) */
  169428. z2 = MULTIPLY(z2, - FIX_2_562915447); /* sqrt(2) * (-c1-c3) */
  169429. z3 = MULTIPLY(z3, - FIX_1_961570560); /* sqrt(2) * (-c3-c5) */
  169430. z4 = MULTIPLY(z4, - FIX_0_390180644); /* sqrt(2) * (c5-c3) */
  169431. z3 += z5;
  169432. z4 += z5;
  169433. tmp0 += z1 + z3;
  169434. tmp1 += z2 + z4;
  169435. tmp2 += z2 + z3;
  169436. tmp3 += z1 + z4;
  169437. /* Final output stage: inputs are tmp10..tmp13, tmp0..tmp3 */
  169438. wsptr[DCTSIZE*0] = (int) DESCALE(tmp10 + tmp3, CONST_BITS-PASS1_BITS);
  169439. wsptr[DCTSIZE*7] = (int) DESCALE(tmp10 - tmp3, CONST_BITS-PASS1_BITS);
  169440. wsptr[DCTSIZE*1] = (int) DESCALE(tmp11 + tmp2, CONST_BITS-PASS1_BITS);
  169441. wsptr[DCTSIZE*6] = (int) DESCALE(tmp11 - tmp2, CONST_BITS-PASS1_BITS);
  169442. wsptr[DCTSIZE*2] = (int) DESCALE(tmp12 + tmp1, CONST_BITS-PASS1_BITS);
  169443. wsptr[DCTSIZE*5] = (int) DESCALE(tmp12 - tmp1, CONST_BITS-PASS1_BITS);
  169444. wsptr[DCTSIZE*3] = (int) DESCALE(tmp13 + tmp0, CONST_BITS-PASS1_BITS);
  169445. wsptr[DCTSIZE*4] = (int) DESCALE(tmp13 - tmp0, CONST_BITS-PASS1_BITS);
  169446. inptr++; /* advance pointers to next column */
  169447. quantptr++;
  169448. wsptr++;
  169449. }
  169450. /* Pass 2: process rows from work array, store into output array. */
  169451. /* Note that we must descale the results by a factor of 8 == 2**3, */
  169452. /* and also undo the PASS1_BITS scaling. */
  169453. wsptr = workspace;
  169454. for (ctr = 0; ctr < DCTSIZE; ctr++) {
  169455. outptr = output_buf[ctr] + output_col;
  169456. /* Rows of zeroes can be exploited in the same way as we did with columns.
  169457. * However, the column calculation has created many nonzero AC terms, so
  169458. * the simplification applies less often (typically 5% to 10% of the time).
  169459. * On machines with very fast multiplication, it's possible that the
  169460. * test takes more time than it's worth. In that case this section
  169461. * may be commented out.
  169462. */
  169463. #ifndef NO_ZERO_ROW_TEST
  169464. if (wsptr[1] == 0 && wsptr[2] == 0 && wsptr[3] == 0 && wsptr[4] == 0 &&
  169465. wsptr[5] == 0 && wsptr[6] == 0 && wsptr[7] == 0) {
  169466. /* AC terms all zero */
  169467. JSAMPLE dcval = range_limit[(int) DESCALE((INT32) wsptr[0], PASS1_BITS+3)
  169468. & RANGE_MASK];
  169469. outptr[0] = dcval;
  169470. outptr[1] = dcval;
  169471. outptr[2] = dcval;
  169472. outptr[3] = dcval;
  169473. outptr[4] = dcval;
  169474. outptr[5] = dcval;
  169475. outptr[6] = dcval;
  169476. outptr[7] = dcval;
  169477. wsptr += DCTSIZE; /* advance pointer to next row */
  169478. continue;
  169479. }
  169480. #endif
  169481. /* Even part: reverse the even part of the forward DCT. */
  169482. /* The rotator is sqrt(2)*c(-6). */
  169483. z2 = (INT32) wsptr[2];
  169484. z3 = (INT32) wsptr[6];
  169485. z1 = MULTIPLY(z2 + z3, FIX_0_541196100);
  169486. tmp2 = z1 + MULTIPLY(z3, - FIX_1_847759065);
  169487. tmp3 = z1 + MULTIPLY(z2, FIX_0_765366865);
  169488. tmp0 = ((INT32) wsptr[0] + (INT32) wsptr[4]) << CONST_BITS;
  169489. tmp1 = ((INT32) wsptr[0] - (INT32) wsptr[4]) << CONST_BITS;
  169490. tmp10 = tmp0 + tmp3;
  169491. tmp13 = tmp0 - tmp3;
  169492. tmp11 = tmp1 + tmp2;
  169493. tmp12 = tmp1 - tmp2;
  169494. /* Odd part per figure 8; the matrix is unitary and hence its
  169495. * transpose is its inverse. i0..i3 are y7,y5,y3,y1 respectively.
  169496. */
  169497. tmp0 = (INT32) wsptr[7];
  169498. tmp1 = (INT32) wsptr[5];
  169499. tmp2 = (INT32) wsptr[3];
  169500. tmp3 = (INT32) wsptr[1];
  169501. z1 = tmp0 + tmp3;
  169502. z2 = tmp1 + tmp2;
  169503. z3 = tmp0 + tmp2;
  169504. z4 = tmp1 + tmp3;
  169505. z5 = MULTIPLY(z3 + z4, FIX_1_175875602); /* sqrt(2) * c3 */
  169506. tmp0 = MULTIPLY(tmp0, FIX_0_298631336); /* sqrt(2) * (-c1+c3+c5-c7) */
  169507. tmp1 = MULTIPLY(tmp1, FIX_2_053119869); /* sqrt(2) * ( c1+c3-c5+c7) */
  169508. tmp2 = MULTIPLY(tmp2, FIX_3_072711026); /* sqrt(2) * ( c1+c3+c5-c7) */
  169509. tmp3 = MULTIPLY(tmp3, FIX_1_501321110); /* sqrt(2) * ( c1+c3-c5-c7) */
  169510. z1 = MULTIPLY(z1, - FIX_0_899976223); /* sqrt(2) * (c7-c3) */
  169511. z2 = MULTIPLY(z2, - FIX_2_562915447); /* sqrt(2) * (-c1-c3) */
  169512. z3 = MULTIPLY(z3, - FIX_1_961570560); /* sqrt(2) * (-c3-c5) */
  169513. z4 = MULTIPLY(z4, - FIX_0_390180644); /* sqrt(2) * (c5-c3) */
  169514. z3 += z5;
  169515. z4 += z5;
  169516. tmp0 += z1 + z3;
  169517. tmp1 += z2 + z4;
  169518. tmp2 += z2 + z3;
  169519. tmp3 += z1 + z4;
  169520. /* Final output stage: inputs are tmp10..tmp13, tmp0..tmp3 */
  169521. outptr[0] = range_limit[(int) DESCALE(tmp10 + tmp3,
  169522. CONST_BITS+PASS1_BITS+3)
  169523. & RANGE_MASK];
  169524. outptr[7] = range_limit[(int) DESCALE(tmp10 - tmp3,
  169525. CONST_BITS+PASS1_BITS+3)
  169526. & RANGE_MASK];
  169527. outptr[1] = range_limit[(int) DESCALE(tmp11 + tmp2,
  169528. CONST_BITS+PASS1_BITS+3)
  169529. & RANGE_MASK];
  169530. outptr[6] = range_limit[(int) DESCALE(tmp11 - tmp2,
  169531. CONST_BITS+PASS1_BITS+3)
  169532. & RANGE_MASK];
  169533. outptr[2] = range_limit[(int) DESCALE(tmp12 + tmp1,
  169534. CONST_BITS+PASS1_BITS+3)
  169535. & RANGE_MASK];
  169536. outptr[5] = range_limit[(int) DESCALE(tmp12 - tmp1,
  169537. CONST_BITS+PASS1_BITS+3)
  169538. & RANGE_MASK];
  169539. outptr[3] = range_limit[(int) DESCALE(tmp13 + tmp0,
  169540. CONST_BITS+PASS1_BITS+3)
  169541. & RANGE_MASK];
  169542. outptr[4] = range_limit[(int) DESCALE(tmp13 - tmp0,
  169543. CONST_BITS+PASS1_BITS+3)
  169544. & RANGE_MASK];
  169545. wsptr += DCTSIZE; /* advance pointer to next row */
  169546. }
  169547. }
  169548. #endif /* DCT_ISLOW_SUPPORTED */
  169549. /********* End of inlined file: jidctint.c *********/
  169550. /********* Start of inlined file: jidctred.c *********/
  169551. #define JPEG_INTERNALS
  169552. #ifdef IDCT_SCALING_SUPPORTED
  169553. /*
  169554. * This module is specialized to the case DCTSIZE = 8.
  169555. */
  169556. #if DCTSIZE != 8
  169557. Sorry, this code only copes with 8x8 DCTs. /* deliberate syntax err */
  169558. #endif
  169559. /* Scaling is the same as in jidctint.c. */
  169560. #if BITS_IN_JSAMPLE == 8
  169561. #define CONST_BITS 13
  169562. #define PASS1_BITS 2
  169563. #else
  169564. #define CONST_BITS 13
  169565. #define PASS1_BITS 1 /* lose a little precision to avoid overflow */
  169566. #endif
  169567. /* Some C compilers fail to reduce "FIX(constant)" at compile time, thus
  169568. * causing a lot of useless floating-point operations at run time.
  169569. * To get around this we use the following pre-calculated constants.
  169570. * If you change CONST_BITS you may want to add appropriate values.
  169571. * (With a reasonable C compiler, you can just rely on the FIX() macro...)
  169572. */
  169573. #if CONST_BITS == 13
  169574. #define FIX_0_211164243 ((INT32) 1730) /* FIX(0.211164243) */
  169575. #define FIX_0_509795579 ((INT32) 4176) /* FIX(0.509795579) */
  169576. #define FIX_0_601344887 ((INT32) 4926) /* FIX(0.601344887) */
  169577. #define FIX_0_720959822 ((INT32) 5906) /* FIX(0.720959822) */
  169578. #define FIX_0_765366865 ((INT32) 6270) /* FIX(0.765366865) */
  169579. #define FIX_0_850430095 ((INT32) 6967) /* FIX(0.850430095) */
  169580. #define FIX_0_899976223 ((INT32) 7373) /* FIX(0.899976223) */
  169581. #define FIX_1_061594337 ((INT32) 8697) /* FIX(1.061594337) */
  169582. #define FIX_1_272758580 ((INT32) 10426) /* FIX(1.272758580) */
  169583. #define FIX_1_451774981 ((INT32) 11893) /* FIX(1.451774981) */
  169584. #define FIX_1_847759065 ((INT32) 15137) /* FIX(1.847759065) */
  169585. #define FIX_2_172734803 ((INT32) 17799) /* FIX(2.172734803) */
  169586. #define FIX_2_562915447 ((INT32) 20995) /* FIX(2.562915447) */
  169587. #define FIX_3_624509785 ((INT32) 29692) /* FIX(3.624509785) */
  169588. #else
  169589. #define FIX_0_211164243 FIX(0.211164243)
  169590. #define FIX_0_509795579 FIX(0.509795579)
  169591. #define FIX_0_601344887 FIX(0.601344887)
  169592. #define FIX_0_720959822 FIX(0.720959822)
  169593. #define FIX_0_765366865 FIX(0.765366865)
  169594. #define FIX_0_850430095 FIX(0.850430095)
  169595. #define FIX_0_899976223 FIX(0.899976223)
  169596. #define FIX_1_061594337 FIX(1.061594337)
  169597. #define FIX_1_272758580 FIX(1.272758580)
  169598. #define FIX_1_451774981 FIX(1.451774981)
  169599. #define FIX_1_847759065 FIX(1.847759065)
  169600. #define FIX_2_172734803 FIX(2.172734803)
  169601. #define FIX_2_562915447 FIX(2.562915447)
  169602. #define FIX_3_624509785 FIX(3.624509785)
  169603. #endif
  169604. /* Multiply an INT32 variable by an INT32 constant to yield an INT32 result.
  169605. * For 8-bit samples with the recommended scaling, all the variable
  169606. * and constant values involved are no more than 16 bits wide, so a
  169607. * 16x16->32 bit multiply can be used instead of a full 32x32 multiply.
  169608. * For 12-bit samples, a full 32-bit multiplication will be needed.
  169609. */
  169610. #if BITS_IN_JSAMPLE == 8
  169611. #define MULTIPLY(var,const) MULTIPLY16C16(var,const)
  169612. #else
  169613. #define MULTIPLY(var,const) ((var) * (const))
  169614. #endif
  169615. /* Dequantize a coefficient by multiplying it by the multiplier-table
  169616. * entry; produce an int result. In this module, both inputs and result
  169617. * are 16 bits or less, so either int or short multiply will work.
  169618. */
  169619. #define DEQUANTIZE(coef,quantval) (((ISLOW_MULT_TYPE) (coef)) * (quantval))
  169620. /*
  169621. * Perform dequantization and inverse DCT on one block of coefficients,
  169622. * producing a reduced-size 4x4 output block.
  169623. */
  169624. GLOBAL(void)
  169625. jpeg_idct_4x4 (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  169626. JCOEFPTR coef_block,
  169627. JSAMPARRAY output_buf, JDIMENSION output_col)
  169628. {
  169629. INT32 tmp0, tmp2, tmp10, tmp12;
  169630. INT32 z1, z2, z3, z4;
  169631. JCOEFPTR inptr;
  169632. ISLOW_MULT_TYPE * quantptr;
  169633. int * wsptr;
  169634. JSAMPROW outptr;
  169635. JSAMPLE *range_limit = IDCT_range_limit(cinfo);
  169636. int ctr;
  169637. int workspace[DCTSIZE*4]; /* buffers data between passes */
  169638. SHIFT_TEMPS
  169639. /* Pass 1: process columns from input, store into work array. */
  169640. inptr = coef_block;
  169641. quantptr = (ISLOW_MULT_TYPE *) compptr->dct_table;
  169642. wsptr = workspace;
  169643. for (ctr = DCTSIZE; ctr > 0; inptr++, quantptr++, wsptr++, ctr--) {
  169644. /* Don't bother to process column 4, because second pass won't use it */
  169645. if (ctr == DCTSIZE-4)
  169646. continue;
  169647. if (inptr[DCTSIZE*1] == 0 && inptr[DCTSIZE*2] == 0 &&
  169648. inptr[DCTSIZE*3] == 0 && inptr[DCTSIZE*5] == 0 &&
  169649. inptr[DCTSIZE*6] == 0 && inptr[DCTSIZE*7] == 0) {
  169650. /* AC terms all zero; we need not examine term 4 for 4x4 output */
  169651. int dcval = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]) << PASS1_BITS;
  169652. wsptr[DCTSIZE*0] = dcval;
  169653. wsptr[DCTSIZE*1] = dcval;
  169654. wsptr[DCTSIZE*2] = dcval;
  169655. wsptr[DCTSIZE*3] = dcval;
  169656. continue;
  169657. }
  169658. /* Even part */
  169659. tmp0 = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]);
  169660. tmp0 <<= (CONST_BITS+1);
  169661. z2 = DEQUANTIZE(inptr[DCTSIZE*2], quantptr[DCTSIZE*2]);
  169662. z3 = DEQUANTIZE(inptr[DCTSIZE*6], quantptr[DCTSIZE*6]);
  169663. tmp2 = MULTIPLY(z2, FIX_1_847759065) + MULTIPLY(z3, - FIX_0_765366865);
  169664. tmp10 = tmp0 + tmp2;
  169665. tmp12 = tmp0 - tmp2;
  169666. /* Odd part */
  169667. z1 = DEQUANTIZE(inptr[DCTSIZE*7], quantptr[DCTSIZE*7]);
  169668. z2 = DEQUANTIZE(inptr[DCTSIZE*5], quantptr[DCTSIZE*5]);
  169669. z3 = DEQUANTIZE(inptr[DCTSIZE*3], quantptr[DCTSIZE*3]);
  169670. z4 = DEQUANTIZE(inptr[DCTSIZE*1], quantptr[DCTSIZE*1]);
  169671. tmp0 = MULTIPLY(z1, - FIX_0_211164243) /* sqrt(2) * (c3-c1) */
  169672. + MULTIPLY(z2, FIX_1_451774981) /* sqrt(2) * (c3+c7) */
  169673. + MULTIPLY(z3, - FIX_2_172734803) /* sqrt(2) * (-c1-c5) */
  169674. + MULTIPLY(z4, FIX_1_061594337); /* sqrt(2) * (c5+c7) */
  169675. tmp2 = MULTIPLY(z1, - FIX_0_509795579) /* sqrt(2) * (c7-c5) */
  169676. + MULTIPLY(z2, - FIX_0_601344887) /* sqrt(2) * (c5-c1) */
  169677. + MULTIPLY(z3, FIX_0_899976223) /* sqrt(2) * (c3-c7) */
  169678. + MULTIPLY(z4, FIX_2_562915447); /* sqrt(2) * (c1+c3) */
  169679. /* Final output stage */
  169680. wsptr[DCTSIZE*0] = (int) DESCALE(tmp10 + tmp2, CONST_BITS-PASS1_BITS+1);
  169681. wsptr[DCTSIZE*3] = (int) DESCALE(tmp10 - tmp2, CONST_BITS-PASS1_BITS+1);
  169682. wsptr[DCTSIZE*1] = (int) DESCALE(tmp12 + tmp0, CONST_BITS-PASS1_BITS+1);
  169683. wsptr[DCTSIZE*2] = (int) DESCALE(tmp12 - tmp0, CONST_BITS-PASS1_BITS+1);
  169684. }
  169685. /* Pass 2: process 4 rows from work array, store into output array. */
  169686. wsptr = workspace;
  169687. for (ctr = 0; ctr < 4; ctr++) {
  169688. outptr = output_buf[ctr] + output_col;
  169689. /* It's not clear whether a zero row test is worthwhile here ... */
  169690. #ifndef NO_ZERO_ROW_TEST
  169691. if (wsptr[1] == 0 && wsptr[2] == 0 && wsptr[3] == 0 &&
  169692. wsptr[5] == 0 && wsptr[6] == 0 && wsptr[7] == 0) {
  169693. /* AC terms all zero */
  169694. JSAMPLE dcval = range_limit[(int) DESCALE((INT32) wsptr[0], PASS1_BITS+3)
  169695. & RANGE_MASK];
  169696. outptr[0] = dcval;
  169697. outptr[1] = dcval;
  169698. outptr[2] = dcval;
  169699. outptr[3] = dcval;
  169700. wsptr += DCTSIZE; /* advance pointer to next row */
  169701. continue;
  169702. }
  169703. #endif
  169704. /* Even part */
  169705. tmp0 = ((INT32) wsptr[0]) << (CONST_BITS+1);
  169706. tmp2 = MULTIPLY((INT32) wsptr[2], FIX_1_847759065)
  169707. + MULTIPLY((INT32) wsptr[6], - FIX_0_765366865);
  169708. tmp10 = tmp0 + tmp2;
  169709. tmp12 = tmp0 - tmp2;
  169710. /* Odd part */
  169711. z1 = (INT32) wsptr[7];
  169712. z2 = (INT32) wsptr[5];
  169713. z3 = (INT32) wsptr[3];
  169714. z4 = (INT32) wsptr[1];
  169715. tmp0 = MULTIPLY(z1, - FIX_0_211164243) /* sqrt(2) * (c3-c1) */
  169716. + MULTIPLY(z2, FIX_1_451774981) /* sqrt(2) * (c3+c7) */
  169717. + MULTIPLY(z3, - FIX_2_172734803) /* sqrt(2) * (-c1-c5) */
  169718. + MULTIPLY(z4, FIX_1_061594337); /* sqrt(2) * (c5+c7) */
  169719. tmp2 = MULTIPLY(z1, - FIX_0_509795579) /* sqrt(2) * (c7-c5) */
  169720. + MULTIPLY(z2, - FIX_0_601344887) /* sqrt(2) * (c5-c1) */
  169721. + MULTIPLY(z3, FIX_0_899976223) /* sqrt(2) * (c3-c7) */
  169722. + MULTIPLY(z4, FIX_2_562915447); /* sqrt(2) * (c1+c3) */
  169723. /* Final output stage */
  169724. outptr[0] = range_limit[(int) DESCALE(tmp10 + tmp2,
  169725. CONST_BITS+PASS1_BITS+3+1)
  169726. & RANGE_MASK];
  169727. outptr[3] = range_limit[(int) DESCALE(tmp10 - tmp2,
  169728. CONST_BITS+PASS1_BITS+3+1)
  169729. & RANGE_MASK];
  169730. outptr[1] = range_limit[(int) DESCALE(tmp12 + tmp0,
  169731. CONST_BITS+PASS1_BITS+3+1)
  169732. & RANGE_MASK];
  169733. outptr[2] = range_limit[(int) DESCALE(tmp12 - tmp0,
  169734. CONST_BITS+PASS1_BITS+3+1)
  169735. & RANGE_MASK];
  169736. wsptr += DCTSIZE; /* advance pointer to next row */
  169737. }
  169738. }
  169739. /*
  169740. * Perform dequantization and inverse DCT on one block of coefficients,
  169741. * producing a reduced-size 2x2 output block.
  169742. */
  169743. GLOBAL(void)
  169744. jpeg_idct_2x2 (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  169745. JCOEFPTR coef_block,
  169746. JSAMPARRAY output_buf, JDIMENSION output_col)
  169747. {
  169748. INT32 tmp0, tmp10, z1;
  169749. JCOEFPTR inptr;
  169750. ISLOW_MULT_TYPE * quantptr;
  169751. int * wsptr;
  169752. JSAMPROW outptr;
  169753. JSAMPLE *range_limit = IDCT_range_limit(cinfo);
  169754. int ctr;
  169755. int workspace[DCTSIZE*2]; /* buffers data between passes */
  169756. SHIFT_TEMPS
  169757. /* Pass 1: process columns from input, store into work array. */
  169758. inptr = coef_block;
  169759. quantptr = (ISLOW_MULT_TYPE *) compptr->dct_table;
  169760. wsptr = workspace;
  169761. for (ctr = DCTSIZE; ctr > 0; inptr++, quantptr++, wsptr++, ctr--) {
  169762. /* Don't bother to process columns 2,4,6 */
  169763. if (ctr == DCTSIZE-2 || ctr == DCTSIZE-4 || ctr == DCTSIZE-6)
  169764. continue;
  169765. if (inptr[DCTSIZE*1] == 0 && inptr[DCTSIZE*3] == 0 &&
  169766. inptr[DCTSIZE*5] == 0 && inptr[DCTSIZE*7] == 0) {
  169767. /* AC terms all zero; we need not examine terms 2,4,6 for 2x2 output */
  169768. int dcval = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]) << PASS1_BITS;
  169769. wsptr[DCTSIZE*0] = dcval;
  169770. wsptr[DCTSIZE*1] = dcval;
  169771. continue;
  169772. }
  169773. /* Even part */
  169774. z1 = DEQUANTIZE(inptr[DCTSIZE*0], quantptr[DCTSIZE*0]);
  169775. tmp10 = z1 << (CONST_BITS+2);
  169776. /* Odd part */
  169777. z1 = DEQUANTIZE(inptr[DCTSIZE*7], quantptr[DCTSIZE*7]);
  169778. tmp0 = MULTIPLY(z1, - FIX_0_720959822); /* sqrt(2) * (c7-c5+c3-c1) */
  169779. z1 = DEQUANTIZE(inptr[DCTSIZE*5], quantptr[DCTSIZE*5]);
  169780. tmp0 += MULTIPLY(z1, FIX_0_850430095); /* sqrt(2) * (-c1+c3+c5+c7) */
  169781. z1 = DEQUANTIZE(inptr[DCTSIZE*3], quantptr[DCTSIZE*3]);
  169782. tmp0 += MULTIPLY(z1, - FIX_1_272758580); /* sqrt(2) * (-c1+c3-c5-c7) */
  169783. z1 = DEQUANTIZE(inptr[DCTSIZE*1], quantptr[DCTSIZE*1]);
  169784. tmp0 += MULTIPLY(z1, FIX_3_624509785); /* sqrt(2) * (c1+c3+c5+c7) */
  169785. /* Final output stage */
  169786. wsptr[DCTSIZE*0] = (int) DESCALE(tmp10 + tmp0, CONST_BITS-PASS1_BITS+2);
  169787. wsptr[DCTSIZE*1] = (int) DESCALE(tmp10 - tmp0, CONST_BITS-PASS1_BITS+2);
  169788. }
  169789. /* Pass 2: process 2 rows from work array, store into output array. */
  169790. wsptr = workspace;
  169791. for (ctr = 0; ctr < 2; ctr++) {
  169792. outptr = output_buf[ctr] + output_col;
  169793. /* It's not clear whether a zero row test is worthwhile here ... */
  169794. #ifndef NO_ZERO_ROW_TEST
  169795. if (wsptr[1] == 0 && wsptr[3] == 0 && wsptr[5] == 0 && wsptr[7] == 0) {
  169796. /* AC terms all zero */
  169797. JSAMPLE dcval = range_limit[(int) DESCALE((INT32) wsptr[0], PASS1_BITS+3)
  169798. & RANGE_MASK];
  169799. outptr[0] = dcval;
  169800. outptr[1] = dcval;
  169801. wsptr += DCTSIZE; /* advance pointer to next row */
  169802. continue;
  169803. }
  169804. #endif
  169805. /* Even part */
  169806. tmp10 = ((INT32) wsptr[0]) << (CONST_BITS+2);
  169807. /* Odd part */
  169808. tmp0 = MULTIPLY((INT32) wsptr[7], - FIX_0_720959822) /* sqrt(2) * (c7-c5+c3-c1) */
  169809. + MULTIPLY((INT32) wsptr[5], FIX_0_850430095) /* sqrt(2) * (-c1+c3+c5+c7) */
  169810. + MULTIPLY((INT32) wsptr[3], - FIX_1_272758580) /* sqrt(2) * (-c1+c3-c5-c7) */
  169811. + MULTIPLY((INT32) wsptr[1], FIX_3_624509785); /* sqrt(2) * (c1+c3+c5+c7) */
  169812. /* Final output stage */
  169813. outptr[0] = range_limit[(int) DESCALE(tmp10 + tmp0,
  169814. CONST_BITS+PASS1_BITS+3+2)
  169815. & RANGE_MASK];
  169816. outptr[1] = range_limit[(int) DESCALE(tmp10 - tmp0,
  169817. CONST_BITS+PASS1_BITS+3+2)
  169818. & RANGE_MASK];
  169819. wsptr += DCTSIZE; /* advance pointer to next row */
  169820. }
  169821. }
  169822. /*
  169823. * Perform dequantization and inverse DCT on one block of coefficients,
  169824. * producing a reduced-size 1x1 output block.
  169825. */
  169826. GLOBAL(void)
  169827. jpeg_idct_1x1 (j_decompress_ptr cinfo, jpeg_component_info * compptr,
  169828. JCOEFPTR coef_block,
  169829. JSAMPARRAY output_buf, JDIMENSION output_col)
  169830. {
  169831. int dcval;
  169832. ISLOW_MULT_TYPE * quantptr;
  169833. JSAMPLE *range_limit = IDCT_range_limit(cinfo);
  169834. SHIFT_TEMPS
  169835. /* We hardly need an inverse DCT routine for this: just take the
  169836. * average pixel value, which is one-eighth of the DC coefficient.
  169837. */
  169838. quantptr = (ISLOW_MULT_TYPE *) compptr->dct_table;
  169839. dcval = DEQUANTIZE(coef_block[0], quantptr[0]);
  169840. dcval = (int) DESCALE((INT32) dcval, 3);
  169841. output_buf[0][output_col] = range_limit[dcval & RANGE_MASK];
  169842. }
  169843. #endif /* IDCT_SCALING_SUPPORTED */
  169844. /********* End of inlined file: jidctred.c *********/
  169845. /********* Start of inlined file: jmemmgr.c *********/
  169846. #define JPEG_INTERNALS
  169847. #define AM_MEMORY_MANAGER /* we define jvirt_Xarray_control structs */
  169848. /********* Start of inlined file: jmemsys.h *********/
  169849. #ifndef __jmemsys_h__
  169850. #define __jmemsys_h__
  169851. /* Short forms of external names for systems with brain-damaged linkers. */
  169852. #ifdef NEED_SHORT_EXTERNAL_NAMES
  169853. #define jpeg_get_small jGetSmall
  169854. #define jpeg_free_small jFreeSmall
  169855. #define jpeg_get_large jGetLarge
  169856. #define jpeg_free_large jFreeLarge
  169857. #define jpeg_mem_available jMemAvail
  169858. #define jpeg_open_backing_store jOpenBackStore
  169859. #define jpeg_mem_init jMemInit
  169860. #define jpeg_mem_term jMemTerm
  169861. #endif /* NEED_SHORT_EXTERNAL_NAMES */
  169862. /*
  169863. * These two functions are used to allocate and release small chunks of
  169864. * memory. (Typically the total amount requested through jpeg_get_small is
  169865. * no more than 20K or so; this will be requested in chunks of a few K each.)
  169866. * Behavior should be the same as for the standard library functions malloc
  169867. * and free; in particular, jpeg_get_small must return NULL on failure.
  169868. * On most systems, these ARE malloc and free. jpeg_free_small is passed the
  169869. * size of the object being freed, just in case it's needed.
  169870. * On an 80x86 machine using small-data memory model, these manage near heap.
  169871. */
  169872. EXTERN(void *) jpeg_get_small JPP((j_common_ptr cinfo, size_t sizeofobject));
  169873. EXTERN(void) jpeg_free_small JPP((j_common_ptr cinfo, void * object,
  169874. size_t sizeofobject));
  169875. /*
  169876. * These two functions are used to allocate and release large chunks of
  169877. * memory (up to the total free space designated by jpeg_mem_available).
  169878. * The interface is the same as above, except that on an 80x86 machine,
  169879. * far pointers are used. On most other machines these are identical to
  169880. * the jpeg_get/free_small routines; but we keep them separate anyway,
  169881. * in case a different allocation strategy is desirable for large chunks.
  169882. */
  169883. EXTERN(void FAR *) jpeg_get_large JPP((j_common_ptr cinfo,
  169884. size_t sizeofobject));
  169885. EXTERN(void) jpeg_free_large JPP((j_common_ptr cinfo, void FAR * object,
  169886. size_t sizeofobject));
  169887. /*
  169888. * The macro MAX_ALLOC_CHUNK designates the maximum number of bytes that may
  169889. * be requested in a single call to jpeg_get_large (and jpeg_get_small for that
  169890. * matter, but that case should never come into play). This macro is needed
  169891. * to model the 64Kb-segment-size limit of far addressing on 80x86 machines.
  169892. * On those machines, we expect that jconfig.h will provide a proper value.
  169893. * On machines with 32-bit flat address spaces, any large constant may be used.
  169894. *
  169895. * NB: jmemmgr.c expects that MAX_ALLOC_CHUNK will be representable as type
  169896. * size_t and will be a multiple of sizeof(align_type).
  169897. */
  169898. #ifndef MAX_ALLOC_CHUNK /* may be overridden in jconfig.h */
  169899. #define MAX_ALLOC_CHUNK 1000000000L
  169900. #endif
  169901. /*
  169902. * This routine computes the total space still available for allocation by
  169903. * jpeg_get_large. If more space than this is needed, backing store will be
  169904. * used. NOTE: any memory already allocated must not be counted.
  169905. *
  169906. * There is a minimum space requirement, corresponding to the minimum
  169907. * feasible buffer sizes; jmemmgr.c will request that much space even if
  169908. * jpeg_mem_available returns zero. The maximum space needed, enough to hold
  169909. * all working storage in memory, is also passed in case it is useful.
  169910. * Finally, the total space already allocated is passed. If no better
  169911. * method is available, cinfo->mem->max_memory_to_use - already_allocated
  169912. * is often a suitable calculation.
  169913. *
  169914. * It is OK for jpeg_mem_available to underestimate the space available
  169915. * (that'll just lead to more backing-store access than is really necessary).
  169916. * However, an overestimate will lead to failure. Hence it's wise to subtract
  169917. * a slop factor from the true available space. 5% should be enough.
  169918. *
  169919. * On machines with lots of virtual memory, any large constant may be returned.
  169920. * Conversely, zero may be returned to always use the minimum amount of memory.
  169921. */
  169922. EXTERN(long) jpeg_mem_available JPP((j_common_ptr cinfo,
  169923. long min_bytes_needed,
  169924. long max_bytes_needed,
  169925. long already_allocated));
  169926. /*
  169927. * This structure holds whatever state is needed to access a single
  169928. * backing-store object. The read/write/close method pointers are called
  169929. * by jmemmgr.c to manipulate the backing-store object; all other fields
  169930. * are private to the system-dependent backing store routines.
  169931. */
  169932. #define TEMP_NAME_LENGTH 64 /* max length of a temporary file's name */
  169933. #ifdef USE_MSDOS_MEMMGR /* DOS-specific junk */
  169934. typedef unsigned short XMSH; /* type of extended-memory handles */
  169935. typedef unsigned short EMSH; /* type of expanded-memory handles */
  169936. typedef union {
  169937. short file_handle; /* DOS file handle if it's a temp file */
  169938. XMSH xms_handle; /* handle if it's a chunk of XMS */
  169939. EMSH ems_handle; /* handle if it's a chunk of EMS */
  169940. } handle_union;
  169941. #endif /* USE_MSDOS_MEMMGR */
  169942. #ifdef USE_MAC_MEMMGR /* Mac-specific junk */
  169943. #include <Files.h>
  169944. #endif /* USE_MAC_MEMMGR */
  169945. //typedef struct backing_store_struct * backing_store_ptr;
  169946. typedef struct backing_store_struct {
  169947. /* Methods for reading/writing/closing this backing-store object */
  169948. JMETHOD(void, read_backing_store, (j_common_ptr cinfo,
  169949. struct backing_store_struct *info,
  169950. void FAR * buffer_address,
  169951. long file_offset, long byte_count));
  169952. JMETHOD(void, write_backing_store, (j_common_ptr cinfo,
  169953. struct backing_store_struct *info,
  169954. void FAR * buffer_address,
  169955. long file_offset, long byte_count));
  169956. JMETHOD(void, close_backing_store, (j_common_ptr cinfo,
  169957. struct backing_store_struct *info));
  169958. /* Private fields for system-dependent backing-store management */
  169959. #ifdef USE_MSDOS_MEMMGR
  169960. /* For the MS-DOS manager (jmemdos.c), we need: */
  169961. handle_union handle; /* reference to backing-store storage object */
  169962. char temp_name[TEMP_NAME_LENGTH]; /* name if it's a file */
  169963. #else
  169964. #ifdef USE_MAC_MEMMGR
  169965. /* For the Mac manager (jmemmac.c), we need: */
  169966. short temp_file; /* file reference number to temp file */
  169967. FSSpec tempSpec; /* the FSSpec for the temp file */
  169968. char temp_name[TEMP_NAME_LENGTH]; /* name if it's a file */
  169969. #else
  169970. /* For a typical implementation with temp files, we need: */
  169971. FILE * temp_file; /* stdio reference to temp file */
  169972. char temp_name[TEMP_NAME_LENGTH]; /* name of temp file */
  169973. #endif
  169974. #endif
  169975. } backing_store_info;
  169976. /*
  169977. * Initial opening of a backing-store object. This must fill in the
  169978. * read/write/close pointers in the object. The read/write routines
  169979. * may take an error exit if the specified maximum file size is exceeded.
  169980. * (If jpeg_mem_available always returns a large value, this routine can
  169981. * just take an error exit.)
  169982. */
  169983. EXTERN(void) jpeg_open_backing_store JPP((j_common_ptr cinfo,
  169984. struct backing_store_struct *info,
  169985. long total_bytes_needed));
  169986. /*
  169987. * These routines take care of any system-dependent initialization and
  169988. * cleanup required. jpeg_mem_init will be called before anything is
  169989. * allocated (and, therefore, nothing in cinfo is of use except the error
  169990. * manager pointer). It should return a suitable default value for
  169991. * max_memory_to_use; this may subsequently be overridden by the surrounding
  169992. * application. (Note that max_memory_to_use is only important if
  169993. * jpeg_mem_available chooses to consult it ... no one else will.)
  169994. * jpeg_mem_term may assume that all requested memory has been freed and that
  169995. * all opened backing-store objects have been closed.
  169996. */
  169997. EXTERN(long) jpeg_mem_init JPP((j_common_ptr cinfo));
  169998. EXTERN(void) jpeg_mem_term JPP((j_common_ptr cinfo));
  169999. #endif
  170000. /********* End of inlined file: jmemsys.h *********/
  170001. /* import the system-dependent declarations */
  170002. #ifndef NO_GETENV
  170003. #ifndef HAVE_STDLIB_H /* <stdlib.h> should declare getenv() */
  170004. extern char * getenv JPP((const char * name));
  170005. #endif
  170006. #endif
  170007. /*
  170008. * Some important notes:
  170009. * The allocation routines provided here must never return NULL.
  170010. * They should exit to error_exit if unsuccessful.
  170011. *
  170012. * It's not a good idea to try to merge the sarray and barray routines,
  170013. * even though they are textually almost the same, because samples are
  170014. * usually stored as bytes while coefficients are shorts or ints. Thus,
  170015. * in machines where byte pointers have a different representation from
  170016. * word pointers, the resulting machine code could not be the same.
  170017. */
  170018. /*
  170019. * Many machines require storage alignment: longs must start on 4-byte
  170020. * boundaries, doubles on 8-byte boundaries, etc. On such machines, malloc()
  170021. * always returns pointers that are multiples of the worst-case alignment
  170022. * requirement, and we had better do so too.
  170023. * There isn't any really portable way to determine the worst-case alignment
  170024. * requirement. This module assumes that the alignment requirement is
  170025. * multiples of sizeof(ALIGN_TYPE).
  170026. * By default, we define ALIGN_TYPE as double. This is necessary on some
  170027. * workstations (where doubles really do need 8-byte alignment) and will work
  170028. * fine on nearly everything. If your machine has lesser alignment needs,
  170029. * you can save a few bytes by making ALIGN_TYPE smaller.
  170030. * The only place I know of where this will NOT work is certain Macintosh
  170031. * 680x0 compilers that define double as a 10-byte IEEE extended float.
  170032. * Doing 10-byte alignment is counterproductive because longwords won't be
  170033. * aligned well. Put "#define ALIGN_TYPE long" in jconfig.h if you have
  170034. * such a compiler.
  170035. */
  170036. #ifndef ALIGN_TYPE /* so can override from jconfig.h */
  170037. #define ALIGN_TYPE double
  170038. #endif
  170039. /*
  170040. * We allocate objects from "pools", where each pool is gotten with a single
  170041. * request to jpeg_get_small() or jpeg_get_large(). There is no per-object
  170042. * overhead within a pool, except for alignment padding. Each pool has a
  170043. * header with a link to the next pool of the same class.
  170044. * Small and large pool headers are identical except that the latter's
  170045. * link pointer must be FAR on 80x86 machines.
  170046. * Notice that the "real" header fields are union'ed with a dummy ALIGN_TYPE
  170047. * field. This forces the compiler to make SIZEOF(small_pool_hdr) a multiple
  170048. * of the alignment requirement of ALIGN_TYPE.
  170049. */
  170050. typedef union small_pool_struct * small_pool_ptr;
  170051. typedef union small_pool_struct {
  170052. struct {
  170053. small_pool_ptr next; /* next in list of pools */
  170054. size_t bytes_used; /* how many bytes already used within pool */
  170055. size_t bytes_left; /* bytes still available in this pool */
  170056. } hdr;
  170057. ALIGN_TYPE dummy; /* included in union to ensure alignment */
  170058. } small_pool_hdr;
  170059. typedef union large_pool_struct FAR * large_pool_ptr;
  170060. typedef union large_pool_struct {
  170061. struct {
  170062. large_pool_ptr next; /* next in list of pools */
  170063. size_t bytes_used; /* how many bytes already used within pool */
  170064. size_t bytes_left; /* bytes still available in this pool */
  170065. } hdr;
  170066. ALIGN_TYPE dummy; /* included in union to ensure alignment */
  170067. } large_pool_hdr;
  170068. /*
  170069. * Here is the full definition of a memory manager object.
  170070. */
  170071. typedef struct {
  170072. struct jpeg_memory_mgr pub; /* public fields */
  170073. /* Each pool identifier (lifetime class) names a linked list of pools. */
  170074. small_pool_ptr small_list[JPOOL_NUMPOOLS];
  170075. large_pool_ptr large_list[JPOOL_NUMPOOLS];
  170076. /* Since we only have one lifetime class of virtual arrays, only one
  170077. * linked list is necessary (for each datatype). Note that the virtual
  170078. * array control blocks being linked together are actually stored somewhere
  170079. * in the small-pool list.
  170080. */
  170081. jvirt_sarray_ptr virt_sarray_list;
  170082. jvirt_barray_ptr virt_barray_list;
  170083. /* This counts total space obtained from jpeg_get_small/large */
  170084. long total_space_allocated;
  170085. /* alloc_sarray and alloc_barray set this value for use by virtual
  170086. * array routines.
  170087. */
  170088. JDIMENSION last_rowsperchunk; /* from most recent alloc_sarray/barray */
  170089. } my_memory_mgr;
  170090. typedef my_memory_mgr * my_mem_ptr;
  170091. /*
  170092. * The control blocks for virtual arrays.
  170093. * Note that these blocks are allocated in the "small" pool area.
  170094. * System-dependent info for the associated backing store (if any) is hidden
  170095. * inside the backing_store_info struct.
  170096. */
  170097. struct jvirt_sarray_control {
  170098. JSAMPARRAY mem_buffer; /* => the in-memory buffer */
  170099. JDIMENSION rows_in_array; /* total virtual array height */
  170100. JDIMENSION samplesperrow; /* width of array (and of memory buffer) */
  170101. JDIMENSION maxaccess; /* max rows accessed by access_virt_sarray */
  170102. JDIMENSION rows_in_mem; /* height of memory buffer */
  170103. JDIMENSION rowsperchunk; /* allocation chunk size in mem_buffer */
  170104. JDIMENSION cur_start_row; /* first logical row # in the buffer */
  170105. JDIMENSION first_undef_row; /* row # of first uninitialized row */
  170106. boolean pre_zero; /* pre-zero mode requested? */
  170107. boolean dirty; /* do current buffer contents need written? */
  170108. boolean b_s_open; /* is backing-store data valid? */
  170109. jvirt_sarray_ptr next; /* link to next virtual sarray control block */
  170110. backing_store_info b_s_info; /* System-dependent control info */
  170111. };
  170112. struct jvirt_barray_control {
  170113. JBLOCKARRAY mem_buffer; /* => the in-memory buffer */
  170114. JDIMENSION rows_in_array; /* total virtual array height */
  170115. JDIMENSION blocksperrow; /* width of array (and of memory buffer) */
  170116. JDIMENSION maxaccess; /* max rows accessed by access_virt_barray */
  170117. JDIMENSION rows_in_mem; /* height of memory buffer */
  170118. JDIMENSION rowsperchunk; /* allocation chunk size in mem_buffer */
  170119. JDIMENSION cur_start_row; /* first logical row # in the buffer */
  170120. JDIMENSION first_undef_row; /* row # of first uninitialized row */
  170121. boolean pre_zero; /* pre-zero mode requested? */
  170122. boolean dirty; /* do current buffer contents need written? */
  170123. boolean b_s_open; /* is backing-store data valid? */
  170124. jvirt_barray_ptr next; /* link to next virtual barray control block */
  170125. backing_store_info b_s_info; /* System-dependent control info */
  170126. };
  170127. #ifdef MEM_STATS /* optional extra stuff for statistics */
  170128. LOCAL(void)
  170129. print_mem_stats (j_common_ptr cinfo, int pool_id)
  170130. {
  170131. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170132. small_pool_ptr shdr_ptr;
  170133. large_pool_ptr lhdr_ptr;
  170134. /* Since this is only a debugging stub, we can cheat a little by using
  170135. * fprintf directly rather than going through the trace message code.
  170136. * This is helpful because message parm array can't handle longs.
  170137. */
  170138. fprintf(stderr, "Freeing pool %d, total space = %ld\n",
  170139. pool_id, mem->total_space_allocated);
  170140. for (lhdr_ptr = mem->large_list[pool_id]; lhdr_ptr != NULL;
  170141. lhdr_ptr = lhdr_ptr->hdr.next) {
  170142. fprintf(stderr, " Large chunk used %ld\n",
  170143. (long) lhdr_ptr->hdr.bytes_used);
  170144. }
  170145. for (shdr_ptr = mem->small_list[pool_id]; shdr_ptr != NULL;
  170146. shdr_ptr = shdr_ptr->hdr.next) {
  170147. fprintf(stderr, " Small chunk used %ld free %ld\n",
  170148. (long) shdr_ptr->hdr.bytes_used,
  170149. (long) shdr_ptr->hdr.bytes_left);
  170150. }
  170151. }
  170152. #endif /* MEM_STATS */
  170153. LOCAL(void)
  170154. out_of_memory (j_common_ptr cinfo, int which)
  170155. /* Report an out-of-memory error and stop execution */
  170156. /* If we compiled MEM_STATS support, report alloc requests before dying */
  170157. {
  170158. #ifdef MEM_STATS
  170159. cinfo->err->trace_level = 2; /* force self_destruct to report stats */
  170160. #endif
  170161. ERREXIT1(cinfo, JERR_OUT_OF_MEMORY, which);
  170162. }
  170163. /*
  170164. * Allocation of "small" objects.
  170165. *
  170166. * For these, we use pooled storage. When a new pool must be created,
  170167. * we try to get enough space for the current request plus a "slop" factor,
  170168. * where the slop will be the amount of leftover space in the new pool.
  170169. * The speed vs. space tradeoff is largely determined by the slop values.
  170170. * A different slop value is provided for each pool class (lifetime),
  170171. * and we also distinguish the first pool of a class from later ones.
  170172. * NOTE: the values given work fairly well on both 16- and 32-bit-int
  170173. * machines, but may be too small if longs are 64 bits or more.
  170174. */
  170175. static const size_t first_pool_slop[JPOOL_NUMPOOLS] =
  170176. {
  170177. 1600, /* first PERMANENT pool */
  170178. 16000 /* first IMAGE pool */
  170179. };
  170180. static const size_t extra_pool_slop[JPOOL_NUMPOOLS] =
  170181. {
  170182. 0, /* additional PERMANENT pools */
  170183. 5000 /* additional IMAGE pools */
  170184. };
  170185. #define MIN_SLOP 50 /* greater than 0 to avoid futile looping */
  170186. METHODDEF(void *)
  170187. alloc_small (j_common_ptr cinfo, int pool_id, size_t sizeofobject)
  170188. /* Allocate a "small" object */
  170189. {
  170190. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170191. small_pool_ptr hdr_ptr, prev_hdr_ptr;
  170192. char * data_ptr;
  170193. size_t odd_bytes, min_request, slop;
  170194. /* Check for unsatisfiable request (do now to ensure no overflow below) */
  170195. if (sizeofobject > (size_t) (MAX_ALLOC_CHUNK-SIZEOF(small_pool_hdr)))
  170196. out_of_memory(cinfo, 1); /* request exceeds malloc's ability */
  170197. /* Round up the requested size to a multiple of SIZEOF(ALIGN_TYPE) */
  170198. odd_bytes = sizeofobject % SIZEOF(ALIGN_TYPE);
  170199. if (odd_bytes > 0)
  170200. sizeofobject += SIZEOF(ALIGN_TYPE) - odd_bytes;
  170201. /* See if space is available in any existing pool */
  170202. if (pool_id < 0 || pool_id >= JPOOL_NUMPOOLS)
  170203. ERREXIT1(cinfo, JERR_BAD_POOL_ID, pool_id); /* safety check */
  170204. prev_hdr_ptr = NULL;
  170205. hdr_ptr = mem->small_list[pool_id];
  170206. while (hdr_ptr != NULL) {
  170207. if (hdr_ptr->hdr.bytes_left >= sizeofobject)
  170208. break; /* found pool with enough space */
  170209. prev_hdr_ptr = hdr_ptr;
  170210. hdr_ptr = hdr_ptr->hdr.next;
  170211. }
  170212. /* Time to make a new pool? */
  170213. if (hdr_ptr == NULL) {
  170214. /* min_request is what we need now, slop is what will be leftover */
  170215. min_request = sizeofobject + SIZEOF(small_pool_hdr);
  170216. if (prev_hdr_ptr == NULL) /* first pool in class? */
  170217. slop = first_pool_slop[pool_id];
  170218. else
  170219. slop = extra_pool_slop[pool_id];
  170220. /* Don't ask for more than MAX_ALLOC_CHUNK */
  170221. if (slop > (size_t) (MAX_ALLOC_CHUNK-min_request))
  170222. slop = (size_t) (MAX_ALLOC_CHUNK-min_request);
  170223. /* Try to get space, if fail reduce slop and try again */
  170224. for (;;) {
  170225. hdr_ptr = (small_pool_ptr) jpeg_get_small(cinfo, min_request + slop);
  170226. if (hdr_ptr != NULL)
  170227. break;
  170228. slop /= 2;
  170229. if (slop < MIN_SLOP) /* give up when it gets real small */
  170230. out_of_memory(cinfo, 2); /* jpeg_get_small failed */
  170231. }
  170232. mem->total_space_allocated += min_request + slop;
  170233. /* Success, initialize the new pool header and add to end of list */
  170234. hdr_ptr->hdr.next = NULL;
  170235. hdr_ptr->hdr.bytes_used = 0;
  170236. hdr_ptr->hdr.bytes_left = sizeofobject + slop;
  170237. if (prev_hdr_ptr == NULL) /* first pool in class? */
  170238. mem->small_list[pool_id] = hdr_ptr;
  170239. else
  170240. prev_hdr_ptr->hdr.next = hdr_ptr;
  170241. }
  170242. /* OK, allocate the object from the current pool */
  170243. data_ptr = (char *) (hdr_ptr + 1); /* point to first data byte in pool */
  170244. data_ptr += hdr_ptr->hdr.bytes_used; /* point to place for object */
  170245. hdr_ptr->hdr.bytes_used += sizeofobject;
  170246. hdr_ptr->hdr.bytes_left -= sizeofobject;
  170247. return (void *) data_ptr;
  170248. }
  170249. /*
  170250. * Allocation of "large" objects.
  170251. *
  170252. * The external semantics of these are the same as "small" objects,
  170253. * except that FAR pointers are used on 80x86. However the pool
  170254. * management heuristics are quite different. We assume that each
  170255. * request is large enough that it may as well be passed directly to
  170256. * jpeg_get_large; the pool management just links everything together
  170257. * so that we can free it all on demand.
  170258. * Note: the major use of "large" objects is in JSAMPARRAY and JBLOCKARRAY
  170259. * structures. The routines that create these structures (see below)
  170260. * deliberately bunch rows together to ensure a large request size.
  170261. */
  170262. METHODDEF(void FAR *)
  170263. alloc_large (j_common_ptr cinfo, int pool_id, size_t sizeofobject)
  170264. /* Allocate a "large" object */
  170265. {
  170266. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170267. large_pool_ptr hdr_ptr;
  170268. size_t odd_bytes;
  170269. /* Check for unsatisfiable request (do now to ensure no overflow below) */
  170270. if (sizeofobject > (size_t) (MAX_ALLOC_CHUNK-SIZEOF(large_pool_hdr)))
  170271. out_of_memory(cinfo, 3); /* request exceeds malloc's ability */
  170272. /* Round up the requested size to a multiple of SIZEOF(ALIGN_TYPE) */
  170273. odd_bytes = sizeofobject % SIZEOF(ALIGN_TYPE);
  170274. if (odd_bytes > 0)
  170275. sizeofobject += SIZEOF(ALIGN_TYPE) - odd_bytes;
  170276. /* Always make a new pool */
  170277. if (pool_id < 0 || pool_id >= JPOOL_NUMPOOLS)
  170278. ERREXIT1(cinfo, JERR_BAD_POOL_ID, pool_id); /* safety check */
  170279. hdr_ptr = (large_pool_ptr) jpeg_get_large(cinfo, sizeofobject +
  170280. SIZEOF(large_pool_hdr));
  170281. if (hdr_ptr == NULL)
  170282. out_of_memory(cinfo, 4); /* jpeg_get_large failed */
  170283. mem->total_space_allocated += sizeofobject + SIZEOF(large_pool_hdr);
  170284. /* Success, initialize the new pool header and add to list */
  170285. hdr_ptr->hdr.next = mem->large_list[pool_id];
  170286. /* We maintain space counts in each pool header for statistical purposes,
  170287. * even though they are not needed for allocation.
  170288. */
  170289. hdr_ptr->hdr.bytes_used = sizeofobject;
  170290. hdr_ptr->hdr.bytes_left = 0;
  170291. mem->large_list[pool_id] = hdr_ptr;
  170292. return (void FAR *) (hdr_ptr + 1); /* point to first data byte in pool */
  170293. }
  170294. /*
  170295. * Creation of 2-D sample arrays.
  170296. * The pointers are in near heap, the samples themselves in FAR heap.
  170297. *
  170298. * To minimize allocation overhead and to allow I/O of large contiguous
  170299. * blocks, we allocate the sample rows in groups of as many rows as possible
  170300. * without exceeding MAX_ALLOC_CHUNK total bytes per allocation request.
  170301. * NB: the virtual array control routines, later in this file, know about
  170302. * this chunking of rows. The rowsperchunk value is left in the mem manager
  170303. * object so that it can be saved away if this sarray is the workspace for
  170304. * a virtual array.
  170305. */
  170306. METHODDEF(JSAMPARRAY)
  170307. alloc_sarray (j_common_ptr cinfo, int pool_id,
  170308. JDIMENSION samplesperrow, JDIMENSION numrows)
  170309. /* Allocate a 2-D sample array */
  170310. {
  170311. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170312. JSAMPARRAY result;
  170313. JSAMPROW workspace;
  170314. JDIMENSION rowsperchunk, currow, i;
  170315. long ltemp;
  170316. /* Calculate max # of rows allowed in one allocation chunk */
  170317. ltemp = (MAX_ALLOC_CHUNK-SIZEOF(large_pool_hdr)) /
  170318. ((long) samplesperrow * SIZEOF(JSAMPLE));
  170319. if (ltemp <= 0)
  170320. ERREXIT(cinfo, JERR_WIDTH_OVERFLOW);
  170321. if (ltemp < (long) numrows)
  170322. rowsperchunk = (JDIMENSION) ltemp;
  170323. else
  170324. rowsperchunk = numrows;
  170325. mem->last_rowsperchunk = rowsperchunk;
  170326. /* Get space for row pointers (small object) */
  170327. result = (JSAMPARRAY) alloc_small(cinfo, pool_id,
  170328. (size_t) (numrows * SIZEOF(JSAMPROW)));
  170329. /* Get the rows themselves (large objects) */
  170330. currow = 0;
  170331. while (currow < numrows) {
  170332. rowsperchunk = MIN(rowsperchunk, numrows - currow);
  170333. workspace = (JSAMPROW) alloc_large(cinfo, pool_id,
  170334. (size_t) ((size_t) rowsperchunk * (size_t) samplesperrow
  170335. * SIZEOF(JSAMPLE)));
  170336. for (i = rowsperchunk; i > 0; i--) {
  170337. result[currow++] = workspace;
  170338. workspace += samplesperrow;
  170339. }
  170340. }
  170341. return result;
  170342. }
  170343. /*
  170344. * Creation of 2-D coefficient-block arrays.
  170345. * This is essentially the same as the code for sample arrays, above.
  170346. */
  170347. METHODDEF(JBLOCKARRAY)
  170348. alloc_barray (j_common_ptr cinfo, int pool_id,
  170349. JDIMENSION blocksperrow, JDIMENSION numrows)
  170350. /* Allocate a 2-D coefficient-block array */
  170351. {
  170352. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170353. JBLOCKARRAY result;
  170354. JBLOCKROW workspace;
  170355. JDIMENSION rowsperchunk, currow, i;
  170356. long ltemp;
  170357. /* Calculate max # of rows allowed in one allocation chunk */
  170358. ltemp = (MAX_ALLOC_CHUNK-SIZEOF(large_pool_hdr)) /
  170359. ((long) blocksperrow * SIZEOF(JBLOCK));
  170360. if (ltemp <= 0)
  170361. ERREXIT(cinfo, JERR_WIDTH_OVERFLOW);
  170362. if (ltemp < (long) numrows)
  170363. rowsperchunk = (JDIMENSION) ltemp;
  170364. else
  170365. rowsperchunk = numrows;
  170366. mem->last_rowsperchunk = rowsperchunk;
  170367. /* Get space for row pointers (small object) */
  170368. result = (JBLOCKARRAY) alloc_small(cinfo, pool_id,
  170369. (size_t) (numrows * SIZEOF(JBLOCKROW)));
  170370. /* Get the rows themselves (large objects) */
  170371. currow = 0;
  170372. while (currow < numrows) {
  170373. rowsperchunk = MIN(rowsperchunk, numrows - currow);
  170374. workspace = (JBLOCKROW) alloc_large(cinfo, pool_id,
  170375. (size_t) ((size_t) rowsperchunk * (size_t) blocksperrow
  170376. * SIZEOF(JBLOCK)));
  170377. for (i = rowsperchunk; i > 0; i--) {
  170378. result[currow++] = workspace;
  170379. workspace += blocksperrow;
  170380. }
  170381. }
  170382. return result;
  170383. }
  170384. /*
  170385. * About virtual array management:
  170386. *
  170387. * The above "normal" array routines are only used to allocate strip buffers
  170388. * (as wide as the image, but just a few rows high). Full-image-sized buffers
  170389. * are handled as "virtual" arrays. The array is still accessed a strip at a
  170390. * time, but the memory manager must save the whole array for repeated
  170391. * accesses. The intended implementation is that there is a strip buffer in
  170392. * memory (as high as is possible given the desired memory limit), plus a
  170393. * backing file that holds the rest of the array.
  170394. *
  170395. * The request_virt_array routines are told the total size of the image and
  170396. * the maximum number of rows that will be accessed at once. The in-memory
  170397. * buffer must be at least as large as the maxaccess value.
  170398. *
  170399. * The request routines create control blocks but not the in-memory buffers.
  170400. * That is postponed until realize_virt_arrays is called. At that time the
  170401. * total amount of space needed is known (approximately, anyway), so free
  170402. * memory can be divided up fairly.
  170403. *
  170404. * The access_virt_array routines are responsible for making a specific strip
  170405. * area accessible (after reading or writing the backing file, if necessary).
  170406. * Note that the access routines are told whether the caller intends to modify
  170407. * the accessed strip; during a read-only pass this saves having to rewrite
  170408. * data to disk. The access routines are also responsible for pre-zeroing
  170409. * any newly accessed rows, if pre-zeroing was requested.
  170410. *
  170411. * In current usage, the access requests are usually for nonoverlapping
  170412. * strips; that is, successive access start_row numbers differ by exactly
  170413. * num_rows = maxaccess. This means we can get good performance with simple
  170414. * buffer dump/reload logic, by making the in-memory buffer be a multiple
  170415. * of the access height; then there will never be accesses across bufferload
  170416. * boundaries. The code will still work with overlapping access requests,
  170417. * but it doesn't handle bufferload overlaps very efficiently.
  170418. */
  170419. METHODDEF(jvirt_sarray_ptr)
  170420. request_virt_sarray (j_common_ptr cinfo, int pool_id, boolean pre_zero,
  170421. JDIMENSION samplesperrow, JDIMENSION numrows,
  170422. JDIMENSION maxaccess)
  170423. /* Request a virtual 2-D sample array */
  170424. {
  170425. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170426. jvirt_sarray_ptr result;
  170427. /* Only IMAGE-lifetime virtual arrays are currently supported */
  170428. if (pool_id != JPOOL_IMAGE)
  170429. ERREXIT1(cinfo, JERR_BAD_POOL_ID, pool_id); /* safety check */
  170430. /* get control block */
  170431. result = (jvirt_sarray_ptr) alloc_small(cinfo, pool_id,
  170432. SIZEOF(struct jvirt_sarray_control));
  170433. result->mem_buffer = NULL; /* marks array not yet realized */
  170434. result->rows_in_array = numrows;
  170435. result->samplesperrow = samplesperrow;
  170436. result->maxaccess = maxaccess;
  170437. result->pre_zero = pre_zero;
  170438. result->b_s_open = FALSE; /* no associated backing-store object */
  170439. result->next = mem->virt_sarray_list; /* add to list of virtual arrays */
  170440. mem->virt_sarray_list = result;
  170441. return result;
  170442. }
  170443. METHODDEF(jvirt_barray_ptr)
  170444. request_virt_barray (j_common_ptr cinfo, int pool_id, boolean pre_zero,
  170445. JDIMENSION blocksperrow, JDIMENSION numrows,
  170446. JDIMENSION maxaccess)
  170447. /* Request a virtual 2-D coefficient-block array */
  170448. {
  170449. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170450. jvirt_barray_ptr result;
  170451. /* Only IMAGE-lifetime virtual arrays are currently supported */
  170452. if (pool_id != JPOOL_IMAGE)
  170453. ERREXIT1(cinfo, JERR_BAD_POOL_ID, pool_id); /* safety check */
  170454. /* get control block */
  170455. result = (jvirt_barray_ptr) alloc_small(cinfo, pool_id,
  170456. SIZEOF(struct jvirt_barray_control));
  170457. result->mem_buffer = NULL; /* marks array not yet realized */
  170458. result->rows_in_array = numrows;
  170459. result->blocksperrow = blocksperrow;
  170460. result->maxaccess = maxaccess;
  170461. result->pre_zero = pre_zero;
  170462. result->b_s_open = FALSE; /* no associated backing-store object */
  170463. result->next = mem->virt_barray_list; /* add to list of virtual arrays */
  170464. mem->virt_barray_list = result;
  170465. return result;
  170466. }
  170467. METHODDEF(void)
  170468. realize_virt_arrays (j_common_ptr cinfo)
  170469. /* Allocate the in-memory buffers for any unrealized virtual arrays */
  170470. {
  170471. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170472. long space_per_minheight, maximum_space, avail_mem;
  170473. long minheights, max_minheights;
  170474. jvirt_sarray_ptr sptr;
  170475. jvirt_barray_ptr bptr;
  170476. /* Compute the minimum space needed (maxaccess rows in each buffer)
  170477. * and the maximum space needed (full image height in each buffer).
  170478. * These may be of use to the system-dependent jpeg_mem_available routine.
  170479. */
  170480. space_per_minheight = 0;
  170481. maximum_space = 0;
  170482. for (sptr = mem->virt_sarray_list; sptr != NULL; sptr = sptr->next) {
  170483. if (sptr->mem_buffer == NULL) { /* if not realized yet */
  170484. space_per_minheight += (long) sptr->maxaccess *
  170485. (long) sptr->samplesperrow * SIZEOF(JSAMPLE);
  170486. maximum_space += (long) sptr->rows_in_array *
  170487. (long) sptr->samplesperrow * SIZEOF(JSAMPLE);
  170488. }
  170489. }
  170490. for (bptr = mem->virt_barray_list; bptr != NULL; bptr = bptr->next) {
  170491. if (bptr->mem_buffer == NULL) { /* if not realized yet */
  170492. space_per_minheight += (long) bptr->maxaccess *
  170493. (long) bptr->blocksperrow * SIZEOF(JBLOCK);
  170494. maximum_space += (long) bptr->rows_in_array *
  170495. (long) bptr->blocksperrow * SIZEOF(JBLOCK);
  170496. }
  170497. }
  170498. if (space_per_minheight <= 0)
  170499. return; /* no unrealized arrays, no work */
  170500. /* Determine amount of memory to actually use; this is system-dependent. */
  170501. avail_mem = jpeg_mem_available(cinfo, space_per_minheight, maximum_space,
  170502. mem->total_space_allocated);
  170503. /* If the maximum space needed is available, make all the buffers full
  170504. * height; otherwise parcel it out with the same number of minheights
  170505. * in each buffer.
  170506. */
  170507. if (avail_mem >= maximum_space)
  170508. max_minheights = 1000000000L;
  170509. else {
  170510. max_minheights = avail_mem / space_per_minheight;
  170511. /* If there doesn't seem to be enough space, try to get the minimum
  170512. * anyway. This allows a "stub" implementation of jpeg_mem_available().
  170513. */
  170514. if (max_minheights <= 0)
  170515. max_minheights = 1;
  170516. }
  170517. /* Allocate the in-memory buffers and initialize backing store as needed. */
  170518. for (sptr = mem->virt_sarray_list; sptr != NULL; sptr = sptr->next) {
  170519. if (sptr->mem_buffer == NULL) { /* if not realized yet */
  170520. minheights = ((long) sptr->rows_in_array - 1L) / sptr->maxaccess + 1L;
  170521. if (minheights <= max_minheights) {
  170522. /* This buffer fits in memory */
  170523. sptr->rows_in_mem = sptr->rows_in_array;
  170524. } else {
  170525. /* It doesn't fit in memory, create backing store. */
  170526. sptr->rows_in_mem = (JDIMENSION) (max_minheights * sptr->maxaccess);
  170527. jpeg_open_backing_store(cinfo, & sptr->b_s_info,
  170528. (long) sptr->rows_in_array *
  170529. (long) sptr->samplesperrow *
  170530. (long) SIZEOF(JSAMPLE));
  170531. sptr->b_s_open = TRUE;
  170532. }
  170533. sptr->mem_buffer = alloc_sarray(cinfo, JPOOL_IMAGE,
  170534. sptr->samplesperrow, sptr->rows_in_mem);
  170535. sptr->rowsperchunk = mem->last_rowsperchunk;
  170536. sptr->cur_start_row = 0;
  170537. sptr->first_undef_row = 0;
  170538. sptr->dirty = FALSE;
  170539. }
  170540. }
  170541. for (bptr = mem->virt_barray_list; bptr != NULL; bptr = bptr->next) {
  170542. if (bptr->mem_buffer == NULL) { /* if not realized yet */
  170543. minheights = ((long) bptr->rows_in_array - 1L) / bptr->maxaccess + 1L;
  170544. if (minheights <= max_minheights) {
  170545. /* This buffer fits in memory */
  170546. bptr->rows_in_mem = bptr->rows_in_array;
  170547. } else {
  170548. /* It doesn't fit in memory, create backing store. */
  170549. bptr->rows_in_mem = (JDIMENSION) (max_minheights * bptr->maxaccess);
  170550. jpeg_open_backing_store(cinfo, & bptr->b_s_info,
  170551. (long) bptr->rows_in_array *
  170552. (long) bptr->blocksperrow *
  170553. (long) SIZEOF(JBLOCK));
  170554. bptr->b_s_open = TRUE;
  170555. }
  170556. bptr->mem_buffer = alloc_barray(cinfo, JPOOL_IMAGE,
  170557. bptr->blocksperrow, bptr->rows_in_mem);
  170558. bptr->rowsperchunk = mem->last_rowsperchunk;
  170559. bptr->cur_start_row = 0;
  170560. bptr->first_undef_row = 0;
  170561. bptr->dirty = FALSE;
  170562. }
  170563. }
  170564. }
  170565. LOCAL(void)
  170566. do_sarray_io (j_common_ptr cinfo, jvirt_sarray_ptr ptr, boolean writing)
  170567. /* Do backing store read or write of a virtual sample array */
  170568. {
  170569. long bytesperrow, file_offset, byte_count, rows, thisrow, i;
  170570. bytesperrow = (long) ptr->samplesperrow * SIZEOF(JSAMPLE);
  170571. file_offset = ptr->cur_start_row * bytesperrow;
  170572. /* Loop to read or write each allocation chunk in mem_buffer */
  170573. for (i = 0; i < (long) ptr->rows_in_mem; i += ptr->rowsperchunk) {
  170574. /* One chunk, but check for short chunk at end of buffer */
  170575. rows = MIN((long) ptr->rowsperchunk, (long) ptr->rows_in_mem - i);
  170576. /* Transfer no more than is currently defined */
  170577. thisrow = (long) ptr->cur_start_row + i;
  170578. rows = MIN(rows, (long) ptr->first_undef_row - thisrow);
  170579. /* Transfer no more than fits in file */
  170580. rows = MIN(rows, (long) ptr->rows_in_array - thisrow);
  170581. if (rows <= 0) /* this chunk might be past end of file! */
  170582. break;
  170583. byte_count = rows * bytesperrow;
  170584. if (writing)
  170585. (*ptr->b_s_info.write_backing_store) (cinfo, & ptr->b_s_info,
  170586. (void FAR *) ptr->mem_buffer[i],
  170587. file_offset, byte_count);
  170588. else
  170589. (*ptr->b_s_info.read_backing_store) (cinfo, & ptr->b_s_info,
  170590. (void FAR *) ptr->mem_buffer[i],
  170591. file_offset, byte_count);
  170592. file_offset += byte_count;
  170593. }
  170594. }
  170595. LOCAL(void)
  170596. do_barray_io (j_common_ptr cinfo, jvirt_barray_ptr ptr, boolean writing)
  170597. /* Do backing store read or write of a virtual coefficient-block array */
  170598. {
  170599. long bytesperrow, file_offset, byte_count, rows, thisrow, i;
  170600. bytesperrow = (long) ptr->blocksperrow * SIZEOF(JBLOCK);
  170601. file_offset = ptr->cur_start_row * bytesperrow;
  170602. /* Loop to read or write each allocation chunk in mem_buffer */
  170603. for (i = 0; i < (long) ptr->rows_in_mem; i += ptr->rowsperchunk) {
  170604. /* One chunk, but check for short chunk at end of buffer */
  170605. rows = MIN((long) ptr->rowsperchunk, (long) ptr->rows_in_mem - i);
  170606. /* Transfer no more than is currently defined */
  170607. thisrow = (long) ptr->cur_start_row + i;
  170608. rows = MIN(rows, (long) ptr->first_undef_row - thisrow);
  170609. /* Transfer no more than fits in file */
  170610. rows = MIN(rows, (long) ptr->rows_in_array - thisrow);
  170611. if (rows <= 0) /* this chunk might be past end of file! */
  170612. break;
  170613. byte_count = rows * bytesperrow;
  170614. if (writing)
  170615. (*ptr->b_s_info.write_backing_store) (cinfo, & ptr->b_s_info,
  170616. (void FAR *) ptr->mem_buffer[i],
  170617. file_offset, byte_count);
  170618. else
  170619. (*ptr->b_s_info.read_backing_store) (cinfo, & ptr->b_s_info,
  170620. (void FAR *) ptr->mem_buffer[i],
  170621. file_offset, byte_count);
  170622. file_offset += byte_count;
  170623. }
  170624. }
  170625. METHODDEF(JSAMPARRAY)
  170626. access_virt_sarray (j_common_ptr cinfo, jvirt_sarray_ptr ptr,
  170627. JDIMENSION start_row, JDIMENSION num_rows,
  170628. boolean writable)
  170629. /* Access the part of a virtual sample array starting at start_row */
  170630. /* and extending for num_rows rows. writable is true if */
  170631. /* caller intends to modify the accessed area. */
  170632. {
  170633. JDIMENSION end_row = start_row + num_rows;
  170634. JDIMENSION undef_row;
  170635. /* debugging check */
  170636. if (end_row > ptr->rows_in_array || num_rows > ptr->maxaccess ||
  170637. ptr->mem_buffer == NULL)
  170638. ERREXIT(cinfo, JERR_BAD_VIRTUAL_ACCESS);
  170639. /* Make the desired part of the virtual array accessible */
  170640. if (start_row < ptr->cur_start_row ||
  170641. end_row > ptr->cur_start_row+ptr->rows_in_mem) {
  170642. if (! ptr->b_s_open)
  170643. ERREXIT(cinfo, JERR_VIRTUAL_BUG);
  170644. /* Flush old buffer contents if necessary */
  170645. if (ptr->dirty) {
  170646. do_sarray_io(cinfo, ptr, TRUE);
  170647. ptr->dirty = FALSE;
  170648. }
  170649. /* Decide what part of virtual array to access.
  170650. * Algorithm: if target address > current window, assume forward scan,
  170651. * load starting at target address. If target address < current window,
  170652. * assume backward scan, load so that target area is top of window.
  170653. * Note that when switching from forward write to forward read, will have
  170654. * start_row = 0, so the limiting case applies and we load from 0 anyway.
  170655. */
  170656. if (start_row > ptr->cur_start_row) {
  170657. ptr->cur_start_row = start_row;
  170658. } else {
  170659. /* use long arithmetic here to avoid overflow & unsigned problems */
  170660. long ltemp;
  170661. ltemp = (long) end_row - (long) ptr->rows_in_mem;
  170662. if (ltemp < 0)
  170663. ltemp = 0; /* don't fall off front end of file */
  170664. ptr->cur_start_row = (JDIMENSION) ltemp;
  170665. }
  170666. /* Read in the selected part of the array.
  170667. * During the initial write pass, we will do no actual read
  170668. * because the selected part is all undefined.
  170669. */
  170670. do_sarray_io(cinfo, ptr, FALSE);
  170671. }
  170672. /* Ensure the accessed part of the array is defined; prezero if needed.
  170673. * To improve locality of access, we only prezero the part of the array
  170674. * that the caller is about to access, not the entire in-memory array.
  170675. */
  170676. if (ptr->first_undef_row < end_row) {
  170677. if (ptr->first_undef_row < start_row) {
  170678. if (writable) /* writer skipped over a section of array */
  170679. ERREXIT(cinfo, JERR_BAD_VIRTUAL_ACCESS);
  170680. undef_row = start_row; /* but reader is allowed to read ahead */
  170681. } else {
  170682. undef_row = ptr->first_undef_row;
  170683. }
  170684. if (writable)
  170685. ptr->first_undef_row = end_row;
  170686. if (ptr->pre_zero) {
  170687. size_t bytesperrow = (size_t) ptr->samplesperrow * SIZEOF(JSAMPLE);
  170688. undef_row -= ptr->cur_start_row; /* make indexes relative to buffer */
  170689. end_row -= ptr->cur_start_row;
  170690. while (undef_row < end_row) {
  170691. jzero_far((void FAR *) ptr->mem_buffer[undef_row], bytesperrow);
  170692. undef_row++;
  170693. }
  170694. } else {
  170695. if (! writable) /* reader looking at undefined data */
  170696. ERREXIT(cinfo, JERR_BAD_VIRTUAL_ACCESS);
  170697. }
  170698. }
  170699. /* Flag the buffer dirty if caller will write in it */
  170700. if (writable)
  170701. ptr->dirty = TRUE;
  170702. /* Return address of proper part of the buffer */
  170703. return ptr->mem_buffer + (start_row - ptr->cur_start_row);
  170704. }
  170705. METHODDEF(JBLOCKARRAY)
  170706. access_virt_barray (j_common_ptr cinfo, jvirt_barray_ptr ptr,
  170707. JDIMENSION start_row, JDIMENSION num_rows,
  170708. boolean writable)
  170709. /* Access the part of a virtual block array starting at start_row */
  170710. /* and extending for num_rows rows. writable is true if */
  170711. /* caller intends to modify the accessed area. */
  170712. {
  170713. JDIMENSION end_row = start_row + num_rows;
  170714. JDIMENSION undef_row;
  170715. /* debugging check */
  170716. if (end_row > ptr->rows_in_array || num_rows > ptr->maxaccess ||
  170717. ptr->mem_buffer == NULL)
  170718. ERREXIT(cinfo, JERR_BAD_VIRTUAL_ACCESS);
  170719. /* Make the desired part of the virtual array accessible */
  170720. if (start_row < ptr->cur_start_row ||
  170721. end_row > ptr->cur_start_row+ptr->rows_in_mem) {
  170722. if (! ptr->b_s_open)
  170723. ERREXIT(cinfo, JERR_VIRTUAL_BUG);
  170724. /* Flush old buffer contents if necessary */
  170725. if (ptr->dirty) {
  170726. do_barray_io(cinfo, ptr, TRUE);
  170727. ptr->dirty = FALSE;
  170728. }
  170729. /* Decide what part of virtual array to access.
  170730. * Algorithm: if target address > current window, assume forward scan,
  170731. * load starting at target address. If target address < current window,
  170732. * assume backward scan, load so that target area is top of window.
  170733. * Note that when switching from forward write to forward read, will have
  170734. * start_row = 0, so the limiting case applies and we load from 0 anyway.
  170735. */
  170736. if (start_row > ptr->cur_start_row) {
  170737. ptr->cur_start_row = start_row;
  170738. } else {
  170739. /* use long arithmetic here to avoid overflow & unsigned problems */
  170740. long ltemp;
  170741. ltemp = (long) end_row - (long) ptr->rows_in_mem;
  170742. if (ltemp < 0)
  170743. ltemp = 0; /* don't fall off front end of file */
  170744. ptr->cur_start_row = (JDIMENSION) ltemp;
  170745. }
  170746. /* Read in the selected part of the array.
  170747. * During the initial write pass, we will do no actual read
  170748. * because the selected part is all undefined.
  170749. */
  170750. do_barray_io(cinfo, ptr, FALSE);
  170751. }
  170752. /* Ensure the accessed part of the array is defined; prezero if needed.
  170753. * To improve locality of access, we only prezero the part of the array
  170754. * that the caller is about to access, not the entire in-memory array.
  170755. */
  170756. if (ptr->first_undef_row < end_row) {
  170757. if (ptr->first_undef_row < start_row) {
  170758. if (writable) /* writer skipped over a section of array */
  170759. ERREXIT(cinfo, JERR_BAD_VIRTUAL_ACCESS);
  170760. undef_row = start_row; /* but reader is allowed to read ahead */
  170761. } else {
  170762. undef_row = ptr->first_undef_row;
  170763. }
  170764. if (writable)
  170765. ptr->first_undef_row = end_row;
  170766. if (ptr->pre_zero) {
  170767. size_t bytesperrow = (size_t) ptr->blocksperrow * SIZEOF(JBLOCK);
  170768. undef_row -= ptr->cur_start_row; /* make indexes relative to buffer */
  170769. end_row -= ptr->cur_start_row;
  170770. while (undef_row < end_row) {
  170771. jzero_far((void FAR *) ptr->mem_buffer[undef_row], bytesperrow);
  170772. undef_row++;
  170773. }
  170774. } else {
  170775. if (! writable) /* reader looking at undefined data */
  170776. ERREXIT(cinfo, JERR_BAD_VIRTUAL_ACCESS);
  170777. }
  170778. }
  170779. /* Flag the buffer dirty if caller will write in it */
  170780. if (writable)
  170781. ptr->dirty = TRUE;
  170782. /* Return address of proper part of the buffer */
  170783. return ptr->mem_buffer + (start_row - ptr->cur_start_row);
  170784. }
  170785. /*
  170786. * Release all objects belonging to a specified pool.
  170787. */
  170788. METHODDEF(void)
  170789. free_pool (j_common_ptr cinfo, int pool_id)
  170790. {
  170791. my_mem_ptr mem = (my_mem_ptr) cinfo->mem;
  170792. small_pool_ptr shdr_ptr;
  170793. large_pool_ptr lhdr_ptr;
  170794. size_t space_freed;
  170795. if (pool_id < 0 || pool_id >= JPOOL_NUMPOOLS)
  170796. ERREXIT1(cinfo, JERR_BAD_POOL_ID, pool_id); /* safety check */
  170797. #ifdef MEM_STATS
  170798. if (cinfo->err->trace_level > 1)
  170799. print_mem_stats(cinfo, pool_id); /* print pool's memory usage statistics */
  170800. #endif
  170801. /* If freeing IMAGE pool, close any virtual arrays first */
  170802. if (pool_id == JPOOL_IMAGE) {
  170803. jvirt_sarray_ptr sptr;
  170804. jvirt_barray_ptr bptr;
  170805. for (sptr = mem->virt_sarray_list; sptr != NULL; sptr = sptr->next) {
  170806. if (sptr->b_s_open) { /* there may be no backing store */
  170807. sptr->b_s_open = FALSE; /* prevent recursive close if error */
  170808. (*sptr->b_s_info.close_backing_store) (cinfo, & sptr->b_s_info);
  170809. }
  170810. }
  170811. mem->virt_sarray_list = NULL;
  170812. for (bptr = mem->virt_barray_list; bptr != NULL; bptr = bptr->next) {
  170813. if (bptr->b_s_open) { /* there may be no backing store */
  170814. bptr->b_s_open = FALSE; /* prevent recursive close if error */
  170815. (*bptr->b_s_info.close_backing_store) (cinfo, & bptr->b_s_info);
  170816. }
  170817. }
  170818. mem->virt_barray_list = NULL;
  170819. }
  170820. /* Release large objects */
  170821. lhdr_ptr = mem->large_list[pool_id];
  170822. mem->large_list[pool_id] = NULL;
  170823. while (lhdr_ptr != NULL) {
  170824. large_pool_ptr next_lhdr_ptr = lhdr_ptr->hdr.next;
  170825. space_freed = lhdr_ptr->hdr.bytes_used +
  170826. lhdr_ptr->hdr.bytes_left +
  170827. SIZEOF(large_pool_hdr);
  170828. jpeg_free_large(cinfo, (void FAR *) lhdr_ptr, space_freed);
  170829. mem->total_space_allocated -= space_freed;
  170830. lhdr_ptr = next_lhdr_ptr;
  170831. }
  170832. /* Release small objects */
  170833. shdr_ptr = mem->small_list[pool_id];
  170834. mem->small_list[pool_id] = NULL;
  170835. while (shdr_ptr != NULL) {
  170836. small_pool_ptr next_shdr_ptr = shdr_ptr->hdr.next;
  170837. space_freed = shdr_ptr->hdr.bytes_used +
  170838. shdr_ptr->hdr.bytes_left +
  170839. SIZEOF(small_pool_hdr);
  170840. jpeg_free_small(cinfo, (void *) shdr_ptr, space_freed);
  170841. mem->total_space_allocated -= space_freed;
  170842. shdr_ptr = next_shdr_ptr;
  170843. }
  170844. }
  170845. /*
  170846. * Close up shop entirely.
  170847. * Note that this cannot be called unless cinfo->mem is non-NULL.
  170848. */
  170849. METHODDEF(void)
  170850. self_destruct (j_common_ptr cinfo)
  170851. {
  170852. int pool;
  170853. /* Close all backing store, release all memory.
  170854. * Releasing pools in reverse order might help avoid fragmentation
  170855. * with some (brain-damaged) malloc libraries.
  170856. */
  170857. for (pool = JPOOL_NUMPOOLS-1; pool >= JPOOL_PERMANENT; pool--) {
  170858. free_pool(cinfo, pool);
  170859. }
  170860. /* Release the memory manager control block too. */
  170861. jpeg_free_small(cinfo, (void *) cinfo->mem, SIZEOF(my_memory_mgr));
  170862. cinfo->mem = NULL; /* ensures I will be called only once */
  170863. jpeg_mem_term(cinfo); /* system-dependent cleanup */
  170864. }
  170865. /*
  170866. * Memory manager initialization.
  170867. * When this is called, only the error manager pointer is valid in cinfo!
  170868. */
  170869. GLOBAL(void)
  170870. jinit_memory_mgr (j_common_ptr cinfo)
  170871. {
  170872. my_mem_ptr mem;
  170873. long max_to_use;
  170874. int pool;
  170875. size_t test_mac;
  170876. cinfo->mem = NULL; /* for safety if init fails */
  170877. /* Check for configuration errors.
  170878. * SIZEOF(ALIGN_TYPE) should be a power of 2; otherwise, it probably
  170879. * doesn't reflect any real hardware alignment requirement.
  170880. * The test is a little tricky: for X>0, X and X-1 have no one-bits
  170881. * in common if and only if X is a power of 2, ie has only one one-bit.
  170882. * Some compilers may give an "unreachable code" warning here; ignore it.
  170883. */
  170884. if ((SIZEOF(ALIGN_TYPE) & (SIZEOF(ALIGN_TYPE)-1)) != 0)
  170885. ERREXIT(cinfo, JERR_BAD_ALIGN_TYPE);
  170886. /* MAX_ALLOC_CHUNK must be representable as type size_t, and must be
  170887. * a multiple of SIZEOF(ALIGN_TYPE).
  170888. * Again, an "unreachable code" warning may be ignored here.
  170889. * But a "constant too large" warning means you need to fix MAX_ALLOC_CHUNK.
  170890. */
  170891. test_mac = (size_t) MAX_ALLOC_CHUNK;
  170892. if ((long) test_mac != MAX_ALLOC_CHUNK ||
  170893. (MAX_ALLOC_CHUNK % SIZEOF(ALIGN_TYPE)) != 0)
  170894. ERREXIT(cinfo, JERR_BAD_ALLOC_CHUNK);
  170895. max_to_use = jpeg_mem_init(cinfo); /* system-dependent initialization */
  170896. /* Attempt to allocate memory manager's control block */
  170897. mem = (my_mem_ptr) jpeg_get_small(cinfo, SIZEOF(my_memory_mgr));
  170898. if (mem == NULL) {
  170899. jpeg_mem_term(cinfo); /* system-dependent cleanup */
  170900. ERREXIT1(cinfo, JERR_OUT_OF_MEMORY, 0);
  170901. }
  170902. /* OK, fill in the method pointers */
  170903. mem->pub.alloc_small = alloc_small;
  170904. mem->pub.alloc_large = alloc_large;
  170905. mem->pub.alloc_sarray = alloc_sarray;
  170906. mem->pub.alloc_barray = alloc_barray;
  170907. mem->pub.request_virt_sarray = request_virt_sarray;
  170908. mem->pub.request_virt_barray = request_virt_barray;
  170909. mem->pub.realize_virt_arrays = realize_virt_arrays;
  170910. mem->pub.access_virt_sarray = access_virt_sarray;
  170911. mem->pub.access_virt_barray = access_virt_barray;
  170912. mem->pub.free_pool = free_pool;
  170913. mem->pub.self_destruct = self_destruct;
  170914. /* Make MAX_ALLOC_CHUNK accessible to other modules */
  170915. mem->pub.max_alloc_chunk = MAX_ALLOC_CHUNK;
  170916. /* Initialize working state */
  170917. mem->pub.max_memory_to_use = max_to_use;
  170918. for (pool = JPOOL_NUMPOOLS-1; pool >= JPOOL_PERMANENT; pool--) {
  170919. mem->small_list[pool] = NULL;
  170920. mem->large_list[pool] = NULL;
  170921. }
  170922. mem->virt_sarray_list = NULL;
  170923. mem->virt_barray_list = NULL;
  170924. mem->total_space_allocated = SIZEOF(my_memory_mgr);
  170925. /* Declare ourselves open for business */
  170926. cinfo->mem = & mem->pub;
  170927. /* Check for an environment variable JPEGMEM; if found, override the
  170928. * default max_memory setting from jpeg_mem_init. Note that the
  170929. * surrounding application may again override this value.
  170930. * If your system doesn't support getenv(), define NO_GETENV to disable
  170931. * this feature.
  170932. */
  170933. #ifndef NO_GETENV
  170934. { char * memenv;
  170935. if ((memenv = getenv("JPEGMEM")) != NULL) {
  170936. char ch = 'x';
  170937. if (sscanf(memenv, "%ld%c", &max_to_use, &ch) > 0) {
  170938. if (ch == 'm' || ch == 'M')
  170939. max_to_use *= 1000L;
  170940. mem->pub.max_memory_to_use = max_to_use * 1000L;
  170941. }
  170942. }
  170943. }
  170944. #endif
  170945. }
  170946. /********* End of inlined file: jmemmgr.c *********/
  170947. /********* Start of inlined file: jmemnobs.c *********/
  170948. #define JPEG_INTERNALS
  170949. #ifndef HAVE_STDLIB_H /* <stdlib.h> should declare malloc(),free() */
  170950. extern void * malloc JPP((size_t size));
  170951. extern void free JPP((void *ptr));
  170952. #endif
  170953. /*
  170954. * Memory allocation and freeing are controlled by the regular library
  170955. * routines malloc() and free().
  170956. */
  170957. GLOBAL(void *)
  170958. jpeg_get_small (j_common_ptr cinfo, size_t sizeofobject)
  170959. {
  170960. return (void *) malloc(sizeofobject);
  170961. }
  170962. GLOBAL(void)
  170963. jpeg_free_small (j_common_ptr cinfo, void * object, size_t sizeofobject)
  170964. {
  170965. free(object);
  170966. }
  170967. /*
  170968. * "Large" objects are treated the same as "small" ones.
  170969. * NB: although we include FAR keywords in the routine declarations,
  170970. * this file won't actually work in 80x86 small/medium model; at least,
  170971. * you probably won't be able to process useful-size images in only 64KB.
  170972. */
  170973. GLOBAL(void FAR *)
  170974. jpeg_get_large (j_common_ptr cinfo, size_t sizeofobject)
  170975. {
  170976. return (void FAR *) malloc(sizeofobject);
  170977. }
  170978. GLOBAL(void)
  170979. jpeg_free_large (j_common_ptr cinfo, void FAR * object, size_t sizeofobject)
  170980. {
  170981. free(object);
  170982. }
  170983. /*
  170984. * This routine computes the total memory space available for allocation.
  170985. * Here we always say, "we got all you want bud!"
  170986. */
  170987. GLOBAL(long)
  170988. jpeg_mem_available (j_common_ptr cinfo, long min_bytes_needed,
  170989. long max_bytes_needed, long already_allocated)
  170990. {
  170991. return max_bytes_needed;
  170992. }
  170993. /*
  170994. * Backing store (temporary file) management.
  170995. * Since jpeg_mem_available always promised the moon,
  170996. * this should never be called and we can just error out.
  170997. */
  170998. GLOBAL(void)
  170999. jpeg_open_backing_store (j_common_ptr cinfo, struct backing_store_struct *info,
  171000. long total_bytes_needed)
  171001. {
  171002. ERREXIT(cinfo, JERR_NO_BACKING_STORE);
  171003. }
  171004. /*
  171005. * These routines take care of any system-dependent initialization and
  171006. * cleanup required. Here, there isn't any.
  171007. */
  171008. GLOBAL(long)
  171009. jpeg_mem_init (j_common_ptr cinfo)
  171010. {
  171011. return 0; /* just set max_memory_to_use to 0 */
  171012. }
  171013. GLOBAL(void)
  171014. jpeg_mem_term (j_common_ptr cinfo)
  171015. {
  171016. /* no work */
  171017. }
  171018. /********* End of inlined file: jmemnobs.c *********/
  171019. /********* Start of inlined file: jquant1.c *********/
  171020. #define JPEG_INTERNALS
  171021. #ifdef QUANT_1PASS_SUPPORTED
  171022. /*
  171023. * The main purpose of 1-pass quantization is to provide a fast, if not very
  171024. * high quality, colormapped output capability. A 2-pass quantizer usually
  171025. * gives better visual quality; however, for quantized grayscale output this
  171026. * quantizer is perfectly adequate. Dithering is highly recommended with this
  171027. * quantizer, though you can turn it off if you really want to.
  171028. *
  171029. * In 1-pass quantization the colormap must be chosen in advance of seeing the
  171030. * image. We use a map consisting of all combinations of Ncolors[i] color
  171031. * values for the i'th component. The Ncolors[] values are chosen so that
  171032. * their product, the total number of colors, is no more than that requested.
  171033. * (In most cases, the product will be somewhat less.)
  171034. *
  171035. * Since the colormap is orthogonal, the representative value for each color
  171036. * component can be determined without considering the other components;
  171037. * then these indexes can be combined into a colormap index by a standard
  171038. * N-dimensional-array-subscript calculation. Most of the arithmetic involved
  171039. * can be precalculated and stored in the lookup table colorindex[].
  171040. * colorindex[i][j] maps pixel value j in component i to the nearest
  171041. * representative value (grid plane) for that component; this index is
  171042. * multiplied by the array stride for component i, so that the
  171043. * index of the colormap entry closest to a given pixel value is just
  171044. * sum( colorindex[component-number][pixel-component-value] )
  171045. * Aside from being fast, this scheme allows for variable spacing between
  171046. * representative values with no additional lookup cost.
  171047. *
  171048. * If gamma correction has been applied in color conversion, it might be wise
  171049. * to adjust the color grid spacing so that the representative colors are
  171050. * equidistant in linear space. At this writing, gamma correction is not
  171051. * implemented by jdcolor, so nothing is done here.
  171052. */
  171053. /* Declarations for ordered dithering.
  171054. *
  171055. * We use a standard 16x16 ordered dither array. The basic concept of ordered
  171056. * dithering is described in many references, for instance Dale Schumacher's
  171057. * chapter II.2 of Graphics Gems II (James Arvo, ed. Academic Press, 1991).
  171058. * In place of Schumacher's comparisons against a "threshold" value, we add a
  171059. * "dither" value to the input pixel and then round the result to the nearest
  171060. * output value. The dither value is equivalent to (0.5 - threshold) times
  171061. * the distance between output values. For ordered dithering, we assume that
  171062. * the output colors are equally spaced; if not, results will probably be
  171063. * worse, since the dither may be too much or too little at a given point.
  171064. *
  171065. * The normal calculation would be to form pixel value + dither, range-limit
  171066. * this to 0..MAXJSAMPLE, and then index into the colorindex table as usual.
  171067. * We can skip the separate range-limiting step by extending the colorindex
  171068. * table in both directions.
  171069. */
  171070. #define ODITHER_SIZE 16 /* dimension of dither matrix */
  171071. /* NB: if ODITHER_SIZE is not a power of 2, ODITHER_MASK uses will break */
  171072. #define ODITHER_CELLS (ODITHER_SIZE*ODITHER_SIZE) /* # cells in matrix */
  171073. #define ODITHER_MASK (ODITHER_SIZE-1) /* mask for wrapping around counters */
  171074. typedef int ODITHER_MATRIX[ODITHER_SIZE][ODITHER_SIZE];
  171075. typedef int (*ODITHER_MATRIX_PTR)[ODITHER_SIZE];
  171076. static const UINT8 base_dither_matrix[ODITHER_SIZE][ODITHER_SIZE] = {
  171077. /* Bayer's order-4 dither array. Generated by the code given in
  171078. * Stephen Hawley's article "Ordered Dithering" in Graphics Gems I.
  171079. * The values in this array must range from 0 to ODITHER_CELLS-1.
  171080. */
  171081. { 0,192, 48,240, 12,204, 60,252, 3,195, 51,243, 15,207, 63,255 },
  171082. { 128, 64,176,112,140, 76,188,124,131, 67,179,115,143, 79,191,127 },
  171083. { 32,224, 16,208, 44,236, 28,220, 35,227, 19,211, 47,239, 31,223 },
  171084. { 160, 96,144, 80,172,108,156, 92,163, 99,147, 83,175,111,159, 95 },
  171085. { 8,200, 56,248, 4,196, 52,244, 11,203, 59,251, 7,199, 55,247 },
  171086. { 136, 72,184,120,132, 68,180,116,139, 75,187,123,135, 71,183,119 },
  171087. { 40,232, 24,216, 36,228, 20,212, 43,235, 27,219, 39,231, 23,215 },
  171088. { 168,104,152, 88,164,100,148, 84,171,107,155, 91,167,103,151, 87 },
  171089. { 2,194, 50,242, 14,206, 62,254, 1,193, 49,241, 13,205, 61,253 },
  171090. { 130, 66,178,114,142, 78,190,126,129, 65,177,113,141, 77,189,125 },
  171091. { 34,226, 18,210, 46,238, 30,222, 33,225, 17,209, 45,237, 29,221 },
  171092. { 162, 98,146, 82,174,110,158, 94,161, 97,145, 81,173,109,157, 93 },
  171093. { 10,202, 58,250, 6,198, 54,246, 9,201, 57,249, 5,197, 53,245 },
  171094. { 138, 74,186,122,134, 70,182,118,137, 73,185,121,133, 69,181,117 },
  171095. { 42,234, 26,218, 38,230, 22,214, 41,233, 25,217, 37,229, 21,213 },
  171096. { 170,106,154, 90,166,102,150, 86,169,105,153, 89,165,101,149, 85 }
  171097. };
  171098. /* Declarations for Floyd-Steinberg dithering.
  171099. *
  171100. * Errors are accumulated into the array fserrors[], at a resolution of
  171101. * 1/16th of a pixel count. The error at a given pixel is propagated
  171102. * to its not-yet-processed neighbors using the standard F-S fractions,
  171103. * ... (here) 7/16
  171104. * 3/16 5/16 1/16
  171105. * We work left-to-right on even rows, right-to-left on odd rows.
  171106. *
  171107. * We can get away with a single array (holding one row's worth of errors)
  171108. * by using it to store the current row's errors at pixel columns not yet
  171109. * processed, but the next row's errors at columns already processed. We
  171110. * need only a few extra variables to hold the errors immediately around the
  171111. * current column. (If we are lucky, those variables are in registers, but
  171112. * even if not, they're probably cheaper to access than array elements are.)
  171113. *
  171114. * The fserrors[] array is indexed [component#][position].
  171115. * We provide (#columns + 2) entries per component; the extra entry at each
  171116. * end saves us from special-casing the first and last pixels.
  171117. *
  171118. * Note: on a wide image, we might not have enough room in a PC's near data
  171119. * segment to hold the error array; so it is allocated with alloc_large.
  171120. */
  171121. #if BITS_IN_JSAMPLE == 8
  171122. typedef INT16 FSERROR; /* 16 bits should be enough */
  171123. typedef int LOCFSERROR; /* use 'int' for calculation temps */
  171124. #else
  171125. typedef INT32 FSERROR; /* may need more than 16 bits */
  171126. typedef INT32 LOCFSERROR; /* be sure calculation temps are big enough */
  171127. #endif
  171128. typedef FSERROR FAR *FSERRPTR; /* pointer to error array (in FAR storage!) */
  171129. /* Private subobject */
  171130. #define MAX_Q_COMPS 4 /* max components I can handle */
  171131. typedef struct {
  171132. struct jpeg_color_quantizer pub; /* public fields */
  171133. /* Initially allocated colormap is saved here */
  171134. JSAMPARRAY sv_colormap; /* The color map as a 2-D pixel array */
  171135. int sv_actual; /* number of entries in use */
  171136. JSAMPARRAY colorindex; /* Precomputed mapping for speed */
  171137. /* colorindex[i][j] = index of color closest to pixel value j in component i,
  171138. * premultiplied as described above. Since colormap indexes must fit into
  171139. * JSAMPLEs, the entries of this array will too.
  171140. */
  171141. boolean is_padded; /* is the colorindex padded for odither? */
  171142. int Ncolors[MAX_Q_COMPS]; /* # of values alloced to each component */
  171143. /* Variables for ordered dithering */
  171144. int row_index; /* cur row's vertical index in dither matrix */
  171145. ODITHER_MATRIX_PTR odither[MAX_Q_COMPS]; /* one dither array per component */
  171146. /* Variables for Floyd-Steinberg dithering */
  171147. FSERRPTR fserrors[MAX_Q_COMPS]; /* accumulated errors */
  171148. boolean on_odd_row; /* flag to remember which row we are on */
  171149. } my_cquantizer;
  171150. typedef my_cquantizer * my_cquantize_ptr;
  171151. /*
  171152. * Policy-making subroutines for create_colormap and create_colorindex.
  171153. * These routines determine the colormap to be used. The rest of the module
  171154. * only assumes that the colormap is orthogonal.
  171155. *
  171156. * * select_ncolors decides how to divvy up the available colors
  171157. * among the components.
  171158. * * output_value defines the set of representative values for a component.
  171159. * * largest_input_value defines the mapping from input values to
  171160. * representative values for a component.
  171161. * Note that the latter two routines may impose different policies for
  171162. * different components, though this is not currently done.
  171163. */
  171164. LOCAL(int)
  171165. select_ncolors (j_decompress_ptr cinfo, int Ncolors[])
  171166. /* Determine allocation of desired colors to components, */
  171167. /* and fill in Ncolors[] array to indicate choice. */
  171168. /* Return value is total number of colors (product of Ncolors[] values). */
  171169. {
  171170. int nc = cinfo->out_color_components; /* number of color components */
  171171. int max_colors = cinfo->desired_number_of_colors;
  171172. int total_colors, iroot, i, j;
  171173. boolean changed;
  171174. long temp;
  171175. static const int RGB_order[3] = { RGB_GREEN, RGB_RED, RGB_BLUE };
  171176. /* We can allocate at least the nc'th root of max_colors per component. */
  171177. /* Compute floor(nc'th root of max_colors). */
  171178. iroot = 1;
  171179. do {
  171180. iroot++;
  171181. temp = iroot; /* set temp = iroot ** nc */
  171182. for (i = 1; i < nc; i++)
  171183. temp *= iroot;
  171184. } while (temp <= (long) max_colors); /* repeat till iroot exceeds root */
  171185. iroot--; /* now iroot = floor(root) */
  171186. /* Must have at least 2 color values per component */
  171187. if (iroot < 2)
  171188. ERREXIT1(cinfo, JERR_QUANT_FEW_COLORS, (int) temp);
  171189. /* Initialize to iroot color values for each component */
  171190. total_colors = 1;
  171191. for (i = 0; i < nc; i++) {
  171192. Ncolors[i] = iroot;
  171193. total_colors *= iroot;
  171194. }
  171195. /* We may be able to increment the count for one or more components without
  171196. * exceeding max_colors, though we know not all can be incremented.
  171197. * Sometimes, the first component can be incremented more than once!
  171198. * (Example: for 16 colors, we start at 2*2*2, go to 3*2*2, then 4*2*2.)
  171199. * In RGB colorspace, try to increment G first, then R, then B.
  171200. */
  171201. do {
  171202. changed = FALSE;
  171203. for (i = 0; i < nc; i++) {
  171204. j = (cinfo->out_color_space == JCS_RGB ? RGB_order[i] : i);
  171205. /* calculate new total_colors if Ncolors[j] is incremented */
  171206. temp = total_colors / Ncolors[j];
  171207. temp *= Ncolors[j]+1; /* done in long arith to avoid oflo */
  171208. if (temp > (long) max_colors)
  171209. break; /* won't fit, done with this pass */
  171210. Ncolors[j]++; /* OK, apply the increment */
  171211. total_colors = (int) temp;
  171212. changed = TRUE;
  171213. }
  171214. } while (changed);
  171215. return total_colors;
  171216. }
  171217. LOCAL(int)
  171218. output_value (j_decompress_ptr cinfo, int ci, int j, int maxj)
  171219. /* Return j'th output value, where j will range from 0 to maxj */
  171220. /* The output values must fall in 0..MAXJSAMPLE in increasing order */
  171221. {
  171222. /* We always provide values 0 and MAXJSAMPLE for each component;
  171223. * any additional values are equally spaced between these limits.
  171224. * (Forcing the upper and lower values to the limits ensures that
  171225. * dithering can't produce a color outside the selected gamut.)
  171226. */
  171227. return (int) (((INT32) j * MAXJSAMPLE + maxj/2) / maxj);
  171228. }
  171229. LOCAL(int)
  171230. largest_input_value (j_decompress_ptr cinfo, int ci, int j, int maxj)
  171231. /* Return largest input value that should map to j'th output value */
  171232. /* Must have largest(j=0) >= 0, and largest(j=maxj) >= MAXJSAMPLE */
  171233. {
  171234. /* Breakpoints are halfway between values returned by output_value */
  171235. return (int) (((INT32) (2*j + 1) * MAXJSAMPLE + maxj) / (2*maxj));
  171236. }
  171237. /*
  171238. * Create the colormap.
  171239. */
  171240. LOCAL(void)
  171241. create_colormap (j_decompress_ptr cinfo)
  171242. {
  171243. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171244. JSAMPARRAY colormap; /* Created colormap */
  171245. int total_colors; /* Number of distinct output colors */
  171246. int i,j,k, nci, blksize, blkdist, ptr, val;
  171247. /* Select number of colors for each component */
  171248. total_colors = select_ncolors(cinfo, cquantize->Ncolors);
  171249. /* Report selected color counts */
  171250. if (cinfo->out_color_components == 3)
  171251. TRACEMS4(cinfo, 1, JTRC_QUANT_3_NCOLORS,
  171252. total_colors, cquantize->Ncolors[0],
  171253. cquantize->Ncolors[1], cquantize->Ncolors[2]);
  171254. else
  171255. TRACEMS1(cinfo, 1, JTRC_QUANT_NCOLORS, total_colors);
  171256. /* Allocate and fill in the colormap. */
  171257. /* The colors are ordered in the map in standard row-major order, */
  171258. /* i.e. rightmost (highest-indexed) color changes most rapidly. */
  171259. colormap = (*cinfo->mem->alloc_sarray)
  171260. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  171261. (JDIMENSION) total_colors, (JDIMENSION) cinfo->out_color_components);
  171262. /* blksize is number of adjacent repeated entries for a component */
  171263. /* blkdist is distance between groups of identical entries for a component */
  171264. blkdist = total_colors;
  171265. for (i = 0; i < cinfo->out_color_components; i++) {
  171266. /* fill in colormap entries for i'th color component */
  171267. nci = cquantize->Ncolors[i]; /* # of distinct values for this color */
  171268. blksize = blkdist / nci;
  171269. for (j = 0; j < nci; j++) {
  171270. /* Compute j'th output value (out of nci) for component */
  171271. val = output_value(cinfo, i, j, nci-1);
  171272. /* Fill in all colormap entries that have this value of this component */
  171273. for (ptr = j * blksize; ptr < total_colors; ptr += blkdist) {
  171274. /* fill in blksize entries beginning at ptr */
  171275. for (k = 0; k < blksize; k++)
  171276. colormap[i][ptr+k] = (JSAMPLE) val;
  171277. }
  171278. }
  171279. blkdist = blksize; /* blksize of this color is blkdist of next */
  171280. }
  171281. /* Save the colormap in private storage,
  171282. * where it will survive color quantization mode changes.
  171283. */
  171284. cquantize->sv_colormap = colormap;
  171285. cquantize->sv_actual = total_colors;
  171286. }
  171287. /*
  171288. * Create the color index table.
  171289. */
  171290. LOCAL(void)
  171291. create_colorindex (j_decompress_ptr cinfo)
  171292. {
  171293. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171294. JSAMPROW indexptr;
  171295. int i,j,k, nci, blksize, val, pad;
  171296. /* For ordered dither, we pad the color index tables by MAXJSAMPLE in
  171297. * each direction (input index values can be -MAXJSAMPLE .. 2*MAXJSAMPLE).
  171298. * This is not necessary in the other dithering modes. However, we
  171299. * flag whether it was done in case user changes dithering mode.
  171300. */
  171301. if (cinfo->dither_mode == JDITHER_ORDERED) {
  171302. pad = MAXJSAMPLE*2;
  171303. cquantize->is_padded = TRUE;
  171304. } else {
  171305. pad = 0;
  171306. cquantize->is_padded = FALSE;
  171307. }
  171308. cquantize->colorindex = (*cinfo->mem->alloc_sarray)
  171309. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  171310. (JDIMENSION) (MAXJSAMPLE+1 + pad),
  171311. (JDIMENSION) cinfo->out_color_components);
  171312. /* blksize is number of adjacent repeated entries for a component */
  171313. blksize = cquantize->sv_actual;
  171314. for (i = 0; i < cinfo->out_color_components; i++) {
  171315. /* fill in colorindex entries for i'th color component */
  171316. nci = cquantize->Ncolors[i]; /* # of distinct values for this color */
  171317. blksize = blksize / nci;
  171318. /* adjust colorindex pointers to provide padding at negative indexes. */
  171319. if (pad)
  171320. cquantize->colorindex[i] += MAXJSAMPLE;
  171321. /* in loop, val = index of current output value, */
  171322. /* and k = largest j that maps to current val */
  171323. indexptr = cquantize->colorindex[i];
  171324. val = 0;
  171325. k = largest_input_value(cinfo, i, 0, nci-1);
  171326. for (j = 0; j <= MAXJSAMPLE; j++) {
  171327. while (j > k) /* advance val if past boundary */
  171328. k = largest_input_value(cinfo, i, ++val, nci-1);
  171329. /* premultiply so that no multiplication needed in main processing */
  171330. indexptr[j] = (JSAMPLE) (val * blksize);
  171331. }
  171332. /* Pad at both ends if necessary */
  171333. if (pad)
  171334. for (j = 1; j <= MAXJSAMPLE; j++) {
  171335. indexptr[-j] = indexptr[0];
  171336. indexptr[MAXJSAMPLE+j] = indexptr[MAXJSAMPLE];
  171337. }
  171338. }
  171339. }
  171340. /*
  171341. * Create an ordered-dither array for a component having ncolors
  171342. * distinct output values.
  171343. */
  171344. LOCAL(ODITHER_MATRIX_PTR)
  171345. make_odither_array (j_decompress_ptr cinfo, int ncolors)
  171346. {
  171347. ODITHER_MATRIX_PTR odither;
  171348. int j,k;
  171349. INT32 num,den;
  171350. odither = (ODITHER_MATRIX_PTR)
  171351. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  171352. SIZEOF(ODITHER_MATRIX));
  171353. /* The inter-value distance for this color is MAXJSAMPLE/(ncolors-1).
  171354. * Hence the dither value for the matrix cell with fill order f
  171355. * (f=0..N-1) should be (N-1-2*f)/(2*N) * MAXJSAMPLE/(ncolors-1).
  171356. * On 16-bit-int machine, be careful to avoid overflow.
  171357. */
  171358. den = 2 * ODITHER_CELLS * ((INT32) (ncolors - 1));
  171359. for (j = 0; j < ODITHER_SIZE; j++) {
  171360. for (k = 0; k < ODITHER_SIZE; k++) {
  171361. num = ((INT32) (ODITHER_CELLS-1 - 2*((int)base_dither_matrix[j][k])))
  171362. * MAXJSAMPLE;
  171363. /* Ensure round towards zero despite C's lack of consistency
  171364. * about rounding negative values in integer division...
  171365. */
  171366. odither[j][k] = (int) (num<0 ? -((-num)/den) : num/den);
  171367. }
  171368. }
  171369. return odither;
  171370. }
  171371. /*
  171372. * Create the ordered-dither tables.
  171373. * Components having the same number of representative colors may
  171374. * share a dither table.
  171375. */
  171376. LOCAL(void)
  171377. create_odither_tables (j_decompress_ptr cinfo)
  171378. {
  171379. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171380. ODITHER_MATRIX_PTR odither;
  171381. int i, j, nci;
  171382. for (i = 0; i < cinfo->out_color_components; i++) {
  171383. nci = cquantize->Ncolors[i]; /* # of distinct values for this color */
  171384. odither = NULL; /* search for matching prior component */
  171385. for (j = 0; j < i; j++) {
  171386. if (nci == cquantize->Ncolors[j]) {
  171387. odither = cquantize->odither[j];
  171388. break;
  171389. }
  171390. }
  171391. if (odither == NULL) /* need a new table? */
  171392. odither = make_odither_array(cinfo, nci);
  171393. cquantize->odither[i] = odither;
  171394. }
  171395. }
  171396. /*
  171397. * Map some rows of pixels to the output colormapped representation.
  171398. */
  171399. METHODDEF(void)
  171400. color_quantize (j_decompress_ptr cinfo, JSAMPARRAY input_buf,
  171401. JSAMPARRAY output_buf, int num_rows)
  171402. /* General case, no dithering */
  171403. {
  171404. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171405. JSAMPARRAY colorindex = cquantize->colorindex;
  171406. register int pixcode, ci;
  171407. register JSAMPROW ptrin, ptrout;
  171408. int row;
  171409. JDIMENSION col;
  171410. JDIMENSION width = cinfo->output_width;
  171411. register int nc = cinfo->out_color_components;
  171412. for (row = 0; row < num_rows; row++) {
  171413. ptrin = input_buf[row];
  171414. ptrout = output_buf[row];
  171415. for (col = width; col > 0; col--) {
  171416. pixcode = 0;
  171417. for (ci = 0; ci < nc; ci++) {
  171418. pixcode += GETJSAMPLE(colorindex[ci][GETJSAMPLE(*ptrin++)]);
  171419. }
  171420. *ptrout++ = (JSAMPLE) pixcode;
  171421. }
  171422. }
  171423. }
  171424. METHODDEF(void)
  171425. color_quantize3 (j_decompress_ptr cinfo, JSAMPARRAY input_buf,
  171426. JSAMPARRAY output_buf, int num_rows)
  171427. /* Fast path for out_color_components==3, no dithering */
  171428. {
  171429. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171430. register int pixcode;
  171431. register JSAMPROW ptrin, ptrout;
  171432. JSAMPROW colorindex0 = cquantize->colorindex[0];
  171433. JSAMPROW colorindex1 = cquantize->colorindex[1];
  171434. JSAMPROW colorindex2 = cquantize->colorindex[2];
  171435. int row;
  171436. JDIMENSION col;
  171437. JDIMENSION width = cinfo->output_width;
  171438. for (row = 0; row < num_rows; row++) {
  171439. ptrin = input_buf[row];
  171440. ptrout = output_buf[row];
  171441. for (col = width; col > 0; col--) {
  171442. pixcode = GETJSAMPLE(colorindex0[GETJSAMPLE(*ptrin++)]);
  171443. pixcode += GETJSAMPLE(colorindex1[GETJSAMPLE(*ptrin++)]);
  171444. pixcode += GETJSAMPLE(colorindex2[GETJSAMPLE(*ptrin++)]);
  171445. *ptrout++ = (JSAMPLE) pixcode;
  171446. }
  171447. }
  171448. }
  171449. METHODDEF(void)
  171450. quantize_ord_dither (j_decompress_ptr cinfo, JSAMPARRAY input_buf,
  171451. JSAMPARRAY output_buf, int num_rows)
  171452. /* General case, with ordered dithering */
  171453. {
  171454. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171455. register JSAMPROW input_ptr;
  171456. register JSAMPROW output_ptr;
  171457. JSAMPROW colorindex_ci;
  171458. int * dither; /* points to active row of dither matrix */
  171459. int row_index, col_index; /* current indexes into dither matrix */
  171460. int nc = cinfo->out_color_components;
  171461. int ci;
  171462. int row;
  171463. JDIMENSION col;
  171464. JDIMENSION width = cinfo->output_width;
  171465. for (row = 0; row < num_rows; row++) {
  171466. /* Initialize output values to 0 so can process components separately */
  171467. jzero_far((void FAR *) output_buf[row],
  171468. (size_t) (width * SIZEOF(JSAMPLE)));
  171469. row_index = cquantize->row_index;
  171470. for (ci = 0; ci < nc; ci++) {
  171471. input_ptr = input_buf[row] + ci;
  171472. output_ptr = output_buf[row];
  171473. colorindex_ci = cquantize->colorindex[ci];
  171474. dither = cquantize->odither[ci][row_index];
  171475. col_index = 0;
  171476. for (col = width; col > 0; col--) {
  171477. /* Form pixel value + dither, range-limit to 0..MAXJSAMPLE,
  171478. * select output value, accumulate into output code for this pixel.
  171479. * Range-limiting need not be done explicitly, as we have extended
  171480. * the colorindex table to produce the right answers for out-of-range
  171481. * inputs. The maximum dither is +- MAXJSAMPLE; this sets the
  171482. * required amount of padding.
  171483. */
  171484. *output_ptr += colorindex_ci[GETJSAMPLE(*input_ptr)+dither[col_index]];
  171485. input_ptr += nc;
  171486. output_ptr++;
  171487. col_index = (col_index + 1) & ODITHER_MASK;
  171488. }
  171489. }
  171490. /* Advance row index for next row */
  171491. row_index = (row_index + 1) & ODITHER_MASK;
  171492. cquantize->row_index = row_index;
  171493. }
  171494. }
  171495. METHODDEF(void)
  171496. quantize3_ord_dither (j_decompress_ptr cinfo, JSAMPARRAY input_buf,
  171497. JSAMPARRAY output_buf, int num_rows)
  171498. /* Fast path for out_color_components==3, with ordered dithering */
  171499. {
  171500. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171501. register int pixcode;
  171502. register JSAMPROW input_ptr;
  171503. register JSAMPROW output_ptr;
  171504. JSAMPROW colorindex0 = cquantize->colorindex[0];
  171505. JSAMPROW colorindex1 = cquantize->colorindex[1];
  171506. JSAMPROW colorindex2 = cquantize->colorindex[2];
  171507. int * dither0; /* points to active row of dither matrix */
  171508. int * dither1;
  171509. int * dither2;
  171510. int row_index, col_index; /* current indexes into dither matrix */
  171511. int row;
  171512. JDIMENSION col;
  171513. JDIMENSION width = cinfo->output_width;
  171514. for (row = 0; row < num_rows; row++) {
  171515. row_index = cquantize->row_index;
  171516. input_ptr = input_buf[row];
  171517. output_ptr = output_buf[row];
  171518. dither0 = cquantize->odither[0][row_index];
  171519. dither1 = cquantize->odither[1][row_index];
  171520. dither2 = cquantize->odither[2][row_index];
  171521. col_index = 0;
  171522. for (col = width; col > 0; col--) {
  171523. pixcode = GETJSAMPLE(colorindex0[GETJSAMPLE(*input_ptr++) +
  171524. dither0[col_index]]);
  171525. pixcode += GETJSAMPLE(colorindex1[GETJSAMPLE(*input_ptr++) +
  171526. dither1[col_index]]);
  171527. pixcode += GETJSAMPLE(colorindex2[GETJSAMPLE(*input_ptr++) +
  171528. dither2[col_index]]);
  171529. *output_ptr++ = (JSAMPLE) pixcode;
  171530. col_index = (col_index + 1) & ODITHER_MASK;
  171531. }
  171532. row_index = (row_index + 1) & ODITHER_MASK;
  171533. cquantize->row_index = row_index;
  171534. }
  171535. }
  171536. METHODDEF(void)
  171537. quantize_fs_dither (j_decompress_ptr cinfo, JSAMPARRAY input_buf,
  171538. JSAMPARRAY output_buf, int num_rows)
  171539. /* General case, with Floyd-Steinberg dithering */
  171540. {
  171541. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171542. register LOCFSERROR cur; /* current error or pixel value */
  171543. LOCFSERROR belowerr; /* error for pixel below cur */
  171544. LOCFSERROR bpreverr; /* error for below/prev col */
  171545. LOCFSERROR bnexterr; /* error for below/next col */
  171546. LOCFSERROR delta;
  171547. register FSERRPTR errorptr; /* => fserrors[] at column before current */
  171548. register JSAMPROW input_ptr;
  171549. register JSAMPROW output_ptr;
  171550. JSAMPROW colorindex_ci;
  171551. JSAMPROW colormap_ci;
  171552. int pixcode;
  171553. int nc = cinfo->out_color_components;
  171554. int dir; /* 1 for left-to-right, -1 for right-to-left */
  171555. int dirnc; /* dir * nc */
  171556. int ci;
  171557. int row;
  171558. JDIMENSION col;
  171559. JDIMENSION width = cinfo->output_width;
  171560. JSAMPLE *range_limit = cinfo->sample_range_limit;
  171561. SHIFT_TEMPS
  171562. for (row = 0; row < num_rows; row++) {
  171563. /* Initialize output values to 0 so can process components separately */
  171564. jzero_far((void FAR *) output_buf[row],
  171565. (size_t) (width * SIZEOF(JSAMPLE)));
  171566. for (ci = 0; ci < nc; ci++) {
  171567. input_ptr = input_buf[row] + ci;
  171568. output_ptr = output_buf[row];
  171569. if (cquantize->on_odd_row) {
  171570. /* work right to left in this row */
  171571. input_ptr += (width-1) * nc; /* so point to rightmost pixel */
  171572. output_ptr += width-1;
  171573. dir = -1;
  171574. dirnc = -nc;
  171575. errorptr = cquantize->fserrors[ci] + (width+1); /* => entry after last column */
  171576. } else {
  171577. /* work left to right in this row */
  171578. dir = 1;
  171579. dirnc = nc;
  171580. errorptr = cquantize->fserrors[ci]; /* => entry before first column */
  171581. }
  171582. colorindex_ci = cquantize->colorindex[ci];
  171583. colormap_ci = cquantize->sv_colormap[ci];
  171584. /* Preset error values: no error propagated to first pixel from left */
  171585. cur = 0;
  171586. /* and no error propagated to row below yet */
  171587. belowerr = bpreverr = 0;
  171588. for (col = width; col > 0; col--) {
  171589. /* cur holds the error propagated from the previous pixel on the
  171590. * current line. Add the error propagated from the previous line
  171591. * to form the complete error correction term for this pixel, and
  171592. * round the error term (which is expressed * 16) to an integer.
  171593. * RIGHT_SHIFT rounds towards minus infinity, so adding 8 is correct
  171594. * for either sign of the error value.
  171595. * Note: errorptr points to *previous* column's array entry.
  171596. */
  171597. cur = RIGHT_SHIFT(cur + errorptr[dir] + 8, 4);
  171598. /* Form pixel value + error, and range-limit to 0..MAXJSAMPLE.
  171599. * The maximum error is +- MAXJSAMPLE; this sets the required size
  171600. * of the range_limit array.
  171601. */
  171602. cur += GETJSAMPLE(*input_ptr);
  171603. cur = GETJSAMPLE(range_limit[cur]);
  171604. /* Select output value, accumulate into output code for this pixel */
  171605. pixcode = GETJSAMPLE(colorindex_ci[cur]);
  171606. *output_ptr += (JSAMPLE) pixcode;
  171607. /* Compute actual representation error at this pixel */
  171608. /* Note: we can do this even though we don't have the final */
  171609. /* pixel code, because the colormap is orthogonal. */
  171610. cur -= GETJSAMPLE(colormap_ci[pixcode]);
  171611. /* Compute error fractions to be propagated to adjacent pixels.
  171612. * Add these into the running sums, and simultaneously shift the
  171613. * next-line error sums left by 1 column.
  171614. */
  171615. bnexterr = cur;
  171616. delta = cur * 2;
  171617. cur += delta; /* form error * 3 */
  171618. errorptr[0] = (FSERROR) (bpreverr + cur);
  171619. cur += delta; /* form error * 5 */
  171620. bpreverr = belowerr + cur;
  171621. belowerr = bnexterr;
  171622. cur += delta; /* form error * 7 */
  171623. /* At this point cur contains the 7/16 error value to be propagated
  171624. * to the next pixel on the current line, and all the errors for the
  171625. * next line have been shifted over. We are therefore ready to move on.
  171626. */
  171627. input_ptr += dirnc; /* advance input ptr to next column */
  171628. output_ptr += dir; /* advance output ptr to next column */
  171629. errorptr += dir; /* advance errorptr to current column */
  171630. }
  171631. /* Post-loop cleanup: we must unload the final error value into the
  171632. * final fserrors[] entry. Note we need not unload belowerr because
  171633. * it is for the dummy column before or after the actual array.
  171634. */
  171635. errorptr[0] = (FSERROR) bpreverr; /* unload prev err into array */
  171636. }
  171637. cquantize->on_odd_row = (cquantize->on_odd_row ? FALSE : TRUE);
  171638. }
  171639. }
  171640. /*
  171641. * Allocate workspace for Floyd-Steinberg errors.
  171642. */
  171643. LOCAL(void)
  171644. alloc_fs_workspace (j_decompress_ptr cinfo)
  171645. {
  171646. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171647. size_t arraysize;
  171648. int i;
  171649. arraysize = (size_t) ((cinfo->output_width + 2) * SIZEOF(FSERROR));
  171650. for (i = 0; i < cinfo->out_color_components; i++) {
  171651. cquantize->fserrors[i] = (FSERRPTR)
  171652. (*cinfo->mem->alloc_large)((j_common_ptr) cinfo, JPOOL_IMAGE, arraysize);
  171653. }
  171654. }
  171655. /*
  171656. * Initialize for one-pass color quantization.
  171657. */
  171658. METHODDEF(void)
  171659. start_pass_1_quant (j_decompress_ptr cinfo, boolean is_pre_scan)
  171660. {
  171661. my_cquantize_ptr cquantize = (my_cquantize_ptr) cinfo->cquantize;
  171662. size_t arraysize;
  171663. int i;
  171664. /* Install my colormap. */
  171665. cinfo->colormap = cquantize->sv_colormap;
  171666. cinfo->actual_number_of_colors = cquantize->sv_actual;
  171667. /* Initialize for desired dithering mode. */
  171668. switch (cinfo->dither_mode) {
  171669. case JDITHER_NONE:
  171670. if (cinfo->out_color_components == 3)
  171671. cquantize->pub.color_quantize = color_quantize3;
  171672. else
  171673. cquantize->pub.color_quantize = color_quantize;
  171674. break;
  171675. case JDITHER_ORDERED:
  171676. if (cinfo->out_color_components == 3)
  171677. cquantize->pub.color_quantize = quantize3_ord_dither;
  171678. else
  171679. cquantize->pub.color_quantize = quantize_ord_dither;
  171680. cquantize->row_index = 0; /* initialize state for ordered dither */
  171681. /* If user changed to ordered dither from another mode,
  171682. * we must recreate the color index table with padding.
  171683. * This will cost extra space, but probably isn't very likely.
  171684. */
  171685. if (! cquantize->is_padded)
  171686. create_colorindex(cinfo);
  171687. /* Create ordered-dither tables if we didn't already. */
  171688. if (cquantize->odither[0] == NULL)
  171689. create_odither_tables(cinfo);
  171690. break;
  171691. case JDITHER_FS:
  171692. cquantize->pub.color_quantize = quantize_fs_dither;
  171693. cquantize->on_odd_row = FALSE; /* initialize state for F-S dither */
  171694. /* Allocate Floyd-Steinberg workspace if didn't already. */
  171695. if (cquantize->fserrors[0] == NULL)
  171696. alloc_fs_workspace(cinfo);
  171697. /* Initialize the propagated errors to zero. */
  171698. arraysize = (size_t) ((cinfo->output_width + 2) * SIZEOF(FSERROR));
  171699. for (i = 0; i < cinfo->out_color_components; i++)
  171700. jzero_far((void FAR *) cquantize->fserrors[i], arraysize);
  171701. break;
  171702. default:
  171703. ERREXIT(cinfo, JERR_NOT_COMPILED);
  171704. break;
  171705. }
  171706. }
  171707. /*
  171708. * Finish up at the end of the pass.
  171709. */
  171710. METHODDEF(void)
  171711. finish_pass_1_quant (j_decompress_ptr cinfo)
  171712. {
  171713. /* no work in 1-pass case */
  171714. }
  171715. /*
  171716. * Switch to a new external colormap between output passes.
  171717. * Shouldn't get to this module!
  171718. */
  171719. METHODDEF(void)
  171720. new_color_map_1_quant (j_decompress_ptr cinfo)
  171721. {
  171722. ERREXIT(cinfo, JERR_MODE_CHANGE);
  171723. }
  171724. /*
  171725. * Module initialization routine for 1-pass color quantization.
  171726. */
  171727. GLOBAL(void)
  171728. jinit_1pass_quantizer (j_decompress_ptr cinfo)
  171729. {
  171730. my_cquantize_ptr cquantize;
  171731. cquantize = (my_cquantize_ptr)
  171732. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  171733. SIZEOF(my_cquantizer));
  171734. cinfo->cquantize = (struct jpeg_color_quantizer *) cquantize;
  171735. cquantize->pub.start_pass = start_pass_1_quant;
  171736. cquantize->pub.finish_pass = finish_pass_1_quant;
  171737. cquantize->pub.new_color_map = new_color_map_1_quant;
  171738. cquantize->fserrors[0] = NULL; /* Flag FS workspace not allocated */
  171739. cquantize->odither[0] = NULL; /* Also flag odither arrays not allocated */
  171740. /* Make sure my internal arrays won't overflow */
  171741. if (cinfo->out_color_components > MAX_Q_COMPS)
  171742. ERREXIT1(cinfo, JERR_QUANT_COMPONENTS, MAX_Q_COMPS);
  171743. /* Make sure colormap indexes can be represented by JSAMPLEs */
  171744. if (cinfo->desired_number_of_colors > (MAXJSAMPLE+1))
  171745. ERREXIT1(cinfo, JERR_QUANT_MANY_COLORS, MAXJSAMPLE+1);
  171746. /* Create the colormap and color index table. */
  171747. create_colormap(cinfo);
  171748. create_colorindex(cinfo);
  171749. /* Allocate Floyd-Steinberg workspace now if requested.
  171750. * We do this now since it is FAR storage and may affect the memory
  171751. * manager's space calculations. If the user changes to FS dither
  171752. * mode in a later pass, we will allocate the space then, and will
  171753. * possibly overrun the max_memory_to_use setting.
  171754. */
  171755. if (cinfo->dither_mode == JDITHER_FS)
  171756. alloc_fs_workspace(cinfo);
  171757. }
  171758. #endif /* QUANT_1PASS_SUPPORTED */
  171759. /********* End of inlined file: jquant1.c *********/
  171760. /********* Start of inlined file: jquant2.c *********/
  171761. #define JPEG_INTERNALS
  171762. #ifdef QUANT_2PASS_SUPPORTED
  171763. /*
  171764. * This module implements the well-known Heckbert paradigm for color
  171765. * quantization. Most of the ideas used here can be traced back to
  171766. * Heckbert's seminal paper
  171767. * Heckbert, Paul. "Color Image Quantization for Frame Buffer Display",
  171768. * Proc. SIGGRAPH '82, Computer Graphics v.16 #3 (July 1982), pp 297-304.
  171769. *
  171770. * In the first pass over the image, we accumulate a histogram showing the
  171771. * usage count of each possible color. To keep the histogram to a reasonable
  171772. * size, we reduce the precision of the input; typical practice is to retain
  171773. * 5 or 6 bits per color, so that 8 or 4 different input values are counted
  171774. * in the same histogram cell.
  171775. *
  171776. * Next, the color-selection step begins with a box representing the whole
  171777. * color space, and repeatedly splits the "largest" remaining box until we
  171778. * have as many boxes as desired colors. Then the mean color in each
  171779. * remaining box becomes one of the possible output colors.
  171780. *
  171781. * The second pass over the image maps each input pixel to the closest output
  171782. * color (optionally after applying a Floyd-Steinberg dithering correction).
  171783. * This mapping is logically trivial, but making it go fast enough requires
  171784. * considerable care.
  171785. *
  171786. * Heckbert-style quantizers vary a good deal in their policies for choosing
  171787. * the "largest" box and deciding where to cut it. The particular policies
  171788. * used here have proved out well in experimental comparisons, but better ones
  171789. * may yet be found.
  171790. *
  171791. * In earlier versions of the IJG code, this module quantized in YCbCr color
  171792. * space, processing the raw upsampled data without a color conversion step.
  171793. * This allowed the color conversion math to be done only once per colormap
  171794. * entry, not once per pixel. However, that optimization precluded other
  171795. * useful optimizations (such as merging color conversion with upsampling)
  171796. * and it also interfered with desired capabilities such as quantizing to an
  171797. * externally-supplied colormap. We have therefore abandoned that approach.
  171798. * The present code works in the post-conversion color space, typically RGB.
  171799. *
  171800. * To improve the visual quality of the results, we actually work in scaled
  171801. * RGB space, giving G distances more weight than R, and R in turn more than
  171802. * B. To do everything in integer math, we must use integer scale factors.
  171803. * The 2/3/1 scale factors used here correspond loosely to the relative
  171804. * weights of the colors in the NTSC grayscale equation.
  171805. * If you want to use this code to quantize a non-RGB color space, you'll
  171806. * probably need to change these scale factors.
  171807. */
  171808. #define R_SCALE 2 /* scale R distances by this much */
  171809. #define G_SCALE 3 /* scale G distances by this much */
  171810. #define B_SCALE 1 /* and B by this much */
  171811. /* Relabel R/G/B as components 0/1/2, respecting the RGB ordering defined
  171812. * in jmorecfg.h. As the code stands, it will do the right thing for R,G,B
  171813. * and B,G,R orders. If you define some other weird order in jmorecfg.h,
  171814. * you'll get compile errors until you extend this logic. In that case
  171815. * you'll probably want to tweak the histogram sizes too.
  171816. */
  171817. #if RGB_RED == 0
  171818. #define C0_SCALE R_SCALE
  171819. #endif
  171820. #if RGB_BLUE == 0
  171821. #define C0_SCALE B_SCALE
  171822. #endif
  171823. #if RGB_GREEN == 1
  171824. #define C1_SCALE G_SCALE
  171825. #endif
  171826. #if RGB_RED == 2
  171827. #define C2_SCALE R_SCALE
  171828. #endif
  171829. #if RGB_BLUE == 2
  171830. #define C2_SCALE B_SCALE
  171831. #endif
  171832. /*
  171833. * First we have the histogram data structure and routines for creating it.
  171834. *
  171835. * The number of bits of precision can be adjusted by changing these symbols.
  171836. * We recommend keeping 6 bits for G and 5 each for R and B.
  171837. * If you have plenty of memory and cycles, 6 bits all around gives marginally
  171838. * better results; if you are short of memory, 5 bits all around will save
  171839. * some space but degrade the results.
  171840. * To maintain a fully accurate histogram, we'd need to allocate a "long"
  171841. * (preferably unsigned long) for each cell. In practice this is overkill;
  171842. * we can get by with 16 bits per cell. Few of the cell counts will overflow,
  171843. * and clamping those that do overflow to the maximum value will give close-
  171844. * enough results. This reduces the recommended histogram size from 256Kb
  171845. * to 128Kb, which is a useful savings on PC-class machines.
  171846. * (In the second pass the histogram space is re-used for pixel mapping data;
  171847. * in that capacity, each cell must be able to store zero to the number of
  171848. * desired colors. 16 bits/cell is plenty for that too.)
  171849. * Since the JPEG code is intended to run in small memory model on 80x86
  171850. * machines, we can't just allocate the histogram in one chunk. Instead
  171851. * of a true 3-D array, we use a row of pointers to 2-D arrays. Each
  171852. * pointer corresponds to a C0 value (typically 2^5 = 32 pointers) and
  171853. * each 2-D array has 2^6*2^5 = 2048 or 2^6*2^6 = 4096 entries. Note that
  171854. * on 80x86 machines, the pointer row is in near memory but the actual
  171855. * arrays are in far memory (same arrangement as we use for image arrays).
  171856. */
  171857. #define MAXNUMCOLORS (MAXJSAMPLE+1) /* maximum size of colormap */
  171858. /* These will do the right thing for either R,G,B or B,G,R color order,
  171859. * but you may not like the results for other color orders.
  171860. */
  171861. #define HIST_C0_BITS 5 /* bits of precision in R/B histogram */
  171862. #define HIST_C1_BITS 6 /* bits of precision in G histogram */
  171863. #define HIST_C2_BITS 5 /* bits of precision in B/R histogram */
  171864. /* Number of elements along histogram axes. */
  171865. #define HIST_C0_ELEMS (1<<HIST_C0_BITS)
  171866. #define HIST_C1_ELEMS (1<<HIST_C1_BITS)
  171867. #define HIST_C2_ELEMS (1<<HIST_C2_BITS)
  171868. /* These are the amounts to shift an input value to get a histogram index. */
  171869. #define C0_SHIFT (BITS_IN_JSAMPLE-HIST_C0_BITS)
  171870. #define C1_SHIFT (BITS_IN_JSAMPLE-HIST_C1_BITS)
  171871. #define C2_SHIFT (BITS_IN_JSAMPLE-HIST_C2_BITS)
  171872. typedef UINT16 histcell; /* histogram cell; prefer an unsigned type */
  171873. typedef histcell FAR * histptr; /* for pointers to histogram cells */
  171874. typedef histcell hist1d[HIST_C2_ELEMS]; /* typedefs for the array */
  171875. typedef hist1d FAR * hist2d; /* type for the 2nd-level pointers */
  171876. typedef hist2d * hist3d; /* type for top-level pointer */
  171877. /* Declarations for Floyd-Steinberg dithering.
  171878. *
  171879. * Errors are accumulated into the array fserrors[], at a resolution of
  171880. * 1/16th of a pixel count. The error at a given pixel is propagated
  171881. * to its not-yet-processed neighbors using the standard F-S fractions,
  171882. * ... (here) 7/16
  171883. * 3/16 5/16 1/16
  171884. * We work left-to-right on even rows, right-to-left on odd rows.
  171885. *
  171886. * We can get away with a single array (holding one row's worth of errors)
  171887. * by using it to store the current row's errors at pixel columns not yet
  171888. * processed, but the next row's errors at columns already processed. We
  171889. * need only a few extra variables to hold the errors immediately around the
  171890. * current column. (If we are lucky, those variables are in registers, but
  171891. * even if not, they're probably cheaper to access than array elements are.)
  171892. *
  171893. * The fserrors[] array has (#columns + 2) entries; the extra entry at
  171894. * each end saves us from special-casing the first and last pixels.
  171895. * Each entry is three values long, one value for each color component.
  171896. *
  171897. * Note: on a wide image, we might not have enough room in a PC's near data
  171898. * segment to hold the error array; so it is allocated with alloc_large.
  171899. */
  171900. #if BITS_IN_JSAMPLE == 8
  171901. typedef INT16 FSERROR; /* 16 bits should be enough */
  171902. typedef int LOCFSERROR; /* use 'int' for calculation temps */
  171903. #else
  171904. typedef INT32 FSERROR; /* may need more than 16 bits */
  171905. typedef INT32 LOCFSERROR; /* be sure calculation temps are big enough */
  171906. #endif
  171907. typedef FSERROR FAR *FSERRPTR; /* pointer to error array (in FAR storage!) */
  171908. /* Private subobject */
  171909. typedef struct {
  171910. struct jpeg_color_quantizer pub; /* public fields */
  171911. /* Space for the eventually created colormap is stashed here */
  171912. JSAMPARRAY sv_colormap; /* colormap allocated at init time */
  171913. int desired; /* desired # of colors = size of colormap */
  171914. /* Variables for accumulating image statistics */
  171915. hist3d histogram; /* pointer to the histogram */
  171916. boolean needs_zeroed; /* TRUE if next pass must zero histogram */
  171917. /* Variables for Floyd-Steinberg dithering */
  171918. FSERRPTR fserrors; /* accumulated errors */
  171919. boolean on_odd_row; /* flag to remember which row we are on */
  171920. int * error_limiter; /* table for clamping the applied error */
  171921. } my_cquantizer2;
  171922. typedef my_cquantizer2 * my_cquantize_ptr2;
  171923. /*
  171924. * Prescan some rows of pixels.
  171925. * In this module the prescan simply updates the histogram, which has been
  171926. * initialized to zeroes by start_pass.
  171927. * An output_buf parameter is required by the method signature, but no data
  171928. * is actually output (in fact the buffer controller is probably passing a
  171929. * NULL pointer).
  171930. */
  171931. METHODDEF(void)
  171932. prescan_quantize (j_decompress_ptr cinfo, JSAMPARRAY input_buf,
  171933. JSAMPARRAY output_buf, int num_rows)
  171934. {
  171935. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  171936. register JSAMPROW ptr;
  171937. register histptr histp;
  171938. register hist3d histogram = cquantize->histogram;
  171939. int row;
  171940. JDIMENSION col;
  171941. JDIMENSION width = cinfo->output_width;
  171942. for (row = 0; row < num_rows; row++) {
  171943. ptr = input_buf[row];
  171944. for (col = width; col > 0; col--) {
  171945. /* get pixel value and index into the histogram */
  171946. histp = & histogram[GETJSAMPLE(ptr[0]) >> C0_SHIFT]
  171947. [GETJSAMPLE(ptr[1]) >> C1_SHIFT]
  171948. [GETJSAMPLE(ptr[2]) >> C2_SHIFT];
  171949. /* increment, check for overflow and undo increment if so. */
  171950. if (++(*histp) <= 0)
  171951. (*histp)--;
  171952. ptr += 3;
  171953. }
  171954. }
  171955. }
  171956. /*
  171957. * Next we have the really interesting routines: selection of a colormap
  171958. * given the completed histogram.
  171959. * These routines work with a list of "boxes", each representing a rectangular
  171960. * subset of the input color space (to histogram precision).
  171961. */
  171962. typedef struct {
  171963. /* The bounds of the box (inclusive); expressed as histogram indexes */
  171964. int c0min, c0max;
  171965. int c1min, c1max;
  171966. int c2min, c2max;
  171967. /* The volume (actually 2-norm) of the box */
  171968. INT32 volume;
  171969. /* The number of nonzero histogram cells within this box */
  171970. long colorcount;
  171971. } box;
  171972. typedef box * boxptr;
  171973. LOCAL(boxptr)
  171974. find_biggest_color_pop (boxptr boxlist, int numboxes)
  171975. /* Find the splittable box with the largest color population */
  171976. /* Returns NULL if no splittable boxes remain */
  171977. {
  171978. register boxptr boxp;
  171979. register int i;
  171980. register long maxc = 0;
  171981. boxptr which = NULL;
  171982. for (i = 0, boxp = boxlist; i < numboxes; i++, boxp++) {
  171983. if (boxp->colorcount > maxc && boxp->volume > 0) {
  171984. which = boxp;
  171985. maxc = boxp->colorcount;
  171986. }
  171987. }
  171988. return which;
  171989. }
  171990. LOCAL(boxptr)
  171991. find_biggest_volume (boxptr boxlist, int numboxes)
  171992. /* Find the splittable box with the largest (scaled) volume */
  171993. /* Returns NULL if no splittable boxes remain */
  171994. {
  171995. register boxptr boxp;
  171996. register int i;
  171997. register INT32 maxv = 0;
  171998. boxptr which = NULL;
  171999. for (i = 0, boxp = boxlist; i < numboxes; i++, boxp++) {
  172000. if (boxp->volume > maxv) {
  172001. which = boxp;
  172002. maxv = boxp->volume;
  172003. }
  172004. }
  172005. return which;
  172006. }
  172007. LOCAL(void)
  172008. update_box (j_decompress_ptr cinfo, boxptr boxp)
  172009. /* Shrink the min/max bounds of a box to enclose only nonzero elements, */
  172010. /* and recompute its volume and population */
  172011. {
  172012. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172013. hist3d histogram = cquantize->histogram;
  172014. histptr histp;
  172015. int c0,c1,c2;
  172016. int c0min,c0max,c1min,c1max,c2min,c2max;
  172017. INT32 dist0,dist1,dist2;
  172018. long ccount;
  172019. c0min = boxp->c0min; c0max = boxp->c0max;
  172020. c1min = boxp->c1min; c1max = boxp->c1max;
  172021. c2min = boxp->c2min; c2max = boxp->c2max;
  172022. if (c0max > c0min)
  172023. for (c0 = c0min; c0 <= c0max; c0++)
  172024. for (c1 = c1min; c1 <= c1max; c1++) {
  172025. histp = & histogram[c0][c1][c2min];
  172026. for (c2 = c2min; c2 <= c2max; c2++)
  172027. if (*histp++ != 0) {
  172028. boxp->c0min = c0min = c0;
  172029. goto have_c0min;
  172030. }
  172031. }
  172032. have_c0min:
  172033. if (c0max > c0min)
  172034. for (c0 = c0max; c0 >= c0min; c0--)
  172035. for (c1 = c1min; c1 <= c1max; c1++) {
  172036. histp = & histogram[c0][c1][c2min];
  172037. for (c2 = c2min; c2 <= c2max; c2++)
  172038. if (*histp++ != 0) {
  172039. boxp->c0max = c0max = c0;
  172040. goto have_c0max;
  172041. }
  172042. }
  172043. have_c0max:
  172044. if (c1max > c1min)
  172045. for (c1 = c1min; c1 <= c1max; c1++)
  172046. for (c0 = c0min; c0 <= c0max; c0++) {
  172047. histp = & histogram[c0][c1][c2min];
  172048. for (c2 = c2min; c2 <= c2max; c2++)
  172049. if (*histp++ != 0) {
  172050. boxp->c1min = c1min = c1;
  172051. goto have_c1min;
  172052. }
  172053. }
  172054. have_c1min:
  172055. if (c1max > c1min)
  172056. for (c1 = c1max; c1 >= c1min; c1--)
  172057. for (c0 = c0min; c0 <= c0max; c0++) {
  172058. histp = & histogram[c0][c1][c2min];
  172059. for (c2 = c2min; c2 <= c2max; c2++)
  172060. if (*histp++ != 0) {
  172061. boxp->c1max = c1max = c1;
  172062. goto have_c1max;
  172063. }
  172064. }
  172065. have_c1max:
  172066. if (c2max > c2min)
  172067. for (c2 = c2min; c2 <= c2max; c2++)
  172068. for (c0 = c0min; c0 <= c0max; c0++) {
  172069. histp = & histogram[c0][c1min][c2];
  172070. for (c1 = c1min; c1 <= c1max; c1++, histp += HIST_C2_ELEMS)
  172071. if (*histp != 0) {
  172072. boxp->c2min = c2min = c2;
  172073. goto have_c2min;
  172074. }
  172075. }
  172076. have_c2min:
  172077. if (c2max > c2min)
  172078. for (c2 = c2max; c2 >= c2min; c2--)
  172079. for (c0 = c0min; c0 <= c0max; c0++) {
  172080. histp = & histogram[c0][c1min][c2];
  172081. for (c1 = c1min; c1 <= c1max; c1++, histp += HIST_C2_ELEMS)
  172082. if (*histp != 0) {
  172083. boxp->c2max = c2max = c2;
  172084. goto have_c2max;
  172085. }
  172086. }
  172087. have_c2max:
  172088. /* Update box volume.
  172089. * We use 2-norm rather than real volume here; this biases the method
  172090. * against making long narrow boxes, and it has the side benefit that
  172091. * a box is splittable iff norm > 0.
  172092. * Since the differences are expressed in histogram-cell units,
  172093. * we have to shift back to JSAMPLE units to get consistent distances;
  172094. * after which, we scale according to the selected distance scale factors.
  172095. */
  172096. dist0 = ((c0max - c0min) << C0_SHIFT) * C0_SCALE;
  172097. dist1 = ((c1max - c1min) << C1_SHIFT) * C1_SCALE;
  172098. dist2 = ((c2max - c2min) << C2_SHIFT) * C2_SCALE;
  172099. boxp->volume = dist0*dist0 + dist1*dist1 + dist2*dist2;
  172100. /* Now scan remaining volume of box and compute population */
  172101. ccount = 0;
  172102. for (c0 = c0min; c0 <= c0max; c0++)
  172103. for (c1 = c1min; c1 <= c1max; c1++) {
  172104. histp = & histogram[c0][c1][c2min];
  172105. for (c2 = c2min; c2 <= c2max; c2++, histp++)
  172106. if (*histp != 0) {
  172107. ccount++;
  172108. }
  172109. }
  172110. boxp->colorcount = ccount;
  172111. }
  172112. LOCAL(int)
  172113. median_cut (j_decompress_ptr cinfo, boxptr boxlist, int numboxes,
  172114. int desired_colors)
  172115. /* Repeatedly select and split the largest box until we have enough boxes */
  172116. {
  172117. int n,lb;
  172118. int c0,c1,c2,cmax;
  172119. register boxptr b1,b2;
  172120. while (numboxes < desired_colors) {
  172121. /* Select box to split.
  172122. * Current algorithm: by population for first half, then by volume.
  172123. */
  172124. if (numboxes*2 <= desired_colors) {
  172125. b1 = find_biggest_color_pop(boxlist, numboxes);
  172126. } else {
  172127. b1 = find_biggest_volume(boxlist, numboxes);
  172128. }
  172129. if (b1 == NULL) /* no splittable boxes left! */
  172130. break;
  172131. b2 = &boxlist[numboxes]; /* where new box will go */
  172132. /* Copy the color bounds to the new box. */
  172133. b2->c0max = b1->c0max; b2->c1max = b1->c1max; b2->c2max = b1->c2max;
  172134. b2->c0min = b1->c0min; b2->c1min = b1->c1min; b2->c2min = b1->c2min;
  172135. /* Choose which axis to split the box on.
  172136. * Current algorithm: longest scaled axis.
  172137. * See notes in update_box about scaling distances.
  172138. */
  172139. c0 = ((b1->c0max - b1->c0min) << C0_SHIFT) * C0_SCALE;
  172140. c1 = ((b1->c1max - b1->c1min) << C1_SHIFT) * C1_SCALE;
  172141. c2 = ((b1->c2max - b1->c2min) << C2_SHIFT) * C2_SCALE;
  172142. /* We want to break any ties in favor of green, then red, blue last.
  172143. * This code does the right thing for R,G,B or B,G,R color orders only.
  172144. */
  172145. #if RGB_RED == 0
  172146. cmax = c1; n = 1;
  172147. if (c0 > cmax) { cmax = c0; n = 0; }
  172148. if (c2 > cmax) { n = 2; }
  172149. #else
  172150. cmax = c1; n = 1;
  172151. if (c2 > cmax) { cmax = c2; n = 2; }
  172152. if (c0 > cmax) { n = 0; }
  172153. #endif
  172154. /* Choose split point along selected axis, and update box bounds.
  172155. * Current algorithm: split at halfway point.
  172156. * (Since the box has been shrunk to minimum volume,
  172157. * any split will produce two nonempty subboxes.)
  172158. * Note that lb value is max for lower box, so must be < old max.
  172159. */
  172160. switch (n) {
  172161. case 0:
  172162. lb = (b1->c0max + b1->c0min) / 2;
  172163. b1->c0max = lb;
  172164. b2->c0min = lb+1;
  172165. break;
  172166. case 1:
  172167. lb = (b1->c1max + b1->c1min) / 2;
  172168. b1->c1max = lb;
  172169. b2->c1min = lb+1;
  172170. break;
  172171. case 2:
  172172. lb = (b1->c2max + b1->c2min) / 2;
  172173. b1->c2max = lb;
  172174. b2->c2min = lb+1;
  172175. break;
  172176. }
  172177. /* Update stats for boxes */
  172178. update_box(cinfo, b1);
  172179. update_box(cinfo, b2);
  172180. numboxes++;
  172181. }
  172182. return numboxes;
  172183. }
  172184. LOCAL(void)
  172185. compute_color (j_decompress_ptr cinfo, boxptr boxp, int icolor)
  172186. /* Compute representative color for a box, put it in colormap[icolor] */
  172187. {
  172188. /* Current algorithm: mean weighted by pixels (not colors) */
  172189. /* Note it is important to get the rounding correct! */
  172190. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172191. hist3d histogram = cquantize->histogram;
  172192. histptr histp;
  172193. int c0,c1,c2;
  172194. int c0min,c0max,c1min,c1max,c2min,c2max;
  172195. long count;
  172196. long total = 0;
  172197. long c0total = 0;
  172198. long c1total = 0;
  172199. long c2total = 0;
  172200. c0min = boxp->c0min; c0max = boxp->c0max;
  172201. c1min = boxp->c1min; c1max = boxp->c1max;
  172202. c2min = boxp->c2min; c2max = boxp->c2max;
  172203. for (c0 = c0min; c0 <= c0max; c0++)
  172204. for (c1 = c1min; c1 <= c1max; c1++) {
  172205. histp = & histogram[c0][c1][c2min];
  172206. for (c2 = c2min; c2 <= c2max; c2++) {
  172207. if ((count = *histp++) != 0) {
  172208. total += count;
  172209. c0total += ((c0 << C0_SHIFT) + ((1<<C0_SHIFT)>>1)) * count;
  172210. c1total += ((c1 << C1_SHIFT) + ((1<<C1_SHIFT)>>1)) * count;
  172211. c2total += ((c2 << C2_SHIFT) + ((1<<C2_SHIFT)>>1)) * count;
  172212. }
  172213. }
  172214. }
  172215. cinfo->colormap[0][icolor] = (JSAMPLE) ((c0total + (total>>1)) / total);
  172216. cinfo->colormap[1][icolor] = (JSAMPLE) ((c1total + (total>>1)) / total);
  172217. cinfo->colormap[2][icolor] = (JSAMPLE) ((c2total + (total>>1)) / total);
  172218. }
  172219. LOCAL(void)
  172220. select_colors (j_decompress_ptr cinfo, int desired_colors)
  172221. /* Master routine for color selection */
  172222. {
  172223. boxptr boxlist;
  172224. int numboxes;
  172225. int i;
  172226. /* Allocate workspace for box list */
  172227. boxlist = (boxptr) (*cinfo->mem->alloc_small)
  172228. ((j_common_ptr) cinfo, JPOOL_IMAGE, desired_colors * SIZEOF(box));
  172229. /* Initialize one box containing whole space */
  172230. numboxes = 1;
  172231. boxlist[0].c0min = 0;
  172232. boxlist[0].c0max = MAXJSAMPLE >> C0_SHIFT;
  172233. boxlist[0].c1min = 0;
  172234. boxlist[0].c1max = MAXJSAMPLE >> C1_SHIFT;
  172235. boxlist[0].c2min = 0;
  172236. boxlist[0].c2max = MAXJSAMPLE >> C2_SHIFT;
  172237. /* Shrink it to actually-used volume and set its statistics */
  172238. update_box(cinfo, & boxlist[0]);
  172239. /* Perform median-cut to produce final box list */
  172240. numboxes = median_cut(cinfo, boxlist, numboxes, desired_colors);
  172241. /* Compute the representative color for each box, fill colormap */
  172242. for (i = 0; i < numboxes; i++)
  172243. compute_color(cinfo, & boxlist[i], i);
  172244. cinfo->actual_number_of_colors = numboxes;
  172245. TRACEMS1(cinfo, 1, JTRC_QUANT_SELECTED, numboxes);
  172246. }
  172247. /*
  172248. * These routines are concerned with the time-critical task of mapping input
  172249. * colors to the nearest color in the selected colormap.
  172250. *
  172251. * We re-use the histogram space as an "inverse color map", essentially a
  172252. * cache for the results of nearest-color searches. All colors within a
  172253. * histogram cell will be mapped to the same colormap entry, namely the one
  172254. * closest to the cell's center. This may not be quite the closest entry to
  172255. * the actual input color, but it's almost as good. A zero in the cache
  172256. * indicates we haven't found the nearest color for that cell yet; the array
  172257. * is cleared to zeroes before starting the mapping pass. When we find the
  172258. * nearest color for a cell, its colormap index plus one is recorded in the
  172259. * cache for future use. The pass2 scanning routines call fill_inverse_cmap
  172260. * when they need to use an unfilled entry in the cache.
  172261. *
  172262. * Our method of efficiently finding nearest colors is based on the "locally
  172263. * sorted search" idea described by Heckbert and on the incremental distance
  172264. * calculation described by Spencer W. Thomas in chapter III.1 of Graphics
  172265. * Gems II (James Arvo, ed. Academic Press, 1991). Thomas points out that
  172266. * the distances from a given colormap entry to each cell of the histogram can
  172267. * be computed quickly using an incremental method: the differences between
  172268. * distances to adjacent cells themselves differ by a constant. This allows a
  172269. * fairly fast implementation of the "brute force" approach of computing the
  172270. * distance from every colormap entry to every histogram cell. Unfortunately,
  172271. * it needs a work array to hold the best-distance-so-far for each histogram
  172272. * cell (because the inner loop has to be over cells, not colormap entries).
  172273. * The work array elements have to be INT32s, so the work array would need
  172274. * 256Kb at our recommended precision. This is not feasible in DOS machines.
  172275. *
  172276. * To get around these problems, we apply Thomas' method to compute the
  172277. * nearest colors for only the cells within a small subbox of the histogram.
  172278. * The work array need be only as big as the subbox, so the memory usage
  172279. * problem is solved. Furthermore, we need not fill subboxes that are never
  172280. * referenced in pass2; many images use only part of the color gamut, so a
  172281. * fair amount of work is saved. An additional advantage of this
  172282. * approach is that we can apply Heckbert's locality criterion to quickly
  172283. * eliminate colormap entries that are far away from the subbox; typically
  172284. * three-fourths of the colormap entries are rejected by Heckbert's criterion,
  172285. * and we need not compute their distances to individual cells in the subbox.
  172286. * The speed of this approach is heavily influenced by the subbox size: too
  172287. * small means too much overhead, too big loses because Heckbert's criterion
  172288. * can't eliminate as many colormap entries. Empirically the best subbox
  172289. * size seems to be about 1/512th of the histogram (1/8th in each direction).
  172290. *
  172291. * Thomas' article also describes a refined method which is asymptotically
  172292. * faster than the brute-force method, but it is also far more complex and
  172293. * cannot efficiently be applied to small subboxes. It is therefore not
  172294. * useful for programs intended to be portable to DOS machines. On machines
  172295. * with plenty of memory, filling the whole histogram in one shot with Thomas'
  172296. * refined method might be faster than the present code --- but then again,
  172297. * it might not be any faster, and it's certainly more complicated.
  172298. */
  172299. /* log2(histogram cells in update box) for each axis; this can be adjusted */
  172300. #define BOX_C0_LOG (HIST_C0_BITS-3)
  172301. #define BOX_C1_LOG (HIST_C1_BITS-3)
  172302. #define BOX_C2_LOG (HIST_C2_BITS-3)
  172303. #define BOX_C0_ELEMS (1<<BOX_C0_LOG) /* # of hist cells in update box */
  172304. #define BOX_C1_ELEMS (1<<BOX_C1_LOG)
  172305. #define BOX_C2_ELEMS (1<<BOX_C2_LOG)
  172306. #define BOX_C0_SHIFT (C0_SHIFT + BOX_C0_LOG)
  172307. #define BOX_C1_SHIFT (C1_SHIFT + BOX_C1_LOG)
  172308. #define BOX_C2_SHIFT (C2_SHIFT + BOX_C2_LOG)
  172309. /*
  172310. * The next three routines implement inverse colormap filling. They could
  172311. * all be folded into one big routine, but splitting them up this way saves
  172312. * some stack space (the mindist[] and bestdist[] arrays need not coexist)
  172313. * and may allow some compilers to produce better code by registerizing more
  172314. * inner-loop variables.
  172315. */
  172316. LOCAL(int)
  172317. find_nearby_colors (j_decompress_ptr cinfo, int minc0, int minc1, int minc2,
  172318. JSAMPLE colorlist[])
  172319. /* Locate the colormap entries close enough to an update box to be candidates
  172320. * for the nearest entry to some cell(s) in the update box. The update box
  172321. * is specified by the center coordinates of its first cell. The number of
  172322. * candidate colormap entries is returned, and their colormap indexes are
  172323. * placed in colorlist[].
  172324. * This routine uses Heckbert's "locally sorted search" criterion to select
  172325. * the colors that need further consideration.
  172326. */
  172327. {
  172328. int numcolors = cinfo->actual_number_of_colors;
  172329. int maxc0, maxc1, maxc2;
  172330. int centerc0, centerc1, centerc2;
  172331. int i, x, ncolors;
  172332. INT32 minmaxdist, min_dist, max_dist, tdist;
  172333. INT32 mindist[MAXNUMCOLORS]; /* min distance to colormap entry i */
  172334. /* Compute true coordinates of update box's upper corner and center.
  172335. * Actually we compute the coordinates of the center of the upper-corner
  172336. * histogram cell, which are the upper bounds of the volume we care about.
  172337. * Note that since ">>" rounds down, the "center" values may be closer to
  172338. * min than to max; hence comparisons to them must be "<=", not "<".
  172339. */
  172340. maxc0 = minc0 + ((1 << BOX_C0_SHIFT) - (1 << C0_SHIFT));
  172341. centerc0 = (minc0 + maxc0) >> 1;
  172342. maxc1 = minc1 + ((1 << BOX_C1_SHIFT) - (1 << C1_SHIFT));
  172343. centerc1 = (minc1 + maxc1) >> 1;
  172344. maxc2 = minc2 + ((1 << BOX_C2_SHIFT) - (1 << C2_SHIFT));
  172345. centerc2 = (minc2 + maxc2) >> 1;
  172346. /* For each color in colormap, find:
  172347. * 1. its minimum squared-distance to any point in the update box
  172348. * (zero if color is within update box);
  172349. * 2. its maximum squared-distance to any point in the update box.
  172350. * Both of these can be found by considering only the corners of the box.
  172351. * We save the minimum distance for each color in mindist[];
  172352. * only the smallest maximum distance is of interest.
  172353. */
  172354. minmaxdist = 0x7FFFFFFFL;
  172355. for (i = 0; i < numcolors; i++) {
  172356. /* We compute the squared-c0-distance term, then add in the other two. */
  172357. x = GETJSAMPLE(cinfo->colormap[0][i]);
  172358. if (x < minc0) {
  172359. tdist = (x - minc0) * C0_SCALE;
  172360. min_dist = tdist*tdist;
  172361. tdist = (x - maxc0) * C0_SCALE;
  172362. max_dist = tdist*tdist;
  172363. } else if (x > maxc0) {
  172364. tdist = (x - maxc0) * C0_SCALE;
  172365. min_dist = tdist*tdist;
  172366. tdist = (x - minc0) * C0_SCALE;
  172367. max_dist = tdist*tdist;
  172368. } else {
  172369. /* within cell range so no contribution to min_dist */
  172370. min_dist = 0;
  172371. if (x <= centerc0) {
  172372. tdist = (x - maxc0) * C0_SCALE;
  172373. max_dist = tdist*tdist;
  172374. } else {
  172375. tdist = (x - minc0) * C0_SCALE;
  172376. max_dist = tdist*tdist;
  172377. }
  172378. }
  172379. x = GETJSAMPLE(cinfo->colormap[1][i]);
  172380. if (x < minc1) {
  172381. tdist = (x - minc1) * C1_SCALE;
  172382. min_dist += tdist*tdist;
  172383. tdist = (x - maxc1) * C1_SCALE;
  172384. max_dist += tdist*tdist;
  172385. } else if (x > maxc1) {
  172386. tdist = (x - maxc1) * C1_SCALE;
  172387. min_dist += tdist*tdist;
  172388. tdist = (x - minc1) * C1_SCALE;
  172389. max_dist += tdist*tdist;
  172390. } else {
  172391. /* within cell range so no contribution to min_dist */
  172392. if (x <= centerc1) {
  172393. tdist = (x - maxc1) * C1_SCALE;
  172394. max_dist += tdist*tdist;
  172395. } else {
  172396. tdist = (x - minc1) * C1_SCALE;
  172397. max_dist += tdist*tdist;
  172398. }
  172399. }
  172400. x = GETJSAMPLE(cinfo->colormap[2][i]);
  172401. if (x < minc2) {
  172402. tdist = (x - minc2) * C2_SCALE;
  172403. min_dist += tdist*tdist;
  172404. tdist = (x - maxc2) * C2_SCALE;
  172405. max_dist += tdist*tdist;
  172406. } else if (x > maxc2) {
  172407. tdist = (x - maxc2) * C2_SCALE;
  172408. min_dist += tdist*tdist;
  172409. tdist = (x - minc2) * C2_SCALE;
  172410. max_dist += tdist*tdist;
  172411. } else {
  172412. /* within cell range so no contribution to min_dist */
  172413. if (x <= centerc2) {
  172414. tdist = (x - maxc2) * C2_SCALE;
  172415. max_dist += tdist*tdist;
  172416. } else {
  172417. tdist = (x - minc2) * C2_SCALE;
  172418. max_dist += tdist*tdist;
  172419. }
  172420. }
  172421. mindist[i] = min_dist; /* save away the results */
  172422. if (max_dist < minmaxdist)
  172423. minmaxdist = max_dist;
  172424. }
  172425. /* Now we know that no cell in the update box is more than minmaxdist
  172426. * away from some colormap entry. Therefore, only colors that are
  172427. * within minmaxdist of some part of the box need be considered.
  172428. */
  172429. ncolors = 0;
  172430. for (i = 0; i < numcolors; i++) {
  172431. if (mindist[i] <= minmaxdist)
  172432. colorlist[ncolors++] = (JSAMPLE) i;
  172433. }
  172434. return ncolors;
  172435. }
  172436. LOCAL(void)
  172437. find_best_colors (j_decompress_ptr cinfo, int minc0, int minc1, int minc2,
  172438. int numcolors, JSAMPLE colorlist[], JSAMPLE bestcolor[])
  172439. /* Find the closest colormap entry for each cell in the update box,
  172440. * given the list of candidate colors prepared by find_nearby_colors.
  172441. * Return the indexes of the closest entries in the bestcolor[] array.
  172442. * This routine uses Thomas' incremental distance calculation method to
  172443. * find the distance from a colormap entry to successive cells in the box.
  172444. */
  172445. {
  172446. int ic0, ic1, ic2;
  172447. int i, icolor;
  172448. register INT32 * bptr; /* pointer into bestdist[] array */
  172449. JSAMPLE * cptr; /* pointer into bestcolor[] array */
  172450. INT32 dist0, dist1; /* initial distance values */
  172451. register INT32 dist2; /* current distance in inner loop */
  172452. INT32 xx0, xx1; /* distance increments */
  172453. register INT32 xx2;
  172454. INT32 inc0, inc1, inc2; /* initial values for increments */
  172455. /* This array holds the distance to the nearest-so-far color for each cell */
  172456. INT32 bestdist[BOX_C0_ELEMS * BOX_C1_ELEMS * BOX_C2_ELEMS];
  172457. /* Initialize best-distance for each cell of the update box */
  172458. bptr = bestdist;
  172459. for (i = BOX_C0_ELEMS*BOX_C1_ELEMS*BOX_C2_ELEMS-1; i >= 0; i--)
  172460. *bptr++ = 0x7FFFFFFFL;
  172461. /* For each color selected by find_nearby_colors,
  172462. * compute its distance to the center of each cell in the box.
  172463. * If that's less than best-so-far, update best distance and color number.
  172464. */
  172465. /* Nominal steps between cell centers ("x" in Thomas article) */
  172466. #define STEP_C0 ((1 << C0_SHIFT) * C0_SCALE)
  172467. #define STEP_C1 ((1 << C1_SHIFT) * C1_SCALE)
  172468. #define STEP_C2 ((1 << C2_SHIFT) * C2_SCALE)
  172469. for (i = 0; i < numcolors; i++) {
  172470. icolor = GETJSAMPLE(colorlist[i]);
  172471. /* Compute (square of) distance from minc0/c1/c2 to this color */
  172472. inc0 = (minc0 - GETJSAMPLE(cinfo->colormap[0][icolor])) * C0_SCALE;
  172473. dist0 = inc0*inc0;
  172474. inc1 = (minc1 - GETJSAMPLE(cinfo->colormap[1][icolor])) * C1_SCALE;
  172475. dist0 += inc1*inc1;
  172476. inc2 = (minc2 - GETJSAMPLE(cinfo->colormap[2][icolor])) * C2_SCALE;
  172477. dist0 += inc2*inc2;
  172478. /* Form the initial difference increments */
  172479. inc0 = inc0 * (2 * STEP_C0) + STEP_C0 * STEP_C0;
  172480. inc1 = inc1 * (2 * STEP_C1) + STEP_C1 * STEP_C1;
  172481. inc2 = inc2 * (2 * STEP_C2) + STEP_C2 * STEP_C2;
  172482. /* Now loop over all cells in box, updating distance per Thomas method */
  172483. bptr = bestdist;
  172484. cptr = bestcolor;
  172485. xx0 = inc0;
  172486. for (ic0 = BOX_C0_ELEMS-1; ic0 >= 0; ic0--) {
  172487. dist1 = dist0;
  172488. xx1 = inc1;
  172489. for (ic1 = BOX_C1_ELEMS-1; ic1 >= 0; ic1--) {
  172490. dist2 = dist1;
  172491. xx2 = inc2;
  172492. for (ic2 = BOX_C2_ELEMS-1; ic2 >= 0; ic2--) {
  172493. if (dist2 < *bptr) {
  172494. *bptr = dist2;
  172495. *cptr = (JSAMPLE) icolor;
  172496. }
  172497. dist2 += xx2;
  172498. xx2 += 2 * STEP_C2 * STEP_C2;
  172499. bptr++;
  172500. cptr++;
  172501. }
  172502. dist1 += xx1;
  172503. xx1 += 2 * STEP_C1 * STEP_C1;
  172504. }
  172505. dist0 += xx0;
  172506. xx0 += 2 * STEP_C0 * STEP_C0;
  172507. }
  172508. }
  172509. }
  172510. LOCAL(void)
  172511. fill_inverse_cmap (j_decompress_ptr cinfo, int c0, int c1, int c2)
  172512. /* Fill the inverse-colormap entries in the update box that contains */
  172513. /* histogram cell c0/c1/c2. (Only that one cell MUST be filled, but */
  172514. /* we can fill as many others as we wish.) */
  172515. {
  172516. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172517. hist3d histogram = cquantize->histogram;
  172518. int minc0, minc1, minc2; /* lower left corner of update box */
  172519. int ic0, ic1, ic2;
  172520. register JSAMPLE * cptr; /* pointer into bestcolor[] array */
  172521. register histptr cachep; /* pointer into main cache array */
  172522. /* This array lists the candidate colormap indexes. */
  172523. JSAMPLE colorlist[MAXNUMCOLORS];
  172524. int numcolors; /* number of candidate colors */
  172525. /* This array holds the actually closest colormap index for each cell. */
  172526. JSAMPLE bestcolor[BOX_C0_ELEMS * BOX_C1_ELEMS * BOX_C2_ELEMS];
  172527. /* Convert cell coordinates to update box ID */
  172528. c0 >>= BOX_C0_LOG;
  172529. c1 >>= BOX_C1_LOG;
  172530. c2 >>= BOX_C2_LOG;
  172531. /* Compute true coordinates of update box's origin corner.
  172532. * Actually we compute the coordinates of the center of the corner
  172533. * histogram cell, which are the lower bounds of the volume we care about.
  172534. */
  172535. minc0 = (c0 << BOX_C0_SHIFT) + ((1 << C0_SHIFT) >> 1);
  172536. minc1 = (c1 << BOX_C1_SHIFT) + ((1 << C1_SHIFT) >> 1);
  172537. minc2 = (c2 << BOX_C2_SHIFT) + ((1 << C2_SHIFT) >> 1);
  172538. /* Determine which colormap entries are close enough to be candidates
  172539. * for the nearest entry to some cell in the update box.
  172540. */
  172541. numcolors = find_nearby_colors(cinfo, minc0, minc1, minc2, colorlist);
  172542. /* Determine the actually nearest colors. */
  172543. find_best_colors(cinfo, minc0, minc1, minc2, numcolors, colorlist,
  172544. bestcolor);
  172545. /* Save the best color numbers (plus 1) in the main cache array */
  172546. c0 <<= BOX_C0_LOG; /* convert ID back to base cell indexes */
  172547. c1 <<= BOX_C1_LOG;
  172548. c2 <<= BOX_C2_LOG;
  172549. cptr = bestcolor;
  172550. for (ic0 = 0; ic0 < BOX_C0_ELEMS; ic0++) {
  172551. for (ic1 = 0; ic1 < BOX_C1_ELEMS; ic1++) {
  172552. cachep = & histogram[c0+ic0][c1+ic1][c2];
  172553. for (ic2 = 0; ic2 < BOX_C2_ELEMS; ic2++) {
  172554. *cachep++ = (histcell) (GETJSAMPLE(*cptr++) + 1);
  172555. }
  172556. }
  172557. }
  172558. }
  172559. /*
  172560. * Map some rows of pixels to the output colormapped representation.
  172561. */
  172562. METHODDEF(void)
  172563. pass2_no_dither (j_decompress_ptr cinfo,
  172564. JSAMPARRAY input_buf, JSAMPARRAY output_buf, int num_rows)
  172565. /* This version performs no dithering */
  172566. {
  172567. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172568. hist3d histogram = cquantize->histogram;
  172569. register JSAMPROW inptr, outptr;
  172570. register histptr cachep;
  172571. register int c0, c1, c2;
  172572. int row;
  172573. JDIMENSION col;
  172574. JDIMENSION width = cinfo->output_width;
  172575. for (row = 0; row < num_rows; row++) {
  172576. inptr = input_buf[row];
  172577. outptr = output_buf[row];
  172578. for (col = width; col > 0; col--) {
  172579. /* get pixel value and index into the cache */
  172580. c0 = GETJSAMPLE(*inptr++) >> C0_SHIFT;
  172581. c1 = GETJSAMPLE(*inptr++) >> C1_SHIFT;
  172582. c2 = GETJSAMPLE(*inptr++) >> C2_SHIFT;
  172583. cachep = & histogram[c0][c1][c2];
  172584. /* If we have not seen this color before, find nearest colormap entry */
  172585. /* and update the cache */
  172586. if (*cachep == 0)
  172587. fill_inverse_cmap(cinfo, c0,c1,c2);
  172588. /* Now emit the colormap index for this cell */
  172589. *outptr++ = (JSAMPLE) (*cachep - 1);
  172590. }
  172591. }
  172592. }
  172593. METHODDEF(void)
  172594. pass2_fs_dither (j_decompress_ptr cinfo,
  172595. JSAMPARRAY input_buf, JSAMPARRAY output_buf, int num_rows)
  172596. /* This version performs Floyd-Steinberg dithering */
  172597. {
  172598. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172599. hist3d histogram = cquantize->histogram;
  172600. register LOCFSERROR cur0, cur1, cur2; /* current error or pixel value */
  172601. LOCFSERROR belowerr0, belowerr1, belowerr2; /* error for pixel below cur */
  172602. LOCFSERROR bpreverr0, bpreverr1, bpreverr2; /* error for below/prev col */
  172603. register FSERRPTR errorptr; /* => fserrors[] at column before current */
  172604. JSAMPROW inptr; /* => current input pixel */
  172605. JSAMPROW outptr; /* => current output pixel */
  172606. histptr cachep;
  172607. int dir; /* +1 or -1 depending on direction */
  172608. int dir3; /* 3*dir, for advancing inptr & errorptr */
  172609. int row;
  172610. JDIMENSION col;
  172611. JDIMENSION width = cinfo->output_width;
  172612. JSAMPLE *range_limit = cinfo->sample_range_limit;
  172613. int *error_limit = cquantize->error_limiter;
  172614. JSAMPROW colormap0 = cinfo->colormap[0];
  172615. JSAMPROW colormap1 = cinfo->colormap[1];
  172616. JSAMPROW colormap2 = cinfo->colormap[2];
  172617. SHIFT_TEMPS
  172618. for (row = 0; row < num_rows; row++) {
  172619. inptr = input_buf[row];
  172620. outptr = output_buf[row];
  172621. if (cquantize->on_odd_row) {
  172622. /* work right to left in this row */
  172623. inptr += (width-1) * 3; /* so point to rightmost pixel */
  172624. outptr += width-1;
  172625. dir = -1;
  172626. dir3 = -3;
  172627. errorptr = cquantize->fserrors + (width+1)*3; /* => entry after last column */
  172628. cquantize->on_odd_row = FALSE; /* flip for next time */
  172629. } else {
  172630. /* work left to right in this row */
  172631. dir = 1;
  172632. dir3 = 3;
  172633. errorptr = cquantize->fserrors; /* => entry before first real column */
  172634. cquantize->on_odd_row = TRUE; /* flip for next time */
  172635. }
  172636. /* Preset error values: no error propagated to first pixel from left */
  172637. cur0 = cur1 = cur2 = 0;
  172638. /* and no error propagated to row below yet */
  172639. belowerr0 = belowerr1 = belowerr2 = 0;
  172640. bpreverr0 = bpreverr1 = bpreverr2 = 0;
  172641. for (col = width; col > 0; col--) {
  172642. /* curN holds the error propagated from the previous pixel on the
  172643. * current line. Add the error propagated from the previous line
  172644. * to form the complete error correction term for this pixel, and
  172645. * round the error term (which is expressed * 16) to an integer.
  172646. * RIGHT_SHIFT rounds towards minus infinity, so adding 8 is correct
  172647. * for either sign of the error value.
  172648. * Note: errorptr points to *previous* column's array entry.
  172649. */
  172650. cur0 = RIGHT_SHIFT(cur0 + errorptr[dir3+0] + 8, 4);
  172651. cur1 = RIGHT_SHIFT(cur1 + errorptr[dir3+1] + 8, 4);
  172652. cur2 = RIGHT_SHIFT(cur2 + errorptr[dir3+2] + 8, 4);
  172653. /* Limit the error using transfer function set by init_error_limit.
  172654. * See comments with init_error_limit for rationale.
  172655. */
  172656. cur0 = error_limit[cur0];
  172657. cur1 = error_limit[cur1];
  172658. cur2 = error_limit[cur2];
  172659. /* Form pixel value + error, and range-limit to 0..MAXJSAMPLE.
  172660. * The maximum error is +- MAXJSAMPLE (or less with error limiting);
  172661. * this sets the required size of the range_limit array.
  172662. */
  172663. cur0 += GETJSAMPLE(inptr[0]);
  172664. cur1 += GETJSAMPLE(inptr[1]);
  172665. cur2 += GETJSAMPLE(inptr[2]);
  172666. cur0 = GETJSAMPLE(range_limit[cur0]);
  172667. cur1 = GETJSAMPLE(range_limit[cur1]);
  172668. cur2 = GETJSAMPLE(range_limit[cur2]);
  172669. /* Index into the cache with adjusted pixel value */
  172670. cachep = & histogram[cur0>>C0_SHIFT][cur1>>C1_SHIFT][cur2>>C2_SHIFT];
  172671. /* If we have not seen this color before, find nearest colormap */
  172672. /* entry and update the cache */
  172673. if (*cachep == 0)
  172674. fill_inverse_cmap(cinfo, cur0>>C0_SHIFT,cur1>>C1_SHIFT,cur2>>C2_SHIFT);
  172675. /* Now emit the colormap index for this cell */
  172676. { register int pixcode = *cachep - 1;
  172677. *outptr = (JSAMPLE) pixcode;
  172678. /* Compute representation error for this pixel */
  172679. cur0 -= GETJSAMPLE(colormap0[pixcode]);
  172680. cur1 -= GETJSAMPLE(colormap1[pixcode]);
  172681. cur2 -= GETJSAMPLE(colormap2[pixcode]);
  172682. }
  172683. /* Compute error fractions to be propagated to adjacent pixels.
  172684. * Add these into the running sums, and simultaneously shift the
  172685. * next-line error sums left by 1 column.
  172686. */
  172687. { register LOCFSERROR bnexterr, delta;
  172688. bnexterr = cur0; /* Process component 0 */
  172689. delta = cur0 * 2;
  172690. cur0 += delta; /* form error * 3 */
  172691. errorptr[0] = (FSERROR) (bpreverr0 + cur0);
  172692. cur0 += delta; /* form error * 5 */
  172693. bpreverr0 = belowerr0 + cur0;
  172694. belowerr0 = bnexterr;
  172695. cur0 += delta; /* form error * 7 */
  172696. bnexterr = cur1; /* Process component 1 */
  172697. delta = cur1 * 2;
  172698. cur1 += delta; /* form error * 3 */
  172699. errorptr[1] = (FSERROR) (bpreverr1 + cur1);
  172700. cur1 += delta; /* form error * 5 */
  172701. bpreverr1 = belowerr1 + cur1;
  172702. belowerr1 = bnexterr;
  172703. cur1 += delta; /* form error * 7 */
  172704. bnexterr = cur2; /* Process component 2 */
  172705. delta = cur2 * 2;
  172706. cur2 += delta; /* form error * 3 */
  172707. errorptr[2] = (FSERROR) (bpreverr2 + cur2);
  172708. cur2 += delta; /* form error * 5 */
  172709. bpreverr2 = belowerr2 + cur2;
  172710. belowerr2 = bnexterr;
  172711. cur2 += delta; /* form error * 7 */
  172712. }
  172713. /* At this point curN contains the 7/16 error value to be propagated
  172714. * to the next pixel on the current line, and all the errors for the
  172715. * next line have been shifted over. We are therefore ready to move on.
  172716. */
  172717. inptr += dir3; /* Advance pixel pointers to next column */
  172718. outptr += dir;
  172719. errorptr += dir3; /* advance errorptr to current column */
  172720. }
  172721. /* Post-loop cleanup: we must unload the final error values into the
  172722. * final fserrors[] entry. Note we need not unload belowerrN because
  172723. * it is for the dummy column before or after the actual array.
  172724. */
  172725. errorptr[0] = (FSERROR) bpreverr0; /* unload prev errs into array */
  172726. errorptr[1] = (FSERROR) bpreverr1;
  172727. errorptr[2] = (FSERROR) bpreverr2;
  172728. }
  172729. }
  172730. /*
  172731. * Initialize the error-limiting transfer function (lookup table).
  172732. * The raw F-S error computation can potentially compute error values of up to
  172733. * +- MAXJSAMPLE. But we want the maximum correction applied to a pixel to be
  172734. * much less, otherwise obviously wrong pixels will be created. (Typical
  172735. * effects include weird fringes at color-area boundaries, isolated bright
  172736. * pixels in a dark area, etc.) The standard advice for avoiding this problem
  172737. * is to ensure that the "corners" of the color cube are allocated as output
  172738. * colors; then repeated errors in the same direction cannot cause cascading
  172739. * error buildup. However, that only prevents the error from getting
  172740. * completely out of hand; Aaron Giles reports that error limiting improves
  172741. * the results even with corner colors allocated.
  172742. * A simple clamping of the error values to about +- MAXJSAMPLE/8 works pretty
  172743. * well, but the smoother transfer function used below is even better. Thanks
  172744. * to Aaron Giles for this idea.
  172745. */
  172746. LOCAL(void)
  172747. init_error_limit (j_decompress_ptr cinfo)
  172748. /* Allocate and fill in the error_limiter table */
  172749. {
  172750. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172751. int * table;
  172752. int in, out;
  172753. table = (int *) (*cinfo->mem->alloc_small)
  172754. ((j_common_ptr) cinfo, JPOOL_IMAGE, (MAXJSAMPLE*2+1) * SIZEOF(int));
  172755. table += MAXJSAMPLE; /* so can index -MAXJSAMPLE .. +MAXJSAMPLE */
  172756. cquantize->error_limiter = table;
  172757. #define STEPSIZE ((MAXJSAMPLE+1)/16)
  172758. /* Map errors 1:1 up to +- MAXJSAMPLE/16 */
  172759. out = 0;
  172760. for (in = 0; in < STEPSIZE; in++, out++) {
  172761. table[in] = out; table[-in] = -out;
  172762. }
  172763. /* Map errors 1:2 up to +- 3*MAXJSAMPLE/16 */
  172764. for (; in < STEPSIZE*3; in++, out += (in&1) ? 0 : 1) {
  172765. table[in] = out; table[-in] = -out;
  172766. }
  172767. /* Clamp the rest to final out value (which is (MAXJSAMPLE+1)/8) */
  172768. for (; in <= MAXJSAMPLE; in++) {
  172769. table[in] = out; table[-in] = -out;
  172770. }
  172771. #undef STEPSIZE
  172772. }
  172773. /*
  172774. * Finish up at the end of each pass.
  172775. */
  172776. METHODDEF(void)
  172777. finish_pass1 (j_decompress_ptr cinfo)
  172778. {
  172779. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172780. /* Select the representative colors and fill in cinfo->colormap */
  172781. cinfo->colormap = cquantize->sv_colormap;
  172782. select_colors(cinfo, cquantize->desired);
  172783. /* Force next pass to zero the color index table */
  172784. cquantize->needs_zeroed = TRUE;
  172785. }
  172786. METHODDEF(void)
  172787. finish_pass2 (j_decompress_ptr cinfo)
  172788. {
  172789. /* no work */
  172790. }
  172791. /*
  172792. * Initialize for each processing pass.
  172793. */
  172794. METHODDEF(void)
  172795. start_pass_2_quant (j_decompress_ptr cinfo, boolean is_pre_scan)
  172796. {
  172797. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172798. hist3d histogram = cquantize->histogram;
  172799. int i;
  172800. /* Only F-S dithering or no dithering is supported. */
  172801. /* If user asks for ordered dither, give him F-S. */
  172802. if (cinfo->dither_mode != JDITHER_NONE)
  172803. cinfo->dither_mode = JDITHER_FS;
  172804. if (is_pre_scan) {
  172805. /* Set up method pointers */
  172806. cquantize->pub.color_quantize = prescan_quantize;
  172807. cquantize->pub.finish_pass = finish_pass1;
  172808. cquantize->needs_zeroed = TRUE; /* Always zero histogram */
  172809. } else {
  172810. /* Set up method pointers */
  172811. if (cinfo->dither_mode == JDITHER_FS)
  172812. cquantize->pub.color_quantize = pass2_fs_dither;
  172813. else
  172814. cquantize->pub.color_quantize = pass2_no_dither;
  172815. cquantize->pub.finish_pass = finish_pass2;
  172816. /* Make sure color count is acceptable */
  172817. i = cinfo->actual_number_of_colors;
  172818. if (i < 1)
  172819. ERREXIT1(cinfo, JERR_QUANT_FEW_COLORS, 1);
  172820. if (i > MAXNUMCOLORS)
  172821. ERREXIT1(cinfo, JERR_QUANT_MANY_COLORS, MAXNUMCOLORS);
  172822. if (cinfo->dither_mode == JDITHER_FS) {
  172823. size_t arraysize = (size_t) ((cinfo->output_width + 2) *
  172824. (3 * SIZEOF(FSERROR)));
  172825. /* Allocate Floyd-Steinberg workspace if we didn't already. */
  172826. if (cquantize->fserrors == NULL)
  172827. cquantize->fserrors = (FSERRPTR) (*cinfo->mem->alloc_large)
  172828. ((j_common_ptr) cinfo, JPOOL_IMAGE, arraysize);
  172829. /* Initialize the propagated errors to zero. */
  172830. jzero_far((void FAR *) cquantize->fserrors, arraysize);
  172831. /* Make the error-limit table if we didn't already. */
  172832. if (cquantize->error_limiter == NULL)
  172833. init_error_limit(cinfo);
  172834. cquantize->on_odd_row = FALSE;
  172835. }
  172836. }
  172837. /* Zero the histogram or inverse color map, if necessary */
  172838. if (cquantize->needs_zeroed) {
  172839. for (i = 0; i < HIST_C0_ELEMS; i++) {
  172840. jzero_far((void FAR *) histogram[i],
  172841. HIST_C1_ELEMS*HIST_C2_ELEMS * SIZEOF(histcell));
  172842. }
  172843. cquantize->needs_zeroed = FALSE;
  172844. }
  172845. }
  172846. /*
  172847. * Switch to a new external colormap between output passes.
  172848. */
  172849. METHODDEF(void)
  172850. new_color_map_2_quant (j_decompress_ptr cinfo)
  172851. {
  172852. my_cquantize_ptr2 cquantize = (my_cquantize_ptr2) cinfo->cquantize;
  172853. /* Reset the inverse color map */
  172854. cquantize->needs_zeroed = TRUE;
  172855. }
  172856. /*
  172857. * Module initialization routine for 2-pass color quantization.
  172858. */
  172859. GLOBAL(void)
  172860. jinit_2pass_quantizer (j_decompress_ptr cinfo)
  172861. {
  172862. my_cquantize_ptr2 cquantize;
  172863. int i;
  172864. cquantize = (my_cquantize_ptr2)
  172865. (*cinfo->mem->alloc_small) ((j_common_ptr) cinfo, JPOOL_IMAGE,
  172866. SIZEOF(my_cquantizer2));
  172867. cinfo->cquantize = (struct jpeg_color_quantizer *) cquantize;
  172868. cquantize->pub.start_pass = start_pass_2_quant;
  172869. cquantize->pub.new_color_map = new_color_map_2_quant;
  172870. cquantize->fserrors = NULL; /* flag optional arrays not allocated */
  172871. cquantize->error_limiter = NULL;
  172872. /* Make sure jdmaster didn't give me a case I can't handle */
  172873. if (cinfo->out_color_components != 3)
  172874. ERREXIT(cinfo, JERR_NOTIMPL);
  172875. /* Allocate the histogram/inverse colormap storage */
  172876. cquantize->histogram = (hist3d) (*cinfo->mem->alloc_small)
  172877. ((j_common_ptr) cinfo, JPOOL_IMAGE, HIST_C0_ELEMS * SIZEOF(hist2d));
  172878. for (i = 0; i < HIST_C0_ELEMS; i++) {
  172879. cquantize->histogram[i] = (hist2d) (*cinfo->mem->alloc_large)
  172880. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  172881. HIST_C1_ELEMS*HIST_C2_ELEMS * SIZEOF(histcell));
  172882. }
  172883. cquantize->needs_zeroed = TRUE; /* histogram is garbage now */
  172884. /* Allocate storage for the completed colormap, if required.
  172885. * We do this now since it is FAR storage and may affect
  172886. * the memory manager's space calculations.
  172887. */
  172888. if (cinfo->enable_2pass_quant) {
  172889. /* Make sure color count is acceptable */
  172890. int desired = cinfo->desired_number_of_colors;
  172891. /* Lower bound on # of colors ... somewhat arbitrary as long as > 0 */
  172892. if (desired < 8)
  172893. ERREXIT1(cinfo, JERR_QUANT_FEW_COLORS, 8);
  172894. /* Make sure colormap indexes can be represented by JSAMPLEs */
  172895. if (desired > MAXNUMCOLORS)
  172896. ERREXIT1(cinfo, JERR_QUANT_MANY_COLORS, MAXNUMCOLORS);
  172897. cquantize->sv_colormap = (*cinfo->mem->alloc_sarray)
  172898. ((j_common_ptr) cinfo,JPOOL_IMAGE, (JDIMENSION) desired, (JDIMENSION) 3);
  172899. cquantize->desired = desired;
  172900. } else
  172901. cquantize->sv_colormap = NULL;
  172902. /* Only F-S dithering or no dithering is supported. */
  172903. /* If user asks for ordered dither, give him F-S. */
  172904. if (cinfo->dither_mode != JDITHER_NONE)
  172905. cinfo->dither_mode = JDITHER_FS;
  172906. /* Allocate Floyd-Steinberg workspace if necessary.
  172907. * This isn't really needed until pass 2, but again it is FAR storage.
  172908. * Although we will cope with a later change in dither_mode,
  172909. * we do not promise to honor max_memory_to_use if dither_mode changes.
  172910. */
  172911. if (cinfo->dither_mode == JDITHER_FS) {
  172912. cquantize->fserrors = (FSERRPTR) (*cinfo->mem->alloc_large)
  172913. ((j_common_ptr) cinfo, JPOOL_IMAGE,
  172914. (size_t) ((cinfo->output_width + 2) * (3 * SIZEOF(FSERROR))));
  172915. /* Might as well create the error-limiting table too. */
  172916. init_error_limit(cinfo);
  172917. }
  172918. }
  172919. #endif /* QUANT_2PASS_SUPPORTED */
  172920. /********* End of inlined file: jquant2.c *********/
  172921. /********* Start of inlined file: jutils.c *********/
  172922. #define JPEG_INTERNALS
  172923. /*
  172924. * jpeg_zigzag_order[i] is the zigzag-order position of the i'th element
  172925. * of a DCT block read in natural order (left to right, top to bottom).
  172926. */
  172927. #if 0 /* This table is not actually needed in v6a */
  172928. const int jpeg_zigzag_order[DCTSIZE2] = {
  172929. 0, 1, 5, 6, 14, 15, 27, 28,
  172930. 2, 4, 7, 13, 16, 26, 29, 42,
  172931. 3, 8, 12, 17, 25, 30, 41, 43,
  172932. 9, 11, 18, 24, 31, 40, 44, 53,
  172933. 10, 19, 23, 32, 39, 45, 52, 54,
  172934. 20, 22, 33, 38, 46, 51, 55, 60,
  172935. 21, 34, 37, 47, 50, 56, 59, 61,
  172936. 35, 36, 48, 49, 57, 58, 62, 63
  172937. };
  172938. #endif
  172939. /*
  172940. * jpeg_natural_order[i] is the natural-order position of the i'th element
  172941. * of zigzag order.
  172942. *
  172943. * When reading corrupted data, the Huffman decoders could attempt
  172944. * to reference an entry beyond the end of this array (if the decoded
  172945. * zero run length reaches past the end of the block). To prevent
  172946. * wild stores without adding an inner-loop test, we put some extra
  172947. * "63"s after the real entries. This will cause the extra coefficient
  172948. * to be stored in location 63 of the block, not somewhere random.
  172949. * The worst case would be a run-length of 15, which means we need 16
  172950. * fake entries.
  172951. */
  172952. const int jpeg_natural_order[DCTSIZE2+16] = {
  172953. 0, 1, 8, 16, 9, 2, 3, 10,
  172954. 17, 24, 32, 25, 18, 11, 4, 5,
  172955. 12, 19, 26, 33, 40, 48, 41, 34,
  172956. 27, 20, 13, 6, 7, 14, 21, 28,
  172957. 35, 42, 49, 56, 57, 50, 43, 36,
  172958. 29, 22, 15, 23, 30, 37, 44, 51,
  172959. 58, 59, 52, 45, 38, 31, 39, 46,
  172960. 53, 60, 61, 54, 47, 55, 62, 63,
  172961. 63, 63, 63, 63, 63, 63, 63, 63, /* extra entries for safety in decoder */
  172962. 63, 63, 63, 63, 63, 63, 63, 63
  172963. };
  172964. /*
  172965. * Arithmetic utilities
  172966. */
  172967. GLOBAL(long)
  172968. jdiv_round_up (long a, long b)
  172969. /* Compute a/b rounded up to next integer, ie, ceil(a/b) */
  172970. /* Assumes a >= 0, b > 0 */
  172971. {
  172972. return (a + b - 1L) / b;
  172973. }
  172974. GLOBAL(long)
  172975. jround_up (long a, long b)
  172976. /* Compute a rounded up to next multiple of b, ie, ceil(a/b)*b */
  172977. /* Assumes a >= 0, b > 0 */
  172978. {
  172979. a += b - 1L;
  172980. return a - (a % b);
  172981. }
  172982. /* On normal machines we can apply MEMCOPY() and MEMZERO() to sample arrays
  172983. * and coefficient-block arrays. This won't work on 80x86 because the arrays
  172984. * are FAR and we're assuming a small-pointer memory model. However, some
  172985. * DOS compilers provide far-pointer versions of memcpy() and memset() even
  172986. * in the small-model libraries. These will be used if USE_FMEM is defined.
  172987. * Otherwise, the routines below do it the hard way. (The performance cost
  172988. * is not all that great, because these routines aren't very heavily used.)
  172989. */
  172990. #ifndef NEED_FAR_POINTERS /* normal case, same as regular macros */
  172991. #define FMEMCOPY(dest,src,size) MEMCOPY(dest,src,size)
  172992. #define FMEMZERO(target,size) MEMZERO(target,size)
  172993. #else /* 80x86 case, define if we can */
  172994. #ifdef USE_FMEM
  172995. #define FMEMCOPY(dest,src,size) _fmemcpy((void FAR *)(dest), (const void FAR *)(src), (size_t)(size))
  172996. #define FMEMZERO(target,size) _fmemset((void FAR *)(target), 0, (size_t)(size))
  172997. #endif
  172998. #endif
  172999. GLOBAL(void)
  173000. jcopy_sample_rows (JSAMPARRAY input_array, int source_row,
  173001. JSAMPARRAY output_array, int dest_row,
  173002. int num_rows, JDIMENSION num_cols)
  173003. /* Copy some rows of samples from one place to another.
  173004. * num_rows rows are copied from input_array[source_row++]
  173005. * to output_array[dest_row++]; these areas may overlap for duplication.
  173006. * The source and destination arrays must be at least as wide as num_cols.
  173007. */
  173008. {
  173009. register JSAMPROW inptr, outptr;
  173010. #ifdef FMEMCOPY
  173011. register size_t count = (size_t) (num_cols * SIZEOF(JSAMPLE));
  173012. #else
  173013. register JDIMENSION count;
  173014. #endif
  173015. register int row;
  173016. input_array += source_row;
  173017. output_array += dest_row;
  173018. for (row = num_rows; row > 0; row--) {
  173019. inptr = *input_array++;
  173020. outptr = *output_array++;
  173021. #ifdef FMEMCOPY
  173022. FMEMCOPY(outptr, inptr, count);
  173023. #else
  173024. for (count = num_cols; count > 0; count--)
  173025. *outptr++ = *inptr++; /* needn't bother with GETJSAMPLE() here */
  173026. #endif
  173027. }
  173028. }
  173029. GLOBAL(void)
  173030. jcopy_block_row (JBLOCKROW input_row, JBLOCKROW output_row,
  173031. JDIMENSION num_blocks)
  173032. /* Copy a row of coefficient blocks from one place to another. */
  173033. {
  173034. #ifdef FMEMCOPY
  173035. FMEMCOPY(output_row, input_row, num_blocks * (DCTSIZE2 * SIZEOF(JCOEF)));
  173036. #else
  173037. register JCOEFPTR inptr, outptr;
  173038. register long count;
  173039. inptr = (JCOEFPTR) input_row;
  173040. outptr = (JCOEFPTR) output_row;
  173041. for (count = (long) num_blocks * DCTSIZE2; count > 0; count--) {
  173042. *outptr++ = *inptr++;
  173043. }
  173044. #endif
  173045. }
  173046. GLOBAL(void)
  173047. jzero_far (void FAR * target, size_t bytestozero)
  173048. /* Zero out a chunk of FAR memory. */
  173049. /* This might be sample-array data, block-array data, or alloc_large data. */
  173050. {
  173051. #ifdef FMEMZERO
  173052. FMEMZERO(target, bytestozero);
  173053. #else
  173054. register char FAR * ptr = (char FAR *) target;
  173055. register size_t count;
  173056. for (count = bytestozero; count > 0; count--) {
  173057. *ptr++ = 0;
  173058. }
  173059. #endif
  173060. }
  173061. /********* End of inlined file: jutils.c *********/
  173062. /********* Start of inlined file: transupp.c *********/
  173063. /* Although this file really shouldn't have access to the library internals,
  173064. * it's helpful to let it call jround_up() and jcopy_block_row().
  173065. */
  173066. #define JPEG_INTERNALS
  173067. /********* Start of inlined file: transupp.h *********/
  173068. /* If you happen not to want the image transform support, disable it here */
  173069. #ifndef TRANSFORMS_SUPPORTED
  173070. #define TRANSFORMS_SUPPORTED 1 /* 0 disables transform code */
  173071. #endif
  173072. /* Short forms of external names for systems with brain-damaged linkers. */
  173073. #ifdef NEED_SHORT_EXTERNAL_NAMES
  173074. #define jtransform_request_workspace jTrRequest
  173075. #define jtransform_adjust_parameters jTrAdjust
  173076. #define jtransform_execute_transformation jTrExec
  173077. #define jcopy_markers_setup jCMrkSetup
  173078. #define jcopy_markers_execute jCMrkExec
  173079. #endif /* NEED_SHORT_EXTERNAL_NAMES */
  173080. /*
  173081. * Codes for supported types of image transformations.
  173082. */
  173083. typedef enum {
  173084. JXFORM_NONE, /* no transformation */
  173085. JXFORM_FLIP_H, /* horizontal flip */
  173086. JXFORM_FLIP_V, /* vertical flip */
  173087. JXFORM_TRANSPOSE, /* transpose across UL-to-LR axis */
  173088. JXFORM_TRANSVERSE, /* transpose across UR-to-LL axis */
  173089. JXFORM_ROT_90, /* 90-degree clockwise rotation */
  173090. JXFORM_ROT_180, /* 180-degree rotation */
  173091. JXFORM_ROT_270 /* 270-degree clockwise (or 90 ccw) */
  173092. } JXFORM_CODE;
  173093. /*
  173094. * Although rotating and flipping data expressed as DCT coefficients is not
  173095. * hard, there is an asymmetry in the JPEG format specification for images
  173096. * whose dimensions aren't multiples of the iMCU size. The right and bottom
  173097. * image edges are padded out to the next iMCU boundary with junk data; but
  173098. * no padding is possible at the top and left edges. If we were to flip
  173099. * the whole image including the pad data, then pad garbage would become
  173100. * visible at the top and/or left, and real pixels would disappear into the
  173101. * pad margins --- perhaps permanently, since encoders & decoders may not
  173102. * bother to preserve DCT blocks that appear to be completely outside the
  173103. * nominal image area. So, we have to exclude any partial iMCUs from the
  173104. * basic transformation.
  173105. *
  173106. * Transpose is the only transformation that can handle partial iMCUs at the
  173107. * right and bottom edges completely cleanly. flip_h can flip partial iMCUs
  173108. * at the bottom, but leaves any partial iMCUs at the right edge untouched.
  173109. * Similarly flip_v leaves any partial iMCUs at the bottom edge untouched.
  173110. * The other transforms are defined as combinations of these basic transforms
  173111. * and process edge blocks in a way that preserves the equivalence.
  173112. *
  173113. * The "trim" option causes untransformable partial iMCUs to be dropped;
  173114. * this is not strictly lossless, but it usually gives the best-looking
  173115. * result for odd-size images. Note that when this option is active,
  173116. * the expected mathematical equivalences between the transforms may not hold.
  173117. * (For example, -rot 270 -trim trims only the bottom edge, but -rot 90 -trim
  173118. * followed by -rot 180 -trim trims both edges.)
  173119. *
  173120. * We also offer a "force to grayscale" option, which simply discards the
  173121. * chrominance channels of a YCbCr image. This is lossless in the sense that
  173122. * the luminance channel is preserved exactly. It's not the same kind of
  173123. * thing as the rotate/flip transformations, but it's convenient to handle it
  173124. * as part of this package, mainly because the transformation routines have to
  173125. * be aware of the option to know how many components to work on.
  173126. */
  173127. typedef struct {
  173128. /* Options: set by caller */
  173129. JXFORM_CODE transform; /* image transform operator */
  173130. boolean trim; /* if TRUE, trim partial MCUs as needed */
  173131. boolean force_grayscale; /* if TRUE, convert color image to grayscale */
  173132. /* Internal workspace: caller should not touch these */
  173133. int num_components; /* # of components in workspace */
  173134. jvirt_barray_ptr * workspace_coef_arrays; /* workspace for transformations */
  173135. } jpeg_transform_info;
  173136. #if TRANSFORMS_SUPPORTED
  173137. /* Request any required workspace */
  173138. EXTERN(void) jtransform_request_workspace
  173139. JPP((j_decompress_ptr srcinfo, jpeg_transform_info *info));
  173140. /* Adjust output image parameters */
  173141. EXTERN(jvirt_barray_ptr *) jtransform_adjust_parameters
  173142. JPP((j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173143. jvirt_barray_ptr *src_coef_arrays,
  173144. jpeg_transform_info *info));
  173145. /* Execute the actual transformation, if any */
  173146. EXTERN(void) jtransform_execute_transformation
  173147. JPP((j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173148. jvirt_barray_ptr *src_coef_arrays,
  173149. jpeg_transform_info *info));
  173150. #endif /* TRANSFORMS_SUPPORTED */
  173151. /*
  173152. * Support for copying optional markers from source to destination file.
  173153. */
  173154. typedef enum {
  173155. JCOPYOPT_NONE, /* copy no optional markers */
  173156. JCOPYOPT_COMMENTS, /* copy only comment (COM) markers */
  173157. JCOPYOPT_ALL /* copy all optional markers */
  173158. } JCOPY_OPTION;
  173159. #define JCOPYOPT_DEFAULT JCOPYOPT_COMMENTS /* recommended default */
  173160. /* Setup decompression object to save desired markers in memory */
  173161. EXTERN(void) jcopy_markers_setup
  173162. JPP((j_decompress_ptr srcinfo, JCOPY_OPTION option));
  173163. /* Copy markers saved in the given source object to the destination object */
  173164. EXTERN(void) jcopy_markers_execute
  173165. JPP((j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173166. JCOPY_OPTION option));
  173167. /********* End of inlined file: transupp.h *********/
  173168. /* My own external interface */
  173169. #if TRANSFORMS_SUPPORTED
  173170. /*
  173171. * Lossless image transformation routines. These routines work on DCT
  173172. * coefficient arrays and thus do not require any lossy decompression
  173173. * or recompression of the image.
  173174. * Thanks to Guido Vollbeding for the initial design and code of this feature.
  173175. *
  173176. * Horizontal flipping is done in-place, using a single top-to-bottom
  173177. * pass through the virtual source array. It will thus be much the
  173178. * fastest option for images larger than main memory.
  173179. *
  173180. * The other routines require a set of destination virtual arrays, so they
  173181. * need twice as much memory as jpegtran normally does. The destination
  173182. * arrays are always written in normal scan order (top to bottom) because
  173183. * the virtual array manager expects this. The source arrays will be scanned
  173184. * in the corresponding order, which means multiple passes through the source
  173185. * arrays for most of the transforms. That could result in much thrashing
  173186. * if the image is larger than main memory.
  173187. *
  173188. * Some notes about the operating environment of the individual transform
  173189. * routines:
  173190. * 1. Both the source and destination virtual arrays are allocated from the
  173191. * source JPEG object, and therefore should be manipulated by calling the
  173192. * source's memory manager.
  173193. * 2. The destination's component count should be used. It may be smaller
  173194. * than the source's when forcing to grayscale.
  173195. * 3. Likewise the destination's sampling factors should be used. When
  173196. * forcing to grayscale the destination's sampling factors will be all 1,
  173197. * and we may as well take that as the effective iMCU size.
  173198. * 4. When "trim" is in effect, the destination's dimensions will be the
  173199. * trimmed values but the source's will be untrimmed.
  173200. * 5. All the routines assume that the source and destination buffers are
  173201. * padded out to a full iMCU boundary. This is true, although for the
  173202. * source buffer it is an undocumented property of jdcoefct.c.
  173203. * Notes 2,3,4 boil down to this: generally we should use the destination's
  173204. * dimensions and ignore the source's.
  173205. */
  173206. LOCAL(void)
  173207. do_flip_h (j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173208. jvirt_barray_ptr *src_coef_arrays)
  173209. /* Horizontal flip; done in-place, so no separate dest array is required */
  173210. {
  173211. JDIMENSION MCU_cols, comp_width, blk_x, blk_y;
  173212. int ci, k, offset_y;
  173213. JBLOCKARRAY buffer;
  173214. JCOEFPTR ptr1, ptr2;
  173215. JCOEF temp1, temp2;
  173216. jpeg_component_info *compptr;
  173217. /* Horizontal mirroring of DCT blocks is accomplished by swapping
  173218. * pairs of blocks in-place. Within a DCT block, we perform horizontal
  173219. * mirroring by changing the signs of odd-numbered columns.
  173220. * Partial iMCUs at the right edge are left untouched.
  173221. */
  173222. MCU_cols = dstinfo->image_width / (dstinfo->max_h_samp_factor * DCTSIZE);
  173223. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173224. compptr = dstinfo->comp_info + ci;
  173225. comp_width = MCU_cols * compptr->h_samp_factor;
  173226. for (blk_y = 0; blk_y < compptr->height_in_blocks;
  173227. blk_y += compptr->v_samp_factor) {
  173228. buffer = (*srcinfo->mem->access_virt_barray)
  173229. ((j_common_ptr) srcinfo, src_coef_arrays[ci], blk_y,
  173230. (JDIMENSION) compptr->v_samp_factor, TRUE);
  173231. for (offset_y = 0; offset_y < compptr->v_samp_factor; offset_y++) {
  173232. for (blk_x = 0; blk_x * 2 < comp_width; blk_x++) {
  173233. ptr1 = buffer[offset_y][blk_x];
  173234. ptr2 = buffer[offset_y][comp_width - blk_x - 1];
  173235. /* this unrolled loop doesn't need to know which row it's on... */
  173236. for (k = 0; k < DCTSIZE2; k += 2) {
  173237. temp1 = *ptr1; /* swap even column */
  173238. temp2 = *ptr2;
  173239. *ptr1++ = temp2;
  173240. *ptr2++ = temp1;
  173241. temp1 = *ptr1; /* swap odd column with sign change */
  173242. temp2 = *ptr2;
  173243. *ptr1++ = -temp2;
  173244. *ptr2++ = -temp1;
  173245. }
  173246. }
  173247. }
  173248. }
  173249. }
  173250. }
  173251. LOCAL(void)
  173252. do_flip_v (j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173253. jvirt_barray_ptr *src_coef_arrays,
  173254. jvirt_barray_ptr *dst_coef_arrays)
  173255. /* Vertical flip */
  173256. {
  173257. JDIMENSION MCU_rows, comp_height, dst_blk_x, dst_blk_y;
  173258. int ci, i, j, offset_y;
  173259. JBLOCKARRAY src_buffer, dst_buffer;
  173260. JBLOCKROW src_row_ptr, dst_row_ptr;
  173261. JCOEFPTR src_ptr, dst_ptr;
  173262. jpeg_component_info *compptr;
  173263. /* We output into a separate array because we can't touch different
  173264. * rows of the source virtual array simultaneously. Otherwise, this
  173265. * is a pretty straightforward analog of horizontal flip.
  173266. * Within a DCT block, vertical mirroring is done by changing the signs
  173267. * of odd-numbered rows.
  173268. * Partial iMCUs at the bottom edge are copied verbatim.
  173269. */
  173270. MCU_rows = dstinfo->image_height / (dstinfo->max_v_samp_factor * DCTSIZE);
  173271. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173272. compptr = dstinfo->comp_info + ci;
  173273. comp_height = MCU_rows * compptr->v_samp_factor;
  173274. for (dst_blk_y = 0; dst_blk_y < compptr->height_in_blocks;
  173275. dst_blk_y += compptr->v_samp_factor) {
  173276. dst_buffer = (*srcinfo->mem->access_virt_barray)
  173277. ((j_common_ptr) srcinfo, dst_coef_arrays[ci], dst_blk_y,
  173278. (JDIMENSION) compptr->v_samp_factor, TRUE);
  173279. if (dst_blk_y < comp_height) {
  173280. /* Row is within the mirrorable area. */
  173281. src_buffer = (*srcinfo->mem->access_virt_barray)
  173282. ((j_common_ptr) srcinfo, src_coef_arrays[ci],
  173283. comp_height - dst_blk_y - (JDIMENSION) compptr->v_samp_factor,
  173284. (JDIMENSION) compptr->v_samp_factor, FALSE);
  173285. } else {
  173286. /* Bottom-edge blocks will be copied verbatim. */
  173287. src_buffer = (*srcinfo->mem->access_virt_barray)
  173288. ((j_common_ptr) srcinfo, src_coef_arrays[ci], dst_blk_y,
  173289. (JDIMENSION) compptr->v_samp_factor, FALSE);
  173290. }
  173291. for (offset_y = 0; offset_y < compptr->v_samp_factor; offset_y++) {
  173292. if (dst_blk_y < comp_height) {
  173293. /* Row is within the mirrorable area. */
  173294. dst_row_ptr = dst_buffer[offset_y];
  173295. src_row_ptr = src_buffer[compptr->v_samp_factor - offset_y - 1];
  173296. for (dst_blk_x = 0; dst_blk_x < compptr->width_in_blocks;
  173297. dst_blk_x++) {
  173298. dst_ptr = dst_row_ptr[dst_blk_x];
  173299. src_ptr = src_row_ptr[dst_blk_x];
  173300. for (i = 0; i < DCTSIZE; i += 2) {
  173301. /* copy even row */
  173302. for (j = 0; j < DCTSIZE; j++)
  173303. *dst_ptr++ = *src_ptr++;
  173304. /* copy odd row with sign change */
  173305. for (j = 0; j < DCTSIZE; j++)
  173306. *dst_ptr++ = - *src_ptr++;
  173307. }
  173308. }
  173309. } else {
  173310. /* Just copy row verbatim. */
  173311. jcopy_block_row(src_buffer[offset_y], dst_buffer[offset_y],
  173312. compptr->width_in_blocks);
  173313. }
  173314. }
  173315. }
  173316. }
  173317. }
  173318. LOCAL(void)
  173319. do_transpose (j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173320. jvirt_barray_ptr *src_coef_arrays,
  173321. jvirt_barray_ptr *dst_coef_arrays)
  173322. /* Transpose source into destination */
  173323. {
  173324. JDIMENSION dst_blk_x, dst_blk_y;
  173325. int ci, i, j, offset_x, offset_y;
  173326. JBLOCKARRAY src_buffer, dst_buffer;
  173327. JCOEFPTR src_ptr, dst_ptr;
  173328. jpeg_component_info *compptr;
  173329. /* Transposing pixels within a block just requires transposing the
  173330. * DCT coefficients.
  173331. * Partial iMCUs at the edges require no special treatment; we simply
  173332. * process all the available DCT blocks for every component.
  173333. */
  173334. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173335. compptr = dstinfo->comp_info + ci;
  173336. for (dst_blk_y = 0; dst_blk_y < compptr->height_in_blocks;
  173337. dst_blk_y += compptr->v_samp_factor) {
  173338. dst_buffer = (*srcinfo->mem->access_virt_barray)
  173339. ((j_common_ptr) srcinfo, dst_coef_arrays[ci], dst_blk_y,
  173340. (JDIMENSION) compptr->v_samp_factor, TRUE);
  173341. for (offset_y = 0; offset_y < compptr->v_samp_factor; offset_y++) {
  173342. for (dst_blk_x = 0; dst_blk_x < compptr->width_in_blocks;
  173343. dst_blk_x += compptr->h_samp_factor) {
  173344. src_buffer = (*srcinfo->mem->access_virt_barray)
  173345. ((j_common_ptr) srcinfo, src_coef_arrays[ci], dst_blk_x,
  173346. (JDIMENSION) compptr->h_samp_factor, FALSE);
  173347. for (offset_x = 0; offset_x < compptr->h_samp_factor; offset_x++) {
  173348. src_ptr = src_buffer[offset_x][dst_blk_y + offset_y];
  173349. dst_ptr = dst_buffer[offset_y][dst_blk_x + offset_x];
  173350. for (i = 0; i < DCTSIZE; i++)
  173351. for (j = 0; j < DCTSIZE; j++)
  173352. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173353. }
  173354. }
  173355. }
  173356. }
  173357. }
  173358. }
  173359. LOCAL(void)
  173360. do_rot_90 (j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173361. jvirt_barray_ptr *src_coef_arrays,
  173362. jvirt_barray_ptr *dst_coef_arrays)
  173363. /* 90 degree rotation is equivalent to
  173364. * 1. Transposing the image;
  173365. * 2. Horizontal mirroring.
  173366. * These two steps are merged into a single processing routine.
  173367. */
  173368. {
  173369. JDIMENSION MCU_cols, comp_width, dst_blk_x, dst_blk_y;
  173370. int ci, i, j, offset_x, offset_y;
  173371. JBLOCKARRAY src_buffer, dst_buffer;
  173372. JCOEFPTR src_ptr, dst_ptr;
  173373. jpeg_component_info *compptr;
  173374. /* Because of the horizontal mirror step, we can't process partial iMCUs
  173375. * at the (output) right edge properly. They just get transposed and
  173376. * not mirrored.
  173377. */
  173378. MCU_cols = dstinfo->image_width / (dstinfo->max_h_samp_factor * DCTSIZE);
  173379. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173380. compptr = dstinfo->comp_info + ci;
  173381. comp_width = MCU_cols * compptr->h_samp_factor;
  173382. for (dst_blk_y = 0; dst_blk_y < compptr->height_in_blocks;
  173383. dst_blk_y += compptr->v_samp_factor) {
  173384. dst_buffer = (*srcinfo->mem->access_virt_barray)
  173385. ((j_common_ptr) srcinfo, dst_coef_arrays[ci], dst_blk_y,
  173386. (JDIMENSION) compptr->v_samp_factor, TRUE);
  173387. for (offset_y = 0; offset_y < compptr->v_samp_factor; offset_y++) {
  173388. for (dst_blk_x = 0; dst_blk_x < compptr->width_in_blocks;
  173389. dst_blk_x += compptr->h_samp_factor) {
  173390. src_buffer = (*srcinfo->mem->access_virt_barray)
  173391. ((j_common_ptr) srcinfo, src_coef_arrays[ci], dst_blk_x,
  173392. (JDIMENSION) compptr->h_samp_factor, FALSE);
  173393. for (offset_x = 0; offset_x < compptr->h_samp_factor; offset_x++) {
  173394. src_ptr = src_buffer[offset_x][dst_blk_y + offset_y];
  173395. if (dst_blk_x < comp_width) {
  173396. /* Block is within the mirrorable area. */
  173397. dst_ptr = dst_buffer[offset_y]
  173398. [comp_width - dst_blk_x - offset_x - 1];
  173399. for (i = 0; i < DCTSIZE; i++) {
  173400. for (j = 0; j < DCTSIZE; j++)
  173401. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173402. i++;
  173403. for (j = 0; j < DCTSIZE; j++)
  173404. dst_ptr[j*DCTSIZE+i] = -src_ptr[i*DCTSIZE+j];
  173405. }
  173406. } else {
  173407. /* Edge blocks are transposed but not mirrored. */
  173408. dst_ptr = dst_buffer[offset_y][dst_blk_x + offset_x];
  173409. for (i = 0; i < DCTSIZE; i++)
  173410. for (j = 0; j < DCTSIZE; j++)
  173411. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173412. }
  173413. }
  173414. }
  173415. }
  173416. }
  173417. }
  173418. }
  173419. LOCAL(void)
  173420. do_rot_270 (j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173421. jvirt_barray_ptr *src_coef_arrays,
  173422. jvirt_barray_ptr *dst_coef_arrays)
  173423. /* 270 degree rotation is equivalent to
  173424. * 1. Horizontal mirroring;
  173425. * 2. Transposing the image.
  173426. * These two steps are merged into a single processing routine.
  173427. */
  173428. {
  173429. JDIMENSION MCU_rows, comp_height, dst_blk_x, dst_blk_y;
  173430. int ci, i, j, offset_x, offset_y;
  173431. JBLOCKARRAY src_buffer, dst_buffer;
  173432. JCOEFPTR src_ptr, dst_ptr;
  173433. jpeg_component_info *compptr;
  173434. /* Because of the horizontal mirror step, we can't process partial iMCUs
  173435. * at the (output) bottom edge properly. They just get transposed and
  173436. * not mirrored.
  173437. */
  173438. MCU_rows = dstinfo->image_height / (dstinfo->max_v_samp_factor * DCTSIZE);
  173439. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173440. compptr = dstinfo->comp_info + ci;
  173441. comp_height = MCU_rows * compptr->v_samp_factor;
  173442. for (dst_blk_y = 0; dst_blk_y < compptr->height_in_blocks;
  173443. dst_blk_y += compptr->v_samp_factor) {
  173444. dst_buffer = (*srcinfo->mem->access_virt_barray)
  173445. ((j_common_ptr) srcinfo, dst_coef_arrays[ci], dst_blk_y,
  173446. (JDIMENSION) compptr->v_samp_factor, TRUE);
  173447. for (offset_y = 0; offset_y < compptr->v_samp_factor; offset_y++) {
  173448. for (dst_blk_x = 0; dst_blk_x < compptr->width_in_blocks;
  173449. dst_blk_x += compptr->h_samp_factor) {
  173450. src_buffer = (*srcinfo->mem->access_virt_barray)
  173451. ((j_common_ptr) srcinfo, src_coef_arrays[ci], dst_blk_x,
  173452. (JDIMENSION) compptr->h_samp_factor, FALSE);
  173453. for (offset_x = 0; offset_x < compptr->h_samp_factor; offset_x++) {
  173454. dst_ptr = dst_buffer[offset_y][dst_blk_x + offset_x];
  173455. if (dst_blk_y < comp_height) {
  173456. /* Block is within the mirrorable area. */
  173457. src_ptr = src_buffer[offset_x]
  173458. [comp_height - dst_blk_y - offset_y - 1];
  173459. for (i = 0; i < DCTSIZE; i++) {
  173460. for (j = 0; j < DCTSIZE; j++) {
  173461. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173462. j++;
  173463. dst_ptr[j*DCTSIZE+i] = -src_ptr[i*DCTSIZE+j];
  173464. }
  173465. }
  173466. } else {
  173467. /* Edge blocks are transposed but not mirrored. */
  173468. src_ptr = src_buffer[offset_x][dst_blk_y + offset_y];
  173469. for (i = 0; i < DCTSIZE; i++)
  173470. for (j = 0; j < DCTSIZE; j++)
  173471. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173472. }
  173473. }
  173474. }
  173475. }
  173476. }
  173477. }
  173478. }
  173479. LOCAL(void)
  173480. do_rot_180 (j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173481. jvirt_barray_ptr *src_coef_arrays,
  173482. jvirt_barray_ptr *dst_coef_arrays)
  173483. /* 180 degree rotation is equivalent to
  173484. * 1. Vertical mirroring;
  173485. * 2. Horizontal mirroring.
  173486. * These two steps are merged into a single processing routine.
  173487. */
  173488. {
  173489. JDIMENSION MCU_cols, MCU_rows, comp_width, comp_height, dst_blk_x, dst_blk_y;
  173490. int ci, i, j, offset_y;
  173491. JBLOCKARRAY src_buffer, dst_buffer;
  173492. JBLOCKROW src_row_ptr, dst_row_ptr;
  173493. JCOEFPTR src_ptr, dst_ptr;
  173494. jpeg_component_info *compptr;
  173495. MCU_cols = dstinfo->image_width / (dstinfo->max_h_samp_factor * DCTSIZE);
  173496. MCU_rows = dstinfo->image_height / (dstinfo->max_v_samp_factor * DCTSIZE);
  173497. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173498. compptr = dstinfo->comp_info + ci;
  173499. comp_width = MCU_cols * compptr->h_samp_factor;
  173500. comp_height = MCU_rows * compptr->v_samp_factor;
  173501. for (dst_blk_y = 0; dst_blk_y < compptr->height_in_blocks;
  173502. dst_blk_y += compptr->v_samp_factor) {
  173503. dst_buffer = (*srcinfo->mem->access_virt_barray)
  173504. ((j_common_ptr) srcinfo, dst_coef_arrays[ci], dst_blk_y,
  173505. (JDIMENSION) compptr->v_samp_factor, TRUE);
  173506. if (dst_blk_y < comp_height) {
  173507. /* Row is within the vertically mirrorable area. */
  173508. src_buffer = (*srcinfo->mem->access_virt_barray)
  173509. ((j_common_ptr) srcinfo, src_coef_arrays[ci],
  173510. comp_height - dst_blk_y - (JDIMENSION) compptr->v_samp_factor,
  173511. (JDIMENSION) compptr->v_samp_factor, FALSE);
  173512. } else {
  173513. /* Bottom-edge rows are only mirrored horizontally. */
  173514. src_buffer = (*srcinfo->mem->access_virt_barray)
  173515. ((j_common_ptr) srcinfo, src_coef_arrays[ci], dst_blk_y,
  173516. (JDIMENSION) compptr->v_samp_factor, FALSE);
  173517. }
  173518. for (offset_y = 0; offset_y < compptr->v_samp_factor; offset_y++) {
  173519. if (dst_blk_y < comp_height) {
  173520. /* Row is within the mirrorable area. */
  173521. dst_row_ptr = dst_buffer[offset_y];
  173522. src_row_ptr = src_buffer[compptr->v_samp_factor - offset_y - 1];
  173523. /* Process the blocks that can be mirrored both ways. */
  173524. for (dst_blk_x = 0; dst_blk_x < comp_width; dst_blk_x++) {
  173525. dst_ptr = dst_row_ptr[dst_blk_x];
  173526. src_ptr = src_row_ptr[comp_width - dst_blk_x - 1];
  173527. for (i = 0; i < DCTSIZE; i += 2) {
  173528. /* For even row, negate every odd column. */
  173529. for (j = 0; j < DCTSIZE; j += 2) {
  173530. *dst_ptr++ = *src_ptr++;
  173531. *dst_ptr++ = - *src_ptr++;
  173532. }
  173533. /* For odd row, negate every even column. */
  173534. for (j = 0; j < DCTSIZE; j += 2) {
  173535. *dst_ptr++ = - *src_ptr++;
  173536. *dst_ptr++ = *src_ptr++;
  173537. }
  173538. }
  173539. }
  173540. /* Any remaining right-edge blocks are only mirrored vertically. */
  173541. for (; dst_blk_x < compptr->width_in_blocks; dst_blk_x++) {
  173542. dst_ptr = dst_row_ptr[dst_blk_x];
  173543. src_ptr = src_row_ptr[dst_blk_x];
  173544. for (i = 0; i < DCTSIZE; i += 2) {
  173545. for (j = 0; j < DCTSIZE; j++)
  173546. *dst_ptr++ = *src_ptr++;
  173547. for (j = 0; j < DCTSIZE; j++)
  173548. *dst_ptr++ = - *src_ptr++;
  173549. }
  173550. }
  173551. } else {
  173552. /* Remaining rows are just mirrored horizontally. */
  173553. dst_row_ptr = dst_buffer[offset_y];
  173554. src_row_ptr = src_buffer[offset_y];
  173555. /* Process the blocks that can be mirrored. */
  173556. for (dst_blk_x = 0; dst_blk_x < comp_width; dst_blk_x++) {
  173557. dst_ptr = dst_row_ptr[dst_blk_x];
  173558. src_ptr = src_row_ptr[comp_width - dst_blk_x - 1];
  173559. for (i = 0; i < DCTSIZE2; i += 2) {
  173560. *dst_ptr++ = *src_ptr++;
  173561. *dst_ptr++ = - *src_ptr++;
  173562. }
  173563. }
  173564. /* Any remaining right-edge blocks are only copied. */
  173565. for (; dst_blk_x < compptr->width_in_blocks; dst_blk_x++) {
  173566. dst_ptr = dst_row_ptr[dst_blk_x];
  173567. src_ptr = src_row_ptr[dst_blk_x];
  173568. for (i = 0; i < DCTSIZE2; i++)
  173569. *dst_ptr++ = *src_ptr++;
  173570. }
  173571. }
  173572. }
  173573. }
  173574. }
  173575. }
  173576. LOCAL(void)
  173577. do_transverse (j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173578. jvirt_barray_ptr *src_coef_arrays,
  173579. jvirt_barray_ptr *dst_coef_arrays)
  173580. /* Transverse transpose is equivalent to
  173581. * 1. 180 degree rotation;
  173582. * 2. Transposition;
  173583. * or
  173584. * 1. Horizontal mirroring;
  173585. * 2. Transposition;
  173586. * 3. Horizontal mirroring.
  173587. * These steps are merged into a single processing routine.
  173588. */
  173589. {
  173590. JDIMENSION MCU_cols, MCU_rows, comp_width, comp_height, dst_blk_x, dst_blk_y;
  173591. int ci, i, j, offset_x, offset_y;
  173592. JBLOCKARRAY src_buffer, dst_buffer;
  173593. JCOEFPTR src_ptr, dst_ptr;
  173594. jpeg_component_info *compptr;
  173595. MCU_cols = dstinfo->image_width / (dstinfo->max_h_samp_factor * DCTSIZE);
  173596. MCU_rows = dstinfo->image_height / (dstinfo->max_v_samp_factor * DCTSIZE);
  173597. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173598. compptr = dstinfo->comp_info + ci;
  173599. comp_width = MCU_cols * compptr->h_samp_factor;
  173600. comp_height = MCU_rows * compptr->v_samp_factor;
  173601. for (dst_blk_y = 0; dst_blk_y < compptr->height_in_blocks;
  173602. dst_blk_y += compptr->v_samp_factor) {
  173603. dst_buffer = (*srcinfo->mem->access_virt_barray)
  173604. ((j_common_ptr) srcinfo, dst_coef_arrays[ci], dst_blk_y,
  173605. (JDIMENSION) compptr->v_samp_factor, TRUE);
  173606. for (offset_y = 0; offset_y < compptr->v_samp_factor; offset_y++) {
  173607. for (dst_blk_x = 0; dst_blk_x < compptr->width_in_blocks;
  173608. dst_blk_x += compptr->h_samp_factor) {
  173609. src_buffer = (*srcinfo->mem->access_virt_barray)
  173610. ((j_common_ptr) srcinfo, src_coef_arrays[ci], dst_blk_x,
  173611. (JDIMENSION) compptr->h_samp_factor, FALSE);
  173612. for (offset_x = 0; offset_x < compptr->h_samp_factor; offset_x++) {
  173613. if (dst_blk_y < comp_height) {
  173614. src_ptr = src_buffer[offset_x]
  173615. [comp_height - dst_blk_y - offset_y - 1];
  173616. if (dst_blk_x < comp_width) {
  173617. /* Block is within the mirrorable area. */
  173618. dst_ptr = dst_buffer[offset_y]
  173619. [comp_width - dst_blk_x - offset_x - 1];
  173620. for (i = 0; i < DCTSIZE; i++) {
  173621. for (j = 0; j < DCTSIZE; j++) {
  173622. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173623. j++;
  173624. dst_ptr[j*DCTSIZE+i] = -src_ptr[i*DCTSIZE+j];
  173625. }
  173626. i++;
  173627. for (j = 0; j < DCTSIZE; j++) {
  173628. dst_ptr[j*DCTSIZE+i] = -src_ptr[i*DCTSIZE+j];
  173629. j++;
  173630. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173631. }
  173632. }
  173633. } else {
  173634. /* Right-edge blocks are mirrored in y only */
  173635. dst_ptr = dst_buffer[offset_y][dst_blk_x + offset_x];
  173636. for (i = 0; i < DCTSIZE; i++) {
  173637. for (j = 0; j < DCTSIZE; j++) {
  173638. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173639. j++;
  173640. dst_ptr[j*DCTSIZE+i] = -src_ptr[i*DCTSIZE+j];
  173641. }
  173642. }
  173643. }
  173644. } else {
  173645. src_ptr = src_buffer[offset_x][dst_blk_y + offset_y];
  173646. if (dst_blk_x < comp_width) {
  173647. /* Bottom-edge blocks are mirrored in x only */
  173648. dst_ptr = dst_buffer[offset_y]
  173649. [comp_width - dst_blk_x - offset_x - 1];
  173650. for (i = 0; i < DCTSIZE; i++) {
  173651. for (j = 0; j < DCTSIZE; j++)
  173652. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173653. i++;
  173654. for (j = 0; j < DCTSIZE; j++)
  173655. dst_ptr[j*DCTSIZE+i] = -src_ptr[i*DCTSIZE+j];
  173656. }
  173657. } else {
  173658. /* At lower right corner, just transpose, no mirroring */
  173659. dst_ptr = dst_buffer[offset_y][dst_blk_x + offset_x];
  173660. for (i = 0; i < DCTSIZE; i++)
  173661. for (j = 0; j < DCTSIZE; j++)
  173662. dst_ptr[j*DCTSIZE+i] = src_ptr[i*DCTSIZE+j];
  173663. }
  173664. }
  173665. }
  173666. }
  173667. }
  173668. }
  173669. }
  173670. }
  173671. /* Request any required workspace.
  173672. *
  173673. * We allocate the workspace virtual arrays from the source decompression
  173674. * object, so that all the arrays (both the original data and the workspace)
  173675. * will be taken into account while making memory management decisions.
  173676. * Hence, this routine must be called after jpeg_read_header (which reads
  173677. * the image dimensions) and before jpeg_read_coefficients (which realizes
  173678. * the source's virtual arrays).
  173679. */
  173680. GLOBAL(void)
  173681. jtransform_request_workspace (j_decompress_ptr srcinfo,
  173682. jpeg_transform_info *info)
  173683. {
  173684. jvirt_barray_ptr *coef_arrays = NULL;
  173685. jpeg_component_info *compptr;
  173686. int ci;
  173687. if (info->force_grayscale &&
  173688. srcinfo->jpeg_color_space == JCS_YCbCr &&
  173689. srcinfo->num_components == 3) {
  173690. /* We'll only process the first component */
  173691. info->num_components = 1;
  173692. } else {
  173693. /* Process all the components */
  173694. info->num_components = srcinfo->num_components;
  173695. }
  173696. switch (info->transform) {
  173697. case JXFORM_NONE:
  173698. case JXFORM_FLIP_H:
  173699. /* Don't need a workspace array */
  173700. break;
  173701. case JXFORM_FLIP_V:
  173702. case JXFORM_ROT_180:
  173703. /* Need workspace arrays having same dimensions as source image.
  173704. * Note that we allocate arrays padded out to the next iMCU boundary,
  173705. * so that transform routines need not worry about missing edge blocks.
  173706. */
  173707. coef_arrays = (jvirt_barray_ptr *)
  173708. (*srcinfo->mem->alloc_small) ((j_common_ptr) srcinfo, JPOOL_IMAGE,
  173709. SIZEOF(jvirt_barray_ptr) * info->num_components);
  173710. for (ci = 0; ci < info->num_components; ci++) {
  173711. compptr = srcinfo->comp_info + ci;
  173712. coef_arrays[ci] = (*srcinfo->mem->request_virt_barray)
  173713. ((j_common_ptr) srcinfo, JPOOL_IMAGE, FALSE,
  173714. (JDIMENSION) jround_up((long) compptr->width_in_blocks,
  173715. (long) compptr->h_samp_factor),
  173716. (JDIMENSION) jround_up((long) compptr->height_in_blocks,
  173717. (long) compptr->v_samp_factor),
  173718. (JDIMENSION) compptr->v_samp_factor);
  173719. }
  173720. break;
  173721. case JXFORM_TRANSPOSE:
  173722. case JXFORM_TRANSVERSE:
  173723. case JXFORM_ROT_90:
  173724. case JXFORM_ROT_270:
  173725. /* Need workspace arrays having transposed dimensions.
  173726. * Note that we allocate arrays padded out to the next iMCU boundary,
  173727. * so that transform routines need not worry about missing edge blocks.
  173728. */
  173729. coef_arrays = (jvirt_barray_ptr *)
  173730. (*srcinfo->mem->alloc_small) ((j_common_ptr) srcinfo, JPOOL_IMAGE,
  173731. SIZEOF(jvirt_barray_ptr) * info->num_components);
  173732. for (ci = 0; ci < info->num_components; ci++) {
  173733. compptr = srcinfo->comp_info + ci;
  173734. coef_arrays[ci] = (*srcinfo->mem->request_virt_barray)
  173735. ((j_common_ptr) srcinfo, JPOOL_IMAGE, FALSE,
  173736. (JDIMENSION) jround_up((long) compptr->height_in_blocks,
  173737. (long) compptr->v_samp_factor),
  173738. (JDIMENSION) jround_up((long) compptr->width_in_blocks,
  173739. (long) compptr->h_samp_factor),
  173740. (JDIMENSION) compptr->h_samp_factor);
  173741. }
  173742. break;
  173743. }
  173744. info->workspace_coef_arrays = coef_arrays;
  173745. }
  173746. /* Transpose destination image parameters */
  173747. LOCAL(void)
  173748. transpose_critical_parameters (j_compress_ptr dstinfo)
  173749. {
  173750. int tblno, i, j, ci, itemp;
  173751. jpeg_component_info *compptr;
  173752. JQUANT_TBL *qtblptr;
  173753. JDIMENSION dtemp;
  173754. UINT16 qtemp;
  173755. /* Transpose basic image dimensions */
  173756. dtemp = dstinfo->image_width;
  173757. dstinfo->image_width = dstinfo->image_height;
  173758. dstinfo->image_height = dtemp;
  173759. /* Transpose sampling factors */
  173760. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173761. compptr = dstinfo->comp_info + ci;
  173762. itemp = compptr->h_samp_factor;
  173763. compptr->h_samp_factor = compptr->v_samp_factor;
  173764. compptr->v_samp_factor = itemp;
  173765. }
  173766. /* Transpose quantization tables */
  173767. for (tblno = 0; tblno < NUM_QUANT_TBLS; tblno++) {
  173768. qtblptr = dstinfo->quant_tbl_ptrs[tblno];
  173769. if (qtblptr != NULL) {
  173770. for (i = 0; i < DCTSIZE; i++) {
  173771. for (j = 0; j < i; j++) {
  173772. qtemp = qtblptr->quantval[i*DCTSIZE+j];
  173773. qtblptr->quantval[i*DCTSIZE+j] = qtblptr->quantval[j*DCTSIZE+i];
  173774. qtblptr->quantval[j*DCTSIZE+i] = qtemp;
  173775. }
  173776. }
  173777. }
  173778. }
  173779. }
  173780. /* Trim off any partial iMCUs on the indicated destination edge */
  173781. LOCAL(void)
  173782. trim_right_edge (j_compress_ptr dstinfo)
  173783. {
  173784. int ci, max_h_samp_factor;
  173785. JDIMENSION MCU_cols;
  173786. /* We have to compute max_h_samp_factor ourselves,
  173787. * because it hasn't been set yet in the destination
  173788. * (and we don't want to use the source's value).
  173789. */
  173790. max_h_samp_factor = 1;
  173791. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173792. int h_samp_factor = dstinfo->comp_info[ci].h_samp_factor;
  173793. max_h_samp_factor = MAX(max_h_samp_factor, h_samp_factor);
  173794. }
  173795. MCU_cols = dstinfo->image_width / (max_h_samp_factor * DCTSIZE);
  173796. if (MCU_cols > 0) /* can't trim to 0 pixels */
  173797. dstinfo->image_width = MCU_cols * (max_h_samp_factor * DCTSIZE);
  173798. }
  173799. LOCAL(void)
  173800. trim_bottom_edge (j_compress_ptr dstinfo)
  173801. {
  173802. int ci, max_v_samp_factor;
  173803. JDIMENSION MCU_rows;
  173804. /* We have to compute max_v_samp_factor ourselves,
  173805. * because it hasn't been set yet in the destination
  173806. * (and we don't want to use the source's value).
  173807. */
  173808. max_v_samp_factor = 1;
  173809. for (ci = 0; ci < dstinfo->num_components; ci++) {
  173810. int v_samp_factor = dstinfo->comp_info[ci].v_samp_factor;
  173811. max_v_samp_factor = MAX(max_v_samp_factor, v_samp_factor);
  173812. }
  173813. MCU_rows = dstinfo->image_height / (max_v_samp_factor * DCTSIZE);
  173814. if (MCU_rows > 0) /* can't trim to 0 pixels */
  173815. dstinfo->image_height = MCU_rows * (max_v_samp_factor * DCTSIZE);
  173816. }
  173817. /* Adjust output image parameters as needed.
  173818. *
  173819. * This must be called after jpeg_copy_critical_parameters()
  173820. * and before jpeg_write_coefficients().
  173821. *
  173822. * The return value is the set of virtual coefficient arrays to be written
  173823. * (either the ones allocated by jtransform_request_workspace, or the
  173824. * original source data arrays). The caller will need to pass this value
  173825. * to jpeg_write_coefficients().
  173826. */
  173827. GLOBAL(jvirt_barray_ptr *)
  173828. jtransform_adjust_parameters (j_decompress_ptr srcinfo,
  173829. j_compress_ptr dstinfo,
  173830. jvirt_barray_ptr *src_coef_arrays,
  173831. jpeg_transform_info *info)
  173832. {
  173833. /* If force-to-grayscale is requested, adjust destination parameters */
  173834. if (info->force_grayscale) {
  173835. /* We use jpeg_set_colorspace to make sure subsidiary settings get fixed
  173836. * properly. Among other things, the target h_samp_factor & v_samp_factor
  173837. * will get set to 1, which typically won't match the source.
  173838. * In fact we do this even if the source is already grayscale; that
  173839. * provides an easy way of coercing a grayscale JPEG with funny sampling
  173840. * factors to the customary 1,1. (Some decoders fail on other factors.)
  173841. */
  173842. if ((dstinfo->jpeg_color_space == JCS_YCbCr &&
  173843. dstinfo->num_components == 3) ||
  173844. (dstinfo->jpeg_color_space == JCS_GRAYSCALE &&
  173845. dstinfo->num_components == 1)) {
  173846. /* We have to preserve the source's quantization table number. */
  173847. int sv_quant_tbl_no = dstinfo->comp_info[0].quant_tbl_no;
  173848. jpeg_set_colorspace(dstinfo, JCS_GRAYSCALE);
  173849. dstinfo->comp_info[0].quant_tbl_no = sv_quant_tbl_no;
  173850. } else {
  173851. /* Sorry, can't do it */
  173852. ERREXIT(dstinfo, JERR_CONVERSION_NOTIMPL);
  173853. }
  173854. }
  173855. /* Correct the destination's image dimensions etc if necessary */
  173856. switch (info->transform) {
  173857. case JXFORM_NONE:
  173858. /* Nothing to do */
  173859. break;
  173860. case JXFORM_FLIP_H:
  173861. if (info->trim)
  173862. trim_right_edge(dstinfo);
  173863. break;
  173864. case JXFORM_FLIP_V:
  173865. if (info->trim)
  173866. trim_bottom_edge(dstinfo);
  173867. break;
  173868. case JXFORM_TRANSPOSE:
  173869. transpose_critical_parameters(dstinfo);
  173870. /* transpose does NOT have to trim anything */
  173871. break;
  173872. case JXFORM_TRANSVERSE:
  173873. transpose_critical_parameters(dstinfo);
  173874. if (info->trim) {
  173875. trim_right_edge(dstinfo);
  173876. trim_bottom_edge(dstinfo);
  173877. }
  173878. break;
  173879. case JXFORM_ROT_90:
  173880. transpose_critical_parameters(dstinfo);
  173881. if (info->trim)
  173882. trim_right_edge(dstinfo);
  173883. break;
  173884. case JXFORM_ROT_180:
  173885. if (info->trim) {
  173886. trim_right_edge(dstinfo);
  173887. trim_bottom_edge(dstinfo);
  173888. }
  173889. break;
  173890. case JXFORM_ROT_270:
  173891. transpose_critical_parameters(dstinfo);
  173892. if (info->trim)
  173893. trim_bottom_edge(dstinfo);
  173894. break;
  173895. }
  173896. /* Return the appropriate output data set */
  173897. if (info->workspace_coef_arrays != NULL)
  173898. return info->workspace_coef_arrays;
  173899. return src_coef_arrays;
  173900. }
  173901. /* Execute the actual transformation, if any.
  173902. *
  173903. * This must be called *after* jpeg_write_coefficients, because it depends
  173904. * on jpeg_write_coefficients to have computed subsidiary values such as
  173905. * the per-component width and height fields in the destination object.
  173906. *
  173907. * Note that some transformations will modify the source data arrays!
  173908. */
  173909. GLOBAL(void)
  173910. jtransform_execute_transformation (j_decompress_ptr srcinfo,
  173911. j_compress_ptr dstinfo,
  173912. jvirt_barray_ptr *src_coef_arrays,
  173913. jpeg_transform_info *info)
  173914. {
  173915. jvirt_barray_ptr *dst_coef_arrays = info->workspace_coef_arrays;
  173916. switch (info->transform) {
  173917. case JXFORM_NONE:
  173918. break;
  173919. case JXFORM_FLIP_H:
  173920. do_flip_h(srcinfo, dstinfo, src_coef_arrays);
  173921. break;
  173922. case JXFORM_FLIP_V:
  173923. do_flip_v(srcinfo, dstinfo, src_coef_arrays, dst_coef_arrays);
  173924. break;
  173925. case JXFORM_TRANSPOSE:
  173926. do_transpose(srcinfo, dstinfo, src_coef_arrays, dst_coef_arrays);
  173927. break;
  173928. case JXFORM_TRANSVERSE:
  173929. do_transverse(srcinfo, dstinfo, src_coef_arrays, dst_coef_arrays);
  173930. break;
  173931. case JXFORM_ROT_90:
  173932. do_rot_90(srcinfo, dstinfo, src_coef_arrays, dst_coef_arrays);
  173933. break;
  173934. case JXFORM_ROT_180:
  173935. do_rot_180(srcinfo, dstinfo, src_coef_arrays, dst_coef_arrays);
  173936. break;
  173937. case JXFORM_ROT_270:
  173938. do_rot_270(srcinfo, dstinfo, src_coef_arrays, dst_coef_arrays);
  173939. break;
  173940. }
  173941. }
  173942. #endif /* TRANSFORMS_SUPPORTED */
  173943. /* Setup decompression object to save desired markers in memory.
  173944. * This must be called before jpeg_read_header() to have the desired effect.
  173945. */
  173946. GLOBAL(void)
  173947. jcopy_markers_setup (j_decompress_ptr srcinfo, JCOPY_OPTION option)
  173948. {
  173949. #ifdef SAVE_MARKERS_SUPPORTED
  173950. int m;
  173951. /* Save comments except under NONE option */
  173952. if (option != JCOPYOPT_NONE) {
  173953. jpeg_save_markers(srcinfo, JPEG_COM, 0xFFFF);
  173954. }
  173955. /* Save all types of APPn markers iff ALL option */
  173956. if (option == JCOPYOPT_ALL) {
  173957. for (m = 0; m < 16; m++)
  173958. jpeg_save_markers(srcinfo, JPEG_APP0 + m, 0xFFFF);
  173959. }
  173960. #endif /* SAVE_MARKERS_SUPPORTED */
  173961. }
  173962. /* Copy markers saved in the given source object to the destination object.
  173963. * This should be called just after jpeg_start_compress() or
  173964. * jpeg_write_coefficients().
  173965. * Note that those routines will have written the SOI, and also the
  173966. * JFIF APP0 or Adobe APP14 markers if selected.
  173967. */
  173968. GLOBAL(void)
  173969. jcopy_markers_execute (j_decompress_ptr srcinfo, j_compress_ptr dstinfo,
  173970. JCOPY_OPTION option)
  173971. {
  173972. jpeg_saved_marker_ptr marker;
  173973. /* In the current implementation, we don't actually need to examine the
  173974. * option flag here; we just copy everything that got saved.
  173975. * But to avoid confusion, we do not output JFIF and Adobe APP14 markers
  173976. * if the encoder library already wrote one.
  173977. */
  173978. for (marker = srcinfo->marker_list; marker != NULL; marker = marker->next) {
  173979. if (dstinfo->write_JFIF_header &&
  173980. marker->marker == JPEG_APP0 &&
  173981. marker->data_length >= 5 &&
  173982. GETJOCTET(marker->data[0]) == 0x4A &&
  173983. GETJOCTET(marker->data[1]) == 0x46 &&
  173984. GETJOCTET(marker->data[2]) == 0x49 &&
  173985. GETJOCTET(marker->data[3]) == 0x46 &&
  173986. GETJOCTET(marker->data[4]) == 0)
  173987. continue; /* reject duplicate JFIF */
  173988. if (dstinfo->write_Adobe_marker &&
  173989. marker->marker == JPEG_APP0+14 &&
  173990. marker->data_length >= 5 &&
  173991. GETJOCTET(marker->data[0]) == 0x41 &&
  173992. GETJOCTET(marker->data[1]) == 0x64 &&
  173993. GETJOCTET(marker->data[2]) == 0x6F &&
  173994. GETJOCTET(marker->data[3]) == 0x62 &&
  173995. GETJOCTET(marker->data[4]) == 0x65)
  173996. continue; /* reject duplicate Adobe */
  173997. #ifdef NEED_FAR_POINTERS
  173998. /* We could use jpeg_write_marker if the data weren't FAR... */
  173999. {
  174000. unsigned int i;
  174001. jpeg_write_m_header(dstinfo, marker->marker, marker->data_length);
  174002. for (i = 0; i < marker->data_length; i++)
  174003. jpeg_write_m_byte(dstinfo, marker->data[i]);
  174004. }
  174005. #else
  174006. jpeg_write_marker(dstinfo, marker->marker,
  174007. marker->data, marker->data_length);
  174008. #endif
  174009. }
  174010. }
  174011. /********* End of inlined file: transupp.c *********/
  174012. }
  174013. }
  174014. #if JUCE_MSVC
  174015. #pragma warning (pop)
  174016. #endif
  174017. BEGIN_JUCE_NAMESPACE
  174018. using namespace jpeglibNamespace;
  174019. struct JPEGDecodingFailure {};
  174020. static void fatalErrorHandler (j_common_ptr)
  174021. {
  174022. throw JPEGDecodingFailure();
  174023. }
  174024. static void silentErrorCallback1 (j_common_ptr) {}
  174025. static void silentErrorCallback2 (j_common_ptr, int) {}
  174026. static void silentErrorCallback3 (j_common_ptr, char*) {}
  174027. static void setupSilentErrorHandler (struct jpeg_error_mgr& err)
  174028. {
  174029. zerostruct (err);
  174030. err.error_exit = fatalErrorHandler;
  174031. err.emit_message = silentErrorCallback2;
  174032. err.output_message = silentErrorCallback1;
  174033. err.format_message = silentErrorCallback3;
  174034. err.reset_error_mgr = silentErrorCallback1;
  174035. }
  174036. static void dummyCallback1 (j_decompress_ptr) throw()
  174037. {
  174038. }
  174039. static void jpegSkip (j_decompress_ptr decompStruct, long num) throw()
  174040. {
  174041. decompStruct->src->next_input_byte += num;
  174042. num = jmin (num, (int) decompStruct->src->bytes_in_buffer);
  174043. decompStruct->src->bytes_in_buffer -= num;
  174044. }
  174045. static boolean jpegFill (j_decompress_ptr) throw()
  174046. {
  174047. return 0;
  174048. }
  174049. Image* juce_loadJPEGImageFromStream (InputStream& in) throw()
  174050. {
  174051. MemoryBlock mb;
  174052. in.readIntoMemoryBlock (mb);
  174053. Image* image = 0;
  174054. if (mb.getSize() > 16)
  174055. {
  174056. struct jpeg_decompress_struct jpegDecompStruct;
  174057. struct jpeg_error_mgr jerr;
  174058. setupSilentErrorHandler (jerr);
  174059. jpegDecompStruct.err = &jerr;
  174060. jpeg_create_decompress (&jpegDecompStruct);
  174061. jpegDecompStruct.src = (jpeg_source_mgr*)(jpegDecompStruct.mem->alloc_small)
  174062. ((j_common_ptr)(&jpegDecompStruct), JPOOL_PERMANENT, sizeof (jpeg_source_mgr));
  174063. jpegDecompStruct.src->init_source = dummyCallback1;
  174064. jpegDecompStruct.src->fill_input_buffer = jpegFill;
  174065. jpegDecompStruct.src->skip_input_data = jpegSkip;
  174066. jpegDecompStruct.src->resync_to_restart = jpeg_resync_to_restart;
  174067. jpegDecompStruct.src->term_source = dummyCallback1;
  174068. jpegDecompStruct.src->next_input_byte = (const unsigned char*) mb.getData();
  174069. jpegDecompStruct.src->bytes_in_buffer = mb.getSize();
  174070. try
  174071. {
  174072. jpeg_read_header (&jpegDecompStruct, TRUE);
  174073. jpeg_calc_output_dimensions (&jpegDecompStruct);
  174074. const int width = jpegDecompStruct.output_width;
  174075. const int height = jpegDecompStruct.output_height;
  174076. jpegDecompStruct.out_color_space = JCS_RGB;
  174077. JSAMPARRAY buffer
  174078. = (*jpegDecompStruct.mem->alloc_sarray) ((j_common_ptr) &jpegDecompStruct,
  174079. JPOOL_IMAGE,
  174080. width * 3, 1);
  174081. if (jpeg_start_decompress (&jpegDecompStruct))
  174082. {
  174083. image = new Image (Image::RGB, width, height, false);
  174084. for (int y = 0; y < height; ++y)
  174085. {
  174086. jpeg_read_scanlines (&jpegDecompStruct, buffer, 1);
  174087. int stride, pixelStride;
  174088. uint8* pixels = image->lockPixelDataReadWrite (0, y, width, 1, stride, pixelStride);
  174089. const uint8* src = *buffer;
  174090. uint8* dest = pixels;
  174091. for (int i = width; --i >= 0;)
  174092. {
  174093. ((PixelRGB*) dest)->setARGB (0, src[0], src[1], src[2]);
  174094. dest += pixelStride;
  174095. src += 3;
  174096. }
  174097. image->releasePixelDataReadWrite (pixels);
  174098. }
  174099. jpeg_finish_decompress (&jpegDecompStruct);
  174100. }
  174101. jpeg_destroy_decompress (&jpegDecompStruct);
  174102. }
  174103. catch (...)
  174104. {}
  174105. }
  174106. return image;
  174107. }
  174108. static const int bufferSize = 512;
  174109. struct JuceJpegDest : public jpeg_destination_mgr
  174110. {
  174111. OutputStream* output;
  174112. char* buffer;
  174113. };
  174114. static void jpegWriteInit (j_compress_ptr) throw()
  174115. {
  174116. }
  174117. static void jpegWriteTerminate (j_compress_ptr cinfo) throw()
  174118. {
  174119. JuceJpegDest* const dest = (JuceJpegDest*) cinfo->dest;
  174120. const int numToWrite = bufferSize - dest->free_in_buffer;
  174121. dest->output->write (dest->buffer, numToWrite);
  174122. }
  174123. static boolean jpegWriteFlush (j_compress_ptr cinfo) throw()
  174124. {
  174125. JuceJpegDest* const dest = (JuceJpegDest*) cinfo->dest;
  174126. const int numToWrite = bufferSize;
  174127. dest->next_output_byte = (JOCTET*) dest->buffer;
  174128. dest->free_in_buffer = bufferSize;
  174129. return dest->output->write (dest->buffer, numToWrite);
  174130. }
  174131. bool juce_writeJPEGImageToStream (const Image& image,
  174132. OutputStream& out,
  174133. float quality) throw()
  174134. {
  174135. if (image.hasAlphaChannel())
  174136. {
  174137. // this method could fill the background in white and still save the image..
  174138. jassertfalse
  174139. return true;
  174140. }
  174141. struct jpeg_compress_struct jpegCompStruct;
  174142. struct jpeg_error_mgr jerr;
  174143. setupSilentErrorHandler (jerr);
  174144. jpegCompStruct.err = &jerr;
  174145. jpeg_create_compress (&jpegCompStruct);
  174146. JuceJpegDest dest;
  174147. jpegCompStruct.dest = &dest;
  174148. dest.output = &out;
  174149. dest.buffer = (char*) juce_malloc (bufferSize);
  174150. dest.next_output_byte = (JOCTET*) dest.buffer;
  174151. dest.free_in_buffer = bufferSize;
  174152. dest.init_destination = jpegWriteInit;
  174153. dest.empty_output_buffer = jpegWriteFlush;
  174154. dest.term_destination = jpegWriteTerminate;
  174155. jpegCompStruct.image_width = image.getWidth();
  174156. jpegCompStruct.image_height = image.getHeight();
  174157. jpegCompStruct.input_components = 3;
  174158. jpegCompStruct.in_color_space = JCS_RGB;
  174159. jpegCompStruct.write_JFIF_header = 1;
  174160. jpegCompStruct.X_density = 72;
  174161. jpegCompStruct.Y_density = 72;
  174162. jpeg_set_defaults (&jpegCompStruct);
  174163. jpegCompStruct.dct_method = JDCT_FLOAT;
  174164. jpegCompStruct.optimize_coding = 1;
  174165. // jpegCompStruct.smoothing_factor = 10;
  174166. if (quality < 0.0f)
  174167. quality = 6.0f;
  174168. jpeg_set_quality (&jpegCompStruct, jlimit (0, 100, roundFloatToInt (quality * 100.0f)), TRUE);
  174169. jpeg_start_compress (&jpegCompStruct, TRUE);
  174170. const int strideBytes = jpegCompStruct.image_width * jpegCompStruct.input_components;
  174171. JSAMPARRAY buffer = (*jpegCompStruct.mem->alloc_sarray) ((j_common_ptr) &jpegCompStruct,
  174172. JPOOL_IMAGE,
  174173. strideBytes, 1);
  174174. while (jpegCompStruct.next_scanline < jpegCompStruct.image_height)
  174175. {
  174176. int stride, pixelStride;
  174177. const uint8* pixels = image.lockPixelDataReadOnly (0, jpegCompStruct.next_scanline, jpegCompStruct.image_width, 1, stride, pixelStride);
  174178. const uint8* src = pixels;
  174179. uint8* dst = *buffer;
  174180. for (int i = jpegCompStruct.image_width; --i >= 0;)
  174181. {
  174182. *dst++ = ((const PixelRGB*) src)->getRed();
  174183. *dst++ = ((const PixelRGB*) src)->getGreen();
  174184. *dst++ = ((const PixelRGB*) src)->getBlue();
  174185. src += pixelStride;
  174186. }
  174187. jpeg_write_scanlines (&jpegCompStruct, buffer, 1);
  174188. image.releasePixelDataReadOnly (pixels);
  174189. }
  174190. jpeg_finish_compress (&jpegCompStruct);
  174191. jpeg_destroy_compress (&jpegCompStruct);
  174192. juce_free (dest.buffer);
  174193. out.flush();
  174194. return true;
  174195. }
  174196. END_JUCE_NAMESPACE
  174197. /********* End of inlined file: juce_JPEGLoader.cpp *********/
  174198. /********* Start of inlined file: juce_PNGLoader.cpp *********/
  174199. #ifdef _MSC_VER
  174200. #pragma warning (push)
  174201. #pragma warning (disable: 4390 4611)
  174202. #endif
  174203. namespace zlibNamespace
  174204. {
  174205. #undef OS_CODE
  174206. #undef fdopen
  174207. #undef OS_CODE
  174208. }
  174209. namespace pnglibNamespace
  174210. {
  174211. using namespace zlibNamespace;
  174212. using ::malloc;
  174213. using ::free;
  174214. extern "C"
  174215. {
  174216. using ::abs;
  174217. #define PNG_INTERNAL
  174218. #define NO_DUMMY_DECL
  174219. #define PNG_SETJMP_NOT_SUPPORTED
  174220. /********* Start of inlined file: png.h *********/
  174221. /* png.h - header file for PNG reference library
  174222. *
  174223. * libpng version 1.2.21 - October 4, 2007
  174224. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  174225. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  174226. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  174227. *
  174228. * Authors and maintainers:
  174229. * libpng versions 0.71, May 1995, through 0.88, January 1996: Guy Schalnat
  174230. * libpng versions 0.89c, June 1996, through 0.96, May 1997: Andreas Dilger
  174231. * libpng versions 0.97, January 1998, through 1.2.21 - October 4, 2007: Glenn
  174232. * See also "Contributing Authors", below.
  174233. *
  174234. * Note about libpng version numbers:
  174235. *
  174236. * Due to various miscommunications, unforeseen code incompatibilities
  174237. * and occasional factors outside the authors' control, version numbering
  174238. * on the library has not always been consistent and straightforward.
  174239. * The following table summarizes matters since version 0.89c, which was
  174240. * the first widely used release:
  174241. *
  174242. * source png.h png.h shared-lib
  174243. * version string int version
  174244. * ------- ------ ----- ----------
  174245. * 0.89c "1.0 beta 3" 0.89 89 1.0.89
  174246. * 0.90 "1.0 beta 4" 0.90 90 0.90 [should have been 2.0.90]
  174247. * 0.95 "1.0 beta 5" 0.95 95 0.95 [should have been 2.0.95]
  174248. * 0.96 "1.0 beta 6" 0.96 96 0.96 [should have been 2.0.96]
  174249. * 0.97b "1.00.97 beta 7" 1.00.97 97 1.0.1 [should have been 2.0.97]
  174250. * 0.97c 0.97 97 2.0.97
  174251. * 0.98 0.98 98 2.0.98
  174252. * 0.99 0.99 98 2.0.99
  174253. * 0.99a-m 0.99 99 2.0.99
  174254. * 1.00 1.00 100 2.1.0 [100 should be 10000]
  174255. * 1.0.0 (from here on, the 100 2.1.0 [100 should be 10000]
  174256. * 1.0.1 png.h string is 10001 2.1.0
  174257. * 1.0.1a-e identical to the 10002 from here on, the shared library
  174258. * 1.0.2 source version) 10002 is 2.V where V is the source code
  174259. * 1.0.2a-b 10003 version, except as noted.
  174260. * 1.0.3 10003
  174261. * 1.0.3a-d 10004
  174262. * 1.0.4 10004
  174263. * 1.0.4a-f 10005
  174264. * 1.0.5 (+ 2 patches) 10005
  174265. * 1.0.5a-d 10006
  174266. * 1.0.5e-r 10100 (not source compatible)
  174267. * 1.0.5s-v 10006 (not binary compatible)
  174268. * 1.0.6 (+ 3 patches) 10006 (still binary incompatible)
  174269. * 1.0.6d-f 10007 (still binary incompatible)
  174270. * 1.0.6g 10007
  174271. * 1.0.6h 10007 10.6h (testing xy.z so-numbering)
  174272. * 1.0.6i 10007 10.6i
  174273. * 1.0.6j 10007 2.1.0.6j (incompatible with 1.0.0)
  174274. * 1.0.7beta11-14 DLLNUM 10007 2.1.0.7beta11-14 (binary compatible)
  174275. * 1.0.7beta15-18 1 10007 2.1.0.7beta15-18 (binary compatible)
  174276. * 1.0.7rc1-2 1 10007 2.1.0.7rc1-2 (binary compatible)
  174277. * 1.0.7 1 10007 (still compatible)
  174278. * 1.0.8beta1-4 1 10008 2.1.0.8beta1-4
  174279. * 1.0.8rc1 1 10008 2.1.0.8rc1
  174280. * 1.0.8 1 10008 2.1.0.8
  174281. * 1.0.9beta1-6 1 10009 2.1.0.9beta1-6
  174282. * 1.0.9rc1 1 10009 2.1.0.9rc1
  174283. * 1.0.9beta7-10 1 10009 2.1.0.9beta7-10
  174284. * 1.0.9rc2 1 10009 2.1.0.9rc2
  174285. * 1.0.9 1 10009 2.1.0.9
  174286. * 1.0.10beta1 1 10010 2.1.0.10beta1
  174287. * 1.0.10rc1 1 10010 2.1.0.10rc1
  174288. * 1.0.10 1 10010 2.1.0.10
  174289. * 1.0.11beta1-3 1 10011 2.1.0.11beta1-3
  174290. * 1.0.11rc1 1 10011 2.1.0.11rc1
  174291. * 1.0.11 1 10011 2.1.0.11
  174292. * 1.0.12beta1-2 2 10012 2.1.0.12beta1-2
  174293. * 1.0.12rc1 2 10012 2.1.0.12rc1
  174294. * 1.0.12 2 10012 2.1.0.12
  174295. * 1.1.0a-f - 10100 2.1.1.0a-f (branch abandoned)
  174296. * 1.2.0beta1-2 2 10200 2.1.2.0beta1-2
  174297. * 1.2.0beta3-5 3 10200 3.1.2.0beta3-5
  174298. * 1.2.0rc1 3 10200 3.1.2.0rc1
  174299. * 1.2.0 3 10200 3.1.2.0
  174300. * 1.2.1beta1-4 3 10201 3.1.2.1beta1-4
  174301. * 1.2.1rc1-2 3 10201 3.1.2.1rc1-2
  174302. * 1.2.1 3 10201 3.1.2.1
  174303. * 1.2.2beta1-6 12 10202 12.so.0.1.2.2beta1-6
  174304. * 1.0.13beta1 10 10013 10.so.0.1.0.13beta1
  174305. * 1.0.13rc1 10 10013 10.so.0.1.0.13rc1
  174306. * 1.2.2rc1 12 10202 12.so.0.1.2.2rc1
  174307. * 1.0.13 10 10013 10.so.0.1.0.13
  174308. * 1.2.2 12 10202 12.so.0.1.2.2
  174309. * 1.2.3rc1-6 12 10203 12.so.0.1.2.3rc1-6
  174310. * 1.2.3 12 10203 12.so.0.1.2.3
  174311. * 1.2.4beta1-3 13 10204 12.so.0.1.2.4beta1-3
  174312. * 1.0.14rc1 13 10014 10.so.0.1.0.14rc1
  174313. * 1.2.4rc1 13 10204 12.so.0.1.2.4rc1
  174314. * 1.0.14 10 10014 10.so.0.1.0.14
  174315. * 1.2.4 13 10204 12.so.0.1.2.4
  174316. * 1.2.5beta1-2 13 10205 12.so.0.1.2.5beta1-2
  174317. * 1.0.15rc1-3 10 10015 10.so.0.1.0.15rc1-3
  174318. * 1.2.5rc1-3 13 10205 12.so.0.1.2.5rc1-3
  174319. * 1.0.15 10 10015 10.so.0.1.0.15
  174320. * 1.2.5 13 10205 12.so.0.1.2.5
  174321. * 1.2.6beta1-4 13 10206 12.so.0.1.2.6beta1-4
  174322. * 1.0.16 10 10016 10.so.0.1.0.16
  174323. * 1.2.6 13 10206 12.so.0.1.2.6
  174324. * 1.2.7beta1-2 13 10207 12.so.0.1.2.7beta1-2
  174325. * 1.0.17rc1 10 10017 10.so.0.1.0.17rc1
  174326. * 1.2.7rc1 13 10207 12.so.0.1.2.7rc1
  174327. * 1.0.17 10 10017 10.so.0.1.0.17
  174328. * 1.2.7 13 10207 12.so.0.1.2.7
  174329. * 1.2.8beta1-5 13 10208 12.so.0.1.2.8beta1-5
  174330. * 1.0.18rc1-5 10 10018 10.so.0.1.0.18rc1-5
  174331. * 1.2.8rc1-5 13 10208 12.so.0.1.2.8rc1-5
  174332. * 1.0.18 10 10018 10.so.0.1.0.18
  174333. * 1.2.8 13 10208 12.so.0.1.2.8
  174334. * 1.2.9beta1-3 13 10209 12.so.0.1.2.9beta1-3
  174335. * 1.2.9beta4-11 13 10209 12.so.0.9[.0]
  174336. * 1.2.9rc1 13 10209 12.so.0.9[.0]
  174337. * 1.2.9 13 10209 12.so.0.9[.0]
  174338. * 1.2.10beta1-8 13 10210 12.so.0.10[.0]
  174339. * 1.2.10rc1-3 13 10210 12.so.0.10[.0]
  174340. * 1.2.10 13 10210 12.so.0.10[.0]
  174341. * 1.2.11beta1-4 13 10211 12.so.0.11[.0]
  174342. * 1.0.19rc1-5 10 10019 10.so.0.19[.0]
  174343. * 1.2.11rc1-5 13 10211 12.so.0.11[.0]
  174344. * 1.0.19 10 10019 10.so.0.19[.0]
  174345. * 1.2.11 13 10211 12.so.0.11[.0]
  174346. * 1.0.20 10 10020 10.so.0.20[.0]
  174347. * 1.2.12 13 10212 12.so.0.12[.0]
  174348. * 1.2.13beta1 13 10213 12.so.0.13[.0]
  174349. * 1.0.21 10 10021 10.so.0.21[.0]
  174350. * 1.2.13 13 10213 12.so.0.13[.0]
  174351. * 1.2.14beta1-2 13 10214 12.so.0.14[.0]
  174352. * 1.0.22rc1 10 10022 10.so.0.22[.0]
  174353. * 1.2.14rc1 13 10214 12.so.0.14[.0]
  174354. * 1.0.22 10 10022 10.so.0.22[.0]
  174355. * 1.2.14 13 10214 12.so.0.14[.0]
  174356. * 1.2.15beta1-6 13 10215 12.so.0.15[.0]
  174357. * 1.0.23rc1-5 10 10023 10.so.0.23[.0]
  174358. * 1.2.15rc1-5 13 10215 12.so.0.15[.0]
  174359. * 1.0.23 10 10023 10.so.0.23[.0]
  174360. * 1.2.15 13 10215 12.so.0.15[.0]
  174361. * 1.2.16beta1-2 13 10216 12.so.0.16[.0]
  174362. * 1.2.16rc1 13 10216 12.so.0.16[.0]
  174363. * 1.0.24 10 10024 10.so.0.24[.0]
  174364. * 1.2.16 13 10216 12.so.0.16[.0]
  174365. * 1.2.17beta1-2 13 10217 12.so.0.17[.0]
  174366. * 1.0.25rc1 10 10025 10.so.0.25[.0]
  174367. * 1.2.17rc1-3 13 10217 12.so.0.17[.0]
  174368. * 1.0.25 10 10025 10.so.0.25[.0]
  174369. * 1.2.17 13 10217 12.so.0.17[.0]
  174370. * 1.0.26 10 10026 10.so.0.26[.0]
  174371. * 1.2.18 13 10218 12.so.0.18[.0]
  174372. * 1.2.19beta1-31 13 10219 12.so.0.19[.0]
  174373. * 1.0.27rc1-6 10 10027 10.so.0.27[.0]
  174374. * 1.2.19rc1-6 13 10219 12.so.0.19[.0]
  174375. * 1.0.27 10 10027 10.so.0.27[.0]
  174376. * 1.2.19 13 10219 12.so.0.19[.0]
  174377. * 1.2.20beta01-04 13 10220 12.so.0.20[.0]
  174378. * 1.0.28rc1-6 10 10028 10.so.0.28[.0]
  174379. * 1.2.20rc1-6 13 10220 12.so.0.20[.0]
  174380. * 1.0.28 10 10028 10.so.0.28[.0]
  174381. * 1.2.20 13 10220 12.so.0.20[.0]
  174382. * 1.2.21beta1-2 13 10221 12.so.0.21[.0]
  174383. * 1.2.21rc1-3 13 10221 12.so.0.21[.0]
  174384. * 1.0.29 10 10029 10.so.0.29[.0]
  174385. * 1.2.21 13 10221 12.so.0.21[.0]
  174386. *
  174387. * Henceforth the source version will match the shared-library major
  174388. * and minor numbers; the shared-library major version number will be
  174389. * used for changes in backward compatibility, as it is intended. The
  174390. * PNG_LIBPNG_VER macro, which is not used within libpng but is available
  174391. * for applications, is an unsigned integer of the form xyyzz corresponding
  174392. * to the source version x.y.z (leading zeros in y and z). Beta versions
  174393. * were given the previous public release number plus a letter, until
  174394. * version 1.0.6j; from then on they were given the upcoming public
  174395. * release number plus "betaNN" or "rcN".
  174396. *
  174397. * Binary incompatibility exists only when applications make direct access
  174398. * to the info_ptr or png_ptr members through png.h, and the compiled
  174399. * application is loaded with a different version of the library.
  174400. *
  174401. * DLLNUM will change each time there are forward or backward changes
  174402. * in binary compatibility (e.g., when a new feature is added).
  174403. *
  174404. * See libpng.txt or libpng.3 for more information. The PNG specification
  174405. * is available as a W3C Recommendation and as an ISO Specification,
  174406. * <http://www.w3.org/TR/2003/REC-PNG-20031110/
  174407. */
  174408. /*
  174409. * COPYRIGHT NOTICE, DISCLAIMER, and LICENSE:
  174410. *
  174411. * If you modify libpng you may insert additional notices immediately following
  174412. * this sentence.
  174413. *
  174414. * libpng versions 1.2.6, August 15, 2004, through 1.2.21, October 4, 2007, are
  174415. * Copyright (c) 2004, 2006-2007 Glenn Randers-Pehrson, and are
  174416. * distributed according to the same disclaimer and license as libpng-1.2.5
  174417. * with the following individual added to the list of Contributing Authors:
  174418. *
  174419. * Cosmin Truta
  174420. *
  174421. * libpng versions 1.0.7, July 1, 2000, through 1.2.5, October 3, 2002, are
  174422. * Copyright (c) 2000-2002 Glenn Randers-Pehrson, and are
  174423. * distributed according to the same disclaimer and license as libpng-1.0.6
  174424. * with the following individuals added to the list of Contributing Authors:
  174425. *
  174426. * Simon-Pierre Cadieux
  174427. * Eric S. Raymond
  174428. * Gilles Vollant
  174429. *
  174430. * and with the following additions to the disclaimer:
  174431. *
  174432. * There is no warranty against interference with your enjoyment of the
  174433. * library or against infringement. There is no warranty that our
  174434. * efforts or the library will fulfill any of your particular purposes
  174435. * or needs. This library is provided with all faults, and the entire
  174436. * risk of satisfactory quality, performance, accuracy, and effort is with
  174437. * the user.
  174438. *
  174439. * libpng versions 0.97, January 1998, through 1.0.6, March 20, 2000, are
  174440. * Copyright (c) 1998, 1999, 2000 Glenn Randers-Pehrson, and are
  174441. * distributed according to the same disclaimer and license as libpng-0.96,
  174442. * with the following individuals added to the list of Contributing Authors:
  174443. *
  174444. * Tom Lane
  174445. * Glenn Randers-Pehrson
  174446. * Willem van Schaik
  174447. *
  174448. * libpng versions 0.89, June 1996, through 0.96, May 1997, are
  174449. * Copyright (c) 1996, 1997 Andreas Dilger
  174450. * Distributed according to the same disclaimer and license as libpng-0.88,
  174451. * with the following individuals added to the list of Contributing Authors:
  174452. *
  174453. * John Bowler
  174454. * Kevin Bracey
  174455. * Sam Bushell
  174456. * Magnus Holmgren
  174457. * Greg Roelofs
  174458. * Tom Tanner
  174459. *
  174460. * libpng versions 0.5, May 1995, through 0.88, January 1996, are
  174461. * Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.
  174462. *
  174463. * For the purposes of this copyright and license, "Contributing Authors"
  174464. * is defined as the following set of individuals:
  174465. *
  174466. * Andreas Dilger
  174467. * Dave Martindale
  174468. * Guy Eric Schalnat
  174469. * Paul Schmidt
  174470. * Tim Wegner
  174471. *
  174472. * The PNG Reference Library is supplied "AS IS". The Contributing Authors
  174473. * and Group 42, Inc. disclaim all warranties, expressed or implied,
  174474. * including, without limitation, the warranties of merchantability and of
  174475. * fitness for any purpose. The Contributing Authors and Group 42, Inc.
  174476. * assume no liability for direct, indirect, incidental, special, exemplary,
  174477. * or consequential damages, which may result from the use of the PNG
  174478. * Reference Library, even if advised of the possibility of such damage.
  174479. *
  174480. * Permission is hereby granted to use, copy, modify, and distribute this
  174481. * source code, or portions hereof, for any purpose, without fee, subject
  174482. * to the following restrictions:
  174483. *
  174484. * 1. The origin of this source code must not be misrepresented.
  174485. *
  174486. * 2. Altered versions must be plainly marked as such and
  174487. * must not be misrepresented as being the original source.
  174488. *
  174489. * 3. This Copyright notice may not be removed or altered from
  174490. * any source or altered source distribution.
  174491. *
  174492. * The Contributing Authors and Group 42, Inc. specifically permit, without
  174493. * fee, and encourage the use of this source code as a component to
  174494. * supporting the PNG file format in commercial products. If you use this
  174495. * source code in a product, acknowledgment is not required but would be
  174496. * appreciated.
  174497. */
  174498. /*
  174499. * A "png_get_copyright" function is available, for convenient use in "about"
  174500. * boxes and the like:
  174501. *
  174502. * printf("%s",png_get_copyright(NULL));
  174503. *
  174504. * Also, the PNG logo (in PNG format, of course) is supplied in the
  174505. * files "pngbar.png" and "pngbar.jpg (88x31) and "pngnow.png" (98x31).
  174506. */
  174507. /*
  174508. * Libpng is OSI Certified Open Source Software. OSI Certified is a
  174509. * certification mark of the Open Source Initiative.
  174510. */
  174511. /*
  174512. * The contributing authors would like to thank all those who helped
  174513. * with testing, bug fixes, and patience. This wouldn't have been
  174514. * possible without all of you.
  174515. *
  174516. * Thanks to Frank J. T. Wojcik for helping with the documentation.
  174517. */
  174518. /*
  174519. * Y2K compliance in libpng:
  174520. * =========================
  174521. *
  174522. * October 4, 2007
  174523. *
  174524. * Since the PNG Development group is an ad-hoc body, we can't make
  174525. * an official declaration.
  174526. *
  174527. * This is your unofficial assurance that libpng from version 0.71 and
  174528. * upward through 1.2.21 are Y2K compliant. It is my belief that earlier
  174529. * versions were also Y2K compliant.
  174530. *
  174531. * Libpng only has three year fields. One is a 2-byte unsigned integer
  174532. * that will hold years up to 65535. The other two hold the date in text
  174533. * format, and will hold years up to 9999.
  174534. *
  174535. * The integer is
  174536. * "png_uint_16 year" in png_time_struct.
  174537. *
  174538. * The strings are
  174539. * "png_charp time_buffer" in png_struct and
  174540. * "near_time_buffer", which is a local character string in png.c.
  174541. *
  174542. * There are seven time-related functions:
  174543. * png.c: png_convert_to_rfc_1123() in png.c
  174544. * (formerly png_convert_to_rfc_1152() in error)
  174545. * png_convert_from_struct_tm() in pngwrite.c, called in pngwrite.c
  174546. * png_convert_from_time_t() in pngwrite.c
  174547. * png_get_tIME() in pngget.c
  174548. * png_handle_tIME() in pngrutil.c, called in pngread.c
  174549. * png_set_tIME() in pngset.c
  174550. * png_write_tIME() in pngwutil.c, called in pngwrite.c
  174551. *
  174552. * All handle dates properly in a Y2K environment. The
  174553. * png_convert_from_time_t() function calls gmtime() to convert from system
  174554. * clock time, which returns (year - 1900), which we properly convert to
  174555. * the full 4-digit year. There is a possibility that applications using
  174556. * libpng are not passing 4-digit years into the png_convert_to_rfc_1123()
  174557. * function, or that they are incorrectly passing only a 2-digit year
  174558. * instead of "year - 1900" into the png_convert_from_struct_tm() function,
  174559. * but this is not under our control. The libpng documentation has always
  174560. * stated that it works with 4-digit years, and the APIs have been
  174561. * documented as such.
  174562. *
  174563. * The tIME chunk itself is also Y2K compliant. It uses a 2-byte unsigned
  174564. * integer to hold the year, and can hold years as large as 65535.
  174565. *
  174566. * zlib, upon which libpng depends, is also Y2K compliant. It contains
  174567. * no date-related code.
  174568. *
  174569. * Glenn Randers-Pehrson
  174570. * libpng maintainer
  174571. * PNG Development Group
  174572. */
  174573. #ifndef PNG_H
  174574. #define PNG_H
  174575. /* This is not the place to learn how to use libpng. The file libpng.txt
  174576. * describes how to use libpng, and the file example.c summarizes it
  174577. * with some code on which to build. This file is useful for looking
  174578. * at the actual function definitions and structure components.
  174579. */
  174580. /* Version information for png.h - this should match the version in png.c */
  174581. #define PNG_LIBPNG_VER_STRING "1.2.21"
  174582. #define PNG_HEADER_VERSION_STRING \
  174583. " libpng version 1.2.21 - October 4, 2007\n"
  174584. #define PNG_LIBPNG_VER_SONUM 0
  174585. #define PNG_LIBPNG_VER_DLLNUM 13
  174586. /* These should match the first 3 components of PNG_LIBPNG_VER_STRING: */
  174587. #define PNG_LIBPNG_VER_MAJOR 1
  174588. #define PNG_LIBPNG_VER_MINOR 2
  174589. #define PNG_LIBPNG_VER_RELEASE 21
  174590. /* This should match the numeric part of the final component of
  174591. * PNG_LIBPNG_VER_STRING, omitting any leading zero: */
  174592. #define PNG_LIBPNG_VER_BUILD 0
  174593. /* Release Status */
  174594. #define PNG_LIBPNG_BUILD_ALPHA 1
  174595. #define PNG_LIBPNG_BUILD_BETA 2
  174596. #define PNG_LIBPNG_BUILD_RC 3
  174597. #define PNG_LIBPNG_BUILD_STABLE 4
  174598. #define PNG_LIBPNG_BUILD_RELEASE_STATUS_MASK 7
  174599. /* Release-Specific Flags */
  174600. #define PNG_LIBPNG_BUILD_PATCH 8 /* Can be OR'ed with
  174601. PNG_LIBPNG_BUILD_STABLE only */
  174602. #define PNG_LIBPNG_BUILD_PRIVATE 16 /* Cannot be OR'ed with
  174603. PNG_LIBPNG_BUILD_SPECIAL */
  174604. #define PNG_LIBPNG_BUILD_SPECIAL 32 /* Cannot be OR'ed with
  174605. PNG_LIBPNG_BUILD_PRIVATE */
  174606. #define PNG_LIBPNG_BUILD_BASE_TYPE PNG_LIBPNG_BUILD_STABLE
  174607. /* Careful here. At one time, Guy wanted to use 082, but that would be octal.
  174608. * We must not include leading zeros.
  174609. * Versions 0.7 through 1.0.0 were in the range 0 to 100 here (only
  174610. * version 1.0.0 was mis-numbered 100 instead of 10000). From
  174611. * version 1.0.1 it's xxyyzz, where x=major, y=minor, z=release */
  174612. #define PNG_LIBPNG_VER 10221 /* 1.2.21 */
  174613. #ifndef PNG_VERSION_INFO_ONLY
  174614. /* include the compression library's header */
  174615. #endif
  174616. /* include all user configurable info, including optional assembler routines */
  174617. /********* Start of inlined file: pngconf.h *********/
  174618. /* pngconf.h - machine configurable file for libpng
  174619. *
  174620. * libpng version 1.2.21 - October 4, 2007
  174621. * For conditions of distribution and use, see copyright notice in png.h
  174622. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  174623. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  174624. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  174625. */
  174626. /* Any machine specific code is near the front of this file, so if you
  174627. * are configuring libpng for a machine, you may want to read the section
  174628. * starting here down to where it starts to typedef png_color, png_text,
  174629. * and png_info.
  174630. */
  174631. #ifndef PNGCONF_H
  174632. #define PNGCONF_H
  174633. #define PNG_1_2_X
  174634. // These are some Juce config settings that should remove any unnecessary code bloat..
  174635. #define PNG_NO_STDIO 1
  174636. #define PNG_DEBUG 0
  174637. #define PNG_NO_WARNINGS 1
  174638. #define PNG_NO_ERROR_TEXT 1
  174639. #define PNG_NO_ERROR_NUMBERS 1
  174640. #define PNG_NO_USER_MEM 1
  174641. #define PNG_NO_READ_iCCP 1
  174642. #define PNG_NO_READ_UNKNOWN_CHUNKS 1
  174643. #define PNG_NO_READ_USER_CHUNKS 1
  174644. #define PNG_NO_READ_iTXt 1
  174645. #define PNG_NO_READ_sCAL 1
  174646. #define PNG_NO_READ_sPLT 1
  174647. #define png_error(a, b) png_err(a)
  174648. #define png_warning(a, b)
  174649. #define png_chunk_error(a, b) png_err(a)
  174650. #define png_chunk_warning(a, b)
  174651. /*
  174652. * PNG_USER_CONFIG has to be defined on the compiler command line. This
  174653. * includes the resource compiler for Windows DLL configurations.
  174654. */
  174655. #ifdef PNG_USER_CONFIG
  174656. # ifndef PNG_USER_PRIVATEBUILD
  174657. # define PNG_USER_PRIVATEBUILD
  174658. # endif
  174659. #include "pngusr.h"
  174660. #endif
  174661. /* PNG_CONFIGURE_LIBPNG is set by the "configure" script. */
  174662. #ifdef PNG_CONFIGURE_LIBPNG
  174663. #ifdef HAVE_CONFIG_H
  174664. #include "config.h"
  174665. #endif
  174666. #endif
  174667. /*
  174668. * Added at libpng-1.2.8
  174669. *
  174670. * If you create a private DLL you need to define in "pngusr.h" the followings:
  174671. * #define PNG_USER_PRIVATEBUILD <Describes by whom and why this version of
  174672. * the DLL was built>
  174673. * e.g. #define PNG_USER_PRIVATEBUILD "Build by MyCompany for xyz reasons."
  174674. * #define PNG_USER_DLLFNAME_POSTFIX <two-letter postfix that serve to
  174675. * distinguish your DLL from those of the official release. These
  174676. * correspond to the trailing letters that come after the version
  174677. * number and must match your private DLL name>
  174678. * e.g. // private DLL "libpng13gx.dll"
  174679. * #define PNG_USER_DLLFNAME_POSTFIX "gx"
  174680. *
  174681. * The following macros are also at your disposal if you want to complete the
  174682. * DLL VERSIONINFO structure.
  174683. * - PNG_USER_VERSIONINFO_COMMENTS
  174684. * - PNG_USER_VERSIONINFO_COMPANYNAME
  174685. * - PNG_USER_VERSIONINFO_LEGALTRADEMARKS
  174686. */
  174687. #ifdef __STDC__
  174688. #ifdef SPECIALBUILD
  174689. # pragma message("PNG_LIBPNG_SPECIALBUILD (and deprecated SPECIALBUILD)\
  174690. are now LIBPNG reserved macros. Use PNG_USER_PRIVATEBUILD instead.")
  174691. #endif
  174692. #ifdef PRIVATEBUILD
  174693. # pragma message("PRIVATEBUILD is deprecated.\
  174694. Use PNG_USER_PRIVATEBUILD instead.")
  174695. # define PNG_USER_PRIVATEBUILD PRIVATEBUILD
  174696. #endif
  174697. #endif /* __STDC__ */
  174698. #ifndef PNG_VERSION_INFO_ONLY
  174699. /* End of material added to libpng-1.2.8 */
  174700. /* Added at libpng-1.2.19, removed at libpng-1.2.20 because it caused trouble
  174701. Restored at libpng-1.2.21 */
  174702. # define PNG_WARN_UNINITIALIZED_ROW 1
  174703. /* End of material added at libpng-1.2.19/1.2.21 */
  174704. /* This is the size of the compression buffer, and thus the size of
  174705. * an IDAT chunk. Make this whatever size you feel is best for your
  174706. * machine. One of these will be allocated per png_struct. When this
  174707. * is full, it writes the data to the disk, and does some other
  174708. * calculations. Making this an extremely small size will slow
  174709. * the library down, but you may want to experiment to determine
  174710. * where it becomes significant, if you are concerned with memory
  174711. * usage. Note that zlib allocates at least 32Kb also. For readers,
  174712. * this describes the size of the buffer available to read the data in.
  174713. * Unless this gets smaller than the size of a row (compressed),
  174714. * it should not make much difference how big this is.
  174715. */
  174716. #ifndef PNG_ZBUF_SIZE
  174717. # define PNG_ZBUF_SIZE 8192
  174718. #endif
  174719. /* Enable if you want a write-only libpng */
  174720. #ifndef PNG_NO_READ_SUPPORTED
  174721. # define PNG_READ_SUPPORTED
  174722. #endif
  174723. /* Enable if you want a read-only libpng */
  174724. #ifndef PNG_NO_WRITE_SUPPORTED
  174725. # define PNG_WRITE_SUPPORTED
  174726. #endif
  174727. /* Enabled by default in 1.2.0. You can disable this if you don't need to
  174728. support PNGs that are embedded in MNG datastreams */
  174729. #if !defined(PNG_1_0_X) && !defined(PNG_NO_MNG_FEATURES)
  174730. # ifndef PNG_MNG_FEATURES_SUPPORTED
  174731. # define PNG_MNG_FEATURES_SUPPORTED
  174732. # endif
  174733. #endif
  174734. #ifndef PNG_NO_FLOATING_POINT_SUPPORTED
  174735. # ifndef PNG_FLOATING_POINT_SUPPORTED
  174736. # define PNG_FLOATING_POINT_SUPPORTED
  174737. # endif
  174738. #endif
  174739. /* If you are running on a machine where you cannot allocate more
  174740. * than 64K of memory at once, uncomment this. While libpng will not
  174741. * normally need that much memory in a chunk (unless you load up a very
  174742. * large file), zlib needs to know how big of a chunk it can use, and
  174743. * libpng thus makes sure to check any memory allocation to verify it
  174744. * will fit into memory.
  174745. #define PNG_MAX_MALLOC_64K
  174746. */
  174747. #if defined(MAXSEG_64K) && !defined(PNG_MAX_MALLOC_64K)
  174748. # define PNG_MAX_MALLOC_64K
  174749. #endif
  174750. /* Special munging to support doing things the 'cygwin' way:
  174751. * 'Normal' png-on-win32 defines/defaults:
  174752. * PNG_BUILD_DLL -- building dll
  174753. * PNG_USE_DLL -- building an application, linking to dll
  174754. * (no define) -- building static library, or building an
  174755. * application and linking to the static lib
  174756. * 'Cygwin' defines/defaults:
  174757. * PNG_BUILD_DLL -- (ignored) building the dll
  174758. * (no define) -- (ignored) building an application, linking to the dll
  174759. * PNG_STATIC -- (ignored) building the static lib, or building an
  174760. * application that links to the static lib.
  174761. * ALL_STATIC -- (ignored) building various static libs, or building an
  174762. * application that links to the static libs.
  174763. * Thus,
  174764. * a cygwin user should define either PNG_BUILD_DLL or PNG_STATIC, and
  174765. * this bit of #ifdefs will define the 'correct' config variables based on
  174766. * that. If a cygwin user *wants* to define 'PNG_USE_DLL' that's okay, but
  174767. * unnecessary.
  174768. *
  174769. * Also, the precedence order is:
  174770. * ALL_STATIC (since we can't #undef something outside our namespace)
  174771. * PNG_BUILD_DLL
  174772. * PNG_STATIC
  174773. * (nothing) == PNG_USE_DLL
  174774. *
  174775. * CYGWIN (2002-01-20): The preceding is now obsolete. With the advent
  174776. * of auto-import in binutils, we no longer need to worry about
  174777. * __declspec(dllexport) / __declspec(dllimport) and friends. Therefore,
  174778. * we don't need to worry about PNG_STATIC or ALL_STATIC when it comes
  174779. * to __declspec() stuff. However, we DO need to worry about
  174780. * PNG_BUILD_DLL and PNG_STATIC because those change some defaults
  174781. * such as CONSOLE_IO and whether GLOBAL_ARRAYS are allowed.
  174782. */
  174783. #if defined(__CYGWIN__)
  174784. # if defined(ALL_STATIC)
  174785. # if defined(PNG_BUILD_DLL)
  174786. # undef PNG_BUILD_DLL
  174787. # endif
  174788. # if defined(PNG_USE_DLL)
  174789. # undef PNG_USE_DLL
  174790. # endif
  174791. # if defined(PNG_DLL)
  174792. # undef PNG_DLL
  174793. # endif
  174794. # if !defined(PNG_STATIC)
  174795. # define PNG_STATIC
  174796. # endif
  174797. # else
  174798. # if defined (PNG_BUILD_DLL)
  174799. # if defined(PNG_STATIC)
  174800. # undef PNG_STATIC
  174801. # endif
  174802. # if defined(PNG_USE_DLL)
  174803. # undef PNG_USE_DLL
  174804. # endif
  174805. # if !defined(PNG_DLL)
  174806. # define PNG_DLL
  174807. # endif
  174808. # else
  174809. # if defined(PNG_STATIC)
  174810. # if defined(PNG_USE_DLL)
  174811. # undef PNG_USE_DLL
  174812. # endif
  174813. # if defined(PNG_DLL)
  174814. # undef PNG_DLL
  174815. # endif
  174816. # else
  174817. # if !defined(PNG_USE_DLL)
  174818. # define PNG_USE_DLL
  174819. # endif
  174820. # if !defined(PNG_DLL)
  174821. # define PNG_DLL
  174822. # endif
  174823. # endif
  174824. # endif
  174825. # endif
  174826. #endif
  174827. /* This protects us against compilers that run on a windowing system
  174828. * and thus don't have or would rather us not use the stdio types:
  174829. * stdin, stdout, and stderr. The only one currently used is stderr
  174830. * in png_error() and png_warning(). #defining PNG_NO_CONSOLE_IO will
  174831. * prevent these from being compiled and used. #defining PNG_NO_STDIO
  174832. * will also prevent these, plus will prevent the entire set of stdio
  174833. * macros and functions (FILE *, printf, etc.) from being compiled and used,
  174834. * unless (PNG_DEBUG > 0) has been #defined.
  174835. *
  174836. * #define PNG_NO_CONSOLE_IO
  174837. * #define PNG_NO_STDIO
  174838. */
  174839. #if defined(_WIN32_WCE)
  174840. # include <windows.h>
  174841. /* Console I/O functions are not supported on WindowsCE */
  174842. # define PNG_NO_CONSOLE_IO
  174843. # ifdef PNG_DEBUG
  174844. # undef PNG_DEBUG
  174845. # endif
  174846. #endif
  174847. #ifdef PNG_BUILD_DLL
  174848. # ifndef PNG_CONSOLE_IO_SUPPORTED
  174849. # ifndef PNG_NO_CONSOLE_IO
  174850. # define PNG_NO_CONSOLE_IO
  174851. # endif
  174852. # endif
  174853. #endif
  174854. # ifdef PNG_NO_STDIO
  174855. # ifndef PNG_NO_CONSOLE_IO
  174856. # define PNG_NO_CONSOLE_IO
  174857. # endif
  174858. # ifdef PNG_DEBUG
  174859. # if (PNG_DEBUG > 0)
  174860. # include <stdio.h>
  174861. # endif
  174862. # endif
  174863. # else
  174864. # if !defined(_WIN32_WCE)
  174865. /* "stdio.h" functions are not supported on WindowsCE */
  174866. # include <stdio.h>
  174867. # endif
  174868. # endif
  174869. /* This macro protects us against machines that don't have function
  174870. * prototypes (ie K&R style headers). If your compiler does not handle
  174871. * function prototypes, define this macro and use the included ansi2knr.
  174872. * I've always been able to use _NO_PROTO as the indicator, but you may
  174873. * need to drag the empty declaration out in front of here, or change the
  174874. * ifdef to suit your own needs.
  174875. */
  174876. #ifndef PNGARG
  174877. #ifdef OF /* zlib prototype munger */
  174878. # define PNGARG(arglist) OF(arglist)
  174879. #else
  174880. #ifdef _NO_PROTO
  174881. # define PNGARG(arglist) ()
  174882. # ifndef PNG_TYPECAST_NULL
  174883. # define PNG_TYPECAST_NULL
  174884. # endif
  174885. #else
  174886. # define PNGARG(arglist) arglist
  174887. #endif /* _NO_PROTO */
  174888. #endif /* OF */
  174889. #endif /* PNGARG */
  174890. /* Try to determine if we are compiling on a Mac. Note that testing for
  174891. * just __MWERKS__ is not good enough, because the Codewarrior is now used
  174892. * on non-Mac platforms.
  174893. */
  174894. #ifndef MACOS
  174895. # if (defined(__MWERKS__) && defined(macintosh)) || defined(applec) || \
  174896. defined(THINK_C) || defined(__SC__) || defined(TARGET_OS_MAC)
  174897. # define MACOS
  174898. # endif
  174899. #endif
  174900. /* enough people need this for various reasons to include it here */
  174901. #if !defined(MACOS) && !defined(RISCOS) && !defined(_WIN32_WCE)
  174902. # include <sys/types.h>
  174903. #endif
  174904. #if !defined(PNG_SETJMP_NOT_SUPPORTED) && !defined(PNG_NO_SETJMP_SUPPORTED)
  174905. # define PNG_SETJMP_SUPPORTED
  174906. #endif
  174907. #ifdef PNG_SETJMP_SUPPORTED
  174908. /* This is an attempt to force a single setjmp behaviour on Linux. If
  174909. * the X config stuff didn't define _BSD_SOURCE we wouldn't need this.
  174910. */
  174911. # ifdef __linux__
  174912. # ifdef _BSD_SOURCE
  174913. # define PNG_SAVE_BSD_SOURCE
  174914. # undef _BSD_SOURCE
  174915. # endif
  174916. # ifdef _SETJMP_H
  174917. /* If you encounter a compiler error here, see the explanation
  174918. * near the end of INSTALL.
  174919. */
  174920. __png.h__ already includes setjmp.h;
  174921. __dont__ include it again.;
  174922. # endif
  174923. # endif /* __linux__ */
  174924. /* include setjmp.h for error handling */
  174925. # include <setjmp.h>
  174926. # ifdef __linux__
  174927. # ifdef PNG_SAVE_BSD_SOURCE
  174928. # define _BSD_SOURCE
  174929. # undef PNG_SAVE_BSD_SOURCE
  174930. # endif
  174931. # endif /* __linux__ */
  174932. #endif /* PNG_SETJMP_SUPPORTED */
  174933. #ifdef BSD
  174934. # include <strings.h>
  174935. #else
  174936. # include <string.h>
  174937. #endif
  174938. /* Other defines for things like memory and the like can go here. */
  174939. #ifdef PNG_INTERNAL
  174940. #include <stdlib.h>
  174941. /* The functions exported by PNG_EXTERN are PNG_INTERNAL functions, which
  174942. * aren't usually used outside the library (as far as I know), so it is
  174943. * debatable if they should be exported at all. In the future, when it is
  174944. * possible to have run-time registry of chunk-handling functions, some of
  174945. * these will be made available again.
  174946. #define PNG_EXTERN extern
  174947. */
  174948. #define PNG_EXTERN
  174949. /* Other defines specific to compilers can go here. Try to keep
  174950. * them inside an appropriate ifdef/endif pair for portability.
  174951. */
  174952. #if defined(PNG_FLOATING_POINT_SUPPORTED)
  174953. # if defined(MACOS)
  174954. /* We need to check that <math.h> hasn't already been included earlier
  174955. * as it seems it doesn't agree with <fp.h>, yet we should really use
  174956. * <fp.h> if possible.
  174957. */
  174958. # if !defined(__MATH_H__) && !defined(__MATH_H) && !defined(__cmath__)
  174959. # include <fp.h>
  174960. # endif
  174961. # else
  174962. # include <math.h>
  174963. # endif
  174964. # if defined(_AMIGA) && defined(__SASC) && defined(_M68881)
  174965. /* Amiga SAS/C: We must include builtin FPU functions when compiling using
  174966. * MATH=68881
  174967. */
  174968. # include <m68881.h>
  174969. # endif
  174970. #endif
  174971. /* Codewarrior on NT has linking problems without this. */
  174972. #if (defined(__MWERKS__) && defined(WIN32)) || defined(__STDC__)
  174973. # define PNG_ALWAYS_EXTERN
  174974. #endif
  174975. /* This provides the non-ANSI (far) memory allocation routines. */
  174976. #if defined(__TURBOC__) && defined(__MSDOS__)
  174977. # include <mem.h>
  174978. # include <alloc.h>
  174979. #endif
  174980. /* I have no idea why is this necessary... */
  174981. #if defined(_MSC_VER) && (defined(WIN32) || defined(_Windows) || \
  174982. defined(_WINDOWS) || defined(_WIN32) || defined(__WIN32__))
  174983. # include <malloc.h>
  174984. #endif
  174985. /* This controls how fine the dithering gets. As this allocates
  174986. * a largish chunk of memory (32K), those who are not as concerned
  174987. * with dithering quality can decrease some or all of these.
  174988. */
  174989. #ifndef PNG_DITHER_RED_BITS
  174990. # define PNG_DITHER_RED_BITS 5
  174991. #endif
  174992. #ifndef PNG_DITHER_GREEN_BITS
  174993. # define PNG_DITHER_GREEN_BITS 5
  174994. #endif
  174995. #ifndef PNG_DITHER_BLUE_BITS
  174996. # define PNG_DITHER_BLUE_BITS 5
  174997. #endif
  174998. /* This controls how fine the gamma correction becomes when you
  174999. * are only interested in 8 bits anyway. Increasing this value
  175000. * results in more memory being used, and more pow() functions
  175001. * being called to fill in the gamma tables. Don't set this value
  175002. * less then 8, and even that may not work (I haven't tested it).
  175003. */
  175004. #ifndef PNG_MAX_GAMMA_8
  175005. # define PNG_MAX_GAMMA_8 11
  175006. #endif
  175007. /* This controls how much a difference in gamma we can tolerate before
  175008. * we actually start doing gamma conversion.
  175009. */
  175010. #ifndef PNG_GAMMA_THRESHOLD
  175011. # define PNG_GAMMA_THRESHOLD 0.05
  175012. #endif
  175013. #endif /* PNG_INTERNAL */
  175014. /* The following uses const char * instead of char * for error
  175015. * and warning message functions, so some compilers won't complain.
  175016. * If you do not want to use const, define PNG_NO_CONST here.
  175017. */
  175018. #ifndef PNG_NO_CONST
  175019. # define PNG_CONST const
  175020. #else
  175021. # define PNG_CONST
  175022. #endif
  175023. /* The following defines give you the ability to remove code from the
  175024. * library that you will not be using. I wish I could figure out how to
  175025. * automate this, but I can't do that without making it seriously hard
  175026. * on the users. So if you are not using an ability, change the #define
  175027. * to and #undef, and that part of the library will not be compiled. If
  175028. * your linker can't find a function, you may want to make sure the
  175029. * ability is defined here. Some of these depend upon some others being
  175030. * defined. I haven't figured out all the interactions here, so you may
  175031. * have to experiment awhile to get everything to compile. If you are
  175032. * creating or using a shared library, you probably shouldn't touch this,
  175033. * as it will affect the size of the structures, and this will cause bad
  175034. * things to happen if the library and/or application ever change.
  175035. */
  175036. /* Any features you will not be using can be undef'ed here */
  175037. /* GR-P, 0.96a: Set "*TRANSFORMS_SUPPORTED as default but allow user
  175038. * to turn it off with "*TRANSFORMS_NOT_SUPPORTED" or *PNG_NO_*_TRANSFORMS
  175039. * on the compile line, then pick and choose which ones to define without
  175040. * having to edit this file. It is safe to use the *TRANSFORMS_NOT_SUPPORTED
  175041. * if you only want to have a png-compliant reader/writer but don't need
  175042. * any of the extra transformations. This saves about 80 kbytes in a
  175043. * typical installation of the library. (PNG_NO_* form added in version
  175044. * 1.0.1c, for consistency)
  175045. */
  175046. /* The size of the png_text structure changed in libpng-1.0.6 when
  175047. * iTXt support was added. iTXt support was turned off by default through
  175048. * libpng-1.2.x, to support old apps that malloc the png_text structure
  175049. * instead of calling png_set_text() and letting libpng malloc it. It
  175050. * was turned on by default in libpng-1.3.0.
  175051. */
  175052. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  175053. # ifndef PNG_NO_iTXt_SUPPORTED
  175054. # define PNG_NO_iTXt_SUPPORTED
  175055. # endif
  175056. # ifndef PNG_NO_READ_iTXt
  175057. # define PNG_NO_READ_iTXt
  175058. # endif
  175059. # ifndef PNG_NO_WRITE_iTXt
  175060. # define PNG_NO_WRITE_iTXt
  175061. # endif
  175062. #endif
  175063. #if !defined(PNG_NO_iTXt_SUPPORTED)
  175064. # if !defined(PNG_READ_iTXt_SUPPORTED) && !defined(PNG_NO_READ_iTXt)
  175065. # define PNG_READ_iTXt
  175066. # endif
  175067. # if !defined(PNG_WRITE_iTXt_SUPPORTED) && !defined(PNG_NO_WRITE_iTXt)
  175068. # define PNG_WRITE_iTXt
  175069. # endif
  175070. #endif
  175071. /* The following support, added after version 1.0.0, can be turned off here en
  175072. * masse by defining PNG_LEGACY_SUPPORTED in case you need binary compatibility
  175073. * with old applications that require the length of png_struct and png_info
  175074. * to remain unchanged.
  175075. */
  175076. #ifdef PNG_LEGACY_SUPPORTED
  175077. # define PNG_NO_FREE_ME
  175078. # define PNG_NO_READ_UNKNOWN_CHUNKS
  175079. # define PNG_NO_WRITE_UNKNOWN_CHUNKS
  175080. # define PNG_NO_READ_USER_CHUNKS
  175081. # define PNG_NO_READ_iCCP
  175082. # define PNG_NO_WRITE_iCCP
  175083. # define PNG_NO_READ_iTXt
  175084. # define PNG_NO_WRITE_iTXt
  175085. # define PNG_NO_READ_sCAL
  175086. # define PNG_NO_WRITE_sCAL
  175087. # define PNG_NO_READ_sPLT
  175088. # define PNG_NO_WRITE_sPLT
  175089. # define PNG_NO_INFO_IMAGE
  175090. # define PNG_NO_READ_RGB_TO_GRAY
  175091. # define PNG_NO_READ_USER_TRANSFORM
  175092. # define PNG_NO_WRITE_USER_TRANSFORM
  175093. # define PNG_NO_USER_MEM
  175094. # define PNG_NO_READ_EMPTY_PLTE
  175095. # define PNG_NO_MNG_FEATURES
  175096. # define PNG_NO_FIXED_POINT_SUPPORTED
  175097. #endif
  175098. /* Ignore attempt to turn off both floating and fixed point support */
  175099. #if !defined(PNG_FLOATING_POINT_SUPPORTED) || \
  175100. !defined(PNG_NO_FIXED_POINT_SUPPORTED)
  175101. # define PNG_FIXED_POINT_SUPPORTED
  175102. #endif
  175103. #ifndef PNG_NO_FREE_ME
  175104. # define PNG_FREE_ME_SUPPORTED
  175105. #endif
  175106. #if defined(PNG_READ_SUPPORTED)
  175107. #if !defined(PNG_READ_TRANSFORMS_NOT_SUPPORTED) && \
  175108. !defined(PNG_NO_READ_TRANSFORMS)
  175109. # define PNG_READ_TRANSFORMS_SUPPORTED
  175110. #endif
  175111. #ifdef PNG_READ_TRANSFORMS_SUPPORTED
  175112. # ifndef PNG_NO_READ_EXPAND
  175113. # define PNG_READ_EXPAND_SUPPORTED
  175114. # endif
  175115. # ifndef PNG_NO_READ_SHIFT
  175116. # define PNG_READ_SHIFT_SUPPORTED
  175117. # endif
  175118. # ifndef PNG_NO_READ_PACK
  175119. # define PNG_READ_PACK_SUPPORTED
  175120. # endif
  175121. # ifndef PNG_NO_READ_BGR
  175122. # define PNG_READ_BGR_SUPPORTED
  175123. # endif
  175124. # ifndef PNG_NO_READ_SWAP
  175125. # define PNG_READ_SWAP_SUPPORTED
  175126. # endif
  175127. # ifndef PNG_NO_READ_PACKSWAP
  175128. # define PNG_READ_PACKSWAP_SUPPORTED
  175129. # endif
  175130. # ifndef PNG_NO_READ_INVERT
  175131. # define PNG_READ_INVERT_SUPPORTED
  175132. # endif
  175133. # ifndef PNG_NO_READ_DITHER
  175134. # define PNG_READ_DITHER_SUPPORTED
  175135. # endif
  175136. # ifndef PNG_NO_READ_BACKGROUND
  175137. # define PNG_READ_BACKGROUND_SUPPORTED
  175138. # endif
  175139. # ifndef PNG_NO_READ_16_TO_8
  175140. # define PNG_READ_16_TO_8_SUPPORTED
  175141. # endif
  175142. # ifndef PNG_NO_READ_FILLER
  175143. # define PNG_READ_FILLER_SUPPORTED
  175144. # endif
  175145. # ifndef PNG_NO_READ_GAMMA
  175146. # define PNG_READ_GAMMA_SUPPORTED
  175147. # endif
  175148. # ifndef PNG_NO_READ_GRAY_TO_RGB
  175149. # define PNG_READ_GRAY_TO_RGB_SUPPORTED
  175150. # endif
  175151. # ifndef PNG_NO_READ_SWAP_ALPHA
  175152. # define PNG_READ_SWAP_ALPHA_SUPPORTED
  175153. # endif
  175154. # ifndef PNG_NO_READ_INVERT_ALPHA
  175155. # define PNG_READ_INVERT_ALPHA_SUPPORTED
  175156. # endif
  175157. # ifndef PNG_NO_READ_STRIP_ALPHA
  175158. # define PNG_READ_STRIP_ALPHA_SUPPORTED
  175159. # endif
  175160. # ifndef PNG_NO_READ_USER_TRANSFORM
  175161. # define PNG_READ_USER_TRANSFORM_SUPPORTED
  175162. # endif
  175163. # ifndef PNG_NO_READ_RGB_TO_GRAY
  175164. # define PNG_READ_RGB_TO_GRAY_SUPPORTED
  175165. # endif
  175166. #endif /* PNG_READ_TRANSFORMS_SUPPORTED */
  175167. #if !defined(PNG_NO_PROGRESSIVE_READ) && \
  175168. !defined(PNG_PROGRESSIVE_READ_SUPPORTED) /* if you don't do progressive */
  175169. # define PNG_PROGRESSIVE_READ_SUPPORTED /* reading. This is not talking */
  175170. #endif /* about interlacing capability! You'll */
  175171. /* still have interlacing unless you change the following line: */
  175172. #define PNG_READ_INTERLACING_SUPPORTED /* required in PNG-compliant decoders */
  175173. #ifndef PNG_NO_READ_COMPOSITE_NODIV
  175174. # ifndef PNG_NO_READ_COMPOSITED_NODIV /* libpng-1.0.x misspelling */
  175175. # define PNG_READ_COMPOSITE_NODIV_SUPPORTED /* well tested on Intel, SGI */
  175176. # endif
  175177. #endif
  175178. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  175179. /* Deprecated, will be removed from version 2.0.0.
  175180. Use PNG_MNG_FEATURES_SUPPORTED instead. */
  175181. #ifndef PNG_NO_READ_EMPTY_PLTE
  175182. # define PNG_READ_EMPTY_PLTE_SUPPORTED
  175183. #endif
  175184. #endif
  175185. #endif /* PNG_READ_SUPPORTED */
  175186. #if defined(PNG_WRITE_SUPPORTED)
  175187. # if !defined(PNG_WRITE_TRANSFORMS_NOT_SUPPORTED) && \
  175188. !defined(PNG_NO_WRITE_TRANSFORMS)
  175189. # define PNG_WRITE_TRANSFORMS_SUPPORTED
  175190. #endif
  175191. #ifdef PNG_WRITE_TRANSFORMS_SUPPORTED
  175192. # ifndef PNG_NO_WRITE_SHIFT
  175193. # define PNG_WRITE_SHIFT_SUPPORTED
  175194. # endif
  175195. # ifndef PNG_NO_WRITE_PACK
  175196. # define PNG_WRITE_PACK_SUPPORTED
  175197. # endif
  175198. # ifndef PNG_NO_WRITE_BGR
  175199. # define PNG_WRITE_BGR_SUPPORTED
  175200. # endif
  175201. # ifndef PNG_NO_WRITE_SWAP
  175202. # define PNG_WRITE_SWAP_SUPPORTED
  175203. # endif
  175204. # ifndef PNG_NO_WRITE_PACKSWAP
  175205. # define PNG_WRITE_PACKSWAP_SUPPORTED
  175206. # endif
  175207. # ifndef PNG_NO_WRITE_INVERT
  175208. # define PNG_WRITE_INVERT_SUPPORTED
  175209. # endif
  175210. # ifndef PNG_NO_WRITE_FILLER
  175211. # define PNG_WRITE_FILLER_SUPPORTED /* same as WRITE_STRIP_ALPHA */
  175212. # endif
  175213. # ifndef PNG_NO_WRITE_SWAP_ALPHA
  175214. # define PNG_WRITE_SWAP_ALPHA_SUPPORTED
  175215. # endif
  175216. # ifndef PNG_NO_WRITE_INVERT_ALPHA
  175217. # define PNG_WRITE_INVERT_ALPHA_SUPPORTED
  175218. # endif
  175219. # ifndef PNG_NO_WRITE_USER_TRANSFORM
  175220. # define PNG_WRITE_USER_TRANSFORM_SUPPORTED
  175221. # endif
  175222. #endif /* PNG_WRITE_TRANSFORMS_SUPPORTED */
  175223. #if !defined(PNG_NO_WRITE_INTERLACING_SUPPORTED) && \
  175224. !defined(PNG_WRITE_INTERLACING_SUPPORTED)
  175225. #define PNG_WRITE_INTERLACING_SUPPORTED /* not required for PNG-compliant
  175226. encoders, but can cause trouble
  175227. if left undefined */
  175228. #endif
  175229. #if !defined(PNG_NO_WRITE_WEIGHTED_FILTER) && \
  175230. !defined(PNG_WRITE_WEIGHTED_FILTER) && \
  175231. defined(PNG_FLOATING_POINT_SUPPORTED)
  175232. # define PNG_WRITE_WEIGHTED_FILTER_SUPPORTED
  175233. #endif
  175234. #ifndef PNG_NO_WRITE_FLUSH
  175235. # define PNG_WRITE_FLUSH_SUPPORTED
  175236. #endif
  175237. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  175238. /* Deprecated, see PNG_MNG_FEATURES_SUPPORTED, above */
  175239. #ifndef PNG_NO_WRITE_EMPTY_PLTE
  175240. # define PNG_WRITE_EMPTY_PLTE_SUPPORTED
  175241. #endif
  175242. #endif
  175243. #endif /* PNG_WRITE_SUPPORTED */
  175244. #ifndef PNG_1_0_X
  175245. # ifndef PNG_NO_ERROR_NUMBERS
  175246. # define PNG_ERROR_NUMBERS_SUPPORTED
  175247. # endif
  175248. #endif /* PNG_1_0_X */
  175249. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED) || \
  175250. defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED)
  175251. # ifndef PNG_NO_USER_TRANSFORM_PTR
  175252. # define PNG_USER_TRANSFORM_PTR_SUPPORTED
  175253. # endif
  175254. #endif
  175255. #ifndef PNG_NO_STDIO
  175256. # define PNG_TIME_RFC1123_SUPPORTED
  175257. #endif
  175258. /* This adds extra functions in pngget.c for accessing data from the
  175259. * info pointer (added in version 0.99)
  175260. * png_get_image_width()
  175261. * png_get_image_height()
  175262. * png_get_bit_depth()
  175263. * png_get_color_type()
  175264. * png_get_compression_type()
  175265. * png_get_filter_type()
  175266. * png_get_interlace_type()
  175267. * png_get_pixel_aspect_ratio()
  175268. * png_get_pixels_per_meter()
  175269. * png_get_x_offset_pixels()
  175270. * png_get_y_offset_pixels()
  175271. * png_get_x_offset_microns()
  175272. * png_get_y_offset_microns()
  175273. */
  175274. #if !defined(PNG_NO_EASY_ACCESS) && !defined(PNG_EASY_ACCESS_SUPPORTED)
  175275. # define PNG_EASY_ACCESS_SUPPORTED
  175276. #endif
  175277. /* PNG_ASSEMBLER_CODE was enabled by default in version 1.2.0
  175278. * and removed from version 1.2.20. The following will be removed
  175279. * from libpng-1.4.0
  175280. */
  175281. #if defined(PNG_READ_SUPPORTED) && !defined(PNG_NO_OPTIMIZED_CODE)
  175282. # ifndef PNG_OPTIMIZED_CODE_SUPPORTED
  175283. # define PNG_OPTIMIZED_CODE_SUPPORTED
  175284. # endif
  175285. #endif
  175286. #if defined(PNG_READ_SUPPORTED) && !defined(PNG_NO_ASSEMBLER_CODE)
  175287. # ifndef PNG_ASSEMBLER_CODE_SUPPORTED
  175288. # define PNG_ASSEMBLER_CODE_SUPPORTED
  175289. # endif
  175290. # if defined(__GNUC__) && defined(__x86_64__) && (__GNUC__ < 4)
  175291. /* work around 64-bit gcc compiler bugs in gcc-3.x */
  175292. # if !defined(PNG_MMX_CODE_SUPPORTED) && !defined(PNG_NO_MMX_CODE)
  175293. # define PNG_NO_MMX_CODE
  175294. # endif
  175295. # endif
  175296. # if defined(__APPLE__)
  175297. # if !defined(PNG_MMX_CODE_SUPPORTED) && !defined(PNG_NO_MMX_CODE)
  175298. # define PNG_NO_MMX_CODE
  175299. # endif
  175300. # endif
  175301. # if (defined(__MWERKS__) && ((__MWERKS__ < 0x0900) || macintosh))
  175302. # if !defined(PNG_MMX_CODE_SUPPORTED) && !defined(PNG_NO_MMX_CODE)
  175303. # define PNG_NO_MMX_CODE
  175304. # endif
  175305. # endif
  175306. # if !defined(PNG_MMX_CODE_SUPPORTED) && !defined(PNG_NO_MMX_CODE)
  175307. # define PNG_MMX_CODE_SUPPORTED
  175308. # endif
  175309. #endif
  175310. /* end of obsolete code to be removed from libpng-1.4.0 */
  175311. #if !defined(PNG_1_0_X)
  175312. #if !defined(PNG_NO_USER_MEM) && !defined(PNG_USER_MEM_SUPPORTED)
  175313. # define PNG_USER_MEM_SUPPORTED
  175314. #endif
  175315. #endif /* PNG_1_0_X */
  175316. /* Added at libpng-1.2.6 */
  175317. #if !defined(PNG_1_0_X)
  175318. #ifndef PNG_SET_USER_LIMITS_SUPPORTED
  175319. #if !defined(PNG_NO_SET_USER_LIMITS) && !defined(PNG_SET_USER_LIMITS_SUPPORTED)
  175320. # define PNG_SET_USER_LIMITS_SUPPORTED
  175321. #endif
  175322. #endif
  175323. #endif /* PNG_1_0_X */
  175324. /* Added at libpng-1.0.16 and 1.2.6. To accept all valid PNGS no matter
  175325. * how large, set these limits to 0x7fffffffL
  175326. */
  175327. #ifndef PNG_USER_WIDTH_MAX
  175328. # define PNG_USER_WIDTH_MAX 1000000L
  175329. #endif
  175330. #ifndef PNG_USER_HEIGHT_MAX
  175331. # define PNG_USER_HEIGHT_MAX 1000000L
  175332. #endif
  175333. /* These are currently experimental features, define them if you want */
  175334. /* very little testing */
  175335. /*
  175336. #ifdef PNG_READ_SUPPORTED
  175337. # ifndef PNG_READ_16_TO_8_ACCURATE_SCALE_SUPPORTED
  175338. # define PNG_READ_16_TO_8_ACCURATE_SCALE_SUPPORTED
  175339. # endif
  175340. #endif
  175341. */
  175342. /* This is only for PowerPC big-endian and 680x0 systems */
  175343. /* some testing */
  175344. /*
  175345. #ifndef PNG_READ_BIG_ENDIAN_SUPPORTED
  175346. # define PNG_READ_BIG_ENDIAN_SUPPORTED
  175347. #endif
  175348. */
  175349. /* Buggy compilers (e.g., gcc 2.7.2.2) need this */
  175350. /*
  175351. #define PNG_NO_POINTER_INDEXING
  175352. */
  175353. /* These functions are turned off by default, as they will be phased out. */
  175354. /*
  175355. #define PNG_USELESS_TESTS_SUPPORTED
  175356. #define PNG_CORRECT_PALETTE_SUPPORTED
  175357. */
  175358. /* Any chunks you are not interested in, you can undef here. The
  175359. * ones that allocate memory may be expecially important (hIST,
  175360. * tEXt, zTXt, tRNS, pCAL). Others will just save time and make png_info
  175361. * a bit smaller.
  175362. */
  175363. #if defined(PNG_READ_SUPPORTED) && \
  175364. !defined(PNG_READ_ANCILLARY_CHUNKS_NOT_SUPPORTED) && \
  175365. !defined(PNG_NO_READ_ANCILLARY_CHUNKS)
  175366. # define PNG_READ_ANCILLARY_CHUNKS_SUPPORTED
  175367. #endif
  175368. #if defined(PNG_WRITE_SUPPORTED) && \
  175369. !defined(PNG_WRITE_ANCILLARY_CHUNKS_NOT_SUPPORTED) && \
  175370. !defined(PNG_NO_WRITE_ANCILLARY_CHUNKS)
  175371. # define PNG_WRITE_ANCILLARY_CHUNKS_SUPPORTED
  175372. #endif
  175373. #ifdef PNG_READ_ANCILLARY_CHUNKS_SUPPORTED
  175374. #ifdef PNG_NO_READ_TEXT
  175375. # define PNG_NO_READ_iTXt
  175376. # define PNG_NO_READ_tEXt
  175377. # define PNG_NO_READ_zTXt
  175378. #endif
  175379. #ifndef PNG_NO_READ_bKGD
  175380. # define PNG_READ_bKGD_SUPPORTED
  175381. # define PNG_bKGD_SUPPORTED
  175382. #endif
  175383. #ifndef PNG_NO_READ_cHRM
  175384. # define PNG_READ_cHRM_SUPPORTED
  175385. # define PNG_cHRM_SUPPORTED
  175386. #endif
  175387. #ifndef PNG_NO_READ_gAMA
  175388. # define PNG_READ_gAMA_SUPPORTED
  175389. # define PNG_gAMA_SUPPORTED
  175390. #endif
  175391. #ifndef PNG_NO_READ_hIST
  175392. # define PNG_READ_hIST_SUPPORTED
  175393. # define PNG_hIST_SUPPORTED
  175394. #endif
  175395. #ifndef PNG_NO_READ_iCCP
  175396. # define PNG_READ_iCCP_SUPPORTED
  175397. # define PNG_iCCP_SUPPORTED
  175398. #endif
  175399. #ifndef PNG_NO_READ_iTXt
  175400. # ifndef PNG_READ_iTXt_SUPPORTED
  175401. # define PNG_READ_iTXt_SUPPORTED
  175402. # endif
  175403. # ifndef PNG_iTXt_SUPPORTED
  175404. # define PNG_iTXt_SUPPORTED
  175405. # endif
  175406. #endif
  175407. #ifndef PNG_NO_READ_oFFs
  175408. # define PNG_READ_oFFs_SUPPORTED
  175409. # define PNG_oFFs_SUPPORTED
  175410. #endif
  175411. #ifndef PNG_NO_READ_pCAL
  175412. # define PNG_READ_pCAL_SUPPORTED
  175413. # define PNG_pCAL_SUPPORTED
  175414. #endif
  175415. #ifndef PNG_NO_READ_sCAL
  175416. # define PNG_READ_sCAL_SUPPORTED
  175417. # define PNG_sCAL_SUPPORTED
  175418. #endif
  175419. #ifndef PNG_NO_READ_pHYs
  175420. # define PNG_READ_pHYs_SUPPORTED
  175421. # define PNG_pHYs_SUPPORTED
  175422. #endif
  175423. #ifndef PNG_NO_READ_sBIT
  175424. # define PNG_READ_sBIT_SUPPORTED
  175425. # define PNG_sBIT_SUPPORTED
  175426. #endif
  175427. #ifndef PNG_NO_READ_sPLT
  175428. # define PNG_READ_sPLT_SUPPORTED
  175429. # define PNG_sPLT_SUPPORTED
  175430. #endif
  175431. #ifndef PNG_NO_READ_sRGB
  175432. # define PNG_READ_sRGB_SUPPORTED
  175433. # define PNG_sRGB_SUPPORTED
  175434. #endif
  175435. #ifndef PNG_NO_READ_tEXt
  175436. # define PNG_READ_tEXt_SUPPORTED
  175437. # define PNG_tEXt_SUPPORTED
  175438. #endif
  175439. #ifndef PNG_NO_READ_tIME
  175440. # define PNG_READ_tIME_SUPPORTED
  175441. # define PNG_tIME_SUPPORTED
  175442. #endif
  175443. #ifndef PNG_NO_READ_tRNS
  175444. # define PNG_READ_tRNS_SUPPORTED
  175445. # define PNG_tRNS_SUPPORTED
  175446. #endif
  175447. #ifndef PNG_NO_READ_zTXt
  175448. # define PNG_READ_zTXt_SUPPORTED
  175449. # define PNG_zTXt_SUPPORTED
  175450. #endif
  175451. #ifndef PNG_NO_READ_UNKNOWN_CHUNKS
  175452. # define PNG_READ_UNKNOWN_CHUNKS_SUPPORTED
  175453. # ifndef PNG_UNKNOWN_CHUNKS_SUPPORTED
  175454. # define PNG_UNKNOWN_CHUNKS_SUPPORTED
  175455. # endif
  175456. # ifndef PNG_NO_HANDLE_AS_UNKNOWN
  175457. # define PNG_HANDLE_AS_UNKNOWN_SUPPORTED
  175458. # endif
  175459. #endif
  175460. #if !defined(PNG_NO_READ_USER_CHUNKS) && \
  175461. defined(PNG_READ_UNKNOWN_CHUNKS_SUPPORTED)
  175462. # define PNG_READ_USER_CHUNKS_SUPPORTED
  175463. # define PNG_USER_CHUNKS_SUPPORTED
  175464. # ifdef PNG_NO_READ_UNKNOWN_CHUNKS
  175465. # undef PNG_NO_READ_UNKNOWN_CHUNKS
  175466. # endif
  175467. # ifdef PNG_NO_HANDLE_AS_UNKNOWN
  175468. # undef PNG_NO_HANDLE_AS_UNKNOWN
  175469. # endif
  175470. #endif
  175471. #ifndef PNG_NO_READ_OPT_PLTE
  175472. # define PNG_READ_OPT_PLTE_SUPPORTED /* only affects support of the */
  175473. #endif /* optional PLTE chunk in RGB and RGBA images */
  175474. #if defined(PNG_READ_iTXt_SUPPORTED) || defined(PNG_READ_tEXt_SUPPORTED) || \
  175475. defined(PNG_READ_zTXt_SUPPORTED)
  175476. # define PNG_READ_TEXT_SUPPORTED
  175477. # define PNG_TEXT_SUPPORTED
  175478. #endif
  175479. #endif /* PNG_READ_ANCILLARY_CHUNKS_SUPPORTED */
  175480. #ifdef PNG_WRITE_ANCILLARY_CHUNKS_SUPPORTED
  175481. #ifdef PNG_NO_WRITE_TEXT
  175482. # define PNG_NO_WRITE_iTXt
  175483. # define PNG_NO_WRITE_tEXt
  175484. # define PNG_NO_WRITE_zTXt
  175485. #endif
  175486. #ifndef PNG_NO_WRITE_bKGD
  175487. # define PNG_WRITE_bKGD_SUPPORTED
  175488. # ifndef PNG_bKGD_SUPPORTED
  175489. # define PNG_bKGD_SUPPORTED
  175490. # endif
  175491. #endif
  175492. #ifndef PNG_NO_WRITE_cHRM
  175493. # define PNG_WRITE_cHRM_SUPPORTED
  175494. # ifndef PNG_cHRM_SUPPORTED
  175495. # define PNG_cHRM_SUPPORTED
  175496. # endif
  175497. #endif
  175498. #ifndef PNG_NO_WRITE_gAMA
  175499. # define PNG_WRITE_gAMA_SUPPORTED
  175500. # ifndef PNG_gAMA_SUPPORTED
  175501. # define PNG_gAMA_SUPPORTED
  175502. # endif
  175503. #endif
  175504. #ifndef PNG_NO_WRITE_hIST
  175505. # define PNG_WRITE_hIST_SUPPORTED
  175506. # ifndef PNG_hIST_SUPPORTED
  175507. # define PNG_hIST_SUPPORTED
  175508. # endif
  175509. #endif
  175510. #ifndef PNG_NO_WRITE_iCCP
  175511. # define PNG_WRITE_iCCP_SUPPORTED
  175512. # ifndef PNG_iCCP_SUPPORTED
  175513. # define PNG_iCCP_SUPPORTED
  175514. # endif
  175515. #endif
  175516. #ifndef PNG_NO_WRITE_iTXt
  175517. # ifndef PNG_WRITE_iTXt_SUPPORTED
  175518. # define PNG_WRITE_iTXt_SUPPORTED
  175519. # endif
  175520. # ifndef PNG_iTXt_SUPPORTED
  175521. # define PNG_iTXt_SUPPORTED
  175522. # endif
  175523. #endif
  175524. #ifndef PNG_NO_WRITE_oFFs
  175525. # define PNG_WRITE_oFFs_SUPPORTED
  175526. # ifndef PNG_oFFs_SUPPORTED
  175527. # define PNG_oFFs_SUPPORTED
  175528. # endif
  175529. #endif
  175530. #ifndef PNG_NO_WRITE_pCAL
  175531. # define PNG_WRITE_pCAL_SUPPORTED
  175532. # ifndef PNG_pCAL_SUPPORTED
  175533. # define PNG_pCAL_SUPPORTED
  175534. # endif
  175535. #endif
  175536. #ifndef PNG_NO_WRITE_sCAL
  175537. # define PNG_WRITE_sCAL_SUPPORTED
  175538. # ifndef PNG_sCAL_SUPPORTED
  175539. # define PNG_sCAL_SUPPORTED
  175540. # endif
  175541. #endif
  175542. #ifndef PNG_NO_WRITE_pHYs
  175543. # define PNG_WRITE_pHYs_SUPPORTED
  175544. # ifndef PNG_pHYs_SUPPORTED
  175545. # define PNG_pHYs_SUPPORTED
  175546. # endif
  175547. #endif
  175548. #ifndef PNG_NO_WRITE_sBIT
  175549. # define PNG_WRITE_sBIT_SUPPORTED
  175550. # ifndef PNG_sBIT_SUPPORTED
  175551. # define PNG_sBIT_SUPPORTED
  175552. # endif
  175553. #endif
  175554. #ifndef PNG_NO_WRITE_sPLT
  175555. # define PNG_WRITE_sPLT_SUPPORTED
  175556. # ifndef PNG_sPLT_SUPPORTED
  175557. # define PNG_sPLT_SUPPORTED
  175558. # endif
  175559. #endif
  175560. #ifndef PNG_NO_WRITE_sRGB
  175561. # define PNG_WRITE_sRGB_SUPPORTED
  175562. # ifndef PNG_sRGB_SUPPORTED
  175563. # define PNG_sRGB_SUPPORTED
  175564. # endif
  175565. #endif
  175566. #ifndef PNG_NO_WRITE_tEXt
  175567. # define PNG_WRITE_tEXt_SUPPORTED
  175568. # ifndef PNG_tEXt_SUPPORTED
  175569. # define PNG_tEXt_SUPPORTED
  175570. # endif
  175571. #endif
  175572. #ifndef PNG_NO_WRITE_tIME
  175573. # define PNG_WRITE_tIME_SUPPORTED
  175574. # ifndef PNG_tIME_SUPPORTED
  175575. # define PNG_tIME_SUPPORTED
  175576. # endif
  175577. #endif
  175578. #ifndef PNG_NO_WRITE_tRNS
  175579. # define PNG_WRITE_tRNS_SUPPORTED
  175580. # ifndef PNG_tRNS_SUPPORTED
  175581. # define PNG_tRNS_SUPPORTED
  175582. # endif
  175583. #endif
  175584. #ifndef PNG_NO_WRITE_zTXt
  175585. # define PNG_WRITE_zTXt_SUPPORTED
  175586. # ifndef PNG_zTXt_SUPPORTED
  175587. # define PNG_zTXt_SUPPORTED
  175588. # endif
  175589. #endif
  175590. #ifndef PNG_NO_WRITE_UNKNOWN_CHUNKS
  175591. # define PNG_WRITE_UNKNOWN_CHUNKS_SUPPORTED
  175592. # ifndef PNG_UNKNOWN_CHUNKS_SUPPORTED
  175593. # define PNG_UNKNOWN_CHUNKS_SUPPORTED
  175594. # endif
  175595. # ifndef PNG_NO_HANDLE_AS_UNKNOWN
  175596. # ifndef PNG_HANDLE_AS_UNKNOWN_SUPPORTED
  175597. # define PNG_HANDLE_AS_UNKNOWN_SUPPORTED
  175598. # endif
  175599. # endif
  175600. #endif
  175601. #if defined(PNG_WRITE_iTXt_SUPPORTED) || defined(PNG_WRITE_tEXt_SUPPORTED) || \
  175602. defined(PNG_WRITE_zTXt_SUPPORTED)
  175603. # define PNG_WRITE_TEXT_SUPPORTED
  175604. # ifndef PNG_TEXT_SUPPORTED
  175605. # define PNG_TEXT_SUPPORTED
  175606. # endif
  175607. #endif
  175608. #endif /* PNG_WRITE_ANCILLARY_CHUNKS_SUPPORTED */
  175609. /* Turn this off to disable png_read_png() and
  175610. * png_write_png() and leave the row_pointers member
  175611. * out of the info structure.
  175612. */
  175613. #ifndef PNG_NO_INFO_IMAGE
  175614. # define PNG_INFO_IMAGE_SUPPORTED
  175615. #endif
  175616. /* need the time information for reading tIME chunks */
  175617. #if defined(PNG_tIME_SUPPORTED)
  175618. # if !defined(_WIN32_WCE)
  175619. /* "time.h" functions are not supported on WindowsCE */
  175620. # include <time.h>
  175621. # endif
  175622. #endif
  175623. /* Some typedefs to get us started. These should be safe on most of the
  175624. * common platforms. The typedefs should be at least as large as the
  175625. * numbers suggest (a png_uint_32 must be at least 32 bits long), but they
  175626. * don't have to be exactly that size. Some compilers dislike passing
  175627. * unsigned shorts as function parameters, so you may be better off using
  175628. * unsigned int for png_uint_16. Likewise, for 64-bit systems, you may
  175629. * want to have unsigned int for png_uint_32 instead of unsigned long.
  175630. */
  175631. typedef unsigned long png_uint_32;
  175632. typedef long png_int_32;
  175633. typedef unsigned short png_uint_16;
  175634. typedef short png_int_16;
  175635. typedef unsigned char png_byte;
  175636. /* This is usually size_t. It is typedef'ed just in case you need it to
  175637. change (I'm not sure if you will or not, so I thought I'd be safe) */
  175638. #ifdef PNG_SIZE_T
  175639. typedef PNG_SIZE_T png_size_t;
  175640. # define png_sizeof(x) png_convert_size(sizeof (x))
  175641. #else
  175642. typedef size_t png_size_t;
  175643. # define png_sizeof(x) sizeof (x)
  175644. #endif
  175645. /* The following is needed for medium model support. It cannot be in the
  175646. * PNG_INTERNAL section. Needs modification for other compilers besides
  175647. * MSC. Model independent support declares all arrays and pointers to be
  175648. * large using the far keyword. The zlib version used must also support
  175649. * model independent data. As of version zlib 1.0.4, the necessary changes
  175650. * have been made in zlib. The USE_FAR_KEYWORD define triggers other
  175651. * changes that are needed. (Tim Wegner)
  175652. */
  175653. /* Separate compiler dependencies (problem here is that zlib.h always
  175654. defines FAR. (SJT) */
  175655. #ifdef __BORLANDC__
  175656. # if defined(__LARGE__) || defined(__HUGE__) || defined(__COMPACT__)
  175657. # define LDATA 1
  175658. # else
  175659. # define LDATA 0
  175660. # endif
  175661. /* GRR: why is Cygwin in here? Cygwin is not Borland C... */
  175662. # if !defined(__WIN32__) && !defined(__FLAT__) && !defined(__CYGWIN__)
  175663. # define PNG_MAX_MALLOC_64K
  175664. # if (LDATA != 1)
  175665. # ifndef FAR
  175666. # define FAR __far
  175667. # endif
  175668. # define USE_FAR_KEYWORD
  175669. # endif /* LDATA != 1 */
  175670. /* Possibly useful for moving data out of default segment.
  175671. * Uncomment it if you want. Could also define FARDATA as
  175672. * const if your compiler supports it. (SJT)
  175673. # define FARDATA FAR
  175674. */
  175675. # endif /* __WIN32__, __FLAT__, __CYGWIN__ */
  175676. #endif /* __BORLANDC__ */
  175677. /* Suggest testing for specific compiler first before testing for
  175678. * FAR. The Watcom compiler defines both __MEDIUM__ and M_I86MM,
  175679. * making reliance oncertain keywords suspect. (SJT)
  175680. */
  175681. /* MSC Medium model */
  175682. #if defined(FAR)
  175683. # if defined(M_I86MM)
  175684. # define USE_FAR_KEYWORD
  175685. # define FARDATA FAR
  175686. # include <dos.h>
  175687. # endif
  175688. #endif
  175689. /* SJT: default case */
  175690. #ifndef FAR
  175691. # define FAR
  175692. #endif
  175693. /* At this point FAR is always defined */
  175694. #ifndef FARDATA
  175695. # define FARDATA
  175696. #endif
  175697. /* Typedef for floating-point numbers that are converted
  175698. to fixed-point with a multiple of 100,000, e.g., int_gamma */
  175699. typedef png_int_32 png_fixed_point;
  175700. /* Add typedefs for pointers */
  175701. typedef void FAR * png_voidp;
  175702. typedef png_byte FAR * png_bytep;
  175703. typedef png_uint_32 FAR * png_uint_32p;
  175704. typedef png_int_32 FAR * png_int_32p;
  175705. typedef png_uint_16 FAR * png_uint_16p;
  175706. typedef png_int_16 FAR * png_int_16p;
  175707. typedef PNG_CONST char FAR * png_const_charp;
  175708. typedef char FAR * png_charp;
  175709. typedef png_fixed_point FAR * png_fixed_point_p;
  175710. #ifndef PNG_NO_STDIO
  175711. #if defined(_WIN32_WCE)
  175712. typedef HANDLE png_FILE_p;
  175713. #else
  175714. typedef FILE * png_FILE_p;
  175715. #endif
  175716. #endif
  175717. #ifdef PNG_FLOATING_POINT_SUPPORTED
  175718. typedef double FAR * png_doublep;
  175719. #endif
  175720. /* Pointers to pointers; i.e. arrays */
  175721. typedef png_byte FAR * FAR * png_bytepp;
  175722. typedef png_uint_32 FAR * FAR * png_uint_32pp;
  175723. typedef png_int_32 FAR * FAR * png_int_32pp;
  175724. typedef png_uint_16 FAR * FAR * png_uint_16pp;
  175725. typedef png_int_16 FAR * FAR * png_int_16pp;
  175726. typedef PNG_CONST char FAR * FAR * png_const_charpp;
  175727. typedef char FAR * FAR * png_charpp;
  175728. typedef png_fixed_point FAR * FAR * png_fixed_point_pp;
  175729. #ifdef PNG_FLOATING_POINT_SUPPORTED
  175730. typedef double FAR * FAR * png_doublepp;
  175731. #endif
  175732. /* Pointers to pointers to pointers; i.e., pointer to array */
  175733. typedef char FAR * FAR * FAR * png_charppp;
  175734. #if 0
  175735. /* SPC - Is this stuff deprecated? */
  175736. /* It'll be removed as of libpng-1.3.0 - GR-P */
  175737. /* libpng typedefs for types in zlib. If zlib changes
  175738. * or another compression library is used, then change these.
  175739. * Eliminates need to change all the source files.
  175740. */
  175741. typedef charf * png_zcharp;
  175742. typedef charf * FAR * png_zcharpp;
  175743. typedef z_stream FAR * png_zstreamp;
  175744. #endif /* (PNG_1_0_X) || defined(PNG_1_2_X) */
  175745. /*
  175746. * Define PNG_BUILD_DLL if the module being built is a Windows
  175747. * LIBPNG DLL.
  175748. *
  175749. * Define PNG_USE_DLL if you want to *link* to the Windows LIBPNG DLL.
  175750. * It is equivalent to Microsoft predefined macro _DLL that is
  175751. * automatically defined when you compile using the share
  175752. * version of the CRT (C Run-Time library)
  175753. *
  175754. * The cygwin mods make this behavior a little different:
  175755. * Define PNG_BUILD_DLL if you are building a dll for use with cygwin
  175756. * Define PNG_STATIC if you are building a static library for use with cygwin,
  175757. * -or- if you are building an application that you want to link to the
  175758. * static library.
  175759. * PNG_USE_DLL is defined by default (no user action needed) unless one of
  175760. * the other flags is defined.
  175761. */
  175762. #if !defined(PNG_DLL) && (defined(PNG_BUILD_DLL) || defined(PNG_USE_DLL))
  175763. # define PNG_DLL
  175764. #endif
  175765. /* If CYGWIN, then disallow GLOBAL ARRAYS unless building a static lib.
  175766. * When building a static lib, default to no GLOBAL ARRAYS, but allow
  175767. * command-line override
  175768. */
  175769. #if defined(__CYGWIN__)
  175770. # if !defined(PNG_STATIC)
  175771. # if defined(PNG_USE_GLOBAL_ARRAYS)
  175772. # undef PNG_USE_GLOBAL_ARRAYS
  175773. # endif
  175774. # if !defined(PNG_USE_LOCAL_ARRAYS)
  175775. # define PNG_USE_LOCAL_ARRAYS
  175776. # endif
  175777. # else
  175778. # if defined(PNG_USE_LOCAL_ARRAYS) || defined(PNG_NO_GLOBAL_ARRAYS)
  175779. # if defined(PNG_USE_GLOBAL_ARRAYS)
  175780. # undef PNG_USE_GLOBAL_ARRAYS
  175781. # endif
  175782. # endif
  175783. # endif
  175784. # if !defined(PNG_USE_LOCAL_ARRAYS) && !defined(PNG_USE_GLOBAL_ARRAYS)
  175785. # define PNG_USE_LOCAL_ARRAYS
  175786. # endif
  175787. #endif
  175788. /* Do not use global arrays (helps with building DLL's)
  175789. * They are no longer used in libpng itself, since version 1.0.5c,
  175790. * but might be required for some pre-1.0.5c applications.
  175791. */
  175792. #if !defined(PNG_USE_LOCAL_ARRAYS) && !defined(PNG_USE_GLOBAL_ARRAYS)
  175793. # if defined(PNG_NO_GLOBAL_ARRAYS) || \
  175794. (defined(__GNUC__) && defined(PNG_DLL)) || defined(_MSC_VER)
  175795. # define PNG_USE_LOCAL_ARRAYS
  175796. # else
  175797. # define PNG_USE_GLOBAL_ARRAYS
  175798. # endif
  175799. #endif
  175800. #if defined(__CYGWIN__)
  175801. # undef PNGAPI
  175802. # define PNGAPI __cdecl
  175803. # undef PNG_IMPEXP
  175804. # define PNG_IMPEXP
  175805. #endif
  175806. /* If you define PNGAPI, e.g., with compiler option "-DPNGAPI=__stdcall",
  175807. * you may get warnings regarding the linkage of png_zalloc and png_zfree.
  175808. * Don't ignore those warnings; you must also reset the default calling
  175809. * convention in your compiler to match your PNGAPI, and you must build
  175810. * zlib and your applications the same way you build libpng.
  175811. */
  175812. #if defined(__MINGW32__) && !defined(PNG_MODULEDEF)
  175813. # ifndef PNG_NO_MODULEDEF
  175814. # define PNG_NO_MODULEDEF
  175815. # endif
  175816. #endif
  175817. #if !defined(PNG_IMPEXP) && defined(PNG_BUILD_DLL) && !defined(PNG_NO_MODULEDEF)
  175818. # define PNG_IMPEXP
  175819. #endif
  175820. #if defined(PNG_DLL) || defined(_DLL) || defined(__DLL__ ) || \
  175821. (( defined(_Windows) || defined(_WINDOWS) || \
  175822. defined(WIN32) || defined(_WIN32) || defined(__WIN32__) ))
  175823. # ifndef PNGAPI
  175824. # if defined(__GNUC__) || (defined (_MSC_VER) && (_MSC_VER >= 800))
  175825. # define PNGAPI __cdecl
  175826. # else
  175827. # define PNGAPI _cdecl
  175828. # endif
  175829. # endif
  175830. # if !defined(PNG_IMPEXP) && (!defined(PNG_DLL) || \
  175831. 0 /* WINCOMPILER_WITH_NO_SUPPORT_FOR_DECLIMPEXP */)
  175832. # define PNG_IMPEXP
  175833. # endif
  175834. # if !defined(PNG_IMPEXP)
  175835. # define PNG_EXPORT_TYPE1(type,symbol) PNG_IMPEXP type PNGAPI symbol
  175836. # define PNG_EXPORT_TYPE2(type,symbol) type PNG_IMPEXP PNGAPI symbol
  175837. /* Borland/Microsoft */
  175838. # if defined(_MSC_VER) || defined(__BORLANDC__)
  175839. # if (_MSC_VER >= 800) || (__BORLANDC__ >= 0x500)
  175840. # define PNG_EXPORT PNG_EXPORT_TYPE1
  175841. # else
  175842. # define PNG_EXPORT PNG_EXPORT_TYPE2
  175843. # if defined(PNG_BUILD_DLL)
  175844. # define PNG_IMPEXP __export
  175845. # else
  175846. # define PNG_IMPEXP /*__import */ /* doesn't exist AFAIK in
  175847. VC++ */
  175848. # endif /* Exists in Borland C++ for
  175849. C++ classes (== huge) */
  175850. # endif
  175851. # endif
  175852. # if !defined(PNG_IMPEXP)
  175853. # if defined(PNG_BUILD_DLL)
  175854. # define PNG_IMPEXP __declspec(dllexport)
  175855. # else
  175856. # define PNG_IMPEXP __declspec(dllimport)
  175857. # endif
  175858. # endif
  175859. # endif /* PNG_IMPEXP */
  175860. #else /* !(DLL || non-cygwin WINDOWS) */
  175861. # if (defined(__IBMC__) || defined(__IBMCPP__)) && defined(__OS2__)
  175862. # ifndef PNGAPI
  175863. # define PNGAPI _System
  175864. # endif
  175865. # else
  175866. # if 0 /* ... other platforms, with other meanings */
  175867. # endif
  175868. # endif
  175869. #endif
  175870. #ifndef PNGAPI
  175871. # define PNGAPI
  175872. #endif
  175873. #ifndef PNG_IMPEXP
  175874. # define PNG_IMPEXP
  175875. #endif
  175876. #ifdef PNG_BUILDSYMS
  175877. # ifndef PNG_EXPORT
  175878. # define PNG_EXPORT(type,symbol) PNG_FUNCTION_EXPORT symbol END
  175879. # endif
  175880. # ifdef PNG_USE_GLOBAL_ARRAYS
  175881. # ifndef PNG_EXPORT_VAR
  175882. # define PNG_EXPORT_VAR(type) PNG_DATA_EXPORT
  175883. # endif
  175884. # endif
  175885. #endif
  175886. #ifndef PNG_EXPORT
  175887. # define PNG_EXPORT(type,symbol) PNG_IMPEXP type PNGAPI symbol
  175888. #endif
  175889. #ifdef PNG_USE_GLOBAL_ARRAYS
  175890. # ifndef PNG_EXPORT_VAR
  175891. # define PNG_EXPORT_VAR(type) extern PNG_IMPEXP type
  175892. # endif
  175893. #endif
  175894. /* User may want to use these so they are not in PNG_INTERNAL. Any library
  175895. * functions that are passed far data must be model independent.
  175896. */
  175897. #ifndef PNG_ABORT
  175898. # define PNG_ABORT() abort()
  175899. #endif
  175900. #ifdef PNG_SETJMP_SUPPORTED
  175901. # define png_jmpbuf(png_ptr) ((png_ptr)->jmpbuf)
  175902. #else
  175903. # define png_jmpbuf(png_ptr) \
  175904. (LIBPNG_WAS_COMPILED_WITH__PNG_SETJMP_NOT_SUPPORTED)
  175905. #endif
  175906. #if defined(USE_FAR_KEYWORD) /* memory model independent fns */
  175907. /* use this to make far-to-near assignments */
  175908. # define CHECK 1
  175909. # define NOCHECK 0
  175910. # define CVT_PTR(ptr) (png_far_to_near(png_ptr,ptr,CHECK))
  175911. # define CVT_PTR_NOCHECK(ptr) (png_far_to_near(png_ptr,ptr,NOCHECK))
  175912. # define png_snprintf _fsnprintf /* Added to v 1.2.19 */
  175913. # define png_strcpy _fstrcpy
  175914. # define png_strncpy _fstrncpy /* Added to v 1.2.6 */
  175915. # define png_strlen _fstrlen
  175916. # define png_memcmp _fmemcmp /* SJT: added */
  175917. # define png_memcpy _fmemcpy
  175918. # define png_memset _fmemset
  175919. #else /* use the usual functions */
  175920. # define CVT_PTR(ptr) (ptr)
  175921. # define CVT_PTR_NOCHECK(ptr) (ptr)
  175922. # ifndef PNG_NO_SNPRINTF
  175923. # ifdef _MSC_VER
  175924. # define png_snprintf _snprintf /* Added to v 1.2.19 */
  175925. # define png_snprintf2 _snprintf
  175926. # define png_snprintf6 _snprintf
  175927. # else
  175928. # define png_snprintf snprintf /* Added to v 1.2.19 */
  175929. # define png_snprintf2 snprintf
  175930. # define png_snprintf6 snprintf
  175931. # endif
  175932. # else
  175933. /* You don't have or don't want to use snprintf(). Caution: Using
  175934. * sprintf instead of snprintf exposes your application to accidental
  175935. * or malevolent buffer overflows. If you don't have snprintf()
  175936. * as a general rule you should provide one (you can get one from
  175937. * Portable OpenSSH). */
  175938. # define png_snprintf(s1,n,fmt,x1) sprintf(s1,fmt,x1)
  175939. # define png_snprintf2(s1,n,fmt,x1,x2) sprintf(s1,fmt,x1,x2)
  175940. # define png_snprintf6(s1,n,fmt,x1,x2,x3,x4,x5,x6) \
  175941. sprintf(s1,fmt,x1,x2,x3,x4,x5,x6)
  175942. # endif
  175943. # define png_strcpy strcpy
  175944. # define png_strncpy strncpy /* Added to v 1.2.6 */
  175945. # define png_strlen strlen
  175946. # define png_memcmp memcmp /* SJT: added */
  175947. # define png_memcpy memcpy
  175948. # define png_memset memset
  175949. #endif
  175950. /* End of memory model independent support */
  175951. /* Just a little check that someone hasn't tried to define something
  175952. * contradictory.
  175953. */
  175954. #if (PNG_ZBUF_SIZE > 65536L) && defined(PNG_MAX_MALLOC_64K)
  175955. # undef PNG_ZBUF_SIZE
  175956. # define PNG_ZBUF_SIZE 65536L
  175957. #endif
  175958. /* Added at libpng-1.2.8 */
  175959. #endif /* PNG_VERSION_INFO_ONLY */
  175960. #endif /* PNGCONF_H */
  175961. /********* End of inlined file: pngconf.h *********/
  175962. #ifdef _MSC_VER
  175963. #pragma warning (disable: 4996 4100)
  175964. #endif
  175965. /*
  175966. * Added at libpng-1.2.8 */
  175967. /* Ref MSDN: Private as priority over Special
  175968. * VS_FF_PRIVATEBUILD File *was not* built using standard release
  175969. * procedures. If this value is given, the StringFileInfo block must
  175970. * contain a PrivateBuild string.
  175971. *
  175972. * VS_FF_SPECIALBUILD File *was* built by the original company using
  175973. * standard release procedures but is a variation of the standard
  175974. * file of the same version number. If this value is given, the
  175975. * StringFileInfo block must contain a SpecialBuild string.
  175976. */
  175977. #if defined(PNG_USER_PRIVATEBUILD)
  175978. # define PNG_LIBPNG_BUILD_TYPE \
  175979. (PNG_LIBPNG_BUILD_BASE_TYPE | PNG_LIBPNG_BUILD_PRIVATE)
  175980. #else
  175981. # if defined(PNG_LIBPNG_SPECIALBUILD)
  175982. # define PNG_LIBPNG_BUILD_TYPE \
  175983. (PNG_LIBPNG_BUILD_BASE_TYPE | PNG_LIBPNG_BUILD_SPECIAL)
  175984. # else
  175985. # define PNG_LIBPNG_BUILD_TYPE (PNG_LIBPNG_BUILD_BASE_TYPE)
  175986. # endif
  175987. #endif
  175988. #ifndef PNG_VERSION_INFO_ONLY
  175989. /* Inhibit C++ name-mangling for libpng functions but not for system calls. */
  175990. #ifdef __cplusplus
  175991. extern "C" {
  175992. #endif /* __cplusplus */
  175993. /* This file is arranged in several sections. The first section contains
  175994. * structure and type definitions. The second section contains the external
  175995. * library functions, while the third has the internal library functions,
  175996. * which applications aren't expected to use directly.
  175997. */
  175998. #ifndef PNG_NO_TYPECAST_NULL
  175999. #define int_p_NULL (int *)NULL
  176000. #define png_bytep_NULL (png_bytep)NULL
  176001. #define png_bytepp_NULL (png_bytepp)NULL
  176002. #define png_doublep_NULL (png_doublep)NULL
  176003. #define png_error_ptr_NULL (png_error_ptr)NULL
  176004. #define png_flush_ptr_NULL (png_flush_ptr)NULL
  176005. #define png_free_ptr_NULL (png_free_ptr)NULL
  176006. #define png_infopp_NULL (png_infopp)NULL
  176007. #define png_malloc_ptr_NULL (png_malloc_ptr)NULL
  176008. #define png_read_status_ptr_NULL (png_read_status_ptr)NULL
  176009. #define png_rw_ptr_NULL (png_rw_ptr)NULL
  176010. #define png_structp_NULL (png_structp)NULL
  176011. #define png_uint_16p_NULL (png_uint_16p)NULL
  176012. #define png_voidp_NULL (png_voidp)NULL
  176013. #define png_write_status_ptr_NULL (png_write_status_ptr)NULL
  176014. #else
  176015. #define int_p_NULL NULL
  176016. #define png_bytep_NULL NULL
  176017. #define png_bytepp_NULL NULL
  176018. #define png_doublep_NULL NULL
  176019. #define png_error_ptr_NULL NULL
  176020. #define png_flush_ptr_NULL NULL
  176021. #define png_free_ptr_NULL NULL
  176022. #define png_infopp_NULL NULL
  176023. #define png_malloc_ptr_NULL NULL
  176024. #define png_read_status_ptr_NULL NULL
  176025. #define png_rw_ptr_NULL NULL
  176026. #define png_structp_NULL NULL
  176027. #define png_uint_16p_NULL NULL
  176028. #define png_voidp_NULL NULL
  176029. #define png_write_status_ptr_NULL NULL
  176030. #endif
  176031. /* variables declared in png.c - only it needs to define PNG_NO_EXTERN */
  176032. #if !defined(PNG_NO_EXTERN) || defined(PNG_ALWAYS_EXTERN)
  176033. /* Version information for C files, stored in png.c. This had better match
  176034. * the version above.
  176035. */
  176036. #ifdef PNG_USE_GLOBAL_ARRAYS
  176037. PNG_EXPORT_VAR (PNG_CONST char) png_libpng_ver[18];
  176038. /* need room for 99.99.99beta99z */
  176039. #else
  176040. #define png_libpng_ver png_get_header_ver(NULL)
  176041. #endif
  176042. #ifdef PNG_USE_GLOBAL_ARRAYS
  176043. /* This was removed in version 1.0.5c */
  176044. /* Structures to facilitate easy interlacing. See png.c for more details */
  176045. PNG_EXPORT_VAR (PNG_CONST int FARDATA) png_pass_start[7];
  176046. PNG_EXPORT_VAR (PNG_CONST int FARDATA) png_pass_inc[7];
  176047. PNG_EXPORT_VAR (PNG_CONST int FARDATA) png_pass_ystart[7];
  176048. PNG_EXPORT_VAR (PNG_CONST int FARDATA) png_pass_yinc[7];
  176049. PNG_EXPORT_VAR (PNG_CONST int FARDATA) png_pass_mask[7];
  176050. PNG_EXPORT_VAR (PNG_CONST int FARDATA) png_pass_dsp_mask[7];
  176051. /* This isn't currently used. If you need it, see png.c for more details.
  176052. PNG_EXPORT_VAR (PNG_CONST int FARDATA) png_pass_height[7];
  176053. */
  176054. #endif
  176055. #endif /* PNG_NO_EXTERN */
  176056. /* Three color definitions. The order of the red, green, and blue, (and the
  176057. * exact size) is not important, although the size of the fields need to
  176058. * be png_byte or png_uint_16 (as defined below).
  176059. */
  176060. typedef struct png_color_struct
  176061. {
  176062. png_byte red;
  176063. png_byte green;
  176064. png_byte blue;
  176065. } png_color;
  176066. typedef png_color FAR * png_colorp;
  176067. typedef png_color FAR * FAR * png_colorpp;
  176068. typedef struct png_color_16_struct
  176069. {
  176070. png_byte index; /* used for palette files */
  176071. png_uint_16 red; /* for use in red green blue files */
  176072. png_uint_16 green;
  176073. png_uint_16 blue;
  176074. png_uint_16 gray; /* for use in grayscale files */
  176075. } png_color_16;
  176076. typedef png_color_16 FAR * png_color_16p;
  176077. typedef png_color_16 FAR * FAR * png_color_16pp;
  176078. typedef struct png_color_8_struct
  176079. {
  176080. png_byte red; /* for use in red green blue files */
  176081. png_byte green;
  176082. png_byte blue;
  176083. png_byte gray; /* for use in grayscale files */
  176084. png_byte alpha; /* for alpha channel files */
  176085. } png_color_8;
  176086. typedef png_color_8 FAR * png_color_8p;
  176087. typedef png_color_8 FAR * FAR * png_color_8pp;
  176088. /*
  176089. * The following two structures are used for the in-core representation
  176090. * of sPLT chunks.
  176091. */
  176092. typedef struct png_sPLT_entry_struct
  176093. {
  176094. png_uint_16 red;
  176095. png_uint_16 green;
  176096. png_uint_16 blue;
  176097. png_uint_16 alpha;
  176098. png_uint_16 frequency;
  176099. } png_sPLT_entry;
  176100. typedef png_sPLT_entry FAR * png_sPLT_entryp;
  176101. typedef png_sPLT_entry FAR * FAR * png_sPLT_entrypp;
  176102. /* When the depth of the sPLT palette is 8 bits, the color and alpha samples
  176103. * occupy the LSB of their respective members, and the MSB of each member
  176104. * is zero-filled. The frequency member always occupies the full 16 bits.
  176105. */
  176106. typedef struct png_sPLT_struct
  176107. {
  176108. png_charp name; /* palette name */
  176109. png_byte depth; /* depth of palette samples */
  176110. png_sPLT_entryp entries; /* palette entries */
  176111. png_int_32 nentries; /* number of palette entries */
  176112. } png_sPLT_t;
  176113. typedef png_sPLT_t FAR * png_sPLT_tp;
  176114. typedef png_sPLT_t FAR * FAR * png_sPLT_tpp;
  176115. #ifdef PNG_TEXT_SUPPORTED
  176116. /* png_text holds the contents of a text/ztxt/itxt chunk in a PNG file,
  176117. * and whether that contents is compressed or not. The "key" field
  176118. * points to a regular zero-terminated C string. The "text", "lang", and
  176119. * "lang_key" fields can be regular C strings, empty strings, or NULL pointers.
  176120. * However, the * structure returned by png_get_text() will always contain
  176121. * regular zero-terminated C strings (possibly empty), never NULL pointers,
  176122. * so they can be safely used in printf() and other string-handling functions.
  176123. */
  176124. typedef struct png_text_struct
  176125. {
  176126. int compression; /* compression value:
  176127. -1: tEXt, none
  176128. 0: zTXt, deflate
  176129. 1: iTXt, none
  176130. 2: iTXt, deflate */
  176131. png_charp key; /* keyword, 1-79 character description of "text" */
  176132. png_charp text; /* comment, may be an empty string (ie "")
  176133. or a NULL pointer */
  176134. png_size_t text_length; /* length of the text string */
  176135. #ifdef PNG_iTXt_SUPPORTED
  176136. png_size_t itxt_length; /* length of the itxt string */
  176137. png_charp lang; /* language code, 0-79 characters
  176138. or a NULL pointer */
  176139. png_charp lang_key; /* keyword translated UTF-8 string, 0 or more
  176140. chars or a NULL pointer */
  176141. #endif
  176142. } png_text;
  176143. typedef png_text FAR * png_textp;
  176144. typedef png_text FAR * FAR * png_textpp;
  176145. #endif
  176146. /* Supported compression types for text in PNG files (tEXt, and zTXt).
  176147. * The values of the PNG_TEXT_COMPRESSION_ defines should NOT be changed. */
  176148. #define PNG_TEXT_COMPRESSION_NONE_WR -3
  176149. #define PNG_TEXT_COMPRESSION_zTXt_WR -2
  176150. #define PNG_TEXT_COMPRESSION_NONE -1
  176151. #define PNG_TEXT_COMPRESSION_zTXt 0
  176152. #define PNG_ITXT_COMPRESSION_NONE 1
  176153. #define PNG_ITXT_COMPRESSION_zTXt 2
  176154. #define PNG_TEXT_COMPRESSION_LAST 3 /* Not a valid value */
  176155. /* png_time is a way to hold the time in an machine independent way.
  176156. * Two conversions are provided, both from time_t and struct tm. There
  176157. * is no portable way to convert to either of these structures, as far
  176158. * as I know. If you know of a portable way, send it to me. As a side
  176159. * note - PNG has always been Year 2000 compliant!
  176160. */
  176161. typedef struct png_time_struct
  176162. {
  176163. png_uint_16 year; /* full year, as in, 1995 */
  176164. png_byte month; /* month of year, 1 - 12 */
  176165. png_byte day; /* day of month, 1 - 31 */
  176166. png_byte hour; /* hour of day, 0 - 23 */
  176167. png_byte minute; /* minute of hour, 0 - 59 */
  176168. png_byte second; /* second of minute, 0 - 60 (for leap seconds) */
  176169. } png_time;
  176170. typedef png_time FAR * png_timep;
  176171. typedef png_time FAR * FAR * png_timepp;
  176172. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  176173. /* png_unknown_chunk is a structure to hold queued chunks for which there is
  176174. * no specific support. The idea is that we can use this to queue
  176175. * up private chunks for output even though the library doesn't actually
  176176. * know about their semantics.
  176177. */
  176178. typedef struct png_unknown_chunk_t
  176179. {
  176180. png_byte name[5];
  176181. png_byte *data;
  176182. png_size_t size;
  176183. /* libpng-using applications should NOT directly modify this byte. */
  176184. png_byte location; /* mode of operation at read time */
  176185. }
  176186. png_unknown_chunk;
  176187. typedef png_unknown_chunk FAR * png_unknown_chunkp;
  176188. typedef png_unknown_chunk FAR * FAR * png_unknown_chunkpp;
  176189. #endif
  176190. /* png_info is a structure that holds the information in a PNG file so
  176191. * that the application can find out the characteristics of the image.
  176192. * If you are reading the file, this structure will tell you what is
  176193. * in the PNG file. If you are writing the file, fill in the information
  176194. * you want to put into the PNG file, then call png_write_info().
  176195. * The names chosen should be very close to the PNG specification, so
  176196. * consult that document for information about the meaning of each field.
  176197. *
  176198. * With libpng < 0.95, it was only possible to directly set and read the
  176199. * the values in the png_info_struct, which meant that the contents and
  176200. * order of the values had to remain fixed. With libpng 0.95 and later,
  176201. * however, there are now functions that abstract the contents of
  176202. * png_info_struct from the application, so this makes it easier to use
  176203. * libpng with dynamic libraries, and even makes it possible to use
  176204. * libraries that don't have all of the libpng ancillary chunk-handing
  176205. * functionality.
  176206. *
  176207. * In any case, the order of the parameters in png_info_struct should NOT
  176208. * be changed for as long as possible to keep compatibility with applications
  176209. * that use the old direct-access method with png_info_struct.
  176210. *
  176211. * The following members may have allocated storage attached that should be
  176212. * cleaned up before the structure is discarded: palette, trans, text,
  176213. * pcal_purpose, pcal_units, pcal_params, hist, iccp_name, iccp_profile,
  176214. * splt_palettes, scal_unit, row_pointers, and unknowns. By default, these
  176215. * are automatically freed when the info structure is deallocated, if they were
  176216. * allocated internally by libpng. This behavior can be changed by means
  176217. * of the png_data_freer() function.
  176218. *
  176219. * More allocation details: all the chunk-reading functions that
  176220. * change these members go through the corresponding png_set_*
  176221. * functions. A function to clear these members is available: see
  176222. * png_free_data(). The png_set_* functions do not depend on being
  176223. * able to point info structure members to any of the storage they are
  176224. * passed (they make their own copies), EXCEPT that the png_set_text
  176225. * functions use the same storage passed to them in the text_ptr or
  176226. * itxt_ptr structure argument, and the png_set_rows and png_set_unknowns
  176227. * functions do not make their own copies.
  176228. */
  176229. typedef struct png_info_struct
  176230. {
  176231. /* the following are necessary for every PNG file */
  176232. png_uint_32 width; /* width of image in pixels (from IHDR) */
  176233. png_uint_32 height; /* height of image in pixels (from IHDR) */
  176234. png_uint_32 valid; /* valid chunk data (see PNG_INFO_ below) */
  176235. png_uint_32 rowbytes; /* bytes needed to hold an untransformed row */
  176236. png_colorp palette; /* array of color values (valid & PNG_INFO_PLTE) */
  176237. png_uint_16 num_palette; /* number of color entries in "palette" (PLTE) */
  176238. png_uint_16 num_trans; /* number of transparent palette color (tRNS) */
  176239. png_byte bit_depth; /* 1, 2, 4, 8, or 16 bits/channel (from IHDR) */
  176240. png_byte color_type; /* see PNG_COLOR_TYPE_ below (from IHDR) */
  176241. /* The following three should have been named *_method not *_type */
  176242. png_byte compression_type; /* must be PNG_COMPRESSION_TYPE_BASE (IHDR) */
  176243. png_byte filter_type; /* must be PNG_FILTER_TYPE_BASE (from IHDR) */
  176244. png_byte interlace_type; /* One of PNG_INTERLACE_NONE, PNG_INTERLACE_ADAM7 */
  176245. /* The following is informational only on read, and not used on writes. */
  176246. png_byte channels; /* number of data channels per pixel (1, 2, 3, 4) */
  176247. png_byte pixel_depth; /* number of bits per pixel */
  176248. png_byte spare_byte; /* to align the data, and for future use */
  176249. png_byte signature[8]; /* magic bytes read by libpng from start of file */
  176250. /* The rest of the data is optional. If you are reading, check the
  176251. * valid field to see if the information in these are valid. If you
  176252. * are writing, set the valid field to those chunks you want written,
  176253. * and initialize the appropriate fields below.
  176254. */
  176255. #if defined(PNG_gAMA_SUPPORTED) && defined(PNG_FLOATING_POINT_SUPPORTED)
  176256. /* The gAMA chunk describes the gamma characteristics of the system
  176257. * on which the image was created, normally in the range [1.0, 2.5].
  176258. * Data is valid if (valid & PNG_INFO_gAMA) is non-zero.
  176259. */
  176260. float gamma; /* gamma value of image, if (valid & PNG_INFO_gAMA) */
  176261. #endif
  176262. #if defined(PNG_sRGB_SUPPORTED)
  176263. /* GR-P, 0.96a */
  176264. /* Data valid if (valid & PNG_INFO_sRGB) non-zero. */
  176265. png_byte srgb_intent; /* sRGB rendering intent [0, 1, 2, or 3] */
  176266. #endif
  176267. #if defined(PNG_TEXT_SUPPORTED)
  176268. /* The tEXt, and zTXt chunks contain human-readable textual data in
  176269. * uncompressed, compressed, and optionally compressed forms, respectively.
  176270. * The data in "text" is an array of pointers to uncompressed,
  176271. * null-terminated C strings. Each chunk has a keyword that describes the
  176272. * textual data contained in that chunk. Keywords are not required to be
  176273. * unique, and the text string may be empty. Any number of text chunks may
  176274. * be in an image.
  176275. */
  176276. int num_text; /* number of comments read/to write */
  176277. int max_text; /* current size of text array */
  176278. png_textp text; /* array of comments read/to write */
  176279. #endif /* PNG_TEXT_SUPPORTED */
  176280. #if defined(PNG_tIME_SUPPORTED)
  176281. /* The tIME chunk holds the last time the displayed image data was
  176282. * modified. See the png_time struct for the contents of this struct.
  176283. */
  176284. png_time mod_time;
  176285. #endif
  176286. #if defined(PNG_sBIT_SUPPORTED)
  176287. /* The sBIT chunk specifies the number of significant high-order bits
  176288. * in the pixel data. Values are in the range [1, bit_depth], and are
  176289. * only specified for the channels in the pixel data. The contents of
  176290. * the low-order bits is not specified. Data is valid if
  176291. * (valid & PNG_INFO_sBIT) is non-zero.
  176292. */
  176293. png_color_8 sig_bit; /* significant bits in color channels */
  176294. #endif
  176295. #if defined(PNG_tRNS_SUPPORTED) || defined(PNG_READ_EXPAND_SUPPORTED) || \
  176296. defined(PNG_READ_BACKGROUND_SUPPORTED)
  176297. /* The tRNS chunk supplies transparency data for paletted images and
  176298. * other image types that don't need a full alpha channel. There are
  176299. * "num_trans" transparency values for a paletted image, stored in the
  176300. * same order as the palette colors, starting from index 0. Values
  176301. * for the data are in the range [0, 255], ranging from fully transparent
  176302. * to fully opaque, respectively. For non-paletted images, there is a
  176303. * single color specified that should be treated as fully transparent.
  176304. * Data is valid if (valid & PNG_INFO_tRNS) is non-zero.
  176305. */
  176306. png_bytep trans; /* transparent values for paletted image */
  176307. png_color_16 trans_values; /* transparent color for non-palette image */
  176308. #endif
  176309. #if defined(PNG_bKGD_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  176310. /* The bKGD chunk gives the suggested image background color if the
  176311. * display program does not have its own background color and the image
  176312. * is needs to composited onto a background before display. The colors
  176313. * in "background" are normally in the same color space/depth as the
  176314. * pixel data. Data is valid if (valid & PNG_INFO_bKGD) is non-zero.
  176315. */
  176316. png_color_16 background;
  176317. #endif
  176318. #if defined(PNG_oFFs_SUPPORTED)
  176319. /* The oFFs chunk gives the offset in "offset_unit_type" units rightwards
  176320. * and downwards from the top-left corner of the display, page, or other
  176321. * application-specific co-ordinate space. See the PNG_OFFSET_ defines
  176322. * below for the unit types. Valid if (valid & PNG_INFO_oFFs) non-zero.
  176323. */
  176324. png_int_32 x_offset; /* x offset on page */
  176325. png_int_32 y_offset; /* y offset on page */
  176326. png_byte offset_unit_type; /* offset units type */
  176327. #endif
  176328. #if defined(PNG_pHYs_SUPPORTED)
  176329. /* The pHYs chunk gives the physical pixel density of the image for
  176330. * display or printing in "phys_unit_type" units (see PNG_RESOLUTION_
  176331. * defines below). Data is valid if (valid & PNG_INFO_pHYs) is non-zero.
  176332. */
  176333. png_uint_32 x_pixels_per_unit; /* horizontal pixel density */
  176334. png_uint_32 y_pixels_per_unit; /* vertical pixel density */
  176335. png_byte phys_unit_type; /* resolution type (see PNG_RESOLUTION_ below) */
  176336. #endif
  176337. #if defined(PNG_hIST_SUPPORTED)
  176338. /* The hIST chunk contains the relative frequency or importance of the
  176339. * various palette entries, so that a viewer can intelligently select a
  176340. * reduced-color palette, if required. Data is an array of "num_palette"
  176341. * values in the range [0,65535]. Data valid if (valid & PNG_INFO_hIST)
  176342. * is non-zero.
  176343. */
  176344. png_uint_16p hist;
  176345. #endif
  176346. #ifdef PNG_cHRM_SUPPORTED
  176347. /* The cHRM chunk describes the CIE color characteristics of the monitor
  176348. * on which the PNG was created. This data allows the viewer to do gamut
  176349. * mapping of the input image to ensure that the viewer sees the same
  176350. * colors in the image as the creator. Values are in the range
  176351. * [0.0, 0.8]. Data valid if (valid & PNG_INFO_cHRM) non-zero.
  176352. */
  176353. #ifdef PNG_FLOATING_POINT_SUPPORTED
  176354. float x_white;
  176355. float y_white;
  176356. float x_red;
  176357. float y_red;
  176358. float x_green;
  176359. float y_green;
  176360. float x_blue;
  176361. float y_blue;
  176362. #endif
  176363. #endif
  176364. #if defined(PNG_pCAL_SUPPORTED)
  176365. /* The pCAL chunk describes a transformation between the stored pixel
  176366. * values and original physical data values used to create the image.
  176367. * The integer range [0, 2^bit_depth - 1] maps to the floating-point
  176368. * range given by [pcal_X0, pcal_X1], and are further transformed by a
  176369. * (possibly non-linear) transformation function given by "pcal_type"
  176370. * and "pcal_params" into "pcal_units". Please see the PNG_EQUATION_
  176371. * defines below, and the PNG-Group's PNG extensions document for a
  176372. * complete description of the transformations and how they should be
  176373. * implemented, and for a description of the ASCII parameter strings.
  176374. * Data values are valid if (valid & PNG_INFO_pCAL) non-zero.
  176375. */
  176376. png_charp pcal_purpose; /* pCAL chunk description string */
  176377. png_int_32 pcal_X0; /* minimum value */
  176378. png_int_32 pcal_X1; /* maximum value */
  176379. png_charp pcal_units; /* Latin-1 string giving physical units */
  176380. png_charpp pcal_params; /* ASCII strings containing parameter values */
  176381. png_byte pcal_type; /* equation type (see PNG_EQUATION_ below) */
  176382. png_byte pcal_nparams; /* number of parameters given in pcal_params */
  176383. #endif
  176384. /* New members added in libpng-1.0.6 */
  176385. #ifdef PNG_FREE_ME_SUPPORTED
  176386. png_uint_32 free_me; /* flags items libpng is responsible for freeing */
  176387. #endif
  176388. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  176389. /* storage for unknown chunks that the library doesn't recognize. */
  176390. png_unknown_chunkp unknown_chunks;
  176391. png_size_t unknown_chunks_num;
  176392. #endif
  176393. #if defined(PNG_iCCP_SUPPORTED)
  176394. /* iCCP chunk data. */
  176395. png_charp iccp_name; /* profile name */
  176396. png_charp iccp_profile; /* International Color Consortium profile data */
  176397. /* Note to maintainer: should be png_bytep */
  176398. png_uint_32 iccp_proflen; /* ICC profile data length */
  176399. png_byte iccp_compression; /* Always zero */
  176400. #endif
  176401. #if defined(PNG_sPLT_SUPPORTED)
  176402. /* data on sPLT chunks (there may be more than one). */
  176403. png_sPLT_tp splt_palettes;
  176404. png_uint_32 splt_palettes_num;
  176405. #endif
  176406. #if defined(PNG_sCAL_SUPPORTED)
  176407. /* The sCAL chunk describes the actual physical dimensions of the
  176408. * subject matter of the graphic. The chunk contains a unit specification
  176409. * a byte value, and two ASCII strings representing floating-point
  176410. * values. The values are width and height corresponsing to one pixel
  176411. * in the image. This external representation is converted to double
  176412. * here. Data values are valid if (valid & PNG_INFO_sCAL) is non-zero.
  176413. */
  176414. png_byte scal_unit; /* unit of physical scale */
  176415. #ifdef PNG_FLOATING_POINT_SUPPORTED
  176416. double scal_pixel_width; /* width of one pixel */
  176417. double scal_pixel_height; /* height of one pixel */
  176418. #endif
  176419. #ifdef PNG_FIXED_POINT_SUPPORTED
  176420. png_charp scal_s_width; /* string containing height */
  176421. png_charp scal_s_height; /* string containing width */
  176422. #endif
  176423. #endif
  176424. #if defined(PNG_INFO_IMAGE_SUPPORTED)
  176425. /* Memory has been allocated if (valid & PNG_ALLOCATED_INFO_ROWS) non-zero */
  176426. /* Data valid if (valid & PNG_INFO_IDAT) non-zero */
  176427. png_bytepp row_pointers; /* the image bits */
  176428. #endif
  176429. #if defined(PNG_FIXED_POINT_SUPPORTED) && defined(PNG_gAMA_SUPPORTED)
  176430. png_fixed_point int_gamma; /* gamma of image, if (valid & PNG_INFO_gAMA) */
  176431. #endif
  176432. #if defined(PNG_cHRM_SUPPORTED) && defined(PNG_FIXED_POINT_SUPPORTED)
  176433. png_fixed_point int_x_white;
  176434. png_fixed_point int_y_white;
  176435. png_fixed_point int_x_red;
  176436. png_fixed_point int_y_red;
  176437. png_fixed_point int_x_green;
  176438. png_fixed_point int_y_green;
  176439. png_fixed_point int_x_blue;
  176440. png_fixed_point int_y_blue;
  176441. #endif
  176442. } png_info;
  176443. typedef png_info FAR * png_infop;
  176444. typedef png_info FAR * FAR * png_infopp;
  176445. /* Maximum positive integer used in PNG is (2^31)-1 */
  176446. #define PNG_UINT_31_MAX ((png_uint_32)0x7fffffffL)
  176447. #define PNG_UINT_32_MAX ((png_uint_32)(-1))
  176448. #define PNG_SIZE_MAX ((png_size_t)(-1))
  176449. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  176450. /* PNG_MAX_UINT is deprecated; use PNG_UINT_31_MAX instead. */
  176451. #define PNG_MAX_UINT PNG_UINT_31_MAX
  176452. #endif
  176453. /* These describe the color_type field in png_info. */
  176454. /* color type masks */
  176455. #define PNG_COLOR_MASK_PALETTE 1
  176456. #define PNG_COLOR_MASK_COLOR 2
  176457. #define PNG_COLOR_MASK_ALPHA 4
  176458. /* color types. Note that not all combinations are legal */
  176459. #define PNG_COLOR_TYPE_GRAY 0
  176460. #define PNG_COLOR_TYPE_PALETTE (PNG_COLOR_MASK_COLOR | PNG_COLOR_MASK_PALETTE)
  176461. #define PNG_COLOR_TYPE_RGB (PNG_COLOR_MASK_COLOR)
  176462. #define PNG_COLOR_TYPE_RGB_ALPHA (PNG_COLOR_MASK_COLOR | PNG_COLOR_MASK_ALPHA)
  176463. #define PNG_COLOR_TYPE_GRAY_ALPHA (PNG_COLOR_MASK_ALPHA)
  176464. /* aliases */
  176465. #define PNG_COLOR_TYPE_RGBA PNG_COLOR_TYPE_RGB_ALPHA
  176466. #define PNG_COLOR_TYPE_GA PNG_COLOR_TYPE_GRAY_ALPHA
  176467. /* This is for compression type. PNG 1.0-1.2 only define the single type. */
  176468. #define PNG_COMPRESSION_TYPE_BASE 0 /* Deflate method 8, 32K window */
  176469. #define PNG_COMPRESSION_TYPE_DEFAULT PNG_COMPRESSION_TYPE_BASE
  176470. /* This is for filter type. PNG 1.0-1.2 only define the single type. */
  176471. #define PNG_FILTER_TYPE_BASE 0 /* Single row per-byte filtering */
  176472. #define PNG_INTRAPIXEL_DIFFERENCING 64 /* Used only in MNG datastreams */
  176473. #define PNG_FILTER_TYPE_DEFAULT PNG_FILTER_TYPE_BASE
  176474. /* These are for the interlacing type. These values should NOT be changed. */
  176475. #define PNG_INTERLACE_NONE 0 /* Non-interlaced image */
  176476. #define PNG_INTERLACE_ADAM7 1 /* Adam7 interlacing */
  176477. #define PNG_INTERLACE_LAST 2 /* Not a valid value */
  176478. /* These are for the oFFs chunk. These values should NOT be changed. */
  176479. #define PNG_OFFSET_PIXEL 0 /* Offset in pixels */
  176480. #define PNG_OFFSET_MICROMETER 1 /* Offset in micrometers (1/10^6 meter) */
  176481. #define PNG_OFFSET_LAST 2 /* Not a valid value */
  176482. /* These are for the pCAL chunk. These values should NOT be changed. */
  176483. #define PNG_EQUATION_LINEAR 0 /* Linear transformation */
  176484. #define PNG_EQUATION_BASE_E 1 /* Exponential base e transform */
  176485. #define PNG_EQUATION_ARBITRARY 2 /* Arbitrary base exponential transform */
  176486. #define PNG_EQUATION_HYPERBOLIC 3 /* Hyperbolic sine transformation */
  176487. #define PNG_EQUATION_LAST 4 /* Not a valid value */
  176488. /* These are for the sCAL chunk. These values should NOT be changed. */
  176489. #define PNG_SCALE_UNKNOWN 0 /* unknown unit (image scale) */
  176490. #define PNG_SCALE_METER 1 /* meters per pixel */
  176491. #define PNG_SCALE_RADIAN 2 /* radians per pixel */
  176492. #define PNG_SCALE_LAST 3 /* Not a valid value */
  176493. /* These are for the pHYs chunk. These values should NOT be changed. */
  176494. #define PNG_RESOLUTION_UNKNOWN 0 /* pixels/unknown unit (aspect ratio) */
  176495. #define PNG_RESOLUTION_METER 1 /* pixels/meter */
  176496. #define PNG_RESOLUTION_LAST 2 /* Not a valid value */
  176497. /* These are for the sRGB chunk. These values should NOT be changed. */
  176498. #define PNG_sRGB_INTENT_PERCEPTUAL 0
  176499. #define PNG_sRGB_INTENT_RELATIVE 1
  176500. #define PNG_sRGB_INTENT_SATURATION 2
  176501. #define PNG_sRGB_INTENT_ABSOLUTE 3
  176502. #define PNG_sRGB_INTENT_LAST 4 /* Not a valid value */
  176503. /* This is for text chunks */
  176504. #define PNG_KEYWORD_MAX_LENGTH 79
  176505. /* Maximum number of entries in PLTE/sPLT/tRNS arrays */
  176506. #define PNG_MAX_PALETTE_LENGTH 256
  176507. /* These determine if an ancillary chunk's data has been successfully read
  176508. * from the PNG header, or if the application has filled in the corresponding
  176509. * data in the info_struct to be written into the output file. The values
  176510. * of the PNG_INFO_<chunk> defines should NOT be changed.
  176511. */
  176512. #define PNG_INFO_gAMA 0x0001
  176513. #define PNG_INFO_sBIT 0x0002
  176514. #define PNG_INFO_cHRM 0x0004
  176515. #define PNG_INFO_PLTE 0x0008
  176516. #define PNG_INFO_tRNS 0x0010
  176517. #define PNG_INFO_bKGD 0x0020
  176518. #define PNG_INFO_hIST 0x0040
  176519. #define PNG_INFO_pHYs 0x0080
  176520. #define PNG_INFO_oFFs 0x0100
  176521. #define PNG_INFO_tIME 0x0200
  176522. #define PNG_INFO_pCAL 0x0400
  176523. #define PNG_INFO_sRGB 0x0800 /* GR-P, 0.96a */
  176524. #define PNG_INFO_iCCP 0x1000 /* ESR, 1.0.6 */
  176525. #define PNG_INFO_sPLT 0x2000 /* ESR, 1.0.6 */
  176526. #define PNG_INFO_sCAL 0x4000 /* ESR, 1.0.6 */
  176527. #define PNG_INFO_IDAT 0x8000L /* ESR, 1.0.6 */
  176528. /* This is used for the transformation routines, as some of them
  176529. * change these values for the row. It also should enable using
  176530. * the routines for other purposes.
  176531. */
  176532. typedef struct png_row_info_struct
  176533. {
  176534. png_uint_32 width; /* width of row */
  176535. png_uint_32 rowbytes; /* number of bytes in row */
  176536. png_byte color_type; /* color type of row */
  176537. png_byte bit_depth; /* bit depth of row */
  176538. png_byte channels; /* number of channels (1, 2, 3, or 4) */
  176539. png_byte pixel_depth; /* bits per pixel (depth * channels) */
  176540. } png_row_info;
  176541. typedef png_row_info FAR * png_row_infop;
  176542. typedef png_row_info FAR * FAR * png_row_infopp;
  176543. /* These are the function types for the I/O functions and for the functions
  176544. * that allow the user to override the default I/O functions with his or her
  176545. * own. The png_error_ptr type should match that of user-supplied warning
  176546. * and error functions, while the png_rw_ptr type should match that of the
  176547. * user read/write data functions.
  176548. */
  176549. typedef struct png_struct_def png_struct;
  176550. typedef png_struct FAR * png_structp;
  176551. typedef void (PNGAPI *png_error_ptr) PNGARG((png_structp, png_const_charp));
  176552. typedef void (PNGAPI *png_rw_ptr) PNGARG((png_structp, png_bytep, png_size_t));
  176553. typedef void (PNGAPI *png_flush_ptr) PNGARG((png_structp));
  176554. typedef void (PNGAPI *png_read_status_ptr) PNGARG((png_structp, png_uint_32,
  176555. int));
  176556. typedef void (PNGAPI *png_write_status_ptr) PNGARG((png_structp, png_uint_32,
  176557. int));
  176558. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  176559. typedef void (PNGAPI *png_progressive_info_ptr) PNGARG((png_structp, png_infop));
  176560. typedef void (PNGAPI *png_progressive_end_ptr) PNGARG((png_structp, png_infop));
  176561. typedef void (PNGAPI *png_progressive_row_ptr) PNGARG((png_structp, png_bytep,
  176562. png_uint_32, int));
  176563. #endif
  176564. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED) || \
  176565. defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED) || \
  176566. defined(PNG_LEGACY_SUPPORTED)
  176567. typedef void (PNGAPI *png_user_transform_ptr) PNGARG((png_structp,
  176568. png_row_infop, png_bytep));
  176569. #endif
  176570. #if defined(PNG_USER_CHUNKS_SUPPORTED)
  176571. typedef int (PNGAPI *png_user_chunk_ptr) PNGARG((png_structp, png_unknown_chunkp));
  176572. #endif
  176573. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  176574. typedef void (PNGAPI *png_unknown_chunk_ptr) PNGARG((png_structp));
  176575. #endif
  176576. /* Transform masks for the high-level interface */
  176577. #define PNG_TRANSFORM_IDENTITY 0x0000 /* read and write */
  176578. #define PNG_TRANSFORM_STRIP_16 0x0001 /* read only */
  176579. #define PNG_TRANSFORM_STRIP_ALPHA 0x0002 /* read only */
  176580. #define PNG_TRANSFORM_PACKING 0x0004 /* read and write */
  176581. #define PNG_TRANSFORM_PACKSWAP 0x0008 /* read and write */
  176582. #define PNG_TRANSFORM_EXPAND 0x0010 /* read only */
  176583. #define PNG_TRANSFORM_INVERT_MONO 0x0020 /* read and write */
  176584. #define PNG_TRANSFORM_SHIFT 0x0040 /* read and write */
  176585. #define PNG_TRANSFORM_BGR 0x0080 /* read and write */
  176586. #define PNG_TRANSFORM_SWAP_ALPHA 0x0100 /* read and write */
  176587. #define PNG_TRANSFORM_SWAP_ENDIAN 0x0200 /* read and write */
  176588. #define PNG_TRANSFORM_INVERT_ALPHA 0x0400 /* read and write */
  176589. #define PNG_TRANSFORM_STRIP_FILLER 0x0800 /* WRITE only */
  176590. /* Flags for MNG supported features */
  176591. #define PNG_FLAG_MNG_EMPTY_PLTE 0x01
  176592. #define PNG_FLAG_MNG_FILTER_64 0x04
  176593. #define PNG_ALL_MNG_FEATURES 0x05
  176594. typedef png_voidp (*png_malloc_ptr) PNGARG((png_structp, png_size_t));
  176595. typedef void (*png_free_ptr) PNGARG((png_structp, png_voidp));
  176596. /* The structure that holds the information to read and write PNG files.
  176597. * The only people who need to care about what is inside of this are the
  176598. * people who will be modifying the library for their own special needs.
  176599. * It should NOT be accessed directly by an application, except to store
  176600. * the jmp_buf.
  176601. */
  176602. struct png_struct_def
  176603. {
  176604. #ifdef PNG_SETJMP_SUPPORTED
  176605. jmp_buf jmpbuf; /* used in png_error */
  176606. #endif
  176607. png_error_ptr error_fn; /* function for printing errors and aborting */
  176608. png_error_ptr warning_fn; /* function for printing warnings */
  176609. png_voidp error_ptr; /* user supplied struct for error functions */
  176610. png_rw_ptr write_data_fn; /* function for writing output data */
  176611. png_rw_ptr read_data_fn; /* function for reading input data */
  176612. png_voidp io_ptr; /* ptr to application struct for I/O functions */
  176613. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED)
  176614. png_user_transform_ptr read_user_transform_fn; /* user read transform */
  176615. #endif
  176616. #if defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED)
  176617. png_user_transform_ptr write_user_transform_fn; /* user write transform */
  176618. #endif
  176619. /* These were added in libpng-1.0.2 */
  176620. #if defined(PNG_USER_TRANSFORM_PTR_SUPPORTED)
  176621. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED) || \
  176622. defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED)
  176623. png_voidp user_transform_ptr; /* user supplied struct for user transform */
  176624. png_byte user_transform_depth; /* bit depth of user transformed pixels */
  176625. png_byte user_transform_channels; /* channels in user transformed pixels */
  176626. #endif
  176627. #endif
  176628. png_uint_32 mode; /* tells us where we are in the PNG file */
  176629. png_uint_32 flags; /* flags indicating various things to libpng */
  176630. png_uint_32 transformations; /* which transformations to perform */
  176631. z_stream zstream; /* pointer to decompression structure (below) */
  176632. png_bytep zbuf; /* buffer for zlib */
  176633. png_size_t zbuf_size; /* size of zbuf */
  176634. int zlib_level; /* holds zlib compression level */
  176635. int zlib_method; /* holds zlib compression method */
  176636. int zlib_window_bits; /* holds zlib compression window bits */
  176637. int zlib_mem_level; /* holds zlib compression memory level */
  176638. int zlib_strategy; /* holds zlib compression strategy */
  176639. png_uint_32 width; /* width of image in pixels */
  176640. png_uint_32 height; /* height of image in pixels */
  176641. png_uint_32 num_rows; /* number of rows in current pass */
  176642. png_uint_32 usr_width; /* width of row at start of write */
  176643. png_uint_32 rowbytes; /* size of row in bytes */
  176644. png_uint_32 irowbytes; /* size of current interlaced row in bytes */
  176645. png_uint_32 iwidth; /* width of current interlaced row in pixels */
  176646. png_uint_32 row_number; /* current row in interlace pass */
  176647. png_bytep prev_row; /* buffer to save previous (unfiltered) row */
  176648. png_bytep row_buf; /* buffer to save current (unfiltered) row */
  176649. png_bytep sub_row; /* buffer to save "sub" row when filtering */
  176650. png_bytep up_row; /* buffer to save "up" row when filtering */
  176651. png_bytep avg_row; /* buffer to save "avg" row when filtering */
  176652. png_bytep paeth_row; /* buffer to save "Paeth" row when filtering */
  176653. png_row_info row_info; /* used for transformation routines */
  176654. png_uint_32 idat_size; /* current IDAT size for read */
  176655. png_uint_32 crc; /* current chunk CRC value */
  176656. png_colorp palette; /* palette from the input file */
  176657. png_uint_16 num_palette; /* number of color entries in palette */
  176658. png_uint_16 num_trans; /* number of transparency values */
  176659. png_byte chunk_name[5]; /* null-terminated name of current chunk */
  176660. png_byte compression; /* file compression type (always 0) */
  176661. png_byte filter; /* file filter type (always 0) */
  176662. png_byte interlaced; /* PNG_INTERLACE_NONE, PNG_INTERLACE_ADAM7 */
  176663. png_byte pass; /* current interlace pass (0 - 6) */
  176664. png_byte do_filter; /* row filter flags (see PNG_FILTER_ below ) */
  176665. png_byte color_type; /* color type of file */
  176666. png_byte bit_depth; /* bit depth of file */
  176667. png_byte usr_bit_depth; /* bit depth of users row */
  176668. png_byte pixel_depth; /* number of bits per pixel */
  176669. png_byte channels; /* number of channels in file */
  176670. png_byte usr_channels; /* channels at start of write */
  176671. png_byte sig_bytes; /* magic bytes read/written from start of file */
  176672. #if defined(PNG_READ_FILLER_SUPPORTED) || defined(PNG_WRITE_FILLER_SUPPORTED)
  176673. #ifdef PNG_LEGACY_SUPPORTED
  176674. png_byte filler; /* filler byte for pixel expansion */
  176675. #else
  176676. png_uint_16 filler; /* filler bytes for pixel expansion */
  176677. #endif
  176678. #endif
  176679. #if defined(PNG_bKGD_SUPPORTED)
  176680. png_byte background_gamma_type;
  176681. # ifdef PNG_FLOATING_POINT_SUPPORTED
  176682. float background_gamma;
  176683. # endif
  176684. png_color_16 background; /* background color in screen gamma space */
  176685. #if defined(PNG_READ_GAMMA_SUPPORTED)
  176686. png_color_16 background_1; /* background normalized to gamma 1.0 */
  176687. #endif
  176688. #endif /* PNG_bKGD_SUPPORTED */
  176689. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  176690. png_flush_ptr output_flush_fn;/* Function for flushing output */
  176691. png_uint_32 flush_dist; /* how many rows apart to flush, 0 - no flush */
  176692. png_uint_32 flush_rows; /* number of rows written since last flush */
  176693. #endif
  176694. #if defined(PNG_READ_GAMMA_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  176695. int gamma_shift; /* number of "insignificant" bits 16-bit gamma */
  176696. #ifdef PNG_FLOATING_POINT_SUPPORTED
  176697. float gamma; /* file gamma value */
  176698. float screen_gamma; /* screen gamma value (display_exponent) */
  176699. #endif
  176700. #endif
  176701. #if defined(PNG_READ_GAMMA_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  176702. png_bytep gamma_table; /* gamma table for 8-bit depth files */
  176703. png_bytep gamma_from_1; /* converts from 1.0 to screen */
  176704. png_bytep gamma_to_1; /* converts from file to 1.0 */
  176705. png_uint_16pp gamma_16_table; /* gamma table for 16-bit depth files */
  176706. png_uint_16pp gamma_16_from_1; /* converts from 1.0 to screen */
  176707. png_uint_16pp gamma_16_to_1; /* converts from file to 1.0 */
  176708. #endif
  176709. #if defined(PNG_READ_GAMMA_SUPPORTED) || defined(PNG_sBIT_SUPPORTED)
  176710. png_color_8 sig_bit; /* significant bits in each available channel */
  176711. #endif
  176712. #if defined(PNG_READ_SHIFT_SUPPORTED) || defined(PNG_WRITE_SHIFT_SUPPORTED)
  176713. png_color_8 shift; /* shift for significant bit tranformation */
  176714. #endif
  176715. #if defined(PNG_tRNS_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED) \
  176716. || defined(PNG_READ_EXPAND_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  176717. png_bytep trans; /* transparency values for paletted files */
  176718. png_color_16 trans_values; /* transparency values for non-paletted files */
  176719. #endif
  176720. png_read_status_ptr read_row_fn; /* called after each row is decoded */
  176721. png_write_status_ptr write_row_fn; /* called after each row is encoded */
  176722. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  176723. png_progressive_info_ptr info_fn; /* called after header data fully read */
  176724. png_progressive_row_ptr row_fn; /* called after each prog. row is decoded */
  176725. png_progressive_end_ptr end_fn; /* called after image is complete */
  176726. png_bytep save_buffer_ptr; /* current location in save_buffer */
  176727. png_bytep save_buffer; /* buffer for previously read data */
  176728. png_bytep current_buffer_ptr; /* current location in current_buffer */
  176729. png_bytep current_buffer; /* buffer for recently used data */
  176730. png_uint_32 push_length; /* size of current input chunk */
  176731. png_uint_32 skip_length; /* bytes to skip in input data */
  176732. png_size_t save_buffer_size; /* amount of data now in save_buffer */
  176733. png_size_t save_buffer_max; /* total size of save_buffer */
  176734. png_size_t buffer_size; /* total amount of available input data */
  176735. png_size_t current_buffer_size; /* amount of data now in current_buffer */
  176736. int process_mode; /* what push library is currently doing */
  176737. int cur_palette; /* current push library palette index */
  176738. # if defined(PNG_TEXT_SUPPORTED)
  176739. png_size_t current_text_size; /* current size of text input data */
  176740. png_size_t current_text_left; /* how much text left to read in input */
  176741. png_charp current_text; /* current text chunk buffer */
  176742. png_charp current_text_ptr; /* current location in current_text */
  176743. # endif /* PNG_TEXT_SUPPORTED */
  176744. #endif /* PNG_PROGRESSIVE_READ_SUPPORTED */
  176745. #if defined(__TURBOC__) && !defined(_Windows) && !defined(__FLAT__)
  176746. /* for the Borland special 64K segment handler */
  176747. png_bytepp offset_table_ptr;
  176748. png_bytep offset_table;
  176749. png_uint_16 offset_table_number;
  176750. png_uint_16 offset_table_count;
  176751. png_uint_16 offset_table_count_free;
  176752. #endif
  176753. #if defined(PNG_READ_DITHER_SUPPORTED)
  176754. png_bytep palette_lookup; /* lookup table for dithering */
  176755. png_bytep dither_index; /* index translation for palette files */
  176756. #endif
  176757. #if defined(PNG_READ_DITHER_SUPPORTED) || defined(PNG_hIST_SUPPORTED)
  176758. png_uint_16p hist; /* histogram */
  176759. #endif
  176760. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  176761. png_byte heuristic_method; /* heuristic for row filter selection */
  176762. png_byte num_prev_filters; /* number of weights for previous rows */
  176763. png_bytep prev_filters; /* filter type(s) of previous row(s) */
  176764. png_uint_16p filter_weights; /* weight(s) for previous line(s) */
  176765. png_uint_16p inv_filter_weights; /* 1/weight(s) for previous line(s) */
  176766. png_uint_16p filter_costs; /* relative filter calculation cost */
  176767. png_uint_16p inv_filter_costs; /* 1/relative filter calculation cost */
  176768. #endif
  176769. #if defined(PNG_TIME_RFC1123_SUPPORTED)
  176770. png_charp time_buffer; /* String to hold RFC 1123 time text */
  176771. #endif
  176772. /* New members added in libpng-1.0.6 */
  176773. #ifdef PNG_FREE_ME_SUPPORTED
  176774. png_uint_32 free_me; /* flags items libpng is responsible for freeing */
  176775. #endif
  176776. #if defined(PNG_USER_CHUNKS_SUPPORTED)
  176777. png_voidp user_chunk_ptr;
  176778. png_user_chunk_ptr read_user_chunk_fn; /* user read chunk handler */
  176779. #endif
  176780. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  176781. int num_chunk_list;
  176782. png_bytep chunk_list;
  176783. #endif
  176784. /* New members added in libpng-1.0.3 */
  176785. #if defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  176786. png_byte rgb_to_gray_status;
  176787. /* These were changed from png_byte in libpng-1.0.6 */
  176788. png_uint_16 rgb_to_gray_red_coeff;
  176789. png_uint_16 rgb_to_gray_green_coeff;
  176790. png_uint_16 rgb_to_gray_blue_coeff;
  176791. #endif
  176792. /* New member added in libpng-1.0.4 (renamed in 1.0.9) */
  176793. #if defined(PNG_MNG_FEATURES_SUPPORTED) || \
  176794. defined(PNG_READ_EMPTY_PLTE_SUPPORTED) || \
  176795. defined(PNG_WRITE_EMPTY_PLTE_SUPPORTED)
  176796. /* changed from png_byte to png_uint_32 at version 1.2.0 */
  176797. #ifdef PNG_1_0_X
  176798. png_byte mng_features_permitted;
  176799. #else
  176800. png_uint_32 mng_features_permitted;
  176801. #endif /* PNG_1_0_X */
  176802. #endif
  176803. /* New member added in libpng-1.0.7 */
  176804. #if defined(PNG_READ_GAMMA_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  176805. png_fixed_point int_gamma;
  176806. #endif
  176807. /* New member added in libpng-1.0.9, ifdef'ed out in 1.0.12, enabled in 1.2.0 */
  176808. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  176809. png_byte filter_type;
  176810. #endif
  176811. #if defined(PNG_1_0_X)
  176812. /* New member added in libpng-1.0.10, ifdef'ed out in 1.2.0 */
  176813. png_uint_32 row_buf_size;
  176814. #endif
  176815. /* New members added in libpng-1.2.0 */
  176816. #if defined(PNG_ASSEMBLER_CODE_SUPPORTED)
  176817. # if !defined(PNG_1_0_X)
  176818. # if defined(PNG_MMX_CODE_SUPPORTED)
  176819. png_byte mmx_bitdepth_threshold;
  176820. png_uint_32 mmx_rowbytes_threshold;
  176821. # endif
  176822. png_uint_32 asm_flags;
  176823. # endif
  176824. #endif
  176825. /* New members added in libpng-1.0.2 but first enabled by default in 1.2.0 */
  176826. #ifdef PNG_USER_MEM_SUPPORTED
  176827. png_voidp mem_ptr; /* user supplied struct for mem functions */
  176828. png_malloc_ptr malloc_fn; /* function for allocating memory */
  176829. png_free_ptr free_fn; /* function for freeing memory */
  176830. #endif
  176831. /* New member added in libpng-1.0.13 and 1.2.0 */
  176832. png_bytep big_row_buf; /* buffer to save current (unfiltered) row */
  176833. #if defined(PNG_READ_DITHER_SUPPORTED)
  176834. /* The following three members were added at version 1.0.14 and 1.2.4 */
  176835. png_bytep dither_sort; /* working sort array */
  176836. png_bytep index_to_palette; /* where the original index currently is */
  176837. /* in the palette */
  176838. png_bytep palette_to_index; /* which original index points to this */
  176839. /* palette color */
  176840. #endif
  176841. /* New members added in libpng-1.0.16 and 1.2.6 */
  176842. png_byte compression_type;
  176843. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  176844. png_uint_32 user_width_max;
  176845. png_uint_32 user_height_max;
  176846. #endif
  176847. /* New member added in libpng-1.0.25 and 1.2.17 */
  176848. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  176849. /* storage for unknown chunk that the library doesn't recognize. */
  176850. png_unknown_chunk unknown_chunk;
  176851. #endif
  176852. };
  176853. /* This triggers a compiler error in png.c, if png.c and png.h
  176854. * do not agree upon the version number.
  176855. */
  176856. typedef png_structp version_1_2_21;
  176857. typedef png_struct FAR * FAR * png_structpp;
  176858. /* Here are the function definitions most commonly used. This is not
  176859. * the place to find out how to use libpng. See libpng.txt for the
  176860. * full explanation, see example.c for the summary. This just provides
  176861. * a simple one line description of the use of each function.
  176862. */
  176863. /* Returns the version number of the library */
  176864. extern PNG_EXPORT(png_uint_32,png_access_version_number) PNGARG((void));
  176865. /* Tell lib we have already handled the first <num_bytes> magic bytes.
  176866. * Handling more than 8 bytes from the beginning of the file is an error.
  176867. */
  176868. extern PNG_EXPORT(void,png_set_sig_bytes) PNGARG((png_structp png_ptr,
  176869. int num_bytes));
  176870. /* Check sig[start] through sig[start + num_to_check - 1] to see if it's a
  176871. * PNG file. Returns zero if the supplied bytes match the 8-byte PNG
  176872. * signature, and non-zero otherwise. Having num_to_check == 0 or
  176873. * start > 7 will always fail (ie return non-zero).
  176874. */
  176875. extern PNG_EXPORT(int,png_sig_cmp) PNGARG((png_bytep sig, png_size_t start,
  176876. png_size_t num_to_check));
  176877. /* Simple signature checking function. This is the same as calling
  176878. * png_check_sig(sig, n) := !png_sig_cmp(sig, 0, n).
  176879. */
  176880. extern PNG_EXPORT(int,png_check_sig) PNGARG((png_bytep sig, int num));
  176881. /* Allocate and initialize png_ptr struct for reading, and any other memory. */
  176882. extern PNG_EXPORT(png_structp,png_create_read_struct)
  176883. PNGARG((png_const_charp user_png_ver, png_voidp error_ptr,
  176884. png_error_ptr error_fn, png_error_ptr warn_fn));
  176885. /* Allocate and initialize png_ptr struct for writing, and any other memory */
  176886. extern PNG_EXPORT(png_structp,png_create_write_struct)
  176887. PNGARG((png_const_charp user_png_ver, png_voidp error_ptr,
  176888. png_error_ptr error_fn, png_error_ptr warn_fn));
  176889. #ifdef PNG_WRITE_SUPPORTED
  176890. extern PNG_EXPORT(png_uint_32,png_get_compression_buffer_size)
  176891. PNGARG((png_structp png_ptr));
  176892. #endif
  176893. #ifdef PNG_WRITE_SUPPORTED
  176894. extern PNG_EXPORT(void,png_set_compression_buffer_size)
  176895. PNGARG((png_structp png_ptr, png_uint_32 size));
  176896. #endif
  176897. /* Reset the compression stream */
  176898. extern PNG_EXPORT(int,png_reset_zstream) PNGARG((png_structp png_ptr));
  176899. /* New functions added in libpng-1.0.2 (not enabled by default until 1.2.0) */
  176900. #ifdef PNG_USER_MEM_SUPPORTED
  176901. extern PNG_EXPORT(png_structp,png_create_read_struct_2)
  176902. PNGARG((png_const_charp user_png_ver, png_voidp error_ptr,
  176903. png_error_ptr error_fn, png_error_ptr warn_fn, png_voidp mem_ptr,
  176904. png_malloc_ptr malloc_fn, png_free_ptr free_fn));
  176905. extern PNG_EXPORT(png_structp,png_create_write_struct_2)
  176906. PNGARG((png_const_charp user_png_ver, png_voidp error_ptr,
  176907. png_error_ptr error_fn, png_error_ptr warn_fn, png_voidp mem_ptr,
  176908. png_malloc_ptr malloc_fn, png_free_ptr free_fn));
  176909. #endif
  176910. /* Write a PNG chunk - size, type, (optional) data, CRC. */
  176911. extern PNG_EXPORT(void,png_write_chunk) PNGARG((png_structp png_ptr,
  176912. png_bytep chunk_name, png_bytep data, png_size_t length));
  176913. /* Write the start of a PNG chunk - length and chunk name. */
  176914. extern PNG_EXPORT(void,png_write_chunk_start) PNGARG((png_structp png_ptr,
  176915. png_bytep chunk_name, png_uint_32 length));
  176916. /* Write the data of a PNG chunk started with png_write_chunk_start(). */
  176917. extern PNG_EXPORT(void,png_write_chunk_data) PNGARG((png_structp png_ptr,
  176918. png_bytep data, png_size_t length));
  176919. /* Finish a chunk started with png_write_chunk_start() (includes CRC). */
  176920. extern PNG_EXPORT(void,png_write_chunk_end) PNGARG((png_structp png_ptr));
  176921. /* Allocate and initialize the info structure */
  176922. extern PNG_EXPORT(png_infop,png_create_info_struct)
  176923. PNGARG((png_structp png_ptr));
  176924. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  176925. /* Initialize the info structure (old interface - DEPRECATED) */
  176926. extern PNG_EXPORT(void,png_info_init) PNGARG((png_infop info_ptr));
  176927. #undef png_info_init
  176928. #define png_info_init(info_ptr) png_info_init_3(&info_ptr,\
  176929. png_sizeof(png_info));
  176930. #endif
  176931. extern PNG_EXPORT(void,png_info_init_3) PNGARG((png_infopp info_ptr,
  176932. png_size_t png_info_struct_size));
  176933. /* Writes all the PNG information before the image. */
  176934. extern PNG_EXPORT(void,png_write_info_before_PLTE) PNGARG((png_structp png_ptr,
  176935. png_infop info_ptr));
  176936. extern PNG_EXPORT(void,png_write_info) PNGARG((png_structp png_ptr,
  176937. png_infop info_ptr));
  176938. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  176939. /* read the information before the actual image data. */
  176940. extern PNG_EXPORT(void,png_read_info) PNGARG((png_structp png_ptr,
  176941. png_infop info_ptr));
  176942. #endif
  176943. #if defined(PNG_TIME_RFC1123_SUPPORTED)
  176944. extern PNG_EXPORT(png_charp,png_convert_to_rfc1123)
  176945. PNGARG((png_structp png_ptr, png_timep ptime));
  176946. #endif
  176947. #if !defined(_WIN32_WCE)
  176948. /* "time.h" functions are not supported on WindowsCE */
  176949. #if defined(PNG_WRITE_tIME_SUPPORTED)
  176950. /* convert from a struct tm to png_time */
  176951. extern PNG_EXPORT(void,png_convert_from_struct_tm) PNGARG((png_timep ptime,
  176952. struct tm FAR * ttime));
  176953. /* convert from time_t to png_time. Uses gmtime() */
  176954. extern PNG_EXPORT(void,png_convert_from_time_t) PNGARG((png_timep ptime,
  176955. time_t ttime));
  176956. #endif /* PNG_WRITE_tIME_SUPPORTED */
  176957. #endif /* _WIN32_WCE */
  176958. #if defined(PNG_READ_EXPAND_SUPPORTED)
  176959. /* Expand data to 24-bit RGB, or 8-bit grayscale, with alpha if available. */
  176960. extern PNG_EXPORT(void,png_set_expand) PNGARG((png_structp png_ptr));
  176961. #if !defined(PNG_1_0_X)
  176962. extern PNG_EXPORT(void,png_set_expand_gray_1_2_4_to_8) PNGARG((png_structp
  176963. png_ptr));
  176964. #endif
  176965. extern PNG_EXPORT(void,png_set_palette_to_rgb) PNGARG((png_structp png_ptr));
  176966. extern PNG_EXPORT(void,png_set_tRNS_to_alpha) PNGARG((png_structp png_ptr));
  176967. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  176968. /* Deprecated */
  176969. extern PNG_EXPORT(void,png_set_gray_1_2_4_to_8) PNGARG((png_structp png_ptr));
  176970. #endif
  176971. #endif
  176972. #if defined(PNG_READ_BGR_SUPPORTED) || defined(PNG_WRITE_BGR_SUPPORTED)
  176973. /* Use blue, green, red order for pixels. */
  176974. extern PNG_EXPORT(void,png_set_bgr) PNGARG((png_structp png_ptr));
  176975. #endif
  176976. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  176977. /* Expand the grayscale to 24-bit RGB if necessary. */
  176978. extern PNG_EXPORT(void,png_set_gray_to_rgb) PNGARG((png_structp png_ptr));
  176979. #endif
  176980. #if defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  176981. /* Reduce RGB to grayscale. */
  176982. #ifdef PNG_FLOATING_POINT_SUPPORTED
  176983. extern PNG_EXPORT(void,png_set_rgb_to_gray) PNGARG((png_structp png_ptr,
  176984. int error_action, double red, double green ));
  176985. #endif
  176986. extern PNG_EXPORT(void,png_set_rgb_to_gray_fixed) PNGARG((png_structp png_ptr,
  176987. int error_action, png_fixed_point red, png_fixed_point green ));
  176988. extern PNG_EXPORT(png_byte,png_get_rgb_to_gray_status) PNGARG((png_structp
  176989. png_ptr));
  176990. #endif
  176991. extern PNG_EXPORT(void,png_build_grayscale_palette) PNGARG((int bit_depth,
  176992. png_colorp palette));
  176993. #if defined(PNG_READ_STRIP_ALPHA_SUPPORTED)
  176994. extern PNG_EXPORT(void,png_set_strip_alpha) PNGARG((png_structp png_ptr));
  176995. #endif
  176996. #if defined(PNG_READ_SWAP_ALPHA_SUPPORTED) || \
  176997. defined(PNG_WRITE_SWAP_ALPHA_SUPPORTED)
  176998. extern PNG_EXPORT(void,png_set_swap_alpha) PNGARG((png_structp png_ptr));
  176999. #endif
  177000. #if defined(PNG_READ_INVERT_ALPHA_SUPPORTED) || \
  177001. defined(PNG_WRITE_INVERT_ALPHA_SUPPORTED)
  177002. extern PNG_EXPORT(void,png_set_invert_alpha) PNGARG((png_structp png_ptr));
  177003. #endif
  177004. #if defined(PNG_READ_FILLER_SUPPORTED) || defined(PNG_WRITE_FILLER_SUPPORTED)
  177005. /* Add a filler byte to 8-bit Gray or 24-bit RGB images. */
  177006. extern PNG_EXPORT(void,png_set_filler) PNGARG((png_structp png_ptr,
  177007. png_uint_32 filler, int flags));
  177008. /* The values of the PNG_FILLER_ defines should NOT be changed */
  177009. #define PNG_FILLER_BEFORE 0
  177010. #define PNG_FILLER_AFTER 1
  177011. /* Add an alpha byte to 8-bit Gray or 24-bit RGB images. */
  177012. #if !defined(PNG_1_0_X)
  177013. extern PNG_EXPORT(void,png_set_add_alpha) PNGARG((png_structp png_ptr,
  177014. png_uint_32 filler, int flags));
  177015. #endif
  177016. #endif /* PNG_READ_FILLER_SUPPORTED || PNG_WRITE_FILLER_SUPPORTED */
  177017. #if defined(PNG_READ_SWAP_SUPPORTED) || defined(PNG_WRITE_SWAP_SUPPORTED)
  177018. /* Swap bytes in 16-bit depth files. */
  177019. extern PNG_EXPORT(void,png_set_swap) PNGARG((png_structp png_ptr));
  177020. #endif
  177021. #if defined(PNG_READ_PACK_SUPPORTED) || defined(PNG_WRITE_PACK_SUPPORTED)
  177022. /* Use 1 byte per pixel in 1, 2, or 4-bit depth files. */
  177023. extern PNG_EXPORT(void,png_set_packing) PNGARG((png_structp png_ptr));
  177024. #endif
  177025. #if defined(PNG_READ_PACKSWAP_SUPPORTED) || defined(PNG_WRITE_PACKSWAP_SUPPORTED)
  177026. /* Swap packing order of pixels in bytes. */
  177027. extern PNG_EXPORT(void,png_set_packswap) PNGARG((png_structp png_ptr));
  177028. #endif
  177029. #if defined(PNG_READ_SHIFT_SUPPORTED) || defined(PNG_WRITE_SHIFT_SUPPORTED)
  177030. /* Converts files to legal bit depths. */
  177031. extern PNG_EXPORT(void,png_set_shift) PNGARG((png_structp png_ptr,
  177032. png_color_8p true_bits));
  177033. #endif
  177034. #if defined(PNG_READ_INTERLACING_SUPPORTED) || \
  177035. defined(PNG_WRITE_INTERLACING_SUPPORTED)
  177036. /* Have the code handle the interlacing. Returns the number of passes. */
  177037. extern PNG_EXPORT(int,png_set_interlace_handling) PNGARG((png_structp png_ptr));
  177038. #endif
  177039. #if defined(PNG_READ_INVERT_SUPPORTED) || defined(PNG_WRITE_INVERT_SUPPORTED)
  177040. /* Invert monochrome files */
  177041. extern PNG_EXPORT(void,png_set_invert_mono) PNGARG((png_structp png_ptr));
  177042. #endif
  177043. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  177044. /* Handle alpha and tRNS by replacing with a background color. */
  177045. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177046. extern PNG_EXPORT(void,png_set_background) PNGARG((png_structp png_ptr,
  177047. png_color_16p background_color, int background_gamma_code,
  177048. int need_expand, double background_gamma));
  177049. #endif
  177050. #define PNG_BACKGROUND_GAMMA_UNKNOWN 0
  177051. #define PNG_BACKGROUND_GAMMA_SCREEN 1
  177052. #define PNG_BACKGROUND_GAMMA_FILE 2
  177053. #define PNG_BACKGROUND_GAMMA_UNIQUE 3
  177054. #endif
  177055. #if defined(PNG_READ_16_TO_8_SUPPORTED)
  177056. /* strip the second byte of information from a 16-bit depth file. */
  177057. extern PNG_EXPORT(void,png_set_strip_16) PNGARG((png_structp png_ptr));
  177058. #endif
  177059. #if defined(PNG_READ_DITHER_SUPPORTED)
  177060. /* Turn on dithering, and reduce the palette to the number of colors available. */
  177061. extern PNG_EXPORT(void,png_set_dither) PNGARG((png_structp png_ptr,
  177062. png_colorp palette, int num_palette, int maximum_colors,
  177063. png_uint_16p histogram, int full_dither));
  177064. #endif
  177065. #if defined(PNG_READ_GAMMA_SUPPORTED)
  177066. /* Handle gamma correction. Screen_gamma=(display_exponent) */
  177067. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177068. extern PNG_EXPORT(void,png_set_gamma) PNGARG((png_structp png_ptr,
  177069. double screen_gamma, double default_file_gamma));
  177070. #endif
  177071. #endif
  177072. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  177073. #if defined(PNG_READ_EMPTY_PLTE_SUPPORTED) || \
  177074. defined(PNG_WRITE_EMPTY_PLTE_SUPPORTED)
  177075. /* Permit or disallow empty PLTE (0: not permitted, 1: permitted) */
  177076. /* Deprecated and will be removed. Use png_permit_mng_features() instead. */
  177077. extern PNG_EXPORT(void,png_permit_empty_plte) PNGARG((png_structp png_ptr,
  177078. int empty_plte_permitted));
  177079. #endif
  177080. #endif
  177081. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  177082. /* Set how many lines between output flushes - 0 for no flushing */
  177083. extern PNG_EXPORT(void,png_set_flush) PNGARG((png_structp png_ptr, int nrows));
  177084. /* Flush the current PNG output buffer */
  177085. extern PNG_EXPORT(void,png_write_flush) PNGARG((png_structp png_ptr));
  177086. #endif
  177087. /* optional update palette with requested transformations */
  177088. extern PNG_EXPORT(void,png_start_read_image) PNGARG((png_structp png_ptr));
  177089. /* optional call to update the users info structure */
  177090. extern PNG_EXPORT(void,png_read_update_info) PNGARG((png_structp png_ptr,
  177091. png_infop info_ptr));
  177092. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  177093. /* read one or more rows of image data. */
  177094. extern PNG_EXPORT(void,png_read_rows) PNGARG((png_structp png_ptr,
  177095. png_bytepp row, png_bytepp display_row, png_uint_32 num_rows));
  177096. #endif
  177097. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  177098. /* read a row of data. */
  177099. extern PNG_EXPORT(void,png_read_row) PNGARG((png_structp png_ptr,
  177100. png_bytep row,
  177101. png_bytep display_row));
  177102. #endif
  177103. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  177104. /* read the whole image into memory at once. */
  177105. extern PNG_EXPORT(void,png_read_image) PNGARG((png_structp png_ptr,
  177106. png_bytepp image));
  177107. #endif
  177108. /* write a row of image data */
  177109. extern PNG_EXPORT(void,png_write_row) PNGARG((png_structp png_ptr,
  177110. png_bytep row));
  177111. /* write a few rows of image data */
  177112. extern PNG_EXPORT(void,png_write_rows) PNGARG((png_structp png_ptr,
  177113. png_bytepp row, png_uint_32 num_rows));
  177114. /* write the image data */
  177115. extern PNG_EXPORT(void,png_write_image) PNGARG((png_structp png_ptr,
  177116. png_bytepp image));
  177117. /* writes the end of the PNG file. */
  177118. extern PNG_EXPORT(void,png_write_end) PNGARG((png_structp png_ptr,
  177119. png_infop info_ptr));
  177120. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  177121. /* read the end of the PNG file. */
  177122. extern PNG_EXPORT(void,png_read_end) PNGARG((png_structp png_ptr,
  177123. png_infop info_ptr));
  177124. #endif
  177125. /* free any memory associated with the png_info_struct */
  177126. extern PNG_EXPORT(void,png_destroy_info_struct) PNGARG((png_structp png_ptr,
  177127. png_infopp info_ptr_ptr));
  177128. /* free any memory associated with the png_struct and the png_info_structs */
  177129. extern PNG_EXPORT(void,png_destroy_read_struct) PNGARG((png_structpp
  177130. png_ptr_ptr, png_infopp info_ptr_ptr, png_infopp end_info_ptr_ptr));
  177131. /* free all memory used by the read (old method - NOT DLL EXPORTED) */
  177132. extern void png_read_destroy PNGARG((png_structp png_ptr, png_infop info_ptr,
  177133. png_infop end_info_ptr));
  177134. /* free any memory associated with the png_struct and the png_info_structs */
  177135. extern PNG_EXPORT(void,png_destroy_write_struct)
  177136. PNGARG((png_structpp png_ptr_ptr, png_infopp info_ptr_ptr));
  177137. /* free any memory used in png_ptr struct (old method - NOT DLL EXPORTED) */
  177138. extern void png_write_destroy PNGARG((png_structp png_ptr));
  177139. /* set the libpng method of handling chunk CRC errors */
  177140. extern PNG_EXPORT(void,png_set_crc_action) PNGARG((png_structp png_ptr,
  177141. int crit_action, int ancil_action));
  177142. /* Values for png_set_crc_action() to say how to handle CRC errors in
  177143. * ancillary and critical chunks, and whether to use the data contained
  177144. * therein. Note that it is impossible to "discard" data in a critical
  177145. * chunk. For versions prior to 0.90, the action was always error/quit,
  177146. * whereas in version 0.90 and later, the action for CRC errors in ancillary
  177147. * chunks is warn/discard. These values should NOT be changed.
  177148. *
  177149. * value action:critical action:ancillary
  177150. */
  177151. #define PNG_CRC_DEFAULT 0 /* error/quit warn/discard data */
  177152. #define PNG_CRC_ERROR_QUIT 1 /* error/quit error/quit */
  177153. #define PNG_CRC_WARN_DISCARD 2 /* (INVALID) warn/discard data */
  177154. #define PNG_CRC_WARN_USE 3 /* warn/use data warn/use data */
  177155. #define PNG_CRC_QUIET_USE 4 /* quiet/use data quiet/use data */
  177156. #define PNG_CRC_NO_CHANGE 5 /* use current value use current value */
  177157. /* These functions give the user control over the scan-line filtering in
  177158. * libpng and the compression methods used by zlib. These functions are
  177159. * mainly useful for testing, as the defaults should work with most users.
  177160. * Those users who are tight on memory or want faster performance at the
  177161. * expense of compression can modify them. See the compression library
  177162. * header file (zlib.h) for an explination of the compression functions.
  177163. */
  177164. /* set the filtering method(s) used by libpng. Currently, the only valid
  177165. * value for "method" is 0.
  177166. */
  177167. extern PNG_EXPORT(void,png_set_filter) PNGARG((png_structp png_ptr, int method,
  177168. int filters));
  177169. /* Flags for png_set_filter() to say which filters to use. The flags
  177170. * are chosen so that they don't conflict with real filter types
  177171. * below, in case they are supplied instead of the #defined constants.
  177172. * These values should NOT be changed.
  177173. */
  177174. #define PNG_NO_FILTERS 0x00
  177175. #define PNG_FILTER_NONE 0x08
  177176. #define PNG_FILTER_SUB 0x10
  177177. #define PNG_FILTER_UP 0x20
  177178. #define PNG_FILTER_AVG 0x40
  177179. #define PNG_FILTER_PAETH 0x80
  177180. #define PNG_ALL_FILTERS (PNG_FILTER_NONE | PNG_FILTER_SUB | PNG_FILTER_UP | \
  177181. PNG_FILTER_AVG | PNG_FILTER_PAETH)
  177182. /* Filter values (not flags) - used in pngwrite.c, pngwutil.c for now.
  177183. * These defines should NOT be changed.
  177184. */
  177185. #define PNG_FILTER_VALUE_NONE 0
  177186. #define PNG_FILTER_VALUE_SUB 1
  177187. #define PNG_FILTER_VALUE_UP 2
  177188. #define PNG_FILTER_VALUE_AVG 3
  177189. #define PNG_FILTER_VALUE_PAETH 4
  177190. #define PNG_FILTER_VALUE_LAST 5
  177191. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED) /* EXPERIMENTAL */
  177192. /* The "heuristic_method" is given by one of the PNG_FILTER_HEURISTIC_
  177193. * defines, either the default (minimum-sum-of-absolute-differences), or
  177194. * the experimental method (weighted-minimum-sum-of-absolute-differences).
  177195. *
  177196. * Weights are factors >= 1.0, indicating how important it is to keep the
  177197. * filter type consistent between rows. Larger numbers mean the current
  177198. * filter is that many times as likely to be the same as the "num_weights"
  177199. * previous filters. This is cumulative for each previous row with a weight.
  177200. * There needs to be "num_weights" values in "filter_weights", or it can be
  177201. * NULL if the weights aren't being specified. Weights have no influence on
  177202. * the selection of the first row filter. Well chosen weights can (in theory)
  177203. * improve the compression for a given image.
  177204. *
  177205. * Costs are factors >= 1.0 indicating the relative decoding costs of a
  177206. * filter type. Higher costs indicate more decoding expense, and are
  177207. * therefore less likely to be selected over a filter with lower computational
  177208. * costs. There needs to be a value in "filter_costs" for each valid filter
  177209. * type (given by PNG_FILTER_VALUE_LAST), or it can be NULL if you aren't
  177210. * setting the costs. Costs try to improve the speed of decompression without
  177211. * unduly increasing the compressed image size.
  177212. *
  177213. * A negative weight or cost indicates the default value is to be used, and
  177214. * values in the range [0.0, 1.0) indicate the value is to remain unchanged.
  177215. * The default values for both weights and costs are currently 1.0, but may
  177216. * change if good general weighting/cost heuristics can be found. If both
  177217. * the weights and costs are set to 1.0, this degenerates the WEIGHTED method
  177218. * to the UNWEIGHTED method, but with added encoding time/computation.
  177219. */
  177220. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177221. extern PNG_EXPORT(void,png_set_filter_heuristics) PNGARG((png_structp png_ptr,
  177222. int heuristic_method, int num_weights, png_doublep filter_weights,
  177223. png_doublep filter_costs));
  177224. #endif
  177225. #endif /* PNG_WRITE_WEIGHTED_FILTER_SUPPORTED */
  177226. /* Heuristic used for row filter selection. These defines should NOT be
  177227. * changed.
  177228. */
  177229. #define PNG_FILTER_HEURISTIC_DEFAULT 0 /* Currently "UNWEIGHTED" */
  177230. #define PNG_FILTER_HEURISTIC_UNWEIGHTED 1 /* Used by libpng < 0.95 */
  177231. #define PNG_FILTER_HEURISTIC_WEIGHTED 2 /* Experimental feature */
  177232. #define PNG_FILTER_HEURISTIC_LAST 3 /* Not a valid value */
  177233. /* Set the library compression level. Currently, valid values range from
  177234. * 0 - 9, corresponding directly to the zlib compression levels 0 - 9
  177235. * (0 - no compression, 9 - "maximal" compression). Note that tests have
  177236. * shown that zlib compression levels 3-6 usually perform as well as level 9
  177237. * for PNG images, and do considerably fewer caclulations. In the future,
  177238. * these values may not correspond directly to the zlib compression levels.
  177239. */
  177240. extern PNG_EXPORT(void,png_set_compression_level) PNGARG((png_structp png_ptr,
  177241. int level));
  177242. extern PNG_EXPORT(void,png_set_compression_mem_level)
  177243. PNGARG((png_structp png_ptr, int mem_level));
  177244. extern PNG_EXPORT(void,png_set_compression_strategy)
  177245. PNGARG((png_structp png_ptr, int strategy));
  177246. extern PNG_EXPORT(void,png_set_compression_window_bits)
  177247. PNGARG((png_structp png_ptr, int window_bits));
  177248. extern PNG_EXPORT(void,png_set_compression_method) PNGARG((png_structp png_ptr,
  177249. int method));
  177250. /* These next functions are called for input/output, memory, and error
  177251. * handling. They are in the file pngrio.c, pngwio.c, and pngerror.c,
  177252. * and call standard C I/O routines such as fread(), fwrite(), and
  177253. * fprintf(). These functions can be made to use other I/O routines
  177254. * at run time for those applications that need to handle I/O in a
  177255. * different manner by calling png_set_???_fn(). See libpng.txt for
  177256. * more information.
  177257. */
  177258. #if !defined(PNG_NO_STDIO)
  177259. /* Initialize the input/output for the PNG file to the default functions. */
  177260. extern PNG_EXPORT(void,png_init_io) PNGARG((png_structp png_ptr, png_FILE_p fp));
  177261. #endif
  177262. /* Replace the (error and abort), and warning functions with user
  177263. * supplied functions. If no messages are to be printed you must still
  177264. * write and use replacement functions. The replacement error_fn should
  177265. * still do a longjmp to the last setjmp location if you are using this
  177266. * method of error handling. If error_fn or warning_fn is NULL, the
  177267. * default function will be used.
  177268. */
  177269. extern PNG_EXPORT(void,png_set_error_fn) PNGARG((png_structp png_ptr,
  177270. png_voidp error_ptr, png_error_ptr error_fn, png_error_ptr warning_fn));
  177271. /* Return the user pointer associated with the error functions */
  177272. extern PNG_EXPORT(png_voidp,png_get_error_ptr) PNGARG((png_structp png_ptr));
  177273. /* Replace the default data output functions with a user supplied one(s).
  177274. * If buffered output is not used, then output_flush_fn can be set to NULL.
  177275. * If PNG_WRITE_FLUSH_SUPPORTED is not defined at libpng compile time
  177276. * output_flush_fn will be ignored (and thus can be NULL).
  177277. */
  177278. extern PNG_EXPORT(void,png_set_write_fn) PNGARG((png_structp png_ptr,
  177279. png_voidp io_ptr, png_rw_ptr write_data_fn, png_flush_ptr output_flush_fn));
  177280. /* Replace the default data input function with a user supplied one. */
  177281. extern PNG_EXPORT(void,png_set_read_fn) PNGARG((png_structp png_ptr,
  177282. png_voidp io_ptr, png_rw_ptr read_data_fn));
  177283. /* Return the user pointer associated with the I/O functions */
  177284. extern PNG_EXPORT(png_voidp,png_get_io_ptr) PNGARG((png_structp png_ptr));
  177285. extern PNG_EXPORT(void,png_set_read_status_fn) PNGARG((png_structp png_ptr,
  177286. png_read_status_ptr read_row_fn));
  177287. extern PNG_EXPORT(void,png_set_write_status_fn) PNGARG((png_structp png_ptr,
  177288. png_write_status_ptr write_row_fn));
  177289. #ifdef PNG_USER_MEM_SUPPORTED
  177290. /* Replace the default memory allocation functions with user supplied one(s). */
  177291. extern PNG_EXPORT(void,png_set_mem_fn) PNGARG((png_structp png_ptr,
  177292. png_voidp mem_ptr, png_malloc_ptr malloc_fn, png_free_ptr free_fn));
  177293. /* Return the user pointer associated with the memory functions */
  177294. extern PNG_EXPORT(png_voidp,png_get_mem_ptr) PNGARG((png_structp png_ptr));
  177295. #endif
  177296. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED) || \
  177297. defined(PNG_LEGACY_SUPPORTED)
  177298. extern PNG_EXPORT(void,png_set_read_user_transform_fn) PNGARG((png_structp
  177299. png_ptr, png_user_transform_ptr read_user_transform_fn));
  177300. #endif
  177301. #if defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED) || \
  177302. defined(PNG_LEGACY_SUPPORTED)
  177303. extern PNG_EXPORT(void,png_set_write_user_transform_fn) PNGARG((png_structp
  177304. png_ptr, png_user_transform_ptr write_user_transform_fn));
  177305. #endif
  177306. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED) || \
  177307. defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED) || \
  177308. defined(PNG_LEGACY_SUPPORTED)
  177309. extern PNG_EXPORT(void,png_set_user_transform_info) PNGARG((png_structp
  177310. png_ptr, png_voidp user_transform_ptr, int user_transform_depth,
  177311. int user_transform_channels));
  177312. /* Return the user pointer associated with the user transform functions */
  177313. extern PNG_EXPORT(png_voidp,png_get_user_transform_ptr)
  177314. PNGARG((png_structp png_ptr));
  177315. #endif
  177316. #ifdef PNG_USER_CHUNKS_SUPPORTED
  177317. extern PNG_EXPORT(void,png_set_read_user_chunk_fn) PNGARG((png_structp png_ptr,
  177318. png_voidp user_chunk_ptr, png_user_chunk_ptr read_user_chunk_fn));
  177319. extern PNG_EXPORT(png_voidp,png_get_user_chunk_ptr) PNGARG((png_structp
  177320. png_ptr));
  177321. #endif
  177322. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  177323. /* Sets the function callbacks for the push reader, and a pointer to a
  177324. * user-defined structure available to the callback functions.
  177325. */
  177326. extern PNG_EXPORT(void,png_set_progressive_read_fn) PNGARG((png_structp png_ptr,
  177327. png_voidp progressive_ptr,
  177328. png_progressive_info_ptr info_fn, png_progressive_row_ptr row_fn,
  177329. png_progressive_end_ptr end_fn));
  177330. /* returns the user pointer associated with the push read functions */
  177331. extern PNG_EXPORT(png_voidp,png_get_progressive_ptr)
  177332. PNGARG((png_structp png_ptr));
  177333. /* function to be called when data becomes available */
  177334. extern PNG_EXPORT(void,png_process_data) PNGARG((png_structp png_ptr,
  177335. png_infop info_ptr, png_bytep buffer, png_size_t buffer_size));
  177336. /* function that combines rows. Not very much different than the
  177337. * png_combine_row() call. Is this even used?????
  177338. */
  177339. extern PNG_EXPORT(void,png_progressive_combine_row) PNGARG((png_structp png_ptr,
  177340. png_bytep old_row, png_bytep new_row));
  177341. #endif /* PNG_PROGRESSIVE_READ_SUPPORTED */
  177342. extern PNG_EXPORT(png_voidp,png_malloc) PNGARG((png_structp png_ptr,
  177343. png_uint_32 size));
  177344. #if defined(PNG_1_0_X)
  177345. # define png_malloc_warn png_malloc
  177346. #else
  177347. /* Added at libpng version 1.2.4 */
  177348. extern PNG_EXPORT(png_voidp,png_malloc_warn) PNGARG((png_structp png_ptr,
  177349. png_uint_32 size));
  177350. #endif
  177351. /* frees a pointer allocated by png_malloc() */
  177352. extern PNG_EXPORT(void,png_free) PNGARG((png_structp png_ptr, png_voidp ptr));
  177353. #if defined(PNG_1_0_X)
  177354. /* Function to allocate memory for zlib. */
  177355. extern PNG_EXPORT(voidpf,png_zalloc) PNGARG((voidpf png_ptr, uInt items,
  177356. uInt size));
  177357. /* Function to free memory for zlib */
  177358. extern PNG_EXPORT(void,png_zfree) PNGARG((voidpf png_ptr, voidpf ptr));
  177359. #endif
  177360. /* Free data that was allocated internally */
  177361. extern PNG_EXPORT(void,png_free_data) PNGARG((png_structp png_ptr,
  177362. png_infop info_ptr, png_uint_32 free_me, int num));
  177363. #ifdef PNG_FREE_ME_SUPPORTED
  177364. /* Reassign responsibility for freeing existing data, whether allocated
  177365. * by libpng or by the application */
  177366. extern PNG_EXPORT(void,png_data_freer) PNGARG((png_structp png_ptr,
  177367. png_infop info_ptr, int freer, png_uint_32 mask));
  177368. #endif
  177369. /* assignments for png_data_freer */
  177370. #define PNG_DESTROY_WILL_FREE_DATA 1
  177371. #define PNG_SET_WILL_FREE_DATA 1
  177372. #define PNG_USER_WILL_FREE_DATA 2
  177373. /* Flags for png_ptr->free_me and info_ptr->free_me */
  177374. #define PNG_FREE_HIST 0x0008
  177375. #define PNG_FREE_ICCP 0x0010
  177376. #define PNG_FREE_SPLT 0x0020
  177377. #define PNG_FREE_ROWS 0x0040
  177378. #define PNG_FREE_PCAL 0x0080
  177379. #define PNG_FREE_SCAL 0x0100
  177380. #define PNG_FREE_UNKN 0x0200
  177381. #define PNG_FREE_LIST 0x0400
  177382. #define PNG_FREE_PLTE 0x1000
  177383. #define PNG_FREE_TRNS 0x2000
  177384. #define PNG_FREE_TEXT 0x4000
  177385. #define PNG_FREE_ALL 0x7fff
  177386. #define PNG_FREE_MUL 0x4220 /* PNG_FREE_SPLT|PNG_FREE_TEXT|PNG_FREE_UNKN */
  177387. #ifdef PNG_USER_MEM_SUPPORTED
  177388. extern PNG_EXPORT(png_voidp,png_malloc_default) PNGARG((png_structp png_ptr,
  177389. png_uint_32 size));
  177390. extern PNG_EXPORT(void,png_free_default) PNGARG((png_structp png_ptr,
  177391. png_voidp ptr));
  177392. #endif
  177393. extern PNG_EXPORT(png_voidp,png_memcpy_check) PNGARG((png_structp png_ptr,
  177394. png_voidp s1, png_voidp s2, png_uint_32 size));
  177395. extern PNG_EXPORT(png_voidp,png_memset_check) PNGARG((png_structp png_ptr,
  177396. png_voidp s1, int value, png_uint_32 size));
  177397. #if defined(USE_FAR_KEYWORD) /* memory model conversion function */
  177398. extern void *png_far_to_near PNGARG((png_structp png_ptr,png_voidp ptr,
  177399. int check));
  177400. #endif /* USE_FAR_KEYWORD */
  177401. #ifndef PNG_NO_ERROR_TEXT
  177402. /* Fatal error in PNG image of libpng - can't continue */
  177403. extern PNG_EXPORT(void,png_error) PNGARG((png_structp png_ptr,
  177404. png_const_charp error_message));
  177405. /* The same, but the chunk name is prepended to the error string. */
  177406. extern PNG_EXPORT(void,png_chunk_error) PNGARG((png_structp png_ptr,
  177407. png_const_charp error_message));
  177408. #else
  177409. /* Fatal error in PNG image of libpng - can't continue */
  177410. extern PNG_EXPORT(void,png_err) PNGARG((png_structp png_ptr));
  177411. #endif
  177412. #ifndef PNG_NO_WARNINGS
  177413. /* Non-fatal error in libpng. Can continue, but may have a problem. */
  177414. extern PNG_EXPORT(void,png_warning) PNGARG((png_structp png_ptr,
  177415. png_const_charp warning_message));
  177416. #ifdef PNG_READ_SUPPORTED
  177417. /* Non-fatal error in libpng, chunk name is prepended to message. */
  177418. extern PNG_EXPORT(void,png_chunk_warning) PNGARG((png_structp png_ptr,
  177419. png_const_charp warning_message));
  177420. #endif /* PNG_READ_SUPPORTED */
  177421. #endif /* PNG_NO_WARNINGS */
  177422. /* The png_set_<chunk> functions are for storing values in the png_info_struct.
  177423. * Similarly, the png_get_<chunk> calls are used to read values from the
  177424. * png_info_struct, either storing the parameters in the passed variables, or
  177425. * setting pointers into the png_info_struct where the data is stored. The
  177426. * png_get_<chunk> functions return a non-zero value if the data was available
  177427. * in info_ptr, or return zero and do not change any of the parameters if the
  177428. * data was not available.
  177429. *
  177430. * These functions should be used instead of directly accessing png_info
  177431. * to avoid problems with future changes in the size and internal layout of
  177432. * png_info_struct.
  177433. */
  177434. /* Returns "flag" if chunk data is valid in info_ptr. */
  177435. extern PNG_EXPORT(png_uint_32,png_get_valid) PNGARG((png_structp png_ptr,
  177436. png_infop info_ptr, png_uint_32 flag));
  177437. /* Returns number of bytes needed to hold a transformed row. */
  177438. extern PNG_EXPORT(png_uint_32,png_get_rowbytes) PNGARG((png_structp png_ptr,
  177439. png_infop info_ptr));
  177440. #if defined(PNG_INFO_IMAGE_SUPPORTED)
  177441. /* Returns row_pointers, which is an array of pointers to scanlines that was
  177442. returned from png_read_png(). */
  177443. extern PNG_EXPORT(png_bytepp,png_get_rows) PNGARG((png_structp png_ptr,
  177444. png_infop info_ptr));
  177445. /* Set row_pointers, which is an array of pointers to scanlines for use
  177446. by png_write_png(). */
  177447. extern PNG_EXPORT(void,png_set_rows) PNGARG((png_structp png_ptr,
  177448. png_infop info_ptr, png_bytepp row_pointers));
  177449. #endif
  177450. /* Returns number of color channels in image. */
  177451. extern PNG_EXPORT(png_byte,png_get_channels) PNGARG((png_structp png_ptr,
  177452. png_infop info_ptr));
  177453. #ifdef PNG_EASY_ACCESS_SUPPORTED
  177454. /* Returns image width in pixels. */
  177455. extern PNG_EXPORT(png_uint_32, png_get_image_width) PNGARG((png_structp
  177456. png_ptr, png_infop info_ptr));
  177457. /* Returns image height in pixels. */
  177458. extern PNG_EXPORT(png_uint_32, png_get_image_height) PNGARG((png_structp
  177459. png_ptr, png_infop info_ptr));
  177460. /* Returns image bit_depth. */
  177461. extern PNG_EXPORT(png_byte, png_get_bit_depth) PNGARG((png_structp
  177462. png_ptr, png_infop info_ptr));
  177463. /* Returns image color_type. */
  177464. extern PNG_EXPORT(png_byte, png_get_color_type) PNGARG((png_structp
  177465. png_ptr, png_infop info_ptr));
  177466. /* Returns image filter_type. */
  177467. extern PNG_EXPORT(png_byte, png_get_filter_type) PNGARG((png_structp
  177468. png_ptr, png_infop info_ptr));
  177469. /* Returns image interlace_type. */
  177470. extern PNG_EXPORT(png_byte, png_get_interlace_type) PNGARG((png_structp
  177471. png_ptr, png_infop info_ptr));
  177472. /* Returns image compression_type. */
  177473. extern PNG_EXPORT(png_byte, png_get_compression_type) PNGARG((png_structp
  177474. png_ptr, png_infop info_ptr));
  177475. /* Returns image resolution in pixels per meter, from pHYs chunk data. */
  177476. extern PNG_EXPORT(png_uint_32, png_get_pixels_per_meter) PNGARG((png_structp
  177477. png_ptr, png_infop info_ptr));
  177478. extern PNG_EXPORT(png_uint_32, png_get_x_pixels_per_meter) PNGARG((png_structp
  177479. png_ptr, png_infop info_ptr));
  177480. extern PNG_EXPORT(png_uint_32, png_get_y_pixels_per_meter) PNGARG((png_structp
  177481. png_ptr, png_infop info_ptr));
  177482. /* Returns pixel aspect ratio, computed from pHYs chunk data. */
  177483. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177484. extern PNG_EXPORT(float, png_get_pixel_aspect_ratio) PNGARG((png_structp
  177485. png_ptr, png_infop info_ptr));
  177486. #endif
  177487. /* Returns image x, y offset in pixels or microns, from oFFs chunk data. */
  177488. extern PNG_EXPORT(png_int_32, png_get_x_offset_pixels) PNGARG((png_structp
  177489. png_ptr, png_infop info_ptr));
  177490. extern PNG_EXPORT(png_int_32, png_get_y_offset_pixels) PNGARG((png_structp
  177491. png_ptr, png_infop info_ptr));
  177492. extern PNG_EXPORT(png_int_32, png_get_x_offset_microns) PNGARG((png_structp
  177493. png_ptr, png_infop info_ptr));
  177494. extern PNG_EXPORT(png_int_32, png_get_y_offset_microns) PNGARG((png_structp
  177495. png_ptr, png_infop info_ptr));
  177496. #endif /* PNG_EASY_ACCESS_SUPPORTED */
  177497. /* Returns pointer to signature string read from PNG header */
  177498. extern PNG_EXPORT(png_bytep,png_get_signature) PNGARG((png_structp png_ptr,
  177499. png_infop info_ptr));
  177500. #if defined(PNG_bKGD_SUPPORTED)
  177501. extern PNG_EXPORT(png_uint_32,png_get_bKGD) PNGARG((png_structp png_ptr,
  177502. png_infop info_ptr, png_color_16p *background));
  177503. #endif
  177504. #if defined(PNG_bKGD_SUPPORTED)
  177505. extern PNG_EXPORT(void,png_set_bKGD) PNGARG((png_structp png_ptr,
  177506. png_infop info_ptr, png_color_16p background));
  177507. #endif
  177508. #if defined(PNG_cHRM_SUPPORTED)
  177509. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177510. extern PNG_EXPORT(png_uint_32,png_get_cHRM) PNGARG((png_structp png_ptr,
  177511. png_infop info_ptr, double *white_x, double *white_y, double *red_x,
  177512. double *red_y, double *green_x, double *green_y, double *blue_x,
  177513. double *blue_y));
  177514. #endif
  177515. #ifdef PNG_FIXED_POINT_SUPPORTED
  177516. extern PNG_EXPORT(png_uint_32,png_get_cHRM_fixed) PNGARG((png_structp png_ptr,
  177517. png_infop info_ptr, png_fixed_point *int_white_x, png_fixed_point
  177518. *int_white_y, png_fixed_point *int_red_x, png_fixed_point *int_red_y,
  177519. png_fixed_point *int_green_x, png_fixed_point *int_green_y, png_fixed_point
  177520. *int_blue_x, png_fixed_point *int_blue_y));
  177521. #endif
  177522. #endif
  177523. #if defined(PNG_cHRM_SUPPORTED)
  177524. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177525. extern PNG_EXPORT(void,png_set_cHRM) PNGARG((png_structp png_ptr,
  177526. png_infop info_ptr, double white_x, double white_y, double red_x,
  177527. double red_y, double green_x, double green_y, double blue_x, double blue_y));
  177528. #endif
  177529. #ifdef PNG_FIXED_POINT_SUPPORTED
  177530. extern PNG_EXPORT(void,png_set_cHRM_fixed) PNGARG((png_structp png_ptr,
  177531. png_infop info_ptr, png_fixed_point int_white_x, png_fixed_point int_white_y,
  177532. png_fixed_point int_red_x, png_fixed_point int_red_y, png_fixed_point
  177533. int_green_x, png_fixed_point int_green_y, png_fixed_point int_blue_x,
  177534. png_fixed_point int_blue_y));
  177535. #endif
  177536. #endif
  177537. #if defined(PNG_gAMA_SUPPORTED)
  177538. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177539. extern PNG_EXPORT(png_uint_32,png_get_gAMA) PNGARG((png_structp png_ptr,
  177540. png_infop info_ptr, double *file_gamma));
  177541. #endif
  177542. extern PNG_EXPORT(png_uint_32,png_get_gAMA_fixed) PNGARG((png_structp png_ptr,
  177543. png_infop info_ptr, png_fixed_point *int_file_gamma));
  177544. #endif
  177545. #if defined(PNG_gAMA_SUPPORTED)
  177546. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177547. extern PNG_EXPORT(void,png_set_gAMA) PNGARG((png_structp png_ptr,
  177548. png_infop info_ptr, double file_gamma));
  177549. #endif
  177550. extern PNG_EXPORT(void,png_set_gAMA_fixed) PNGARG((png_structp png_ptr,
  177551. png_infop info_ptr, png_fixed_point int_file_gamma));
  177552. #endif
  177553. #if defined(PNG_hIST_SUPPORTED)
  177554. extern PNG_EXPORT(png_uint_32,png_get_hIST) PNGARG((png_structp png_ptr,
  177555. png_infop info_ptr, png_uint_16p *hist));
  177556. #endif
  177557. #if defined(PNG_hIST_SUPPORTED)
  177558. extern PNG_EXPORT(void,png_set_hIST) PNGARG((png_structp png_ptr,
  177559. png_infop info_ptr, png_uint_16p hist));
  177560. #endif
  177561. extern PNG_EXPORT(png_uint_32,png_get_IHDR) PNGARG((png_structp png_ptr,
  177562. png_infop info_ptr, png_uint_32 *width, png_uint_32 *height,
  177563. int *bit_depth, int *color_type, int *interlace_method,
  177564. int *compression_method, int *filter_method));
  177565. extern PNG_EXPORT(void,png_set_IHDR) PNGARG((png_structp png_ptr,
  177566. png_infop info_ptr, png_uint_32 width, png_uint_32 height, int bit_depth,
  177567. int color_type, int interlace_method, int compression_method,
  177568. int filter_method));
  177569. #if defined(PNG_oFFs_SUPPORTED)
  177570. extern PNG_EXPORT(png_uint_32,png_get_oFFs) PNGARG((png_structp png_ptr,
  177571. png_infop info_ptr, png_int_32 *offset_x, png_int_32 *offset_y,
  177572. int *unit_type));
  177573. #endif
  177574. #if defined(PNG_oFFs_SUPPORTED)
  177575. extern PNG_EXPORT(void,png_set_oFFs) PNGARG((png_structp png_ptr,
  177576. png_infop info_ptr, png_int_32 offset_x, png_int_32 offset_y,
  177577. int unit_type));
  177578. #endif
  177579. #if defined(PNG_pCAL_SUPPORTED)
  177580. extern PNG_EXPORT(png_uint_32,png_get_pCAL) PNGARG((png_structp png_ptr,
  177581. png_infop info_ptr, png_charp *purpose, png_int_32 *X0, png_int_32 *X1,
  177582. int *type, int *nparams, png_charp *units, png_charpp *params));
  177583. #endif
  177584. #if defined(PNG_pCAL_SUPPORTED)
  177585. extern PNG_EXPORT(void,png_set_pCAL) PNGARG((png_structp png_ptr,
  177586. png_infop info_ptr, png_charp purpose, png_int_32 X0, png_int_32 X1,
  177587. int type, int nparams, png_charp units, png_charpp params));
  177588. #endif
  177589. #if defined(PNG_pHYs_SUPPORTED)
  177590. extern PNG_EXPORT(png_uint_32,png_get_pHYs) PNGARG((png_structp png_ptr,
  177591. png_infop info_ptr, png_uint_32 *res_x, png_uint_32 *res_y, int *unit_type));
  177592. #endif
  177593. #if defined(PNG_pHYs_SUPPORTED)
  177594. extern PNG_EXPORT(void,png_set_pHYs) PNGARG((png_structp png_ptr,
  177595. png_infop info_ptr, png_uint_32 res_x, png_uint_32 res_y, int unit_type));
  177596. #endif
  177597. extern PNG_EXPORT(png_uint_32,png_get_PLTE) PNGARG((png_structp png_ptr,
  177598. png_infop info_ptr, png_colorp *palette, int *num_palette));
  177599. extern PNG_EXPORT(void,png_set_PLTE) PNGARG((png_structp png_ptr,
  177600. png_infop info_ptr, png_colorp palette, int num_palette));
  177601. #if defined(PNG_sBIT_SUPPORTED)
  177602. extern PNG_EXPORT(png_uint_32,png_get_sBIT) PNGARG((png_structp png_ptr,
  177603. png_infop info_ptr, png_color_8p *sig_bit));
  177604. #endif
  177605. #if defined(PNG_sBIT_SUPPORTED)
  177606. extern PNG_EXPORT(void,png_set_sBIT) PNGARG((png_structp png_ptr,
  177607. png_infop info_ptr, png_color_8p sig_bit));
  177608. #endif
  177609. #if defined(PNG_sRGB_SUPPORTED)
  177610. extern PNG_EXPORT(png_uint_32,png_get_sRGB) PNGARG((png_structp png_ptr,
  177611. png_infop info_ptr, int *intent));
  177612. #endif
  177613. #if defined(PNG_sRGB_SUPPORTED)
  177614. extern PNG_EXPORT(void,png_set_sRGB) PNGARG((png_structp png_ptr,
  177615. png_infop info_ptr, int intent));
  177616. extern PNG_EXPORT(void,png_set_sRGB_gAMA_and_cHRM) PNGARG((png_structp png_ptr,
  177617. png_infop info_ptr, int intent));
  177618. #endif
  177619. #if defined(PNG_iCCP_SUPPORTED)
  177620. extern PNG_EXPORT(png_uint_32,png_get_iCCP) PNGARG((png_structp png_ptr,
  177621. png_infop info_ptr, png_charpp name, int *compression_type,
  177622. png_charpp profile, png_uint_32 *proflen));
  177623. /* Note to maintainer: profile should be png_bytepp */
  177624. #endif
  177625. #if defined(PNG_iCCP_SUPPORTED)
  177626. extern PNG_EXPORT(void,png_set_iCCP) PNGARG((png_structp png_ptr,
  177627. png_infop info_ptr, png_charp name, int compression_type,
  177628. png_charp profile, png_uint_32 proflen));
  177629. /* Note to maintainer: profile should be png_bytep */
  177630. #endif
  177631. #if defined(PNG_sPLT_SUPPORTED)
  177632. extern PNG_EXPORT(png_uint_32,png_get_sPLT) PNGARG((png_structp png_ptr,
  177633. png_infop info_ptr, png_sPLT_tpp entries));
  177634. #endif
  177635. #if defined(PNG_sPLT_SUPPORTED)
  177636. extern PNG_EXPORT(void,png_set_sPLT) PNGARG((png_structp png_ptr,
  177637. png_infop info_ptr, png_sPLT_tp entries, int nentries));
  177638. #endif
  177639. #if defined(PNG_TEXT_SUPPORTED)
  177640. /* png_get_text also returns the number of text chunks in *num_text */
  177641. extern PNG_EXPORT(png_uint_32,png_get_text) PNGARG((png_structp png_ptr,
  177642. png_infop info_ptr, png_textp *text_ptr, int *num_text));
  177643. #endif
  177644. /*
  177645. * Note while png_set_text() will accept a structure whose text,
  177646. * language, and translated keywords are NULL pointers, the structure
  177647. * returned by png_get_text will always contain regular
  177648. * zero-terminated C strings. They might be empty strings but
  177649. * they will never be NULL pointers.
  177650. */
  177651. #if defined(PNG_TEXT_SUPPORTED)
  177652. extern PNG_EXPORT(void,png_set_text) PNGARG((png_structp png_ptr,
  177653. png_infop info_ptr, png_textp text_ptr, int num_text));
  177654. #endif
  177655. #if defined(PNG_tIME_SUPPORTED)
  177656. extern PNG_EXPORT(png_uint_32,png_get_tIME) PNGARG((png_structp png_ptr,
  177657. png_infop info_ptr, png_timep *mod_time));
  177658. #endif
  177659. #if defined(PNG_tIME_SUPPORTED)
  177660. extern PNG_EXPORT(void,png_set_tIME) PNGARG((png_structp png_ptr,
  177661. png_infop info_ptr, png_timep mod_time));
  177662. #endif
  177663. #if defined(PNG_tRNS_SUPPORTED)
  177664. extern PNG_EXPORT(png_uint_32,png_get_tRNS) PNGARG((png_structp png_ptr,
  177665. png_infop info_ptr, png_bytep *trans, int *num_trans,
  177666. png_color_16p *trans_values));
  177667. #endif
  177668. #if defined(PNG_tRNS_SUPPORTED)
  177669. extern PNG_EXPORT(void,png_set_tRNS) PNGARG((png_structp png_ptr,
  177670. png_infop info_ptr, png_bytep trans, int num_trans,
  177671. png_color_16p trans_values));
  177672. #endif
  177673. #if defined(PNG_tRNS_SUPPORTED)
  177674. #endif
  177675. #if defined(PNG_sCAL_SUPPORTED)
  177676. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177677. extern PNG_EXPORT(png_uint_32,png_get_sCAL) PNGARG((png_structp png_ptr,
  177678. png_infop info_ptr, int *unit, double *width, double *height));
  177679. #else
  177680. #ifdef PNG_FIXED_POINT_SUPPORTED
  177681. extern PNG_EXPORT(png_uint_32,png_get_sCAL_s) PNGARG((png_structp png_ptr,
  177682. png_infop info_ptr, int *unit, png_charpp swidth, png_charpp sheight));
  177683. #endif
  177684. #endif
  177685. #endif /* PNG_sCAL_SUPPORTED */
  177686. #if defined(PNG_sCAL_SUPPORTED)
  177687. #ifdef PNG_FLOATING_POINT_SUPPORTED
  177688. extern PNG_EXPORT(void,png_set_sCAL) PNGARG((png_structp png_ptr,
  177689. png_infop info_ptr, int unit, double width, double height));
  177690. #else
  177691. #ifdef PNG_FIXED_POINT_SUPPORTED
  177692. extern PNG_EXPORT(void,png_set_sCAL_s) PNGARG((png_structp png_ptr,
  177693. png_infop info_ptr, int unit, png_charp swidth, png_charp sheight));
  177694. #endif
  177695. #endif
  177696. #endif /* PNG_sCAL_SUPPORTED || PNG_WRITE_sCAL_SUPPORTED */
  177697. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  177698. /* provide a list of chunks and how they are to be handled, if the built-in
  177699. handling or default unknown chunk handling is not desired. Any chunks not
  177700. listed will be handled in the default manner. The IHDR and IEND chunks
  177701. must not be listed.
  177702. keep = 0: follow default behaviour
  177703. = 1: do not keep
  177704. = 2: keep only if safe-to-copy
  177705. = 3: keep even if unsafe-to-copy
  177706. */
  177707. extern PNG_EXPORT(void, png_set_keep_unknown_chunks) PNGARG((png_structp
  177708. png_ptr, int keep, png_bytep chunk_list, int num_chunks));
  177709. extern PNG_EXPORT(void, png_set_unknown_chunks) PNGARG((png_structp png_ptr,
  177710. png_infop info_ptr, png_unknown_chunkp unknowns, int num_unknowns));
  177711. extern PNG_EXPORT(void, png_set_unknown_chunk_location)
  177712. PNGARG((png_structp png_ptr, png_infop info_ptr, int chunk, int location));
  177713. extern PNG_EXPORT(png_uint_32,png_get_unknown_chunks) PNGARG((png_structp
  177714. png_ptr, png_infop info_ptr, png_unknown_chunkpp entries));
  177715. #endif
  177716. #ifdef PNG_HANDLE_AS_UNKNOWN_SUPPORTED
  177717. PNG_EXPORT(int,png_handle_as_unknown) PNGARG((png_structp png_ptr, png_bytep
  177718. chunk_name));
  177719. #endif
  177720. /* Png_free_data() will turn off the "valid" flag for anything it frees.
  177721. If you need to turn it off for a chunk that your application has freed,
  177722. you can use png_set_invalid(png_ptr, info_ptr, PNG_INFO_CHNK); */
  177723. extern PNG_EXPORT(void, png_set_invalid) PNGARG((png_structp png_ptr,
  177724. png_infop info_ptr, int mask));
  177725. #if defined(PNG_INFO_IMAGE_SUPPORTED)
  177726. /* The "params" pointer is currently not used and is for future expansion. */
  177727. extern PNG_EXPORT(void, png_read_png) PNGARG((png_structp png_ptr,
  177728. png_infop info_ptr,
  177729. int transforms,
  177730. png_voidp params));
  177731. extern PNG_EXPORT(void, png_write_png) PNGARG((png_structp png_ptr,
  177732. png_infop info_ptr,
  177733. int transforms,
  177734. png_voidp params));
  177735. #endif
  177736. /* Define PNG_DEBUG at compile time for debugging information. Higher
  177737. * numbers for PNG_DEBUG mean more debugging information. This has
  177738. * only been added since version 0.95 so it is not implemented throughout
  177739. * libpng yet, but more support will be added as needed.
  177740. */
  177741. #ifdef PNG_DEBUG
  177742. #if (PNG_DEBUG > 0)
  177743. #if !defined(PNG_DEBUG_FILE) && defined(_MSC_VER)
  177744. #include <crtdbg.h>
  177745. #if (PNG_DEBUG > 1)
  177746. #define png_debug(l,m) _RPT0(_CRT_WARN,m)
  177747. #define png_debug1(l,m,p1) _RPT1(_CRT_WARN,m,p1)
  177748. #define png_debug2(l,m,p1,p2) _RPT2(_CRT_WARN,m,p1,p2)
  177749. #endif
  177750. #else /* PNG_DEBUG_FILE || !_MSC_VER */
  177751. #ifndef PNG_DEBUG_FILE
  177752. #define PNG_DEBUG_FILE stderr
  177753. #endif /* PNG_DEBUG_FILE */
  177754. #if (PNG_DEBUG > 1)
  177755. #define png_debug(l,m) \
  177756. { \
  177757. int num_tabs=l; \
  177758. fprintf(PNG_DEBUG_FILE,"%s"m,(num_tabs==1 ? "\t" : \
  177759. (num_tabs==2 ? "\t\t":(num_tabs>2 ? "\t\t\t":"")))); \
  177760. }
  177761. #define png_debug1(l,m,p1) \
  177762. { \
  177763. int num_tabs=l; \
  177764. fprintf(PNG_DEBUG_FILE,"%s"m,(num_tabs==1 ? "\t" : \
  177765. (num_tabs==2 ? "\t\t":(num_tabs>2 ? "\t\t\t":""))),p1); \
  177766. }
  177767. #define png_debug2(l,m,p1,p2) \
  177768. { \
  177769. int num_tabs=l; \
  177770. fprintf(PNG_DEBUG_FILE,"%s"m,(num_tabs==1 ? "\t" : \
  177771. (num_tabs==2 ? "\t\t":(num_tabs>2 ? "\t\t\t":""))),p1,p2); \
  177772. }
  177773. #endif /* (PNG_DEBUG > 1) */
  177774. #endif /* _MSC_VER */
  177775. #endif /* (PNG_DEBUG > 0) */
  177776. #endif /* PNG_DEBUG */
  177777. #ifndef png_debug
  177778. #define png_debug(l, m)
  177779. #endif
  177780. #ifndef png_debug1
  177781. #define png_debug1(l, m, p1)
  177782. #endif
  177783. #ifndef png_debug2
  177784. #define png_debug2(l, m, p1, p2)
  177785. #endif
  177786. extern PNG_EXPORT(png_charp,png_get_copyright) PNGARG((png_structp png_ptr));
  177787. extern PNG_EXPORT(png_charp,png_get_header_ver) PNGARG((png_structp png_ptr));
  177788. extern PNG_EXPORT(png_charp,png_get_header_version) PNGARG((png_structp png_ptr));
  177789. extern PNG_EXPORT(png_charp,png_get_libpng_ver) PNGARG((png_structp png_ptr));
  177790. #ifdef PNG_MNG_FEATURES_SUPPORTED
  177791. extern PNG_EXPORT(png_uint_32,png_permit_mng_features) PNGARG((png_structp
  177792. png_ptr, png_uint_32 mng_features_permitted));
  177793. #endif
  177794. /* For use in png_set_keep_unknown, added to version 1.2.6 */
  177795. #define PNG_HANDLE_CHUNK_AS_DEFAULT 0
  177796. #define PNG_HANDLE_CHUNK_NEVER 1
  177797. #define PNG_HANDLE_CHUNK_IF_SAFE 2
  177798. #define PNG_HANDLE_CHUNK_ALWAYS 3
  177799. /* Added to version 1.2.0 */
  177800. #if defined(PNG_ASSEMBLER_CODE_SUPPORTED)
  177801. #if defined(PNG_MMX_CODE_SUPPORTED)
  177802. #define PNG_ASM_FLAG_MMX_SUPPORT_COMPILED 0x01 /* not user-settable */
  177803. #define PNG_ASM_FLAG_MMX_SUPPORT_IN_CPU 0x02 /* not user-settable */
  177804. #define PNG_ASM_FLAG_MMX_READ_COMBINE_ROW 0x04
  177805. #define PNG_ASM_FLAG_MMX_READ_INTERLACE 0x08
  177806. #define PNG_ASM_FLAG_MMX_READ_FILTER_SUB 0x10
  177807. #define PNG_ASM_FLAG_MMX_READ_FILTER_UP 0x20
  177808. #define PNG_ASM_FLAG_MMX_READ_FILTER_AVG 0x40
  177809. #define PNG_ASM_FLAG_MMX_READ_FILTER_PAETH 0x80
  177810. #define PNG_ASM_FLAGS_INITIALIZED 0x80000000 /* not user-settable */
  177811. #define PNG_MMX_READ_FLAGS ( PNG_ASM_FLAG_MMX_READ_COMBINE_ROW \
  177812. | PNG_ASM_FLAG_MMX_READ_INTERLACE \
  177813. | PNG_ASM_FLAG_MMX_READ_FILTER_SUB \
  177814. | PNG_ASM_FLAG_MMX_READ_FILTER_UP \
  177815. | PNG_ASM_FLAG_MMX_READ_FILTER_AVG \
  177816. | PNG_ASM_FLAG_MMX_READ_FILTER_PAETH )
  177817. #define PNG_MMX_WRITE_FLAGS ( 0 )
  177818. #define PNG_MMX_FLAGS ( PNG_ASM_FLAG_MMX_SUPPORT_COMPILED \
  177819. | PNG_ASM_FLAG_MMX_SUPPORT_IN_CPU \
  177820. | PNG_MMX_READ_FLAGS \
  177821. | PNG_MMX_WRITE_FLAGS )
  177822. #define PNG_SELECT_READ 1
  177823. #define PNG_SELECT_WRITE 2
  177824. #endif /* PNG_MMX_CODE_SUPPORTED */
  177825. #if !defined(PNG_1_0_X)
  177826. /* pngget.c */
  177827. extern PNG_EXPORT(png_uint_32,png_get_mmx_flagmask)
  177828. PNGARG((int flag_select, int *compilerID));
  177829. /* pngget.c */
  177830. extern PNG_EXPORT(png_uint_32,png_get_asm_flagmask)
  177831. PNGARG((int flag_select));
  177832. /* pngget.c */
  177833. extern PNG_EXPORT(png_uint_32,png_get_asm_flags)
  177834. PNGARG((png_structp png_ptr));
  177835. /* pngget.c */
  177836. extern PNG_EXPORT(png_byte,png_get_mmx_bitdepth_threshold)
  177837. PNGARG((png_structp png_ptr));
  177838. /* pngget.c */
  177839. extern PNG_EXPORT(png_uint_32,png_get_mmx_rowbytes_threshold)
  177840. PNGARG((png_structp png_ptr));
  177841. /* pngset.c */
  177842. extern PNG_EXPORT(void,png_set_asm_flags)
  177843. PNGARG((png_structp png_ptr, png_uint_32 asm_flags));
  177844. /* pngset.c */
  177845. extern PNG_EXPORT(void,png_set_mmx_thresholds)
  177846. PNGARG((png_structp png_ptr, png_byte mmx_bitdepth_threshold,
  177847. png_uint_32 mmx_rowbytes_threshold));
  177848. #endif /* PNG_1_0_X */
  177849. #if !defined(PNG_1_0_X)
  177850. /* png.c, pnggccrd.c, or pngvcrd.c */
  177851. extern PNG_EXPORT(int,png_mmx_support) PNGARG((void));
  177852. #endif /* PNG_ASSEMBLER_CODE_SUPPORTED */
  177853. /* Strip the prepended error numbers ("#nnn ") from error and warning
  177854. * messages before passing them to the error or warning handler. */
  177855. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  177856. extern PNG_EXPORT(void,png_set_strip_error_numbers) PNGARG((png_structp
  177857. png_ptr, png_uint_32 strip_mode));
  177858. #endif
  177859. #endif /* PNG_1_0_X */
  177860. /* Added at libpng-1.2.6 */
  177861. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  177862. extern PNG_EXPORT(void,png_set_user_limits) PNGARG((png_structp
  177863. png_ptr, png_uint_32 user_width_max, png_uint_32 user_height_max));
  177864. extern PNG_EXPORT(png_uint_32,png_get_user_width_max) PNGARG((png_structp
  177865. png_ptr));
  177866. extern PNG_EXPORT(png_uint_32,png_get_user_height_max) PNGARG((png_structp
  177867. png_ptr));
  177868. #endif
  177869. /* Maintainer: Put new public prototypes here ^, in libpng.3, and project defs */
  177870. #ifdef PNG_READ_COMPOSITE_NODIV_SUPPORTED
  177871. /* With these routines we avoid an integer divide, which will be slower on
  177872. * most machines. However, it does take more operations than the corresponding
  177873. * divide method, so it may be slower on a few RISC systems. There are two
  177874. * shifts (by 8 or 16 bits) and an addition, versus a single integer divide.
  177875. *
  177876. * Note that the rounding factors are NOT supposed to be the same! 128 and
  177877. * 32768 are correct for the NODIV code; 127 and 32767 are correct for the
  177878. * standard method.
  177879. *
  177880. * [Optimized code by Greg Roelofs and Mark Adler...blame us for bugs. :-) ]
  177881. */
  177882. /* fg and bg should be in `gamma 1.0' space; alpha is the opacity */
  177883. # define png_composite(composite, fg, alpha, bg) \
  177884. { png_uint_16 temp = (png_uint_16)((png_uint_16)(fg) * (png_uint_16)(alpha) \
  177885. + (png_uint_16)(bg)*(png_uint_16)(255 - \
  177886. (png_uint_16)(alpha)) + (png_uint_16)128); \
  177887. (composite) = (png_byte)((temp + (temp >> 8)) >> 8); }
  177888. # define png_composite_16(composite, fg, alpha, bg) \
  177889. { png_uint_32 temp = (png_uint_32)((png_uint_32)(fg) * (png_uint_32)(alpha) \
  177890. + (png_uint_32)(bg)*(png_uint_32)(65535L - \
  177891. (png_uint_32)(alpha)) + (png_uint_32)32768L); \
  177892. (composite) = (png_uint_16)((temp + (temp >> 16)) >> 16); }
  177893. #else /* standard method using integer division */
  177894. # define png_composite(composite, fg, alpha, bg) \
  177895. (composite) = (png_byte)(((png_uint_16)(fg) * (png_uint_16)(alpha) + \
  177896. (png_uint_16)(bg) * (png_uint_16)(255 - (png_uint_16)(alpha)) + \
  177897. (png_uint_16)127) / 255)
  177898. # define png_composite_16(composite, fg, alpha, bg) \
  177899. (composite) = (png_uint_16)(((png_uint_32)(fg) * (png_uint_32)(alpha) + \
  177900. (png_uint_32)(bg)*(png_uint_32)(65535L - (png_uint_32)(alpha)) + \
  177901. (png_uint_32)32767) / (png_uint_32)65535L)
  177902. #endif /* PNG_READ_COMPOSITE_NODIV_SUPPORTED */
  177903. /* Inline macros to do direct reads of bytes from the input buffer. These
  177904. * require that you are using an architecture that uses PNG byte ordering
  177905. * (MSB first) and supports unaligned data storage. I think that PowerPC
  177906. * in big-endian mode and 680x0 are the only ones that will support this.
  177907. * The x86 line of processors definitely do not. The png_get_int_32()
  177908. * routine also assumes we are using two's complement format for negative
  177909. * values, which is almost certainly true.
  177910. */
  177911. #if defined(PNG_READ_BIG_ENDIAN_SUPPORTED)
  177912. # define png_get_uint_32(buf) ( *((png_uint_32p) (buf)))
  177913. # define png_get_uint_16(buf) ( *((png_uint_16p) (buf)))
  177914. # define png_get_int_32(buf) ( *((png_int_32p) (buf)))
  177915. #else
  177916. extern PNG_EXPORT(png_uint_32,png_get_uint_32) PNGARG((png_bytep buf));
  177917. extern PNG_EXPORT(png_uint_16,png_get_uint_16) PNGARG((png_bytep buf));
  177918. extern PNG_EXPORT(png_int_32,png_get_int_32) PNGARG((png_bytep buf));
  177919. #endif /* !PNG_READ_BIG_ENDIAN_SUPPORTED */
  177920. extern PNG_EXPORT(png_uint_32,png_get_uint_31)
  177921. PNGARG((png_structp png_ptr, png_bytep buf));
  177922. /* No png_get_int_16 -- may be added if there's a real need for it. */
  177923. /* Place a 32-bit number into a buffer in PNG byte order (big-endian).
  177924. */
  177925. extern PNG_EXPORT(void,png_save_uint_32)
  177926. PNGARG((png_bytep buf, png_uint_32 i));
  177927. extern PNG_EXPORT(void,png_save_int_32)
  177928. PNGARG((png_bytep buf, png_int_32 i));
  177929. /* Place a 16-bit number into a buffer in PNG byte order.
  177930. * The parameter is declared unsigned int, not png_uint_16,
  177931. * just to avoid potential problems on pre-ANSI C compilers.
  177932. */
  177933. extern PNG_EXPORT(void,png_save_uint_16)
  177934. PNGARG((png_bytep buf, unsigned int i));
  177935. /* No png_save_int_16 -- may be added if there's a real need for it. */
  177936. /* ************************************************************************* */
  177937. /* These next functions are used internally in the code. They generally
  177938. * shouldn't be used unless you are writing code to add or replace some
  177939. * functionality in libpng. More information about most functions can
  177940. * be found in the files where the functions are located.
  177941. */
  177942. /* Various modes of operation, that are visible to applications because
  177943. * they are used for unknown chunk location.
  177944. */
  177945. #define PNG_HAVE_IHDR 0x01
  177946. #define PNG_HAVE_PLTE 0x02
  177947. #define PNG_HAVE_IDAT 0x04
  177948. #define PNG_AFTER_IDAT 0x08 /* Have complete zlib datastream */
  177949. #define PNG_HAVE_IEND 0x10
  177950. #if defined(PNG_INTERNAL)
  177951. /* More modes of operation. Note that after an init, mode is set to
  177952. * zero automatically when the structure is created.
  177953. */
  177954. #define PNG_HAVE_gAMA 0x20
  177955. #define PNG_HAVE_cHRM 0x40
  177956. #define PNG_HAVE_sRGB 0x80
  177957. #define PNG_HAVE_CHUNK_HEADER 0x100
  177958. #define PNG_WROTE_tIME 0x200
  177959. #define PNG_WROTE_INFO_BEFORE_PLTE 0x400
  177960. #define PNG_BACKGROUND_IS_GRAY 0x800
  177961. #define PNG_HAVE_PNG_SIGNATURE 0x1000
  177962. #define PNG_HAVE_CHUNK_AFTER_IDAT 0x2000 /* Have another chunk after IDAT */
  177963. /* flags for the transformations the PNG library does on the image data */
  177964. #define PNG_BGR 0x0001
  177965. #define PNG_INTERLACE 0x0002
  177966. #define PNG_PACK 0x0004
  177967. #define PNG_SHIFT 0x0008
  177968. #define PNG_SWAP_BYTES 0x0010
  177969. #define PNG_INVERT_MONO 0x0020
  177970. #define PNG_DITHER 0x0040
  177971. #define PNG_BACKGROUND 0x0080
  177972. #define PNG_BACKGROUND_EXPAND 0x0100
  177973. /* 0x0200 unused */
  177974. #define PNG_16_TO_8 0x0400
  177975. #define PNG_RGBA 0x0800
  177976. #define PNG_EXPAND 0x1000
  177977. #define PNG_GAMMA 0x2000
  177978. #define PNG_GRAY_TO_RGB 0x4000
  177979. #define PNG_FILLER 0x8000L
  177980. #define PNG_PACKSWAP 0x10000L
  177981. #define PNG_SWAP_ALPHA 0x20000L
  177982. #define PNG_STRIP_ALPHA 0x40000L
  177983. #define PNG_INVERT_ALPHA 0x80000L
  177984. #define PNG_USER_TRANSFORM 0x100000L
  177985. #define PNG_RGB_TO_GRAY_ERR 0x200000L
  177986. #define PNG_RGB_TO_GRAY_WARN 0x400000L
  177987. #define PNG_RGB_TO_GRAY 0x600000L /* two bits, RGB_TO_GRAY_ERR|WARN */
  177988. /* 0x800000L Unused */
  177989. #define PNG_ADD_ALPHA 0x1000000L /* Added to libpng-1.2.7 */
  177990. #define PNG_EXPAND_tRNS 0x2000000L /* Added to libpng-1.2.9 */
  177991. /* 0x4000000L unused */
  177992. /* 0x8000000L unused */
  177993. /* 0x10000000L unused */
  177994. /* 0x20000000L unused */
  177995. /* 0x40000000L unused */
  177996. /* flags for png_create_struct */
  177997. #define PNG_STRUCT_PNG 0x0001
  177998. #define PNG_STRUCT_INFO 0x0002
  177999. /* Scaling factor for filter heuristic weighting calculations */
  178000. #define PNG_WEIGHT_SHIFT 8
  178001. #define PNG_WEIGHT_FACTOR (1<<(PNG_WEIGHT_SHIFT))
  178002. #define PNG_COST_SHIFT 3
  178003. #define PNG_COST_FACTOR (1<<(PNG_COST_SHIFT))
  178004. /* flags for the png_ptr->flags rather than declaring a byte for each one */
  178005. #define PNG_FLAG_ZLIB_CUSTOM_STRATEGY 0x0001
  178006. #define PNG_FLAG_ZLIB_CUSTOM_LEVEL 0x0002
  178007. #define PNG_FLAG_ZLIB_CUSTOM_MEM_LEVEL 0x0004
  178008. #define PNG_FLAG_ZLIB_CUSTOM_WINDOW_BITS 0x0008
  178009. #define PNG_FLAG_ZLIB_CUSTOM_METHOD 0x0010
  178010. #define PNG_FLAG_ZLIB_FINISHED 0x0020
  178011. #define PNG_FLAG_ROW_INIT 0x0040
  178012. #define PNG_FLAG_FILLER_AFTER 0x0080
  178013. #define PNG_FLAG_CRC_ANCILLARY_USE 0x0100
  178014. #define PNG_FLAG_CRC_ANCILLARY_NOWARN 0x0200
  178015. #define PNG_FLAG_CRC_CRITICAL_USE 0x0400
  178016. #define PNG_FLAG_CRC_CRITICAL_IGNORE 0x0800
  178017. #define PNG_FLAG_FREE_PLTE 0x1000
  178018. #define PNG_FLAG_FREE_TRNS 0x2000
  178019. #define PNG_FLAG_FREE_HIST 0x4000
  178020. #define PNG_FLAG_KEEP_UNKNOWN_CHUNKS 0x8000L
  178021. #define PNG_FLAG_KEEP_UNSAFE_CHUNKS 0x10000L
  178022. #define PNG_FLAG_LIBRARY_MISMATCH 0x20000L
  178023. #define PNG_FLAG_STRIP_ERROR_NUMBERS 0x40000L
  178024. #define PNG_FLAG_STRIP_ERROR_TEXT 0x80000L
  178025. #define PNG_FLAG_MALLOC_NULL_MEM_OK 0x100000L
  178026. #define PNG_FLAG_ADD_ALPHA 0x200000L /* Added to libpng-1.2.8 */
  178027. #define PNG_FLAG_STRIP_ALPHA 0x400000L /* Added to libpng-1.2.8 */
  178028. /* 0x800000L unused */
  178029. /* 0x1000000L unused */
  178030. /* 0x2000000L unused */
  178031. /* 0x4000000L unused */
  178032. /* 0x8000000L unused */
  178033. /* 0x10000000L unused */
  178034. /* 0x20000000L unused */
  178035. /* 0x40000000L unused */
  178036. #define PNG_FLAG_CRC_ANCILLARY_MASK (PNG_FLAG_CRC_ANCILLARY_USE | \
  178037. PNG_FLAG_CRC_ANCILLARY_NOWARN)
  178038. #define PNG_FLAG_CRC_CRITICAL_MASK (PNG_FLAG_CRC_CRITICAL_USE | \
  178039. PNG_FLAG_CRC_CRITICAL_IGNORE)
  178040. #define PNG_FLAG_CRC_MASK (PNG_FLAG_CRC_ANCILLARY_MASK | \
  178041. PNG_FLAG_CRC_CRITICAL_MASK)
  178042. /* save typing and make code easier to understand */
  178043. #define PNG_COLOR_DIST(c1, c2) (abs((int)((c1).red) - (int)((c2).red)) + \
  178044. abs((int)((c1).green) - (int)((c2).green)) + \
  178045. abs((int)((c1).blue) - (int)((c2).blue)))
  178046. /* Added to libpng-1.2.6 JB */
  178047. #define PNG_ROWBYTES(pixel_bits, width) \
  178048. ((pixel_bits) >= 8 ? \
  178049. ((width) * (((png_uint_32)(pixel_bits)) >> 3)) : \
  178050. (( ((width) * ((png_uint_32)(pixel_bits))) + 7) >> 3) )
  178051. /* PNG_OUT_OF_RANGE returns true if value is outside the range
  178052. ideal-delta..ideal+delta. Each argument is evaluated twice.
  178053. "ideal" and "delta" should be constants, normally simple
  178054. integers, "value" a variable. Added to libpng-1.2.6 JB */
  178055. #define PNG_OUT_OF_RANGE(value, ideal, delta) \
  178056. ( (value) < (ideal)-(delta) || (value) > (ideal)+(delta) )
  178057. /* variables declared in png.c - only it needs to define PNG_NO_EXTERN */
  178058. #if !defined(PNG_NO_EXTERN) || defined(PNG_ALWAYS_EXTERN)
  178059. /* place to hold the signature string for a PNG file. */
  178060. #ifdef PNG_USE_GLOBAL_ARRAYS
  178061. PNG_EXPORT_VAR (PNG_CONST png_byte FARDATA) png_sig[8];
  178062. #else
  178063. #endif
  178064. #endif /* PNG_NO_EXTERN */
  178065. /* Constant strings for known chunk types. If you need to add a chunk,
  178066. * define the name here, and add an invocation of the macro in png.c and
  178067. * wherever it's needed.
  178068. */
  178069. #define PNG_IHDR png_byte png_IHDR[5] = { 73, 72, 68, 82, '\0'}
  178070. #define PNG_IDAT png_byte png_IDAT[5] = { 73, 68, 65, 84, '\0'}
  178071. #define PNG_IEND png_byte png_IEND[5] = { 73, 69, 78, 68, '\0'}
  178072. #define PNG_PLTE png_byte png_PLTE[5] = { 80, 76, 84, 69, '\0'}
  178073. #define PNG_bKGD png_byte png_bKGD[5] = { 98, 75, 71, 68, '\0'}
  178074. #define PNG_cHRM png_byte png_cHRM[5] = { 99, 72, 82, 77, '\0'}
  178075. #define PNG_gAMA png_byte png_gAMA[5] = {103, 65, 77, 65, '\0'}
  178076. #define PNG_hIST png_byte png_hIST[5] = {104, 73, 83, 84, '\0'}
  178077. #define PNG_iCCP png_byte png_iCCP[5] = {105, 67, 67, 80, '\0'}
  178078. #define PNG_iTXt png_byte png_iTXt[5] = {105, 84, 88, 116, '\0'}
  178079. #define PNG_oFFs png_byte png_oFFs[5] = {111, 70, 70, 115, '\0'}
  178080. #define PNG_pCAL png_byte png_pCAL[5] = {112, 67, 65, 76, '\0'}
  178081. #define PNG_sCAL png_byte png_sCAL[5] = {115, 67, 65, 76, '\0'}
  178082. #define PNG_pHYs png_byte png_pHYs[5] = {112, 72, 89, 115, '\0'}
  178083. #define PNG_sBIT png_byte png_sBIT[5] = {115, 66, 73, 84, '\0'}
  178084. #define PNG_sPLT png_byte png_sPLT[5] = {115, 80, 76, 84, '\0'}
  178085. #define PNG_sRGB png_byte png_sRGB[5] = {115, 82, 71, 66, '\0'}
  178086. #define PNG_tEXt png_byte png_tEXt[5] = {116, 69, 88, 116, '\0'}
  178087. #define PNG_tIME png_byte png_tIME[5] = {116, 73, 77, 69, '\0'}
  178088. #define PNG_tRNS png_byte png_tRNS[5] = {116, 82, 78, 83, '\0'}
  178089. #define PNG_zTXt png_byte png_zTXt[5] = {122, 84, 88, 116, '\0'}
  178090. #ifdef PNG_USE_GLOBAL_ARRAYS
  178091. PNG_EXPORT_VAR (png_byte FARDATA) png_IHDR[5];
  178092. PNG_EXPORT_VAR (png_byte FARDATA) png_IDAT[5];
  178093. PNG_EXPORT_VAR (png_byte FARDATA) png_IEND[5];
  178094. PNG_EXPORT_VAR (png_byte FARDATA) png_PLTE[5];
  178095. PNG_EXPORT_VAR (png_byte FARDATA) png_bKGD[5];
  178096. PNG_EXPORT_VAR (png_byte FARDATA) png_cHRM[5];
  178097. PNG_EXPORT_VAR (png_byte FARDATA) png_gAMA[5];
  178098. PNG_EXPORT_VAR (png_byte FARDATA) png_hIST[5];
  178099. PNG_EXPORT_VAR (png_byte FARDATA) png_iCCP[5];
  178100. PNG_EXPORT_VAR (png_byte FARDATA) png_iTXt[5];
  178101. PNG_EXPORT_VAR (png_byte FARDATA) png_oFFs[5];
  178102. PNG_EXPORT_VAR (png_byte FARDATA) png_pCAL[5];
  178103. PNG_EXPORT_VAR (png_byte FARDATA) png_sCAL[5];
  178104. PNG_EXPORT_VAR (png_byte FARDATA) png_pHYs[5];
  178105. PNG_EXPORT_VAR (png_byte FARDATA) png_sBIT[5];
  178106. PNG_EXPORT_VAR (png_byte FARDATA) png_sPLT[5];
  178107. PNG_EXPORT_VAR (png_byte FARDATA) png_sRGB[5];
  178108. PNG_EXPORT_VAR (png_byte FARDATA) png_tEXt[5];
  178109. PNG_EXPORT_VAR (png_byte FARDATA) png_tIME[5];
  178110. PNG_EXPORT_VAR (png_byte FARDATA) png_tRNS[5];
  178111. PNG_EXPORT_VAR (png_byte FARDATA) png_zTXt[5];
  178112. #endif /* PNG_USE_GLOBAL_ARRAYS */
  178113. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  178114. /* Initialize png_ptr struct for reading, and allocate any other memory.
  178115. * (old interface - DEPRECATED - use png_create_read_struct instead).
  178116. */
  178117. extern PNG_EXPORT(void,png_read_init) PNGARG((png_structp png_ptr));
  178118. #undef png_read_init
  178119. #define png_read_init(png_ptr) png_read_init_3(&png_ptr, \
  178120. PNG_LIBPNG_VER_STRING, png_sizeof(png_struct));
  178121. #endif
  178122. extern PNG_EXPORT(void,png_read_init_3) PNGARG((png_structpp ptr_ptr,
  178123. png_const_charp user_png_ver, png_size_t png_struct_size));
  178124. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  178125. extern PNG_EXPORT(void,png_read_init_2) PNGARG((png_structp png_ptr,
  178126. png_const_charp user_png_ver, png_size_t png_struct_size, png_size_t
  178127. png_info_size));
  178128. #endif
  178129. #if defined(PNG_1_0_X) || defined (PNG_1_2_X)
  178130. /* Initialize png_ptr struct for writing, and allocate any other memory.
  178131. * (old interface - DEPRECATED - use png_create_write_struct instead).
  178132. */
  178133. extern PNG_EXPORT(void,png_write_init) PNGARG((png_structp png_ptr));
  178134. #undef png_write_init
  178135. #define png_write_init(png_ptr) png_write_init_3(&png_ptr, \
  178136. PNG_LIBPNG_VER_STRING, png_sizeof(png_struct));
  178137. #endif
  178138. extern PNG_EXPORT(void,png_write_init_3) PNGARG((png_structpp ptr_ptr,
  178139. png_const_charp user_png_ver, png_size_t png_struct_size));
  178140. extern PNG_EXPORT(void,png_write_init_2) PNGARG((png_structp png_ptr,
  178141. png_const_charp user_png_ver, png_size_t png_struct_size, png_size_t
  178142. png_info_size));
  178143. /* Allocate memory for an internal libpng struct */
  178144. PNG_EXTERN png_voidp png_create_struct PNGARG((int type));
  178145. /* Free memory from internal libpng struct */
  178146. PNG_EXTERN void png_destroy_struct PNGARG((png_voidp struct_ptr));
  178147. PNG_EXTERN png_voidp png_create_struct_2 PNGARG((int type, png_malloc_ptr
  178148. malloc_fn, png_voidp mem_ptr));
  178149. PNG_EXTERN void png_destroy_struct_2 PNGARG((png_voidp struct_ptr,
  178150. png_free_ptr free_fn, png_voidp mem_ptr));
  178151. /* Free any memory that info_ptr points to and reset struct. */
  178152. PNG_EXTERN void png_info_destroy PNGARG((png_structp png_ptr,
  178153. png_infop info_ptr));
  178154. #ifndef PNG_1_0_X
  178155. /* Function to allocate memory for zlib. */
  178156. PNG_EXTERN voidpf png_zalloc PNGARG((voidpf png_ptr, uInt items, uInt size));
  178157. /* Function to free memory for zlib */
  178158. PNG_EXTERN void png_zfree PNGARG((voidpf png_ptr, voidpf ptr));
  178159. #ifdef PNG_SIZE_T
  178160. /* Function to convert a sizeof an item to png_sizeof item */
  178161. PNG_EXTERN png_size_t PNGAPI png_convert_size PNGARG((size_t size));
  178162. #endif
  178163. /* Next four functions are used internally as callbacks. PNGAPI is required
  178164. * but not PNG_EXPORT. PNGAPI added at libpng version 1.2.3. */
  178165. PNG_EXTERN void PNGAPI png_default_read_data PNGARG((png_structp png_ptr,
  178166. png_bytep data, png_size_t length));
  178167. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  178168. PNG_EXTERN void PNGAPI png_push_fill_buffer PNGARG((png_structp png_ptr,
  178169. png_bytep buffer, png_size_t length));
  178170. #endif
  178171. PNG_EXTERN void PNGAPI png_default_write_data PNGARG((png_structp png_ptr,
  178172. png_bytep data, png_size_t length));
  178173. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  178174. #if !defined(PNG_NO_STDIO)
  178175. PNG_EXTERN void PNGAPI png_default_flush PNGARG((png_structp png_ptr));
  178176. #endif
  178177. #endif
  178178. #else /* PNG_1_0_X */
  178179. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  178180. PNG_EXTERN void png_push_fill_buffer PNGARG((png_structp png_ptr,
  178181. png_bytep buffer, png_size_t length));
  178182. #endif
  178183. #endif /* PNG_1_0_X */
  178184. /* Reset the CRC variable */
  178185. PNG_EXTERN void png_reset_crc PNGARG((png_structp png_ptr));
  178186. /* Write the "data" buffer to whatever output you are using. */
  178187. PNG_EXTERN void png_write_data PNGARG((png_structp png_ptr, png_bytep data,
  178188. png_size_t length));
  178189. /* Read data from whatever input you are using into the "data" buffer */
  178190. PNG_EXTERN void png_read_data PNGARG((png_structp png_ptr, png_bytep data,
  178191. png_size_t length));
  178192. /* Read bytes into buf, and update png_ptr->crc */
  178193. PNG_EXTERN void png_crc_read PNGARG((png_structp png_ptr, png_bytep buf,
  178194. png_size_t length));
  178195. /* Decompress data in a chunk that uses compression */
  178196. #if defined(PNG_zTXt_SUPPORTED) || defined(PNG_iTXt_SUPPORTED) || \
  178197. defined(PNG_iCCP_SUPPORTED) || defined(PNG_sPLT_SUPPORTED)
  178198. PNG_EXTERN png_charp png_decompress_chunk PNGARG((png_structp png_ptr,
  178199. int comp_type, png_charp chunkdata, png_size_t chunklength,
  178200. png_size_t prefix_length, png_size_t *data_length));
  178201. #endif
  178202. /* Read "skip" bytes, read the file crc, and (optionally) verify png_ptr->crc */
  178203. PNG_EXTERN int png_crc_finish PNGARG((png_structp png_ptr, png_uint_32 skip));
  178204. /* Read the CRC from the file and compare it to the libpng calculated CRC */
  178205. PNG_EXTERN int png_crc_error PNGARG((png_structp png_ptr));
  178206. /* Calculate the CRC over a section of data. Note that we are only
  178207. * passing a maximum of 64K on systems that have this as a memory limit,
  178208. * since this is the maximum buffer size we can specify.
  178209. */
  178210. PNG_EXTERN void png_calculate_crc PNGARG((png_structp png_ptr, png_bytep ptr,
  178211. png_size_t length));
  178212. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  178213. PNG_EXTERN void png_flush PNGARG((png_structp png_ptr));
  178214. #endif
  178215. /* simple function to write the signature */
  178216. PNG_EXTERN void png_write_sig PNGARG((png_structp png_ptr));
  178217. /* write various chunks */
  178218. /* Write the IHDR chunk, and update the png_struct with the necessary
  178219. * information.
  178220. */
  178221. PNG_EXTERN void png_write_IHDR PNGARG((png_structp png_ptr, png_uint_32 width,
  178222. png_uint_32 height,
  178223. int bit_depth, int color_type, int compression_method, int filter_method,
  178224. int interlace_method));
  178225. PNG_EXTERN void png_write_PLTE PNGARG((png_structp png_ptr, png_colorp palette,
  178226. png_uint_32 num_pal));
  178227. PNG_EXTERN void png_write_IDAT PNGARG((png_structp png_ptr, png_bytep data,
  178228. png_size_t length));
  178229. PNG_EXTERN void png_write_IEND PNGARG((png_structp png_ptr));
  178230. #if defined(PNG_WRITE_gAMA_SUPPORTED)
  178231. #ifdef PNG_FLOATING_POINT_SUPPORTED
  178232. PNG_EXTERN void png_write_gAMA PNGARG((png_structp png_ptr, double file_gamma));
  178233. #endif
  178234. #ifdef PNG_FIXED_POINT_SUPPORTED
  178235. PNG_EXTERN void png_write_gAMA_fixed PNGARG((png_structp png_ptr, png_fixed_point
  178236. file_gamma));
  178237. #endif
  178238. #endif
  178239. #if defined(PNG_WRITE_sBIT_SUPPORTED)
  178240. PNG_EXTERN void png_write_sBIT PNGARG((png_structp png_ptr, png_color_8p sbit,
  178241. int color_type));
  178242. #endif
  178243. #if defined(PNG_WRITE_cHRM_SUPPORTED)
  178244. #ifdef PNG_FLOATING_POINT_SUPPORTED
  178245. PNG_EXTERN void png_write_cHRM PNGARG((png_structp png_ptr,
  178246. double white_x, double white_y,
  178247. double red_x, double red_y, double green_x, double green_y,
  178248. double blue_x, double blue_y));
  178249. #endif
  178250. #ifdef PNG_FIXED_POINT_SUPPORTED
  178251. PNG_EXTERN void png_write_cHRM_fixed PNGARG((png_structp png_ptr,
  178252. png_fixed_point int_white_x, png_fixed_point int_white_y,
  178253. png_fixed_point int_red_x, png_fixed_point int_red_y, png_fixed_point
  178254. int_green_x, png_fixed_point int_green_y, png_fixed_point int_blue_x,
  178255. png_fixed_point int_blue_y));
  178256. #endif
  178257. #endif
  178258. #if defined(PNG_WRITE_sRGB_SUPPORTED)
  178259. PNG_EXTERN void png_write_sRGB PNGARG((png_structp png_ptr,
  178260. int intent));
  178261. #endif
  178262. #if defined(PNG_WRITE_iCCP_SUPPORTED)
  178263. PNG_EXTERN void png_write_iCCP PNGARG((png_structp png_ptr,
  178264. png_charp name, int compression_type,
  178265. png_charp profile, int proflen));
  178266. /* Note to maintainer: profile should be png_bytep */
  178267. #endif
  178268. #if defined(PNG_WRITE_sPLT_SUPPORTED)
  178269. PNG_EXTERN void png_write_sPLT PNGARG((png_structp png_ptr,
  178270. png_sPLT_tp palette));
  178271. #endif
  178272. #if defined(PNG_WRITE_tRNS_SUPPORTED)
  178273. PNG_EXTERN void png_write_tRNS PNGARG((png_structp png_ptr, png_bytep trans,
  178274. png_color_16p values, int number, int color_type));
  178275. #endif
  178276. #if defined(PNG_WRITE_bKGD_SUPPORTED)
  178277. PNG_EXTERN void png_write_bKGD PNGARG((png_structp png_ptr,
  178278. png_color_16p values, int color_type));
  178279. #endif
  178280. #if defined(PNG_WRITE_hIST_SUPPORTED)
  178281. PNG_EXTERN void png_write_hIST PNGARG((png_structp png_ptr, png_uint_16p hist,
  178282. int num_hist));
  178283. #endif
  178284. #if defined(PNG_WRITE_TEXT_SUPPORTED) || defined(PNG_WRITE_pCAL_SUPPORTED) || \
  178285. defined(PNG_WRITE_iCCP_SUPPORTED) || defined(PNG_WRITE_sPLT_SUPPORTED)
  178286. PNG_EXTERN png_size_t png_check_keyword PNGARG((png_structp png_ptr,
  178287. png_charp key, png_charpp new_key));
  178288. #endif
  178289. #if defined(PNG_WRITE_tEXt_SUPPORTED)
  178290. PNG_EXTERN void png_write_tEXt PNGARG((png_structp png_ptr, png_charp key,
  178291. png_charp text, png_size_t text_len));
  178292. #endif
  178293. #if defined(PNG_WRITE_zTXt_SUPPORTED)
  178294. PNG_EXTERN void png_write_zTXt PNGARG((png_structp png_ptr, png_charp key,
  178295. png_charp text, png_size_t text_len, int compression));
  178296. #endif
  178297. #if defined(PNG_WRITE_iTXt_SUPPORTED)
  178298. PNG_EXTERN void png_write_iTXt PNGARG((png_structp png_ptr,
  178299. int compression, png_charp key, png_charp lang, png_charp lang_key,
  178300. png_charp text));
  178301. #endif
  178302. #if defined(PNG_TEXT_SUPPORTED) /* Added at version 1.0.14 and 1.2.4 */
  178303. PNG_EXTERN int png_set_text_2 PNGARG((png_structp png_ptr,
  178304. png_infop info_ptr, png_textp text_ptr, int num_text));
  178305. #endif
  178306. #if defined(PNG_WRITE_oFFs_SUPPORTED)
  178307. PNG_EXTERN void png_write_oFFs PNGARG((png_structp png_ptr,
  178308. png_int_32 x_offset, png_int_32 y_offset, int unit_type));
  178309. #endif
  178310. #if defined(PNG_WRITE_pCAL_SUPPORTED)
  178311. PNG_EXTERN void png_write_pCAL PNGARG((png_structp png_ptr, png_charp purpose,
  178312. png_int_32 X0, png_int_32 X1, int type, int nparams,
  178313. png_charp units, png_charpp params));
  178314. #endif
  178315. #if defined(PNG_WRITE_pHYs_SUPPORTED)
  178316. PNG_EXTERN void png_write_pHYs PNGARG((png_structp png_ptr,
  178317. png_uint_32 x_pixels_per_unit, png_uint_32 y_pixels_per_unit,
  178318. int unit_type));
  178319. #endif
  178320. #if defined(PNG_WRITE_tIME_SUPPORTED)
  178321. PNG_EXTERN void png_write_tIME PNGARG((png_structp png_ptr,
  178322. png_timep mod_time));
  178323. #endif
  178324. #if defined(PNG_WRITE_sCAL_SUPPORTED)
  178325. #if defined(PNG_FLOATING_POINT_SUPPORTED) && !defined(PNG_NO_STDIO)
  178326. PNG_EXTERN void png_write_sCAL PNGARG((png_structp png_ptr,
  178327. int unit, double width, double height));
  178328. #else
  178329. #ifdef PNG_FIXED_POINT_SUPPORTED
  178330. PNG_EXTERN void png_write_sCAL_s PNGARG((png_structp png_ptr,
  178331. int unit, png_charp width, png_charp height));
  178332. #endif
  178333. #endif
  178334. #endif
  178335. /* Called when finished processing a row of data */
  178336. PNG_EXTERN void png_write_finish_row PNGARG((png_structp png_ptr));
  178337. /* Internal use only. Called before first row of data */
  178338. PNG_EXTERN void png_write_start_row PNGARG((png_structp png_ptr));
  178339. #if defined(PNG_READ_GAMMA_SUPPORTED)
  178340. PNG_EXTERN void png_build_gamma_table PNGARG((png_structp png_ptr));
  178341. #endif
  178342. /* combine a row of data, dealing with alpha, etc. if requested */
  178343. PNG_EXTERN void png_combine_row PNGARG((png_structp png_ptr, png_bytep row,
  178344. int mask));
  178345. #if defined(PNG_READ_INTERLACING_SUPPORTED)
  178346. /* expand an interlaced row */
  178347. /* OLD pre-1.0.9 interface:
  178348. PNG_EXTERN void png_do_read_interlace PNGARG((png_row_infop row_info,
  178349. png_bytep row, int pass, png_uint_32 transformations));
  178350. */
  178351. PNG_EXTERN void png_do_read_interlace PNGARG((png_structp png_ptr));
  178352. #endif
  178353. /* GRR TO DO (2.0 or whenever): simplify other internal calling interfaces */
  178354. #if defined(PNG_WRITE_INTERLACING_SUPPORTED)
  178355. /* grab pixels out of a row for an interlaced pass */
  178356. PNG_EXTERN void png_do_write_interlace PNGARG((png_row_infop row_info,
  178357. png_bytep row, int pass));
  178358. #endif
  178359. /* unfilter a row */
  178360. PNG_EXTERN void png_read_filter_row PNGARG((png_structp png_ptr,
  178361. png_row_infop row_info, png_bytep row, png_bytep prev_row, int filter));
  178362. /* Choose the best filter to use and filter the row data */
  178363. PNG_EXTERN void png_write_find_filter PNGARG((png_structp png_ptr,
  178364. png_row_infop row_info));
  178365. /* Write out the filtered row. */
  178366. PNG_EXTERN void png_write_filtered_row PNGARG((png_structp png_ptr,
  178367. png_bytep filtered_row));
  178368. /* finish a row while reading, dealing with interlacing passes, etc. */
  178369. PNG_EXTERN void png_read_finish_row PNGARG((png_structp png_ptr));
  178370. /* initialize the row buffers, etc. */
  178371. PNG_EXTERN void png_read_start_row PNGARG((png_structp png_ptr));
  178372. /* optional call to update the users info structure */
  178373. PNG_EXTERN void png_read_transform_info PNGARG((png_structp png_ptr,
  178374. png_infop info_ptr));
  178375. /* these are the functions that do the transformations */
  178376. #if defined(PNG_READ_FILLER_SUPPORTED)
  178377. PNG_EXTERN void png_do_read_filler PNGARG((png_row_infop row_info,
  178378. png_bytep row, png_uint_32 filler, png_uint_32 flags));
  178379. #endif
  178380. #if defined(PNG_READ_SWAP_ALPHA_SUPPORTED)
  178381. PNG_EXTERN void png_do_read_swap_alpha PNGARG((png_row_infop row_info,
  178382. png_bytep row));
  178383. #endif
  178384. #if defined(PNG_WRITE_SWAP_ALPHA_SUPPORTED)
  178385. PNG_EXTERN void png_do_write_swap_alpha PNGARG((png_row_infop row_info,
  178386. png_bytep row));
  178387. #endif
  178388. #if defined(PNG_READ_INVERT_ALPHA_SUPPORTED)
  178389. PNG_EXTERN void png_do_read_invert_alpha PNGARG((png_row_infop row_info,
  178390. png_bytep row));
  178391. #endif
  178392. #if defined(PNG_WRITE_INVERT_ALPHA_SUPPORTED)
  178393. PNG_EXTERN void png_do_write_invert_alpha PNGARG((png_row_infop row_info,
  178394. png_bytep row));
  178395. #endif
  178396. #if defined(PNG_WRITE_FILLER_SUPPORTED) || \
  178397. defined(PNG_READ_STRIP_ALPHA_SUPPORTED)
  178398. PNG_EXTERN void png_do_strip_filler PNGARG((png_row_infop row_info,
  178399. png_bytep row, png_uint_32 flags));
  178400. #endif
  178401. #if defined(PNG_READ_SWAP_SUPPORTED) || defined(PNG_WRITE_SWAP_SUPPORTED)
  178402. PNG_EXTERN void png_do_swap PNGARG((png_row_infop row_info, png_bytep row));
  178403. #endif
  178404. #if defined(PNG_READ_PACKSWAP_SUPPORTED) || defined(PNG_WRITE_PACKSWAP_SUPPORTED)
  178405. PNG_EXTERN void png_do_packswap PNGARG((png_row_infop row_info, png_bytep row));
  178406. #endif
  178407. #if defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  178408. PNG_EXTERN int png_do_rgb_to_gray PNGARG((png_structp png_ptr, png_row_infop
  178409. row_info, png_bytep row));
  178410. #endif
  178411. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  178412. PNG_EXTERN void png_do_gray_to_rgb PNGARG((png_row_infop row_info,
  178413. png_bytep row));
  178414. #endif
  178415. #if defined(PNG_READ_PACK_SUPPORTED)
  178416. PNG_EXTERN void png_do_unpack PNGARG((png_row_infop row_info, png_bytep row));
  178417. #endif
  178418. #if defined(PNG_READ_SHIFT_SUPPORTED)
  178419. PNG_EXTERN void png_do_unshift PNGARG((png_row_infop row_info, png_bytep row,
  178420. png_color_8p sig_bits));
  178421. #endif
  178422. #if defined(PNG_READ_INVERT_SUPPORTED) || defined(PNG_WRITE_INVERT_SUPPORTED)
  178423. PNG_EXTERN void png_do_invert PNGARG((png_row_infop row_info, png_bytep row));
  178424. #endif
  178425. #if defined(PNG_READ_16_TO_8_SUPPORTED)
  178426. PNG_EXTERN void png_do_chop PNGARG((png_row_infop row_info, png_bytep row));
  178427. #endif
  178428. #if defined(PNG_READ_DITHER_SUPPORTED)
  178429. PNG_EXTERN void png_do_dither PNGARG((png_row_infop row_info,
  178430. png_bytep row, png_bytep palette_lookup, png_bytep dither_lookup));
  178431. # if defined(PNG_CORRECT_PALETTE_SUPPORTED)
  178432. PNG_EXTERN void png_correct_palette PNGARG((png_structp png_ptr,
  178433. png_colorp palette, int num_palette));
  178434. # endif
  178435. #endif
  178436. #if defined(PNG_READ_BGR_SUPPORTED) || defined(PNG_WRITE_BGR_SUPPORTED)
  178437. PNG_EXTERN void png_do_bgr PNGARG((png_row_infop row_info, png_bytep row));
  178438. #endif
  178439. #if defined(PNG_WRITE_PACK_SUPPORTED)
  178440. PNG_EXTERN void png_do_pack PNGARG((png_row_infop row_info,
  178441. png_bytep row, png_uint_32 bit_depth));
  178442. #endif
  178443. #if defined(PNG_WRITE_SHIFT_SUPPORTED)
  178444. PNG_EXTERN void png_do_shift PNGARG((png_row_infop row_info, png_bytep row,
  178445. png_color_8p bit_depth));
  178446. #endif
  178447. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  178448. #if defined(PNG_READ_GAMMA_SUPPORTED)
  178449. PNG_EXTERN void png_do_background PNGARG((png_row_infop row_info, png_bytep row,
  178450. png_color_16p trans_values, png_color_16p background,
  178451. png_color_16p background_1,
  178452. png_bytep gamma_table, png_bytep gamma_from_1, png_bytep gamma_to_1,
  178453. png_uint_16pp gamma_16, png_uint_16pp gamma_16_from_1,
  178454. png_uint_16pp gamma_16_to_1, int gamma_shift));
  178455. #else
  178456. PNG_EXTERN void png_do_background PNGARG((png_row_infop row_info, png_bytep row,
  178457. png_color_16p trans_values, png_color_16p background));
  178458. #endif
  178459. #endif
  178460. #if defined(PNG_READ_GAMMA_SUPPORTED)
  178461. PNG_EXTERN void png_do_gamma PNGARG((png_row_infop row_info, png_bytep row,
  178462. png_bytep gamma_table, png_uint_16pp gamma_16_table,
  178463. int gamma_shift));
  178464. #endif
  178465. #if defined(PNG_READ_EXPAND_SUPPORTED)
  178466. PNG_EXTERN void png_do_expand_palette PNGARG((png_row_infop row_info,
  178467. png_bytep row, png_colorp palette, png_bytep trans, int num_trans));
  178468. PNG_EXTERN void png_do_expand PNGARG((png_row_infop row_info,
  178469. png_bytep row, png_color_16p trans_value));
  178470. #endif
  178471. /* The following decodes the appropriate chunks, and does error correction,
  178472. * then calls the appropriate callback for the chunk if it is valid.
  178473. */
  178474. /* decode the IHDR chunk */
  178475. PNG_EXTERN void png_handle_IHDR PNGARG((png_structp png_ptr, png_infop info_ptr,
  178476. png_uint_32 length));
  178477. PNG_EXTERN void png_handle_PLTE PNGARG((png_structp png_ptr, png_infop info_ptr,
  178478. png_uint_32 length));
  178479. PNG_EXTERN void png_handle_IEND PNGARG((png_structp png_ptr, png_infop info_ptr,
  178480. png_uint_32 length));
  178481. #if defined(PNG_READ_bKGD_SUPPORTED)
  178482. PNG_EXTERN void png_handle_bKGD PNGARG((png_structp png_ptr, png_infop info_ptr,
  178483. png_uint_32 length));
  178484. #endif
  178485. #if defined(PNG_READ_cHRM_SUPPORTED)
  178486. PNG_EXTERN void png_handle_cHRM PNGARG((png_structp png_ptr, png_infop info_ptr,
  178487. png_uint_32 length));
  178488. #endif
  178489. #if defined(PNG_READ_gAMA_SUPPORTED)
  178490. PNG_EXTERN void png_handle_gAMA PNGARG((png_structp png_ptr, png_infop info_ptr,
  178491. png_uint_32 length));
  178492. #endif
  178493. #if defined(PNG_READ_hIST_SUPPORTED)
  178494. PNG_EXTERN void png_handle_hIST PNGARG((png_structp png_ptr, png_infop info_ptr,
  178495. png_uint_32 length));
  178496. #endif
  178497. #if defined(PNG_READ_iCCP_SUPPORTED)
  178498. extern void png_handle_iCCP PNGARG((png_structp png_ptr, png_infop info_ptr,
  178499. png_uint_32 length));
  178500. #endif /* PNG_READ_iCCP_SUPPORTED */
  178501. #if defined(PNG_READ_iTXt_SUPPORTED)
  178502. PNG_EXTERN void png_handle_iTXt PNGARG((png_structp png_ptr, png_infop info_ptr,
  178503. png_uint_32 length));
  178504. #endif
  178505. #if defined(PNG_READ_oFFs_SUPPORTED)
  178506. PNG_EXTERN void png_handle_oFFs PNGARG((png_structp png_ptr, png_infop info_ptr,
  178507. png_uint_32 length));
  178508. #endif
  178509. #if defined(PNG_READ_pCAL_SUPPORTED)
  178510. PNG_EXTERN void png_handle_pCAL PNGARG((png_structp png_ptr, png_infop info_ptr,
  178511. png_uint_32 length));
  178512. #endif
  178513. #if defined(PNG_READ_pHYs_SUPPORTED)
  178514. PNG_EXTERN void png_handle_pHYs PNGARG((png_structp png_ptr, png_infop info_ptr,
  178515. png_uint_32 length));
  178516. #endif
  178517. #if defined(PNG_READ_sBIT_SUPPORTED)
  178518. PNG_EXTERN void png_handle_sBIT PNGARG((png_structp png_ptr, png_infop info_ptr,
  178519. png_uint_32 length));
  178520. #endif
  178521. #if defined(PNG_READ_sCAL_SUPPORTED)
  178522. PNG_EXTERN void png_handle_sCAL PNGARG((png_structp png_ptr, png_infop info_ptr,
  178523. png_uint_32 length));
  178524. #endif
  178525. #if defined(PNG_READ_sPLT_SUPPORTED)
  178526. extern void png_handle_sPLT PNGARG((png_structp png_ptr, png_infop info_ptr,
  178527. png_uint_32 length));
  178528. #endif /* PNG_READ_sPLT_SUPPORTED */
  178529. #if defined(PNG_READ_sRGB_SUPPORTED)
  178530. PNG_EXTERN void png_handle_sRGB PNGARG((png_structp png_ptr, png_infop info_ptr,
  178531. png_uint_32 length));
  178532. #endif
  178533. #if defined(PNG_READ_tEXt_SUPPORTED)
  178534. PNG_EXTERN void png_handle_tEXt PNGARG((png_structp png_ptr, png_infop info_ptr,
  178535. png_uint_32 length));
  178536. #endif
  178537. #if defined(PNG_READ_tIME_SUPPORTED)
  178538. PNG_EXTERN void png_handle_tIME PNGARG((png_structp png_ptr, png_infop info_ptr,
  178539. png_uint_32 length));
  178540. #endif
  178541. #if defined(PNG_READ_tRNS_SUPPORTED)
  178542. PNG_EXTERN void png_handle_tRNS PNGARG((png_structp png_ptr, png_infop info_ptr,
  178543. png_uint_32 length));
  178544. #endif
  178545. #if defined(PNG_READ_zTXt_SUPPORTED)
  178546. PNG_EXTERN void png_handle_zTXt PNGARG((png_structp png_ptr, png_infop info_ptr,
  178547. png_uint_32 length));
  178548. #endif
  178549. PNG_EXTERN void png_handle_unknown PNGARG((png_structp png_ptr,
  178550. png_infop info_ptr, png_uint_32 length));
  178551. PNG_EXTERN void png_check_chunk_name PNGARG((png_structp png_ptr,
  178552. png_bytep chunk_name));
  178553. /* handle the transformations for reading and writing */
  178554. PNG_EXTERN void png_do_read_transformations PNGARG((png_structp png_ptr));
  178555. PNG_EXTERN void png_do_write_transformations PNGARG((png_structp png_ptr));
  178556. PNG_EXTERN void png_init_read_transformations PNGARG((png_structp png_ptr));
  178557. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  178558. PNG_EXTERN void png_push_read_chunk PNGARG((png_structp png_ptr,
  178559. png_infop info_ptr));
  178560. PNG_EXTERN void png_push_read_sig PNGARG((png_structp png_ptr,
  178561. png_infop info_ptr));
  178562. PNG_EXTERN void png_push_check_crc PNGARG((png_structp png_ptr));
  178563. PNG_EXTERN void png_push_crc_skip PNGARG((png_structp png_ptr,
  178564. png_uint_32 length));
  178565. PNG_EXTERN void png_push_crc_finish PNGARG((png_structp png_ptr));
  178566. PNG_EXTERN void png_push_save_buffer PNGARG((png_structp png_ptr));
  178567. PNG_EXTERN void png_push_restore_buffer PNGARG((png_structp png_ptr,
  178568. png_bytep buffer, png_size_t buffer_length));
  178569. PNG_EXTERN void png_push_read_IDAT PNGARG((png_structp png_ptr));
  178570. PNG_EXTERN void png_process_IDAT_data PNGARG((png_structp png_ptr,
  178571. png_bytep buffer, png_size_t buffer_length));
  178572. PNG_EXTERN void png_push_process_row PNGARG((png_structp png_ptr));
  178573. PNG_EXTERN void png_push_handle_unknown PNGARG((png_structp png_ptr,
  178574. png_infop info_ptr, png_uint_32 length));
  178575. PNG_EXTERN void png_push_have_info PNGARG((png_structp png_ptr,
  178576. png_infop info_ptr));
  178577. PNG_EXTERN void png_push_have_end PNGARG((png_structp png_ptr,
  178578. png_infop info_ptr));
  178579. PNG_EXTERN void png_push_have_row PNGARG((png_structp png_ptr, png_bytep row));
  178580. PNG_EXTERN void png_push_read_end PNGARG((png_structp png_ptr,
  178581. png_infop info_ptr));
  178582. PNG_EXTERN void png_process_some_data PNGARG((png_structp png_ptr,
  178583. png_infop info_ptr));
  178584. PNG_EXTERN void png_read_push_finish_row PNGARG((png_structp png_ptr));
  178585. #if defined(PNG_READ_tEXt_SUPPORTED)
  178586. PNG_EXTERN void png_push_handle_tEXt PNGARG((png_structp png_ptr,
  178587. png_infop info_ptr, png_uint_32 length));
  178588. PNG_EXTERN void png_push_read_tEXt PNGARG((png_structp png_ptr,
  178589. png_infop info_ptr));
  178590. #endif
  178591. #if defined(PNG_READ_zTXt_SUPPORTED)
  178592. PNG_EXTERN void png_push_handle_zTXt PNGARG((png_structp png_ptr,
  178593. png_infop info_ptr, png_uint_32 length));
  178594. PNG_EXTERN void png_push_read_zTXt PNGARG((png_structp png_ptr,
  178595. png_infop info_ptr));
  178596. #endif
  178597. #if defined(PNG_READ_iTXt_SUPPORTED)
  178598. PNG_EXTERN void png_push_handle_iTXt PNGARG((png_structp png_ptr,
  178599. png_infop info_ptr, png_uint_32 length));
  178600. PNG_EXTERN void png_push_read_iTXt PNGARG((png_structp png_ptr,
  178601. png_infop info_ptr));
  178602. #endif
  178603. #endif /* PNG_PROGRESSIVE_READ_SUPPORTED */
  178604. #ifdef PNG_MNG_FEATURES_SUPPORTED
  178605. PNG_EXTERN void png_do_read_intrapixel PNGARG((png_row_infop row_info,
  178606. png_bytep row));
  178607. PNG_EXTERN void png_do_write_intrapixel PNGARG((png_row_infop row_info,
  178608. png_bytep row));
  178609. #endif
  178610. #if defined(PNG_ASSEMBLER_CODE_SUPPORTED)
  178611. #if defined(PNG_MMX_CODE_SUPPORTED)
  178612. /* png.c */ /* PRIVATE */
  178613. PNG_EXTERN void png_init_mmx_flags PNGARG((png_structp png_ptr));
  178614. #endif
  178615. #endif
  178616. #if defined(PNG_INCH_CONVERSIONS) && defined(PNG_FLOATING_POINT_SUPPORTED)
  178617. PNG_EXTERN png_uint_32 png_get_pixels_per_inch PNGARG((png_structp png_ptr,
  178618. png_infop info_ptr));
  178619. PNG_EXTERN png_uint_32 png_get_x_pixels_per_inch PNGARG((png_structp png_ptr,
  178620. png_infop info_ptr));
  178621. PNG_EXTERN png_uint_32 png_get_y_pixels_per_inch PNGARG((png_structp png_ptr,
  178622. png_infop info_ptr));
  178623. PNG_EXTERN float png_get_x_offset_inches PNGARG((png_structp png_ptr,
  178624. png_infop info_ptr));
  178625. PNG_EXTERN float png_get_y_offset_inches PNGARG((png_structp png_ptr,
  178626. png_infop info_ptr));
  178627. #if defined(PNG_pHYs_SUPPORTED)
  178628. PNG_EXTERN png_uint_32 png_get_pHYs_dpi PNGARG((png_structp png_ptr,
  178629. png_infop info_ptr, png_uint_32 *res_x, png_uint_32 *res_y, int *unit_type));
  178630. #endif /* PNG_pHYs_SUPPORTED */
  178631. #endif /* PNG_INCH_CONVERSIONS && PNG_FLOATING_POINT_SUPPORTED */
  178632. /* Maintainer: Put new private prototypes here ^ and in libpngpf.3 */
  178633. #endif /* PNG_INTERNAL */
  178634. #ifdef __cplusplus
  178635. }
  178636. #endif
  178637. #endif /* PNG_VERSION_INFO_ONLY */
  178638. /* do not put anything past this line */
  178639. #endif /* PNG_H */
  178640. /********* End of inlined file: png.h *********/
  178641. #define PNG_NO_EXTERN
  178642. /********* Start of inlined file: png.c *********/
  178643. /* png.c - location for general purpose libpng functions
  178644. *
  178645. * Last changed in libpng 1.2.21 [October 4, 2007]
  178646. * For conditions of distribution and use, see copyright notice in png.h
  178647. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  178648. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  178649. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  178650. */
  178651. #define PNG_INTERNAL
  178652. #define PNG_NO_EXTERN
  178653. /* Generate a compiler error if there is an old png.h in the search path. */
  178654. typedef version_1_2_21 Your_png_h_is_not_version_1_2_21;
  178655. /* Version information for C files. This had better match the version
  178656. * string defined in png.h. */
  178657. #ifdef PNG_USE_GLOBAL_ARRAYS
  178658. /* png_libpng_ver was changed to a function in version 1.0.5c */
  178659. PNG_CONST char png_libpng_ver[18] = PNG_LIBPNG_VER_STRING;
  178660. #ifdef PNG_READ_SUPPORTED
  178661. /* png_sig was changed to a function in version 1.0.5c */
  178662. /* Place to hold the signature string for a PNG file. */
  178663. PNG_CONST png_byte FARDATA png_sig[8] = {137, 80, 78, 71, 13, 10, 26, 10};
  178664. #endif /* PNG_READ_SUPPORTED */
  178665. /* Invoke global declarations for constant strings for known chunk types */
  178666. PNG_IHDR;
  178667. PNG_IDAT;
  178668. PNG_IEND;
  178669. PNG_PLTE;
  178670. PNG_bKGD;
  178671. PNG_cHRM;
  178672. PNG_gAMA;
  178673. PNG_hIST;
  178674. PNG_iCCP;
  178675. PNG_iTXt;
  178676. PNG_oFFs;
  178677. PNG_pCAL;
  178678. PNG_sCAL;
  178679. PNG_pHYs;
  178680. PNG_sBIT;
  178681. PNG_sPLT;
  178682. PNG_sRGB;
  178683. PNG_tEXt;
  178684. PNG_tIME;
  178685. PNG_tRNS;
  178686. PNG_zTXt;
  178687. #ifdef PNG_READ_SUPPORTED
  178688. /* arrays to facilitate easy interlacing - use pass (0 - 6) as index */
  178689. /* start of interlace block */
  178690. PNG_CONST int FARDATA png_pass_start[] = {0, 4, 0, 2, 0, 1, 0};
  178691. /* offset to next interlace block */
  178692. PNG_CONST int FARDATA png_pass_inc[] = {8, 8, 4, 4, 2, 2, 1};
  178693. /* start of interlace block in the y direction */
  178694. PNG_CONST int FARDATA png_pass_ystart[] = {0, 0, 4, 0, 2, 0, 1};
  178695. /* offset to next interlace block in the y direction */
  178696. PNG_CONST int FARDATA png_pass_yinc[] = {8, 8, 8, 4, 4, 2, 2};
  178697. /* Height of interlace block. This is not currently used - if you need
  178698. * it, uncomment it here and in png.h
  178699. PNG_CONST int FARDATA png_pass_height[] = {8, 8, 4, 4, 2, 2, 1};
  178700. */
  178701. /* Mask to determine which pixels are valid in a pass */
  178702. PNG_CONST int FARDATA png_pass_mask[] = {0x80, 0x08, 0x88, 0x22, 0xaa, 0x55, 0xff};
  178703. /* Mask to determine which pixels to overwrite while displaying */
  178704. PNG_CONST int FARDATA png_pass_dsp_mask[]
  178705. = {0xff, 0x0f, 0xff, 0x33, 0xff, 0x55, 0xff};
  178706. #endif /* PNG_READ_SUPPORTED */
  178707. #endif /* PNG_USE_GLOBAL_ARRAYS */
  178708. /* Tells libpng that we have already handled the first "num_bytes" bytes
  178709. * of the PNG file signature. If the PNG data is embedded into another
  178710. * stream we can set num_bytes = 8 so that libpng will not attempt to read
  178711. * or write any of the magic bytes before it starts on the IHDR.
  178712. */
  178713. #ifdef PNG_READ_SUPPORTED
  178714. void PNGAPI
  178715. png_set_sig_bytes(png_structp png_ptr, int num_bytes)
  178716. {
  178717. if(png_ptr == NULL) return;
  178718. png_debug(1, "in png_set_sig_bytes\n");
  178719. if (num_bytes > 8)
  178720. png_error(png_ptr, "Too many bytes for PNG signature.");
  178721. png_ptr->sig_bytes = (png_byte)(num_bytes < 0 ? 0 : num_bytes);
  178722. }
  178723. /* Checks whether the supplied bytes match the PNG signature. We allow
  178724. * checking less than the full 8-byte signature so that those apps that
  178725. * already read the first few bytes of a file to determine the file type
  178726. * can simply check the remaining bytes for extra assurance. Returns
  178727. * an integer less than, equal to, or greater than zero if sig is found,
  178728. * respectively, to be less than, to match, or be greater than the correct
  178729. * PNG signature (this is the same behaviour as strcmp, memcmp, etc).
  178730. */
  178731. int PNGAPI
  178732. png_sig_cmp(png_bytep sig, png_size_t start, png_size_t num_to_check)
  178733. {
  178734. png_byte png_signature[8] = {137, 80, 78, 71, 13, 10, 26, 10};
  178735. if (num_to_check > 8)
  178736. num_to_check = 8;
  178737. else if (num_to_check < 1)
  178738. return (-1);
  178739. if (start > 7)
  178740. return (-1);
  178741. if (start + num_to_check > 8)
  178742. num_to_check = 8 - start;
  178743. return ((int)(png_memcmp(&sig[start], &png_signature[start], num_to_check)));
  178744. }
  178745. #if defined(PNG_1_0_X) || defined(PNG_1_2_X)
  178746. /* (Obsolete) function to check signature bytes. It does not allow one
  178747. * to check a partial signature. This function might be removed in the
  178748. * future - use png_sig_cmp(). Returns true (nonzero) if the file is PNG.
  178749. */
  178750. int PNGAPI
  178751. png_check_sig(png_bytep sig, int num)
  178752. {
  178753. return ((int)!png_sig_cmp(sig, (png_size_t)0, (png_size_t)num));
  178754. }
  178755. #endif
  178756. #endif /* PNG_READ_SUPPORTED */
  178757. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  178758. /* Function to allocate memory for zlib and clear it to 0. */
  178759. #ifdef PNG_1_0_X
  178760. voidpf PNGAPI
  178761. #else
  178762. voidpf /* private */
  178763. #endif
  178764. png_zalloc(voidpf png_ptr, uInt items, uInt size)
  178765. {
  178766. png_voidp ptr;
  178767. png_structp p=(png_structp)png_ptr;
  178768. png_uint_32 save_flags=p->flags;
  178769. png_uint_32 num_bytes;
  178770. if(png_ptr == NULL) return (NULL);
  178771. if (items > PNG_UINT_32_MAX/size)
  178772. {
  178773. png_warning (p, "Potential overflow in png_zalloc()");
  178774. return (NULL);
  178775. }
  178776. num_bytes = (png_uint_32)items * size;
  178777. p->flags|=PNG_FLAG_MALLOC_NULL_MEM_OK;
  178778. ptr = (png_voidp)png_malloc((png_structp)png_ptr, num_bytes);
  178779. p->flags=save_flags;
  178780. #if defined(PNG_1_0_X) && !defined(PNG_NO_ZALLOC_ZERO)
  178781. if (ptr == NULL)
  178782. return ((voidpf)ptr);
  178783. if (num_bytes > (png_uint_32)0x8000L)
  178784. {
  178785. png_memset(ptr, 0, (png_size_t)0x8000L);
  178786. png_memset((png_bytep)ptr + (png_size_t)0x8000L, 0,
  178787. (png_size_t)(num_bytes - (png_uint_32)0x8000L));
  178788. }
  178789. else
  178790. {
  178791. png_memset(ptr, 0, (png_size_t)num_bytes);
  178792. }
  178793. #endif
  178794. return ((voidpf)ptr);
  178795. }
  178796. /* function to free memory for zlib */
  178797. #ifdef PNG_1_0_X
  178798. void PNGAPI
  178799. #else
  178800. void /* private */
  178801. #endif
  178802. png_zfree(voidpf png_ptr, voidpf ptr)
  178803. {
  178804. png_free((png_structp)png_ptr, (png_voidp)ptr);
  178805. }
  178806. /* Reset the CRC variable to 32 bits of 1's. Care must be taken
  178807. * in case CRC is > 32 bits to leave the top bits 0.
  178808. */
  178809. void /* PRIVATE */
  178810. png_reset_crc(png_structp png_ptr)
  178811. {
  178812. png_ptr->crc = crc32(0, Z_NULL, 0);
  178813. }
  178814. /* Calculate the CRC over a section of data. We can only pass as
  178815. * much data to this routine as the largest single buffer size. We
  178816. * also check that this data will actually be used before going to the
  178817. * trouble of calculating it.
  178818. */
  178819. void /* PRIVATE */
  178820. png_calculate_crc(png_structp png_ptr, png_bytep ptr, png_size_t length)
  178821. {
  178822. int need_crc = 1;
  178823. if (png_ptr->chunk_name[0] & 0x20) /* ancillary */
  178824. {
  178825. if ((png_ptr->flags & PNG_FLAG_CRC_ANCILLARY_MASK) ==
  178826. (PNG_FLAG_CRC_ANCILLARY_USE | PNG_FLAG_CRC_ANCILLARY_NOWARN))
  178827. need_crc = 0;
  178828. }
  178829. else /* critical */
  178830. {
  178831. if (png_ptr->flags & PNG_FLAG_CRC_CRITICAL_IGNORE)
  178832. need_crc = 0;
  178833. }
  178834. if (need_crc)
  178835. png_ptr->crc = crc32(png_ptr->crc, ptr, (uInt)length);
  178836. }
  178837. /* Allocate the memory for an info_struct for the application. We don't
  178838. * really need the png_ptr, but it could potentially be useful in the
  178839. * future. This should be used in favour of malloc(png_sizeof(png_info))
  178840. * and png_info_init() so that applications that want to use a shared
  178841. * libpng don't have to be recompiled if png_info changes size.
  178842. */
  178843. png_infop PNGAPI
  178844. png_create_info_struct(png_structp png_ptr)
  178845. {
  178846. png_infop info_ptr;
  178847. png_debug(1, "in png_create_info_struct\n");
  178848. if(png_ptr == NULL) return (NULL);
  178849. #ifdef PNG_USER_MEM_SUPPORTED
  178850. info_ptr = (png_infop)png_create_struct_2(PNG_STRUCT_INFO,
  178851. png_ptr->malloc_fn, png_ptr->mem_ptr);
  178852. #else
  178853. info_ptr = (png_infop)png_create_struct(PNG_STRUCT_INFO);
  178854. #endif
  178855. if (info_ptr != NULL)
  178856. png_info_init_3(&info_ptr, png_sizeof(png_info));
  178857. return (info_ptr);
  178858. }
  178859. /* This function frees the memory associated with a single info struct.
  178860. * Normally, one would use either png_destroy_read_struct() or
  178861. * png_destroy_write_struct() to free an info struct, but this may be
  178862. * useful for some applications.
  178863. */
  178864. void PNGAPI
  178865. png_destroy_info_struct(png_structp png_ptr, png_infopp info_ptr_ptr)
  178866. {
  178867. png_infop info_ptr = NULL;
  178868. if(png_ptr == NULL) return;
  178869. png_debug(1, "in png_destroy_info_struct\n");
  178870. if (info_ptr_ptr != NULL)
  178871. info_ptr = *info_ptr_ptr;
  178872. if (info_ptr != NULL)
  178873. {
  178874. png_info_destroy(png_ptr, info_ptr);
  178875. #ifdef PNG_USER_MEM_SUPPORTED
  178876. png_destroy_struct_2((png_voidp)info_ptr, png_ptr->free_fn,
  178877. png_ptr->mem_ptr);
  178878. #else
  178879. png_destroy_struct((png_voidp)info_ptr);
  178880. #endif
  178881. *info_ptr_ptr = NULL;
  178882. }
  178883. }
  178884. /* Initialize the info structure. This is now an internal function (0.89)
  178885. * and applications using it are urged to use png_create_info_struct()
  178886. * instead.
  178887. */
  178888. #if defined(PNG_1_0_X) || defined(PNG_1_2_X)
  178889. #undef png_info_init
  178890. void PNGAPI
  178891. png_info_init(png_infop info_ptr)
  178892. {
  178893. /* We only come here via pre-1.0.12-compiled applications */
  178894. png_info_init_3(&info_ptr, 0);
  178895. }
  178896. #endif
  178897. void PNGAPI
  178898. png_info_init_3(png_infopp ptr_ptr, png_size_t png_info_struct_size)
  178899. {
  178900. png_infop info_ptr = *ptr_ptr;
  178901. if(info_ptr == NULL) return;
  178902. png_debug(1, "in png_info_init_3\n");
  178903. if(png_sizeof(png_info) > png_info_struct_size)
  178904. {
  178905. png_destroy_struct(info_ptr);
  178906. info_ptr = (png_infop)png_create_struct(PNG_STRUCT_INFO);
  178907. *ptr_ptr = info_ptr;
  178908. }
  178909. /* set everything to 0 */
  178910. png_memset(info_ptr, 0, png_sizeof (png_info));
  178911. }
  178912. #ifdef PNG_FREE_ME_SUPPORTED
  178913. void PNGAPI
  178914. png_data_freer(png_structp png_ptr, png_infop info_ptr,
  178915. int freer, png_uint_32 mask)
  178916. {
  178917. png_debug(1, "in png_data_freer\n");
  178918. if (png_ptr == NULL || info_ptr == NULL)
  178919. return;
  178920. if(freer == PNG_DESTROY_WILL_FREE_DATA)
  178921. info_ptr->free_me |= mask;
  178922. else if(freer == PNG_USER_WILL_FREE_DATA)
  178923. info_ptr->free_me &= ~mask;
  178924. else
  178925. png_warning(png_ptr,
  178926. "Unknown freer parameter in png_data_freer.");
  178927. }
  178928. #endif
  178929. void PNGAPI
  178930. png_free_data(png_structp png_ptr, png_infop info_ptr, png_uint_32 mask,
  178931. int num)
  178932. {
  178933. png_debug(1, "in png_free_data\n");
  178934. if (png_ptr == NULL || info_ptr == NULL)
  178935. return;
  178936. #if defined(PNG_TEXT_SUPPORTED)
  178937. /* free text item num or (if num == -1) all text items */
  178938. #ifdef PNG_FREE_ME_SUPPORTED
  178939. if ((mask & PNG_FREE_TEXT) & info_ptr->free_me)
  178940. #else
  178941. if (mask & PNG_FREE_TEXT)
  178942. #endif
  178943. {
  178944. if (num != -1)
  178945. {
  178946. if (info_ptr->text && info_ptr->text[num].key)
  178947. {
  178948. png_free(png_ptr, info_ptr->text[num].key);
  178949. info_ptr->text[num].key = NULL;
  178950. }
  178951. }
  178952. else
  178953. {
  178954. int i;
  178955. for (i = 0; i < info_ptr->num_text; i++)
  178956. png_free_data(png_ptr, info_ptr, PNG_FREE_TEXT, i);
  178957. png_free(png_ptr, info_ptr->text);
  178958. info_ptr->text = NULL;
  178959. info_ptr->num_text=0;
  178960. }
  178961. }
  178962. #endif
  178963. #if defined(PNG_tRNS_SUPPORTED)
  178964. /* free any tRNS entry */
  178965. #ifdef PNG_FREE_ME_SUPPORTED
  178966. if ((mask & PNG_FREE_TRNS) & info_ptr->free_me)
  178967. #else
  178968. if ((mask & PNG_FREE_TRNS) && (png_ptr->flags & PNG_FLAG_FREE_TRNS))
  178969. #endif
  178970. {
  178971. png_free(png_ptr, info_ptr->trans);
  178972. info_ptr->valid &= ~PNG_INFO_tRNS;
  178973. #ifndef PNG_FREE_ME_SUPPORTED
  178974. png_ptr->flags &= ~PNG_FLAG_FREE_TRNS;
  178975. #endif
  178976. info_ptr->trans = NULL;
  178977. }
  178978. #endif
  178979. #if defined(PNG_sCAL_SUPPORTED)
  178980. /* free any sCAL entry */
  178981. #ifdef PNG_FREE_ME_SUPPORTED
  178982. if ((mask & PNG_FREE_SCAL) & info_ptr->free_me)
  178983. #else
  178984. if (mask & PNG_FREE_SCAL)
  178985. #endif
  178986. {
  178987. #if defined(PNG_FIXED_POINT_SUPPORTED) && !defined(PNG_FLOATING_POINT_SUPPORTED)
  178988. png_free(png_ptr, info_ptr->scal_s_width);
  178989. png_free(png_ptr, info_ptr->scal_s_height);
  178990. info_ptr->scal_s_width = NULL;
  178991. info_ptr->scal_s_height = NULL;
  178992. #endif
  178993. info_ptr->valid &= ~PNG_INFO_sCAL;
  178994. }
  178995. #endif
  178996. #if defined(PNG_pCAL_SUPPORTED)
  178997. /* free any pCAL entry */
  178998. #ifdef PNG_FREE_ME_SUPPORTED
  178999. if ((mask & PNG_FREE_PCAL) & info_ptr->free_me)
  179000. #else
  179001. if (mask & PNG_FREE_PCAL)
  179002. #endif
  179003. {
  179004. png_free(png_ptr, info_ptr->pcal_purpose);
  179005. png_free(png_ptr, info_ptr->pcal_units);
  179006. info_ptr->pcal_purpose = NULL;
  179007. info_ptr->pcal_units = NULL;
  179008. if (info_ptr->pcal_params != NULL)
  179009. {
  179010. int i;
  179011. for (i = 0; i < (int)info_ptr->pcal_nparams; i++)
  179012. {
  179013. png_free(png_ptr, info_ptr->pcal_params[i]);
  179014. info_ptr->pcal_params[i]=NULL;
  179015. }
  179016. png_free(png_ptr, info_ptr->pcal_params);
  179017. info_ptr->pcal_params = NULL;
  179018. }
  179019. info_ptr->valid &= ~PNG_INFO_pCAL;
  179020. }
  179021. #endif
  179022. #if defined(PNG_iCCP_SUPPORTED)
  179023. /* free any iCCP entry */
  179024. #ifdef PNG_FREE_ME_SUPPORTED
  179025. if ((mask & PNG_FREE_ICCP) & info_ptr->free_me)
  179026. #else
  179027. if (mask & PNG_FREE_ICCP)
  179028. #endif
  179029. {
  179030. png_free(png_ptr, info_ptr->iccp_name);
  179031. png_free(png_ptr, info_ptr->iccp_profile);
  179032. info_ptr->iccp_name = NULL;
  179033. info_ptr->iccp_profile = NULL;
  179034. info_ptr->valid &= ~PNG_INFO_iCCP;
  179035. }
  179036. #endif
  179037. #if defined(PNG_sPLT_SUPPORTED)
  179038. /* free a given sPLT entry, or (if num == -1) all sPLT entries */
  179039. #ifdef PNG_FREE_ME_SUPPORTED
  179040. if ((mask & PNG_FREE_SPLT) & info_ptr->free_me)
  179041. #else
  179042. if (mask & PNG_FREE_SPLT)
  179043. #endif
  179044. {
  179045. if (num != -1)
  179046. {
  179047. if(info_ptr->splt_palettes)
  179048. {
  179049. png_free(png_ptr, info_ptr->splt_palettes[num].name);
  179050. png_free(png_ptr, info_ptr->splt_palettes[num].entries);
  179051. info_ptr->splt_palettes[num].name = NULL;
  179052. info_ptr->splt_palettes[num].entries = NULL;
  179053. }
  179054. }
  179055. else
  179056. {
  179057. if(info_ptr->splt_palettes_num)
  179058. {
  179059. int i;
  179060. for (i = 0; i < (int)info_ptr->splt_palettes_num; i++)
  179061. png_free_data(png_ptr, info_ptr, PNG_FREE_SPLT, i);
  179062. png_free(png_ptr, info_ptr->splt_palettes);
  179063. info_ptr->splt_palettes = NULL;
  179064. info_ptr->splt_palettes_num = 0;
  179065. }
  179066. info_ptr->valid &= ~PNG_INFO_sPLT;
  179067. }
  179068. }
  179069. #endif
  179070. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  179071. if(png_ptr->unknown_chunk.data)
  179072. {
  179073. png_free(png_ptr, png_ptr->unknown_chunk.data);
  179074. png_ptr->unknown_chunk.data = NULL;
  179075. }
  179076. #ifdef PNG_FREE_ME_SUPPORTED
  179077. if ((mask & PNG_FREE_UNKN) & info_ptr->free_me)
  179078. #else
  179079. if (mask & PNG_FREE_UNKN)
  179080. #endif
  179081. {
  179082. if (num != -1)
  179083. {
  179084. if(info_ptr->unknown_chunks)
  179085. {
  179086. png_free(png_ptr, info_ptr->unknown_chunks[num].data);
  179087. info_ptr->unknown_chunks[num].data = NULL;
  179088. }
  179089. }
  179090. else
  179091. {
  179092. int i;
  179093. if(info_ptr->unknown_chunks_num)
  179094. {
  179095. for (i = 0; i < (int)info_ptr->unknown_chunks_num; i++)
  179096. png_free_data(png_ptr, info_ptr, PNG_FREE_UNKN, i);
  179097. png_free(png_ptr, info_ptr->unknown_chunks);
  179098. info_ptr->unknown_chunks = NULL;
  179099. info_ptr->unknown_chunks_num = 0;
  179100. }
  179101. }
  179102. }
  179103. #endif
  179104. #if defined(PNG_hIST_SUPPORTED)
  179105. /* free any hIST entry */
  179106. #ifdef PNG_FREE_ME_SUPPORTED
  179107. if ((mask & PNG_FREE_HIST) & info_ptr->free_me)
  179108. #else
  179109. if ((mask & PNG_FREE_HIST) && (png_ptr->flags & PNG_FLAG_FREE_HIST))
  179110. #endif
  179111. {
  179112. png_free(png_ptr, info_ptr->hist);
  179113. info_ptr->hist = NULL;
  179114. info_ptr->valid &= ~PNG_INFO_hIST;
  179115. #ifndef PNG_FREE_ME_SUPPORTED
  179116. png_ptr->flags &= ~PNG_FLAG_FREE_HIST;
  179117. #endif
  179118. }
  179119. #endif
  179120. /* free any PLTE entry that was internally allocated */
  179121. #ifdef PNG_FREE_ME_SUPPORTED
  179122. if ((mask & PNG_FREE_PLTE) & info_ptr->free_me)
  179123. #else
  179124. if ((mask & PNG_FREE_PLTE) && (png_ptr->flags & PNG_FLAG_FREE_PLTE))
  179125. #endif
  179126. {
  179127. png_zfree(png_ptr, info_ptr->palette);
  179128. info_ptr->palette = NULL;
  179129. info_ptr->valid &= ~PNG_INFO_PLTE;
  179130. #ifndef PNG_FREE_ME_SUPPORTED
  179131. png_ptr->flags &= ~PNG_FLAG_FREE_PLTE;
  179132. #endif
  179133. info_ptr->num_palette = 0;
  179134. }
  179135. #if defined(PNG_INFO_IMAGE_SUPPORTED)
  179136. /* free any image bits attached to the info structure */
  179137. #ifdef PNG_FREE_ME_SUPPORTED
  179138. if ((mask & PNG_FREE_ROWS) & info_ptr->free_me)
  179139. #else
  179140. if (mask & PNG_FREE_ROWS)
  179141. #endif
  179142. {
  179143. if(info_ptr->row_pointers)
  179144. {
  179145. int row;
  179146. for (row = 0; row < (int)info_ptr->height; row++)
  179147. {
  179148. png_free(png_ptr, info_ptr->row_pointers[row]);
  179149. info_ptr->row_pointers[row]=NULL;
  179150. }
  179151. png_free(png_ptr, info_ptr->row_pointers);
  179152. info_ptr->row_pointers=NULL;
  179153. }
  179154. info_ptr->valid &= ~PNG_INFO_IDAT;
  179155. }
  179156. #endif
  179157. #ifdef PNG_FREE_ME_SUPPORTED
  179158. if(num == -1)
  179159. info_ptr->free_me &= ~mask;
  179160. else
  179161. info_ptr->free_me &= ~(mask & ~PNG_FREE_MUL);
  179162. #endif
  179163. }
  179164. /* This is an internal routine to free any memory that the info struct is
  179165. * pointing to before re-using it or freeing the struct itself. Recall
  179166. * that png_free() checks for NULL pointers for us.
  179167. */
  179168. void /* PRIVATE */
  179169. png_info_destroy(png_structp png_ptr, png_infop info_ptr)
  179170. {
  179171. png_debug(1, "in png_info_destroy\n");
  179172. png_free_data(png_ptr, info_ptr, PNG_FREE_ALL, -1);
  179173. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  179174. if (png_ptr->num_chunk_list)
  179175. {
  179176. png_free(png_ptr, png_ptr->chunk_list);
  179177. png_ptr->chunk_list=NULL;
  179178. png_ptr->num_chunk_list=0;
  179179. }
  179180. #endif
  179181. png_info_init_3(&info_ptr, png_sizeof(png_info));
  179182. }
  179183. #endif /* defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED) */
  179184. /* This function returns a pointer to the io_ptr associated with the user
  179185. * functions. The application should free any memory associated with this
  179186. * pointer before png_write_destroy() or png_read_destroy() are called.
  179187. */
  179188. png_voidp PNGAPI
  179189. png_get_io_ptr(png_structp png_ptr)
  179190. {
  179191. if(png_ptr == NULL) return (NULL);
  179192. return (png_ptr->io_ptr);
  179193. }
  179194. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  179195. #if !defined(PNG_NO_STDIO)
  179196. /* Initialize the default input/output functions for the PNG file. If you
  179197. * use your own read or write routines, you can call either png_set_read_fn()
  179198. * or png_set_write_fn() instead of png_init_io(). If you have defined
  179199. * PNG_NO_STDIO, you must use a function of your own because "FILE *" isn't
  179200. * necessarily available.
  179201. */
  179202. void PNGAPI
  179203. png_init_io(png_structp png_ptr, png_FILE_p fp)
  179204. {
  179205. png_debug(1, "in png_init_io\n");
  179206. if(png_ptr == NULL) return;
  179207. png_ptr->io_ptr = (png_voidp)fp;
  179208. }
  179209. #endif
  179210. #if defined(PNG_TIME_RFC1123_SUPPORTED)
  179211. /* Convert the supplied time into an RFC 1123 string suitable for use in
  179212. * a "Creation Time" or other text-based time string.
  179213. */
  179214. png_charp PNGAPI
  179215. png_convert_to_rfc1123(png_structp png_ptr, png_timep ptime)
  179216. {
  179217. static PNG_CONST char short_months[12][4] =
  179218. {"Jan", "Feb", "Mar", "Apr", "May", "Jun",
  179219. "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"};
  179220. if(png_ptr == NULL) return (NULL);
  179221. if (png_ptr->time_buffer == NULL)
  179222. {
  179223. png_ptr->time_buffer = (png_charp)png_malloc(png_ptr, (png_uint_32)(29*
  179224. png_sizeof(char)));
  179225. }
  179226. #if defined(_WIN32_WCE)
  179227. {
  179228. wchar_t time_buf[29];
  179229. wsprintf(time_buf, TEXT("%d %S %d %02d:%02d:%02d +0000"),
  179230. ptime->day % 32, short_months[(ptime->month - 1) % 12],
  179231. ptime->year, ptime->hour % 24, ptime->minute % 60,
  179232. ptime->second % 61);
  179233. WideCharToMultiByte(CP_ACP, 0, time_buf, -1, png_ptr->time_buffer, 29,
  179234. NULL, NULL);
  179235. }
  179236. #else
  179237. #ifdef USE_FAR_KEYWORD
  179238. {
  179239. char near_time_buf[29];
  179240. png_snprintf6(near_time_buf,29,"%d %s %d %02d:%02d:%02d +0000",
  179241. ptime->day % 32, short_months[(ptime->month - 1) % 12],
  179242. ptime->year, ptime->hour % 24, ptime->minute % 60,
  179243. ptime->second % 61);
  179244. png_memcpy(png_ptr->time_buffer, near_time_buf,
  179245. 29*png_sizeof(char));
  179246. }
  179247. #else
  179248. png_snprintf6(png_ptr->time_buffer,29,"%d %s %d %02d:%02d:%02d +0000",
  179249. ptime->day % 32, short_months[(ptime->month - 1) % 12],
  179250. ptime->year, ptime->hour % 24, ptime->minute % 60,
  179251. ptime->second % 61);
  179252. #endif
  179253. #endif /* _WIN32_WCE */
  179254. return ((png_charp)png_ptr->time_buffer);
  179255. }
  179256. #endif /* PNG_TIME_RFC1123_SUPPORTED */
  179257. #endif /* defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED) */
  179258. png_charp PNGAPI
  179259. png_get_copyright(png_structp png_ptr)
  179260. {
  179261. png_ptr = png_ptr; /* silence compiler warning about unused png_ptr */
  179262. return ((png_charp) "\n libpng version 1.2.21 - October 4, 2007\n\
  179263. Copyright (c) 1998-2007 Glenn Randers-Pehrson\n\
  179264. Copyright (c) 1996-1997 Andreas Dilger\n\
  179265. Copyright (c) 1995-1996 Guy Eric Schalnat, Group 42, Inc.\n");
  179266. }
  179267. /* The following return the library version as a short string in the
  179268. * format 1.0.0 through 99.99.99zz. To get the version of *.h files
  179269. * used with your application, print out PNG_LIBPNG_VER_STRING, which
  179270. * is defined in png.h.
  179271. * Note: now there is no difference between png_get_libpng_ver() and
  179272. * png_get_header_ver(). Due to the version_nn_nn_nn typedef guard,
  179273. * it is guaranteed that png.c uses the correct version of png.h.
  179274. */
  179275. png_charp PNGAPI
  179276. png_get_libpng_ver(png_structp png_ptr)
  179277. {
  179278. /* Version of *.c files used when building libpng */
  179279. png_ptr = png_ptr; /* silence compiler warning about unused png_ptr */
  179280. return ((png_charp) PNG_LIBPNG_VER_STRING);
  179281. }
  179282. png_charp PNGAPI
  179283. png_get_header_ver(png_structp png_ptr)
  179284. {
  179285. /* Version of *.h files used when building libpng */
  179286. png_ptr = png_ptr; /* silence compiler warning about unused png_ptr */
  179287. return ((png_charp) PNG_LIBPNG_VER_STRING);
  179288. }
  179289. png_charp PNGAPI
  179290. png_get_header_version(png_structp png_ptr)
  179291. {
  179292. /* Returns longer string containing both version and date */
  179293. png_ptr = png_ptr; /* silence compiler warning about unused png_ptr */
  179294. return ((png_charp) PNG_HEADER_VERSION_STRING
  179295. #ifndef PNG_READ_SUPPORTED
  179296. " (NO READ SUPPORT)"
  179297. #endif
  179298. "\n");
  179299. }
  179300. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  179301. #ifdef PNG_HANDLE_AS_UNKNOWN_SUPPORTED
  179302. int PNGAPI
  179303. png_handle_as_unknown(png_structp png_ptr, png_bytep chunk_name)
  179304. {
  179305. /* check chunk_name and return "keep" value if it's on the list, else 0 */
  179306. int i;
  179307. png_bytep p;
  179308. if(png_ptr == NULL || chunk_name == NULL || png_ptr->num_chunk_list<=0)
  179309. return 0;
  179310. p=png_ptr->chunk_list+png_ptr->num_chunk_list*5-5;
  179311. for (i = png_ptr->num_chunk_list; i; i--, p-=5)
  179312. if (!png_memcmp(chunk_name, p, 4))
  179313. return ((int)*(p+4));
  179314. return 0;
  179315. }
  179316. #endif
  179317. /* This function, added to libpng-1.0.6g, is untested. */
  179318. int PNGAPI
  179319. png_reset_zstream(png_structp png_ptr)
  179320. {
  179321. if (png_ptr == NULL) return Z_STREAM_ERROR;
  179322. return (inflateReset(&png_ptr->zstream));
  179323. }
  179324. #endif /* defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED) */
  179325. /* This function was added to libpng-1.0.7 */
  179326. png_uint_32 PNGAPI
  179327. png_access_version_number(void)
  179328. {
  179329. /* Version of *.c files used when building libpng */
  179330. return((png_uint_32) PNG_LIBPNG_VER);
  179331. }
  179332. #if defined(PNG_READ_SUPPORTED) && defined(PNG_ASSEMBLER_CODE_SUPPORTED)
  179333. #if !defined(PNG_1_0_X)
  179334. /* this function was added to libpng 1.2.0 */
  179335. int PNGAPI
  179336. png_mmx_support(void)
  179337. {
  179338. /* obsolete, to be removed from libpng-1.4.0 */
  179339. return -1;
  179340. }
  179341. #endif /* PNG_1_0_X */
  179342. #endif /* PNG_READ_SUPPORTED && PNG_ASSEMBLER_CODE_SUPPORTED */
  179343. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  179344. #ifdef PNG_SIZE_T
  179345. /* Added at libpng version 1.2.6 */
  179346. PNG_EXTERN png_size_t PNGAPI png_convert_size PNGARG((size_t size));
  179347. png_size_t PNGAPI
  179348. png_convert_size(size_t size)
  179349. {
  179350. if (size > (png_size_t)-1)
  179351. PNG_ABORT(); /* We haven't got access to png_ptr, so no png_error() */
  179352. return ((png_size_t)size);
  179353. }
  179354. #endif /* PNG_SIZE_T */
  179355. #endif /* defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED) */
  179356. /********* End of inlined file: png.c *********/
  179357. /********* Start of inlined file: pngerror.c *********/
  179358. /* pngerror.c - stub functions for i/o and memory allocation
  179359. *
  179360. * Last changed in libpng 1.2.20 October 4, 2007
  179361. * For conditions of distribution and use, see copyright notice in png.h
  179362. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  179363. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  179364. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  179365. *
  179366. * This file provides a location for all error handling. Users who
  179367. * need special error handling are expected to write replacement functions
  179368. * and use png_set_error_fn() to use those functions. See the instructions
  179369. * at each function.
  179370. */
  179371. #define PNG_INTERNAL
  179372. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  179373. static void /* PRIVATE */
  179374. png_default_error PNGARG((png_structp png_ptr,
  179375. png_const_charp error_message));
  179376. #ifndef PNG_NO_WARNINGS
  179377. static void /* PRIVATE */
  179378. png_default_warning PNGARG((png_structp png_ptr,
  179379. png_const_charp warning_message));
  179380. #endif /* PNG_NO_WARNINGS */
  179381. /* This function is called whenever there is a fatal error. This function
  179382. * should not be changed. If there is a need to handle errors differently,
  179383. * you should supply a replacement error function and use png_set_error_fn()
  179384. * to replace the error function at run-time.
  179385. */
  179386. #ifndef PNG_NO_ERROR_TEXT
  179387. void PNGAPI
  179388. png_error(png_structp png_ptr, png_const_charp error_message)
  179389. {
  179390. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  179391. char msg[16];
  179392. if (png_ptr != NULL)
  179393. {
  179394. if (png_ptr->flags&
  179395. (PNG_FLAG_STRIP_ERROR_NUMBERS|PNG_FLAG_STRIP_ERROR_TEXT))
  179396. {
  179397. if (*error_message == '#')
  179398. {
  179399. int offset;
  179400. for (offset=1; offset<15; offset++)
  179401. if (*(error_message+offset) == ' ')
  179402. break;
  179403. if (png_ptr->flags&PNG_FLAG_STRIP_ERROR_TEXT)
  179404. {
  179405. int i;
  179406. for (i=0; i<offset-1; i++)
  179407. msg[i]=error_message[i+1];
  179408. msg[i]='\0';
  179409. error_message=msg;
  179410. }
  179411. else
  179412. error_message+=offset;
  179413. }
  179414. else
  179415. {
  179416. if (png_ptr->flags&PNG_FLAG_STRIP_ERROR_TEXT)
  179417. {
  179418. msg[0]='0';
  179419. msg[1]='\0';
  179420. error_message=msg;
  179421. }
  179422. }
  179423. }
  179424. }
  179425. #endif
  179426. if (png_ptr != NULL && png_ptr->error_fn != NULL)
  179427. (*(png_ptr->error_fn))(png_ptr, error_message);
  179428. /* If the custom handler doesn't exist, or if it returns,
  179429. use the default handler, which will not return. */
  179430. png_default_error(png_ptr, error_message);
  179431. }
  179432. #else
  179433. void PNGAPI
  179434. png_err(png_structp png_ptr)
  179435. {
  179436. if (png_ptr != NULL && png_ptr->error_fn != NULL)
  179437. (*(png_ptr->error_fn))(png_ptr, '\0');
  179438. /* If the custom handler doesn't exist, or if it returns,
  179439. use the default handler, which will not return. */
  179440. png_default_error(png_ptr, '\0');
  179441. }
  179442. #endif /* PNG_NO_ERROR_TEXT */
  179443. #ifndef PNG_NO_WARNINGS
  179444. /* This function is called whenever there is a non-fatal error. This function
  179445. * should not be changed. If there is a need to handle warnings differently,
  179446. * you should supply a replacement warning function and use
  179447. * png_set_error_fn() to replace the warning function at run-time.
  179448. */
  179449. void PNGAPI
  179450. png_warning(png_structp png_ptr, png_const_charp warning_message)
  179451. {
  179452. int offset = 0;
  179453. if (png_ptr != NULL)
  179454. {
  179455. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  179456. if (png_ptr->flags&
  179457. (PNG_FLAG_STRIP_ERROR_NUMBERS|PNG_FLAG_STRIP_ERROR_TEXT))
  179458. #endif
  179459. {
  179460. if (*warning_message == '#')
  179461. {
  179462. for (offset=1; offset<15; offset++)
  179463. if (*(warning_message+offset) == ' ')
  179464. break;
  179465. }
  179466. }
  179467. if (png_ptr != NULL && png_ptr->warning_fn != NULL)
  179468. (*(png_ptr->warning_fn))(png_ptr, warning_message+offset);
  179469. }
  179470. else
  179471. png_default_warning(png_ptr, warning_message+offset);
  179472. }
  179473. #endif /* PNG_NO_WARNINGS */
  179474. /* These utilities are used internally to build an error message that relates
  179475. * to the current chunk. The chunk name comes from png_ptr->chunk_name,
  179476. * this is used to prefix the message. The message is limited in length
  179477. * to 63 bytes, the name characters are output as hex digits wrapped in []
  179478. * if the character is invalid.
  179479. */
  179480. #define isnonalpha(c) ((c) < 65 || (c) > 122 || ((c) > 90 && (c) < 97))
  179481. /*static PNG_CONST char png_digit[16] = {
  179482. '0', '1', '2', '3', '4', '5', '6', '7', '8', '9',
  179483. 'A', 'B', 'C', 'D', 'E', 'F'
  179484. };*/
  179485. #if !defined(PNG_NO_WARNINGS) || !defined(PNG_NO_ERROR_TEXT)
  179486. static void /* PRIVATE */
  179487. png_format_buffer(png_structp png_ptr, png_charp buffer, png_const_charp
  179488. error_message)
  179489. {
  179490. int iout = 0, iin = 0;
  179491. while (iin < 4)
  179492. {
  179493. int c = png_ptr->chunk_name[iin++];
  179494. if (isnonalpha(c))
  179495. {
  179496. buffer[iout++] = '[';
  179497. buffer[iout++] = png_digit[(c & 0xf0) >> 4];
  179498. buffer[iout++] = png_digit[c & 0x0f];
  179499. buffer[iout++] = ']';
  179500. }
  179501. else
  179502. {
  179503. buffer[iout++] = (png_byte)c;
  179504. }
  179505. }
  179506. if (error_message == NULL)
  179507. buffer[iout] = 0;
  179508. else
  179509. {
  179510. buffer[iout++] = ':';
  179511. buffer[iout++] = ' ';
  179512. png_strncpy(buffer+iout, error_message, 63);
  179513. buffer[iout+63] = 0;
  179514. }
  179515. }
  179516. #ifdef PNG_READ_SUPPORTED
  179517. void PNGAPI
  179518. png_chunk_error(png_structp png_ptr, png_const_charp error_message)
  179519. {
  179520. char msg[18+64];
  179521. if (png_ptr == NULL)
  179522. png_error(png_ptr, error_message);
  179523. else
  179524. {
  179525. png_format_buffer(png_ptr, msg, error_message);
  179526. png_error(png_ptr, msg);
  179527. }
  179528. }
  179529. #endif /* PNG_READ_SUPPORTED */
  179530. #endif /* !defined(PNG_NO_WARNINGS) || !defined(PNG_NO_ERROR_TEXT) */
  179531. #ifndef PNG_NO_WARNINGS
  179532. void PNGAPI
  179533. png_chunk_warning(png_structp png_ptr, png_const_charp warning_message)
  179534. {
  179535. char msg[18+64];
  179536. if (png_ptr == NULL)
  179537. png_warning(png_ptr, warning_message);
  179538. else
  179539. {
  179540. png_format_buffer(png_ptr, msg, warning_message);
  179541. png_warning(png_ptr, msg);
  179542. }
  179543. }
  179544. #endif /* PNG_NO_WARNINGS */
  179545. /* This is the default error handling function. Note that replacements for
  179546. * this function MUST NOT RETURN, or the program will likely crash. This
  179547. * function is used by default, or if the program supplies NULL for the
  179548. * error function pointer in png_set_error_fn().
  179549. */
  179550. static void /* PRIVATE */
  179551. png_default_error(png_structp png_ptr, png_const_charp error_message)
  179552. {
  179553. #ifndef PNG_NO_CONSOLE_IO
  179554. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  179555. if (*error_message == '#')
  179556. {
  179557. int offset;
  179558. char error_number[16];
  179559. for (offset=0; offset<15; offset++)
  179560. {
  179561. error_number[offset] = *(error_message+offset+1);
  179562. if (*(error_message+offset) == ' ')
  179563. break;
  179564. }
  179565. if((offset > 1) && (offset < 15))
  179566. {
  179567. error_number[offset-1]='\0';
  179568. fprintf(stderr, "libpng error no. %s: %s\n", error_number,
  179569. error_message+offset);
  179570. }
  179571. else
  179572. fprintf(stderr, "libpng error: %s, offset=%d\n", error_message,offset);
  179573. }
  179574. else
  179575. #endif
  179576. fprintf(stderr, "libpng error: %s\n", error_message);
  179577. #endif
  179578. #ifdef PNG_SETJMP_SUPPORTED
  179579. if (png_ptr)
  179580. {
  179581. # ifdef USE_FAR_KEYWORD
  179582. {
  179583. jmp_buf jmpbuf;
  179584. png_memcpy(jmpbuf, png_ptr->jmpbuf, png_sizeof(jmp_buf));
  179585. longjmp(jmpbuf, 1);
  179586. }
  179587. # else
  179588. longjmp(png_ptr->jmpbuf, 1);
  179589. # endif
  179590. }
  179591. #else
  179592. PNG_ABORT();
  179593. #endif
  179594. #ifdef PNG_NO_CONSOLE_IO
  179595. error_message = error_message; /* make compiler happy */
  179596. #endif
  179597. }
  179598. #ifndef PNG_NO_WARNINGS
  179599. /* This function is called when there is a warning, but the library thinks
  179600. * it can continue anyway. Replacement functions don't have to do anything
  179601. * here if you don't want them to. In the default configuration, png_ptr is
  179602. * not used, but it is passed in case it may be useful.
  179603. */
  179604. static void /* PRIVATE */
  179605. png_default_warning(png_structp png_ptr, png_const_charp warning_message)
  179606. {
  179607. #ifndef PNG_NO_CONSOLE_IO
  179608. # ifdef PNG_ERROR_NUMBERS_SUPPORTED
  179609. if (*warning_message == '#')
  179610. {
  179611. int offset;
  179612. char warning_number[16];
  179613. for (offset=0; offset<15; offset++)
  179614. {
  179615. warning_number[offset]=*(warning_message+offset+1);
  179616. if (*(warning_message+offset) == ' ')
  179617. break;
  179618. }
  179619. if((offset > 1) && (offset < 15))
  179620. {
  179621. warning_number[offset-1]='\0';
  179622. fprintf(stderr, "libpng warning no. %s: %s\n", warning_number,
  179623. warning_message+offset);
  179624. }
  179625. else
  179626. fprintf(stderr, "libpng warning: %s\n", warning_message);
  179627. }
  179628. else
  179629. # endif
  179630. fprintf(stderr, "libpng warning: %s\n", warning_message);
  179631. #else
  179632. warning_message = warning_message; /* make compiler happy */
  179633. #endif
  179634. png_ptr = png_ptr; /* make compiler happy */
  179635. }
  179636. #endif /* PNG_NO_WARNINGS */
  179637. /* This function is called when the application wants to use another method
  179638. * of handling errors and warnings. Note that the error function MUST NOT
  179639. * return to the calling routine or serious problems will occur. The return
  179640. * method used in the default routine calls longjmp(png_ptr->jmpbuf, 1)
  179641. */
  179642. void PNGAPI
  179643. png_set_error_fn(png_structp png_ptr, png_voidp error_ptr,
  179644. png_error_ptr error_fn, png_error_ptr warning_fn)
  179645. {
  179646. if (png_ptr == NULL)
  179647. return;
  179648. png_ptr->error_ptr = error_ptr;
  179649. png_ptr->error_fn = error_fn;
  179650. png_ptr->warning_fn = warning_fn;
  179651. }
  179652. /* This function returns a pointer to the error_ptr associated with the user
  179653. * functions. The application should free any memory associated with this
  179654. * pointer before png_write_destroy and png_read_destroy are called.
  179655. */
  179656. png_voidp PNGAPI
  179657. png_get_error_ptr(png_structp png_ptr)
  179658. {
  179659. if (png_ptr == NULL)
  179660. return NULL;
  179661. return ((png_voidp)png_ptr->error_ptr);
  179662. }
  179663. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  179664. void PNGAPI
  179665. png_set_strip_error_numbers(png_structp png_ptr, png_uint_32 strip_mode)
  179666. {
  179667. if(png_ptr != NULL)
  179668. {
  179669. png_ptr->flags &=
  179670. ((~(PNG_FLAG_STRIP_ERROR_NUMBERS|PNG_FLAG_STRIP_ERROR_TEXT))&strip_mode);
  179671. }
  179672. }
  179673. #endif
  179674. #endif /* PNG_READ_SUPPORTED || PNG_WRITE_SUPPORTED */
  179675. /********* End of inlined file: pngerror.c *********/
  179676. /********* Start of inlined file: pngget.c *********/
  179677. /* pngget.c - retrieval of values from info struct
  179678. *
  179679. * Last changed in libpng 1.2.15 January 5, 2007
  179680. * For conditions of distribution and use, see copyright notice in png.h
  179681. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  179682. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  179683. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  179684. */
  179685. #define PNG_INTERNAL
  179686. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  179687. png_uint_32 PNGAPI
  179688. png_get_valid(png_structp png_ptr, png_infop info_ptr, png_uint_32 flag)
  179689. {
  179690. if (png_ptr != NULL && info_ptr != NULL)
  179691. return(info_ptr->valid & flag);
  179692. else
  179693. return(0);
  179694. }
  179695. png_uint_32 PNGAPI
  179696. png_get_rowbytes(png_structp png_ptr, png_infop info_ptr)
  179697. {
  179698. if (png_ptr != NULL && info_ptr != NULL)
  179699. return(info_ptr->rowbytes);
  179700. else
  179701. return(0);
  179702. }
  179703. #if defined(PNG_INFO_IMAGE_SUPPORTED)
  179704. png_bytepp PNGAPI
  179705. png_get_rows(png_structp png_ptr, png_infop info_ptr)
  179706. {
  179707. if (png_ptr != NULL && info_ptr != NULL)
  179708. return(info_ptr->row_pointers);
  179709. else
  179710. return(0);
  179711. }
  179712. #endif
  179713. #ifdef PNG_EASY_ACCESS_SUPPORTED
  179714. /* easy access to info, added in libpng-0.99 */
  179715. png_uint_32 PNGAPI
  179716. png_get_image_width(png_structp png_ptr, png_infop info_ptr)
  179717. {
  179718. if (png_ptr != NULL && info_ptr != NULL)
  179719. {
  179720. return info_ptr->width;
  179721. }
  179722. return (0);
  179723. }
  179724. png_uint_32 PNGAPI
  179725. png_get_image_height(png_structp png_ptr, png_infop info_ptr)
  179726. {
  179727. if (png_ptr != NULL && info_ptr != NULL)
  179728. {
  179729. return info_ptr->height;
  179730. }
  179731. return (0);
  179732. }
  179733. png_byte PNGAPI
  179734. png_get_bit_depth(png_structp png_ptr, png_infop info_ptr)
  179735. {
  179736. if (png_ptr != NULL && info_ptr != NULL)
  179737. {
  179738. return info_ptr->bit_depth;
  179739. }
  179740. return (0);
  179741. }
  179742. png_byte PNGAPI
  179743. png_get_color_type(png_structp png_ptr, png_infop info_ptr)
  179744. {
  179745. if (png_ptr != NULL && info_ptr != NULL)
  179746. {
  179747. return info_ptr->color_type;
  179748. }
  179749. return (0);
  179750. }
  179751. png_byte PNGAPI
  179752. png_get_filter_type(png_structp png_ptr, png_infop info_ptr)
  179753. {
  179754. if (png_ptr != NULL && info_ptr != NULL)
  179755. {
  179756. return info_ptr->filter_type;
  179757. }
  179758. return (0);
  179759. }
  179760. png_byte PNGAPI
  179761. png_get_interlace_type(png_structp png_ptr, png_infop info_ptr)
  179762. {
  179763. if (png_ptr != NULL && info_ptr != NULL)
  179764. {
  179765. return info_ptr->interlace_type;
  179766. }
  179767. return (0);
  179768. }
  179769. png_byte PNGAPI
  179770. png_get_compression_type(png_structp png_ptr, png_infop info_ptr)
  179771. {
  179772. if (png_ptr != NULL && info_ptr != NULL)
  179773. {
  179774. return info_ptr->compression_type;
  179775. }
  179776. return (0);
  179777. }
  179778. png_uint_32 PNGAPI
  179779. png_get_x_pixels_per_meter(png_structp png_ptr, png_infop info_ptr)
  179780. {
  179781. if (png_ptr != NULL && info_ptr != NULL)
  179782. #if defined(PNG_pHYs_SUPPORTED)
  179783. if (info_ptr->valid & PNG_INFO_pHYs)
  179784. {
  179785. png_debug1(1, "in %s retrieval function\n", "png_get_x_pixels_per_meter");
  179786. if(info_ptr->phys_unit_type != PNG_RESOLUTION_METER)
  179787. return (0);
  179788. else return (info_ptr->x_pixels_per_unit);
  179789. }
  179790. #else
  179791. return (0);
  179792. #endif
  179793. return (0);
  179794. }
  179795. png_uint_32 PNGAPI
  179796. png_get_y_pixels_per_meter(png_structp png_ptr, png_infop info_ptr)
  179797. {
  179798. if (png_ptr != NULL && info_ptr != NULL)
  179799. #if defined(PNG_pHYs_SUPPORTED)
  179800. if (info_ptr->valid & PNG_INFO_pHYs)
  179801. {
  179802. png_debug1(1, "in %s retrieval function\n", "png_get_y_pixels_per_meter");
  179803. if(info_ptr->phys_unit_type != PNG_RESOLUTION_METER)
  179804. return (0);
  179805. else return (info_ptr->y_pixels_per_unit);
  179806. }
  179807. #else
  179808. return (0);
  179809. #endif
  179810. return (0);
  179811. }
  179812. png_uint_32 PNGAPI
  179813. png_get_pixels_per_meter(png_structp png_ptr, png_infop info_ptr)
  179814. {
  179815. if (png_ptr != NULL && info_ptr != NULL)
  179816. #if defined(PNG_pHYs_SUPPORTED)
  179817. if (info_ptr->valid & PNG_INFO_pHYs)
  179818. {
  179819. png_debug1(1, "in %s retrieval function\n", "png_get_pixels_per_meter");
  179820. if(info_ptr->phys_unit_type != PNG_RESOLUTION_METER ||
  179821. info_ptr->x_pixels_per_unit != info_ptr->y_pixels_per_unit)
  179822. return (0);
  179823. else return (info_ptr->x_pixels_per_unit);
  179824. }
  179825. #else
  179826. return (0);
  179827. #endif
  179828. return (0);
  179829. }
  179830. #ifdef PNG_FLOATING_POINT_SUPPORTED
  179831. float PNGAPI
  179832. png_get_pixel_aspect_ratio(png_structp png_ptr, png_infop info_ptr)
  179833. {
  179834. if (png_ptr != NULL && info_ptr != NULL)
  179835. #if defined(PNG_pHYs_SUPPORTED)
  179836. if (info_ptr->valid & PNG_INFO_pHYs)
  179837. {
  179838. png_debug1(1, "in %s retrieval function\n", "png_get_aspect_ratio");
  179839. if (info_ptr->x_pixels_per_unit == 0)
  179840. return ((float)0.0);
  179841. else
  179842. return ((float)((float)info_ptr->y_pixels_per_unit
  179843. /(float)info_ptr->x_pixels_per_unit));
  179844. }
  179845. #else
  179846. return (0.0);
  179847. #endif
  179848. return ((float)0.0);
  179849. }
  179850. #endif
  179851. png_int_32 PNGAPI
  179852. png_get_x_offset_microns(png_structp png_ptr, png_infop info_ptr)
  179853. {
  179854. if (png_ptr != NULL && info_ptr != NULL)
  179855. #if defined(PNG_oFFs_SUPPORTED)
  179856. if (info_ptr->valid & PNG_INFO_oFFs)
  179857. {
  179858. png_debug1(1, "in %s retrieval function\n", "png_get_x_offset_microns");
  179859. if(info_ptr->offset_unit_type != PNG_OFFSET_MICROMETER)
  179860. return (0);
  179861. else return (info_ptr->x_offset);
  179862. }
  179863. #else
  179864. return (0);
  179865. #endif
  179866. return (0);
  179867. }
  179868. png_int_32 PNGAPI
  179869. png_get_y_offset_microns(png_structp png_ptr, png_infop info_ptr)
  179870. {
  179871. if (png_ptr != NULL && info_ptr != NULL)
  179872. #if defined(PNG_oFFs_SUPPORTED)
  179873. if (info_ptr->valid & PNG_INFO_oFFs)
  179874. {
  179875. png_debug1(1, "in %s retrieval function\n", "png_get_y_offset_microns");
  179876. if(info_ptr->offset_unit_type != PNG_OFFSET_MICROMETER)
  179877. return (0);
  179878. else return (info_ptr->y_offset);
  179879. }
  179880. #else
  179881. return (0);
  179882. #endif
  179883. return (0);
  179884. }
  179885. png_int_32 PNGAPI
  179886. png_get_x_offset_pixels(png_structp png_ptr, png_infop info_ptr)
  179887. {
  179888. if (png_ptr != NULL && info_ptr != NULL)
  179889. #if defined(PNG_oFFs_SUPPORTED)
  179890. if (info_ptr->valid & PNG_INFO_oFFs)
  179891. {
  179892. png_debug1(1, "in %s retrieval function\n", "png_get_x_offset_microns");
  179893. if(info_ptr->offset_unit_type != PNG_OFFSET_PIXEL)
  179894. return (0);
  179895. else return (info_ptr->x_offset);
  179896. }
  179897. #else
  179898. return (0);
  179899. #endif
  179900. return (0);
  179901. }
  179902. png_int_32 PNGAPI
  179903. png_get_y_offset_pixels(png_structp png_ptr, png_infop info_ptr)
  179904. {
  179905. if (png_ptr != NULL && info_ptr != NULL)
  179906. #if defined(PNG_oFFs_SUPPORTED)
  179907. if (info_ptr->valid & PNG_INFO_oFFs)
  179908. {
  179909. png_debug1(1, "in %s retrieval function\n", "png_get_y_offset_microns");
  179910. if(info_ptr->offset_unit_type != PNG_OFFSET_PIXEL)
  179911. return (0);
  179912. else return (info_ptr->y_offset);
  179913. }
  179914. #else
  179915. return (0);
  179916. #endif
  179917. return (0);
  179918. }
  179919. #if defined(PNG_INCH_CONVERSIONS) && defined(PNG_FLOATING_POINT_SUPPORTED)
  179920. png_uint_32 PNGAPI
  179921. png_get_pixels_per_inch(png_structp png_ptr, png_infop info_ptr)
  179922. {
  179923. return ((png_uint_32)((float)png_get_pixels_per_meter(png_ptr, info_ptr)
  179924. *.0254 +.5));
  179925. }
  179926. png_uint_32 PNGAPI
  179927. png_get_x_pixels_per_inch(png_structp png_ptr, png_infop info_ptr)
  179928. {
  179929. return ((png_uint_32)((float)png_get_x_pixels_per_meter(png_ptr, info_ptr)
  179930. *.0254 +.5));
  179931. }
  179932. png_uint_32 PNGAPI
  179933. png_get_y_pixels_per_inch(png_structp png_ptr, png_infop info_ptr)
  179934. {
  179935. return ((png_uint_32)((float)png_get_y_pixels_per_meter(png_ptr, info_ptr)
  179936. *.0254 +.5));
  179937. }
  179938. float PNGAPI
  179939. png_get_x_offset_inches(png_structp png_ptr, png_infop info_ptr)
  179940. {
  179941. return ((float)png_get_x_offset_microns(png_ptr, info_ptr)
  179942. *.00003937);
  179943. }
  179944. float PNGAPI
  179945. png_get_y_offset_inches(png_structp png_ptr, png_infop info_ptr)
  179946. {
  179947. return ((float)png_get_y_offset_microns(png_ptr, info_ptr)
  179948. *.00003937);
  179949. }
  179950. #if defined(PNG_pHYs_SUPPORTED)
  179951. png_uint_32 PNGAPI
  179952. png_get_pHYs_dpi(png_structp png_ptr, png_infop info_ptr,
  179953. png_uint_32 *res_x, png_uint_32 *res_y, int *unit_type)
  179954. {
  179955. png_uint_32 retval = 0;
  179956. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_pHYs))
  179957. {
  179958. png_debug1(1, "in %s retrieval function\n", "pHYs");
  179959. if (res_x != NULL)
  179960. {
  179961. *res_x = info_ptr->x_pixels_per_unit;
  179962. retval |= PNG_INFO_pHYs;
  179963. }
  179964. if (res_y != NULL)
  179965. {
  179966. *res_y = info_ptr->y_pixels_per_unit;
  179967. retval |= PNG_INFO_pHYs;
  179968. }
  179969. if (unit_type != NULL)
  179970. {
  179971. *unit_type = (int)info_ptr->phys_unit_type;
  179972. retval |= PNG_INFO_pHYs;
  179973. if(*unit_type == 1)
  179974. {
  179975. if (res_x != NULL) *res_x = (png_uint_32)(*res_x * .0254 + .50);
  179976. if (res_y != NULL) *res_y = (png_uint_32)(*res_y * .0254 + .50);
  179977. }
  179978. }
  179979. }
  179980. return (retval);
  179981. }
  179982. #endif /* PNG_pHYs_SUPPORTED */
  179983. #endif /* PNG_INCH_CONVERSIONS && PNG_FLOATING_POINT_SUPPORTED */
  179984. /* png_get_channels really belongs in here, too, but it's been around longer */
  179985. #endif /* PNG_EASY_ACCESS_SUPPORTED */
  179986. png_byte PNGAPI
  179987. png_get_channels(png_structp png_ptr, png_infop info_ptr)
  179988. {
  179989. if (png_ptr != NULL && info_ptr != NULL)
  179990. return(info_ptr->channels);
  179991. else
  179992. return (0);
  179993. }
  179994. png_bytep PNGAPI
  179995. png_get_signature(png_structp png_ptr, png_infop info_ptr)
  179996. {
  179997. if (png_ptr != NULL && info_ptr != NULL)
  179998. return(info_ptr->signature);
  179999. else
  180000. return (NULL);
  180001. }
  180002. #if defined(PNG_bKGD_SUPPORTED)
  180003. png_uint_32 PNGAPI
  180004. png_get_bKGD(png_structp png_ptr, png_infop info_ptr,
  180005. png_color_16p *background)
  180006. {
  180007. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_bKGD)
  180008. && background != NULL)
  180009. {
  180010. png_debug1(1, "in %s retrieval function\n", "bKGD");
  180011. *background = &(info_ptr->background);
  180012. return (PNG_INFO_bKGD);
  180013. }
  180014. return (0);
  180015. }
  180016. #endif
  180017. #if defined(PNG_cHRM_SUPPORTED)
  180018. #ifdef PNG_FLOATING_POINT_SUPPORTED
  180019. png_uint_32 PNGAPI
  180020. png_get_cHRM(png_structp png_ptr, png_infop info_ptr,
  180021. double *white_x, double *white_y, double *red_x, double *red_y,
  180022. double *green_x, double *green_y, double *blue_x, double *blue_y)
  180023. {
  180024. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_cHRM))
  180025. {
  180026. png_debug1(1, "in %s retrieval function\n", "cHRM");
  180027. if (white_x != NULL)
  180028. *white_x = (double)info_ptr->x_white;
  180029. if (white_y != NULL)
  180030. *white_y = (double)info_ptr->y_white;
  180031. if (red_x != NULL)
  180032. *red_x = (double)info_ptr->x_red;
  180033. if (red_y != NULL)
  180034. *red_y = (double)info_ptr->y_red;
  180035. if (green_x != NULL)
  180036. *green_x = (double)info_ptr->x_green;
  180037. if (green_y != NULL)
  180038. *green_y = (double)info_ptr->y_green;
  180039. if (blue_x != NULL)
  180040. *blue_x = (double)info_ptr->x_blue;
  180041. if (blue_y != NULL)
  180042. *blue_y = (double)info_ptr->y_blue;
  180043. return (PNG_INFO_cHRM);
  180044. }
  180045. return (0);
  180046. }
  180047. #endif
  180048. #ifdef PNG_FIXED_POINT_SUPPORTED
  180049. png_uint_32 PNGAPI
  180050. png_get_cHRM_fixed(png_structp png_ptr, png_infop info_ptr,
  180051. png_fixed_point *white_x, png_fixed_point *white_y, png_fixed_point *red_x,
  180052. png_fixed_point *red_y, png_fixed_point *green_x, png_fixed_point *green_y,
  180053. png_fixed_point *blue_x, png_fixed_point *blue_y)
  180054. {
  180055. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_cHRM))
  180056. {
  180057. png_debug1(1, "in %s retrieval function\n", "cHRM");
  180058. if (white_x != NULL)
  180059. *white_x = info_ptr->int_x_white;
  180060. if (white_y != NULL)
  180061. *white_y = info_ptr->int_y_white;
  180062. if (red_x != NULL)
  180063. *red_x = info_ptr->int_x_red;
  180064. if (red_y != NULL)
  180065. *red_y = info_ptr->int_y_red;
  180066. if (green_x != NULL)
  180067. *green_x = info_ptr->int_x_green;
  180068. if (green_y != NULL)
  180069. *green_y = info_ptr->int_y_green;
  180070. if (blue_x != NULL)
  180071. *blue_x = info_ptr->int_x_blue;
  180072. if (blue_y != NULL)
  180073. *blue_y = info_ptr->int_y_blue;
  180074. return (PNG_INFO_cHRM);
  180075. }
  180076. return (0);
  180077. }
  180078. #endif
  180079. #endif
  180080. #if defined(PNG_gAMA_SUPPORTED)
  180081. #ifdef PNG_FLOATING_POINT_SUPPORTED
  180082. png_uint_32 PNGAPI
  180083. png_get_gAMA(png_structp png_ptr, png_infop info_ptr, double *file_gamma)
  180084. {
  180085. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_gAMA)
  180086. && file_gamma != NULL)
  180087. {
  180088. png_debug1(1, "in %s retrieval function\n", "gAMA");
  180089. *file_gamma = (double)info_ptr->gamma;
  180090. return (PNG_INFO_gAMA);
  180091. }
  180092. return (0);
  180093. }
  180094. #endif
  180095. #ifdef PNG_FIXED_POINT_SUPPORTED
  180096. png_uint_32 PNGAPI
  180097. png_get_gAMA_fixed(png_structp png_ptr, png_infop info_ptr,
  180098. png_fixed_point *int_file_gamma)
  180099. {
  180100. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_gAMA)
  180101. && int_file_gamma != NULL)
  180102. {
  180103. png_debug1(1, "in %s retrieval function\n", "gAMA");
  180104. *int_file_gamma = info_ptr->int_gamma;
  180105. return (PNG_INFO_gAMA);
  180106. }
  180107. return (0);
  180108. }
  180109. #endif
  180110. #endif
  180111. #if defined(PNG_sRGB_SUPPORTED)
  180112. png_uint_32 PNGAPI
  180113. png_get_sRGB(png_structp png_ptr, png_infop info_ptr, int *file_srgb_intent)
  180114. {
  180115. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_sRGB)
  180116. && file_srgb_intent != NULL)
  180117. {
  180118. png_debug1(1, "in %s retrieval function\n", "sRGB");
  180119. *file_srgb_intent = (int)info_ptr->srgb_intent;
  180120. return (PNG_INFO_sRGB);
  180121. }
  180122. return (0);
  180123. }
  180124. #endif
  180125. #if defined(PNG_iCCP_SUPPORTED)
  180126. png_uint_32 PNGAPI
  180127. png_get_iCCP(png_structp png_ptr, png_infop info_ptr,
  180128. png_charpp name, int *compression_type,
  180129. png_charpp profile, png_uint_32 *proflen)
  180130. {
  180131. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_iCCP)
  180132. && name != NULL && profile != NULL && proflen != NULL)
  180133. {
  180134. png_debug1(1, "in %s retrieval function\n", "iCCP");
  180135. *name = info_ptr->iccp_name;
  180136. *profile = info_ptr->iccp_profile;
  180137. /* compression_type is a dummy so the API won't have to change
  180138. if we introduce multiple compression types later. */
  180139. *proflen = (int)info_ptr->iccp_proflen;
  180140. *compression_type = (int)info_ptr->iccp_compression;
  180141. return (PNG_INFO_iCCP);
  180142. }
  180143. return (0);
  180144. }
  180145. #endif
  180146. #if defined(PNG_sPLT_SUPPORTED)
  180147. png_uint_32 PNGAPI
  180148. png_get_sPLT(png_structp png_ptr, png_infop info_ptr,
  180149. png_sPLT_tpp spalettes)
  180150. {
  180151. if (png_ptr != NULL && info_ptr != NULL && spalettes != NULL)
  180152. {
  180153. *spalettes = info_ptr->splt_palettes;
  180154. return ((png_uint_32)info_ptr->splt_palettes_num);
  180155. }
  180156. return (0);
  180157. }
  180158. #endif
  180159. #if defined(PNG_hIST_SUPPORTED)
  180160. png_uint_32 PNGAPI
  180161. png_get_hIST(png_structp png_ptr, png_infop info_ptr, png_uint_16p *hist)
  180162. {
  180163. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_hIST)
  180164. && hist != NULL)
  180165. {
  180166. png_debug1(1, "in %s retrieval function\n", "hIST");
  180167. *hist = info_ptr->hist;
  180168. return (PNG_INFO_hIST);
  180169. }
  180170. return (0);
  180171. }
  180172. #endif
  180173. png_uint_32 PNGAPI
  180174. png_get_IHDR(png_structp png_ptr, png_infop info_ptr,
  180175. png_uint_32 *width, png_uint_32 *height, int *bit_depth,
  180176. int *color_type, int *interlace_type, int *compression_type,
  180177. int *filter_type)
  180178. {
  180179. if (png_ptr != NULL && info_ptr != NULL && width != NULL && height != NULL &&
  180180. bit_depth != NULL && color_type != NULL)
  180181. {
  180182. png_debug1(1, "in %s retrieval function\n", "IHDR");
  180183. *width = info_ptr->width;
  180184. *height = info_ptr->height;
  180185. *bit_depth = info_ptr->bit_depth;
  180186. if (info_ptr->bit_depth < 1 || info_ptr->bit_depth > 16)
  180187. png_error(png_ptr, "Invalid bit depth");
  180188. *color_type = info_ptr->color_type;
  180189. if (info_ptr->color_type > 6)
  180190. png_error(png_ptr, "Invalid color type");
  180191. if (compression_type != NULL)
  180192. *compression_type = info_ptr->compression_type;
  180193. if (filter_type != NULL)
  180194. *filter_type = info_ptr->filter_type;
  180195. if (interlace_type != NULL)
  180196. *interlace_type = info_ptr->interlace_type;
  180197. /* check for potential overflow of rowbytes */
  180198. if (*width == 0 || *width > PNG_UINT_31_MAX)
  180199. png_error(png_ptr, "Invalid image width");
  180200. if (*height == 0 || *height > PNG_UINT_31_MAX)
  180201. png_error(png_ptr, "Invalid image height");
  180202. if (info_ptr->width > (PNG_UINT_32_MAX
  180203. >> 3) /* 8-byte RGBA pixels */
  180204. - 64 /* bigrowbuf hack */
  180205. - 1 /* filter byte */
  180206. - 7*8 /* rounding of width to multiple of 8 pixels */
  180207. - 8) /* extra max_pixel_depth pad */
  180208. {
  180209. png_warning(png_ptr,
  180210. "Width too large for libpng to process image data.");
  180211. }
  180212. return (1);
  180213. }
  180214. return (0);
  180215. }
  180216. #if defined(PNG_oFFs_SUPPORTED)
  180217. png_uint_32 PNGAPI
  180218. png_get_oFFs(png_structp png_ptr, png_infop info_ptr,
  180219. png_int_32 *offset_x, png_int_32 *offset_y, int *unit_type)
  180220. {
  180221. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_oFFs)
  180222. && offset_x != NULL && offset_y != NULL && unit_type != NULL)
  180223. {
  180224. png_debug1(1, "in %s retrieval function\n", "oFFs");
  180225. *offset_x = info_ptr->x_offset;
  180226. *offset_y = info_ptr->y_offset;
  180227. *unit_type = (int)info_ptr->offset_unit_type;
  180228. return (PNG_INFO_oFFs);
  180229. }
  180230. return (0);
  180231. }
  180232. #endif
  180233. #if defined(PNG_pCAL_SUPPORTED)
  180234. png_uint_32 PNGAPI
  180235. png_get_pCAL(png_structp png_ptr, png_infop info_ptr,
  180236. png_charp *purpose, png_int_32 *X0, png_int_32 *X1, int *type, int *nparams,
  180237. png_charp *units, png_charpp *params)
  180238. {
  180239. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_pCAL)
  180240. && purpose != NULL && X0 != NULL && X1 != NULL && type != NULL &&
  180241. nparams != NULL && units != NULL && params != NULL)
  180242. {
  180243. png_debug1(1, "in %s retrieval function\n", "pCAL");
  180244. *purpose = info_ptr->pcal_purpose;
  180245. *X0 = info_ptr->pcal_X0;
  180246. *X1 = info_ptr->pcal_X1;
  180247. *type = (int)info_ptr->pcal_type;
  180248. *nparams = (int)info_ptr->pcal_nparams;
  180249. *units = info_ptr->pcal_units;
  180250. *params = info_ptr->pcal_params;
  180251. return (PNG_INFO_pCAL);
  180252. }
  180253. return (0);
  180254. }
  180255. #endif
  180256. #if defined(PNG_sCAL_SUPPORTED)
  180257. #ifdef PNG_FLOATING_POINT_SUPPORTED
  180258. png_uint_32 PNGAPI
  180259. png_get_sCAL(png_structp png_ptr, png_infop info_ptr,
  180260. int *unit, double *width, double *height)
  180261. {
  180262. if (png_ptr != NULL && info_ptr != NULL &&
  180263. (info_ptr->valid & PNG_INFO_sCAL))
  180264. {
  180265. *unit = info_ptr->scal_unit;
  180266. *width = info_ptr->scal_pixel_width;
  180267. *height = info_ptr->scal_pixel_height;
  180268. return (PNG_INFO_sCAL);
  180269. }
  180270. return(0);
  180271. }
  180272. #else
  180273. #ifdef PNG_FIXED_POINT_SUPPORTED
  180274. png_uint_32 PNGAPI
  180275. png_get_sCAL_s(png_structp png_ptr, png_infop info_ptr,
  180276. int *unit, png_charpp width, png_charpp height)
  180277. {
  180278. if (png_ptr != NULL && info_ptr != NULL &&
  180279. (info_ptr->valid & PNG_INFO_sCAL))
  180280. {
  180281. *unit = info_ptr->scal_unit;
  180282. *width = info_ptr->scal_s_width;
  180283. *height = info_ptr->scal_s_height;
  180284. return (PNG_INFO_sCAL);
  180285. }
  180286. return(0);
  180287. }
  180288. #endif
  180289. #endif
  180290. #endif
  180291. #if defined(PNG_pHYs_SUPPORTED)
  180292. png_uint_32 PNGAPI
  180293. png_get_pHYs(png_structp png_ptr, png_infop info_ptr,
  180294. png_uint_32 *res_x, png_uint_32 *res_y, int *unit_type)
  180295. {
  180296. png_uint_32 retval = 0;
  180297. if (png_ptr != NULL && info_ptr != NULL &&
  180298. (info_ptr->valid & PNG_INFO_pHYs))
  180299. {
  180300. png_debug1(1, "in %s retrieval function\n", "pHYs");
  180301. if (res_x != NULL)
  180302. {
  180303. *res_x = info_ptr->x_pixels_per_unit;
  180304. retval |= PNG_INFO_pHYs;
  180305. }
  180306. if (res_y != NULL)
  180307. {
  180308. *res_y = info_ptr->y_pixels_per_unit;
  180309. retval |= PNG_INFO_pHYs;
  180310. }
  180311. if (unit_type != NULL)
  180312. {
  180313. *unit_type = (int)info_ptr->phys_unit_type;
  180314. retval |= PNG_INFO_pHYs;
  180315. }
  180316. }
  180317. return (retval);
  180318. }
  180319. #endif
  180320. png_uint_32 PNGAPI
  180321. png_get_PLTE(png_structp png_ptr, png_infop info_ptr, png_colorp *palette,
  180322. int *num_palette)
  180323. {
  180324. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_PLTE)
  180325. && palette != NULL)
  180326. {
  180327. png_debug1(1, "in %s retrieval function\n", "PLTE");
  180328. *palette = info_ptr->palette;
  180329. *num_palette = info_ptr->num_palette;
  180330. png_debug1(3, "num_palette = %d\n", *num_palette);
  180331. return (PNG_INFO_PLTE);
  180332. }
  180333. return (0);
  180334. }
  180335. #if defined(PNG_sBIT_SUPPORTED)
  180336. png_uint_32 PNGAPI
  180337. png_get_sBIT(png_structp png_ptr, png_infop info_ptr, png_color_8p *sig_bit)
  180338. {
  180339. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_sBIT)
  180340. && sig_bit != NULL)
  180341. {
  180342. png_debug1(1, "in %s retrieval function\n", "sBIT");
  180343. *sig_bit = &(info_ptr->sig_bit);
  180344. return (PNG_INFO_sBIT);
  180345. }
  180346. return (0);
  180347. }
  180348. #endif
  180349. #if defined(PNG_TEXT_SUPPORTED)
  180350. png_uint_32 PNGAPI
  180351. png_get_text(png_structp png_ptr, png_infop info_ptr, png_textp *text_ptr,
  180352. int *num_text)
  180353. {
  180354. if (png_ptr != NULL && info_ptr != NULL && info_ptr->num_text > 0)
  180355. {
  180356. png_debug1(1, "in %s retrieval function\n",
  180357. (png_ptr->chunk_name[0] == '\0' ? "text"
  180358. : (png_const_charp)png_ptr->chunk_name));
  180359. if (text_ptr != NULL)
  180360. *text_ptr = info_ptr->text;
  180361. if (num_text != NULL)
  180362. *num_text = info_ptr->num_text;
  180363. return ((png_uint_32)info_ptr->num_text);
  180364. }
  180365. if (num_text != NULL)
  180366. *num_text = 0;
  180367. return(0);
  180368. }
  180369. #endif
  180370. #if defined(PNG_tIME_SUPPORTED)
  180371. png_uint_32 PNGAPI
  180372. png_get_tIME(png_structp png_ptr, png_infop info_ptr, png_timep *mod_time)
  180373. {
  180374. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_tIME)
  180375. && mod_time != NULL)
  180376. {
  180377. png_debug1(1, "in %s retrieval function\n", "tIME");
  180378. *mod_time = &(info_ptr->mod_time);
  180379. return (PNG_INFO_tIME);
  180380. }
  180381. return (0);
  180382. }
  180383. #endif
  180384. #if defined(PNG_tRNS_SUPPORTED)
  180385. png_uint_32 PNGAPI
  180386. png_get_tRNS(png_structp png_ptr, png_infop info_ptr,
  180387. png_bytep *trans, int *num_trans, png_color_16p *trans_values)
  180388. {
  180389. png_uint_32 retval = 0;
  180390. if (png_ptr != NULL && info_ptr != NULL && (info_ptr->valid & PNG_INFO_tRNS))
  180391. {
  180392. png_debug1(1, "in %s retrieval function\n", "tRNS");
  180393. if (info_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  180394. {
  180395. if (trans != NULL)
  180396. {
  180397. *trans = info_ptr->trans;
  180398. retval |= PNG_INFO_tRNS;
  180399. }
  180400. if (trans_values != NULL)
  180401. *trans_values = &(info_ptr->trans_values);
  180402. }
  180403. else /* if (info_ptr->color_type != PNG_COLOR_TYPE_PALETTE) */
  180404. {
  180405. if (trans_values != NULL)
  180406. {
  180407. *trans_values = &(info_ptr->trans_values);
  180408. retval |= PNG_INFO_tRNS;
  180409. }
  180410. if(trans != NULL)
  180411. *trans = NULL;
  180412. }
  180413. if(num_trans != NULL)
  180414. {
  180415. *num_trans = info_ptr->num_trans;
  180416. retval |= PNG_INFO_tRNS;
  180417. }
  180418. }
  180419. return (retval);
  180420. }
  180421. #endif
  180422. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  180423. png_uint_32 PNGAPI
  180424. png_get_unknown_chunks(png_structp png_ptr, png_infop info_ptr,
  180425. png_unknown_chunkpp unknowns)
  180426. {
  180427. if (png_ptr != NULL && info_ptr != NULL && unknowns != NULL)
  180428. {
  180429. *unknowns = info_ptr->unknown_chunks;
  180430. return ((png_uint_32)info_ptr->unknown_chunks_num);
  180431. }
  180432. return (0);
  180433. }
  180434. #endif
  180435. #if defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  180436. png_byte PNGAPI
  180437. png_get_rgb_to_gray_status (png_structp png_ptr)
  180438. {
  180439. return (png_byte)(png_ptr? png_ptr->rgb_to_gray_status : 0);
  180440. }
  180441. #endif
  180442. #if defined(PNG_USER_CHUNKS_SUPPORTED)
  180443. png_voidp PNGAPI
  180444. png_get_user_chunk_ptr(png_structp png_ptr)
  180445. {
  180446. return (png_ptr? png_ptr->user_chunk_ptr : NULL);
  180447. }
  180448. #endif
  180449. #ifdef PNG_WRITE_SUPPORTED
  180450. png_uint_32 PNGAPI
  180451. png_get_compression_buffer_size(png_structp png_ptr)
  180452. {
  180453. return (png_uint_32)(png_ptr? png_ptr->zbuf_size : 0L);
  180454. }
  180455. #endif
  180456. #ifdef PNG_ASSEMBLER_CODE_SUPPORTED
  180457. #ifndef PNG_1_0_X
  180458. /* this function was added to libpng 1.2.0 and should exist by default */
  180459. png_uint_32 PNGAPI
  180460. png_get_asm_flags (png_structp png_ptr)
  180461. {
  180462. /* obsolete, to be removed from libpng-1.4.0 */
  180463. return (png_ptr? 0L: 0L);
  180464. }
  180465. /* this function was added to libpng 1.2.0 and should exist by default */
  180466. png_uint_32 PNGAPI
  180467. png_get_asm_flagmask (int flag_select)
  180468. {
  180469. /* obsolete, to be removed from libpng-1.4.0 */
  180470. flag_select=flag_select;
  180471. return 0L;
  180472. }
  180473. /* GRR: could add this: && defined(PNG_MMX_CODE_SUPPORTED) */
  180474. /* this function was added to libpng 1.2.0 */
  180475. png_uint_32 PNGAPI
  180476. png_get_mmx_flagmask (int flag_select, int *compilerID)
  180477. {
  180478. /* obsolete, to be removed from libpng-1.4.0 */
  180479. flag_select=flag_select;
  180480. *compilerID = -1; /* unknown (i.e., no asm/MMX code compiled) */
  180481. return 0L;
  180482. }
  180483. /* this function was added to libpng 1.2.0 */
  180484. png_byte PNGAPI
  180485. png_get_mmx_bitdepth_threshold (png_structp png_ptr)
  180486. {
  180487. /* obsolete, to be removed from libpng-1.4.0 */
  180488. return (png_ptr? 0: 0);
  180489. }
  180490. /* this function was added to libpng 1.2.0 */
  180491. png_uint_32 PNGAPI
  180492. png_get_mmx_rowbytes_threshold (png_structp png_ptr)
  180493. {
  180494. /* obsolete, to be removed from libpng-1.4.0 */
  180495. return (png_ptr? 0L: 0L);
  180496. }
  180497. #endif /* ?PNG_1_0_X */
  180498. #endif /* ?PNG_ASSEMBLER_CODE_SUPPORTED */
  180499. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  180500. /* these functions were added to libpng 1.2.6 */
  180501. png_uint_32 PNGAPI
  180502. png_get_user_width_max (png_structp png_ptr)
  180503. {
  180504. return (png_ptr? png_ptr->user_width_max : 0);
  180505. }
  180506. png_uint_32 PNGAPI
  180507. png_get_user_height_max (png_structp png_ptr)
  180508. {
  180509. return (png_ptr? png_ptr->user_height_max : 0);
  180510. }
  180511. #endif /* ?PNG_SET_USER_LIMITS_SUPPORTED */
  180512. #endif /* PNG_READ_SUPPORTED || PNG_WRITE_SUPPORTED */
  180513. /********* End of inlined file: pngget.c *********/
  180514. /********* Start of inlined file: pngmem.c *********/
  180515. /* pngmem.c - stub functions for memory allocation
  180516. *
  180517. * Last changed in libpng 1.2.13 November 13, 2006
  180518. * For conditions of distribution and use, see copyright notice in png.h
  180519. * Copyright (c) 1998-2006 Glenn Randers-Pehrson
  180520. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  180521. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  180522. *
  180523. * This file provides a location for all memory allocation. Users who
  180524. * need special memory handling are expected to supply replacement
  180525. * functions for png_malloc() and png_free(), and to use
  180526. * png_create_read_struct_2() and png_create_write_struct_2() to
  180527. * identify the replacement functions.
  180528. */
  180529. #define PNG_INTERNAL
  180530. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  180531. /* Borland DOS special memory handler */
  180532. #if defined(__TURBOC__) && !defined(_Windows) && !defined(__FLAT__)
  180533. /* if you change this, be sure to change the one in png.h also */
  180534. /* Allocate memory for a png_struct. The malloc and memset can be replaced
  180535. by a single call to calloc() if this is thought to improve performance. */
  180536. png_voidp /* PRIVATE */
  180537. png_create_struct(int type)
  180538. {
  180539. #ifdef PNG_USER_MEM_SUPPORTED
  180540. return (png_create_struct_2(type, png_malloc_ptr_NULL, png_voidp_NULL));
  180541. }
  180542. /* Alternate version of png_create_struct, for use with user-defined malloc. */
  180543. png_voidp /* PRIVATE */
  180544. png_create_struct_2(int type, png_malloc_ptr malloc_fn, png_voidp mem_ptr)
  180545. {
  180546. #endif /* PNG_USER_MEM_SUPPORTED */
  180547. png_size_t size;
  180548. png_voidp struct_ptr;
  180549. if (type == PNG_STRUCT_INFO)
  180550. size = png_sizeof(png_info);
  180551. else if (type == PNG_STRUCT_PNG)
  180552. size = png_sizeof(png_struct);
  180553. else
  180554. return (png_get_copyright(NULL));
  180555. #ifdef PNG_USER_MEM_SUPPORTED
  180556. if(malloc_fn != NULL)
  180557. {
  180558. png_struct dummy_struct;
  180559. png_structp png_ptr = &dummy_struct;
  180560. png_ptr->mem_ptr=mem_ptr;
  180561. struct_ptr = (*(malloc_fn))(png_ptr, (png_uint_32)size);
  180562. }
  180563. else
  180564. #endif /* PNG_USER_MEM_SUPPORTED */
  180565. struct_ptr = (png_voidp)farmalloc(size);
  180566. if (struct_ptr != NULL)
  180567. png_memset(struct_ptr, 0, size);
  180568. return (struct_ptr);
  180569. }
  180570. /* Free memory allocated by a png_create_struct() call */
  180571. void /* PRIVATE */
  180572. png_destroy_struct(png_voidp struct_ptr)
  180573. {
  180574. #ifdef PNG_USER_MEM_SUPPORTED
  180575. png_destroy_struct_2(struct_ptr, png_free_ptr_NULL, png_voidp_NULL);
  180576. }
  180577. /* Free memory allocated by a png_create_struct() call */
  180578. void /* PRIVATE */
  180579. png_destroy_struct_2(png_voidp struct_ptr, png_free_ptr free_fn,
  180580. png_voidp mem_ptr)
  180581. {
  180582. #endif
  180583. if (struct_ptr != NULL)
  180584. {
  180585. #ifdef PNG_USER_MEM_SUPPORTED
  180586. if(free_fn != NULL)
  180587. {
  180588. png_struct dummy_struct;
  180589. png_structp png_ptr = &dummy_struct;
  180590. png_ptr->mem_ptr=mem_ptr;
  180591. (*(free_fn))(png_ptr, struct_ptr);
  180592. return;
  180593. }
  180594. #endif /* PNG_USER_MEM_SUPPORTED */
  180595. farfree (struct_ptr);
  180596. }
  180597. }
  180598. /* Allocate memory. For reasonable files, size should never exceed
  180599. * 64K. However, zlib may allocate more then 64K if you don't tell
  180600. * it not to. See zconf.h and png.h for more information. zlib does
  180601. * need to allocate exactly 64K, so whatever you call here must
  180602. * have the ability to do that.
  180603. *
  180604. * Borland seems to have a problem in DOS mode for exactly 64K.
  180605. * It gives you a segment with an offset of 8 (perhaps to store its
  180606. * memory stuff). zlib doesn't like this at all, so we have to
  180607. * detect and deal with it. This code should not be needed in
  180608. * Windows or OS/2 modes, and only in 16 bit mode. This code has
  180609. * been updated by Alexander Lehmann for version 0.89 to waste less
  180610. * memory.
  180611. *
  180612. * Note that we can't use png_size_t for the "size" declaration,
  180613. * since on some systems a png_size_t is a 16-bit quantity, and as a
  180614. * result, we would be truncating potentially larger memory requests
  180615. * (which should cause a fatal error) and introducing major problems.
  180616. */
  180617. png_voidp PNGAPI
  180618. png_malloc(png_structp png_ptr, png_uint_32 size)
  180619. {
  180620. png_voidp ret;
  180621. if (png_ptr == NULL || size == 0)
  180622. return (NULL);
  180623. #ifdef PNG_USER_MEM_SUPPORTED
  180624. if(png_ptr->malloc_fn != NULL)
  180625. ret = ((png_voidp)(*(png_ptr->malloc_fn))(png_ptr, (png_size_t)size));
  180626. else
  180627. ret = (png_malloc_default(png_ptr, size));
  180628. if (ret == NULL && (png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180629. png_error(png_ptr, "Out of memory!");
  180630. return (ret);
  180631. }
  180632. png_voidp PNGAPI
  180633. png_malloc_default(png_structp png_ptr, png_uint_32 size)
  180634. {
  180635. png_voidp ret;
  180636. #endif /* PNG_USER_MEM_SUPPORTED */
  180637. if (png_ptr == NULL || size == 0)
  180638. return (NULL);
  180639. #ifdef PNG_MAX_MALLOC_64K
  180640. if (size > (png_uint_32)65536L)
  180641. {
  180642. png_warning(png_ptr, "Cannot Allocate > 64K");
  180643. ret = NULL;
  180644. }
  180645. else
  180646. #endif
  180647. if (size != (size_t)size)
  180648. ret = NULL;
  180649. else if (size == (png_uint_32)65536L)
  180650. {
  180651. if (png_ptr->offset_table == NULL)
  180652. {
  180653. /* try to see if we need to do any of this fancy stuff */
  180654. ret = farmalloc(size);
  180655. if (ret == NULL || ((png_size_t)ret & 0xffff))
  180656. {
  180657. int num_blocks;
  180658. png_uint_32 total_size;
  180659. png_bytep table;
  180660. int i;
  180661. png_byte huge * hptr;
  180662. if (ret != NULL)
  180663. {
  180664. farfree(ret);
  180665. ret = NULL;
  180666. }
  180667. if(png_ptr->zlib_window_bits > 14)
  180668. num_blocks = (int)(1 << (png_ptr->zlib_window_bits - 14));
  180669. else
  180670. num_blocks = 1;
  180671. if (png_ptr->zlib_mem_level >= 7)
  180672. num_blocks += (int)(1 << (png_ptr->zlib_mem_level - 7));
  180673. else
  180674. num_blocks++;
  180675. total_size = ((png_uint_32)65536L) * (png_uint_32)num_blocks+16;
  180676. table = farmalloc(total_size);
  180677. if (table == NULL)
  180678. {
  180679. #ifndef PNG_USER_MEM_SUPPORTED
  180680. if ((png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180681. png_error(png_ptr, "Out Of Memory."); /* Note "O" and "M" */
  180682. else
  180683. png_warning(png_ptr, "Out Of Memory.");
  180684. #endif
  180685. return (NULL);
  180686. }
  180687. if ((png_size_t)table & 0xfff0)
  180688. {
  180689. #ifndef PNG_USER_MEM_SUPPORTED
  180690. if ((png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180691. png_error(png_ptr,
  180692. "Farmalloc didn't return normalized pointer");
  180693. else
  180694. png_warning(png_ptr,
  180695. "Farmalloc didn't return normalized pointer");
  180696. #endif
  180697. return (NULL);
  180698. }
  180699. png_ptr->offset_table = table;
  180700. png_ptr->offset_table_ptr = farmalloc(num_blocks *
  180701. png_sizeof (png_bytep));
  180702. if (png_ptr->offset_table_ptr == NULL)
  180703. {
  180704. #ifndef PNG_USER_MEM_SUPPORTED
  180705. if ((png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180706. png_error(png_ptr, "Out Of memory."); /* Note "O" and "M" */
  180707. else
  180708. png_warning(png_ptr, "Out Of memory.");
  180709. #endif
  180710. return (NULL);
  180711. }
  180712. hptr = (png_byte huge *)table;
  180713. if ((png_size_t)hptr & 0xf)
  180714. {
  180715. hptr = (png_byte huge *)((long)(hptr) & 0xfffffff0L);
  180716. hptr = hptr + 16L; /* "hptr += 16L" fails on Turbo C++ 3.0 */
  180717. }
  180718. for (i = 0; i < num_blocks; i++)
  180719. {
  180720. png_ptr->offset_table_ptr[i] = (png_bytep)hptr;
  180721. hptr = hptr + (png_uint_32)65536L; /* "+=" fails on TC++3.0 */
  180722. }
  180723. png_ptr->offset_table_number = num_blocks;
  180724. png_ptr->offset_table_count = 0;
  180725. png_ptr->offset_table_count_free = 0;
  180726. }
  180727. }
  180728. if (png_ptr->offset_table_count >= png_ptr->offset_table_number)
  180729. {
  180730. #ifndef PNG_USER_MEM_SUPPORTED
  180731. if ((png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180732. png_error(png_ptr, "Out of Memory."); /* Note "o" and "M" */
  180733. else
  180734. png_warning(png_ptr, "Out of Memory.");
  180735. #endif
  180736. return (NULL);
  180737. }
  180738. ret = png_ptr->offset_table_ptr[png_ptr->offset_table_count++];
  180739. }
  180740. else
  180741. ret = farmalloc(size);
  180742. #ifndef PNG_USER_MEM_SUPPORTED
  180743. if (ret == NULL)
  180744. {
  180745. if ((png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180746. png_error(png_ptr, "Out of memory."); /* Note "o" and "m" */
  180747. else
  180748. png_warning(png_ptr, "Out of memory."); /* Note "o" and "m" */
  180749. }
  180750. #endif
  180751. return (ret);
  180752. }
  180753. /* free a pointer allocated by png_malloc(). In the default
  180754. configuration, png_ptr is not used, but is passed in case it
  180755. is needed. If ptr is NULL, return without taking any action. */
  180756. void PNGAPI
  180757. png_free(png_structp png_ptr, png_voidp ptr)
  180758. {
  180759. if (png_ptr == NULL || ptr == NULL)
  180760. return;
  180761. #ifdef PNG_USER_MEM_SUPPORTED
  180762. if (png_ptr->free_fn != NULL)
  180763. {
  180764. (*(png_ptr->free_fn))(png_ptr, ptr);
  180765. return;
  180766. }
  180767. else png_free_default(png_ptr, ptr);
  180768. }
  180769. void PNGAPI
  180770. png_free_default(png_structp png_ptr, png_voidp ptr)
  180771. {
  180772. #endif /* PNG_USER_MEM_SUPPORTED */
  180773. if(png_ptr == NULL) return;
  180774. if (png_ptr->offset_table != NULL)
  180775. {
  180776. int i;
  180777. for (i = 0; i < png_ptr->offset_table_count; i++)
  180778. {
  180779. if (ptr == png_ptr->offset_table_ptr[i])
  180780. {
  180781. ptr = NULL;
  180782. png_ptr->offset_table_count_free++;
  180783. break;
  180784. }
  180785. }
  180786. if (png_ptr->offset_table_count_free == png_ptr->offset_table_count)
  180787. {
  180788. farfree(png_ptr->offset_table);
  180789. farfree(png_ptr->offset_table_ptr);
  180790. png_ptr->offset_table = NULL;
  180791. png_ptr->offset_table_ptr = NULL;
  180792. }
  180793. }
  180794. if (ptr != NULL)
  180795. {
  180796. farfree(ptr);
  180797. }
  180798. }
  180799. #else /* Not the Borland DOS special memory handler */
  180800. /* Allocate memory for a png_struct or a png_info. The malloc and
  180801. memset can be replaced by a single call to calloc() if this is thought
  180802. to improve performance noticably. */
  180803. png_voidp /* PRIVATE */
  180804. png_create_struct(int type)
  180805. {
  180806. #ifdef PNG_USER_MEM_SUPPORTED
  180807. return (png_create_struct_2(type, png_malloc_ptr_NULL, png_voidp_NULL));
  180808. }
  180809. /* Allocate memory for a png_struct or a png_info. The malloc and
  180810. memset can be replaced by a single call to calloc() if this is thought
  180811. to improve performance noticably. */
  180812. png_voidp /* PRIVATE */
  180813. png_create_struct_2(int type, png_malloc_ptr malloc_fn, png_voidp mem_ptr)
  180814. {
  180815. #endif /* PNG_USER_MEM_SUPPORTED */
  180816. png_size_t size;
  180817. png_voidp struct_ptr;
  180818. if (type == PNG_STRUCT_INFO)
  180819. size = png_sizeof(png_info);
  180820. else if (type == PNG_STRUCT_PNG)
  180821. size = png_sizeof(png_struct);
  180822. else
  180823. return (NULL);
  180824. #ifdef PNG_USER_MEM_SUPPORTED
  180825. if(malloc_fn != NULL)
  180826. {
  180827. png_struct dummy_struct;
  180828. png_structp png_ptr = &dummy_struct;
  180829. png_ptr->mem_ptr=mem_ptr;
  180830. struct_ptr = (*(malloc_fn))(png_ptr, size);
  180831. if (struct_ptr != NULL)
  180832. png_memset(struct_ptr, 0, size);
  180833. return (struct_ptr);
  180834. }
  180835. #endif /* PNG_USER_MEM_SUPPORTED */
  180836. #if defined(__TURBOC__) && !defined(__FLAT__)
  180837. struct_ptr = (png_voidp)farmalloc(size);
  180838. #else
  180839. # if defined(_MSC_VER) && defined(MAXSEG_64K)
  180840. struct_ptr = (png_voidp)halloc(size,1);
  180841. # else
  180842. struct_ptr = (png_voidp)malloc(size);
  180843. # endif
  180844. #endif
  180845. if (struct_ptr != NULL)
  180846. png_memset(struct_ptr, 0, size);
  180847. return (struct_ptr);
  180848. }
  180849. /* Free memory allocated by a png_create_struct() call */
  180850. void /* PRIVATE */
  180851. png_destroy_struct(png_voidp struct_ptr)
  180852. {
  180853. #ifdef PNG_USER_MEM_SUPPORTED
  180854. png_destroy_struct_2(struct_ptr, png_free_ptr_NULL, png_voidp_NULL);
  180855. }
  180856. /* Free memory allocated by a png_create_struct() call */
  180857. void /* PRIVATE */
  180858. png_destroy_struct_2(png_voidp struct_ptr, png_free_ptr free_fn,
  180859. png_voidp mem_ptr)
  180860. {
  180861. #endif /* PNG_USER_MEM_SUPPORTED */
  180862. if (struct_ptr != NULL)
  180863. {
  180864. #ifdef PNG_USER_MEM_SUPPORTED
  180865. if(free_fn != NULL)
  180866. {
  180867. png_struct dummy_struct;
  180868. png_structp png_ptr = &dummy_struct;
  180869. png_ptr->mem_ptr=mem_ptr;
  180870. (*(free_fn))(png_ptr, struct_ptr);
  180871. return;
  180872. }
  180873. #endif /* PNG_USER_MEM_SUPPORTED */
  180874. #if defined(__TURBOC__) && !defined(__FLAT__)
  180875. farfree(struct_ptr);
  180876. #else
  180877. # if defined(_MSC_VER) && defined(MAXSEG_64K)
  180878. hfree(struct_ptr);
  180879. # else
  180880. free(struct_ptr);
  180881. # endif
  180882. #endif
  180883. }
  180884. }
  180885. /* Allocate memory. For reasonable files, size should never exceed
  180886. 64K. However, zlib may allocate more then 64K if you don't tell
  180887. it not to. See zconf.h and png.h for more information. zlib does
  180888. need to allocate exactly 64K, so whatever you call here must
  180889. have the ability to do that. */
  180890. png_voidp PNGAPI
  180891. png_malloc(png_structp png_ptr, png_uint_32 size)
  180892. {
  180893. png_voidp ret;
  180894. #ifdef PNG_USER_MEM_SUPPORTED
  180895. if (png_ptr == NULL || size == 0)
  180896. return (NULL);
  180897. if(png_ptr->malloc_fn != NULL)
  180898. ret = ((png_voidp)(*(png_ptr->malloc_fn))(png_ptr, (png_size_t)size));
  180899. else
  180900. ret = (png_malloc_default(png_ptr, size));
  180901. if (ret == NULL && (png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180902. png_error(png_ptr, "Out of Memory!");
  180903. return (ret);
  180904. }
  180905. png_voidp PNGAPI
  180906. png_malloc_default(png_structp png_ptr, png_uint_32 size)
  180907. {
  180908. png_voidp ret;
  180909. #endif /* PNG_USER_MEM_SUPPORTED */
  180910. if (png_ptr == NULL || size == 0)
  180911. return (NULL);
  180912. #ifdef PNG_MAX_MALLOC_64K
  180913. if (size > (png_uint_32)65536L)
  180914. {
  180915. #ifndef PNG_USER_MEM_SUPPORTED
  180916. if(png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180917. png_error(png_ptr, "Cannot Allocate > 64K");
  180918. else
  180919. #endif
  180920. return NULL;
  180921. }
  180922. #endif
  180923. /* Check for overflow */
  180924. #if defined(__TURBOC__) && !defined(__FLAT__)
  180925. if (size != (unsigned long)size)
  180926. ret = NULL;
  180927. else
  180928. ret = farmalloc(size);
  180929. #else
  180930. # if defined(_MSC_VER) && defined(MAXSEG_64K)
  180931. if (size != (unsigned long)size)
  180932. ret = NULL;
  180933. else
  180934. ret = halloc(size, 1);
  180935. # else
  180936. if (size != (size_t)size)
  180937. ret = NULL;
  180938. else
  180939. ret = malloc((size_t)size);
  180940. # endif
  180941. #endif
  180942. #ifndef PNG_USER_MEM_SUPPORTED
  180943. if (ret == NULL && (png_ptr->flags&PNG_FLAG_MALLOC_NULL_MEM_OK) == 0)
  180944. png_error(png_ptr, "Out of Memory");
  180945. #endif
  180946. return (ret);
  180947. }
  180948. /* Free a pointer allocated by png_malloc(). If ptr is NULL, return
  180949. without taking any action. */
  180950. void PNGAPI
  180951. png_free(png_structp png_ptr, png_voidp ptr)
  180952. {
  180953. if (png_ptr == NULL || ptr == NULL)
  180954. return;
  180955. #ifdef PNG_USER_MEM_SUPPORTED
  180956. if (png_ptr->free_fn != NULL)
  180957. {
  180958. (*(png_ptr->free_fn))(png_ptr, ptr);
  180959. return;
  180960. }
  180961. else png_free_default(png_ptr, ptr);
  180962. }
  180963. void PNGAPI
  180964. png_free_default(png_structp png_ptr, png_voidp ptr)
  180965. {
  180966. if (png_ptr == NULL || ptr == NULL)
  180967. return;
  180968. #endif /* PNG_USER_MEM_SUPPORTED */
  180969. #if defined(__TURBOC__) && !defined(__FLAT__)
  180970. farfree(ptr);
  180971. #else
  180972. # if defined(_MSC_VER) && defined(MAXSEG_64K)
  180973. hfree(ptr);
  180974. # else
  180975. free(ptr);
  180976. # endif
  180977. #endif
  180978. }
  180979. #endif /* Not Borland DOS special memory handler */
  180980. #if defined(PNG_1_0_X)
  180981. # define png_malloc_warn png_malloc
  180982. #else
  180983. /* This function was added at libpng version 1.2.3. The png_malloc_warn()
  180984. * function will set up png_malloc() to issue a png_warning and return NULL
  180985. * instead of issuing a png_error, if it fails to allocate the requested
  180986. * memory.
  180987. */
  180988. png_voidp PNGAPI
  180989. png_malloc_warn(png_structp png_ptr, png_uint_32 size)
  180990. {
  180991. png_voidp ptr;
  180992. png_uint_32 save_flags;
  180993. if(png_ptr == NULL) return (NULL);
  180994. save_flags=png_ptr->flags;
  180995. png_ptr->flags|=PNG_FLAG_MALLOC_NULL_MEM_OK;
  180996. ptr = (png_voidp)png_malloc((png_structp)png_ptr, size);
  180997. png_ptr->flags=save_flags;
  180998. return(ptr);
  180999. }
  181000. #endif
  181001. png_voidp PNGAPI
  181002. png_memcpy_check (png_structp png_ptr, png_voidp s1, png_voidp s2,
  181003. png_uint_32 length)
  181004. {
  181005. png_size_t size;
  181006. size = (png_size_t)length;
  181007. if ((png_uint_32)size != length)
  181008. png_error(png_ptr,"Overflow in png_memcpy_check.");
  181009. return(png_memcpy (s1, s2, size));
  181010. }
  181011. png_voidp PNGAPI
  181012. png_memset_check (png_structp png_ptr, png_voidp s1, int value,
  181013. png_uint_32 length)
  181014. {
  181015. png_size_t size;
  181016. size = (png_size_t)length;
  181017. if ((png_uint_32)size != length)
  181018. png_error(png_ptr,"Overflow in png_memset_check.");
  181019. return (png_memset (s1, value, size));
  181020. }
  181021. #ifdef PNG_USER_MEM_SUPPORTED
  181022. /* This function is called when the application wants to use another method
  181023. * of allocating and freeing memory.
  181024. */
  181025. void PNGAPI
  181026. png_set_mem_fn(png_structp png_ptr, png_voidp mem_ptr, png_malloc_ptr
  181027. malloc_fn, png_free_ptr free_fn)
  181028. {
  181029. if(png_ptr != NULL) {
  181030. png_ptr->mem_ptr = mem_ptr;
  181031. png_ptr->malloc_fn = malloc_fn;
  181032. png_ptr->free_fn = free_fn;
  181033. }
  181034. }
  181035. /* This function returns a pointer to the mem_ptr associated with the user
  181036. * functions. The application should free any memory associated with this
  181037. * pointer before png_write_destroy and png_read_destroy are called.
  181038. */
  181039. png_voidp PNGAPI
  181040. png_get_mem_ptr(png_structp png_ptr)
  181041. {
  181042. if(png_ptr == NULL) return (NULL);
  181043. return ((png_voidp)png_ptr->mem_ptr);
  181044. }
  181045. #endif /* PNG_USER_MEM_SUPPORTED */
  181046. #endif /* PNG_READ_SUPPORTED || PNG_WRITE_SUPPORTED */
  181047. /********* End of inlined file: pngmem.c *********/
  181048. /********* Start of inlined file: pngread.c *********/
  181049. /* pngread.c - read a PNG file
  181050. *
  181051. * Last changed in libpng 1.2.20 September 7, 2007
  181052. * For conditions of distribution and use, see copyright notice in png.h
  181053. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  181054. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  181055. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  181056. *
  181057. * This file contains routines that an application calls directly to
  181058. * read a PNG file or stream.
  181059. */
  181060. #define PNG_INTERNAL
  181061. #if defined(PNG_READ_SUPPORTED)
  181062. /* Create a PNG structure for reading, and allocate any memory needed. */
  181063. png_structp PNGAPI
  181064. png_create_read_struct(png_const_charp user_png_ver, png_voidp error_ptr,
  181065. png_error_ptr error_fn, png_error_ptr warn_fn)
  181066. {
  181067. #ifdef PNG_USER_MEM_SUPPORTED
  181068. return (png_create_read_struct_2(user_png_ver, error_ptr, error_fn,
  181069. warn_fn, png_voidp_NULL, png_malloc_ptr_NULL, png_free_ptr_NULL));
  181070. }
  181071. /* Alternate create PNG structure for reading, and allocate any memory needed. */
  181072. png_structp PNGAPI
  181073. png_create_read_struct_2(png_const_charp user_png_ver, png_voidp error_ptr,
  181074. png_error_ptr error_fn, png_error_ptr warn_fn, png_voidp mem_ptr,
  181075. png_malloc_ptr malloc_fn, png_free_ptr free_fn)
  181076. {
  181077. #endif /* PNG_USER_MEM_SUPPORTED */
  181078. png_structp png_ptr;
  181079. #ifdef PNG_SETJMP_SUPPORTED
  181080. #ifdef USE_FAR_KEYWORD
  181081. jmp_buf jmpbuf;
  181082. #endif
  181083. #endif
  181084. int i;
  181085. png_debug(1, "in png_create_read_struct\n");
  181086. #ifdef PNG_USER_MEM_SUPPORTED
  181087. png_ptr = (png_structp)png_create_struct_2(PNG_STRUCT_PNG,
  181088. (png_malloc_ptr)malloc_fn, (png_voidp)mem_ptr);
  181089. #else
  181090. png_ptr = (png_structp)png_create_struct(PNG_STRUCT_PNG);
  181091. #endif
  181092. if (png_ptr == NULL)
  181093. return (NULL);
  181094. /* added at libpng-1.2.6 */
  181095. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  181096. png_ptr->user_width_max=PNG_USER_WIDTH_MAX;
  181097. png_ptr->user_height_max=PNG_USER_HEIGHT_MAX;
  181098. #endif
  181099. #ifdef PNG_SETJMP_SUPPORTED
  181100. #ifdef USE_FAR_KEYWORD
  181101. if (setjmp(jmpbuf))
  181102. #else
  181103. if (setjmp(png_ptr->jmpbuf))
  181104. #endif
  181105. {
  181106. png_free(png_ptr, png_ptr->zbuf);
  181107. png_ptr->zbuf=NULL;
  181108. #ifdef PNG_USER_MEM_SUPPORTED
  181109. png_destroy_struct_2((png_voidp)png_ptr,
  181110. (png_free_ptr)free_fn, (png_voidp)mem_ptr);
  181111. #else
  181112. png_destroy_struct((png_voidp)png_ptr);
  181113. #endif
  181114. return (NULL);
  181115. }
  181116. #ifdef USE_FAR_KEYWORD
  181117. png_memcpy(png_ptr->jmpbuf,jmpbuf,png_sizeof(jmp_buf));
  181118. #endif
  181119. #endif
  181120. #ifdef PNG_USER_MEM_SUPPORTED
  181121. png_set_mem_fn(png_ptr, mem_ptr, malloc_fn, free_fn);
  181122. #endif
  181123. png_set_error_fn(png_ptr, error_ptr, error_fn, warn_fn);
  181124. i=0;
  181125. do
  181126. {
  181127. if(user_png_ver[i] != png_libpng_ver[i])
  181128. png_ptr->flags |= PNG_FLAG_LIBRARY_MISMATCH;
  181129. } while (png_libpng_ver[i++]);
  181130. if (png_ptr->flags & PNG_FLAG_LIBRARY_MISMATCH)
  181131. {
  181132. /* Libpng 0.90 and later are binary incompatible with libpng 0.89, so
  181133. * we must recompile any applications that use any older library version.
  181134. * For versions after libpng 1.0, we will be compatible, so we need
  181135. * only check the first digit.
  181136. */
  181137. if (user_png_ver == NULL || user_png_ver[0] != png_libpng_ver[0] ||
  181138. (user_png_ver[0] == '1' && user_png_ver[2] != png_libpng_ver[2]) ||
  181139. (user_png_ver[0] == '0' && user_png_ver[2] < '9'))
  181140. {
  181141. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  181142. char msg[80];
  181143. if (user_png_ver)
  181144. {
  181145. png_snprintf(msg, 80,
  181146. "Application was compiled with png.h from libpng-%.20s",
  181147. user_png_ver);
  181148. png_warning(png_ptr, msg);
  181149. }
  181150. png_snprintf(msg, 80,
  181151. "Application is running with png.c from libpng-%.20s",
  181152. png_libpng_ver);
  181153. png_warning(png_ptr, msg);
  181154. #endif
  181155. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  181156. png_ptr->flags=0;
  181157. #endif
  181158. png_error(png_ptr,
  181159. "Incompatible libpng version in application and library");
  181160. }
  181161. }
  181162. /* initialize zbuf - compression buffer */
  181163. png_ptr->zbuf_size = PNG_ZBUF_SIZE;
  181164. png_ptr->zbuf = (png_bytep)png_malloc(png_ptr,
  181165. (png_uint_32)png_ptr->zbuf_size);
  181166. png_ptr->zstream.zalloc = png_zalloc;
  181167. png_ptr->zstream.zfree = png_zfree;
  181168. png_ptr->zstream.opaque = (voidpf)png_ptr;
  181169. switch (inflateInit(&png_ptr->zstream))
  181170. {
  181171. case Z_OK: /* Do nothing */ break;
  181172. case Z_MEM_ERROR:
  181173. case Z_STREAM_ERROR: png_error(png_ptr, "zlib memory error"); break;
  181174. case Z_VERSION_ERROR: png_error(png_ptr, "zlib version error"); break;
  181175. default: png_error(png_ptr, "Unknown zlib error");
  181176. }
  181177. png_ptr->zstream.next_out = png_ptr->zbuf;
  181178. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  181179. png_set_read_fn(png_ptr, png_voidp_NULL, png_rw_ptr_NULL);
  181180. #ifdef PNG_SETJMP_SUPPORTED
  181181. /* Applications that neglect to set up their own setjmp() and then encounter
  181182. a png_error() will longjmp here. Since the jmpbuf is then meaningless we
  181183. abort instead of returning. */
  181184. #ifdef USE_FAR_KEYWORD
  181185. if (setjmp(jmpbuf))
  181186. PNG_ABORT();
  181187. png_memcpy(png_ptr->jmpbuf,jmpbuf,png_sizeof(jmp_buf));
  181188. #else
  181189. if (setjmp(png_ptr->jmpbuf))
  181190. PNG_ABORT();
  181191. #endif
  181192. #endif
  181193. return (png_ptr);
  181194. }
  181195. #if defined(PNG_1_0_X) || defined(PNG_1_2_X)
  181196. /* Initialize PNG structure for reading, and allocate any memory needed.
  181197. This interface is deprecated in favour of the png_create_read_struct(),
  181198. and it will disappear as of libpng-1.3.0. */
  181199. #undef png_read_init
  181200. void PNGAPI
  181201. png_read_init(png_structp png_ptr)
  181202. {
  181203. /* We only come here via pre-1.0.7-compiled applications */
  181204. png_read_init_2(png_ptr, "1.0.6 or earlier", 0, 0);
  181205. }
  181206. void PNGAPI
  181207. png_read_init_2(png_structp png_ptr, png_const_charp user_png_ver,
  181208. png_size_t png_struct_size, png_size_t png_info_size)
  181209. {
  181210. /* We only come here via pre-1.0.12-compiled applications */
  181211. if(png_ptr == NULL) return;
  181212. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  181213. if(png_sizeof(png_struct) > png_struct_size ||
  181214. png_sizeof(png_info) > png_info_size)
  181215. {
  181216. char msg[80];
  181217. png_ptr->warning_fn=NULL;
  181218. if (user_png_ver)
  181219. {
  181220. png_snprintf(msg, 80,
  181221. "Application was compiled with png.h from libpng-%.20s",
  181222. user_png_ver);
  181223. png_warning(png_ptr, msg);
  181224. }
  181225. png_snprintf(msg, 80,
  181226. "Application is running with png.c from libpng-%.20s",
  181227. png_libpng_ver);
  181228. png_warning(png_ptr, msg);
  181229. }
  181230. #endif
  181231. if(png_sizeof(png_struct) > png_struct_size)
  181232. {
  181233. png_ptr->error_fn=NULL;
  181234. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  181235. png_ptr->flags=0;
  181236. #endif
  181237. png_error(png_ptr,
  181238. "The png struct allocated by the application for reading is too small.");
  181239. }
  181240. if(png_sizeof(png_info) > png_info_size)
  181241. {
  181242. png_ptr->error_fn=NULL;
  181243. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  181244. png_ptr->flags=0;
  181245. #endif
  181246. png_error(png_ptr,
  181247. "The info struct allocated by application for reading is too small.");
  181248. }
  181249. png_read_init_3(&png_ptr, user_png_ver, png_struct_size);
  181250. }
  181251. #endif /* PNG_1_0_X || PNG_1_2_X */
  181252. void PNGAPI
  181253. png_read_init_3(png_structpp ptr_ptr, png_const_charp user_png_ver,
  181254. png_size_t png_struct_size)
  181255. {
  181256. #ifdef PNG_SETJMP_SUPPORTED
  181257. jmp_buf tmp_jmp; /* to save current jump buffer */
  181258. #endif
  181259. int i=0;
  181260. png_structp png_ptr=*ptr_ptr;
  181261. if(png_ptr == NULL) return;
  181262. do
  181263. {
  181264. if(user_png_ver[i] != png_libpng_ver[i])
  181265. {
  181266. #ifdef PNG_LEGACY_SUPPORTED
  181267. png_ptr->flags |= PNG_FLAG_LIBRARY_MISMATCH;
  181268. #else
  181269. png_ptr->warning_fn=NULL;
  181270. png_warning(png_ptr,
  181271. "Application uses deprecated png_read_init() and should be recompiled.");
  181272. break;
  181273. #endif
  181274. }
  181275. } while (png_libpng_ver[i++]);
  181276. png_debug(1, "in png_read_init_3\n");
  181277. #ifdef PNG_SETJMP_SUPPORTED
  181278. /* save jump buffer and error functions */
  181279. png_memcpy(tmp_jmp, png_ptr->jmpbuf, png_sizeof (jmp_buf));
  181280. #endif
  181281. if(png_sizeof(png_struct) > png_struct_size)
  181282. {
  181283. png_destroy_struct(png_ptr);
  181284. *ptr_ptr = (png_structp)png_create_struct(PNG_STRUCT_PNG);
  181285. png_ptr = *ptr_ptr;
  181286. }
  181287. /* reset all variables to 0 */
  181288. png_memset(png_ptr, 0, png_sizeof (png_struct));
  181289. #ifdef PNG_SETJMP_SUPPORTED
  181290. /* restore jump buffer */
  181291. png_memcpy(png_ptr->jmpbuf, tmp_jmp, png_sizeof (jmp_buf));
  181292. #endif
  181293. /* added at libpng-1.2.6 */
  181294. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  181295. png_ptr->user_width_max=PNG_USER_WIDTH_MAX;
  181296. png_ptr->user_height_max=PNG_USER_HEIGHT_MAX;
  181297. #endif
  181298. /* initialize zbuf - compression buffer */
  181299. png_ptr->zbuf_size = PNG_ZBUF_SIZE;
  181300. png_ptr->zbuf = (png_bytep)png_malloc(png_ptr,
  181301. (png_uint_32)png_ptr->zbuf_size);
  181302. png_ptr->zstream.zalloc = png_zalloc;
  181303. png_ptr->zstream.zfree = png_zfree;
  181304. png_ptr->zstream.opaque = (voidpf)png_ptr;
  181305. switch (inflateInit(&png_ptr->zstream))
  181306. {
  181307. case Z_OK: /* Do nothing */ break;
  181308. case Z_MEM_ERROR:
  181309. case Z_STREAM_ERROR: png_error(png_ptr, "zlib memory"); break;
  181310. case Z_VERSION_ERROR: png_error(png_ptr, "zlib version"); break;
  181311. default: png_error(png_ptr, "Unknown zlib error");
  181312. }
  181313. png_ptr->zstream.next_out = png_ptr->zbuf;
  181314. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  181315. png_set_read_fn(png_ptr, png_voidp_NULL, png_rw_ptr_NULL);
  181316. }
  181317. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  181318. /* Read the information before the actual image data. This has been
  181319. * changed in v0.90 to allow reading a file that already has the magic
  181320. * bytes read from the stream. You can tell libpng how many bytes have
  181321. * been read from the beginning of the stream (up to the maximum of 8)
  181322. * via png_set_sig_bytes(), and we will only check the remaining bytes
  181323. * here. The application can then have access to the signature bytes we
  181324. * read if it is determined that this isn't a valid PNG file.
  181325. */
  181326. void PNGAPI
  181327. png_read_info(png_structp png_ptr, png_infop info_ptr)
  181328. {
  181329. if(png_ptr == NULL) return;
  181330. png_debug(1, "in png_read_info\n");
  181331. /* If we haven't checked all of the PNG signature bytes, do so now. */
  181332. if (png_ptr->sig_bytes < 8)
  181333. {
  181334. png_size_t num_checked = png_ptr->sig_bytes,
  181335. num_to_check = 8 - num_checked;
  181336. png_read_data(png_ptr, &(info_ptr->signature[num_checked]), num_to_check);
  181337. png_ptr->sig_bytes = 8;
  181338. if (png_sig_cmp(info_ptr->signature, num_checked, num_to_check))
  181339. {
  181340. if (num_checked < 4 &&
  181341. png_sig_cmp(info_ptr->signature, num_checked, num_to_check - 4))
  181342. png_error(png_ptr, "Not a PNG file");
  181343. else
  181344. png_error(png_ptr, "PNG file corrupted by ASCII conversion");
  181345. }
  181346. if (num_checked < 3)
  181347. png_ptr->mode |= PNG_HAVE_PNG_SIGNATURE;
  181348. }
  181349. for(;;)
  181350. {
  181351. #ifdef PNG_USE_LOCAL_ARRAYS
  181352. PNG_CONST PNG_IHDR;
  181353. PNG_CONST PNG_IDAT;
  181354. PNG_CONST PNG_IEND;
  181355. PNG_CONST PNG_PLTE;
  181356. #if defined(PNG_READ_bKGD_SUPPORTED)
  181357. PNG_CONST PNG_bKGD;
  181358. #endif
  181359. #if defined(PNG_READ_cHRM_SUPPORTED)
  181360. PNG_CONST PNG_cHRM;
  181361. #endif
  181362. #if defined(PNG_READ_gAMA_SUPPORTED)
  181363. PNG_CONST PNG_gAMA;
  181364. #endif
  181365. #if defined(PNG_READ_hIST_SUPPORTED)
  181366. PNG_CONST PNG_hIST;
  181367. #endif
  181368. #if defined(PNG_READ_iCCP_SUPPORTED)
  181369. PNG_CONST PNG_iCCP;
  181370. #endif
  181371. #if defined(PNG_READ_iTXt_SUPPORTED)
  181372. PNG_CONST PNG_iTXt;
  181373. #endif
  181374. #if defined(PNG_READ_oFFs_SUPPORTED)
  181375. PNG_CONST PNG_oFFs;
  181376. #endif
  181377. #if defined(PNG_READ_pCAL_SUPPORTED)
  181378. PNG_CONST PNG_pCAL;
  181379. #endif
  181380. #if defined(PNG_READ_pHYs_SUPPORTED)
  181381. PNG_CONST PNG_pHYs;
  181382. #endif
  181383. #if defined(PNG_READ_sBIT_SUPPORTED)
  181384. PNG_CONST PNG_sBIT;
  181385. #endif
  181386. #if defined(PNG_READ_sCAL_SUPPORTED)
  181387. PNG_CONST PNG_sCAL;
  181388. #endif
  181389. #if defined(PNG_READ_sPLT_SUPPORTED)
  181390. PNG_CONST PNG_sPLT;
  181391. #endif
  181392. #if defined(PNG_READ_sRGB_SUPPORTED)
  181393. PNG_CONST PNG_sRGB;
  181394. #endif
  181395. #if defined(PNG_READ_tEXt_SUPPORTED)
  181396. PNG_CONST PNG_tEXt;
  181397. #endif
  181398. #if defined(PNG_READ_tIME_SUPPORTED)
  181399. PNG_CONST PNG_tIME;
  181400. #endif
  181401. #if defined(PNG_READ_tRNS_SUPPORTED)
  181402. PNG_CONST PNG_tRNS;
  181403. #endif
  181404. #if defined(PNG_READ_zTXt_SUPPORTED)
  181405. PNG_CONST PNG_zTXt;
  181406. #endif
  181407. #endif /* PNG_USE_LOCAL_ARRAYS */
  181408. png_byte chunk_length[4];
  181409. png_uint_32 length;
  181410. png_read_data(png_ptr, chunk_length, 4);
  181411. length = png_get_uint_31(png_ptr,chunk_length);
  181412. png_reset_crc(png_ptr);
  181413. png_crc_read(png_ptr, png_ptr->chunk_name, 4);
  181414. png_debug2(0, "Reading %s chunk, length=%lu.\n", png_ptr->chunk_name,
  181415. length);
  181416. /* This should be a binary subdivision search or a hash for
  181417. * matching the chunk name rather than a linear search.
  181418. */
  181419. if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  181420. if(png_ptr->mode & PNG_AFTER_IDAT)
  181421. png_ptr->mode |= PNG_HAVE_CHUNK_AFTER_IDAT;
  181422. if (!png_memcmp(png_ptr->chunk_name, png_IHDR, 4))
  181423. png_handle_IHDR(png_ptr, info_ptr, length);
  181424. else if (!png_memcmp(png_ptr->chunk_name, png_IEND, 4))
  181425. png_handle_IEND(png_ptr, info_ptr, length);
  181426. #ifdef PNG_HANDLE_AS_UNKNOWN_SUPPORTED
  181427. else if (png_handle_as_unknown(png_ptr, png_ptr->chunk_name))
  181428. {
  181429. if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  181430. png_ptr->mode |= PNG_HAVE_IDAT;
  181431. png_handle_unknown(png_ptr, info_ptr, length);
  181432. if (!png_memcmp(png_ptr->chunk_name, png_PLTE, 4))
  181433. png_ptr->mode |= PNG_HAVE_PLTE;
  181434. else if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  181435. {
  181436. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  181437. png_error(png_ptr, "Missing IHDR before IDAT");
  181438. else if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE &&
  181439. !(png_ptr->mode & PNG_HAVE_PLTE))
  181440. png_error(png_ptr, "Missing PLTE before IDAT");
  181441. break;
  181442. }
  181443. }
  181444. #endif
  181445. else if (!png_memcmp(png_ptr->chunk_name, png_PLTE, 4))
  181446. png_handle_PLTE(png_ptr, info_ptr, length);
  181447. else if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  181448. {
  181449. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  181450. png_error(png_ptr, "Missing IHDR before IDAT");
  181451. else if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE &&
  181452. !(png_ptr->mode & PNG_HAVE_PLTE))
  181453. png_error(png_ptr, "Missing PLTE before IDAT");
  181454. png_ptr->idat_size = length;
  181455. png_ptr->mode |= PNG_HAVE_IDAT;
  181456. break;
  181457. }
  181458. #if defined(PNG_READ_bKGD_SUPPORTED)
  181459. else if (!png_memcmp(png_ptr->chunk_name, png_bKGD, 4))
  181460. png_handle_bKGD(png_ptr, info_ptr, length);
  181461. #endif
  181462. #if defined(PNG_READ_cHRM_SUPPORTED)
  181463. else if (!png_memcmp(png_ptr->chunk_name, png_cHRM, 4))
  181464. png_handle_cHRM(png_ptr, info_ptr, length);
  181465. #endif
  181466. #if defined(PNG_READ_gAMA_SUPPORTED)
  181467. else if (!png_memcmp(png_ptr->chunk_name, png_gAMA, 4))
  181468. png_handle_gAMA(png_ptr, info_ptr, length);
  181469. #endif
  181470. #if defined(PNG_READ_hIST_SUPPORTED)
  181471. else if (!png_memcmp(png_ptr->chunk_name, png_hIST, 4))
  181472. png_handle_hIST(png_ptr, info_ptr, length);
  181473. #endif
  181474. #if defined(PNG_READ_oFFs_SUPPORTED)
  181475. else if (!png_memcmp(png_ptr->chunk_name, png_oFFs, 4))
  181476. png_handle_oFFs(png_ptr, info_ptr, length);
  181477. #endif
  181478. #if defined(PNG_READ_pCAL_SUPPORTED)
  181479. else if (!png_memcmp(png_ptr->chunk_name, png_pCAL, 4))
  181480. png_handle_pCAL(png_ptr, info_ptr, length);
  181481. #endif
  181482. #if defined(PNG_READ_sCAL_SUPPORTED)
  181483. else if (!png_memcmp(png_ptr->chunk_name, png_sCAL, 4))
  181484. png_handle_sCAL(png_ptr, info_ptr, length);
  181485. #endif
  181486. #if defined(PNG_READ_pHYs_SUPPORTED)
  181487. else if (!png_memcmp(png_ptr->chunk_name, png_pHYs, 4))
  181488. png_handle_pHYs(png_ptr, info_ptr, length);
  181489. #endif
  181490. #if defined(PNG_READ_sBIT_SUPPORTED)
  181491. else if (!png_memcmp(png_ptr->chunk_name, png_sBIT, 4))
  181492. png_handle_sBIT(png_ptr, info_ptr, length);
  181493. #endif
  181494. #if defined(PNG_READ_sRGB_SUPPORTED)
  181495. else if (!png_memcmp(png_ptr->chunk_name, png_sRGB, 4))
  181496. png_handle_sRGB(png_ptr, info_ptr, length);
  181497. #endif
  181498. #if defined(PNG_READ_iCCP_SUPPORTED)
  181499. else if (!png_memcmp(png_ptr->chunk_name, png_iCCP, 4))
  181500. png_handle_iCCP(png_ptr, info_ptr, length);
  181501. #endif
  181502. #if defined(PNG_READ_sPLT_SUPPORTED)
  181503. else if (!png_memcmp(png_ptr->chunk_name, png_sPLT, 4))
  181504. png_handle_sPLT(png_ptr, info_ptr, length);
  181505. #endif
  181506. #if defined(PNG_READ_tEXt_SUPPORTED)
  181507. else if (!png_memcmp(png_ptr->chunk_name, png_tEXt, 4))
  181508. png_handle_tEXt(png_ptr, info_ptr, length);
  181509. #endif
  181510. #if defined(PNG_READ_tIME_SUPPORTED)
  181511. else if (!png_memcmp(png_ptr->chunk_name, png_tIME, 4))
  181512. png_handle_tIME(png_ptr, info_ptr, length);
  181513. #endif
  181514. #if defined(PNG_READ_tRNS_SUPPORTED)
  181515. else if (!png_memcmp(png_ptr->chunk_name, png_tRNS, 4))
  181516. png_handle_tRNS(png_ptr, info_ptr, length);
  181517. #endif
  181518. #if defined(PNG_READ_zTXt_SUPPORTED)
  181519. else if (!png_memcmp(png_ptr->chunk_name, png_zTXt, 4))
  181520. png_handle_zTXt(png_ptr, info_ptr, length);
  181521. #endif
  181522. #if defined(PNG_READ_iTXt_SUPPORTED)
  181523. else if (!png_memcmp(png_ptr->chunk_name, png_iTXt, 4))
  181524. png_handle_iTXt(png_ptr, info_ptr, length);
  181525. #endif
  181526. else
  181527. png_handle_unknown(png_ptr, info_ptr, length);
  181528. }
  181529. }
  181530. #endif /* PNG_NO_SEQUENTIAL_READ_SUPPORTED */
  181531. /* optional call to update the users info_ptr structure */
  181532. void PNGAPI
  181533. png_read_update_info(png_structp png_ptr, png_infop info_ptr)
  181534. {
  181535. png_debug(1, "in png_read_update_info\n");
  181536. if(png_ptr == NULL) return;
  181537. if (!(png_ptr->flags & PNG_FLAG_ROW_INIT))
  181538. png_read_start_row(png_ptr);
  181539. else
  181540. png_warning(png_ptr,
  181541. "Ignoring extra png_read_update_info() call; row buffer not reallocated");
  181542. png_read_transform_info(png_ptr, info_ptr);
  181543. }
  181544. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  181545. /* Initialize palette, background, etc, after transformations
  181546. * are set, but before any reading takes place. This allows
  181547. * the user to obtain a gamma-corrected palette, for example.
  181548. * If the user doesn't call this, we will do it ourselves.
  181549. */
  181550. void PNGAPI
  181551. png_start_read_image(png_structp png_ptr)
  181552. {
  181553. png_debug(1, "in png_start_read_image\n");
  181554. if(png_ptr == NULL) return;
  181555. if (!(png_ptr->flags & PNG_FLAG_ROW_INIT))
  181556. png_read_start_row(png_ptr);
  181557. }
  181558. #endif /* PNG_NO_SEQUENTIAL_READ_SUPPORTED */
  181559. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  181560. void PNGAPI
  181561. png_read_row(png_structp png_ptr, png_bytep row, png_bytep dsp_row)
  181562. {
  181563. #ifdef PNG_USE_LOCAL_ARRAYS
  181564. PNG_CONST PNG_IDAT;
  181565. PNG_CONST int png_pass_dsp_mask[7] = {0xff, 0x0f, 0xff, 0x33, 0xff, 0x55,
  181566. 0xff};
  181567. PNG_CONST int png_pass_mask[7] = {0x80, 0x08, 0x88, 0x22, 0xaa, 0x55, 0xff};
  181568. #endif
  181569. int ret;
  181570. if(png_ptr == NULL) return;
  181571. png_debug2(1, "in png_read_row (row %lu, pass %d)\n",
  181572. png_ptr->row_number, png_ptr->pass);
  181573. if (!(png_ptr->flags & PNG_FLAG_ROW_INIT))
  181574. png_read_start_row(png_ptr);
  181575. if (png_ptr->row_number == 0 && png_ptr->pass == 0)
  181576. {
  181577. /* check for transforms that have been set but were defined out */
  181578. #if defined(PNG_WRITE_INVERT_SUPPORTED) && !defined(PNG_READ_INVERT_SUPPORTED)
  181579. if (png_ptr->transformations & PNG_INVERT_MONO)
  181580. png_warning(png_ptr, "PNG_READ_INVERT_SUPPORTED is not defined.");
  181581. #endif
  181582. #if defined(PNG_WRITE_FILLER_SUPPORTED) && !defined(PNG_READ_FILLER_SUPPORTED)
  181583. if (png_ptr->transformations & PNG_FILLER)
  181584. png_warning(png_ptr, "PNG_READ_FILLER_SUPPORTED is not defined.");
  181585. #endif
  181586. #if defined(PNG_WRITE_PACKSWAP_SUPPORTED) && !defined(PNG_READ_PACKSWAP_SUPPORTED)
  181587. if (png_ptr->transformations & PNG_PACKSWAP)
  181588. png_warning(png_ptr, "PNG_READ_PACKSWAP_SUPPORTED is not defined.");
  181589. #endif
  181590. #if defined(PNG_WRITE_PACK_SUPPORTED) && !defined(PNG_READ_PACK_SUPPORTED)
  181591. if (png_ptr->transformations & PNG_PACK)
  181592. png_warning(png_ptr, "PNG_READ_PACK_SUPPORTED is not defined.");
  181593. #endif
  181594. #if defined(PNG_WRITE_SHIFT_SUPPORTED) && !defined(PNG_READ_SHIFT_SUPPORTED)
  181595. if (png_ptr->transformations & PNG_SHIFT)
  181596. png_warning(png_ptr, "PNG_READ_SHIFT_SUPPORTED is not defined.");
  181597. #endif
  181598. #if defined(PNG_WRITE_BGR_SUPPORTED) && !defined(PNG_READ_BGR_SUPPORTED)
  181599. if (png_ptr->transformations & PNG_BGR)
  181600. png_warning(png_ptr, "PNG_READ_BGR_SUPPORTED is not defined.");
  181601. #endif
  181602. #if defined(PNG_WRITE_SWAP_SUPPORTED) && !defined(PNG_READ_SWAP_SUPPORTED)
  181603. if (png_ptr->transformations & PNG_SWAP_BYTES)
  181604. png_warning(png_ptr, "PNG_READ_SWAP_SUPPORTED is not defined.");
  181605. #endif
  181606. }
  181607. #if defined(PNG_READ_INTERLACING_SUPPORTED)
  181608. /* if interlaced and we do not need a new row, combine row and return */
  181609. if (png_ptr->interlaced && (png_ptr->transformations & PNG_INTERLACE))
  181610. {
  181611. switch (png_ptr->pass)
  181612. {
  181613. case 0:
  181614. if (png_ptr->row_number & 0x07)
  181615. {
  181616. if (dsp_row != NULL)
  181617. png_combine_row(png_ptr, dsp_row,
  181618. png_pass_dsp_mask[png_ptr->pass]);
  181619. png_read_finish_row(png_ptr);
  181620. return;
  181621. }
  181622. break;
  181623. case 1:
  181624. if ((png_ptr->row_number & 0x07) || png_ptr->width < 5)
  181625. {
  181626. if (dsp_row != NULL)
  181627. png_combine_row(png_ptr, dsp_row,
  181628. png_pass_dsp_mask[png_ptr->pass]);
  181629. png_read_finish_row(png_ptr);
  181630. return;
  181631. }
  181632. break;
  181633. case 2:
  181634. if ((png_ptr->row_number & 0x07) != 4)
  181635. {
  181636. if (dsp_row != NULL && (png_ptr->row_number & 4))
  181637. png_combine_row(png_ptr, dsp_row,
  181638. png_pass_dsp_mask[png_ptr->pass]);
  181639. png_read_finish_row(png_ptr);
  181640. return;
  181641. }
  181642. break;
  181643. case 3:
  181644. if ((png_ptr->row_number & 3) || png_ptr->width < 3)
  181645. {
  181646. if (dsp_row != NULL)
  181647. png_combine_row(png_ptr, dsp_row,
  181648. png_pass_dsp_mask[png_ptr->pass]);
  181649. png_read_finish_row(png_ptr);
  181650. return;
  181651. }
  181652. break;
  181653. case 4:
  181654. if ((png_ptr->row_number & 3) != 2)
  181655. {
  181656. if (dsp_row != NULL && (png_ptr->row_number & 2))
  181657. png_combine_row(png_ptr, dsp_row,
  181658. png_pass_dsp_mask[png_ptr->pass]);
  181659. png_read_finish_row(png_ptr);
  181660. return;
  181661. }
  181662. break;
  181663. case 5:
  181664. if ((png_ptr->row_number & 1) || png_ptr->width < 2)
  181665. {
  181666. if (dsp_row != NULL)
  181667. png_combine_row(png_ptr, dsp_row,
  181668. png_pass_dsp_mask[png_ptr->pass]);
  181669. png_read_finish_row(png_ptr);
  181670. return;
  181671. }
  181672. break;
  181673. case 6:
  181674. if (!(png_ptr->row_number & 1))
  181675. {
  181676. png_read_finish_row(png_ptr);
  181677. return;
  181678. }
  181679. break;
  181680. }
  181681. }
  181682. #endif
  181683. if (!(png_ptr->mode & PNG_HAVE_IDAT))
  181684. png_error(png_ptr, "Invalid attempt to read row data");
  181685. png_ptr->zstream.next_out = png_ptr->row_buf;
  181686. png_ptr->zstream.avail_out = (uInt)png_ptr->irowbytes;
  181687. do
  181688. {
  181689. if (!(png_ptr->zstream.avail_in))
  181690. {
  181691. while (!png_ptr->idat_size)
  181692. {
  181693. png_byte chunk_length[4];
  181694. png_crc_finish(png_ptr, 0);
  181695. png_read_data(png_ptr, chunk_length, 4);
  181696. png_ptr->idat_size = png_get_uint_31(png_ptr,chunk_length);
  181697. png_reset_crc(png_ptr);
  181698. png_crc_read(png_ptr, png_ptr->chunk_name, 4);
  181699. if (png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  181700. png_error(png_ptr, "Not enough image data");
  181701. }
  181702. png_ptr->zstream.avail_in = (uInt)png_ptr->zbuf_size;
  181703. png_ptr->zstream.next_in = png_ptr->zbuf;
  181704. if (png_ptr->zbuf_size > png_ptr->idat_size)
  181705. png_ptr->zstream.avail_in = (uInt)png_ptr->idat_size;
  181706. png_crc_read(png_ptr, png_ptr->zbuf,
  181707. (png_size_t)png_ptr->zstream.avail_in);
  181708. png_ptr->idat_size -= png_ptr->zstream.avail_in;
  181709. }
  181710. ret = inflate(&png_ptr->zstream, Z_PARTIAL_FLUSH);
  181711. if (ret == Z_STREAM_END)
  181712. {
  181713. if (png_ptr->zstream.avail_out || png_ptr->zstream.avail_in ||
  181714. png_ptr->idat_size)
  181715. png_error(png_ptr, "Extra compressed data");
  181716. png_ptr->mode |= PNG_AFTER_IDAT;
  181717. png_ptr->flags |= PNG_FLAG_ZLIB_FINISHED;
  181718. break;
  181719. }
  181720. if (ret != Z_OK)
  181721. png_error(png_ptr, png_ptr->zstream.msg ? png_ptr->zstream.msg :
  181722. "Decompression error");
  181723. } while (png_ptr->zstream.avail_out);
  181724. png_ptr->row_info.color_type = png_ptr->color_type;
  181725. png_ptr->row_info.width = png_ptr->iwidth;
  181726. png_ptr->row_info.channels = png_ptr->channels;
  181727. png_ptr->row_info.bit_depth = png_ptr->bit_depth;
  181728. png_ptr->row_info.pixel_depth = png_ptr->pixel_depth;
  181729. png_ptr->row_info.rowbytes = PNG_ROWBYTES(png_ptr->row_info.pixel_depth,
  181730. png_ptr->row_info.width);
  181731. if(png_ptr->row_buf[0])
  181732. png_read_filter_row(png_ptr, &(png_ptr->row_info),
  181733. png_ptr->row_buf + 1, png_ptr->prev_row + 1,
  181734. (int)(png_ptr->row_buf[0]));
  181735. png_memcpy_check(png_ptr, png_ptr->prev_row, png_ptr->row_buf,
  181736. png_ptr->rowbytes + 1);
  181737. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  181738. if((png_ptr->mng_features_permitted & PNG_FLAG_MNG_FILTER_64) &&
  181739. (png_ptr->filter_type == PNG_INTRAPIXEL_DIFFERENCING))
  181740. {
  181741. /* Intrapixel differencing */
  181742. png_do_read_intrapixel(&(png_ptr->row_info), png_ptr->row_buf + 1);
  181743. }
  181744. #endif
  181745. if (png_ptr->transformations || (png_ptr->flags&PNG_FLAG_STRIP_ALPHA))
  181746. png_do_read_transformations(png_ptr);
  181747. #if defined(PNG_READ_INTERLACING_SUPPORTED)
  181748. /* blow up interlaced rows to full size */
  181749. if (png_ptr->interlaced &&
  181750. (png_ptr->transformations & PNG_INTERLACE))
  181751. {
  181752. if (png_ptr->pass < 6)
  181753. /* old interface (pre-1.0.9):
  181754. png_do_read_interlace(&(png_ptr->row_info),
  181755. png_ptr->row_buf + 1, png_ptr->pass, png_ptr->transformations);
  181756. */
  181757. png_do_read_interlace(png_ptr);
  181758. if (dsp_row != NULL)
  181759. png_combine_row(png_ptr, dsp_row,
  181760. png_pass_dsp_mask[png_ptr->pass]);
  181761. if (row != NULL)
  181762. png_combine_row(png_ptr, row,
  181763. png_pass_mask[png_ptr->pass]);
  181764. }
  181765. else
  181766. #endif
  181767. {
  181768. if (row != NULL)
  181769. png_combine_row(png_ptr, row, 0xff);
  181770. if (dsp_row != NULL)
  181771. png_combine_row(png_ptr, dsp_row, 0xff);
  181772. }
  181773. png_read_finish_row(png_ptr);
  181774. if (png_ptr->read_row_fn != NULL)
  181775. (*(png_ptr->read_row_fn))(png_ptr, png_ptr->row_number, png_ptr->pass);
  181776. }
  181777. #endif /* PNG_NO_SEQUENTIAL_READ_SUPPORTED */
  181778. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  181779. /* Read one or more rows of image data. If the image is interlaced,
  181780. * and png_set_interlace_handling() has been called, the rows need to
  181781. * contain the contents of the rows from the previous pass. If the
  181782. * image has alpha or transparency, and png_handle_alpha()[*] has been
  181783. * called, the rows contents must be initialized to the contents of the
  181784. * screen.
  181785. *
  181786. * "row" holds the actual image, and pixels are placed in it
  181787. * as they arrive. If the image is displayed after each pass, it will
  181788. * appear to "sparkle" in. "display_row" can be used to display a
  181789. * "chunky" progressive image, with finer detail added as it becomes
  181790. * available. If you do not want this "chunky" display, you may pass
  181791. * NULL for display_row. If you do not want the sparkle display, and
  181792. * you have not called png_handle_alpha(), you may pass NULL for rows.
  181793. * If you have called png_handle_alpha(), and the image has either an
  181794. * alpha channel or a transparency chunk, you must provide a buffer for
  181795. * rows. In this case, you do not have to provide a display_row buffer
  181796. * also, but you may. If the image is not interlaced, or if you have
  181797. * not called png_set_interlace_handling(), the display_row buffer will
  181798. * be ignored, so pass NULL to it.
  181799. *
  181800. * [*] png_handle_alpha() does not exist yet, as of this version of libpng
  181801. */
  181802. void PNGAPI
  181803. png_read_rows(png_structp png_ptr, png_bytepp row,
  181804. png_bytepp display_row, png_uint_32 num_rows)
  181805. {
  181806. png_uint_32 i;
  181807. png_bytepp rp;
  181808. png_bytepp dp;
  181809. png_debug(1, "in png_read_rows\n");
  181810. if(png_ptr == NULL) return;
  181811. rp = row;
  181812. dp = display_row;
  181813. if (rp != NULL && dp != NULL)
  181814. for (i = 0; i < num_rows; i++)
  181815. {
  181816. png_bytep rptr = *rp++;
  181817. png_bytep dptr = *dp++;
  181818. png_read_row(png_ptr, rptr, dptr);
  181819. }
  181820. else if(rp != NULL)
  181821. for (i = 0; i < num_rows; i++)
  181822. {
  181823. png_bytep rptr = *rp;
  181824. png_read_row(png_ptr, rptr, png_bytep_NULL);
  181825. rp++;
  181826. }
  181827. else if(dp != NULL)
  181828. for (i = 0; i < num_rows; i++)
  181829. {
  181830. png_bytep dptr = *dp;
  181831. png_read_row(png_ptr, png_bytep_NULL, dptr);
  181832. dp++;
  181833. }
  181834. }
  181835. #endif /* PNG_NO_SEQUENTIAL_READ_SUPPORTED */
  181836. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  181837. /* Read the entire image. If the image has an alpha channel or a tRNS
  181838. * chunk, and you have called png_handle_alpha()[*], you will need to
  181839. * initialize the image to the current image that PNG will be overlaying.
  181840. * We set the num_rows again here, in case it was incorrectly set in
  181841. * png_read_start_row() by a call to png_read_update_info() or
  181842. * png_start_read_image() if png_set_interlace_handling() wasn't called
  181843. * prior to either of these functions like it should have been. You can
  181844. * only call this function once. If you desire to have an image for
  181845. * each pass of a interlaced image, use png_read_rows() instead.
  181846. *
  181847. * [*] png_handle_alpha() does not exist yet, as of this version of libpng
  181848. */
  181849. void PNGAPI
  181850. png_read_image(png_structp png_ptr, png_bytepp image)
  181851. {
  181852. png_uint_32 i,image_height;
  181853. int pass, j;
  181854. png_bytepp rp;
  181855. png_debug(1, "in png_read_image\n");
  181856. if(png_ptr == NULL) return;
  181857. #ifdef PNG_READ_INTERLACING_SUPPORTED
  181858. pass = png_set_interlace_handling(png_ptr);
  181859. #else
  181860. if (png_ptr->interlaced)
  181861. png_error(png_ptr,
  181862. "Cannot read interlaced image -- interlace handler disabled.");
  181863. pass = 1;
  181864. #endif
  181865. image_height=png_ptr->height;
  181866. png_ptr->num_rows = image_height; /* Make sure this is set correctly */
  181867. for (j = 0; j < pass; j++)
  181868. {
  181869. rp = image;
  181870. for (i = 0; i < image_height; i++)
  181871. {
  181872. png_read_row(png_ptr, *rp, png_bytep_NULL);
  181873. rp++;
  181874. }
  181875. }
  181876. }
  181877. #endif /* PNG_NO_SEQUENTIAL_READ_SUPPORTED */
  181878. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  181879. /* Read the end of the PNG file. Will not read past the end of the
  181880. * file, will verify the end is accurate, and will read any comments
  181881. * or time information at the end of the file, if info is not NULL.
  181882. */
  181883. void PNGAPI
  181884. png_read_end(png_structp png_ptr, png_infop info_ptr)
  181885. {
  181886. png_byte chunk_length[4];
  181887. png_uint_32 length;
  181888. png_debug(1, "in png_read_end\n");
  181889. if(png_ptr == NULL) return;
  181890. png_crc_finish(png_ptr, 0); /* Finish off CRC from last IDAT chunk */
  181891. do
  181892. {
  181893. #ifdef PNG_USE_LOCAL_ARRAYS
  181894. PNG_CONST PNG_IHDR;
  181895. PNG_CONST PNG_IDAT;
  181896. PNG_CONST PNG_IEND;
  181897. PNG_CONST PNG_PLTE;
  181898. #if defined(PNG_READ_bKGD_SUPPORTED)
  181899. PNG_CONST PNG_bKGD;
  181900. #endif
  181901. #if defined(PNG_READ_cHRM_SUPPORTED)
  181902. PNG_CONST PNG_cHRM;
  181903. #endif
  181904. #if defined(PNG_READ_gAMA_SUPPORTED)
  181905. PNG_CONST PNG_gAMA;
  181906. #endif
  181907. #if defined(PNG_READ_hIST_SUPPORTED)
  181908. PNG_CONST PNG_hIST;
  181909. #endif
  181910. #if defined(PNG_READ_iCCP_SUPPORTED)
  181911. PNG_CONST PNG_iCCP;
  181912. #endif
  181913. #if defined(PNG_READ_iTXt_SUPPORTED)
  181914. PNG_CONST PNG_iTXt;
  181915. #endif
  181916. #if defined(PNG_READ_oFFs_SUPPORTED)
  181917. PNG_CONST PNG_oFFs;
  181918. #endif
  181919. #if defined(PNG_READ_pCAL_SUPPORTED)
  181920. PNG_CONST PNG_pCAL;
  181921. #endif
  181922. #if defined(PNG_READ_pHYs_SUPPORTED)
  181923. PNG_CONST PNG_pHYs;
  181924. #endif
  181925. #if defined(PNG_READ_sBIT_SUPPORTED)
  181926. PNG_CONST PNG_sBIT;
  181927. #endif
  181928. #if defined(PNG_READ_sCAL_SUPPORTED)
  181929. PNG_CONST PNG_sCAL;
  181930. #endif
  181931. #if defined(PNG_READ_sPLT_SUPPORTED)
  181932. PNG_CONST PNG_sPLT;
  181933. #endif
  181934. #if defined(PNG_READ_sRGB_SUPPORTED)
  181935. PNG_CONST PNG_sRGB;
  181936. #endif
  181937. #if defined(PNG_READ_tEXt_SUPPORTED)
  181938. PNG_CONST PNG_tEXt;
  181939. #endif
  181940. #if defined(PNG_READ_tIME_SUPPORTED)
  181941. PNG_CONST PNG_tIME;
  181942. #endif
  181943. #if defined(PNG_READ_tRNS_SUPPORTED)
  181944. PNG_CONST PNG_tRNS;
  181945. #endif
  181946. #if defined(PNG_READ_zTXt_SUPPORTED)
  181947. PNG_CONST PNG_zTXt;
  181948. #endif
  181949. #endif /* PNG_USE_LOCAL_ARRAYS */
  181950. png_read_data(png_ptr, chunk_length, 4);
  181951. length = png_get_uint_31(png_ptr,chunk_length);
  181952. png_reset_crc(png_ptr);
  181953. png_crc_read(png_ptr, png_ptr->chunk_name, 4);
  181954. png_debug1(0, "Reading %s chunk.\n", png_ptr->chunk_name);
  181955. if (!png_memcmp(png_ptr->chunk_name, png_IHDR, 4))
  181956. png_handle_IHDR(png_ptr, info_ptr, length);
  181957. else if (!png_memcmp(png_ptr->chunk_name, png_IEND, 4))
  181958. png_handle_IEND(png_ptr, info_ptr, length);
  181959. #ifdef PNG_HANDLE_AS_UNKNOWN_SUPPORTED
  181960. else if (png_handle_as_unknown(png_ptr, png_ptr->chunk_name))
  181961. {
  181962. if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  181963. {
  181964. if ((length > 0) || (png_ptr->mode & PNG_HAVE_CHUNK_AFTER_IDAT))
  181965. png_error(png_ptr, "Too many IDAT's found");
  181966. }
  181967. png_handle_unknown(png_ptr, info_ptr, length);
  181968. if (!png_memcmp(png_ptr->chunk_name, png_PLTE, 4))
  181969. png_ptr->mode |= PNG_HAVE_PLTE;
  181970. }
  181971. #endif
  181972. else if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  181973. {
  181974. /* Zero length IDATs are legal after the last IDAT has been
  181975. * read, but not after other chunks have been read.
  181976. */
  181977. if ((length > 0) || (png_ptr->mode & PNG_HAVE_CHUNK_AFTER_IDAT))
  181978. png_error(png_ptr, "Too many IDAT's found");
  181979. png_crc_finish(png_ptr, length);
  181980. }
  181981. else if (!png_memcmp(png_ptr->chunk_name, png_PLTE, 4))
  181982. png_handle_PLTE(png_ptr, info_ptr, length);
  181983. #if defined(PNG_READ_bKGD_SUPPORTED)
  181984. else if (!png_memcmp(png_ptr->chunk_name, png_bKGD, 4))
  181985. png_handle_bKGD(png_ptr, info_ptr, length);
  181986. #endif
  181987. #if defined(PNG_READ_cHRM_SUPPORTED)
  181988. else if (!png_memcmp(png_ptr->chunk_name, png_cHRM, 4))
  181989. png_handle_cHRM(png_ptr, info_ptr, length);
  181990. #endif
  181991. #if defined(PNG_READ_gAMA_SUPPORTED)
  181992. else if (!png_memcmp(png_ptr->chunk_name, png_gAMA, 4))
  181993. png_handle_gAMA(png_ptr, info_ptr, length);
  181994. #endif
  181995. #if defined(PNG_READ_hIST_SUPPORTED)
  181996. else if (!png_memcmp(png_ptr->chunk_name, png_hIST, 4))
  181997. png_handle_hIST(png_ptr, info_ptr, length);
  181998. #endif
  181999. #if defined(PNG_READ_oFFs_SUPPORTED)
  182000. else if (!png_memcmp(png_ptr->chunk_name, png_oFFs, 4))
  182001. png_handle_oFFs(png_ptr, info_ptr, length);
  182002. #endif
  182003. #if defined(PNG_READ_pCAL_SUPPORTED)
  182004. else if (!png_memcmp(png_ptr->chunk_name, png_pCAL, 4))
  182005. png_handle_pCAL(png_ptr, info_ptr, length);
  182006. #endif
  182007. #if defined(PNG_READ_sCAL_SUPPORTED)
  182008. else if (!png_memcmp(png_ptr->chunk_name, png_sCAL, 4))
  182009. png_handle_sCAL(png_ptr, info_ptr, length);
  182010. #endif
  182011. #if defined(PNG_READ_pHYs_SUPPORTED)
  182012. else if (!png_memcmp(png_ptr->chunk_name, png_pHYs, 4))
  182013. png_handle_pHYs(png_ptr, info_ptr, length);
  182014. #endif
  182015. #if defined(PNG_READ_sBIT_SUPPORTED)
  182016. else if (!png_memcmp(png_ptr->chunk_name, png_sBIT, 4))
  182017. png_handle_sBIT(png_ptr, info_ptr, length);
  182018. #endif
  182019. #if defined(PNG_READ_sRGB_SUPPORTED)
  182020. else if (!png_memcmp(png_ptr->chunk_name, png_sRGB, 4))
  182021. png_handle_sRGB(png_ptr, info_ptr, length);
  182022. #endif
  182023. #if defined(PNG_READ_iCCP_SUPPORTED)
  182024. else if (!png_memcmp(png_ptr->chunk_name, png_iCCP, 4))
  182025. png_handle_iCCP(png_ptr, info_ptr, length);
  182026. #endif
  182027. #if defined(PNG_READ_sPLT_SUPPORTED)
  182028. else if (!png_memcmp(png_ptr->chunk_name, png_sPLT, 4))
  182029. png_handle_sPLT(png_ptr, info_ptr, length);
  182030. #endif
  182031. #if defined(PNG_READ_tEXt_SUPPORTED)
  182032. else if (!png_memcmp(png_ptr->chunk_name, png_tEXt, 4))
  182033. png_handle_tEXt(png_ptr, info_ptr, length);
  182034. #endif
  182035. #if defined(PNG_READ_tIME_SUPPORTED)
  182036. else if (!png_memcmp(png_ptr->chunk_name, png_tIME, 4))
  182037. png_handle_tIME(png_ptr, info_ptr, length);
  182038. #endif
  182039. #if defined(PNG_READ_tRNS_SUPPORTED)
  182040. else if (!png_memcmp(png_ptr->chunk_name, png_tRNS, 4))
  182041. png_handle_tRNS(png_ptr, info_ptr, length);
  182042. #endif
  182043. #if defined(PNG_READ_zTXt_SUPPORTED)
  182044. else if (!png_memcmp(png_ptr->chunk_name, png_zTXt, 4))
  182045. png_handle_zTXt(png_ptr, info_ptr, length);
  182046. #endif
  182047. #if defined(PNG_READ_iTXt_SUPPORTED)
  182048. else if (!png_memcmp(png_ptr->chunk_name, png_iTXt, 4))
  182049. png_handle_iTXt(png_ptr, info_ptr, length);
  182050. #endif
  182051. else
  182052. png_handle_unknown(png_ptr, info_ptr, length);
  182053. } while (!(png_ptr->mode & PNG_HAVE_IEND));
  182054. }
  182055. #endif /* PNG_NO_SEQUENTIAL_READ_SUPPORTED */
  182056. /* free all memory used by the read */
  182057. void PNGAPI
  182058. png_destroy_read_struct(png_structpp png_ptr_ptr, png_infopp info_ptr_ptr,
  182059. png_infopp end_info_ptr_ptr)
  182060. {
  182061. png_structp png_ptr = NULL;
  182062. png_infop info_ptr = NULL, end_info_ptr = NULL;
  182063. #ifdef PNG_USER_MEM_SUPPORTED
  182064. png_free_ptr free_fn;
  182065. png_voidp mem_ptr;
  182066. #endif
  182067. png_debug(1, "in png_destroy_read_struct\n");
  182068. if (png_ptr_ptr != NULL)
  182069. png_ptr = *png_ptr_ptr;
  182070. if (info_ptr_ptr != NULL)
  182071. info_ptr = *info_ptr_ptr;
  182072. if (end_info_ptr_ptr != NULL)
  182073. end_info_ptr = *end_info_ptr_ptr;
  182074. #ifdef PNG_USER_MEM_SUPPORTED
  182075. free_fn = png_ptr->free_fn;
  182076. mem_ptr = png_ptr->mem_ptr;
  182077. #endif
  182078. png_read_destroy(png_ptr, info_ptr, end_info_ptr);
  182079. if (info_ptr != NULL)
  182080. {
  182081. #if defined(PNG_TEXT_SUPPORTED)
  182082. png_free_data(png_ptr, info_ptr, PNG_FREE_TEXT, -1);
  182083. #endif
  182084. #ifdef PNG_USER_MEM_SUPPORTED
  182085. png_destroy_struct_2((png_voidp)info_ptr, (png_free_ptr)free_fn,
  182086. (png_voidp)mem_ptr);
  182087. #else
  182088. png_destroy_struct((png_voidp)info_ptr);
  182089. #endif
  182090. *info_ptr_ptr = NULL;
  182091. }
  182092. if (end_info_ptr != NULL)
  182093. {
  182094. #if defined(PNG_READ_TEXT_SUPPORTED)
  182095. png_free_data(png_ptr, end_info_ptr, PNG_FREE_TEXT, -1);
  182096. #endif
  182097. #ifdef PNG_USER_MEM_SUPPORTED
  182098. png_destroy_struct_2((png_voidp)end_info_ptr, (png_free_ptr)free_fn,
  182099. (png_voidp)mem_ptr);
  182100. #else
  182101. png_destroy_struct((png_voidp)end_info_ptr);
  182102. #endif
  182103. *end_info_ptr_ptr = NULL;
  182104. }
  182105. if (png_ptr != NULL)
  182106. {
  182107. #ifdef PNG_USER_MEM_SUPPORTED
  182108. png_destroy_struct_2((png_voidp)png_ptr, (png_free_ptr)free_fn,
  182109. (png_voidp)mem_ptr);
  182110. #else
  182111. png_destroy_struct((png_voidp)png_ptr);
  182112. #endif
  182113. *png_ptr_ptr = NULL;
  182114. }
  182115. }
  182116. /* free all memory used by the read (old method) */
  182117. void /* PRIVATE */
  182118. png_read_destroy(png_structp png_ptr, png_infop info_ptr, png_infop end_info_ptr)
  182119. {
  182120. #ifdef PNG_SETJMP_SUPPORTED
  182121. jmp_buf tmp_jmp;
  182122. #endif
  182123. png_error_ptr error_fn;
  182124. png_error_ptr warning_fn;
  182125. png_voidp error_ptr;
  182126. #ifdef PNG_USER_MEM_SUPPORTED
  182127. png_free_ptr free_fn;
  182128. #endif
  182129. png_debug(1, "in png_read_destroy\n");
  182130. if (info_ptr != NULL)
  182131. png_info_destroy(png_ptr, info_ptr);
  182132. if (end_info_ptr != NULL)
  182133. png_info_destroy(png_ptr, end_info_ptr);
  182134. png_free(png_ptr, png_ptr->zbuf);
  182135. png_free(png_ptr, png_ptr->big_row_buf);
  182136. png_free(png_ptr, png_ptr->prev_row);
  182137. #if defined(PNG_READ_DITHER_SUPPORTED)
  182138. png_free(png_ptr, png_ptr->palette_lookup);
  182139. png_free(png_ptr, png_ptr->dither_index);
  182140. #endif
  182141. #if defined(PNG_READ_GAMMA_SUPPORTED)
  182142. png_free(png_ptr, png_ptr->gamma_table);
  182143. #endif
  182144. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  182145. png_free(png_ptr, png_ptr->gamma_from_1);
  182146. png_free(png_ptr, png_ptr->gamma_to_1);
  182147. #endif
  182148. #ifdef PNG_FREE_ME_SUPPORTED
  182149. if (png_ptr->free_me & PNG_FREE_PLTE)
  182150. png_zfree(png_ptr, png_ptr->palette);
  182151. png_ptr->free_me &= ~PNG_FREE_PLTE;
  182152. #else
  182153. if (png_ptr->flags & PNG_FLAG_FREE_PLTE)
  182154. png_zfree(png_ptr, png_ptr->palette);
  182155. png_ptr->flags &= ~PNG_FLAG_FREE_PLTE;
  182156. #endif
  182157. #if defined(PNG_tRNS_SUPPORTED) || \
  182158. defined(PNG_READ_EXPAND_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  182159. #ifdef PNG_FREE_ME_SUPPORTED
  182160. if (png_ptr->free_me & PNG_FREE_TRNS)
  182161. png_free(png_ptr, png_ptr->trans);
  182162. png_ptr->free_me &= ~PNG_FREE_TRNS;
  182163. #else
  182164. if (png_ptr->flags & PNG_FLAG_FREE_TRNS)
  182165. png_free(png_ptr, png_ptr->trans);
  182166. png_ptr->flags &= ~PNG_FLAG_FREE_TRNS;
  182167. #endif
  182168. #endif
  182169. #if defined(PNG_READ_hIST_SUPPORTED)
  182170. #ifdef PNG_FREE_ME_SUPPORTED
  182171. if (png_ptr->free_me & PNG_FREE_HIST)
  182172. png_free(png_ptr, png_ptr->hist);
  182173. png_ptr->free_me &= ~PNG_FREE_HIST;
  182174. #else
  182175. if (png_ptr->flags & PNG_FLAG_FREE_HIST)
  182176. png_free(png_ptr, png_ptr->hist);
  182177. png_ptr->flags &= ~PNG_FLAG_FREE_HIST;
  182178. #endif
  182179. #endif
  182180. #if defined(PNG_READ_GAMMA_SUPPORTED)
  182181. if (png_ptr->gamma_16_table != NULL)
  182182. {
  182183. int i;
  182184. int istop = (1 << (8 - png_ptr->gamma_shift));
  182185. for (i = 0; i < istop; i++)
  182186. {
  182187. png_free(png_ptr, png_ptr->gamma_16_table[i]);
  182188. }
  182189. png_free(png_ptr, png_ptr->gamma_16_table);
  182190. }
  182191. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  182192. if (png_ptr->gamma_16_from_1 != NULL)
  182193. {
  182194. int i;
  182195. int istop = (1 << (8 - png_ptr->gamma_shift));
  182196. for (i = 0; i < istop; i++)
  182197. {
  182198. png_free(png_ptr, png_ptr->gamma_16_from_1[i]);
  182199. }
  182200. png_free(png_ptr, png_ptr->gamma_16_from_1);
  182201. }
  182202. if (png_ptr->gamma_16_to_1 != NULL)
  182203. {
  182204. int i;
  182205. int istop = (1 << (8 - png_ptr->gamma_shift));
  182206. for (i = 0; i < istop; i++)
  182207. {
  182208. png_free(png_ptr, png_ptr->gamma_16_to_1[i]);
  182209. }
  182210. png_free(png_ptr, png_ptr->gamma_16_to_1);
  182211. }
  182212. #endif
  182213. #endif
  182214. #if defined(PNG_TIME_RFC1123_SUPPORTED)
  182215. png_free(png_ptr, png_ptr->time_buffer);
  182216. #endif
  182217. inflateEnd(&png_ptr->zstream);
  182218. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  182219. png_free(png_ptr, png_ptr->save_buffer);
  182220. #endif
  182221. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  182222. #ifdef PNG_TEXT_SUPPORTED
  182223. png_free(png_ptr, png_ptr->current_text);
  182224. #endif /* PNG_TEXT_SUPPORTED */
  182225. #endif /* PNG_PROGRESSIVE_READ_SUPPORTED */
  182226. /* Save the important info out of the png_struct, in case it is
  182227. * being used again.
  182228. */
  182229. #ifdef PNG_SETJMP_SUPPORTED
  182230. png_memcpy(tmp_jmp, png_ptr->jmpbuf, png_sizeof (jmp_buf));
  182231. #endif
  182232. error_fn = png_ptr->error_fn;
  182233. warning_fn = png_ptr->warning_fn;
  182234. error_ptr = png_ptr->error_ptr;
  182235. #ifdef PNG_USER_MEM_SUPPORTED
  182236. free_fn = png_ptr->free_fn;
  182237. #endif
  182238. png_memset(png_ptr, 0, png_sizeof (png_struct));
  182239. png_ptr->error_fn = error_fn;
  182240. png_ptr->warning_fn = warning_fn;
  182241. png_ptr->error_ptr = error_ptr;
  182242. #ifdef PNG_USER_MEM_SUPPORTED
  182243. png_ptr->free_fn = free_fn;
  182244. #endif
  182245. #ifdef PNG_SETJMP_SUPPORTED
  182246. png_memcpy(png_ptr->jmpbuf, tmp_jmp, png_sizeof (jmp_buf));
  182247. #endif
  182248. }
  182249. void PNGAPI
  182250. png_set_read_status_fn(png_structp png_ptr, png_read_status_ptr read_row_fn)
  182251. {
  182252. if(png_ptr == NULL) return;
  182253. png_ptr->read_row_fn = read_row_fn;
  182254. }
  182255. #ifndef PNG_NO_SEQUENTIAL_READ_SUPPORTED
  182256. #if defined(PNG_INFO_IMAGE_SUPPORTED)
  182257. void PNGAPI
  182258. png_read_png(png_structp png_ptr, png_infop info_ptr,
  182259. int transforms,
  182260. voidp params)
  182261. {
  182262. int row;
  182263. if(png_ptr == NULL) return;
  182264. #if defined(PNG_READ_INVERT_ALPHA_SUPPORTED)
  182265. /* invert the alpha channel from opacity to transparency
  182266. */
  182267. if (transforms & PNG_TRANSFORM_INVERT_ALPHA)
  182268. png_set_invert_alpha(png_ptr);
  182269. #endif
  182270. /* png_read_info() gives us all of the information from the
  182271. * PNG file before the first IDAT (image data chunk).
  182272. */
  182273. png_read_info(png_ptr, info_ptr);
  182274. if (info_ptr->height > PNG_UINT_32_MAX/png_sizeof(png_bytep))
  182275. png_error(png_ptr,"Image is too high to process with png_read_png()");
  182276. /* -------------- image transformations start here ------------------- */
  182277. #if defined(PNG_READ_16_TO_8_SUPPORTED)
  182278. /* tell libpng to strip 16 bit/color files down to 8 bits per color
  182279. */
  182280. if (transforms & PNG_TRANSFORM_STRIP_16)
  182281. png_set_strip_16(png_ptr);
  182282. #endif
  182283. #if defined(PNG_READ_STRIP_ALPHA_SUPPORTED)
  182284. /* Strip alpha bytes from the input data without combining with
  182285. * the background (not recommended).
  182286. */
  182287. if (transforms & PNG_TRANSFORM_STRIP_ALPHA)
  182288. png_set_strip_alpha(png_ptr);
  182289. #endif
  182290. #if defined(PNG_READ_PACK_SUPPORTED) && !defined(PNG_READ_EXPAND_SUPPORTED)
  182291. /* Extract multiple pixels with bit depths of 1, 2, or 4 from a single
  182292. * byte into separate bytes (useful for paletted and grayscale images).
  182293. */
  182294. if (transforms & PNG_TRANSFORM_PACKING)
  182295. png_set_packing(png_ptr);
  182296. #endif
  182297. #if defined(PNG_READ_PACKSWAP_SUPPORTED)
  182298. /* Change the order of packed pixels to least significant bit first
  182299. * (not useful if you are using png_set_packing).
  182300. */
  182301. if (transforms & PNG_TRANSFORM_PACKSWAP)
  182302. png_set_packswap(png_ptr);
  182303. #endif
  182304. #if defined(PNG_READ_EXPAND_SUPPORTED)
  182305. /* Expand paletted colors into true RGB triplets
  182306. * Expand grayscale images to full 8 bits from 1, 2, or 4 bits/pixel
  182307. * Expand paletted or RGB images with transparency to full alpha
  182308. * channels so the data will be available as RGBA quartets.
  182309. */
  182310. if (transforms & PNG_TRANSFORM_EXPAND)
  182311. if ((png_ptr->bit_depth < 8) ||
  182312. (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE) ||
  182313. (png_get_valid(png_ptr, info_ptr, PNG_INFO_tRNS)))
  182314. png_set_expand(png_ptr);
  182315. #endif
  182316. /* We don't handle background color or gamma transformation or dithering.
  182317. */
  182318. #if defined(PNG_READ_INVERT_SUPPORTED)
  182319. /* invert monochrome files to have 0 as white and 1 as black
  182320. */
  182321. if (transforms & PNG_TRANSFORM_INVERT_MONO)
  182322. png_set_invert_mono(png_ptr);
  182323. #endif
  182324. #if defined(PNG_READ_SHIFT_SUPPORTED)
  182325. /* If you want to shift the pixel values from the range [0,255] or
  182326. * [0,65535] to the original [0,7] or [0,31], or whatever range the
  182327. * colors were originally in:
  182328. */
  182329. if ((transforms & PNG_TRANSFORM_SHIFT)
  182330. && png_get_valid(png_ptr, info_ptr, PNG_INFO_sBIT))
  182331. {
  182332. png_color_8p sig_bit;
  182333. png_get_sBIT(png_ptr, info_ptr, &sig_bit);
  182334. png_set_shift(png_ptr, sig_bit);
  182335. }
  182336. #endif
  182337. #if defined(PNG_READ_BGR_SUPPORTED)
  182338. /* flip the RGB pixels to BGR (or RGBA to BGRA)
  182339. */
  182340. if (transforms & PNG_TRANSFORM_BGR)
  182341. png_set_bgr(png_ptr);
  182342. #endif
  182343. #if defined(PNG_READ_SWAP_ALPHA_SUPPORTED)
  182344. /* swap the RGBA or GA data to ARGB or AG (or BGRA to ABGR)
  182345. */
  182346. if (transforms & PNG_TRANSFORM_SWAP_ALPHA)
  182347. png_set_swap_alpha(png_ptr);
  182348. #endif
  182349. #if defined(PNG_READ_SWAP_SUPPORTED)
  182350. /* swap bytes of 16 bit files to least significant byte first
  182351. */
  182352. if (transforms & PNG_TRANSFORM_SWAP_ENDIAN)
  182353. png_set_swap(png_ptr);
  182354. #endif
  182355. /* We don't handle adding filler bytes */
  182356. /* Optional call to gamma correct and add the background to the palette
  182357. * and update info structure. REQUIRED if you are expecting libpng to
  182358. * update the palette for you (i.e., you selected such a transform above).
  182359. */
  182360. png_read_update_info(png_ptr, info_ptr);
  182361. /* -------------- image transformations end here ------------------- */
  182362. #ifdef PNG_FREE_ME_SUPPORTED
  182363. png_free_data(png_ptr, info_ptr, PNG_FREE_ROWS, 0);
  182364. #endif
  182365. if(info_ptr->row_pointers == NULL)
  182366. {
  182367. info_ptr->row_pointers = (png_bytepp)png_malloc(png_ptr,
  182368. info_ptr->height * png_sizeof(png_bytep));
  182369. #ifdef PNG_FREE_ME_SUPPORTED
  182370. info_ptr->free_me |= PNG_FREE_ROWS;
  182371. #endif
  182372. for (row = 0; row < (int)info_ptr->height; row++)
  182373. {
  182374. info_ptr->row_pointers[row] = (png_bytep)png_malloc(png_ptr,
  182375. png_get_rowbytes(png_ptr, info_ptr));
  182376. }
  182377. }
  182378. png_read_image(png_ptr, info_ptr->row_pointers);
  182379. info_ptr->valid |= PNG_INFO_IDAT;
  182380. /* read rest of file, and get additional chunks in info_ptr - REQUIRED */
  182381. png_read_end(png_ptr, info_ptr);
  182382. transforms = transforms; /* quiet compiler warnings */
  182383. params = params;
  182384. }
  182385. #endif /* PNG_INFO_IMAGE_SUPPORTED */
  182386. #endif /* PNG_NO_SEQUENTIAL_READ_SUPPORTED */
  182387. #endif /* PNG_READ_SUPPORTED */
  182388. /********* End of inlined file: pngread.c *********/
  182389. /********* Start of inlined file: pngpread.c *********/
  182390. /* pngpread.c - read a png file in push mode
  182391. *
  182392. * Last changed in libpng 1.2.21 October 4, 2007
  182393. * For conditions of distribution and use, see copyright notice in png.h
  182394. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  182395. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  182396. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  182397. */
  182398. #define PNG_INTERNAL
  182399. #ifdef PNG_PROGRESSIVE_READ_SUPPORTED
  182400. /* push model modes */
  182401. #define PNG_READ_SIG_MODE 0
  182402. #define PNG_READ_CHUNK_MODE 1
  182403. #define PNG_READ_IDAT_MODE 2
  182404. #define PNG_SKIP_MODE 3
  182405. #define PNG_READ_tEXt_MODE 4
  182406. #define PNG_READ_zTXt_MODE 5
  182407. #define PNG_READ_DONE_MODE 6
  182408. #define PNG_READ_iTXt_MODE 7
  182409. #define PNG_ERROR_MODE 8
  182410. void PNGAPI
  182411. png_process_data(png_structp png_ptr, png_infop info_ptr,
  182412. png_bytep buffer, png_size_t buffer_size)
  182413. {
  182414. if(png_ptr == NULL) return;
  182415. png_push_restore_buffer(png_ptr, buffer, buffer_size);
  182416. while (png_ptr->buffer_size)
  182417. {
  182418. png_process_some_data(png_ptr, info_ptr);
  182419. }
  182420. }
  182421. /* What we do with the incoming data depends on what we were previously
  182422. * doing before we ran out of data...
  182423. */
  182424. void /* PRIVATE */
  182425. png_process_some_data(png_structp png_ptr, png_infop info_ptr)
  182426. {
  182427. if(png_ptr == NULL) return;
  182428. switch (png_ptr->process_mode)
  182429. {
  182430. case PNG_READ_SIG_MODE:
  182431. {
  182432. png_push_read_sig(png_ptr, info_ptr);
  182433. break;
  182434. }
  182435. case PNG_READ_CHUNK_MODE:
  182436. {
  182437. png_push_read_chunk(png_ptr, info_ptr);
  182438. break;
  182439. }
  182440. case PNG_READ_IDAT_MODE:
  182441. {
  182442. png_push_read_IDAT(png_ptr);
  182443. break;
  182444. }
  182445. #if defined(PNG_READ_tEXt_SUPPORTED)
  182446. case PNG_READ_tEXt_MODE:
  182447. {
  182448. png_push_read_tEXt(png_ptr, info_ptr);
  182449. break;
  182450. }
  182451. #endif
  182452. #if defined(PNG_READ_zTXt_SUPPORTED)
  182453. case PNG_READ_zTXt_MODE:
  182454. {
  182455. png_push_read_zTXt(png_ptr, info_ptr);
  182456. break;
  182457. }
  182458. #endif
  182459. #if defined(PNG_READ_iTXt_SUPPORTED)
  182460. case PNG_READ_iTXt_MODE:
  182461. {
  182462. png_push_read_iTXt(png_ptr, info_ptr);
  182463. break;
  182464. }
  182465. #endif
  182466. case PNG_SKIP_MODE:
  182467. {
  182468. png_push_crc_finish(png_ptr);
  182469. break;
  182470. }
  182471. default:
  182472. {
  182473. png_ptr->buffer_size = 0;
  182474. break;
  182475. }
  182476. }
  182477. }
  182478. /* Read any remaining signature bytes from the stream and compare them with
  182479. * the correct PNG signature. It is possible that this routine is called
  182480. * with bytes already read from the signature, either because they have been
  182481. * checked by the calling application, or because of multiple calls to this
  182482. * routine.
  182483. */
  182484. void /* PRIVATE */
  182485. png_push_read_sig(png_structp png_ptr, png_infop info_ptr)
  182486. {
  182487. png_size_t num_checked = png_ptr->sig_bytes,
  182488. num_to_check = 8 - num_checked;
  182489. if (png_ptr->buffer_size < num_to_check)
  182490. {
  182491. num_to_check = png_ptr->buffer_size;
  182492. }
  182493. png_push_fill_buffer(png_ptr, &(info_ptr->signature[num_checked]),
  182494. num_to_check);
  182495. png_ptr->sig_bytes = (png_byte)(png_ptr->sig_bytes+num_to_check);
  182496. if (png_sig_cmp(info_ptr->signature, num_checked, num_to_check))
  182497. {
  182498. if (num_checked < 4 &&
  182499. png_sig_cmp(info_ptr->signature, num_checked, num_to_check - 4))
  182500. png_error(png_ptr, "Not a PNG file");
  182501. else
  182502. png_error(png_ptr, "PNG file corrupted by ASCII conversion");
  182503. }
  182504. else
  182505. {
  182506. if (png_ptr->sig_bytes >= 8)
  182507. {
  182508. png_ptr->process_mode = PNG_READ_CHUNK_MODE;
  182509. }
  182510. }
  182511. }
  182512. void /* PRIVATE */
  182513. png_push_read_chunk(png_structp png_ptr, png_infop info_ptr)
  182514. {
  182515. #ifdef PNG_USE_LOCAL_ARRAYS
  182516. PNG_CONST PNG_IHDR;
  182517. PNG_CONST PNG_IDAT;
  182518. PNG_CONST PNG_IEND;
  182519. PNG_CONST PNG_PLTE;
  182520. #if defined(PNG_READ_bKGD_SUPPORTED)
  182521. PNG_CONST PNG_bKGD;
  182522. #endif
  182523. #if defined(PNG_READ_cHRM_SUPPORTED)
  182524. PNG_CONST PNG_cHRM;
  182525. #endif
  182526. #if defined(PNG_READ_gAMA_SUPPORTED)
  182527. PNG_CONST PNG_gAMA;
  182528. #endif
  182529. #if defined(PNG_READ_hIST_SUPPORTED)
  182530. PNG_CONST PNG_hIST;
  182531. #endif
  182532. #if defined(PNG_READ_iCCP_SUPPORTED)
  182533. PNG_CONST PNG_iCCP;
  182534. #endif
  182535. #if defined(PNG_READ_iTXt_SUPPORTED)
  182536. PNG_CONST PNG_iTXt;
  182537. #endif
  182538. #if defined(PNG_READ_oFFs_SUPPORTED)
  182539. PNG_CONST PNG_oFFs;
  182540. #endif
  182541. #if defined(PNG_READ_pCAL_SUPPORTED)
  182542. PNG_CONST PNG_pCAL;
  182543. #endif
  182544. #if defined(PNG_READ_pHYs_SUPPORTED)
  182545. PNG_CONST PNG_pHYs;
  182546. #endif
  182547. #if defined(PNG_READ_sBIT_SUPPORTED)
  182548. PNG_CONST PNG_sBIT;
  182549. #endif
  182550. #if defined(PNG_READ_sCAL_SUPPORTED)
  182551. PNG_CONST PNG_sCAL;
  182552. #endif
  182553. #if defined(PNG_READ_sRGB_SUPPORTED)
  182554. PNG_CONST PNG_sRGB;
  182555. #endif
  182556. #if defined(PNG_READ_sPLT_SUPPORTED)
  182557. PNG_CONST PNG_sPLT;
  182558. #endif
  182559. #if defined(PNG_READ_tEXt_SUPPORTED)
  182560. PNG_CONST PNG_tEXt;
  182561. #endif
  182562. #if defined(PNG_READ_tIME_SUPPORTED)
  182563. PNG_CONST PNG_tIME;
  182564. #endif
  182565. #if defined(PNG_READ_tRNS_SUPPORTED)
  182566. PNG_CONST PNG_tRNS;
  182567. #endif
  182568. #if defined(PNG_READ_zTXt_SUPPORTED)
  182569. PNG_CONST PNG_zTXt;
  182570. #endif
  182571. #endif /* PNG_USE_LOCAL_ARRAYS */
  182572. /* First we make sure we have enough data for the 4 byte chunk name
  182573. * and the 4 byte chunk length before proceeding with decoding the
  182574. * chunk data. To fully decode each of these chunks, we also make
  182575. * sure we have enough data in the buffer for the 4 byte CRC at the
  182576. * end of every chunk (except IDAT, which is handled separately).
  182577. */
  182578. if (!(png_ptr->mode & PNG_HAVE_CHUNK_HEADER))
  182579. {
  182580. png_byte chunk_length[4];
  182581. if (png_ptr->buffer_size < 8)
  182582. {
  182583. png_push_save_buffer(png_ptr);
  182584. return;
  182585. }
  182586. png_push_fill_buffer(png_ptr, chunk_length, 4);
  182587. png_ptr->push_length = png_get_uint_31(png_ptr,chunk_length);
  182588. png_reset_crc(png_ptr);
  182589. png_crc_read(png_ptr, png_ptr->chunk_name, 4);
  182590. png_ptr->mode |= PNG_HAVE_CHUNK_HEADER;
  182591. }
  182592. if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  182593. if(png_ptr->mode & PNG_AFTER_IDAT)
  182594. png_ptr->mode |= PNG_HAVE_CHUNK_AFTER_IDAT;
  182595. if (!png_memcmp(png_ptr->chunk_name, png_IHDR, 4))
  182596. {
  182597. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182598. {
  182599. png_push_save_buffer(png_ptr);
  182600. return;
  182601. }
  182602. png_handle_IHDR(png_ptr, info_ptr, png_ptr->push_length);
  182603. }
  182604. else if (!png_memcmp(png_ptr->chunk_name, png_IEND, 4))
  182605. {
  182606. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182607. {
  182608. png_push_save_buffer(png_ptr);
  182609. return;
  182610. }
  182611. png_handle_IEND(png_ptr, info_ptr, png_ptr->push_length);
  182612. png_ptr->process_mode = PNG_READ_DONE_MODE;
  182613. png_push_have_end(png_ptr, info_ptr);
  182614. }
  182615. #ifdef PNG_HANDLE_AS_UNKNOWN_SUPPORTED
  182616. else if (png_handle_as_unknown(png_ptr, png_ptr->chunk_name))
  182617. {
  182618. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182619. {
  182620. png_push_save_buffer(png_ptr);
  182621. return;
  182622. }
  182623. if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  182624. png_ptr->mode |= PNG_HAVE_IDAT;
  182625. png_handle_unknown(png_ptr, info_ptr, png_ptr->push_length);
  182626. if (!png_memcmp(png_ptr->chunk_name, png_PLTE, 4))
  182627. png_ptr->mode |= PNG_HAVE_PLTE;
  182628. else if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  182629. {
  182630. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  182631. png_error(png_ptr, "Missing IHDR before IDAT");
  182632. else if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE &&
  182633. !(png_ptr->mode & PNG_HAVE_PLTE))
  182634. png_error(png_ptr, "Missing PLTE before IDAT");
  182635. }
  182636. }
  182637. #endif
  182638. else if (!png_memcmp(png_ptr->chunk_name, png_PLTE, 4))
  182639. {
  182640. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182641. {
  182642. png_push_save_buffer(png_ptr);
  182643. return;
  182644. }
  182645. png_handle_PLTE(png_ptr, info_ptr, png_ptr->push_length);
  182646. }
  182647. else if (!png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  182648. {
  182649. /* If we reach an IDAT chunk, this means we have read all of the
  182650. * header chunks, and we can start reading the image (or if this
  182651. * is called after the image has been read - we have an error).
  182652. */
  182653. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  182654. png_error(png_ptr, "Missing IHDR before IDAT");
  182655. else if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE &&
  182656. !(png_ptr->mode & PNG_HAVE_PLTE))
  182657. png_error(png_ptr, "Missing PLTE before IDAT");
  182658. if (png_ptr->mode & PNG_HAVE_IDAT)
  182659. {
  182660. if (!(png_ptr->mode & PNG_HAVE_CHUNK_AFTER_IDAT))
  182661. if (png_ptr->push_length == 0)
  182662. return;
  182663. if (png_ptr->mode & PNG_AFTER_IDAT)
  182664. png_error(png_ptr, "Too many IDAT's found");
  182665. }
  182666. png_ptr->idat_size = png_ptr->push_length;
  182667. png_ptr->mode |= PNG_HAVE_IDAT;
  182668. png_ptr->process_mode = PNG_READ_IDAT_MODE;
  182669. png_push_have_info(png_ptr, info_ptr);
  182670. png_ptr->zstream.avail_out = (uInt)png_ptr->irowbytes;
  182671. png_ptr->zstream.next_out = png_ptr->row_buf;
  182672. return;
  182673. }
  182674. #if defined(PNG_READ_gAMA_SUPPORTED)
  182675. else if (!png_memcmp(png_ptr->chunk_name, png_gAMA, 4))
  182676. {
  182677. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182678. {
  182679. png_push_save_buffer(png_ptr);
  182680. return;
  182681. }
  182682. png_handle_gAMA(png_ptr, info_ptr, png_ptr->push_length);
  182683. }
  182684. #endif
  182685. #if defined(PNG_READ_sBIT_SUPPORTED)
  182686. else if (!png_memcmp(png_ptr->chunk_name, png_sBIT, 4))
  182687. {
  182688. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182689. {
  182690. png_push_save_buffer(png_ptr);
  182691. return;
  182692. }
  182693. png_handle_sBIT(png_ptr, info_ptr, png_ptr->push_length);
  182694. }
  182695. #endif
  182696. #if defined(PNG_READ_cHRM_SUPPORTED)
  182697. else if (!png_memcmp(png_ptr->chunk_name, png_cHRM, 4))
  182698. {
  182699. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182700. {
  182701. png_push_save_buffer(png_ptr);
  182702. return;
  182703. }
  182704. png_handle_cHRM(png_ptr, info_ptr, png_ptr->push_length);
  182705. }
  182706. #endif
  182707. #if defined(PNG_READ_sRGB_SUPPORTED)
  182708. else if (!png_memcmp(png_ptr->chunk_name, png_sRGB, 4))
  182709. {
  182710. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182711. {
  182712. png_push_save_buffer(png_ptr);
  182713. return;
  182714. }
  182715. png_handle_sRGB(png_ptr, info_ptr, png_ptr->push_length);
  182716. }
  182717. #endif
  182718. #if defined(PNG_READ_iCCP_SUPPORTED)
  182719. else if (!png_memcmp(png_ptr->chunk_name, png_iCCP, 4))
  182720. {
  182721. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182722. {
  182723. png_push_save_buffer(png_ptr);
  182724. return;
  182725. }
  182726. png_handle_iCCP(png_ptr, info_ptr, png_ptr->push_length);
  182727. }
  182728. #endif
  182729. #if defined(PNG_READ_sPLT_SUPPORTED)
  182730. else if (!png_memcmp(png_ptr->chunk_name, png_sPLT, 4))
  182731. {
  182732. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182733. {
  182734. png_push_save_buffer(png_ptr);
  182735. return;
  182736. }
  182737. png_handle_sPLT(png_ptr, info_ptr, png_ptr->push_length);
  182738. }
  182739. #endif
  182740. #if defined(PNG_READ_tRNS_SUPPORTED)
  182741. else if (!png_memcmp(png_ptr->chunk_name, png_tRNS, 4))
  182742. {
  182743. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182744. {
  182745. png_push_save_buffer(png_ptr);
  182746. return;
  182747. }
  182748. png_handle_tRNS(png_ptr, info_ptr, png_ptr->push_length);
  182749. }
  182750. #endif
  182751. #if defined(PNG_READ_bKGD_SUPPORTED)
  182752. else if (!png_memcmp(png_ptr->chunk_name, png_bKGD, 4))
  182753. {
  182754. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182755. {
  182756. png_push_save_buffer(png_ptr);
  182757. return;
  182758. }
  182759. png_handle_bKGD(png_ptr, info_ptr, png_ptr->push_length);
  182760. }
  182761. #endif
  182762. #if defined(PNG_READ_hIST_SUPPORTED)
  182763. else if (!png_memcmp(png_ptr->chunk_name, png_hIST, 4))
  182764. {
  182765. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182766. {
  182767. png_push_save_buffer(png_ptr);
  182768. return;
  182769. }
  182770. png_handle_hIST(png_ptr, info_ptr, png_ptr->push_length);
  182771. }
  182772. #endif
  182773. #if defined(PNG_READ_pHYs_SUPPORTED)
  182774. else if (!png_memcmp(png_ptr->chunk_name, png_pHYs, 4))
  182775. {
  182776. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182777. {
  182778. png_push_save_buffer(png_ptr);
  182779. return;
  182780. }
  182781. png_handle_pHYs(png_ptr, info_ptr, png_ptr->push_length);
  182782. }
  182783. #endif
  182784. #if defined(PNG_READ_oFFs_SUPPORTED)
  182785. else if (!png_memcmp(png_ptr->chunk_name, png_oFFs, 4))
  182786. {
  182787. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182788. {
  182789. png_push_save_buffer(png_ptr);
  182790. return;
  182791. }
  182792. png_handle_oFFs(png_ptr, info_ptr, png_ptr->push_length);
  182793. }
  182794. #endif
  182795. #if defined(PNG_READ_pCAL_SUPPORTED)
  182796. else if (!png_memcmp(png_ptr->chunk_name, png_pCAL, 4))
  182797. {
  182798. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182799. {
  182800. png_push_save_buffer(png_ptr);
  182801. return;
  182802. }
  182803. png_handle_pCAL(png_ptr, info_ptr, png_ptr->push_length);
  182804. }
  182805. #endif
  182806. #if defined(PNG_READ_sCAL_SUPPORTED)
  182807. else if (!png_memcmp(png_ptr->chunk_name, png_sCAL, 4))
  182808. {
  182809. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182810. {
  182811. png_push_save_buffer(png_ptr);
  182812. return;
  182813. }
  182814. png_handle_sCAL(png_ptr, info_ptr, png_ptr->push_length);
  182815. }
  182816. #endif
  182817. #if defined(PNG_READ_tIME_SUPPORTED)
  182818. else if (!png_memcmp(png_ptr->chunk_name, png_tIME, 4))
  182819. {
  182820. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182821. {
  182822. png_push_save_buffer(png_ptr);
  182823. return;
  182824. }
  182825. png_handle_tIME(png_ptr, info_ptr, png_ptr->push_length);
  182826. }
  182827. #endif
  182828. #if defined(PNG_READ_tEXt_SUPPORTED)
  182829. else if (!png_memcmp(png_ptr->chunk_name, png_tEXt, 4))
  182830. {
  182831. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182832. {
  182833. png_push_save_buffer(png_ptr);
  182834. return;
  182835. }
  182836. png_push_handle_tEXt(png_ptr, info_ptr, png_ptr->push_length);
  182837. }
  182838. #endif
  182839. #if defined(PNG_READ_zTXt_SUPPORTED)
  182840. else if (!png_memcmp(png_ptr->chunk_name, png_zTXt, 4))
  182841. {
  182842. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182843. {
  182844. png_push_save_buffer(png_ptr);
  182845. return;
  182846. }
  182847. png_push_handle_zTXt(png_ptr, info_ptr, png_ptr->push_length);
  182848. }
  182849. #endif
  182850. #if defined(PNG_READ_iTXt_SUPPORTED)
  182851. else if (!png_memcmp(png_ptr->chunk_name, png_iTXt, 4))
  182852. {
  182853. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182854. {
  182855. png_push_save_buffer(png_ptr);
  182856. return;
  182857. }
  182858. png_push_handle_iTXt(png_ptr, info_ptr, png_ptr->push_length);
  182859. }
  182860. #endif
  182861. else
  182862. {
  182863. if (png_ptr->push_length + 4 > png_ptr->buffer_size)
  182864. {
  182865. png_push_save_buffer(png_ptr);
  182866. return;
  182867. }
  182868. png_push_handle_unknown(png_ptr, info_ptr, png_ptr->push_length);
  182869. }
  182870. png_ptr->mode &= ~PNG_HAVE_CHUNK_HEADER;
  182871. }
  182872. void /* PRIVATE */
  182873. png_push_crc_skip(png_structp png_ptr, png_uint_32 skip)
  182874. {
  182875. png_ptr->process_mode = PNG_SKIP_MODE;
  182876. png_ptr->skip_length = skip;
  182877. }
  182878. void /* PRIVATE */
  182879. png_push_crc_finish(png_structp png_ptr)
  182880. {
  182881. if (png_ptr->skip_length && png_ptr->save_buffer_size)
  182882. {
  182883. png_size_t save_size;
  182884. if (png_ptr->skip_length < (png_uint_32)png_ptr->save_buffer_size)
  182885. save_size = (png_size_t)png_ptr->skip_length;
  182886. else
  182887. save_size = png_ptr->save_buffer_size;
  182888. png_calculate_crc(png_ptr, png_ptr->save_buffer_ptr, save_size);
  182889. png_ptr->skip_length -= save_size;
  182890. png_ptr->buffer_size -= save_size;
  182891. png_ptr->save_buffer_size -= save_size;
  182892. png_ptr->save_buffer_ptr += save_size;
  182893. }
  182894. if (png_ptr->skip_length && png_ptr->current_buffer_size)
  182895. {
  182896. png_size_t save_size;
  182897. if (png_ptr->skip_length < (png_uint_32)png_ptr->current_buffer_size)
  182898. save_size = (png_size_t)png_ptr->skip_length;
  182899. else
  182900. save_size = png_ptr->current_buffer_size;
  182901. png_calculate_crc(png_ptr, png_ptr->current_buffer_ptr, save_size);
  182902. png_ptr->skip_length -= save_size;
  182903. png_ptr->buffer_size -= save_size;
  182904. png_ptr->current_buffer_size -= save_size;
  182905. png_ptr->current_buffer_ptr += save_size;
  182906. }
  182907. if (!png_ptr->skip_length)
  182908. {
  182909. if (png_ptr->buffer_size < 4)
  182910. {
  182911. png_push_save_buffer(png_ptr);
  182912. return;
  182913. }
  182914. png_crc_finish(png_ptr, 0);
  182915. png_ptr->process_mode = PNG_READ_CHUNK_MODE;
  182916. }
  182917. }
  182918. void PNGAPI
  182919. png_push_fill_buffer(png_structp png_ptr, png_bytep buffer, png_size_t length)
  182920. {
  182921. png_bytep ptr;
  182922. if(png_ptr == NULL) return;
  182923. ptr = buffer;
  182924. if (png_ptr->save_buffer_size)
  182925. {
  182926. png_size_t save_size;
  182927. if (length < png_ptr->save_buffer_size)
  182928. save_size = length;
  182929. else
  182930. save_size = png_ptr->save_buffer_size;
  182931. png_memcpy(ptr, png_ptr->save_buffer_ptr, save_size);
  182932. length -= save_size;
  182933. ptr += save_size;
  182934. png_ptr->buffer_size -= save_size;
  182935. png_ptr->save_buffer_size -= save_size;
  182936. png_ptr->save_buffer_ptr += save_size;
  182937. }
  182938. if (length && png_ptr->current_buffer_size)
  182939. {
  182940. png_size_t save_size;
  182941. if (length < png_ptr->current_buffer_size)
  182942. save_size = length;
  182943. else
  182944. save_size = png_ptr->current_buffer_size;
  182945. png_memcpy(ptr, png_ptr->current_buffer_ptr, save_size);
  182946. png_ptr->buffer_size -= save_size;
  182947. png_ptr->current_buffer_size -= save_size;
  182948. png_ptr->current_buffer_ptr += save_size;
  182949. }
  182950. }
  182951. void /* PRIVATE */
  182952. png_push_save_buffer(png_structp png_ptr)
  182953. {
  182954. if (png_ptr->save_buffer_size)
  182955. {
  182956. if (png_ptr->save_buffer_ptr != png_ptr->save_buffer)
  182957. {
  182958. png_size_t i,istop;
  182959. png_bytep sp;
  182960. png_bytep dp;
  182961. istop = png_ptr->save_buffer_size;
  182962. for (i = 0, sp = png_ptr->save_buffer_ptr, dp = png_ptr->save_buffer;
  182963. i < istop; i++, sp++, dp++)
  182964. {
  182965. *dp = *sp;
  182966. }
  182967. }
  182968. }
  182969. if (png_ptr->save_buffer_size + png_ptr->current_buffer_size >
  182970. png_ptr->save_buffer_max)
  182971. {
  182972. png_size_t new_max;
  182973. png_bytep old_buffer;
  182974. if (png_ptr->save_buffer_size > PNG_SIZE_MAX -
  182975. (png_ptr->current_buffer_size + 256))
  182976. {
  182977. png_error(png_ptr, "Potential overflow of save_buffer");
  182978. }
  182979. new_max = png_ptr->save_buffer_size + png_ptr->current_buffer_size + 256;
  182980. old_buffer = png_ptr->save_buffer;
  182981. png_ptr->save_buffer = (png_bytep)png_malloc(png_ptr,
  182982. (png_uint_32)new_max);
  182983. png_memcpy(png_ptr->save_buffer, old_buffer, png_ptr->save_buffer_size);
  182984. png_free(png_ptr, old_buffer);
  182985. png_ptr->save_buffer_max = new_max;
  182986. }
  182987. if (png_ptr->current_buffer_size)
  182988. {
  182989. png_memcpy(png_ptr->save_buffer + png_ptr->save_buffer_size,
  182990. png_ptr->current_buffer_ptr, png_ptr->current_buffer_size);
  182991. png_ptr->save_buffer_size += png_ptr->current_buffer_size;
  182992. png_ptr->current_buffer_size = 0;
  182993. }
  182994. png_ptr->save_buffer_ptr = png_ptr->save_buffer;
  182995. png_ptr->buffer_size = 0;
  182996. }
  182997. void /* PRIVATE */
  182998. png_push_restore_buffer(png_structp png_ptr, png_bytep buffer,
  182999. png_size_t buffer_length)
  183000. {
  183001. png_ptr->current_buffer = buffer;
  183002. png_ptr->current_buffer_size = buffer_length;
  183003. png_ptr->buffer_size = buffer_length + png_ptr->save_buffer_size;
  183004. png_ptr->current_buffer_ptr = png_ptr->current_buffer;
  183005. }
  183006. void /* PRIVATE */
  183007. png_push_read_IDAT(png_structp png_ptr)
  183008. {
  183009. #ifdef PNG_USE_LOCAL_ARRAYS
  183010. PNG_CONST PNG_IDAT;
  183011. #endif
  183012. if (!(png_ptr->mode & PNG_HAVE_CHUNK_HEADER))
  183013. {
  183014. png_byte chunk_length[4];
  183015. if (png_ptr->buffer_size < 8)
  183016. {
  183017. png_push_save_buffer(png_ptr);
  183018. return;
  183019. }
  183020. png_push_fill_buffer(png_ptr, chunk_length, 4);
  183021. png_ptr->push_length = png_get_uint_31(png_ptr,chunk_length);
  183022. png_reset_crc(png_ptr);
  183023. png_crc_read(png_ptr, png_ptr->chunk_name, 4);
  183024. png_ptr->mode |= PNG_HAVE_CHUNK_HEADER;
  183025. if (png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  183026. {
  183027. png_ptr->process_mode = PNG_READ_CHUNK_MODE;
  183028. if (!(png_ptr->flags & PNG_FLAG_ZLIB_FINISHED))
  183029. png_error(png_ptr, "Not enough compressed data");
  183030. return;
  183031. }
  183032. png_ptr->idat_size = png_ptr->push_length;
  183033. }
  183034. if (png_ptr->idat_size && png_ptr->save_buffer_size)
  183035. {
  183036. png_size_t save_size;
  183037. if (png_ptr->idat_size < (png_uint_32)png_ptr->save_buffer_size)
  183038. {
  183039. save_size = (png_size_t)png_ptr->idat_size;
  183040. /* check for overflow */
  183041. if((png_uint_32)save_size != png_ptr->idat_size)
  183042. png_error(png_ptr, "save_size overflowed in pngpread");
  183043. }
  183044. else
  183045. save_size = png_ptr->save_buffer_size;
  183046. png_calculate_crc(png_ptr, png_ptr->save_buffer_ptr, save_size);
  183047. if (!(png_ptr->flags & PNG_FLAG_ZLIB_FINISHED))
  183048. png_process_IDAT_data(png_ptr, png_ptr->save_buffer_ptr, save_size);
  183049. png_ptr->idat_size -= save_size;
  183050. png_ptr->buffer_size -= save_size;
  183051. png_ptr->save_buffer_size -= save_size;
  183052. png_ptr->save_buffer_ptr += save_size;
  183053. }
  183054. if (png_ptr->idat_size && png_ptr->current_buffer_size)
  183055. {
  183056. png_size_t save_size;
  183057. if (png_ptr->idat_size < (png_uint_32)png_ptr->current_buffer_size)
  183058. {
  183059. save_size = (png_size_t)png_ptr->idat_size;
  183060. /* check for overflow */
  183061. if((png_uint_32)save_size != png_ptr->idat_size)
  183062. png_error(png_ptr, "save_size overflowed in pngpread");
  183063. }
  183064. else
  183065. save_size = png_ptr->current_buffer_size;
  183066. png_calculate_crc(png_ptr, png_ptr->current_buffer_ptr, save_size);
  183067. if (!(png_ptr->flags & PNG_FLAG_ZLIB_FINISHED))
  183068. png_process_IDAT_data(png_ptr, png_ptr->current_buffer_ptr, save_size);
  183069. png_ptr->idat_size -= save_size;
  183070. png_ptr->buffer_size -= save_size;
  183071. png_ptr->current_buffer_size -= save_size;
  183072. png_ptr->current_buffer_ptr += save_size;
  183073. }
  183074. if (!png_ptr->idat_size)
  183075. {
  183076. if (png_ptr->buffer_size < 4)
  183077. {
  183078. png_push_save_buffer(png_ptr);
  183079. return;
  183080. }
  183081. png_crc_finish(png_ptr, 0);
  183082. png_ptr->mode &= ~PNG_HAVE_CHUNK_HEADER;
  183083. png_ptr->mode |= PNG_AFTER_IDAT;
  183084. }
  183085. }
  183086. void /* PRIVATE */
  183087. png_process_IDAT_data(png_structp png_ptr, png_bytep buffer,
  183088. png_size_t buffer_length)
  183089. {
  183090. int ret;
  183091. if ((png_ptr->flags & PNG_FLAG_ZLIB_FINISHED) && buffer_length)
  183092. png_error(png_ptr, "Extra compression data");
  183093. png_ptr->zstream.next_in = buffer;
  183094. png_ptr->zstream.avail_in = (uInt)buffer_length;
  183095. for(;;)
  183096. {
  183097. ret = inflate(&png_ptr->zstream, Z_PARTIAL_FLUSH);
  183098. if (ret != Z_OK)
  183099. {
  183100. if (ret == Z_STREAM_END)
  183101. {
  183102. if (png_ptr->zstream.avail_in)
  183103. png_error(png_ptr, "Extra compressed data");
  183104. if (!(png_ptr->zstream.avail_out))
  183105. {
  183106. png_push_process_row(png_ptr);
  183107. }
  183108. png_ptr->mode |= PNG_AFTER_IDAT;
  183109. png_ptr->flags |= PNG_FLAG_ZLIB_FINISHED;
  183110. break;
  183111. }
  183112. else if (ret == Z_BUF_ERROR)
  183113. break;
  183114. else
  183115. png_error(png_ptr, "Decompression Error");
  183116. }
  183117. if (!(png_ptr->zstream.avail_out))
  183118. {
  183119. if ((
  183120. #if defined(PNG_READ_INTERLACING_SUPPORTED)
  183121. png_ptr->interlaced && png_ptr->pass > 6) ||
  183122. (!png_ptr->interlaced &&
  183123. #endif
  183124. png_ptr->row_number == png_ptr->num_rows))
  183125. {
  183126. if (png_ptr->zstream.avail_in)
  183127. {
  183128. png_warning(png_ptr, "Too much data in IDAT chunks");
  183129. }
  183130. png_ptr->flags |= PNG_FLAG_ZLIB_FINISHED;
  183131. break;
  183132. }
  183133. png_push_process_row(png_ptr);
  183134. png_ptr->zstream.avail_out = (uInt)png_ptr->irowbytes;
  183135. png_ptr->zstream.next_out = png_ptr->row_buf;
  183136. }
  183137. else
  183138. break;
  183139. }
  183140. }
  183141. void /* PRIVATE */
  183142. png_push_process_row(png_structp png_ptr)
  183143. {
  183144. png_ptr->row_info.color_type = png_ptr->color_type;
  183145. png_ptr->row_info.width = png_ptr->iwidth;
  183146. png_ptr->row_info.channels = png_ptr->channels;
  183147. png_ptr->row_info.bit_depth = png_ptr->bit_depth;
  183148. png_ptr->row_info.pixel_depth = png_ptr->pixel_depth;
  183149. png_ptr->row_info.rowbytes = PNG_ROWBYTES(png_ptr->row_info.pixel_depth,
  183150. png_ptr->row_info.width);
  183151. png_read_filter_row(png_ptr, &(png_ptr->row_info),
  183152. png_ptr->row_buf + 1, png_ptr->prev_row + 1,
  183153. (int)(png_ptr->row_buf[0]));
  183154. png_memcpy_check(png_ptr, png_ptr->prev_row, png_ptr->row_buf,
  183155. png_ptr->rowbytes + 1);
  183156. if (png_ptr->transformations || (png_ptr->flags&PNG_FLAG_STRIP_ALPHA))
  183157. png_do_read_transformations(png_ptr);
  183158. #if defined(PNG_READ_INTERLACING_SUPPORTED)
  183159. /* blow up interlaced rows to full size */
  183160. if (png_ptr->interlaced && (png_ptr->transformations & PNG_INTERLACE))
  183161. {
  183162. if (png_ptr->pass < 6)
  183163. /* old interface (pre-1.0.9):
  183164. png_do_read_interlace(&(png_ptr->row_info),
  183165. png_ptr->row_buf + 1, png_ptr->pass, png_ptr->transformations);
  183166. */
  183167. png_do_read_interlace(png_ptr);
  183168. switch (png_ptr->pass)
  183169. {
  183170. case 0:
  183171. {
  183172. int i;
  183173. for (i = 0; i < 8 && png_ptr->pass == 0; i++)
  183174. {
  183175. png_push_have_row(png_ptr, png_ptr->row_buf + 1);
  183176. png_read_push_finish_row(png_ptr); /* updates png_ptr->pass */
  183177. }
  183178. if (png_ptr->pass == 2) /* pass 1 might be empty */
  183179. {
  183180. for (i = 0; i < 4 && png_ptr->pass == 2; i++)
  183181. {
  183182. png_push_have_row(png_ptr, png_bytep_NULL);
  183183. png_read_push_finish_row(png_ptr);
  183184. }
  183185. }
  183186. if (png_ptr->pass == 4 && png_ptr->height <= 4)
  183187. {
  183188. for (i = 0; i < 2 && png_ptr->pass == 4; i++)
  183189. {
  183190. png_push_have_row(png_ptr, png_bytep_NULL);
  183191. png_read_push_finish_row(png_ptr);
  183192. }
  183193. }
  183194. if (png_ptr->pass == 6 && png_ptr->height <= 4)
  183195. {
  183196. png_push_have_row(png_ptr, png_bytep_NULL);
  183197. png_read_push_finish_row(png_ptr);
  183198. }
  183199. break;
  183200. }
  183201. case 1:
  183202. {
  183203. int i;
  183204. for (i = 0; i < 8 && png_ptr->pass == 1; i++)
  183205. {
  183206. png_push_have_row(png_ptr, png_ptr->row_buf + 1);
  183207. png_read_push_finish_row(png_ptr);
  183208. }
  183209. if (png_ptr->pass == 2) /* skip top 4 generated rows */
  183210. {
  183211. for (i = 0; i < 4 && png_ptr->pass == 2; i++)
  183212. {
  183213. png_push_have_row(png_ptr, png_bytep_NULL);
  183214. png_read_push_finish_row(png_ptr);
  183215. }
  183216. }
  183217. break;
  183218. }
  183219. case 2:
  183220. {
  183221. int i;
  183222. for (i = 0; i < 4 && png_ptr->pass == 2; i++)
  183223. {
  183224. png_push_have_row(png_ptr, png_ptr->row_buf + 1);
  183225. png_read_push_finish_row(png_ptr);
  183226. }
  183227. for (i = 0; i < 4 && png_ptr->pass == 2; i++)
  183228. {
  183229. png_push_have_row(png_ptr, png_bytep_NULL);
  183230. png_read_push_finish_row(png_ptr);
  183231. }
  183232. if (png_ptr->pass == 4) /* pass 3 might be empty */
  183233. {
  183234. for (i = 0; i < 2 && png_ptr->pass == 4; i++)
  183235. {
  183236. png_push_have_row(png_ptr, png_bytep_NULL);
  183237. png_read_push_finish_row(png_ptr);
  183238. }
  183239. }
  183240. break;
  183241. }
  183242. case 3:
  183243. {
  183244. int i;
  183245. for (i = 0; i < 4 && png_ptr->pass == 3; i++)
  183246. {
  183247. png_push_have_row(png_ptr, png_ptr->row_buf + 1);
  183248. png_read_push_finish_row(png_ptr);
  183249. }
  183250. if (png_ptr->pass == 4) /* skip top two generated rows */
  183251. {
  183252. for (i = 0; i < 2 && png_ptr->pass == 4; i++)
  183253. {
  183254. png_push_have_row(png_ptr, png_bytep_NULL);
  183255. png_read_push_finish_row(png_ptr);
  183256. }
  183257. }
  183258. break;
  183259. }
  183260. case 4:
  183261. {
  183262. int i;
  183263. for (i = 0; i < 2 && png_ptr->pass == 4; i++)
  183264. {
  183265. png_push_have_row(png_ptr, png_ptr->row_buf + 1);
  183266. png_read_push_finish_row(png_ptr);
  183267. }
  183268. for (i = 0; i < 2 && png_ptr->pass == 4; i++)
  183269. {
  183270. png_push_have_row(png_ptr, png_bytep_NULL);
  183271. png_read_push_finish_row(png_ptr);
  183272. }
  183273. if (png_ptr->pass == 6) /* pass 5 might be empty */
  183274. {
  183275. png_push_have_row(png_ptr, png_bytep_NULL);
  183276. png_read_push_finish_row(png_ptr);
  183277. }
  183278. break;
  183279. }
  183280. case 5:
  183281. {
  183282. int i;
  183283. for (i = 0; i < 2 && png_ptr->pass == 5; i++)
  183284. {
  183285. png_push_have_row(png_ptr, png_ptr->row_buf + 1);
  183286. png_read_push_finish_row(png_ptr);
  183287. }
  183288. if (png_ptr->pass == 6) /* skip top generated row */
  183289. {
  183290. png_push_have_row(png_ptr, png_bytep_NULL);
  183291. png_read_push_finish_row(png_ptr);
  183292. }
  183293. break;
  183294. }
  183295. case 6:
  183296. {
  183297. png_push_have_row(png_ptr, png_ptr->row_buf + 1);
  183298. png_read_push_finish_row(png_ptr);
  183299. if (png_ptr->pass != 6)
  183300. break;
  183301. png_push_have_row(png_ptr, png_bytep_NULL);
  183302. png_read_push_finish_row(png_ptr);
  183303. }
  183304. }
  183305. }
  183306. else
  183307. #endif
  183308. {
  183309. png_push_have_row(png_ptr, png_ptr->row_buf + 1);
  183310. png_read_push_finish_row(png_ptr);
  183311. }
  183312. }
  183313. void /* PRIVATE */
  183314. png_read_push_finish_row(png_structp png_ptr)
  183315. {
  183316. #ifdef PNG_USE_LOCAL_ARRAYS
  183317. /* arrays to facilitate easy interlacing - use pass (0 - 6) as index */
  183318. /* start of interlace block */
  183319. PNG_CONST int FARDATA png_pass_start[] = {0, 4, 0, 2, 0, 1, 0};
  183320. /* offset to next interlace block */
  183321. PNG_CONST int FARDATA png_pass_inc[] = {8, 8, 4, 4, 2, 2, 1};
  183322. /* start of interlace block in the y direction */
  183323. PNG_CONST int FARDATA png_pass_ystart[] = {0, 0, 4, 0, 2, 0, 1};
  183324. /* offset to next interlace block in the y direction */
  183325. PNG_CONST int FARDATA png_pass_yinc[] = {8, 8, 8, 4, 4, 2, 2};
  183326. /* Height of interlace block. This is not currently used - if you need
  183327. * it, uncomment it here and in png.h
  183328. PNG_CONST int FARDATA png_pass_height[] = {8, 8, 4, 4, 2, 2, 1};
  183329. */
  183330. #endif
  183331. png_ptr->row_number++;
  183332. if (png_ptr->row_number < png_ptr->num_rows)
  183333. return;
  183334. if (png_ptr->interlaced)
  183335. {
  183336. png_ptr->row_number = 0;
  183337. png_memset_check(png_ptr, png_ptr->prev_row, 0,
  183338. png_ptr->rowbytes + 1);
  183339. do
  183340. {
  183341. png_ptr->pass++;
  183342. if ((png_ptr->pass == 1 && png_ptr->width < 5) ||
  183343. (png_ptr->pass == 3 && png_ptr->width < 3) ||
  183344. (png_ptr->pass == 5 && png_ptr->width < 2))
  183345. png_ptr->pass++;
  183346. if (png_ptr->pass > 7)
  183347. png_ptr->pass--;
  183348. if (png_ptr->pass >= 7)
  183349. break;
  183350. png_ptr->iwidth = (png_ptr->width +
  183351. png_pass_inc[png_ptr->pass] - 1 -
  183352. png_pass_start[png_ptr->pass]) /
  183353. png_pass_inc[png_ptr->pass];
  183354. png_ptr->irowbytes = PNG_ROWBYTES(png_ptr->pixel_depth,
  183355. png_ptr->iwidth) + 1;
  183356. if (png_ptr->transformations & PNG_INTERLACE)
  183357. break;
  183358. png_ptr->num_rows = (png_ptr->height +
  183359. png_pass_yinc[png_ptr->pass] - 1 -
  183360. png_pass_ystart[png_ptr->pass]) /
  183361. png_pass_yinc[png_ptr->pass];
  183362. } while (png_ptr->iwidth == 0 || png_ptr->num_rows == 0);
  183363. }
  183364. }
  183365. #if defined(PNG_READ_tEXt_SUPPORTED)
  183366. void /* PRIVATE */
  183367. png_push_handle_tEXt(png_structp png_ptr, png_infop info_ptr, png_uint_32
  183368. length)
  183369. {
  183370. if (!(png_ptr->mode & PNG_HAVE_IHDR) || (png_ptr->mode & PNG_HAVE_IEND))
  183371. {
  183372. png_error(png_ptr, "Out of place tEXt");
  183373. info_ptr = info_ptr; /* to quiet some compiler warnings */
  183374. }
  183375. #ifdef PNG_MAX_MALLOC_64K
  183376. png_ptr->skip_length = 0; /* This may not be necessary */
  183377. if (length > (png_uint_32)65535L) /* Can't hold entire string in memory */
  183378. {
  183379. png_warning(png_ptr, "tEXt chunk too large to fit in memory");
  183380. png_ptr->skip_length = length - (png_uint_32)65535L;
  183381. length = (png_uint_32)65535L;
  183382. }
  183383. #endif
  183384. png_ptr->current_text = (png_charp)png_malloc(png_ptr,
  183385. (png_uint_32)(length+1));
  183386. png_ptr->current_text[length] = '\0';
  183387. png_ptr->current_text_ptr = png_ptr->current_text;
  183388. png_ptr->current_text_size = (png_size_t)length;
  183389. png_ptr->current_text_left = (png_size_t)length;
  183390. png_ptr->process_mode = PNG_READ_tEXt_MODE;
  183391. }
  183392. void /* PRIVATE */
  183393. png_push_read_tEXt(png_structp png_ptr, png_infop info_ptr)
  183394. {
  183395. if (png_ptr->buffer_size && png_ptr->current_text_left)
  183396. {
  183397. png_size_t text_size;
  183398. if (png_ptr->buffer_size < png_ptr->current_text_left)
  183399. text_size = png_ptr->buffer_size;
  183400. else
  183401. text_size = png_ptr->current_text_left;
  183402. png_crc_read(png_ptr, (png_bytep)png_ptr->current_text_ptr, text_size);
  183403. png_ptr->current_text_left -= text_size;
  183404. png_ptr->current_text_ptr += text_size;
  183405. }
  183406. if (!(png_ptr->current_text_left))
  183407. {
  183408. png_textp text_ptr;
  183409. png_charp text;
  183410. png_charp key;
  183411. int ret;
  183412. if (png_ptr->buffer_size < 4)
  183413. {
  183414. png_push_save_buffer(png_ptr);
  183415. return;
  183416. }
  183417. png_push_crc_finish(png_ptr);
  183418. #if defined(PNG_MAX_MALLOC_64K)
  183419. if (png_ptr->skip_length)
  183420. return;
  183421. #endif
  183422. key = png_ptr->current_text;
  183423. for (text = key; *text; text++)
  183424. /* empty loop */ ;
  183425. if (text < key + png_ptr->current_text_size)
  183426. text++;
  183427. text_ptr = (png_textp)png_malloc(png_ptr,
  183428. (png_uint_32)png_sizeof(png_text));
  183429. text_ptr->compression = PNG_TEXT_COMPRESSION_NONE;
  183430. text_ptr->key = key;
  183431. #ifdef PNG_iTXt_SUPPORTED
  183432. text_ptr->lang = NULL;
  183433. text_ptr->lang_key = NULL;
  183434. #endif
  183435. text_ptr->text = text;
  183436. ret = png_set_text_2(png_ptr, info_ptr, text_ptr, 1);
  183437. png_free(png_ptr, key);
  183438. png_free(png_ptr, text_ptr);
  183439. png_ptr->current_text = NULL;
  183440. if (ret)
  183441. png_warning(png_ptr, "Insufficient memory to store text chunk.");
  183442. }
  183443. }
  183444. #endif
  183445. #if defined(PNG_READ_zTXt_SUPPORTED)
  183446. void /* PRIVATE */
  183447. png_push_handle_zTXt(png_structp png_ptr, png_infop info_ptr, png_uint_32
  183448. length)
  183449. {
  183450. if (!(png_ptr->mode & PNG_HAVE_IHDR) || (png_ptr->mode & PNG_HAVE_IEND))
  183451. {
  183452. png_error(png_ptr, "Out of place zTXt");
  183453. info_ptr = info_ptr; /* to quiet some compiler warnings */
  183454. }
  183455. #ifdef PNG_MAX_MALLOC_64K
  183456. /* We can't handle zTXt chunks > 64K, since we don't have enough space
  183457. * to be able to store the uncompressed data. Actually, the threshold
  183458. * is probably around 32K, but it isn't as definite as 64K is.
  183459. */
  183460. if (length > (png_uint_32)65535L)
  183461. {
  183462. png_warning(png_ptr, "zTXt chunk too large to fit in memory");
  183463. png_push_crc_skip(png_ptr, length);
  183464. return;
  183465. }
  183466. #endif
  183467. png_ptr->current_text = (png_charp)png_malloc(png_ptr,
  183468. (png_uint_32)(length+1));
  183469. png_ptr->current_text[length] = '\0';
  183470. png_ptr->current_text_ptr = png_ptr->current_text;
  183471. png_ptr->current_text_size = (png_size_t)length;
  183472. png_ptr->current_text_left = (png_size_t)length;
  183473. png_ptr->process_mode = PNG_READ_zTXt_MODE;
  183474. }
  183475. void /* PRIVATE */
  183476. png_push_read_zTXt(png_structp png_ptr, png_infop info_ptr)
  183477. {
  183478. if (png_ptr->buffer_size && png_ptr->current_text_left)
  183479. {
  183480. png_size_t text_size;
  183481. if (png_ptr->buffer_size < (png_uint_32)png_ptr->current_text_left)
  183482. text_size = png_ptr->buffer_size;
  183483. else
  183484. text_size = png_ptr->current_text_left;
  183485. png_crc_read(png_ptr, (png_bytep)png_ptr->current_text_ptr, text_size);
  183486. png_ptr->current_text_left -= text_size;
  183487. png_ptr->current_text_ptr += text_size;
  183488. }
  183489. if (!(png_ptr->current_text_left))
  183490. {
  183491. png_textp text_ptr;
  183492. png_charp text;
  183493. png_charp key;
  183494. int ret;
  183495. png_size_t text_size, key_size;
  183496. if (png_ptr->buffer_size < 4)
  183497. {
  183498. png_push_save_buffer(png_ptr);
  183499. return;
  183500. }
  183501. png_push_crc_finish(png_ptr);
  183502. key = png_ptr->current_text;
  183503. for (text = key; *text; text++)
  183504. /* empty loop */ ;
  183505. /* zTXt can't have zero text */
  183506. if (text >= key + png_ptr->current_text_size)
  183507. {
  183508. png_ptr->current_text = NULL;
  183509. png_free(png_ptr, key);
  183510. return;
  183511. }
  183512. text++;
  183513. if (*text != PNG_TEXT_COMPRESSION_zTXt) /* check compression byte */
  183514. {
  183515. png_ptr->current_text = NULL;
  183516. png_free(png_ptr, key);
  183517. return;
  183518. }
  183519. text++;
  183520. png_ptr->zstream.next_in = (png_bytep )text;
  183521. png_ptr->zstream.avail_in = (uInt)(png_ptr->current_text_size -
  183522. (text - key));
  183523. png_ptr->zstream.next_out = png_ptr->zbuf;
  183524. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  183525. key_size = text - key;
  183526. text_size = 0;
  183527. text = NULL;
  183528. ret = Z_STREAM_END;
  183529. while (png_ptr->zstream.avail_in)
  183530. {
  183531. ret = inflate(&png_ptr->zstream, Z_PARTIAL_FLUSH);
  183532. if (ret != Z_OK && ret != Z_STREAM_END)
  183533. {
  183534. inflateReset(&png_ptr->zstream);
  183535. png_ptr->zstream.avail_in = 0;
  183536. png_ptr->current_text = NULL;
  183537. png_free(png_ptr, key);
  183538. png_free(png_ptr, text);
  183539. return;
  183540. }
  183541. if (!(png_ptr->zstream.avail_out) || ret == Z_STREAM_END)
  183542. {
  183543. if (text == NULL)
  183544. {
  183545. text = (png_charp)png_malloc(png_ptr,
  183546. (png_uint_32)(png_ptr->zbuf_size - png_ptr->zstream.avail_out
  183547. + key_size + 1));
  183548. png_memcpy(text + key_size, png_ptr->zbuf,
  183549. png_ptr->zbuf_size - png_ptr->zstream.avail_out);
  183550. png_memcpy(text, key, key_size);
  183551. text_size = key_size + png_ptr->zbuf_size -
  183552. png_ptr->zstream.avail_out;
  183553. *(text + text_size) = '\0';
  183554. }
  183555. else
  183556. {
  183557. png_charp tmp;
  183558. tmp = text;
  183559. text = (png_charp)png_malloc(png_ptr, text_size +
  183560. (png_uint_32)(png_ptr->zbuf_size - png_ptr->zstream.avail_out
  183561. + 1));
  183562. png_memcpy(text, tmp, text_size);
  183563. png_free(png_ptr, tmp);
  183564. png_memcpy(text + text_size, png_ptr->zbuf,
  183565. png_ptr->zbuf_size - png_ptr->zstream.avail_out);
  183566. text_size += png_ptr->zbuf_size - png_ptr->zstream.avail_out;
  183567. *(text + text_size) = '\0';
  183568. }
  183569. if (ret != Z_STREAM_END)
  183570. {
  183571. png_ptr->zstream.next_out = png_ptr->zbuf;
  183572. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  183573. }
  183574. }
  183575. else
  183576. {
  183577. break;
  183578. }
  183579. if (ret == Z_STREAM_END)
  183580. break;
  183581. }
  183582. inflateReset(&png_ptr->zstream);
  183583. png_ptr->zstream.avail_in = 0;
  183584. if (ret != Z_STREAM_END)
  183585. {
  183586. png_ptr->current_text = NULL;
  183587. png_free(png_ptr, key);
  183588. png_free(png_ptr, text);
  183589. return;
  183590. }
  183591. png_ptr->current_text = NULL;
  183592. png_free(png_ptr, key);
  183593. key = text;
  183594. text += key_size;
  183595. text_ptr = (png_textp)png_malloc(png_ptr,
  183596. (png_uint_32)png_sizeof(png_text));
  183597. text_ptr->compression = PNG_TEXT_COMPRESSION_zTXt;
  183598. text_ptr->key = key;
  183599. #ifdef PNG_iTXt_SUPPORTED
  183600. text_ptr->lang = NULL;
  183601. text_ptr->lang_key = NULL;
  183602. #endif
  183603. text_ptr->text = text;
  183604. ret = png_set_text_2(png_ptr, info_ptr, text_ptr, 1);
  183605. png_free(png_ptr, key);
  183606. png_free(png_ptr, text_ptr);
  183607. if (ret)
  183608. png_warning(png_ptr, "Insufficient memory to store text chunk.");
  183609. }
  183610. }
  183611. #endif
  183612. #if defined(PNG_READ_iTXt_SUPPORTED)
  183613. void /* PRIVATE */
  183614. png_push_handle_iTXt(png_structp png_ptr, png_infop info_ptr, png_uint_32
  183615. length)
  183616. {
  183617. if (!(png_ptr->mode & PNG_HAVE_IHDR) || (png_ptr->mode & PNG_HAVE_IEND))
  183618. {
  183619. png_error(png_ptr, "Out of place iTXt");
  183620. info_ptr = info_ptr; /* to quiet some compiler warnings */
  183621. }
  183622. #ifdef PNG_MAX_MALLOC_64K
  183623. png_ptr->skip_length = 0; /* This may not be necessary */
  183624. if (length > (png_uint_32)65535L) /* Can't hold entire string in memory */
  183625. {
  183626. png_warning(png_ptr, "iTXt chunk too large to fit in memory");
  183627. png_ptr->skip_length = length - (png_uint_32)65535L;
  183628. length = (png_uint_32)65535L;
  183629. }
  183630. #endif
  183631. png_ptr->current_text = (png_charp)png_malloc(png_ptr,
  183632. (png_uint_32)(length+1));
  183633. png_ptr->current_text[length] = '\0';
  183634. png_ptr->current_text_ptr = png_ptr->current_text;
  183635. png_ptr->current_text_size = (png_size_t)length;
  183636. png_ptr->current_text_left = (png_size_t)length;
  183637. png_ptr->process_mode = PNG_READ_iTXt_MODE;
  183638. }
  183639. void /* PRIVATE */
  183640. png_push_read_iTXt(png_structp png_ptr, png_infop info_ptr)
  183641. {
  183642. if (png_ptr->buffer_size && png_ptr->current_text_left)
  183643. {
  183644. png_size_t text_size;
  183645. if (png_ptr->buffer_size < png_ptr->current_text_left)
  183646. text_size = png_ptr->buffer_size;
  183647. else
  183648. text_size = png_ptr->current_text_left;
  183649. png_crc_read(png_ptr, (png_bytep)png_ptr->current_text_ptr, text_size);
  183650. png_ptr->current_text_left -= text_size;
  183651. png_ptr->current_text_ptr += text_size;
  183652. }
  183653. if (!(png_ptr->current_text_left))
  183654. {
  183655. png_textp text_ptr;
  183656. png_charp key;
  183657. int comp_flag;
  183658. png_charp lang;
  183659. png_charp lang_key;
  183660. png_charp text;
  183661. int ret;
  183662. if (png_ptr->buffer_size < 4)
  183663. {
  183664. png_push_save_buffer(png_ptr);
  183665. return;
  183666. }
  183667. png_push_crc_finish(png_ptr);
  183668. #if defined(PNG_MAX_MALLOC_64K)
  183669. if (png_ptr->skip_length)
  183670. return;
  183671. #endif
  183672. key = png_ptr->current_text;
  183673. for (lang = key; *lang; lang++)
  183674. /* empty loop */ ;
  183675. if (lang < key + png_ptr->current_text_size - 3)
  183676. lang++;
  183677. comp_flag = *lang++;
  183678. lang++; /* skip comp_type, always zero */
  183679. for (lang_key = lang; *lang_key; lang_key++)
  183680. /* empty loop */ ;
  183681. lang_key++; /* skip NUL separator */
  183682. text=lang_key;
  183683. if (lang_key < key + png_ptr->current_text_size - 1)
  183684. {
  183685. for (; *text; text++)
  183686. /* empty loop */ ;
  183687. }
  183688. if (text < key + png_ptr->current_text_size)
  183689. text++;
  183690. text_ptr = (png_textp)png_malloc(png_ptr,
  183691. (png_uint_32)png_sizeof(png_text));
  183692. text_ptr->compression = comp_flag + 2;
  183693. text_ptr->key = key;
  183694. text_ptr->lang = lang;
  183695. text_ptr->lang_key = lang_key;
  183696. text_ptr->text = text;
  183697. text_ptr->text_length = 0;
  183698. text_ptr->itxt_length = png_strlen(text);
  183699. ret = png_set_text_2(png_ptr, info_ptr, text_ptr, 1);
  183700. png_ptr->current_text = NULL;
  183701. png_free(png_ptr, text_ptr);
  183702. if (ret)
  183703. png_warning(png_ptr, "Insufficient memory to store iTXt chunk.");
  183704. }
  183705. }
  183706. #endif
  183707. /* This function is called when we haven't found a handler for this
  183708. * chunk. If there isn't a problem with the chunk itself (ie a bad chunk
  183709. * name or a critical chunk), the chunk is (currently) silently ignored.
  183710. */
  183711. void /* PRIVATE */
  183712. png_push_handle_unknown(png_structp png_ptr, png_infop info_ptr, png_uint_32
  183713. length)
  183714. {
  183715. png_uint_32 skip=0;
  183716. png_check_chunk_name(png_ptr, png_ptr->chunk_name);
  183717. if (!(png_ptr->chunk_name[0] & 0x20))
  183718. {
  183719. #if defined(PNG_READ_UNKNOWN_CHUNKS_SUPPORTED)
  183720. if(png_handle_as_unknown(png_ptr, png_ptr->chunk_name) !=
  183721. PNG_HANDLE_CHUNK_ALWAYS
  183722. #if defined(PNG_READ_USER_CHUNKS_SUPPORTED)
  183723. && png_ptr->read_user_chunk_fn == NULL
  183724. #endif
  183725. )
  183726. #endif
  183727. png_chunk_error(png_ptr, "unknown critical chunk");
  183728. info_ptr = info_ptr; /* to quiet some compiler warnings */
  183729. }
  183730. #if defined(PNG_READ_UNKNOWN_CHUNKS_SUPPORTED)
  183731. if (png_ptr->flags & PNG_FLAG_KEEP_UNKNOWN_CHUNKS)
  183732. {
  183733. #ifdef PNG_MAX_MALLOC_64K
  183734. if (length > (png_uint_32)65535L)
  183735. {
  183736. png_warning(png_ptr, "unknown chunk too large to fit in memory");
  183737. skip = length - (png_uint_32)65535L;
  183738. length = (png_uint_32)65535L;
  183739. }
  183740. #endif
  183741. png_strncpy((png_charp)png_ptr->unknown_chunk.name,
  183742. (png_charp)png_ptr->chunk_name, 5);
  183743. png_ptr->unknown_chunk.data = (png_bytep)png_malloc(png_ptr, length);
  183744. png_ptr->unknown_chunk.size = (png_size_t)length;
  183745. png_crc_read(png_ptr, (png_bytep)png_ptr->unknown_chunk.data, length);
  183746. #if defined(PNG_READ_USER_CHUNKS_SUPPORTED)
  183747. if(png_ptr->read_user_chunk_fn != NULL)
  183748. {
  183749. /* callback to user unknown chunk handler */
  183750. int ret;
  183751. ret = (*(png_ptr->read_user_chunk_fn))
  183752. (png_ptr, &png_ptr->unknown_chunk);
  183753. if (ret < 0)
  183754. png_chunk_error(png_ptr, "error in user chunk");
  183755. if (ret == 0)
  183756. {
  183757. if (!(png_ptr->chunk_name[0] & 0x20))
  183758. if(png_handle_as_unknown(png_ptr, png_ptr->chunk_name) !=
  183759. PNG_HANDLE_CHUNK_ALWAYS)
  183760. png_chunk_error(png_ptr, "unknown critical chunk");
  183761. png_set_unknown_chunks(png_ptr, info_ptr,
  183762. &png_ptr->unknown_chunk, 1);
  183763. }
  183764. }
  183765. #else
  183766. png_set_unknown_chunks(png_ptr, info_ptr, &png_ptr->unknown_chunk, 1);
  183767. #endif
  183768. png_free(png_ptr, png_ptr->unknown_chunk.data);
  183769. png_ptr->unknown_chunk.data = NULL;
  183770. }
  183771. else
  183772. #endif
  183773. skip=length;
  183774. png_push_crc_skip(png_ptr, skip);
  183775. }
  183776. void /* PRIVATE */
  183777. png_push_have_info(png_structp png_ptr, png_infop info_ptr)
  183778. {
  183779. if (png_ptr->info_fn != NULL)
  183780. (*(png_ptr->info_fn))(png_ptr, info_ptr);
  183781. }
  183782. void /* PRIVATE */
  183783. png_push_have_end(png_structp png_ptr, png_infop info_ptr)
  183784. {
  183785. if (png_ptr->end_fn != NULL)
  183786. (*(png_ptr->end_fn))(png_ptr, info_ptr);
  183787. }
  183788. void /* PRIVATE */
  183789. png_push_have_row(png_structp png_ptr, png_bytep row)
  183790. {
  183791. if (png_ptr->row_fn != NULL)
  183792. (*(png_ptr->row_fn))(png_ptr, row, png_ptr->row_number,
  183793. (int)png_ptr->pass);
  183794. }
  183795. void PNGAPI
  183796. png_progressive_combine_row (png_structp png_ptr,
  183797. png_bytep old_row, png_bytep new_row)
  183798. {
  183799. #ifdef PNG_USE_LOCAL_ARRAYS
  183800. PNG_CONST int FARDATA png_pass_dsp_mask[7] =
  183801. {0xff, 0x0f, 0xff, 0x33, 0xff, 0x55, 0xff};
  183802. #endif
  183803. if(png_ptr == NULL) return;
  183804. if (new_row != NULL) /* new_row must == png_ptr->row_buf here. */
  183805. png_combine_row(png_ptr, old_row, png_pass_dsp_mask[png_ptr->pass]);
  183806. }
  183807. void PNGAPI
  183808. png_set_progressive_read_fn(png_structp png_ptr, png_voidp progressive_ptr,
  183809. png_progressive_info_ptr info_fn, png_progressive_row_ptr row_fn,
  183810. png_progressive_end_ptr end_fn)
  183811. {
  183812. if(png_ptr == NULL) return;
  183813. png_ptr->info_fn = info_fn;
  183814. png_ptr->row_fn = row_fn;
  183815. png_ptr->end_fn = end_fn;
  183816. png_set_read_fn(png_ptr, progressive_ptr, png_push_fill_buffer);
  183817. }
  183818. png_voidp PNGAPI
  183819. png_get_progressive_ptr(png_structp png_ptr)
  183820. {
  183821. if(png_ptr == NULL) return (NULL);
  183822. return png_ptr->io_ptr;
  183823. }
  183824. #endif /* PNG_PROGRESSIVE_READ_SUPPORTED */
  183825. /********* End of inlined file: pngpread.c *********/
  183826. /********* Start of inlined file: pngrio.c *********/
  183827. /* pngrio.c - functions for data input
  183828. *
  183829. * Last changed in libpng 1.2.13 November 13, 2006
  183830. * For conditions of distribution and use, see copyright notice in png.h
  183831. * Copyright (c) 1998-2006 Glenn Randers-Pehrson
  183832. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  183833. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  183834. *
  183835. * This file provides a location for all input. Users who need
  183836. * special handling are expected to write a function that has the same
  183837. * arguments as this and performs a similar function, but that possibly
  183838. * has a different input method. Note that you shouldn't change this
  183839. * function, but rather write a replacement function and then make
  183840. * libpng use it at run time with png_set_read_fn(...).
  183841. */
  183842. #define PNG_INTERNAL
  183843. #if defined(PNG_READ_SUPPORTED)
  183844. /* Read the data from whatever input you are using. The default routine
  183845. reads from a file pointer. Note that this routine sometimes gets called
  183846. with very small lengths, so you should implement some kind of simple
  183847. buffering if you are using unbuffered reads. This should never be asked
  183848. to read more then 64K on a 16 bit machine. */
  183849. void /* PRIVATE */
  183850. png_read_data(png_structp png_ptr, png_bytep data, png_size_t length)
  183851. {
  183852. png_debug1(4,"reading %d bytes\n", (int)length);
  183853. if (png_ptr->read_data_fn != NULL)
  183854. (*(png_ptr->read_data_fn))(png_ptr, data, length);
  183855. else
  183856. png_error(png_ptr, "Call to NULL read function");
  183857. }
  183858. #if !defined(PNG_NO_STDIO)
  183859. /* This is the function that does the actual reading of data. If you are
  183860. not reading from a standard C stream, you should create a replacement
  183861. read_data function and use it at run time with png_set_read_fn(), rather
  183862. than changing the library. */
  183863. #ifndef USE_FAR_KEYWORD
  183864. void PNGAPI
  183865. png_default_read_data(png_structp png_ptr, png_bytep data, png_size_t length)
  183866. {
  183867. png_size_t check;
  183868. if(png_ptr == NULL) return;
  183869. /* fread() returns 0 on error, so it is OK to store this in a png_size_t
  183870. * instead of an int, which is what fread() actually returns.
  183871. */
  183872. #if defined(_WIN32_WCE)
  183873. if ( !ReadFile((HANDLE)(png_ptr->io_ptr), data, length, &check, NULL) )
  183874. check = 0;
  183875. #else
  183876. check = (png_size_t)fread(data, (png_size_t)1, length,
  183877. (png_FILE_p)png_ptr->io_ptr);
  183878. #endif
  183879. if (check != length)
  183880. png_error(png_ptr, "Read Error");
  183881. }
  183882. #else
  183883. /* this is the model-independent version. Since the standard I/O library
  183884. can't handle far buffers in the medium and small models, we have to copy
  183885. the data.
  183886. */
  183887. #define NEAR_BUF_SIZE 1024
  183888. #define MIN(a,b) (a <= b ? a : b)
  183889. static void PNGAPI
  183890. png_default_read_data(png_structp png_ptr, png_bytep data, png_size_t length)
  183891. {
  183892. int check;
  183893. png_byte *n_data;
  183894. png_FILE_p io_ptr;
  183895. if(png_ptr == NULL) return;
  183896. /* Check if data really is near. If so, use usual code. */
  183897. n_data = (png_byte *)CVT_PTR_NOCHECK(data);
  183898. io_ptr = (png_FILE_p)CVT_PTR(png_ptr->io_ptr);
  183899. if ((png_bytep)n_data == data)
  183900. {
  183901. #if defined(_WIN32_WCE)
  183902. if ( !ReadFile((HANDLE)(png_ptr->io_ptr), data, length, &check, NULL) )
  183903. check = 0;
  183904. #else
  183905. check = fread(n_data, 1, length, io_ptr);
  183906. #endif
  183907. }
  183908. else
  183909. {
  183910. png_byte buf[NEAR_BUF_SIZE];
  183911. png_size_t read, remaining, err;
  183912. check = 0;
  183913. remaining = length;
  183914. do
  183915. {
  183916. read = MIN(NEAR_BUF_SIZE, remaining);
  183917. #if defined(_WIN32_WCE)
  183918. if ( !ReadFile((HANDLE)(io_ptr), buf, read, &err, NULL) )
  183919. err = 0;
  183920. #else
  183921. err = fread(buf, (png_size_t)1, read, io_ptr);
  183922. #endif
  183923. png_memcpy(data, buf, read); /* copy far buffer to near buffer */
  183924. if(err != read)
  183925. break;
  183926. else
  183927. check += err;
  183928. data += read;
  183929. remaining -= read;
  183930. }
  183931. while (remaining != 0);
  183932. }
  183933. if ((png_uint_32)check != (png_uint_32)length)
  183934. png_error(png_ptr, "read Error");
  183935. }
  183936. #endif
  183937. #endif
  183938. /* This function allows the application to supply a new input function
  183939. for libpng if standard C streams aren't being used.
  183940. This function takes as its arguments:
  183941. png_ptr - pointer to a png input data structure
  183942. io_ptr - pointer to user supplied structure containing info about
  183943. the input functions. May be NULL.
  183944. read_data_fn - pointer to a new input function that takes as its
  183945. arguments a pointer to a png_struct, a pointer to
  183946. a location where input data can be stored, and a 32-bit
  183947. unsigned int that is the number of bytes to be read.
  183948. To exit and output any fatal error messages the new write
  183949. function should call png_error(png_ptr, "Error msg"). */
  183950. void PNGAPI
  183951. png_set_read_fn(png_structp png_ptr, png_voidp io_ptr,
  183952. png_rw_ptr read_data_fn)
  183953. {
  183954. if(png_ptr == NULL) return;
  183955. png_ptr->io_ptr = io_ptr;
  183956. #if !defined(PNG_NO_STDIO)
  183957. if (read_data_fn != NULL)
  183958. png_ptr->read_data_fn = read_data_fn;
  183959. else
  183960. png_ptr->read_data_fn = png_default_read_data;
  183961. #else
  183962. png_ptr->read_data_fn = read_data_fn;
  183963. #endif
  183964. /* It is an error to write to a read device */
  183965. if (png_ptr->write_data_fn != NULL)
  183966. {
  183967. png_ptr->write_data_fn = NULL;
  183968. png_warning(png_ptr,
  183969. "It's an error to set both read_data_fn and write_data_fn in the ");
  183970. png_warning(png_ptr,
  183971. "same structure. Resetting write_data_fn to NULL.");
  183972. }
  183973. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  183974. png_ptr->output_flush_fn = NULL;
  183975. #endif
  183976. }
  183977. #endif /* PNG_READ_SUPPORTED */
  183978. /********* End of inlined file: pngrio.c *********/
  183979. /********* Start of inlined file: pngrtran.c *********/
  183980. /* pngrtran.c - transforms the data in a row for PNG readers
  183981. *
  183982. * Last changed in libpng 1.2.21 [October 4, 2007]
  183983. * For conditions of distribution and use, see copyright notice in png.h
  183984. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  183985. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  183986. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  183987. *
  183988. * This file contains functions optionally called by an application
  183989. * in order to tell libpng how to handle data when reading a PNG.
  183990. * Transformations that are used in both reading and writing are
  183991. * in pngtrans.c.
  183992. */
  183993. #define PNG_INTERNAL
  183994. #if defined(PNG_READ_SUPPORTED)
  183995. /* Set the action on getting a CRC error for an ancillary or critical chunk. */
  183996. void PNGAPI
  183997. png_set_crc_action(png_structp png_ptr, int crit_action, int ancil_action)
  183998. {
  183999. png_debug(1, "in png_set_crc_action\n");
  184000. /* Tell libpng how we react to CRC errors in critical chunks */
  184001. if(png_ptr == NULL) return;
  184002. switch (crit_action)
  184003. {
  184004. case PNG_CRC_NO_CHANGE: /* leave setting as is */
  184005. break;
  184006. case PNG_CRC_WARN_USE: /* warn/use data */
  184007. png_ptr->flags &= ~PNG_FLAG_CRC_CRITICAL_MASK;
  184008. png_ptr->flags |= PNG_FLAG_CRC_CRITICAL_USE;
  184009. break;
  184010. case PNG_CRC_QUIET_USE: /* quiet/use data */
  184011. png_ptr->flags &= ~PNG_FLAG_CRC_CRITICAL_MASK;
  184012. png_ptr->flags |= PNG_FLAG_CRC_CRITICAL_USE |
  184013. PNG_FLAG_CRC_CRITICAL_IGNORE;
  184014. break;
  184015. case PNG_CRC_WARN_DISCARD: /* not a valid action for critical data */
  184016. png_warning(png_ptr, "Can't discard critical data on CRC error.");
  184017. case PNG_CRC_ERROR_QUIT: /* error/quit */
  184018. case PNG_CRC_DEFAULT:
  184019. default:
  184020. png_ptr->flags &= ~PNG_FLAG_CRC_CRITICAL_MASK;
  184021. break;
  184022. }
  184023. switch (ancil_action)
  184024. {
  184025. case PNG_CRC_NO_CHANGE: /* leave setting as is */
  184026. break;
  184027. case PNG_CRC_WARN_USE: /* warn/use data */
  184028. png_ptr->flags &= ~PNG_FLAG_CRC_ANCILLARY_MASK;
  184029. png_ptr->flags |= PNG_FLAG_CRC_ANCILLARY_USE;
  184030. break;
  184031. case PNG_CRC_QUIET_USE: /* quiet/use data */
  184032. png_ptr->flags &= ~PNG_FLAG_CRC_ANCILLARY_MASK;
  184033. png_ptr->flags |= PNG_FLAG_CRC_ANCILLARY_USE |
  184034. PNG_FLAG_CRC_ANCILLARY_NOWARN;
  184035. break;
  184036. case PNG_CRC_ERROR_QUIT: /* error/quit */
  184037. png_ptr->flags &= ~PNG_FLAG_CRC_ANCILLARY_MASK;
  184038. png_ptr->flags |= PNG_FLAG_CRC_ANCILLARY_NOWARN;
  184039. break;
  184040. case PNG_CRC_WARN_DISCARD: /* warn/discard data */
  184041. case PNG_CRC_DEFAULT:
  184042. default:
  184043. png_ptr->flags &= ~PNG_FLAG_CRC_ANCILLARY_MASK;
  184044. break;
  184045. }
  184046. }
  184047. #if defined(PNG_READ_BACKGROUND_SUPPORTED) && \
  184048. defined(PNG_FLOATING_POINT_SUPPORTED)
  184049. /* handle alpha and tRNS via a background color */
  184050. void PNGAPI
  184051. png_set_background(png_structp png_ptr,
  184052. png_color_16p background_color, int background_gamma_code,
  184053. int need_expand, double background_gamma)
  184054. {
  184055. png_debug(1, "in png_set_background\n");
  184056. if(png_ptr == NULL) return;
  184057. if (background_gamma_code == PNG_BACKGROUND_GAMMA_UNKNOWN)
  184058. {
  184059. png_warning(png_ptr, "Application must supply a known background gamma");
  184060. return;
  184061. }
  184062. png_ptr->transformations |= PNG_BACKGROUND;
  184063. png_memcpy(&(png_ptr->background), background_color,
  184064. png_sizeof(png_color_16));
  184065. png_ptr->background_gamma = (float)background_gamma;
  184066. png_ptr->background_gamma_type = (png_byte)(background_gamma_code);
  184067. png_ptr->transformations |= (need_expand ? PNG_BACKGROUND_EXPAND : 0);
  184068. }
  184069. #endif
  184070. #if defined(PNG_READ_16_TO_8_SUPPORTED)
  184071. /* strip 16 bit depth files to 8 bit depth */
  184072. void PNGAPI
  184073. png_set_strip_16(png_structp png_ptr)
  184074. {
  184075. png_debug(1, "in png_set_strip_16\n");
  184076. if(png_ptr == NULL) return;
  184077. png_ptr->transformations |= PNG_16_TO_8;
  184078. }
  184079. #endif
  184080. #if defined(PNG_READ_STRIP_ALPHA_SUPPORTED)
  184081. void PNGAPI
  184082. png_set_strip_alpha(png_structp png_ptr)
  184083. {
  184084. png_debug(1, "in png_set_strip_alpha\n");
  184085. if(png_ptr == NULL) return;
  184086. png_ptr->flags |= PNG_FLAG_STRIP_ALPHA;
  184087. }
  184088. #endif
  184089. #if defined(PNG_READ_DITHER_SUPPORTED)
  184090. /* Dither file to 8 bit. Supply a palette, the current number
  184091. * of elements in the palette, the maximum number of elements
  184092. * allowed, and a histogram if possible. If the current number
  184093. * of colors is greater then the maximum number, the palette will be
  184094. * modified to fit in the maximum number. "full_dither" indicates
  184095. * whether we need a dithering cube set up for RGB images, or if we
  184096. * simply are reducing the number of colors in a paletted image.
  184097. */
  184098. typedef struct png_dsort_struct
  184099. {
  184100. struct png_dsort_struct FAR * next;
  184101. png_byte left;
  184102. png_byte right;
  184103. } png_dsort;
  184104. typedef png_dsort FAR * png_dsortp;
  184105. typedef png_dsort FAR * FAR * png_dsortpp;
  184106. void PNGAPI
  184107. png_set_dither(png_structp png_ptr, png_colorp palette,
  184108. int num_palette, int maximum_colors, png_uint_16p histogram,
  184109. int full_dither)
  184110. {
  184111. png_debug(1, "in png_set_dither\n");
  184112. if(png_ptr == NULL) return;
  184113. png_ptr->transformations |= PNG_DITHER;
  184114. if (!full_dither)
  184115. {
  184116. int i;
  184117. png_ptr->dither_index = (png_bytep)png_malloc(png_ptr,
  184118. (png_uint_32)(num_palette * png_sizeof (png_byte)));
  184119. for (i = 0; i < num_palette; i++)
  184120. png_ptr->dither_index[i] = (png_byte)i;
  184121. }
  184122. if (num_palette > maximum_colors)
  184123. {
  184124. if (histogram != NULL)
  184125. {
  184126. /* This is easy enough, just throw out the least used colors.
  184127. Perhaps not the best solution, but good enough. */
  184128. int i;
  184129. /* initialize an array to sort colors */
  184130. png_ptr->dither_sort = (png_bytep)png_malloc(png_ptr,
  184131. (png_uint_32)(num_palette * png_sizeof (png_byte)));
  184132. /* initialize the dither_sort array */
  184133. for (i = 0; i < num_palette; i++)
  184134. png_ptr->dither_sort[i] = (png_byte)i;
  184135. /* Find the least used palette entries by starting a
  184136. bubble sort, and running it until we have sorted
  184137. out enough colors. Note that we don't care about
  184138. sorting all the colors, just finding which are
  184139. least used. */
  184140. for (i = num_palette - 1; i >= maximum_colors; i--)
  184141. {
  184142. int done; /* to stop early if the list is pre-sorted */
  184143. int j;
  184144. done = 1;
  184145. for (j = 0; j < i; j++)
  184146. {
  184147. if (histogram[png_ptr->dither_sort[j]]
  184148. < histogram[png_ptr->dither_sort[j + 1]])
  184149. {
  184150. png_byte t;
  184151. t = png_ptr->dither_sort[j];
  184152. png_ptr->dither_sort[j] = png_ptr->dither_sort[j + 1];
  184153. png_ptr->dither_sort[j + 1] = t;
  184154. done = 0;
  184155. }
  184156. }
  184157. if (done)
  184158. break;
  184159. }
  184160. /* swap the palette around, and set up a table, if necessary */
  184161. if (full_dither)
  184162. {
  184163. int j = num_palette;
  184164. /* put all the useful colors within the max, but don't
  184165. move the others */
  184166. for (i = 0; i < maximum_colors; i++)
  184167. {
  184168. if ((int)png_ptr->dither_sort[i] >= maximum_colors)
  184169. {
  184170. do
  184171. j--;
  184172. while ((int)png_ptr->dither_sort[j] >= maximum_colors);
  184173. palette[i] = palette[j];
  184174. }
  184175. }
  184176. }
  184177. else
  184178. {
  184179. int j = num_palette;
  184180. /* move all the used colors inside the max limit, and
  184181. develop a translation table */
  184182. for (i = 0; i < maximum_colors; i++)
  184183. {
  184184. /* only move the colors we need to */
  184185. if ((int)png_ptr->dither_sort[i] >= maximum_colors)
  184186. {
  184187. png_color tmp_color;
  184188. do
  184189. j--;
  184190. while ((int)png_ptr->dither_sort[j] >= maximum_colors);
  184191. tmp_color = palette[j];
  184192. palette[j] = palette[i];
  184193. palette[i] = tmp_color;
  184194. /* indicate where the color went */
  184195. png_ptr->dither_index[j] = (png_byte)i;
  184196. png_ptr->dither_index[i] = (png_byte)j;
  184197. }
  184198. }
  184199. /* find closest color for those colors we are not using */
  184200. for (i = 0; i < num_palette; i++)
  184201. {
  184202. if ((int)png_ptr->dither_index[i] >= maximum_colors)
  184203. {
  184204. int min_d, k, min_k, d_index;
  184205. /* find the closest color to one we threw out */
  184206. d_index = png_ptr->dither_index[i];
  184207. min_d = PNG_COLOR_DIST(palette[d_index], palette[0]);
  184208. for (k = 1, min_k = 0; k < maximum_colors; k++)
  184209. {
  184210. int d;
  184211. d = PNG_COLOR_DIST(palette[d_index], palette[k]);
  184212. if (d < min_d)
  184213. {
  184214. min_d = d;
  184215. min_k = k;
  184216. }
  184217. }
  184218. /* point to closest color */
  184219. png_ptr->dither_index[i] = (png_byte)min_k;
  184220. }
  184221. }
  184222. }
  184223. png_free(png_ptr, png_ptr->dither_sort);
  184224. png_ptr->dither_sort=NULL;
  184225. }
  184226. else
  184227. {
  184228. /* This is much harder to do simply (and quickly). Perhaps
  184229. we need to go through a median cut routine, but those
  184230. don't always behave themselves with only a few colors
  184231. as input. So we will just find the closest two colors,
  184232. and throw out one of them (chosen somewhat randomly).
  184233. [We don't understand this at all, so if someone wants to
  184234. work on improving it, be our guest - AED, GRP]
  184235. */
  184236. int i;
  184237. int max_d;
  184238. int num_new_palette;
  184239. png_dsortp t;
  184240. png_dsortpp hash;
  184241. t=NULL;
  184242. /* initialize palette index arrays */
  184243. png_ptr->index_to_palette = (png_bytep)png_malloc(png_ptr,
  184244. (png_uint_32)(num_palette * png_sizeof (png_byte)));
  184245. png_ptr->palette_to_index = (png_bytep)png_malloc(png_ptr,
  184246. (png_uint_32)(num_palette * png_sizeof (png_byte)));
  184247. /* initialize the sort array */
  184248. for (i = 0; i < num_palette; i++)
  184249. {
  184250. png_ptr->index_to_palette[i] = (png_byte)i;
  184251. png_ptr->palette_to_index[i] = (png_byte)i;
  184252. }
  184253. hash = (png_dsortpp)png_malloc(png_ptr, (png_uint_32)(769 *
  184254. png_sizeof (png_dsortp)));
  184255. for (i = 0; i < 769; i++)
  184256. hash[i] = NULL;
  184257. /* png_memset(hash, 0, 769 * png_sizeof (png_dsortp)); */
  184258. num_new_palette = num_palette;
  184259. /* initial wild guess at how far apart the farthest pixel
  184260. pair we will be eliminating will be. Larger
  184261. numbers mean more areas will be allocated, Smaller
  184262. numbers run the risk of not saving enough data, and
  184263. having to do this all over again.
  184264. I have not done extensive checking on this number.
  184265. */
  184266. max_d = 96;
  184267. while (num_new_palette > maximum_colors)
  184268. {
  184269. for (i = 0; i < num_new_palette - 1; i++)
  184270. {
  184271. int j;
  184272. for (j = i + 1; j < num_new_palette; j++)
  184273. {
  184274. int d;
  184275. d = PNG_COLOR_DIST(palette[i], palette[j]);
  184276. if (d <= max_d)
  184277. {
  184278. t = (png_dsortp)png_malloc_warn(png_ptr,
  184279. (png_uint_32)(png_sizeof(png_dsort)));
  184280. if (t == NULL)
  184281. break;
  184282. t->next = hash[d];
  184283. t->left = (png_byte)i;
  184284. t->right = (png_byte)j;
  184285. hash[d] = t;
  184286. }
  184287. }
  184288. if (t == NULL)
  184289. break;
  184290. }
  184291. if (t != NULL)
  184292. for (i = 0; i <= max_d; i++)
  184293. {
  184294. if (hash[i] != NULL)
  184295. {
  184296. png_dsortp p;
  184297. for (p = hash[i]; p; p = p->next)
  184298. {
  184299. if ((int)png_ptr->index_to_palette[p->left]
  184300. < num_new_palette &&
  184301. (int)png_ptr->index_to_palette[p->right]
  184302. < num_new_palette)
  184303. {
  184304. int j, next_j;
  184305. if (num_new_palette & 0x01)
  184306. {
  184307. j = p->left;
  184308. next_j = p->right;
  184309. }
  184310. else
  184311. {
  184312. j = p->right;
  184313. next_j = p->left;
  184314. }
  184315. num_new_palette--;
  184316. palette[png_ptr->index_to_palette[j]]
  184317. = palette[num_new_palette];
  184318. if (!full_dither)
  184319. {
  184320. int k;
  184321. for (k = 0; k < num_palette; k++)
  184322. {
  184323. if (png_ptr->dither_index[k] ==
  184324. png_ptr->index_to_palette[j])
  184325. png_ptr->dither_index[k] =
  184326. png_ptr->index_to_palette[next_j];
  184327. if ((int)png_ptr->dither_index[k] ==
  184328. num_new_palette)
  184329. png_ptr->dither_index[k] =
  184330. png_ptr->index_to_palette[j];
  184331. }
  184332. }
  184333. png_ptr->index_to_palette[png_ptr->palette_to_index
  184334. [num_new_palette]] = png_ptr->index_to_palette[j];
  184335. png_ptr->palette_to_index[png_ptr->index_to_palette[j]]
  184336. = png_ptr->palette_to_index[num_new_palette];
  184337. png_ptr->index_to_palette[j] = (png_byte)num_new_palette;
  184338. png_ptr->palette_to_index[num_new_palette] = (png_byte)j;
  184339. }
  184340. if (num_new_palette <= maximum_colors)
  184341. break;
  184342. }
  184343. if (num_new_palette <= maximum_colors)
  184344. break;
  184345. }
  184346. }
  184347. for (i = 0; i < 769; i++)
  184348. {
  184349. if (hash[i] != NULL)
  184350. {
  184351. png_dsortp p = hash[i];
  184352. while (p)
  184353. {
  184354. t = p->next;
  184355. png_free(png_ptr, p);
  184356. p = t;
  184357. }
  184358. }
  184359. hash[i] = 0;
  184360. }
  184361. max_d += 96;
  184362. }
  184363. png_free(png_ptr, hash);
  184364. png_free(png_ptr, png_ptr->palette_to_index);
  184365. png_free(png_ptr, png_ptr->index_to_palette);
  184366. png_ptr->palette_to_index=NULL;
  184367. png_ptr->index_to_palette=NULL;
  184368. }
  184369. num_palette = maximum_colors;
  184370. }
  184371. if (png_ptr->palette == NULL)
  184372. {
  184373. png_ptr->palette = palette;
  184374. }
  184375. png_ptr->num_palette = (png_uint_16)num_palette;
  184376. if (full_dither)
  184377. {
  184378. int i;
  184379. png_bytep distance;
  184380. int total_bits = PNG_DITHER_RED_BITS + PNG_DITHER_GREEN_BITS +
  184381. PNG_DITHER_BLUE_BITS;
  184382. int num_red = (1 << PNG_DITHER_RED_BITS);
  184383. int num_green = (1 << PNG_DITHER_GREEN_BITS);
  184384. int num_blue = (1 << PNG_DITHER_BLUE_BITS);
  184385. png_size_t num_entries = ((png_size_t)1 << total_bits);
  184386. png_ptr->palette_lookup = (png_bytep )png_malloc(png_ptr,
  184387. (png_uint_32)(num_entries * png_sizeof (png_byte)));
  184388. png_memset(png_ptr->palette_lookup, 0, num_entries *
  184389. png_sizeof (png_byte));
  184390. distance = (png_bytep)png_malloc(png_ptr, (png_uint_32)(num_entries *
  184391. png_sizeof(png_byte)));
  184392. png_memset(distance, 0xff, num_entries * png_sizeof(png_byte));
  184393. for (i = 0; i < num_palette; i++)
  184394. {
  184395. int ir, ig, ib;
  184396. int r = (palette[i].red >> (8 - PNG_DITHER_RED_BITS));
  184397. int g = (palette[i].green >> (8 - PNG_DITHER_GREEN_BITS));
  184398. int b = (palette[i].blue >> (8 - PNG_DITHER_BLUE_BITS));
  184399. for (ir = 0; ir < num_red; ir++)
  184400. {
  184401. /* int dr = abs(ir - r); */
  184402. int dr = ((ir > r) ? ir - r : r - ir);
  184403. int index_r = (ir << (PNG_DITHER_BLUE_BITS + PNG_DITHER_GREEN_BITS));
  184404. for (ig = 0; ig < num_green; ig++)
  184405. {
  184406. /* int dg = abs(ig - g); */
  184407. int dg = ((ig > g) ? ig - g : g - ig);
  184408. int dt = dr + dg;
  184409. int dm = ((dr > dg) ? dr : dg);
  184410. int index_g = index_r | (ig << PNG_DITHER_BLUE_BITS);
  184411. for (ib = 0; ib < num_blue; ib++)
  184412. {
  184413. int d_index = index_g | ib;
  184414. /* int db = abs(ib - b); */
  184415. int db = ((ib > b) ? ib - b : b - ib);
  184416. int dmax = ((dm > db) ? dm : db);
  184417. int d = dmax + dt + db;
  184418. if (d < (int)distance[d_index])
  184419. {
  184420. distance[d_index] = (png_byte)d;
  184421. png_ptr->palette_lookup[d_index] = (png_byte)i;
  184422. }
  184423. }
  184424. }
  184425. }
  184426. }
  184427. png_free(png_ptr, distance);
  184428. }
  184429. }
  184430. #endif
  184431. #if defined(PNG_READ_GAMMA_SUPPORTED) && defined(PNG_FLOATING_POINT_SUPPORTED)
  184432. /* Transform the image from the file_gamma to the screen_gamma. We
  184433. * only do transformations on images where the file_gamma and screen_gamma
  184434. * are not close reciprocals, otherwise it slows things down slightly, and
  184435. * also needlessly introduces small errors.
  184436. *
  184437. * We will turn off gamma transformation later if no semitransparent entries
  184438. * are present in the tRNS array for palette images. We can't do it here
  184439. * because we don't necessarily have the tRNS chunk yet.
  184440. */
  184441. void PNGAPI
  184442. png_set_gamma(png_structp png_ptr, double scrn_gamma, double file_gamma)
  184443. {
  184444. png_debug(1, "in png_set_gamma\n");
  184445. if(png_ptr == NULL) return;
  184446. if ((fabs(scrn_gamma * file_gamma - 1.0) > PNG_GAMMA_THRESHOLD) ||
  184447. (png_ptr->color_type & PNG_COLOR_MASK_ALPHA) ||
  184448. (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE))
  184449. png_ptr->transformations |= PNG_GAMMA;
  184450. png_ptr->gamma = (float)file_gamma;
  184451. png_ptr->screen_gamma = (float)scrn_gamma;
  184452. }
  184453. #endif
  184454. #if defined(PNG_READ_EXPAND_SUPPORTED)
  184455. /* Expand paletted images to RGB, expand grayscale images of
  184456. * less than 8-bit depth to 8-bit depth, and expand tRNS chunks
  184457. * to alpha channels.
  184458. */
  184459. void PNGAPI
  184460. png_set_expand(png_structp png_ptr)
  184461. {
  184462. png_debug(1, "in png_set_expand\n");
  184463. if(png_ptr == NULL) return;
  184464. png_ptr->transformations |= (PNG_EXPAND | PNG_EXPAND_tRNS);
  184465. #ifdef PNG_WARN_UNINITIALIZED_ROW
  184466. png_ptr->flags &= ~PNG_FLAG_ROW_INIT;
  184467. #endif
  184468. }
  184469. /* GRR 19990627: the following three functions currently are identical
  184470. * to png_set_expand(). However, it is entirely reasonable that someone
  184471. * might wish to expand an indexed image to RGB but *not* expand a single,
  184472. * fully transparent palette entry to a full alpha channel--perhaps instead
  184473. * convert tRNS to the grayscale/RGB format (16-bit RGB value), or replace
  184474. * the transparent color with a particular RGB value, or drop tRNS entirely.
  184475. * IOW, a future version of the library may make the transformations flag
  184476. * a bit more fine-grained, with separate bits for each of these three
  184477. * functions.
  184478. *
  184479. * More to the point, these functions make it obvious what libpng will be
  184480. * doing, whereas "expand" can (and does) mean any number of things.
  184481. *
  184482. * GRP 20060307: In libpng-1.4.0, png_set_gray_1_2_4_to_8() was modified
  184483. * to expand only the sample depth but not to expand the tRNS to alpha.
  184484. */
  184485. /* Expand paletted images to RGB. */
  184486. void PNGAPI
  184487. png_set_palette_to_rgb(png_structp png_ptr)
  184488. {
  184489. png_debug(1, "in png_set_palette_to_rgb\n");
  184490. if(png_ptr == NULL) return;
  184491. png_ptr->transformations |= (PNG_EXPAND | PNG_EXPAND_tRNS);
  184492. #ifdef PNG_WARN_UNINITIALIZED_ROW
  184493. png_ptr->flags &= !(PNG_FLAG_ROW_INIT);
  184494. png_ptr->flags &= ~PNG_FLAG_ROW_INIT;
  184495. #endif
  184496. }
  184497. #if !defined(PNG_1_0_X)
  184498. /* Expand grayscale images of less than 8-bit depth to 8 bits. */
  184499. void PNGAPI
  184500. png_set_expand_gray_1_2_4_to_8(png_structp png_ptr)
  184501. {
  184502. png_debug(1, "in png_set_expand_gray_1_2_4_to_8\n");
  184503. if(png_ptr == NULL) return;
  184504. png_ptr->transformations |= PNG_EXPAND;
  184505. #ifdef PNG_WARN_UNINITIALIZED_ROW
  184506. png_ptr->flags &= ~PNG_FLAG_ROW_INIT;
  184507. #endif
  184508. }
  184509. #endif
  184510. #if defined(PNG_1_0_X) || defined(PNG_1_2_X)
  184511. /* Expand grayscale images of less than 8-bit depth to 8 bits. */
  184512. /* Deprecated as of libpng-1.2.9 */
  184513. void PNGAPI
  184514. png_set_gray_1_2_4_to_8(png_structp png_ptr)
  184515. {
  184516. png_debug(1, "in png_set_gray_1_2_4_to_8\n");
  184517. if(png_ptr == NULL) return;
  184518. png_ptr->transformations |= (PNG_EXPAND | PNG_EXPAND_tRNS);
  184519. }
  184520. #endif
  184521. /* Expand tRNS chunks to alpha channels. */
  184522. void PNGAPI
  184523. png_set_tRNS_to_alpha(png_structp png_ptr)
  184524. {
  184525. png_debug(1, "in png_set_tRNS_to_alpha\n");
  184526. png_ptr->transformations |= (PNG_EXPAND | PNG_EXPAND_tRNS);
  184527. #ifdef PNG_WARN_UNINITIALIZED_ROW
  184528. png_ptr->flags &= ~PNG_FLAG_ROW_INIT;
  184529. #endif
  184530. }
  184531. #endif /* defined(PNG_READ_EXPAND_SUPPORTED) */
  184532. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  184533. void PNGAPI
  184534. png_set_gray_to_rgb(png_structp png_ptr)
  184535. {
  184536. png_debug(1, "in png_set_gray_to_rgb\n");
  184537. png_ptr->transformations |= PNG_GRAY_TO_RGB;
  184538. #ifdef PNG_WARN_UNINITIALIZED_ROW
  184539. png_ptr->flags &= ~PNG_FLAG_ROW_INIT;
  184540. #endif
  184541. }
  184542. #endif
  184543. #if defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  184544. #if defined(PNG_FLOATING_POINT_SUPPORTED)
  184545. /* Convert a RGB image to a grayscale of the same width. This allows us,
  184546. * for example, to convert a 24 bpp RGB image into an 8 bpp grayscale image.
  184547. */
  184548. void PNGAPI
  184549. png_set_rgb_to_gray(png_structp png_ptr, int error_action, double red,
  184550. double green)
  184551. {
  184552. int red_fixed = (int)((float)red*100000.0 + 0.5);
  184553. int green_fixed = (int)((float)green*100000.0 + 0.5);
  184554. if(png_ptr == NULL) return;
  184555. png_set_rgb_to_gray_fixed(png_ptr, error_action, red_fixed, green_fixed);
  184556. }
  184557. #endif
  184558. void PNGAPI
  184559. png_set_rgb_to_gray_fixed(png_structp png_ptr, int error_action,
  184560. png_fixed_point red, png_fixed_point green)
  184561. {
  184562. png_debug(1, "in png_set_rgb_to_gray\n");
  184563. if(png_ptr == NULL) return;
  184564. switch(error_action)
  184565. {
  184566. case 1: png_ptr->transformations |= PNG_RGB_TO_GRAY;
  184567. break;
  184568. case 2: png_ptr->transformations |= PNG_RGB_TO_GRAY_WARN;
  184569. break;
  184570. case 3: png_ptr->transformations |= PNG_RGB_TO_GRAY_ERR;
  184571. }
  184572. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  184573. #if defined(PNG_READ_EXPAND_SUPPORTED)
  184574. png_ptr->transformations |= PNG_EXPAND;
  184575. #else
  184576. {
  184577. png_warning(png_ptr, "Cannot do RGB_TO_GRAY without EXPAND_SUPPORTED.");
  184578. png_ptr->transformations &= ~PNG_RGB_TO_GRAY;
  184579. }
  184580. #endif
  184581. {
  184582. png_uint_16 red_int, green_int;
  184583. if(red < 0 || green < 0)
  184584. {
  184585. red_int = 6968; /* .212671 * 32768 + .5 */
  184586. green_int = 23434; /* .715160 * 32768 + .5 */
  184587. }
  184588. else if(red + green < 100000L)
  184589. {
  184590. red_int = (png_uint_16)(((png_uint_32)red*32768L)/100000L);
  184591. green_int = (png_uint_16)(((png_uint_32)green*32768L)/100000L);
  184592. }
  184593. else
  184594. {
  184595. png_warning(png_ptr, "ignoring out of range rgb_to_gray coefficients");
  184596. red_int = 6968;
  184597. green_int = 23434;
  184598. }
  184599. png_ptr->rgb_to_gray_red_coeff = red_int;
  184600. png_ptr->rgb_to_gray_green_coeff = green_int;
  184601. png_ptr->rgb_to_gray_blue_coeff = (png_uint_16)(32768-red_int-green_int);
  184602. }
  184603. }
  184604. #endif
  184605. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED) || \
  184606. defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED) || \
  184607. defined(PNG_LEGACY_SUPPORTED)
  184608. void PNGAPI
  184609. png_set_read_user_transform_fn(png_structp png_ptr, png_user_transform_ptr
  184610. read_user_transform_fn)
  184611. {
  184612. png_debug(1, "in png_set_read_user_transform_fn\n");
  184613. if(png_ptr == NULL) return;
  184614. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED)
  184615. png_ptr->transformations |= PNG_USER_TRANSFORM;
  184616. png_ptr->read_user_transform_fn = read_user_transform_fn;
  184617. #endif
  184618. #ifdef PNG_LEGACY_SUPPORTED
  184619. if(read_user_transform_fn)
  184620. png_warning(png_ptr,
  184621. "This version of libpng does not support user transforms");
  184622. #endif
  184623. }
  184624. #endif
  184625. /* Initialize everything needed for the read. This includes modifying
  184626. * the palette.
  184627. */
  184628. void /* PRIVATE */
  184629. png_init_read_transformations(png_structp png_ptr)
  184630. {
  184631. png_debug(1, "in png_init_read_transformations\n");
  184632. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  184633. if(png_ptr != NULL)
  184634. #endif
  184635. {
  184636. #if defined(PNG_READ_BACKGROUND_SUPPORTED) || defined(PNG_READ_SHIFT_SUPPORTED) \
  184637. || defined(PNG_READ_GAMMA_SUPPORTED)
  184638. int color_type = png_ptr->color_type;
  184639. #endif
  184640. #if defined(PNG_READ_EXPAND_SUPPORTED) && defined(PNG_READ_BACKGROUND_SUPPORTED)
  184641. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  184642. /* Detect gray background and attempt to enable optimization
  184643. * for gray --> RGB case */
  184644. /* Note: if PNG_BACKGROUND_EXPAND is set and color_type is either RGB or
  184645. * RGB_ALPHA (in which case need_expand is superfluous anyway), the
  184646. * background color might actually be gray yet not be flagged as such.
  184647. * This is not a problem for the current code, which uses
  184648. * PNG_BACKGROUND_IS_GRAY only to decide when to do the
  184649. * png_do_gray_to_rgb() transformation.
  184650. */
  184651. if ((png_ptr->transformations & PNG_BACKGROUND_EXPAND) &&
  184652. !(color_type & PNG_COLOR_MASK_COLOR))
  184653. {
  184654. png_ptr->mode |= PNG_BACKGROUND_IS_GRAY;
  184655. } else if ((png_ptr->transformations & PNG_BACKGROUND) &&
  184656. !(png_ptr->transformations & PNG_BACKGROUND_EXPAND) &&
  184657. (png_ptr->transformations & PNG_GRAY_TO_RGB) &&
  184658. png_ptr->background.red == png_ptr->background.green &&
  184659. png_ptr->background.red == png_ptr->background.blue)
  184660. {
  184661. png_ptr->mode |= PNG_BACKGROUND_IS_GRAY;
  184662. png_ptr->background.gray = png_ptr->background.red;
  184663. }
  184664. #endif
  184665. if ((png_ptr->transformations & PNG_BACKGROUND_EXPAND) &&
  184666. (png_ptr->transformations & PNG_EXPAND))
  184667. {
  184668. if (!(color_type & PNG_COLOR_MASK_COLOR)) /* i.e., GRAY or GRAY_ALPHA */
  184669. {
  184670. /* expand background and tRNS chunks */
  184671. switch (png_ptr->bit_depth)
  184672. {
  184673. case 1:
  184674. png_ptr->background.gray *= (png_uint_16)0xff;
  184675. png_ptr->background.red = png_ptr->background.green
  184676. = png_ptr->background.blue = png_ptr->background.gray;
  184677. if (!(png_ptr->transformations & PNG_EXPAND_tRNS))
  184678. {
  184679. png_ptr->trans_values.gray *= (png_uint_16)0xff;
  184680. png_ptr->trans_values.red = png_ptr->trans_values.green
  184681. = png_ptr->trans_values.blue = png_ptr->trans_values.gray;
  184682. }
  184683. break;
  184684. case 2:
  184685. png_ptr->background.gray *= (png_uint_16)0x55;
  184686. png_ptr->background.red = png_ptr->background.green
  184687. = png_ptr->background.blue = png_ptr->background.gray;
  184688. if (!(png_ptr->transformations & PNG_EXPAND_tRNS))
  184689. {
  184690. png_ptr->trans_values.gray *= (png_uint_16)0x55;
  184691. png_ptr->trans_values.red = png_ptr->trans_values.green
  184692. = png_ptr->trans_values.blue = png_ptr->trans_values.gray;
  184693. }
  184694. break;
  184695. case 4:
  184696. png_ptr->background.gray *= (png_uint_16)0x11;
  184697. png_ptr->background.red = png_ptr->background.green
  184698. = png_ptr->background.blue = png_ptr->background.gray;
  184699. if (!(png_ptr->transformations & PNG_EXPAND_tRNS))
  184700. {
  184701. png_ptr->trans_values.gray *= (png_uint_16)0x11;
  184702. png_ptr->trans_values.red = png_ptr->trans_values.green
  184703. = png_ptr->trans_values.blue = png_ptr->trans_values.gray;
  184704. }
  184705. break;
  184706. case 8:
  184707. case 16:
  184708. png_ptr->background.red = png_ptr->background.green
  184709. = png_ptr->background.blue = png_ptr->background.gray;
  184710. break;
  184711. }
  184712. }
  184713. else if (color_type == PNG_COLOR_TYPE_PALETTE)
  184714. {
  184715. png_ptr->background.red =
  184716. png_ptr->palette[png_ptr->background.index].red;
  184717. png_ptr->background.green =
  184718. png_ptr->palette[png_ptr->background.index].green;
  184719. png_ptr->background.blue =
  184720. png_ptr->palette[png_ptr->background.index].blue;
  184721. #if defined(PNG_READ_INVERT_ALPHA_SUPPORTED)
  184722. if (png_ptr->transformations & PNG_INVERT_ALPHA)
  184723. {
  184724. #if defined(PNG_READ_EXPAND_SUPPORTED)
  184725. if (!(png_ptr->transformations & PNG_EXPAND_tRNS))
  184726. #endif
  184727. {
  184728. /* invert the alpha channel (in tRNS) unless the pixels are
  184729. going to be expanded, in which case leave it for later */
  184730. int i,istop;
  184731. istop=(int)png_ptr->num_trans;
  184732. for (i=0; i<istop; i++)
  184733. png_ptr->trans[i] = (png_byte)(255 - png_ptr->trans[i]);
  184734. }
  184735. }
  184736. #endif
  184737. }
  184738. }
  184739. #endif
  184740. #if defined(PNG_READ_BACKGROUND_SUPPORTED) && defined(PNG_READ_GAMMA_SUPPORTED)
  184741. png_ptr->background_1 = png_ptr->background;
  184742. #endif
  184743. #if defined(PNG_READ_GAMMA_SUPPORTED) && defined(PNG_FLOATING_POINT_SUPPORTED)
  184744. if ((color_type == PNG_COLOR_TYPE_PALETTE && png_ptr->num_trans != 0)
  184745. && (fabs(png_ptr->screen_gamma * png_ptr->gamma - 1.0)
  184746. < PNG_GAMMA_THRESHOLD))
  184747. {
  184748. int i,k;
  184749. k=0;
  184750. for (i=0; i<png_ptr->num_trans; i++)
  184751. {
  184752. if (png_ptr->trans[i] != 0 && png_ptr->trans[i] != 0xff)
  184753. k=1; /* partial transparency is present */
  184754. }
  184755. if (k == 0)
  184756. png_ptr->transformations &= (~PNG_GAMMA);
  184757. }
  184758. if ((png_ptr->transformations & (PNG_GAMMA | PNG_RGB_TO_GRAY)) &&
  184759. png_ptr->gamma != 0.0)
  184760. {
  184761. png_build_gamma_table(png_ptr);
  184762. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  184763. if (png_ptr->transformations & PNG_BACKGROUND)
  184764. {
  184765. if (color_type == PNG_COLOR_TYPE_PALETTE)
  184766. {
  184767. /* could skip if no transparency and
  184768. */
  184769. png_color back, back_1;
  184770. png_colorp palette = png_ptr->palette;
  184771. int num_palette = png_ptr->num_palette;
  184772. int i;
  184773. if (png_ptr->background_gamma_type == PNG_BACKGROUND_GAMMA_FILE)
  184774. {
  184775. back.red = png_ptr->gamma_table[png_ptr->background.red];
  184776. back.green = png_ptr->gamma_table[png_ptr->background.green];
  184777. back.blue = png_ptr->gamma_table[png_ptr->background.blue];
  184778. back_1.red = png_ptr->gamma_to_1[png_ptr->background.red];
  184779. back_1.green = png_ptr->gamma_to_1[png_ptr->background.green];
  184780. back_1.blue = png_ptr->gamma_to_1[png_ptr->background.blue];
  184781. }
  184782. else
  184783. {
  184784. double g, gs;
  184785. switch (png_ptr->background_gamma_type)
  184786. {
  184787. case PNG_BACKGROUND_GAMMA_SCREEN:
  184788. g = (png_ptr->screen_gamma);
  184789. gs = 1.0;
  184790. break;
  184791. case PNG_BACKGROUND_GAMMA_FILE:
  184792. g = 1.0 / (png_ptr->gamma);
  184793. gs = 1.0 / (png_ptr->gamma * png_ptr->screen_gamma);
  184794. break;
  184795. case PNG_BACKGROUND_GAMMA_UNIQUE:
  184796. g = 1.0 / (png_ptr->background_gamma);
  184797. gs = 1.0 / (png_ptr->background_gamma *
  184798. png_ptr->screen_gamma);
  184799. break;
  184800. default:
  184801. g = 1.0; /* back_1 */
  184802. gs = 1.0; /* back */
  184803. }
  184804. if ( fabs(gs - 1.0) < PNG_GAMMA_THRESHOLD)
  184805. {
  184806. back.red = (png_byte)png_ptr->background.red;
  184807. back.green = (png_byte)png_ptr->background.green;
  184808. back.blue = (png_byte)png_ptr->background.blue;
  184809. }
  184810. else
  184811. {
  184812. back.red = (png_byte)(pow(
  184813. (double)png_ptr->background.red/255, gs) * 255.0 + .5);
  184814. back.green = (png_byte)(pow(
  184815. (double)png_ptr->background.green/255, gs) * 255.0 + .5);
  184816. back.blue = (png_byte)(pow(
  184817. (double)png_ptr->background.blue/255, gs) * 255.0 + .5);
  184818. }
  184819. back_1.red = (png_byte)(pow(
  184820. (double)png_ptr->background.red/255, g) * 255.0 + .5);
  184821. back_1.green = (png_byte)(pow(
  184822. (double)png_ptr->background.green/255, g) * 255.0 + .5);
  184823. back_1.blue = (png_byte)(pow(
  184824. (double)png_ptr->background.blue/255, g) * 255.0 + .5);
  184825. }
  184826. for (i = 0; i < num_palette; i++)
  184827. {
  184828. if (i < (int)png_ptr->num_trans && png_ptr->trans[i] != 0xff)
  184829. {
  184830. if (png_ptr->trans[i] == 0)
  184831. {
  184832. palette[i] = back;
  184833. }
  184834. else /* if (png_ptr->trans[i] != 0xff) */
  184835. {
  184836. png_byte v, w;
  184837. v = png_ptr->gamma_to_1[palette[i].red];
  184838. png_composite(w, v, png_ptr->trans[i], back_1.red);
  184839. palette[i].red = png_ptr->gamma_from_1[w];
  184840. v = png_ptr->gamma_to_1[palette[i].green];
  184841. png_composite(w, v, png_ptr->trans[i], back_1.green);
  184842. palette[i].green = png_ptr->gamma_from_1[w];
  184843. v = png_ptr->gamma_to_1[palette[i].blue];
  184844. png_composite(w, v, png_ptr->trans[i], back_1.blue);
  184845. palette[i].blue = png_ptr->gamma_from_1[w];
  184846. }
  184847. }
  184848. else
  184849. {
  184850. palette[i].red = png_ptr->gamma_table[palette[i].red];
  184851. palette[i].green = png_ptr->gamma_table[palette[i].green];
  184852. palette[i].blue = png_ptr->gamma_table[palette[i].blue];
  184853. }
  184854. }
  184855. }
  184856. /* if (png_ptr->background_gamma_type!=PNG_BACKGROUND_GAMMA_UNKNOWN) */
  184857. else
  184858. /* color_type != PNG_COLOR_TYPE_PALETTE */
  184859. {
  184860. double m = (double)(((png_uint_32)1 << png_ptr->bit_depth) - 1);
  184861. double g = 1.0;
  184862. double gs = 1.0;
  184863. switch (png_ptr->background_gamma_type)
  184864. {
  184865. case PNG_BACKGROUND_GAMMA_SCREEN:
  184866. g = (png_ptr->screen_gamma);
  184867. gs = 1.0;
  184868. break;
  184869. case PNG_BACKGROUND_GAMMA_FILE:
  184870. g = 1.0 / (png_ptr->gamma);
  184871. gs = 1.0 / (png_ptr->gamma * png_ptr->screen_gamma);
  184872. break;
  184873. case PNG_BACKGROUND_GAMMA_UNIQUE:
  184874. g = 1.0 / (png_ptr->background_gamma);
  184875. gs = 1.0 / (png_ptr->background_gamma *
  184876. png_ptr->screen_gamma);
  184877. break;
  184878. }
  184879. png_ptr->background_1.gray = (png_uint_16)(pow(
  184880. (double)png_ptr->background.gray / m, g) * m + .5);
  184881. png_ptr->background.gray = (png_uint_16)(pow(
  184882. (double)png_ptr->background.gray / m, gs) * m + .5);
  184883. if ((png_ptr->background.red != png_ptr->background.green) ||
  184884. (png_ptr->background.red != png_ptr->background.blue) ||
  184885. (png_ptr->background.red != png_ptr->background.gray))
  184886. {
  184887. /* RGB or RGBA with color background */
  184888. png_ptr->background_1.red = (png_uint_16)(pow(
  184889. (double)png_ptr->background.red / m, g) * m + .5);
  184890. png_ptr->background_1.green = (png_uint_16)(pow(
  184891. (double)png_ptr->background.green / m, g) * m + .5);
  184892. png_ptr->background_1.blue = (png_uint_16)(pow(
  184893. (double)png_ptr->background.blue / m, g) * m + .5);
  184894. png_ptr->background.red = (png_uint_16)(pow(
  184895. (double)png_ptr->background.red / m, gs) * m + .5);
  184896. png_ptr->background.green = (png_uint_16)(pow(
  184897. (double)png_ptr->background.green / m, gs) * m + .5);
  184898. png_ptr->background.blue = (png_uint_16)(pow(
  184899. (double)png_ptr->background.blue / m, gs) * m + .5);
  184900. }
  184901. else
  184902. {
  184903. /* GRAY, GRAY ALPHA, RGB, or RGBA with gray background */
  184904. png_ptr->background_1.red = png_ptr->background_1.green
  184905. = png_ptr->background_1.blue = png_ptr->background_1.gray;
  184906. png_ptr->background.red = png_ptr->background.green
  184907. = png_ptr->background.blue = png_ptr->background.gray;
  184908. }
  184909. }
  184910. }
  184911. else
  184912. /* transformation does not include PNG_BACKGROUND */
  184913. #endif /* PNG_READ_BACKGROUND_SUPPORTED */
  184914. if (color_type == PNG_COLOR_TYPE_PALETTE)
  184915. {
  184916. png_colorp palette = png_ptr->palette;
  184917. int num_palette = png_ptr->num_palette;
  184918. int i;
  184919. for (i = 0; i < num_palette; i++)
  184920. {
  184921. palette[i].red = png_ptr->gamma_table[palette[i].red];
  184922. palette[i].green = png_ptr->gamma_table[palette[i].green];
  184923. palette[i].blue = png_ptr->gamma_table[palette[i].blue];
  184924. }
  184925. }
  184926. }
  184927. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  184928. else
  184929. #endif
  184930. #endif /* PNG_READ_GAMMA_SUPPORTED && PNG_FLOATING_POINT_SUPPORTED */
  184931. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  184932. /* No GAMMA transformation */
  184933. if ((png_ptr->transformations & PNG_BACKGROUND) &&
  184934. (color_type == PNG_COLOR_TYPE_PALETTE))
  184935. {
  184936. int i;
  184937. int istop = (int)png_ptr->num_trans;
  184938. png_color back;
  184939. png_colorp palette = png_ptr->palette;
  184940. back.red = (png_byte)png_ptr->background.red;
  184941. back.green = (png_byte)png_ptr->background.green;
  184942. back.blue = (png_byte)png_ptr->background.blue;
  184943. for (i = 0; i < istop; i++)
  184944. {
  184945. if (png_ptr->trans[i] == 0)
  184946. {
  184947. palette[i] = back;
  184948. }
  184949. else if (png_ptr->trans[i] != 0xff)
  184950. {
  184951. /* The png_composite() macro is defined in png.h */
  184952. png_composite(palette[i].red, palette[i].red,
  184953. png_ptr->trans[i], back.red);
  184954. png_composite(palette[i].green, palette[i].green,
  184955. png_ptr->trans[i], back.green);
  184956. png_composite(palette[i].blue, palette[i].blue,
  184957. png_ptr->trans[i], back.blue);
  184958. }
  184959. }
  184960. }
  184961. #endif /* PNG_READ_BACKGROUND_SUPPORTED */
  184962. #if defined(PNG_READ_SHIFT_SUPPORTED)
  184963. if ((png_ptr->transformations & PNG_SHIFT) &&
  184964. (color_type == PNG_COLOR_TYPE_PALETTE))
  184965. {
  184966. png_uint_16 i;
  184967. png_uint_16 istop = png_ptr->num_palette;
  184968. int sr = 8 - png_ptr->sig_bit.red;
  184969. int sg = 8 - png_ptr->sig_bit.green;
  184970. int sb = 8 - png_ptr->sig_bit.blue;
  184971. if (sr < 0 || sr > 8)
  184972. sr = 0;
  184973. if (sg < 0 || sg > 8)
  184974. sg = 0;
  184975. if (sb < 0 || sb > 8)
  184976. sb = 0;
  184977. for (i = 0; i < istop; i++)
  184978. {
  184979. png_ptr->palette[i].red >>= sr;
  184980. png_ptr->palette[i].green >>= sg;
  184981. png_ptr->palette[i].blue >>= sb;
  184982. }
  184983. }
  184984. #endif /* PNG_READ_SHIFT_SUPPORTED */
  184985. }
  184986. #if !defined(PNG_READ_GAMMA_SUPPORTED) && !defined(PNG_READ_SHIFT_SUPPORTED) \
  184987. && !defined(PNG_READ_BACKGROUND_SUPPORTED)
  184988. if(png_ptr)
  184989. return;
  184990. #endif
  184991. }
  184992. /* Modify the info structure to reflect the transformations. The
  184993. * info should be updated so a PNG file could be written with it,
  184994. * assuming the transformations result in valid PNG data.
  184995. */
  184996. void /* PRIVATE */
  184997. png_read_transform_info(png_structp png_ptr, png_infop info_ptr)
  184998. {
  184999. png_debug(1, "in png_read_transform_info\n");
  185000. #if defined(PNG_READ_EXPAND_SUPPORTED)
  185001. if (png_ptr->transformations & PNG_EXPAND)
  185002. {
  185003. if (info_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  185004. {
  185005. if (png_ptr->num_trans && (png_ptr->transformations & PNG_EXPAND_tRNS))
  185006. info_ptr->color_type = PNG_COLOR_TYPE_RGB_ALPHA;
  185007. else
  185008. info_ptr->color_type = PNG_COLOR_TYPE_RGB;
  185009. info_ptr->bit_depth = 8;
  185010. info_ptr->num_trans = 0;
  185011. }
  185012. else
  185013. {
  185014. if (png_ptr->num_trans)
  185015. {
  185016. if (png_ptr->transformations & PNG_EXPAND_tRNS)
  185017. info_ptr->color_type |= PNG_COLOR_MASK_ALPHA;
  185018. else
  185019. info_ptr->color_type |= PNG_COLOR_MASK_COLOR;
  185020. }
  185021. if (info_ptr->bit_depth < 8)
  185022. info_ptr->bit_depth = 8;
  185023. info_ptr->num_trans = 0;
  185024. }
  185025. }
  185026. #endif
  185027. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  185028. if (png_ptr->transformations & PNG_BACKGROUND)
  185029. {
  185030. info_ptr->color_type &= ~PNG_COLOR_MASK_ALPHA;
  185031. info_ptr->num_trans = 0;
  185032. info_ptr->background = png_ptr->background;
  185033. }
  185034. #endif
  185035. #if defined(PNG_READ_GAMMA_SUPPORTED)
  185036. if (png_ptr->transformations & PNG_GAMMA)
  185037. {
  185038. #ifdef PNG_FLOATING_POINT_SUPPORTED
  185039. info_ptr->gamma = png_ptr->gamma;
  185040. #endif
  185041. #ifdef PNG_FIXED_POINT_SUPPORTED
  185042. info_ptr->int_gamma = png_ptr->int_gamma;
  185043. #endif
  185044. }
  185045. #endif
  185046. #if defined(PNG_READ_16_TO_8_SUPPORTED)
  185047. if ((png_ptr->transformations & PNG_16_TO_8) && (info_ptr->bit_depth == 16))
  185048. info_ptr->bit_depth = 8;
  185049. #endif
  185050. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  185051. if (png_ptr->transformations & PNG_GRAY_TO_RGB)
  185052. info_ptr->color_type |= PNG_COLOR_MASK_COLOR;
  185053. #endif
  185054. #if defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  185055. if (png_ptr->transformations & PNG_RGB_TO_GRAY)
  185056. info_ptr->color_type &= ~PNG_COLOR_MASK_COLOR;
  185057. #endif
  185058. #if defined(PNG_READ_DITHER_SUPPORTED)
  185059. if (png_ptr->transformations & PNG_DITHER)
  185060. {
  185061. if (((info_ptr->color_type == PNG_COLOR_TYPE_RGB) ||
  185062. (info_ptr->color_type == PNG_COLOR_TYPE_RGB_ALPHA)) &&
  185063. png_ptr->palette_lookup && info_ptr->bit_depth == 8)
  185064. {
  185065. info_ptr->color_type = PNG_COLOR_TYPE_PALETTE;
  185066. }
  185067. }
  185068. #endif
  185069. #if defined(PNG_READ_PACK_SUPPORTED)
  185070. if ((png_ptr->transformations & PNG_PACK) && (info_ptr->bit_depth < 8))
  185071. info_ptr->bit_depth = 8;
  185072. #endif
  185073. if (info_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  185074. info_ptr->channels = 1;
  185075. else if (info_ptr->color_type & PNG_COLOR_MASK_COLOR)
  185076. info_ptr->channels = 3;
  185077. else
  185078. info_ptr->channels = 1;
  185079. #if defined(PNG_READ_STRIP_ALPHA_SUPPORTED)
  185080. if (png_ptr->flags & PNG_FLAG_STRIP_ALPHA)
  185081. info_ptr->color_type &= ~PNG_COLOR_MASK_ALPHA;
  185082. #endif
  185083. if (info_ptr->color_type & PNG_COLOR_MASK_ALPHA)
  185084. info_ptr->channels++;
  185085. #if defined(PNG_READ_FILLER_SUPPORTED)
  185086. /* STRIP_ALPHA and FILLER allowed: MASK_ALPHA bit stripped above */
  185087. if ((png_ptr->transformations & PNG_FILLER) &&
  185088. ((info_ptr->color_type == PNG_COLOR_TYPE_RGB) ||
  185089. (info_ptr->color_type == PNG_COLOR_TYPE_GRAY)))
  185090. {
  185091. info_ptr->channels++;
  185092. /* if adding a true alpha channel not just filler */
  185093. #if !defined(PNG_1_0_X)
  185094. if (png_ptr->transformations & PNG_ADD_ALPHA)
  185095. info_ptr->color_type |= PNG_COLOR_MASK_ALPHA;
  185096. #endif
  185097. }
  185098. #endif
  185099. #if defined(PNG_USER_TRANSFORM_PTR_SUPPORTED) && \
  185100. defined(PNG_READ_USER_TRANSFORM_SUPPORTED)
  185101. if(png_ptr->transformations & PNG_USER_TRANSFORM)
  185102. {
  185103. if(info_ptr->bit_depth < png_ptr->user_transform_depth)
  185104. info_ptr->bit_depth = png_ptr->user_transform_depth;
  185105. if(info_ptr->channels < png_ptr->user_transform_channels)
  185106. info_ptr->channels = png_ptr->user_transform_channels;
  185107. }
  185108. #endif
  185109. info_ptr->pixel_depth = (png_byte)(info_ptr->channels *
  185110. info_ptr->bit_depth);
  185111. info_ptr->rowbytes = PNG_ROWBYTES(info_ptr->pixel_depth,info_ptr->width);
  185112. #if !defined(PNG_READ_EXPAND_SUPPORTED)
  185113. if(png_ptr)
  185114. return;
  185115. #endif
  185116. }
  185117. /* Transform the row. The order of transformations is significant,
  185118. * and is very touchy. If you add a transformation, take care to
  185119. * decide how it fits in with the other transformations here.
  185120. */
  185121. void /* PRIVATE */
  185122. png_do_read_transformations(png_structp png_ptr)
  185123. {
  185124. png_debug(1, "in png_do_read_transformations\n");
  185125. if (png_ptr->row_buf == NULL)
  185126. {
  185127. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  185128. char msg[50];
  185129. png_snprintf2(msg, 50,
  185130. "NULL row buffer for row %ld, pass %d", png_ptr->row_number,
  185131. png_ptr->pass);
  185132. png_error(png_ptr, msg);
  185133. #else
  185134. png_error(png_ptr, "NULL row buffer");
  185135. #endif
  185136. }
  185137. #ifdef PNG_WARN_UNINITIALIZED_ROW
  185138. if (!(png_ptr->flags & PNG_FLAG_ROW_INIT))
  185139. /* Application has failed to call either png_read_start_image()
  185140. * or png_read_update_info() after setting transforms that expand
  185141. * pixels. This check added to libpng-1.2.19 */
  185142. #if (PNG_WARN_UNINITIALIZED_ROW==1)
  185143. png_error(png_ptr, "Uninitialized row");
  185144. #else
  185145. png_warning(png_ptr, "Uninitialized row");
  185146. #endif
  185147. #endif
  185148. #if defined(PNG_READ_EXPAND_SUPPORTED)
  185149. if (png_ptr->transformations & PNG_EXPAND)
  185150. {
  185151. if (png_ptr->row_info.color_type == PNG_COLOR_TYPE_PALETTE)
  185152. {
  185153. png_do_expand_palette(&(png_ptr->row_info), png_ptr->row_buf + 1,
  185154. png_ptr->palette, png_ptr->trans, png_ptr->num_trans);
  185155. }
  185156. else
  185157. {
  185158. if (png_ptr->num_trans &&
  185159. (png_ptr->transformations & PNG_EXPAND_tRNS))
  185160. png_do_expand(&(png_ptr->row_info), png_ptr->row_buf + 1,
  185161. &(png_ptr->trans_values));
  185162. else
  185163. png_do_expand(&(png_ptr->row_info), png_ptr->row_buf + 1,
  185164. NULL);
  185165. }
  185166. }
  185167. #endif
  185168. #if defined(PNG_READ_STRIP_ALPHA_SUPPORTED)
  185169. if (png_ptr->flags & PNG_FLAG_STRIP_ALPHA)
  185170. png_do_strip_filler(&(png_ptr->row_info), png_ptr->row_buf + 1,
  185171. PNG_FLAG_FILLER_AFTER | (png_ptr->flags & PNG_FLAG_STRIP_ALPHA));
  185172. #endif
  185173. #if defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  185174. if (png_ptr->transformations & PNG_RGB_TO_GRAY)
  185175. {
  185176. int rgb_error =
  185177. png_do_rgb_to_gray(png_ptr, &(png_ptr->row_info), png_ptr->row_buf + 1);
  185178. if(rgb_error)
  185179. {
  185180. png_ptr->rgb_to_gray_status=1;
  185181. if((png_ptr->transformations & PNG_RGB_TO_GRAY) ==
  185182. PNG_RGB_TO_GRAY_WARN)
  185183. png_warning(png_ptr, "png_do_rgb_to_gray found nongray pixel");
  185184. if((png_ptr->transformations & PNG_RGB_TO_GRAY) ==
  185185. PNG_RGB_TO_GRAY_ERR)
  185186. png_error(png_ptr, "png_do_rgb_to_gray found nongray pixel");
  185187. }
  185188. }
  185189. #endif
  185190. /*
  185191. From Andreas Dilger e-mail to png-implement, 26 March 1998:
  185192. In most cases, the "simple transparency" should be done prior to doing
  185193. gray-to-RGB, or you will have to test 3x as many bytes to check if a
  185194. pixel is transparent. You would also need to make sure that the
  185195. transparency information is upgraded to RGB.
  185196. To summarize, the current flow is:
  185197. - Gray + simple transparency -> compare 1 or 2 gray bytes and composite
  185198. with background "in place" if transparent,
  185199. convert to RGB if necessary
  185200. - Gray + alpha -> composite with gray background and remove alpha bytes,
  185201. convert to RGB if necessary
  185202. To support RGB backgrounds for gray images we need:
  185203. - Gray + simple transparency -> convert to RGB + simple transparency, compare
  185204. 3 or 6 bytes and composite with background
  185205. "in place" if transparent (3x compare/pixel
  185206. compared to doing composite with gray bkgrnd)
  185207. - Gray + alpha -> convert to RGB + alpha, composite with background and
  185208. remove alpha bytes (3x float operations/pixel
  185209. compared with composite on gray background)
  185210. Greg's change will do this. The reason it wasn't done before is for
  185211. performance, as this increases the per-pixel operations. If we would check
  185212. in advance if the background was gray or RGB, and position the gray-to-RGB
  185213. transform appropriately, then it would save a lot of work/time.
  185214. */
  185215. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  185216. /* if gray -> RGB, do so now only if background is non-gray; else do later
  185217. * for performance reasons */
  185218. if ((png_ptr->transformations & PNG_GRAY_TO_RGB) &&
  185219. !(png_ptr->mode & PNG_BACKGROUND_IS_GRAY))
  185220. png_do_gray_to_rgb(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185221. #endif
  185222. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  185223. if ((png_ptr->transformations & PNG_BACKGROUND) &&
  185224. ((png_ptr->num_trans != 0 ) ||
  185225. (png_ptr->color_type & PNG_COLOR_MASK_ALPHA)))
  185226. png_do_background(&(png_ptr->row_info), png_ptr->row_buf + 1,
  185227. &(png_ptr->trans_values), &(png_ptr->background)
  185228. #if defined(PNG_READ_GAMMA_SUPPORTED)
  185229. , &(png_ptr->background_1),
  185230. png_ptr->gamma_table, png_ptr->gamma_from_1,
  185231. png_ptr->gamma_to_1, png_ptr->gamma_16_table,
  185232. png_ptr->gamma_16_from_1, png_ptr->gamma_16_to_1,
  185233. png_ptr->gamma_shift
  185234. #endif
  185235. );
  185236. #endif
  185237. #if defined(PNG_READ_GAMMA_SUPPORTED)
  185238. if ((png_ptr->transformations & PNG_GAMMA) &&
  185239. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  185240. !((png_ptr->transformations & PNG_BACKGROUND) &&
  185241. ((png_ptr->num_trans != 0) ||
  185242. (png_ptr->color_type & PNG_COLOR_MASK_ALPHA))) &&
  185243. #endif
  185244. (png_ptr->color_type != PNG_COLOR_TYPE_PALETTE))
  185245. png_do_gamma(&(png_ptr->row_info), png_ptr->row_buf + 1,
  185246. png_ptr->gamma_table, png_ptr->gamma_16_table,
  185247. png_ptr->gamma_shift);
  185248. #endif
  185249. #if defined(PNG_READ_16_TO_8_SUPPORTED)
  185250. if (png_ptr->transformations & PNG_16_TO_8)
  185251. png_do_chop(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185252. #endif
  185253. #if defined(PNG_READ_DITHER_SUPPORTED)
  185254. if (png_ptr->transformations & PNG_DITHER)
  185255. {
  185256. png_do_dither((png_row_infop)&(png_ptr->row_info), png_ptr->row_buf + 1,
  185257. png_ptr->palette_lookup, png_ptr->dither_index);
  185258. if(png_ptr->row_info.rowbytes == (png_uint_32)0)
  185259. png_error(png_ptr, "png_do_dither returned rowbytes=0");
  185260. }
  185261. #endif
  185262. #if defined(PNG_READ_INVERT_SUPPORTED)
  185263. if (png_ptr->transformations & PNG_INVERT_MONO)
  185264. png_do_invert(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185265. #endif
  185266. #if defined(PNG_READ_SHIFT_SUPPORTED)
  185267. if (png_ptr->transformations & PNG_SHIFT)
  185268. png_do_unshift(&(png_ptr->row_info), png_ptr->row_buf + 1,
  185269. &(png_ptr->shift));
  185270. #endif
  185271. #if defined(PNG_READ_PACK_SUPPORTED)
  185272. if (png_ptr->transformations & PNG_PACK)
  185273. png_do_unpack(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185274. #endif
  185275. #if defined(PNG_READ_BGR_SUPPORTED)
  185276. if (png_ptr->transformations & PNG_BGR)
  185277. png_do_bgr(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185278. #endif
  185279. #if defined(PNG_READ_PACKSWAP_SUPPORTED)
  185280. if (png_ptr->transformations & PNG_PACKSWAP)
  185281. png_do_packswap(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185282. #endif
  185283. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  185284. /* if gray -> RGB, do so now only if we did not do so above */
  185285. if ((png_ptr->transformations & PNG_GRAY_TO_RGB) &&
  185286. (png_ptr->mode & PNG_BACKGROUND_IS_GRAY))
  185287. png_do_gray_to_rgb(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185288. #endif
  185289. #if defined(PNG_READ_FILLER_SUPPORTED)
  185290. if (png_ptr->transformations & PNG_FILLER)
  185291. png_do_read_filler(&(png_ptr->row_info), png_ptr->row_buf + 1,
  185292. (png_uint_32)png_ptr->filler, png_ptr->flags);
  185293. #endif
  185294. #if defined(PNG_READ_INVERT_ALPHA_SUPPORTED)
  185295. if (png_ptr->transformations & PNG_INVERT_ALPHA)
  185296. png_do_read_invert_alpha(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185297. #endif
  185298. #if defined(PNG_READ_SWAP_ALPHA_SUPPORTED)
  185299. if (png_ptr->transformations & PNG_SWAP_ALPHA)
  185300. png_do_read_swap_alpha(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185301. #endif
  185302. #if defined(PNG_READ_SWAP_SUPPORTED)
  185303. if (png_ptr->transformations & PNG_SWAP_BYTES)
  185304. png_do_swap(&(png_ptr->row_info), png_ptr->row_buf + 1);
  185305. #endif
  185306. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED)
  185307. if (png_ptr->transformations & PNG_USER_TRANSFORM)
  185308. {
  185309. if(png_ptr->read_user_transform_fn != NULL)
  185310. (*(png_ptr->read_user_transform_fn)) /* user read transform function */
  185311. (png_ptr, /* png_ptr */
  185312. &(png_ptr->row_info), /* row_info: */
  185313. /* png_uint_32 width; width of row */
  185314. /* png_uint_32 rowbytes; number of bytes in row */
  185315. /* png_byte color_type; color type of pixels */
  185316. /* png_byte bit_depth; bit depth of samples */
  185317. /* png_byte channels; number of channels (1-4) */
  185318. /* png_byte pixel_depth; bits per pixel (depth*channels) */
  185319. png_ptr->row_buf + 1); /* start of pixel data for row */
  185320. #if defined(PNG_USER_TRANSFORM_PTR_SUPPORTED)
  185321. if(png_ptr->user_transform_depth)
  185322. png_ptr->row_info.bit_depth = png_ptr->user_transform_depth;
  185323. if(png_ptr->user_transform_channels)
  185324. png_ptr->row_info.channels = png_ptr->user_transform_channels;
  185325. #endif
  185326. png_ptr->row_info.pixel_depth = (png_byte)(png_ptr->row_info.bit_depth *
  185327. png_ptr->row_info.channels);
  185328. png_ptr->row_info.rowbytes = PNG_ROWBYTES(png_ptr->row_info.pixel_depth,
  185329. png_ptr->row_info.width);
  185330. }
  185331. #endif
  185332. }
  185333. #if defined(PNG_READ_PACK_SUPPORTED)
  185334. /* Unpack pixels of 1, 2, or 4 bits per pixel into 1 byte per pixel,
  185335. * without changing the actual values. Thus, if you had a row with
  185336. * a bit depth of 1, you would end up with bytes that only contained
  185337. * the numbers 0 or 1. If you would rather they contain 0 and 255, use
  185338. * png_do_shift() after this.
  185339. */
  185340. void /* PRIVATE */
  185341. png_do_unpack(png_row_infop row_info, png_bytep row)
  185342. {
  185343. png_debug(1, "in png_do_unpack\n");
  185344. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  185345. if (row != NULL && row_info != NULL && row_info->bit_depth < 8)
  185346. #else
  185347. if (row_info->bit_depth < 8)
  185348. #endif
  185349. {
  185350. png_uint_32 i;
  185351. png_uint_32 row_width=row_info->width;
  185352. switch (row_info->bit_depth)
  185353. {
  185354. case 1:
  185355. {
  185356. png_bytep sp = row + (png_size_t)((row_width - 1) >> 3);
  185357. png_bytep dp = row + (png_size_t)row_width - 1;
  185358. png_uint_32 shift = 7 - (int)((row_width + 7) & 0x07);
  185359. for (i = 0; i < row_width; i++)
  185360. {
  185361. *dp = (png_byte)((*sp >> shift) & 0x01);
  185362. if (shift == 7)
  185363. {
  185364. shift = 0;
  185365. sp--;
  185366. }
  185367. else
  185368. shift++;
  185369. dp--;
  185370. }
  185371. break;
  185372. }
  185373. case 2:
  185374. {
  185375. png_bytep sp = row + (png_size_t)((row_width - 1) >> 2);
  185376. png_bytep dp = row + (png_size_t)row_width - 1;
  185377. png_uint_32 shift = (int)((3 - ((row_width + 3) & 0x03)) << 1);
  185378. for (i = 0; i < row_width; i++)
  185379. {
  185380. *dp = (png_byte)((*sp >> shift) & 0x03);
  185381. if (shift == 6)
  185382. {
  185383. shift = 0;
  185384. sp--;
  185385. }
  185386. else
  185387. shift += 2;
  185388. dp--;
  185389. }
  185390. break;
  185391. }
  185392. case 4:
  185393. {
  185394. png_bytep sp = row + (png_size_t)((row_width - 1) >> 1);
  185395. png_bytep dp = row + (png_size_t)row_width - 1;
  185396. png_uint_32 shift = (int)((1 - ((row_width + 1) & 0x01)) << 2);
  185397. for (i = 0; i < row_width; i++)
  185398. {
  185399. *dp = (png_byte)((*sp >> shift) & 0x0f);
  185400. if (shift == 4)
  185401. {
  185402. shift = 0;
  185403. sp--;
  185404. }
  185405. else
  185406. shift = 4;
  185407. dp--;
  185408. }
  185409. break;
  185410. }
  185411. }
  185412. row_info->bit_depth = 8;
  185413. row_info->pixel_depth = (png_byte)(8 * row_info->channels);
  185414. row_info->rowbytes = row_width * row_info->channels;
  185415. }
  185416. }
  185417. #endif
  185418. #if defined(PNG_READ_SHIFT_SUPPORTED)
  185419. /* Reverse the effects of png_do_shift. This routine merely shifts the
  185420. * pixels back to their significant bits values. Thus, if you have
  185421. * a row of bit depth 8, but only 5 are significant, this will shift
  185422. * the values back to 0 through 31.
  185423. */
  185424. void /* PRIVATE */
  185425. png_do_unshift(png_row_infop row_info, png_bytep row, png_color_8p sig_bits)
  185426. {
  185427. png_debug(1, "in png_do_unshift\n");
  185428. if (
  185429. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  185430. row != NULL && row_info != NULL && sig_bits != NULL &&
  185431. #endif
  185432. row_info->color_type != PNG_COLOR_TYPE_PALETTE)
  185433. {
  185434. int shift[4];
  185435. int channels = 0;
  185436. int c;
  185437. png_uint_16 value = 0;
  185438. png_uint_32 row_width = row_info->width;
  185439. if (row_info->color_type & PNG_COLOR_MASK_COLOR)
  185440. {
  185441. shift[channels++] = row_info->bit_depth - sig_bits->red;
  185442. shift[channels++] = row_info->bit_depth - sig_bits->green;
  185443. shift[channels++] = row_info->bit_depth - sig_bits->blue;
  185444. }
  185445. else
  185446. {
  185447. shift[channels++] = row_info->bit_depth - sig_bits->gray;
  185448. }
  185449. if (row_info->color_type & PNG_COLOR_MASK_ALPHA)
  185450. {
  185451. shift[channels++] = row_info->bit_depth - sig_bits->alpha;
  185452. }
  185453. for (c = 0; c < channels; c++)
  185454. {
  185455. if (shift[c] <= 0)
  185456. shift[c] = 0;
  185457. else
  185458. value = 1;
  185459. }
  185460. if (!value)
  185461. return;
  185462. switch (row_info->bit_depth)
  185463. {
  185464. case 2:
  185465. {
  185466. png_bytep bp;
  185467. png_uint_32 i;
  185468. png_uint_32 istop = row_info->rowbytes;
  185469. for (bp = row, i = 0; i < istop; i++)
  185470. {
  185471. *bp >>= 1;
  185472. *bp++ &= 0x55;
  185473. }
  185474. break;
  185475. }
  185476. case 4:
  185477. {
  185478. png_bytep bp = row;
  185479. png_uint_32 i;
  185480. png_uint_32 istop = row_info->rowbytes;
  185481. png_byte mask = (png_byte)((((int)0xf0 >> shift[0]) & (int)0xf0) |
  185482. (png_byte)((int)0xf >> shift[0]));
  185483. for (i = 0; i < istop; i++)
  185484. {
  185485. *bp >>= shift[0];
  185486. *bp++ &= mask;
  185487. }
  185488. break;
  185489. }
  185490. case 8:
  185491. {
  185492. png_bytep bp = row;
  185493. png_uint_32 i;
  185494. png_uint_32 istop = row_width * channels;
  185495. for (i = 0; i < istop; i++)
  185496. {
  185497. *bp++ >>= shift[i%channels];
  185498. }
  185499. break;
  185500. }
  185501. case 16:
  185502. {
  185503. png_bytep bp = row;
  185504. png_uint_32 i;
  185505. png_uint_32 istop = channels * row_width;
  185506. for (i = 0; i < istop; i++)
  185507. {
  185508. value = (png_uint_16)((*bp << 8) + *(bp + 1));
  185509. value >>= shift[i%channels];
  185510. *bp++ = (png_byte)(value >> 8);
  185511. *bp++ = (png_byte)(value & 0xff);
  185512. }
  185513. break;
  185514. }
  185515. }
  185516. }
  185517. }
  185518. #endif
  185519. #if defined(PNG_READ_16_TO_8_SUPPORTED)
  185520. /* chop rows of bit depth 16 down to 8 */
  185521. void /* PRIVATE */
  185522. png_do_chop(png_row_infop row_info, png_bytep row)
  185523. {
  185524. png_debug(1, "in png_do_chop\n");
  185525. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  185526. if (row != NULL && row_info != NULL && row_info->bit_depth == 16)
  185527. #else
  185528. if (row_info->bit_depth == 16)
  185529. #endif
  185530. {
  185531. png_bytep sp = row;
  185532. png_bytep dp = row;
  185533. png_uint_32 i;
  185534. png_uint_32 istop = row_info->width * row_info->channels;
  185535. for (i = 0; i<istop; i++, sp += 2, dp++)
  185536. {
  185537. #if defined(PNG_READ_16_TO_8_ACCURATE_SCALE_SUPPORTED)
  185538. /* This does a more accurate scaling of the 16-bit color
  185539. * value, rather than a simple low-byte truncation.
  185540. *
  185541. * What the ideal calculation should be:
  185542. * *dp = (((((png_uint_32)(*sp) << 8) |
  185543. * (png_uint_32)(*(sp + 1))) * 255 + 127) / (png_uint_32)65535L;
  185544. *
  185545. * GRR: no, I think this is what it really should be:
  185546. * *dp = (((((png_uint_32)(*sp) << 8) |
  185547. * (png_uint_32)(*(sp + 1))) + 128L) / (png_uint_32)257L;
  185548. *
  185549. * GRR: here's the exact calculation with shifts:
  185550. * temp = (((png_uint_32)(*sp) << 8) | (png_uint_32)(*(sp + 1))) + 128L;
  185551. * *dp = (temp - (temp >> 8)) >> 8;
  185552. *
  185553. * Approximate calculation with shift/add instead of multiply/divide:
  185554. * *dp = ((((png_uint_32)(*sp) << 8) |
  185555. * (png_uint_32)((int)(*(sp + 1)) - *sp)) + 128) >> 8;
  185556. *
  185557. * What we actually do to avoid extra shifting and conversion:
  185558. */
  185559. *dp = *sp + ((((int)(*(sp + 1)) - *sp) > 128) ? 1 : 0);
  185560. #else
  185561. /* Simply discard the low order byte */
  185562. *dp = *sp;
  185563. #endif
  185564. }
  185565. row_info->bit_depth = 8;
  185566. row_info->pixel_depth = (png_byte)(8 * row_info->channels);
  185567. row_info->rowbytes = row_info->width * row_info->channels;
  185568. }
  185569. }
  185570. #endif
  185571. #if defined(PNG_READ_SWAP_ALPHA_SUPPORTED)
  185572. void /* PRIVATE */
  185573. png_do_read_swap_alpha(png_row_infop row_info, png_bytep row)
  185574. {
  185575. png_debug(1, "in png_do_read_swap_alpha\n");
  185576. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  185577. if (row != NULL && row_info != NULL)
  185578. #endif
  185579. {
  185580. png_uint_32 row_width = row_info->width;
  185581. if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  185582. {
  185583. /* This converts from RGBA to ARGB */
  185584. if (row_info->bit_depth == 8)
  185585. {
  185586. png_bytep sp = row + row_info->rowbytes;
  185587. png_bytep dp = sp;
  185588. png_byte save;
  185589. png_uint_32 i;
  185590. for (i = 0; i < row_width; i++)
  185591. {
  185592. save = *(--sp);
  185593. *(--dp) = *(--sp);
  185594. *(--dp) = *(--sp);
  185595. *(--dp) = *(--sp);
  185596. *(--dp) = save;
  185597. }
  185598. }
  185599. /* This converts from RRGGBBAA to AARRGGBB */
  185600. else
  185601. {
  185602. png_bytep sp = row + row_info->rowbytes;
  185603. png_bytep dp = sp;
  185604. png_byte save[2];
  185605. png_uint_32 i;
  185606. for (i = 0; i < row_width; i++)
  185607. {
  185608. save[0] = *(--sp);
  185609. save[1] = *(--sp);
  185610. *(--dp) = *(--sp);
  185611. *(--dp) = *(--sp);
  185612. *(--dp) = *(--sp);
  185613. *(--dp) = *(--sp);
  185614. *(--dp) = *(--sp);
  185615. *(--dp) = *(--sp);
  185616. *(--dp) = save[0];
  185617. *(--dp) = save[1];
  185618. }
  185619. }
  185620. }
  185621. else if (row_info->color_type == PNG_COLOR_TYPE_GRAY_ALPHA)
  185622. {
  185623. /* This converts from GA to AG */
  185624. if (row_info->bit_depth == 8)
  185625. {
  185626. png_bytep sp = row + row_info->rowbytes;
  185627. png_bytep dp = sp;
  185628. png_byte save;
  185629. png_uint_32 i;
  185630. for (i = 0; i < row_width; i++)
  185631. {
  185632. save = *(--sp);
  185633. *(--dp) = *(--sp);
  185634. *(--dp) = save;
  185635. }
  185636. }
  185637. /* This converts from GGAA to AAGG */
  185638. else
  185639. {
  185640. png_bytep sp = row + row_info->rowbytes;
  185641. png_bytep dp = sp;
  185642. png_byte save[2];
  185643. png_uint_32 i;
  185644. for (i = 0; i < row_width; i++)
  185645. {
  185646. save[0] = *(--sp);
  185647. save[1] = *(--sp);
  185648. *(--dp) = *(--sp);
  185649. *(--dp) = *(--sp);
  185650. *(--dp) = save[0];
  185651. *(--dp) = save[1];
  185652. }
  185653. }
  185654. }
  185655. }
  185656. }
  185657. #endif
  185658. #if defined(PNG_READ_INVERT_ALPHA_SUPPORTED)
  185659. void /* PRIVATE */
  185660. png_do_read_invert_alpha(png_row_infop row_info, png_bytep row)
  185661. {
  185662. png_debug(1, "in png_do_read_invert_alpha\n");
  185663. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  185664. if (row != NULL && row_info != NULL)
  185665. #endif
  185666. {
  185667. png_uint_32 row_width = row_info->width;
  185668. if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  185669. {
  185670. /* This inverts the alpha channel in RGBA */
  185671. if (row_info->bit_depth == 8)
  185672. {
  185673. png_bytep sp = row + row_info->rowbytes;
  185674. png_bytep dp = sp;
  185675. png_uint_32 i;
  185676. for (i = 0; i < row_width; i++)
  185677. {
  185678. *(--dp) = (png_byte)(255 - *(--sp));
  185679. /* This does nothing:
  185680. *(--dp) = *(--sp);
  185681. *(--dp) = *(--sp);
  185682. *(--dp) = *(--sp);
  185683. We can replace it with:
  185684. */
  185685. sp-=3;
  185686. dp=sp;
  185687. }
  185688. }
  185689. /* This inverts the alpha channel in RRGGBBAA */
  185690. else
  185691. {
  185692. png_bytep sp = row + row_info->rowbytes;
  185693. png_bytep dp = sp;
  185694. png_uint_32 i;
  185695. for (i = 0; i < row_width; i++)
  185696. {
  185697. *(--dp) = (png_byte)(255 - *(--sp));
  185698. *(--dp) = (png_byte)(255 - *(--sp));
  185699. /* This does nothing:
  185700. *(--dp) = *(--sp);
  185701. *(--dp) = *(--sp);
  185702. *(--dp) = *(--sp);
  185703. *(--dp) = *(--sp);
  185704. *(--dp) = *(--sp);
  185705. *(--dp) = *(--sp);
  185706. We can replace it with:
  185707. */
  185708. sp-=6;
  185709. dp=sp;
  185710. }
  185711. }
  185712. }
  185713. else if (row_info->color_type == PNG_COLOR_TYPE_GRAY_ALPHA)
  185714. {
  185715. /* This inverts the alpha channel in GA */
  185716. if (row_info->bit_depth == 8)
  185717. {
  185718. png_bytep sp = row + row_info->rowbytes;
  185719. png_bytep dp = sp;
  185720. png_uint_32 i;
  185721. for (i = 0; i < row_width; i++)
  185722. {
  185723. *(--dp) = (png_byte)(255 - *(--sp));
  185724. *(--dp) = *(--sp);
  185725. }
  185726. }
  185727. /* This inverts the alpha channel in GGAA */
  185728. else
  185729. {
  185730. png_bytep sp = row + row_info->rowbytes;
  185731. png_bytep dp = sp;
  185732. png_uint_32 i;
  185733. for (i = 0; i < row_width; i++)
  185734. {
  185735. *(--dp) = (png_byte)(255 - *(--sp));
  185736. *(--dp) = (png_byte)(255 - *(--sp));
  185737. /*
  185738. *(--dp) = *(--sp);
  185739. *(--dp) = *(--sp);
  185740. */
  185741. sp-=2;
  185742. dp=sp;
  185743. }
  185744. }
  185745. }
  185746. }
  185747. }
  185748. #endif
  185749. #if defined(PNG_READ_FILLER_SUPPORTED)
  185750. /* Add filler channel if we have RGB color */
  185751. void /* PRIVATE */
  185752. png_do_read_filler(png_row_infop row_info, png_bytep row,
  185753. png_uint_32 filler, png_uint_32 flags)
  185754. {
  185755. png_uint_32 i;
  185756. png_uint_32 row_width = row_info->width;
  185757. png_byte hi_filler = (png_byte)((filler>>8) & 0xff);
  185758. png_byte lo_filler = (png_byte)(filler & 0xff);
  185759. png_debug(1, "in png_do_read_filler\n");
  185760. if (
  185761. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  185762. row != NULL && row_info != NULL &&
  185763. #endif
  185764. row_info->color_type == PNG_COLOR_TYPE_GRAY)
  185765. {
  185766. if(row_info->bit_depth == 8)
  185767. {
  185768. /* This changes the data from G to GX */
  185769. if (flags & PNG_FLAG_FILLER_AFTER)
  185770. {
  185771. png_bytep sp = row + (png_size_t)row_width;
  185772. png_bytep dp = sp + (png_size_t)row_width;
  185773. for (i = 1; i < row_width; i++)
  185774. {
  185775. *(--dp) = lo_filler;
  185776. *(--dp) = *(--sp);
  185777. }
  185778. *(--dp) = lo_filler;
  185779. row_info->channels = 2;
  185780. row_info->pixel_depth = 16;
  185781. row_info->rowbytes = row_width * 2;
  185782. }
  185783. /* This changes the data from G to XG */
  185784. else
  185785. {
  185786. png_bytep sp = row + (png_size_t)row_width;
  185787. png_bytep dp = sp + (png_size_t)row_width;
  185788. for (i = 0; i < row_width; i++)
  185789. {
  185790. *(--dp) = *(--sp);
  185791. *(--dp) = lo_filler;
  185792. }
  185793. row_info->channels = 2;
  185794. row_info->pixel_depth = 16;
  185795. row_info->rowbytes = row_width * 2;
  185796. }
  185797. }
  185798. else if(row_info->bit_depth == 16)
  185799. {
  185800. /* This changes the data from GG to GGXX */
  185801. if (flags & PNG_FLAG_FILLER_AFTER)
  185802. {
  185803. png_bytep sp = row + (png_size_t)row_width * 2;
  185804. png_bytep dp = sp + (png_size_t)row_width * 2;
  185805. for (i = 1; i < row_width; i++)
  185806. {
  185807. *(--dp) = hi_filler;
  185808. *(--dp) = lo_filler;
  185809. *(--dp) = *(--sp);
  185810. *(--dp) = *(--sp);
  185811. }
  185812. *(--dp) = hi_filler;
  185813. *(--dp) = lo_filler;
  185814. row_info->channels = 2;
  185815. row_info->pixel_depth = 32;
  185816. row_info->rowbytes = row_width * 4;
  185817. }
  185818. /* This changes the data from GG to XXGG */
  185819. else
  185820. {
  185821. png_bytep sp = row + (png_size_t)row_width * 2;
  185822. png_bytep dp = sp + (png_size_t)row_width * 2;
  185823. for (i = 0; i < row_width; i++)
  185824. {
  185825. *(--dp) = *(--sp);
  185826. *(--dp) = *(--sp);
  185827. *(--dp) = hi_filler;
  185828. *(--dp) = lo_filler;
  185829. }
  185830. row_info->channels = 2;
  185831. row_info->pixel_depth = 32;
  185832. row_info->rowbytes = row_width * 4;
  185833. }
  185834. }
  185835. } /* COLOR_TYPE == GRAY */
  185836. else if (row_info->color_type == PNG_COLOR_TYPE_RGB)
  185837. {
  185838. if(row_info->bit_depth == 8)
  185839. {
  185840. /* This changes the data from RGB to RGBX */
  185841. if (flags & PNG_FLAG_FILLER_AFTER)
  185842. {
  185843. png_bytep sp = row + (png_size_t)row_width * 3;
  185844. png_bytep dp = sp + (png_size_t)row_width;
  185845. for (i = 1; i < row_width; i++)
  185846. {
  185847. *(--dp) = lo_filler;
  185848. *(--dp) = *(--sp);
  185849. *(--dp) = *(--sp);
  185850. *(--dp) = *(--sp);
  185851. }
  185852. *(--dp) = lo_filler;
  185853. row_info->channels = 4;
  185854. row_info->pixel_depth = 32;
  185855. row_info->rowbytes = row_width * 4;
  185856. }
  185857. /* This changes the data from RGB to XRGB */
  185858. else
  185859. {
  185860. png_bytep sp = row + (png_size_t)row_width * 3;
  185861. png_bytep dp = sp + (png_size_t)row_width;
  185862. for (i = 0; i < row_width; i++)
  185863. {
  185864. *(--dp) = *(--sp);
  185865. *(--dp) = *(--sp);
  185866. *(--dp) = *(--sp);
  185867. *(--dp) = lo_filler;
  185868. }
  185869. row_info->channels = 4;
  185870. row_info->pixel_depth = 32;
  185871. row_info->rowbytes = row_width * 4;
  185872. }
  185873. }
  185874. else if(row_info->bit_depth == 16)
  185875. {
  185876. /* This changes the data from RRGGBB to RRGGBBXX */
  185877. if (flags & PNG_FLAG_FILLER_AFTER)
  185878. {
  185879. png_bytep sp = row + (png_size_t)row_width * 6;
  185880. png_bytep dp = sp + (png_size_t)row_width * 2;
  185881. for (i = 1; i < row_width; i++)
  185882. {
  185883. *(--dp) = hi_filler;
  185884. *(--dp) = lo_filler;
  185885. *(--dp) = *(--sp);
  185886. *(--dp) = *(--sp);
  185887. *(--dp) = *(--sp);
  185888. *(--dp) = *(--sp);
  185889. *(--dp) = *(--sp);
  185890. *(--dp) = *(--sp);
  185891. }
  185892. *(--dp) = hi_filler;
  185893. *(--dp) = lo_filler;
  185894. row_info->channels = 4;
  185895. row_info->pixel_depth = 64;
  185896. row_info->rowbytes = row_width * 8;
  185897. }
  185898. /* This changes the data from RRGGBB to XXRRGGBB */
  185899. else
  185900. {
  185901. png_bytep sp = row + (png_size_t)row_width * 6;
  185902. png_bytep dp = sp + (png_size_t)row_width * 2;
  185903. for (i = 0; i < row_width; i++)
  185904. {
  185905. *(--dp) = *(--sp);
  185906. *(--dp) = *(--sp);
  185907. *(--dp) = *(--sp);
  185908. *(--dp) = *(--sp);
  185909. *(--dp) = *(--sp);
  185910. *(--dp) = *(--sp);
  185911. *(--dp) = hi_filler;
  185912. *(--dp) = lo_filler;
  185913. }
  185914. row_info->channels = 4;
  185915. row_info->pixel_depth = 64;
  185916. row_info->rowbytes = row_width * 8;
  185917. }
  185918. }
  185919. } /* COLOR_TYPE == RGB */
  185920. }
  185921. #endif
  185922. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  185923. /* expand grayscale files to RGB, with or without alpha */
  185924. void /* PRIVATE */
  185925. png_do_gray_to_rgb(png_row_infop row_info, png_bytep row)
  185926. {
  185927. png_uint_32 i;
  185928. png_uint_32 row_width = row_info->width;
  185929. png_debug(1, "in png_do_gray_to_rgb\n");
  185930. if (row_info->bit_depth >= 8 &&
  185931. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  185932. row != NULL && row_info != NULL &&
  185933. #endif
  185934. !(row_info->color_type & PNG_COLOR_MASK_COLOR))
  185935. {
  185936. if (row_info->color_type == PNG_COLOR_TYPE_GRAY)
  185937. {
  185938. if (row_info->bit_depth == 8)
  185939. {
  185940. png_bytep sp = row + (png_size_t)row_width - 1;
  185941. png_bytep dp = sp + (png_size_t)row_width * 2;
  185942. for (i = 0; i < row_width; i++)
  185943. {
  185944. *(dp--) = *sp;
  185945. *(dp--) = *sp;
  185946. *(dp--) = *(sp--);
  185947. }
  185948. }
  185949. else
  185950. {
  185951. png_bytep sp = row + (png_size_t)row_width * 2 - 1;
  185952. png_bytep dp = sp + (png_size_t)row_width * 4;
  185953. for (i = 0; i < row_width; i++)
  185954. {
  185955. *(dp--) = *sp;
  185956. *(dp--) = *(sp - 1);
  185957. *(dp--) = *sp;
  185958. *(dp--) = *(sp - 1);
  185959. *(dp--) = *(sp--);
  185960. *(dp--) = *(sp--);
  185961. }
  185962. }
  185963. }
  185964. else if (row_info->color_type == PNG_COLOR_TYPE_GRAY_ALPHA)
  185965. {
  185966. if (row_info->bit_depth == 8)
  185967. {
  185968. png_bytep sp = row + (png_size_t)row_width * 2 - 1;
  185969. png_bytep dp = sp + (png_size_t)row_width * 2;
  185970. for (i = 0; i < row_width; i++)
  185971. {
  185972. *(dp--) = *(sp--);
  185973. *(dp--) = *sp;
  185974. *(dp--) = *sp;
  185975. *(dp--) = *(sp--);
  185976. }
  185977. }
  185978. else
  185979. {
  185980. png_bytep sp = row + (png_size_t)row_width * 4 - 1;
  185981. png_bytep dp = sp + (png_size_t)row_width * 4;
  185982. for (i = 0; i < row_width; i++)
  185983. {
  185984. *(dp--) = *(sp--);
  185985. *(dp--) = *(sp--);
  185986. *(dp--) = *sp;
  185987. *(dp--) = *(sp - 1);
  185988. *(dp--) = *sp;
  185989. *(dp--) = *(sp - 1);
  185990. *(dp--) = *(sp--);
  185991. *(dp--) = *(sp--);
  185992. }
  185993. }
  185994. }
  185995. row_info->channels += (png_byte)2;
  185996. row_info->color_type |= PNG_COLOR_MASK_COLOR;
  185997. row_info->pixel_depth = (png_byte)(row_info->channels *
  185998. row_info->bit_depth);
  185999. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,row_width);
  186000. }
  186001. }
  186002. #endif
  186003. #if defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  186004. /* reduce RGB files to grayscale, with or without alpha
  186005. * using the equation given in Poynton's ColorFAQ at
  186006. * <http://www.inforamp.net/~poynton/>
  186007. * Copyright (c) 1998-01-04 Charles Poynton poynton at inforamp.net
  186008. *
  186009. * Y = 0.212671 * R + 0.715160 * G + 0.072169 * B
  186010. *
  186011. * We approximate this with
  186012. *
  186013. * Y = 0.21268 * R + 0.7151 * G + 0.07217 * B
  186014. *
  186015. * which can be expressed with integers as
  186016. *
  186017. * Y = (6969 * R + 23434 * G + 2365 * B)/32768
  186018. *
  186019. * The calculation is to be done in a linear colorspace.
  186020. *
  186021. * Other integer coefficents can be used via png_set_rgb_to_gray().
  186022. */
  186023. int /* PRIVATE */
  186024. png_do_rgb_to_gray(png_structp png_ptr, png_row_infop row_info, png_bytep row)
  186025. {
  186026. png_uint_32 i;
  186027. png_uint_32 row_width = row_info->width;
  186028. int rgb_error = 0;
  186029. png_debug(1, "in png_do_rgb_to_gray\n");
  186030. if (
  186031. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  186032. row != NULL && row_info != NULL &&
  186033. #endif
  186034. (row_info->color_type & PNG_COLOR_MASK_COLOR))
  186035. {
  186036. png_uint_32 rc = png_ptr->rgb_to_gray_red_coeff;
  186037. png_uint_32 gc = png_ptr->rgb_to_gray_green_coeff;
  186038. png_uint_32 bc = png_ptr->rgb_to_gray_blue_coeff;
  186039. if (row_info->color_type == PNG_COLOR_TYPE_RGB)
  186040. {
  186041. if (row_info->bit_depth == 8)
  186042. {
  186043. #if defined(PNG_READ_GAMMA_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  186044. if (png_ptr->gamma_from_1 != NULL && png_ptr->gamma_to_1 != NULL)
  186045. {
  186046. png_bytep sp = row;
  186047. png_bytep dp = row;
  186048. for (i = 0; i < row_width; i++)
  186049. {
  186050. png_byte red = png_ptr->gamma_to_1[*(sp++)];
  186051. png_byte green = png_ptr->gamma_to_1[*(sp++)];
  186052. png_byte blue = png_ptr->gamma_to_1[*(sp++)];
  186053. if(red != green || red != blue)
  186054. {
  186055. rgb_error |= 1;
  186056. *(dp++) = png_ptr->gamma_from_1[
  186057. (rc*red+gc*green+bc*blue)>>15];
  186058. }
  186059. else
  186060. *(dp++) = *(sp-1);
  186061. }
  186062. }
  186063. else
  186064. #endif
  186065. {
  186066. png_bytep sp = row;
  186067. png_bytep dp = row;
  186068. for (i = 0; i < row_width; i++)
  186069. {
  186070. png_byte red = *(sp++);
  186071. png_byte green = *(sp++);
  186072. png_byte blue = *(sp++);
  186073. if(red != green || red != blue)
  186074. {
  186075. rgb_error |= 1;
  186076. *(dp++) = (png_byte)((rc*red+gc*green+bc*blue)>>15);
  186077. }
  186078. else
  186079. *(dp++) = *(sp-1);
  186080. }
  186081. }
  186082. }
  186083. else /* RGB bit_depth == 16 */
  186084. {
  186085. #if defined(PNG_READ_GAMMA_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  186086. if (png_ptr->gamma_16_to_1 != NULL &&
  186087. png_ptr->gamma_16_from_1 != NULL)
  186088. {
  186089. png_bytep sp = row;
  186090. png_bytep dp = row;
  186091. for (i = 0; i < row_width; i++)
  186092. {
  186093. png_uint_16 red, green, blue, w;
  186094. red = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186095. green = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186096. blue = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186097. if(red == green && red == blue)
  186098. w = red;
  186099. else
  186100. {
  186101. png_uint_16 red_1 = png_ptr->gamma_16_to_1[(red&0xff) >>
  186102. png_ptr->gamma_shift][red>>8];
  186103. png_uint_16 green_1 = png_ptr->gamma_16_to_1[(green&0xff) >>
  186104. png_ptr->gamma_shift][green>>8];
  186105. png_uint_16 blue_1 = png_ptr->gamma_16_to_1[(blue&0xff) >>
  186106. png_ptr->gamma_shift][blue>>8];
  186107. png_uint_16 gray16 = (png_uint_16)((rc*red_1 + gc*green_1
  186108. + bc*blue_1)>>15);
  186109. w = png_ptr->gamma_16_from_1[(gray16&0xff) >>
  186110. png_ptr->gamma_shift][gray16 >> 8];
  186111. rgb_error |= 1;
  186112. }
  186113. *(dp++) = (png_byte)((w>>8) & 0xff);
  186114. *(dp++) = (png_byte)(w & 0xff);
  186115. }
  186116. }
  186117. else
  186118. #endif
  186119. {
  186120. png_bytep sp = row;
  186121. png_bytep dp = row;
  186122. for (i = 0; i < row_width; i++)
  186123. {
  186124. png_uint_16 red, green, blue, gray16;
  186125. red = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186126. green = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186127. blue = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186128. if(red != green || red != blue)
  186129. rgb_error |= 1;
  186130. gray16 = (png_uint_16)((rc*red + gc*green + bc*blue)>>15);
  186131. *(dp++) = (png_byte)((gray16>>8) & 0xff);
  186132. *(dp++) = (png_byte)(gray16 & 0xff);
  186133. }
  186134. }
  186135. }
  186136. }
  186137. if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  186138. {
  186139. if (row_info->bit_depth == 8)
  186140. {
  186141. #if defined(PNG_READ_GAMMA_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  186142. if (png_ptr->gamma_from_1 != NULL && png_ptr->gamma_to_1 != NULL)
  186143. {
  186144. png_bytep sp = row;
  186145. png_bytep dp = row;
  186146. for (i = 0; i < row_width; i++)
  186147. {
  186148. png_byte red = png_ptr->gamma_to_1[*(sp++)];
  186149. png_byte green = png_ptr->gamma_to_1[*(sp++)];
  186150. png_byte blue = png_ptr->gamma_to_1[*(sp++)];
  186151. if(red != green || red != blue)
  186152. rgb_error |= 1;
  186153. *(dp++) = png_ptr->gamma_from_1
  186154. [(rc*red + gc*green + bc*blue)>>15];
  186155. *(dp++) = *(sp++); /* alpha */
  186156. }
  186157. }
  186158. else
  186159. #endif
  186160. {
  186161. png_bytep sp = row;
  186162. png_bytep dp = row;
  186163. for (i = 0; i < row_width; i++)
  186164. {
  186165. png_byte red = *(sp++);
  186166. png_byte green = *(sp++);
  186167. png_byte blue = *(sp++);
  186168. if(red != green || red != blue)
  186169. rgb_error |= 1;
  186170. *(dp++) = (png_byte)((rc*red + gc*green + bc*blue)>>15);
  186171. *(dp++) = *(sp++); /* alpha */
  186172. }
  186173. }
  186174. }
  186175. else /* RGBA bit_depth == 16 */
  186176. {
  186177. #if defined(PNG_READ_GAMMA_SUPPORTED) || defined(PNG_READ_BACKGROUND_SUPPORTED)
  186178. if (png_ptr->gamma_16_to_1 != NULL &&
  186179. png_ptr->gamma_16_from_1 != NULL)
  186180. {
  186181. png_bytep sp = row;
  186182. png_bytep dp = row;
  186183. for (i = 0; i < row_width; i++)
  186184. {
  186185. png_uint_16 red, green, blue, w;
  186186. red = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186187. green = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186188. blue = (png_uint_16)(((*(sp))<<8) | *(sp+1)); sp+=2;
  186189. if(red == green && red == blue)
  186190. w = red;
  186191. else
  186192. {
  186193. png_uint_16 red_1 = png_ptr->gamma_16_to_1[(red&0xff) >>
  186194. png_ptr->gamma_shift][red>>8];
  186195. png_uint_16 green_1 = png_ptr->gamma_16_to_1[(green&0xff) >>
  186196. png_ptr->gamma_shift][green>>8];
  186197. png_uint_16 blue_1 = png_ptr->gamma_16_to_1[(blue&0xff) >>
  186198. png_ptr->gamma_shift][blue>>8];
  186199. png_uint_16 gray16 = (png_uint_16)((rc * red_1
  186200. + gc * green_1 + bc * blue_1)>>15);
  186201. w = png_ptr->gamma_16_from_1[(gray16&0xff) >>
  186202. png_ptr->gamma_shift][gray16 >> 8];
  186203. rgb_error |= 1;
  186204. }
  186205. *(dp++) = (png_byte)((w>>8) & 0xff);
  186206. *(dp++) = (png_byte)(w & 0xff);
  186207. *(dp++) = *(sp++); /* alpha */
  186208. *(dp++) = *(sp++);
  186209. }
  186210. }
  186211. else
  186212. #endif
  186213. {
  186214. png_bytep sp = row;
  186215. png_bytep dp = row;
  186216. for (i = 0; i < row_width; i++)
  186217. {
  186218. png_uint_16 red, green, blue, gray16;
  186219. red = (png_uint_16)((*(sp)<<8) | *(sp+1)); sp+=2;
  186220. green = (png_uint_16)((*(sp)<<8) | *(sp+1)); sp+=2;
  186221. blue = (png_uint_16)((*(sp)<<8) | *(sp+1)); sp+=2;
  186222. if(red != green || red != blue)
  186223. rgb_error |= 1;
  186224. gray16 = (png_uint_16)((rc*red + gc*green + bc*blue)>>15);
  186225. *(dp++) = (png_byte)((gray16>>8) & 0xff);
  186226. *(dp++) = (png_byte)(gray16 & 0xff);
  186227. *(dp++) = *(sp++); /* alpha */
  186228. *(dp++) = *(sp++);
  186229. }
  186230. }
  186231. }
  186232. }
  186233. row_info->channels -= (png_byte)2;
  186234. row_info->color_type &= ~PNG_COLOR_MASK_COLOR;
  186235. row_info->pixel_depth = (png_byte)(row_info->channels *
  186236. row_info->bit_depth);
  186237. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,row_width);
  186238. }
  186239. return rgb_error;
  186240. }
  186241. #endif
  186242. /* Build a grayscale palette. Palette is assumed to be 1 << bit_depth
  186243. * large of png_color. This lets grayscale images be treated as
  186244. * paletted. Most useful for gamma correction and simplification
  186245. * of code.
  186246. */
  186247. void PNGAPI
  186248. png_build_grayscale_palette(int bit_depth, png_colorp palette)
  186249. {
  186250. int num_palette;
  186251. int color_inc;
  186252. int i;
  186253. int v;
  186254. png_debug(1, "in png_do_build_grayscale_palette\n");
  186255. if (palette == NULL)
  186256. return;
  186257. switch (bit_depth)
  186258. {
  186259. case 1:
  186260. num_palette = 2;
  186261. color_inc = 0xff;
  186262. break;
  186263. case 2:
  186264. num_palette = 4;
  186265. color_inc = 0x55;
  186266. break;
  186267. case 4:
  186268. num_palette = 16;
  186269. color_inc = 0x11;
  186270. break;
  186271. case 8:
  186272. num_palette = 256;
  186273. color_inc = 1;
  186274. break;
  186275. default:
  186276. num_palette = 0;
  186277. color_inc = 0;
  186278. break;
  186279. }
  186280. for (i = 0, v = 0; i < num_palette; i++, v += color_inc)
  186281. {
  186282. palette[i].red = (png_byte)v;
  186283. palette[i].green = (png_byte)v;
  186284. palette[i].blue = (png_byte)v;
  186285. }
  186286. }
  186287. /* This function is currently unused. Do we really need it? */
  186288. #if defined(PNG_READ_DITHER_SUPPORTED) && defined(PNG_CORRECT_PALETTE_SUPPORTED)
  186289. void /* PRIVATE */
  186290. png_correct_palette(png_structp png_ptr, png_colorp palette,
  186291. int num_palette)
  186292. {
  186293. png_debug(1, "in png_correct_palette\n");
  186294. #if defined(PNG_READ_BACKGROUND_SUPPORTED) && \
  186295. defined(PNG_READ_GAMMA_SUPPORTED) && defined(PNG_FLOATING_POINT_SUPPORTED)
  186296. if (png_ptr->transformations & (PNG_GAMMA | PNG_BACKGROUND))
  186297. {
  186298. png_color back, back_1;
  186299. if (png_ptr->background_gamma_type == PNG_BACKGROUND_GAMMA_FILE)
  186300. {
  186301. back.red = png_ptr->gamma_table[png_ptr->background.red];
  186302. back.green = png_ptr->gamma_table[png_ptr->background.green];
  186303. back.blue = png_ptr->gamma_table[png_ptr->background.blue];
  186304. back_1.red = png_ptr->gamma_to_1[png_ptr->background.red];
  186305. back_1.green = png_ptr->gamma_to_1[png_ptr->background.green];
  186306. back_1.blue = png_ptr->gamma_to_1[png_ptr->background.blue];
  186307. }
  186308. else
  186309. {
  186310. double g;
  186311. g = 1.0 / (png_ptr->background_gamma * png_ptr->screen_gamma);
  186312. if (png_ptr->background_gamma_type == PNG_BACKGROUND_GAMMA_SCREEN ||
  186313. fabs(g - 1.0) < PNG_GAMMA_THRESHOLD)
  186314. {
  186315. back.red = png_ptr->background.red;
  186316. back.green = png_ptr->background.green;
  186317. back.blue = png_ptr->background.blue;
  186318. }
  186319. else
  186320. {
  186321. back.red =
  186322. (png_byte)(pow((double)png_ptr->background.red/255, g) *
  186323. 255.0 + 0.5);
  186324. back.green =
  186325. (png_byte)(pow((double)png_ptr->background.green/255, g) *
  186326. 255.0 + 0.5);
  186327. back.blue =
  186328. (png_byte)(pow((double)png_ptr->background.blue/255, g) *
  186329. 255.0 + 0.5);
  186330. }
  186331. g = 1.0 / png_ptr->background_gamma;
  186332. back_1.red =
  186333. (png_byte)(pow((double)png_ptr->background.red/255, g) *
  186334. 255.0 + 0.5);
  186335. back_1.green =
  186336. (png_byte)(pow((double)png_ptr->background.green/255, g) *
  186337. 255.0 + 0.5);
  186338. back_1.blue =
  186339. (png_byte)(pow((double)png_ptr->background.blue/255, g) *
  186340. 255.0 + 0.5);
  186341. }
  186342. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  186343. {
  186344. png_uint_32 i;
  186345. for (i = 0; i < (png_uint_32)num_palette; i++)
  186346. {
  186347. if (i < png_ptr->num_trans && png_ptr->trans[i] == 0)
  186348. {
  186349. palette[i] = back;
  186350. }
  186351. else if (i < png_ptr->num_trans && png_ptr->trans[i] != 0xff)
  186352. {
  186353. png_byte v, w;
  186354. v = png_ptr->gamma_to_1[png_ptr->palette[i].red];
  186355. png_composite(w, v, png_ptr->trans[i], back_1.red);
  186356. palette[i].red = png_ptr->gamma_from_1[w];
  186357. v = png_ptr->gamma_to_1[png_ptr->palette[i].green];
  186358. png_composite(w, v, png_ptr->trans[i], back_1.green);
  186359. palette[i].green = png_ptr->gamma_from_1[w];
  186360. v = png_ptr->gamma_to_1[png_ptr->palette[i].blue];
  186361. png_composite(w, v, png_ptr->trans[i], back_1.blue);
  186362. palette[i].blue = png_ptr->gamma_from_1[w];
  186363. }
  186364. else
  186365. {
  186366. palette[i].red = png_ptr->gamma_table[palette[i].red];
  186367. palette[i].green = png_ptr->gamma_table[palette[i].green];
  186368. palette[i].blue = png_ptr->gamma_table[palette[i].blue];
  186369. }
  186370. }
  186371. }
  186372. else
  186373. {
  186374. int i;
  186375. for (i = 0; i < num_palette; i++)
  186376. {
  186377. if (palette[i].red == (png_byte)png_ptr->trans_values.gray)
  186378. {
  186379. palette[i] = back;
  186380. }
  186381. else
  186382. {
  186383. palette[i].red = png_ptr->gamma_table[palette[i].red];
  186384. palette[i].green = png_ptr->gamma_table[palette[i].green];
  186385. palette[i].blue = png_ptr->gamma_table[palette[i].blue];
  186386. }
  186387. }
  186388. }
  186389. }
  186390. else
  186391. #endif
  186392. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186393. if (png_ptr->transformations & PNG_GAMMA)
  186394. {
  186395. int i;
  186396. for (i = 0; i < num_palette; i++)
  186397. {
  186398. palette[i].red = png_ptr->gamma_table[palette[i].red];
  186399. palette[i].green = png_ptr->gamma_table[palette[i].green];
  186400. palette[i].blue = png_ptr->gamma_table[palette[i].blue];
  186401. }
  186402. }
  186403. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  186404. else
  186405. #endif
  186406. #endif
  186407. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  186408. if (png_ptr->transformations & PNG_BACKGROUND)
  186409. {
  186410. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  186411. {
  186412. png_color back;
  186413. back.red = (png_byte)png_ptr->background.red;
  186414. back.green = (png_byte)png_ptr->background.green;
  186415. back.blue = (png_byte)png_ptr->background.blue;
  186416. for (i = 0; i < (int)png_ptr->num_trans; i++)
  186417. {
  186418. if (png_ptr->trans[i] == 0)
  186419. {
  186420. palette[i].red = back.red;
  186421. palette[i].green = back.green;
  186422. palette[i].blue = back.blue;
  186423. }
  186424. else if (png_ptr->trans[i] != 0xff)
  186425. {
  186426. png_composite(palette[i].red, png_ptr->palette[i].red,
  186427. png_ptr->trans[i], back.red);
  186428. png_composite(palette[i].green, png_ptr->palette[i].green,
  186429. png_ptr->trans[i], back.green);
  186430. png_composite(palette[i].blue, png_ptr->palette[i].blue,
  186431. png_ptr->trans[i], back.blue);
  186432. }
  186433. }
  186434. }
  186435. else /* assume grayscale palette (what else could it be?) */
  186436. {
  186437. int i;
  186438. for (i = 0; i < num_palette; i++)
  186439. {
  186440. if (i == (png_byte)png_ptr->trans_values.gray)
  186441. {
  186442. palette[i].red = (png_byte)png_ptr->background.red;
  186443. palette[i].green = (png_byte)png_ptr->background.green;
  186444. palette[i].blue = (png_byte)png_ptr->background.blue;
  186445. }
  186446. }
  186447. }
  186448. }
  186449. #endif
  186450. }
  186451. #endif
  186452. #if defined(PNG_READ_BACKGROUND_SUPPORTED)
  186453. /* Replace any alpha or transparency with the supplied background color.
  186454. * "background" is already in the screen gamma, while "background_1" is
  186455. * at a gamma of 1.0. Paletted files have already been taken care of.
  186456. */
  186457. void /* PRIVATE */
  186458. png_do_background(png_row_infop row_info, png_bytep row,
  186459. png_color_16p trans_values, png_color_16p background
  186460. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186461. , png_color_16p background_1,
  186462. png_bytep gamma_table, png_bytep gamma_from_1, png_bytep gamma_to_1,
  186463. png_uint_16pp gamma_16, png_uint_16pp gamma_16_from_1,
  186464. png_uint_16pp gamma_16_to_1, int gamma_shift
  186465. #endif
  186466. )
  186467. {
  186468. png_bytep sp, dp;
  186469. png_uint_32 i;
  186470. png_uint_32 row_width=row_info->width;
  186471. int shift;
  186472. png_debug(1, "in png_do_background\n");
  186473. if (background != NULL &&
  186474. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  186475. row != NULL && row_info != NULL &&
  186476. #endif
  186477. (!(row_info->color_type & PNG_COLOR_MASK_ALPHA) ||
  186478. (row_info->color_type != PNG_COLOR_TYPE_PALETTE && trans_values)))
  186479. {
  186480. switch (row_info->color_type)
  186481. {
  186482. case PNG_COLOR_TYPE_GRAY:
  186483. {
  186484. switch (row_info->bit_depth)
  186485. {
  186486. case 1:
  186487. {
  186488. sp = row;
  186489. shift = 7;
  186490. for (i = 0; i < row_width; i++)
  186491. {
  186492. if ((png_uint_16)((*sp >> shift) & 0x01)
  186493. == trans_values->gray)
  186494. {
  186495. *sp &= (png_byte)((0x7f7f >> (7 - shift)) & 0xff);
  186496. *sp |= (png_byte)(background->gray << shift);
  186497. }
  186498. if (!shift)
  186499. {
  186500. shift = 7;
  186501. sp++;
  186502. }
  186503. else
  186504. shift--;
  186505. }
  186506. break;
  186507. }
  186508. case 2:
  186509. {
  186510. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186511. if (gamma_table != NULL)
  186512. {
  186513. sp = row;
  186514. shift = 6;
  186515. for (i = 0; i < row_width; i++)
  186516. {
  186517. if ((png_uint_16)((*sp >> shift) & 0x03)
  186518. == trans_values->gray)
  186519. {
  186520. *sp &= (png_byte)((0x3f3f >> (6 - shift)) & 0xff);
  186521. *sp |= (png_byte)(background->gray << shift);
  186522. }
  186523. else
  186524. {
  186525. png_byte p = (png_byte)((*sp >> shift) & 0x03);
  186526. png_byte g = (png_byte)((gamma_table [p | (p << 2) |
  186527. (p << 4) | (p << 6)] >> 6) & 0x03);
  186528. *sp &= (png_byte)((0x3f3f >> (6 - shift)) & 0xff);
  186529. *sp |= (png_byte)(g << shift);
  186530. }
  186531. if (!shift)
  186532. {
  186533. shift = 6;
  186534. sp++;
  186535. }
  186536. else
  186537. shift -= 2;
  186538. }
  186539. }
  186540. else
  186541. #endif
  186542. {
  186543. sp = row;
  186544. shift = 6;
  186545. for (i = 0; i < row_width; i++)
  186546. {
  186547. if ((png_uint_16)((*sp >> shift) & 0x03)
  186548. == trans_values->gray)
  186549. {
  186550. *sp &= (png_byte)((0x3f3f >> (6 - shift)) & 0xff);
  186551. *sp |= (png_byte)(background->gray << shift);
  186552. }
  186553. if (!shift)
  186554. {
  186555. shift = 6;
  186556. sp++;
  186557. }
  186558. else
  186559. shift -= 2;
  186560. }
  186561. }
  186562. break;
  186563. }
  186564. case 4:
  186565. {
  186566. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186567. if (gamma_table != NULL)
  186568. {
  186569. sp = row;
  186570. shift = 4;
  186571. for (i = 0; i < row_width; i++)
  186572. {
  186573. if ((png_uint_16)((*sp >> shift) & 0x0f)
  186574. == trans_values->gray)
  186575. {
  186576. *sp &= (png_byte)((0xf0f >> (4 - shift)) & 0xff);
  186577. *sp |= (png_byte)(background->gray << shift);
  186578. }
  186579. else
  186580. {
  186581. png_byte p = (png_byte)((*sp >> shift) & 0x0f);
  186582. png_byte g = (png_byte)((gamma_table[p |
  186583. (p << 4)] >> 4) & 0x0f);
  186584. *sp &= (png_byte)((0xf0f >> (4 - shift)) & 0xff);
  186585. *sp |= (png_byte)(g << shift);
  186586. }
  186587. if (!shift)
  186588. {
  186589. shift = 4;
  186590. sp++;
  186591. }
  186592. else
  186593. shift -= 4;
  186594. }
  186595. }
  186596. else
  186597. #endif
  186598. {
  186599. sp = row;
  186600. shift = 4;
  186601. for (i = 0; i < row_width; i++)
  186602. {
  186603. if ((png_uint_16)((*sp >> shift) & 0x0f)
  186604. == trans_values->gray)
  186605. {
  186606. *sp &= (png_byte)((0xf0f >> (4 - shift)) & 0xff);
  186607. *sp |= (png_byte)(background->gray << shift);
  186608. }
  186609. if (!shift)
  186610. {
  186611. shift = 4;
  186612. sp++;
  186613. }
  186614. else
  186615. shift -= 4;
  186616. }
  186617. }
  186618. break;
  186619. }
  186620. case 8:
  186621. {
  186622. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186623. if (gamma_table != NULL)
  186624. {
  186625. sp = row;
  186626. for (i = 0; i < row_width; i++, sp++)
  186627. {
  186628. if (*sp == trans_values->gray)
  186629. {
  186630. *sp = (png_byte)background->gray;
  186631. }
  186632. else
  186633. {
  186634. *sp = gamma_table[*sp];
  186635. }
  186636. }
  186637. }
  186638. else
  186639. #endif
  186640. {
  186641. sp = row;
  186642. for (i = 0; i < row_width; i++, sp++)
  186643. {
  186644. if (*sp == trans_values->gray)
  186645. {
  186646. *sp = (png_byte)background->gray;
  186647. }
  186648. }
  186649. }
  186650. break;
  186651. }
  186652. case 16:
  186653. {
  186654. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186655. if (gamma_16 != NULL)
  186656. {
  186657. sp = row;
  186658. for (i = 0; i < row_width; i++, sp += 2)
  186659. {
  186660. png_uint_16 v;
  186661. v = (png_uint_16)(((*sp) << 8) + *(sp + 1));
  186662. if (v == trans_values->gray)
  186663. {
  186664. /* background is already in screen gamma */
  186665. *sp = (png_byte)((background->gray >> 8) & 0xff);
  186666. *(sp + 1) = (png_byte)(background->gray & 0xff);
  186667. }
  186668. else
  186669. {
  186670. v = gamma_16[*(sp + 1) >> gamma_shift][*sp];
  186671. *sp = (png_byte)((v >> 8) & 0xff);
  186672. *(sp + 1) = (png_byte)(v & 0xff);
  186673. }
  186674. }
  186675. }
  186676. else
  186677. #endif
  186678. {
  186679. sp = row;
  186680. for (i = 0; i < row_width; i++, sp += 2)
  186681. {
  186682. png_uint_16 v;
  186683. v = (png_uint_16)(((*sp) << 8) + *(sp + 1));
  186684. if (v == trans_values->gray)
  186685. {
  186686. *sp = (png_byte)((background->gray >> 8) & 0xff);
  186687. *(sp + 1) = (png_byte)(background->gray & 0xff);
  186688. }
  186689. }
  186690. }
  186691. break;
  186692. }
  186693. }
  186694. break;
  186695. }
  186696. case PNG_COLOR_TYPE_RGB:
  186697. {
  186698. if (row_info->bit_depth == 8)
  186699. {
  186700. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186701. if (gamma_table != NULL)
  186702. {
  186703. sp = row;
  186704. for (i = 0; i < row_width; i++, sp += 3)
  186705. {
  186706. if (*sp == trans_values->red &&
  186707. *(sp + 1) == trans_values->green &&
  186708. *(sp + 2) == trans_values->blue)
  186709. {
  186710. *sp = (png_byte)background->red;
  186711. *(sp + 1) = (png_byte)background->green;
  186712. *(sp + 2) = (png_byte)background->blue;
  186713. }
  186714. else
  186715. {
  186716. *sp = gamma_table[*sp];
  186717. *(sp + 1) = gamma_table[*(sp + 1)];
  186718. *(sp + 2) = gamma_table[*(sp + 2)];
  186719. }
  186720. }
  186721. }
  186722. else
  186723. #endif
  186724. {
  186725. sp = row;
  186726. for (i = 0; i < row_width; i++, sp += 3)
  186727. {
  186728. if (*sp == trans_values->red &&
  186729. *(sp + 1) == trans_values->green &&
  186730. *(sp + 2) == trans_values->blue)
  186731. {
  186732. *sp = (png_byte)background->red;
  186733. *(sp + 1) = (png_byte)background->green;
  186734. *(sp + 2) = (png_byte)background->blue;
  186735. }
  186736. }
  186737. }
  186738. }
  186739. else /* if (row_info->bit_depth == 16) */
  186740. {
  186741. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186742. if (gamma_16 != NULL)
  186743. {
  186744. sp = row;
  186745. for (i = 0; i < row_width; i++, sp += 6)
  186746. {
  186747. png_uint_16 r = (png_uint_16)(((*sp) << 8) + *(sp + 1));
  186748. png_uint_16 g = (png_uint_16)(((*(sp+2)) << 8) + *(sp+3));
  186749. png_uint_16 b = (png_uint_16)(((*(sp+4)) << 8) + *(sp+5));
  186750. if (r == trans_values->red && g == trans_values->green &&
  186751. b == trans_values->blue)
  186752. {
  186753. /* background is already in screen gamma */
  186754. *sp = (png_byte)((background->red >> 8) & 0xff);
  186755. *(sp + 1) = (png_byte)(background->red & 0xff);
  186756. *(sp + 2) = (png_byte)((background->green >> 8) & 0xff);
  186757. *(sp + 3) = (png_byte)(background->green & 0xff);
  186758. *(sp + 4) = (png_byte)((background->blue >> 8) & 0xff);
  186759. *(sp + 5) = (png_byte)(background->blue & 0xff);
  186760. }
  186761. else
  186762. {
  186763. png_uint_16 v = gamma_16[*(sp + 1) >> gamma_shift][*sp];
  186764. *sp = (png_byte)((v >> 8) & 0xff);
  186765. *(sp + 1) = (png_byte)(v & 0xff);
  186766. v = gamma_16[*(sp + 3) >> gamma_shift][*(sp + 2)];
  186767. *(sp + 2) = (png_byte)((v >> 8) & 0xff);
  186768. *(sp + 3) = (png_byte)(v & 0xff);
  186769. v = gamma_16[*(sp + 5) >> gamma_shift][*(sp + 4)];
  186770. *(sp + 4) = (png_byte)((v >> 8) & 0xff);
  186771. *(sp + 5) = (png_byte)(v & 0xff);
  186772. }
  186773. }
  186774. }
  186775. else
  186776. #endif
  186777. {
  186778. sp = row;
  186779. for (i = 0; i < row_width; i++, sp += 6)
  186780. {
  186781. png_uint_16 r = (png_uint_16)(((*sp) << 8) + *(sp+1));
  186782. png_uint_16 g = (png_uint_16)(((*(sp+2)) << 8) + *(sp+3));
  186783. png_uint_16 b = (png_uint_16)(((*(sp+4)) << 8) + *(sp+5));
  186784. if (r == trans_values->red && g == trans_values->green &&
  186785. b == trans_values->blue)
  186786. {
  186787. *sp = (png_byte)((background->red >> 8) & 0xff);
  186788. *(sp + 1) = (png_byte)(background->red & 0xff);
  186789. *(sp + 2) = (png_byte)((background->green >> 8) & 0xff);
  186790. *(sp + 3) = (png_byte)(background->green & 0xff);
  186791. *(sp + 4) = (png_byte)((background->blue >> 8) & 0xff);
  186792. *(sp + 5) = (png_byte)(background->blue & 0xff);
  186793. }
  186794. }
  186795. }
  186796. }
  186797. break;
  186798. }
  186799. case PNG_COLOR_TYPE_GRAY_ALPHA:
  186800. {
  186801. if (row_info->bit_depth == 8)
  186802. {
  186803. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186804. if (gamma_to_1 != NULL && gamma_from_1 != NULL &&
  186805. gamma_table != NULL)
  186806. {
  186807. sp = row;
  186808. dp = row;
  186809. for (i = 0; i < row_width; i++, sp += 2, dp++)
  186810. {
  186811. png_uint_16 a = *(sp + 1);
  186812. if (a == 0xff)
  186813. {
  186814. *dp = gamma_table[*sp];
  186815. }
  186816. else if (a == 0)
  186817. {
  186818. /* background is already in screen gamma */
  186819. *dp = (png_byte)background->gray;
  186820. }
  186821. else
  186822. {
  186823. png_byte v, w;
  186824. v = gamma_to_1[*sp];
  186825. png_composite(w, v, a, background_1->gray);
  186826. *dp = gamma_from_1[w];
  186827. }
  186828. }
  186829. }
  186830. else
  186831. #endif
  186832. {
  186833. sp = row;
  186834. dp = row;
  186835. for (i = 0; i < row_width; i++, sp += 2, dp++)
  186836. {
  186837. png_byte a = *(sp + 1);
  186838. if (a == 0xff)
  186839. {
  186840. *dp = *sp;
  186841. }
  186842. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186843. else if (a == 0)
  186844. {
  186845. *dp = (png_byte)background->gray;
  186846. }
  186847. else
  186848. {
  186849. png_composite(*dp, *sp, a, background_1->gray);
  186850. }
  186851. #else
  186852. *dp = (png_byte)background->gray;
  186853. #endif
  186854. }
  186855. }
  186856. }
  186857. else /* if (png_ptr->bit_depth == 16) */
  186858. {
  186859. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186860. if (gamma_16 != NULL && gamma_16_from_1 != NULL &&
  186861. gamma_16_to_1 != NULL)
  186862. {
  186863. sp = row;
  186864. dp = row;
  186865. for (i = 0; i < row_width; i++, sp += 4, dp += 2)
  186866. {
  186867. png_uint_16 a = (png_uint_16)(((*(sp+2)) << 8) + *(sp+3));
  186868. if (a == (png_uint_16)0xffff)
  186869. {
  186870. png_uint_16 v;
  186871. v = gamma_16[*(sp + 1) >> gamma_shift][*sp];
  186872. *dp = (png_byte)((v >> 8) & 0xff);
  186873. *(dp + 1) = (png_byte)(v & 0xff);
  186874. }
  186875. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186876. else if (a == 0)
  186877. #else
  186878. else
  186879. #endif
  186880. {
  186881. /* background is already in screen gamma */
  186882. *dp = (png_byte)((background->gray >> 8) & 0xff);
  186883. *(dp + 1) = (png_byte)(background->gray & 0xff);
  186884. }
  186885. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186886. else
  186887. {
  186888. png_uint_16 g, v, w;
  186889. g = gamma_16_to_1[*(sp + 1) >> gamma_shift][*sp];
  186890. png_composite_16(v, g, a, background_1->gray);
  186891. w = gamma_16_from_1[(v&0xff) >> gamma_shift][v >> 8];
  186892. *dp = (png_byte)((w >> 8) & 0xff);
  186893. *(dp + 1) = (png_byte)(w & 0xff);
  186894. }
  186895. #endif
  186896. }
  186897. }
  186898. else
  186899. #endif
  186900. {
  186901. sp = row;
  186902. dp = row;
  186903. for (i = 0; i < row_width; i++, sp += 4, dp += 2)
  186904. {
  186905. png_uint_16 a = (png_uint_16)(((*(sp+2)) << 8) + *(sp+3));
  186906. if (a == (png_uint_16)0xffff)
  186907. {
  186908. png_memcpy(dp, sp, 2);
  186909. }
  186910. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186911. else if (a == 0)
  186912. #else
  186913. else
  186914. #endif
  186915. {
  186916. *dp = (png_byte)((background->gray >> 8) & 0xff);
  186917. *(dp + 1) = (png_byte)(background->gray & 0xff);
  186918. }
  186919. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186920. else
  186921. {
  186922. png_uint_16 g, v;
  186923. g = (png_uint_16)(((*sp) << 8) + *(sp + 1));
  186924. png_composite_16(v, g, a, background_1->gray);
  186925. *dp = (png_byte)((v >> 8) & 0xff);
  186926. *(dp + 1) = (png_byte)(v & 0xff);
  186927. }
  186928. #endif
  186929. }
  186930. }
  186931. }
  186932. break;
  186933. }
  186934. case PNG_COLOR_TYPE_RGB_ALPHA:
  186935. {
  186936. if (row_info->bit_depth == 8)
  186937. {
  186938. #if defined(PNG_READ_GAMMA_SUPPORTED)
  186939. if (gamma_to_1 != NULL && gamma_from_1 != NULL &&
  186940. gamma_table != NULL)
  186941. {
  186942. sp = row;
  186943. dp = row;
  186944. for (i = 0; i < row_width; i++, sp += 4, dp += 3)
  186945. {
  186946. png_byte a = *(sp + 3);
  186947. if (a == 0xff)
  186948. {
  186949. *dp = gamma_table[*sp];
  186950. *(dp + 1) = gamma_table[*(sp + 1)];
  186951. *(dp + 2) = gamma_table[*(sp + 2)];
  186952. }
  186953. else if (a == 0)
  186954. {
  186955. /* background is already in screen gamma */
  186956. *dp = (png_byte)background->red;
  186957. *(dp + 1) = (png_byte)background->green;
  186958. *(dp + 2) = (png_byte)background->blue;
  186959. }
  186960. else
  186961. {
  186962. png_byte v, w;
  186963. v = gamma_to_1[*sp];
  186964. png_composite(w, v, a, background_1->red);
  186965. *dp = gamma_from_1[w];
  186966. v = gamma_to_1[*(sp + 1)];
  186967. png_composite(w, v, a, background_1->green);
  186968. *(dp + 1) = gamma_from_1[w];
  186969. v = gamma_to_1[*(sp + 2)];
  186970. png_composite(w, v, a, background_1->blue);
  186971. *(dp + 2) = gamma_from_1[w];
  186972. }
  186973. }
  186974. }
  186975. else
  186976. #endif
  186977. {
  186978. sp = row;
  186979. dp = row;
  186980. for (i = 0; i < row_width; i++, sp += 4, dp += 3)
  186981. {
  186982. png_byte a = *(sp + 3);
  186983. if (a == 0xff)
  186984. {
  186985. *dp = *sp;
  186986. *(dp + 1) = *(sp + 1);
  186987. *(dp + 2) = *(sp + 2);
  186988. }
  186989. else if (a == 0)
  186990. {
  186991. *dp = (png_byte)background->red;
  186992. *(dp + 1) = (png_byte)background->green;
  186993. *(dp + 2) = (png_byte)background->blue;
  186994. }
  186995. else
  186996. {
  186997. png_composite(*dp, *sp, a, background->red);
  186998. png_composite(*(dp + 1), *(sp + 1), a,
  186999. background->green);
  187000. png_composite(*(dp + 2), *(sp + 2), a,
  187001. background->blue);
  187002. }
  187003. }
  187004. }
  187005. }
  187006. else /* if (row_info->bit_depth == 16) */
  187007. {
  187008. #if defined(PNG_READ_GAMMA_SUPPORTED)
  187009. if (gamma_16 != NULL && gamma_16_from_1 != NULL &&
  187010. gamma_16_to_1 != NULL)
  187011. {
  187012. sp = row;
  187013. dp = row;
  187014. for (i = 0; i < row_width; i++, sp += 8, dp += 6)
  187015. {
  187016. png_uint_16 a = (png_uint_16)(((png_uint_16)(*(sp + 6))
  187017. << 8) + (png_uint_16)(*(sp + 7)));
  187018. if (a == (png_uint_16)0xffff)
  187019. {
  187020. png_uint_16 v;
  187021. v = gamma_16[*(sp + 1) >> gamma_shift][*sp];
  187022. *dp = (png_byte)((v >> 8) & 0xff);
  187023. *(dp + 1) = (png_byte)(v & 0xff);
  187024. v = gamma_16[*(sp + 3) >> gamma_shift][*(sp + 2)];
  187025. *(dp + 2) = (png_byte)((v >> 8) & 0xff);
  187026. *(dp + 3) = (png_byte)(v & 0xff);
  187027. v = gamma_16[*(sp + 5) >> gamma_shift][*(sp + 4)];
  187028. *(dp + 4) = (png_byte)((v >> 8) & 0xff);
  187029. *(dp + 5) = (png_byte)(v & 0xff);
  187030. }
  187031. else if (a == 0)
  187032. {
  187033. /* background is already in screen gamma */
  187034. *dp = (png_byte)((background->red >> 8) & 0xff);
  187035. *(dp + 1) = (png_byte)(background->red & 0xff);
  187036. *(dp + 2) = (png_byte)((background->green >> 8) & 0xff);
  187037. *(dp + 3) = (png_byte)(background->green & 0xff);
  187038. *(dp + 4) = (png_byte)((background->blue >> 8) & 0xff);
  187039. *(dp + 5) = (png_byte)(background->blue & 0xff);
  187040. }
  187041. else
  187042. {
  187043. png_uint_16 v, w, x;
  187044. v = gamma_16_to_1[*(sp + 1) >> gamma_shift][*sp];
  187045. png_composite_16(w, v, a, background_1->red);
  187046. x = gamma_16_from_1[((w&0xff) >> gamma_shift)][w >> 8];
  187047. *dp = (png_byte)((x >> 8) & 0xff);
  187048. *(dp + 1) = (png_byte)(x & 0xff);
  187049. v = gamma_16_to_1[*(sp + 3) >> gamma_shift][*(sp + 2)];
  187050. png_composite_16(w, v, a, background_1->green);
  187051. x = gamma_16_from_1[((w&0xff) >> gamma_shift)][w >> 8];
  187052. *(dp + 2) = (png_byte)((x >> 8) & 0xff);
  187053. *(dp + 3) = (png_byte)(x & 0xff);
  187054. v = gamma_16_to_1[*(sp + 5) >> gamma_shift][*(sp + 4)];
  187055. png_composite_16(w, v, a, background_1->blue);
  187056. x = gamma_16_from_1[(w & 0xff) >> gamma_shift][w >> 8];
  187057. *(dp + 4) = (png_byte)((x >> 8) & 0xff);
  187058. *(dp + 5) = (png_byte)(x & 0xff);
  187059. }
  187060. }
  187061. }
  187062. else
  187063. #endif
  187064. {
  187065. sp = row;
  187066. dp = row;
  187067. for (i = 0; i < row_width; i++, sp += 8, dp += 6)
  187068. {
  187069. png_uint_16 a = (png_uint_16)(((png_uint_16)(*(sp + 6))
  187070. << 8) + (png_uint_16)(*(sp + 7)));
  187071. if (a == (png_uint_16)0xffff)
  187072. {
  187073. png_memcpy(dp, sp, 6);
  187074. }
  187075. else if (a == 0)
  187076. {
  187077. *dp = (png_byte)((background->red >> 8) & 0xff);
  187078. *(dp + 1) = (png_byte)(background->red & 0xff);
  187079. *(dp + 2) = (png_byte)((background->green >> 8) & 0xff);
  187080. *(dp + 3) = (png_byte)(background->green & 0xff);
  187081. *(dp + 4) = (png_byte)((background->blue >> 8) & 0xff);
  187082. *(dp + 5) = (png_byte)(background->blue & 0xff);
  187083. }
  187084. else
  187085. {
  187086. png_uint_16 v;
  187087. png_uint_16 r = (png_uint_16)(((*sp) << 8) + *(sp + 1));
  187088. png_uint_16 g = (png_uint_16)(((*(sp + 2)) << 8)
  187089. + *(sp + 3));
  187090. png_uint_16 b = (png_uint_16)(((*(sp + 4)) << 8)
  187091. + *(sp + 5));
  187092. png_composite_16(v, r, a, background->red);
  187093. *dp = (png_byte)((v >> 8) & 0xff);
  187094. *(dp + 1) = (png_byte)(v & 0xff);
  187095. png_composite_16(v, g, a, background->green);
  187096. *(dp + 2) = (png_byte)((v >> 8) & 0xff);
  187097. *(dp + 3) = (png_byte)(v & 0xff);
  187098. png_composite_16(v, b, a, background->blue);
  187099. *(dp + 4) = (png_byte)((v >> 8) & 0xff);
  187100. *(dp + 5) = (png_byte)(v & 0xff);
  187101. }
  187102. }
  187103. }
  187104. }
  187105. break;
  187106. }
  187107. }
  187108. if (row_info->color_type & PNG_COLOR_MASK_ALPHA)
  187109. {
  187110. row_info->color_type &= ~PNG_COLOR_MASK_ALPHA;
  187111. row_info->channels--;
  187112. row_info->pixel_depth = (png_byte)(row_info->channels *
  187113. row_info->bit_depth);
  187114. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,row_width);
  187115. }
  187116. }
  187117. }
  187118. #endif
  187119. #if defined(PNG_READ_GAMMA_SUPPORTED)
  187120. /* Gamma correct the image, avoiding the alpha channel. Make sure
  187121. * you do this after you deal with the transparency issue on grayscale
  187122. * or RGB images. If your bit depth is 8, use gamma_table, if it
  187123. * is 16, use gamma_16_table and gamma_shift. Build these with
  187124. * build_gamma_table().
  187125. */
  187126. void /* PRIVATE */
  187127. png_do_gamma(png_row_infop row_info, png_bytep row,
  187128. png_bytep gamma_table, png_uint_16pp gamma_16_table,
  187129. int gamma_shift)
  187130. {
  187131. png_bytep sp;
  187132. png_uint_32 i;
  187133. png_uint_32 row_width=row_info->width;
  187134. png_debug(1, "in png_do_gamma\n");
  187135. if (
  187136. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  187137. row != NULL && row_info != NULL &&
  187138. #endif
  187139. ((row_info->bit_depth <= 8 && gamma_table != NULL) ||
  187140. (row_info->bit_depth == 16 && gamma_16_table != NULL)))
  187141. {
  187142. switch (row_info->color_type)
  187143. {
  187144. case PNG_COLOR_TYPE_RGB:
  187145. {
  187146. if (row_info->bit_depth == 8)
  187147. {
  187148. sp = row;
  187149. for (i = 0; i < row_width; i++)
  187150. {
  187151. *sp = gamma_table[*sp];
  187152. sp++;
  187153. *sp = gamma_table[*sp];
  187154. sp++;
  187155. *sp = gamma_table[*sp];
  187156. sp++;
  187157. }
  187158. }
  187159. else /* if (row_info->bit_depth == 16) */
  187160. {
  187161. sp = row;
  187162. for (i = 0; i < row_width; i++)
  187163. {
  187164. png_uint_16 v;
  187165. v = gamma_16_table[*(sp + 1) >> gamma_shift][*sp];
  187166. *sp = (png_byte)((v >> 8) & 0xff);
  187167. *(sp + 1) = (png_byte)(v & 0xff);
  187168. sp += 2;
  187169. v = gamma_16_table[*(sp + 1) >> gamma_shift][*sp];
  187170. *sp = (png_byte)((v >> 8) & 0xff);
  187171. *(sp + 1) = (png_byte)(v & 0xff);
  187172. sp += 2;
  187173. v = gamma_16_table[*(sp + 1) >> gamma_shift][*sp];
  187174. *sp = (png_byte)((v >> 8) & 0xff);
  187175. *(sp + 1) = (png_byte)(v & 0xff);
  187176. sp += 2;
  187177. }
  187178. }
  187179. break;
  187180. }
  187181. case PNG_COLOR_TYPE_RGB_ALPHA:
  187182. {
  187183. if (row_info->bit_depth == 8)
  187184. {
  187185. sp = row;
  187186. for (i = 0; i < row_width; i++)
  187187. {
  187188. *sp = gamma_table[*sp];
  187189. sp++;
  187190. *sp = gamma_table[*sp];
  187191. sp++;
  187192. *sp = gamma_table[*sp];
  187193. sp++;
  187194. sp++;
  187195. }
  187196. }
  187197. else /* if (row_info->bit_depth == 16) */
  187198. {
  187199. sp = row;
  187200. for (i = 0; i < row_width; i++)
  187201. {
  187202. png_uint_16 v = gamma_16_table[*(sp + 1) >> gamma_shift][*sp];
  187203. *sp = (png_byte)((v >> 8) & 0xff);
  187204. *(sp + 1) = (png_byte)(v & 0xff);
  187205. sp += 2;
  187206. v = gamma_16_table[*(sp + 1) >> gamma_shift][*sp];
  187207. *sp = (png_byte)((v >> 8) & 0xff);
  187208. *(sp + 1) = (png_byte)(v & 0xff);
  187209. sp += 2;
  187210. v = gamma_16_table[*(sp + 1) >> gamma_shift][*sp];
  187211. *sp = (png_byte)((v >> 8) & 0xff);
  187212. *(sp + 1) = (png_byte)(v & 0xff);
  187213. sp += 4;
  187214. }
  187215. }
  187216. break;
  187217. }
  187218. case PNG_COLOR_TYPE_GRAY_ALPHA:
  187219. {
  187220. if (row_info->bit_depth == 8)
  187221. {
  187222. sp = row;
  187223. for (i = 0; i < row_width; i++)
  187224. {
  187225. *sp = gamma_table[*sp];
  187226. sp += 2;
  187227. }
  187228. }
  187229. else /* if (row_info->bit_depth == 16) */
  187230. {
  187231. sp = row;
  187232. for (i = 0; i < row_width; i++)
  187233. {
  187234. png_uint_16 v = gamma_16_table[*(sp + 1) >> gamma_shift][*sp];
  187235. *sp = (png_byte)((v >> 8) & 0xff);
  187236. *(sp + 1) = (png_byte)(v & 0xff);
  187237. sp += 4;
  187238. }
  187239. }
  187240. break;
  187241. }
  187242. case PNG_COLOR_TYPE_GRAY:
  187243. {
  187244. if (row_info->bit_depth == 2)
  187245. {
  187246. sp = row;
  187247. for (i = 0; i < row_width; i += 4)
  187248. {
  187249. int a = *sp & 0xc0;
  187250. int b = *sp & 0x30;
  187251. int c = *sp & 0x0c;
  187252. int d = *sp & 0x03;
  187253. *sp = (png_byte)(
  187254. ((((int)gamma_table[a|(a>>2)|(a>>4)|(a>>6)]) ) & 0xc0)|
  187255. ((((int)gamma_table[(b<<2)|b|(b>>2)|(b>>4)])>>2) & 0x30)|
  187256. ((((int)gamma_table[(c<<4)|(c<<2)|c|(c>>2)])>>4) & 0x0c)|
  187257. ((((int)gamma_table[(d<<6)|(d<<4)|(d<<2)|d])>>6) ));
  187258. sp++;
  187259. }
  187260. }
  187261. if (row_info->bit_depth == 4)
  187262. {
  187263. sp = row;
  187264. for (i = 0; i < row_width; i += 2)
  187265. {
  187266. int msb = *sp & 0xf0;
  187267. int lsb = *sp & 0x0f;
  187268. *sp = (png_byte)((((int)gamma_table[msb | (msb >> 4)]) & 0xf0)
  187269. | (((int)gamma_table[(lsb << 4) | lsb]) >> 4));
  187270. sp++;
  187271. }
  187272. }
  187273. else if (row_info->bit_depth == 8)
  187274. {
  187275. sp = row;
  187276. for (i = 0; i < row_width; i++)
  187277. {
  187278. *sp = gamma_table[*sp];
  187279. sp++;
  187280. }
  187281. }
  187282. else if (row_info->bit_depth == 16)
  187283. {
  187284. sp = row;
  187285. for (i = 0; i < row_width; i++)
  187286. {
  187287. png_uint_16 v = gamma_16_table[*(sp + 1) >> gamma_shift][*sp];
  187288. *sp = (png_byte)((v >> 8) & 0xff);
  187289. *(sp + 1) = (png_byte)(v & 0xff);
  187290. sp += 2;
  187291. }
  187292. }
  187293. break;
  187294. }
  187295. }
  187296. }
  187297. }
  187298. #endif
  187299. #if defined(PNG_READ_EXPAND_SUPPORTED)
  187300. /* Expands a palette row to an RGB or RGBA row depending
  187301. * upon whether you supply trans and num_trans.
  187302. */
  187303. void /* PRIVATE */
  187304. png_do_expand_palette(png_row_infop row_info, png_bytep row,
  187305. png_colorp palette, png_bytep trans, int num_trans)
  187306. {
  187307. int shift, value;
  187308. png_bytep sp, dp;
  187309. png_uint_32 i;
  187310. png_uint_32 row_width=row_info->width;
  187311. png_debug(1, "in png_do_expand_palette\n");
  187312. if (
  187313. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  187314. row != NULL && row_info != NULL &&
  187315. #endif
  187316. row_info->color_type == PNG_COLOR_TYPE_PALETTE)
  187317. {
  187318. if (row_info->bit_depth < 8)
  187319. {
  187320. switch (row_info->bit_depth)
  187321. {
  187322. case 1:
  187323. {
  187324. sp = row + (png_size_t)((row_width - 1) >> 3);
  187325. dp = row + (png_size_t)row_width - 1;
  187326. shift = 7 - (int)((row_width + 7) & 0x07);
  187327. for (i = 0; i < row_width; i++)
  187328. {
  187329. if ((*sp >> shift) & 0x01)
  187330. *dp = 1;
  187331. else
  187332. *dp = 0;
  187333. if (shift == 7)
  187334. {
  187335. shift = 0;
  187336. sp--;
  187337. }
  187338. else
  187339. shift++;
  187340. dp--;
  187341. }
  187342. break;
  187343. }
  187344. case 2:
  187345. {
  187346. sp = row + (png_size_t)((row_width - 1) >> 2);
  187347. dp = row + (png_size_t)row_width - 1;
  187348. shift = (int)((3 - ((row_width + 3) & 0x03)) << 1);
  187349. for (i = 0; i < row_width; i++)
  187350. {
  187351. value = (*sp >> shift) & 0x03;
  187352. *dp = (png_byte)value;
  187353. if (shift == 6)
  187354. {
  187355. shift = 0;
  187356. sp--;
  187357. }
  187358. else
  187359. shift += 2;
  187360. dp--;
  187361. }
  187362. break;
  187363. }
  187364. case 4:
  187365. {
  187366. sp = row + (png_size_t)((row_width - 1) >> 1);
  187367. dp = row + (png_size_t)row_width - 1;
  187368. shift = (int)((row_width & 0x01) << 2);
  187369. for (i = 0; i < row_width; i++)
  187370. {
  187371. value = (*sp >> shift) & 0x0f;
  187372. *dp = (png_byte)value;
  187373. if (shift == 4)
  187374. {
  187375. shift = 0;
  187376. sp--;
  187377. }
  187378. else
  187379. shift += 4;
  187380. dp--;
  187381. }
  187382. break;
  187383. }
  187384. }
  187385. row_info->bit_depth = 8;
  187386. row_info->pixel_depth = 8;
  187387. row_info->rowbytes = row_width;
  187388. }
  187389. switch (row_info->bit_depth)
  187390. {
  187391. case 8:
  187392. {
  187393. if (trans != NULL)
  187394. {
  187395. sp = row + (png_size_t)row_width - 1;
  187396. dp = row + (png_size_t)(row_width << 2) - 1;
  187397. for (i = 0; i < row_width; i++)
  187398. {
  187399. if ((int)(*sp) >= num_trans)
  187400. *dp-- = 0xff;
  187401. else
  187402. *dp-- = trans[*sp];
  187403. *dp-- = palette[*sp].blue;
  187404. *dp-- = palette[*sp].green;
  187405. *dp-- = palette[*sp].red;
  187406. sp--;
  187407. }
  187408. row_info->bit_depth = 8;
  187409. row_info->pixel_depth = 32;
  187410. row_info->rowbytes = row_width * 4;
  187411. row_info->color_type = 6;
  187412. row_info->channels = 4;
  187413. }
  187414. else
  187415. {
  187416. sp = row + (png_size_t)row_width - 1;
  187417. dp = row + (png_size_t)(row_width * 3) - 1;
  187418. for (i = 0; i < row_width; i++)
  187419. {
  187420. *dp-- = palette[*sp].blue;
  187421. *dp-- = palette[*sp].green;
  187422. *dp-- = palette[*sp].red;
  187423. sp--;
  187424. }
  187425. row_info->bit_depth = 8;
  187426. row_info->pixel_depth = 24;
  187427. row_info->rowbytes = row_width * 3;
  187428. row_info->color_type = 2;
  187429. row_info->channels = 3;
  187430. }
  187431. break;
  187432. }
  187433. }
  187434. }
  187435. }
  187436. /* If the bit depth < 8, it is expanded to 8. Also, if the already
  187437. * expanded transparency value is supplied, an alpha channel is built.
  187438. */
  187439. void /* PRIVATE */
  187440. png_do_expand(png_row_infop row_info, png_bytep row,
  187441. png_color_16p trans_value)
  187442. {
  187443. int shift, value;
  187444. png_bytep sp, dp;
  187445. png_uint_32 i;
  187446. png_uint_32 row_width=row_info->width;
  187447. png_debug(1, "in png_do_expand\n");
  187448. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  187449. if (row != NULL && row_info != NULL)
  187450. #endif
  187451. {
  187452. if (row_info->color_type == PNG_COLOR_TYPE_GRAY)
  187453. {
  187454. png_uint_16 gray = (png_uint_16)(trans_value ? trans_value->gray : 0);
  187455. if (row_info->bit_depth < 8)
  187456. {
  187457. switch (row_info->bit_depth)
  187458. {
  187459. case 1:
  187460. {
  187461. gray = (png_uint_16)((gray&0x01)*0xff);
  187462. sp = row + (png_size_t)((row_width - 1) >> 3);
  187463. dp = row + (png_size_t)row_width - 1;
  187464. shift = 7 - (int)((row_width + 7) & 0x07);
  187465. for (i = 0; i < row_width; i++)
  187466. {
  187467. if ((*sp >> shift) & 0x01)
  187468. *dp = 0xff;
  187469. else
  187470. *dp = 0;
  187471. if (shift == 7)
  187472. {
  187473. shift = 0;
  187474. sp--;
  187475. }
  187476. else
  187477. shift++;
  187478. dp--;
  187479. }
  187480. break;
  187481. }
  187482. case 2:
  187483. {
  187484. gray = (png_uint_16)((gray&0x03)*0x55);
  187485. sp = row + (png_size_t)((row_width - 1) >> 2);
  187486. dp = row + (png_size_t)row_width - 1;
  187487. shift = (int)((3 - ((row_width + 3) & 0x03)) << 1);
  187488. for (i = 0; i < row_width; i++)
  187489. {
  187490. value = (*sp >> shift) & 0x03;
  187491. *dp = (png_byte)(value | (value << 2) | (value << 4) |
  187492. (value << 6));
  187493. if (shift == 6)
  187494. {
  187495. shift = 0;
  187496. sp--;
  187497. }
  187498. else
  187499. shift += 2;
  187500. dp--;
  187501. }
  187502. break;
  187503. }
  187504. case 4:
  187505. {
  187506. gray = (png_uint_16)((gray&0x0f)*0x11);
  187507. sp = row + (png_size_t)((row_width - 1) >> 1);
  187508. dp = row + (png_size_t)row_width - 1;
  187509. shift = (int)((1 - ((row_width + 1) & 0x01)) << 2);
  187510. for (i = 0; i < row_width; i++)
  187511. {
  187512. value = (*sp >> shift) & 0x0f;
  187513. *dp = (png_byte)(value | (value << 4));
  187514. if (shift == 4)
  187515. {
  187516. shift = 0;
  187517. sp--;
  187518. }
  187519. else
  187520. shift = 4;
  187521. dp--;
  187522. }
  187523. break;
  187524. }
  187525. }
  187526. row_info->bit_depth = 8;
  187527. row_info->pixel_depth = 8;
  187528. row_info->rowbytes = row_width;
  187529. }
  187530. if (trans_value != NULL)
  187531. {
  187532. if (row_info->bit_depth == 8)
  187533. {
  187534. gray = gray & 0xff;
  187535. sp = row + (png_size_t)row_width - 1;
  187536. dp = row + (png_size_t)(row_width << 1) - 1;
  187537. for (i = 0; i < row_width; i++)
  187538. {
  187539. if (*sp == gray)
  187540. *dp-- = 0;
  187541. else
  187542. *dp-- = 0xff;
  187543. *dp-- = *sp--;
  187544. }
  187545. }
  187546. else if (row_info->bit_depth == 16)
  187547. {
  187548. png_byte gray_high = (gray >> 8) & 0xff;
  187549. png_byte gray_low = gray & 0xff;
  187550. sp = row + row_info->rowbytes - 1;
  187551. dp = row + (row_info->rowbytes << 1) - 1;
  187552. for (i = 0; i < row_width; i++)
  187553. {
  187554. if (*(sp-1) == gray_high && *(sp) == gray_low)
  187555. {
  187556. *dp-- = 0;
  187557. *dp-- = 0;
  187558. }
  187559. else
  187560. {
  187561. *dp-- = 0xff;
  187562. *dp-- = 0xff;
  187563. }
  187564. *dp-- = *sp--;
  187565. *dp-- = *sp--;
  187566. }
  187567. }
  187568. row_info->color_type = PNG_COLOR_TYPE_GRAY_ALPHA;
  187569. row_info->channels = 2;
  187570. row_info->pixel_depth = (png_byte)(row_info->bit_depth << 1);
  187571. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,
  187572. row_width);
  187573. }
  187574. }
  187575. else if (row_info->color_type == PNG_COLOR_TYPE_RGB && trans_value)
  187576. {
  187577. if (row_info->bit_depth == 8)
  187578. {
  187579. png_byte red = trans_value->red & 0xff;
  187580. png_byte green = trans_value->green & 0xff;
  187581. png_byte blue = trans_value->blue & 0xff;
  187582. sp = row + (png_size_t)row_info->rowbytes - 1;
  187583. dp = row + (png_size_t)(row_width << 2) - 1;
  187584. for (i = 0; i < row_width; i++)
  187585. {
  187586. if (*(sp - 2) == red && *(sp - 1) == green && *(sp) == blue)
  187587. *dp-- = 0;
  187588. else
  187589. *dp-- = 0xff;
  187590. *dp-- = *sp--;
  187591. *dp-- = *sp--;
  187592. *dp-- = *sp--;
  187593. }
  187594. }
  187595. else if (row_info->bit_depth == 16)
  187596. {
  187597. png_byte red_high = (trans_value->red >> 8) & 0xff;
  187598. png_byte green_high = (trans_value->green >> 8) & 0xff;
  187599. png_byte blue_high = (trans_value->blue >> 8) & 0xff;
  187600. png_byte red_low = trans_value->red & 0xff;
  187601. png_byte green_low = trans_value->green & 0xff;
  187602. png_byte blue_low = trans_value->blue & 0xff;
  187603. sp = row + row_info->rowbytes - 1;
  187604. dp = row + (png_size_t)(row_width << 3) - 1;
  187605. for (i = 0; i < row_width; i++)
  187606. {
  187607. if (*(sp - 5) == red_high &&
  187608. *(sp - 4) == red_low &&
  187609. *(sp - 3) == green_high &&
  187610. *(sp - 2) == green_low &&
  187611. *(sp - 1) == blue_high &&
  187612. *(sp ) == blue_low)
  187613. {
  187614. *dp-- = 0;
  187615. *dp-- = 0;
  187616. }
  187617. else
  187618. {
  187619. *dp-- = 0xff;
  187620. *dp-- = 0xff;
  187621. }
  187622. *dp-- = *sp--;
  187623. *dp-- = *sp--;
  187624. *dp-- = *sp--;
  187625. *dp-- = *sp--;
  187626. *dp-- = *sp--;
  187627. *dp-- = *sp--;
  187628. }
  187629. }
  187630. row_info->color_type = PNG_COLOR_TYPE_RGB_ALPHA;
  187631. row_info->channels = 4;
  187632. row_info->pixel_depth = (png_byte)(row_info->bit_depth << 2);
  187633. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,row_width);
  187634. }
  187635. }
  187636. }
  187637. #endif
  187638. #if defined(PNG_READ_DITHER_SUPPORTED)
  187639. void /* PRIVATE */
  187640. png_do_dither(png_row_infop row_info, png_bytep row,
  187641. png_bytep palette_lookup, png_bytep dither_lookup)
  187642. {
  187643. png_bytep sp, dp;
  187644. png_uint_32 i;
  187645. png_uint_32 row_width=row_info->width;
  187646. png_debug(1, "in png_do_dither\n");
  187647. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  187648. if (row != NULL && row_info != NULL)
  187649. #endif
  187650. {
  187651. if (row_info->color_type == PNG_COLOR_TYPE_RGB &&
  187652. palette_lookup && row_info->bit_depth == 8)
  187653. {
  187654. int r, g, b, p;
  187655. sp = row;
  187656. dp = row;
  187657. for (i = 0; i < row_width; i++)
  187658. {
  187659. r = *sp++;
  187660. g = *sp++;
  187661. b = *sp++;
  187662. /* this looks real messy, but the compiler will reduce
  187663. it down to a reasonable formula. For example, with
  187664. 5 bits per color, we get:
  187665. p = (((r >> 3) & 0x1f) << 10) |
  187666. (((g >> 3) & 0x1f) << 5) |
  187667. ((b >> 3) & 0x1f);
  187668. */
  187669. p = (((r >> (8 - PNG_DITHER_RED_BITS)) &
  187670. ((1 << PNG_DITHER_RED_BITS) - 1)) <<
  187671. (PNG_DITHER_GREEN_BITS + PNG_DITHER_BLUE_BITS)) |
  187672. (((g >> (8 - PNG_DITHER_GREEN_BITS)) &
  187673. ((1 << PNG_DITHER_GREEN_BITS) - 1)) <<
  187674. (PNG_DITHER_BLUE_BITS)) |
  187675. ((b >> (8 - PNG_DITHER_BLUE_BITS)) &
  187676. ((1 << PNG_DITHER_BLUE_BITS) - 1));
  187677. *dp++ = palette_lookup[p];
  187678. }
  187679. row_info->color_type = PNG_COLOR_TYPE_PALETTE;
  187680. row_info->channels = 1;
  187681. row_info->pixel_depth = row_info->bit_depth;
  187682. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,row_width);
  187683. }
  187684. else if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA &&
  187685. palette_lookup != NULL && row_info->bit_depth == 8)
  187686. {
  187687. int r, g, b, p;
  187688. sp = row;
  187689. dp = row;
  187690. for (i = 0; i < row_width; i++)
  187691. {
  187692. r = *sp++;
  187693. g = *sp++;
  187694. b = *sp++;
  187695. sp++;
  187696. p = (((r >> (8 - PNG_DITHER_RED_BITS)) &
  187697. ((1 << PNG_DITHER_RED_BITS) - 1)) <<
  187698. (PNG_DITHER_GREEN_BITS + PNG_DITHER_BLUE_BITS)) |
  187699. (((g >> (8 - PNG_DITHER_GREEN_BITS)) &
  187700. ((1 << PNG_DITHER_GREEN_BITS) - 1)) <<
  187701. (PNG_DITHER_BLUE_BITS)) |
  187702. ((b >> (8 - PNG_DITHER_BLUE_BITS)) &
  187703. ((1 << PNG_DITHER_BLUE_BITS) - 1));
  187704. *dp++ = palette_lookup[p];
  187705. }
  187706. row_info->color_type = PNG_COLOR_TYPE_PALETTE;
  187707. row_info->channels = 1;
  187708. row_info->pixel_depth = row_info->bit_depth;
  187709. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,row_width);
  187710. }
  187711. else if (row_info->color_type == PNG_COLOR_TYPE_PALETTE &&
  187712. dither_lookup && row_info->bit_depth == 8)
  187713. {
  187714. sp = row;
  187715. for (i = 0; i < row_width; i++, sp++)
  187716. {
  187717. *sp = dither_lookup[*sp];
  187718. }
  187719. }
  187720. }
  187721. }
  187722. #endif
  187723. #ifdef PNG_FLOATING_POINT_SUPPORTED
  187724. #if defined(PNG_READ_GAMMA_SUPPORTED)
  187725. static PNG_CONST int png_gamma_shift[] =
  187726. {0x10, 0x21, 0x42, 0x84, 0x110, 0x248, 0x550, 0xff0, 0x00};
  187727. /* We build the 8- or 16-bit gamma tables here. Note that for 16-bit
  187728. * tables, we don't make a full table if we are reducing to 8-bit in
  187729. * the future. Note also how the gamma_16 tables are segmented so that
  187730. * we don't need to allocate > 64K chunks for a full 16-bit table.
  187731. */
  187732. void /* PRIVATE */
  187733. png_build_gamma_table(png_structp png_ptr)
  187734. {
  187735. png_debug(1, "in png_build_gamma_table\n");
  187736. if (png_ptr->bit_depth <= 8)
  187737. {
  187738. int i;
  187739. double g;
  187740. if (png_ptr->screen_gamma > .000001)
  187741. g = 1.0 / (png_ptr->gamma * png_ptr->screen_gamma);
  187742. else
  187743. g = 1.0;
  187744. png_ptr->gamma_table = (png_bytep)png_malloc(png_ptr,
  187745. (png_uint_32)256);
  187746. for (i = 0; i < 256; i++)
  187747. {
  187748. png_ptr->gamma_table[i] = (png_byte)(pow((double)i / 255.0,
  187749. g) * 255.0 + .5);
  187750. }
  187751. #if defined(PNG_READ_BACKGROUND_SUPPORTED) || \
  187752. defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  187753. if (png_ptr->transformations & ((PNG_BACKGROUND) | PNG_RGB_TO_GRAY))
  187754. {
  187755. g = 1.0 / (png_ptr->gamma);
  187756. png_ptr->gamma_to_1 = (png_bytep)png_malloc(png_ptr,
  187757. (png_uint_32)256);
  187758. for (i = 0; i < 256; i++)
  187759. {
  187760. png_ptr->gamma_to_1[i] = (png_byte)(pow((double)i / 255.0,
  187761. g) * 255.0 + .5);
  187762. }
  187763. png_ptr->gamma_from_1 = (png_bytep)png_malloc(png_ptr,
  187764. (png_uint_32)256);
  187765. if(png_ptr->screen_gamma > 0.000001)
  187766. g = 1.0 / png_ptr->screen_gamma;
  187767. else
  187768. g = png_ptr->gamma; /* probably doing rgb_to_gray */
  187769. for (i = 0; i < 256; i++)
  187770. {
  187771. png_ptr->gamma_from_1[i] = (png_byte)(pow((double)i / 255.0,
  187772. g) * 255.0 + .5);
  187773. }
  187774. }
  187775. #endif /* PNG_READ_BACKGROUND_SUPPORTED || PNG_RGB_TO_GRAY_SUPPORTED */
  187776. }
  187777. else
  187778. {
  187779. double g;
  187780. int i, j, shift, num;
  187781. int sig_bit;
  187782. png_uint_32 ig;
  187783. if (png_ptr->color_type & PNG_COLOR_MASK_COLOR)
  187784. {
  187785. sig_bit = (int)png_ptr->sig_bit.red;
  187786. if ((int)png_ptr->sig_bit.green > sig_bit)
  187787. sig_bit = png_ptr->sig_bit.green;
  187788. if ((int)png_ptr->sig_bit.blue > sig_bit)
  187789. sig_bit = png_ptr->sig_bit.blue;
  187790. }
  187791. else
  187792. {
  187793. sig_bit = (int)png_ptr->sig_bit.gray;
  187794. }
  187795. if (sig_bit > 0)
  187796. shift = 16 - sig_bit;
  187797. else
  187798. shift = 0;
  187799. if (png_ptr->transformations & PNG_16_TO_8)
  187800. {
  187801. if (shift < (16 - PNG_MAX_GAMMA_8))
  187802. shift = (16 - PNG_MAX_GAMMA_8);
  187803. }
  187804. if (shift > 8)
  187805. shift = 8;
  187806. if (shift < 0)
  187807. shift = 0;
  187808. png_ptr->gamma_shift = (png_byte)shift;
  187809. num = (1 << (8 - shift));
  187810. if (png_ptr->screen_gamma > .000001)
  187811. g = 1.0 / (png_ptr->gamma * png_ptr->screen_gamma);
  187812. else
  187813. g = 1.0;
  187814. png_ptr->gamma_16_table = (png_uint_16pp)png_malloc(png_ptr,
  187815. (png_uint_32)(num * png_sizeof (png_uint_16p)));
  187816. if (png_ptr->transformations & (PNG_16_TO_8 | PNG_BACKGROUND))
  187817. {
  187818. double fin, fout;
  187819. png_uint_32 last, max;
  187820. for (i = 0; i < num; i++)
  187821. {
  187822. png_ptr->gamma_16_table[i] = (png_uint_16p)png_malloc(png_ptr,
  187823. (png_uint_32)(256 * png_sizeof (png_uint_16)));
  187824. }
  187825. g = 1.0 / g;
  187826. last = 0;
  187827. for (i = 0; i < 256; i++)
  187828. {
  187829. fout = ((double)i + 0.5) / 256.0;
  187830. fin = pow(fout, g);
  187831. max = (png_uint_32)(fin * (double)((png_uint_32)num << 8));
  187832. while (last <= max)
  187833. {
  187834. png_ptr->gamma_16_table[(int)(last & (0xff >> shift))]
  187835. [(int)(last >> (8 - shift))] = (png_uint_16)(
  187836. (png_uint_16)i | ((png_uint_16)i << 8));
  187837. last++;
  187838. }
  187839. }
  187840. while (last < ((png_uint_32)num << 8))
  187841. {
  187842. png_ptr->gamma_16_table[(int)(last & (0xff >> shift))]
  187843. [(int)(last >> (8 - shift))] = (png_uint_16)65535L;
  187844. last++;
  187845. }
  187846. }
  187847. else
  187848. {
  187849. for (i = 0; i < num; i++)
  187850. {
  187851. png_ptr->gamma_16_table[i] = (png_uint_16p)png_malloc(png_ptr,
  187852. (png_uint_32)(256 * png_sizeof (png_uint_16)));
  187853. ig = (((png_uint_32)i * (png_uint_32)png_gamma_shift[shift]) >> 4);
  187854. for (j = 0; j < 256; j++)
  187855. {
  187856. png_ptr->gamma_16_table[i][j] =
  187857. (png_uint_16)(pow((double)(ig + ((png_uint_32)j << 8)) /
  187858. 65535.0, g) * 65535.0 + .5);
  187859. }
  187860. }
  187861. }
  187862. #if defined(PNG_READ_BACKGROUND_SUPPORTED) || \
  187863. defined(PNG_READ_RGB_TO_GRAY_SUPPORTED)
  187864. if (png_ptr->transformations & (PNG_BACKGROUND | PNG_RGB_TO_GRAY))
  187865. {
  187866. g = 1.0 / (png_ptr->gamma);
  187867. png_ptr->gamma_16_to_1 = (png_uint_16pp)png_malloc(png_ptr,
  187868. (png_uint_32)(num * png_sizeof (png_uint_16p )));
  187869. for (i = 0; i < num; i++)
  187870. {
  187871. png_ptr->gamma_16_to_1[i] = (png_uint_16p)png_malloc(png_ptr,
  187872. (png_uint_32)(256 * png_sizeof (png_uint_16)));
  187873. ig = (((png_uint_32)i *
  187874. (png_uint_32)png_gamma_shift[shift]) >> 4);
  187875. for (j = 0; j < 256; j++)
  187876. {
  187877. png_ptr->gamma_16_to_1[i][j] =
  187878. (png_uint_16)(pow((double)(ig + ((png_uint_32)j << 8)) /
  187879. 65535.0, g) * 65535.0 + .5);
  187880. }
  187881. }
  187882. if(png_ptr->screen_gamma > 0.000001)
  187883. g = 1.0 / png_ptr->screen_gamma;
  187884. else
  187885. g = png_ptr->gamma; /* probably doing rgb_to_gray */
  187886. png_ptr->gamma_16_from_1 = (png_uint_16pp)png_malloc(png_ptr,
  187887. (png_uint_32)(num * png_sizeof (png_uint_16p)));
  187888. for (i = 0; i < num; i++)
  187889. {
  187890. png_ptr->gamma_16_from_1[i] = (png_uint_16p)png_malloc(png_ptr,
  187891. (png_uint_32)(256 * png_sizeof (png_uint_16)));
  187892. ig = (((png_uint_32)i *
  187893. (png_uint_32)png_gamma_shift[shift]) >> 4);
  187894. for (j = 0; j < 256; j++)
  187895. {
  187896. png_ptr->gamma_16_from_1[i][j] =
  187897. (png_uint_16)(pow((double)(ig + ((png_uint_32)j << 8)) /
  187898. 65535.0, g) * 65535.0 + .5);
  187899. }
  187900. }
  187901. }
  187902. #endif /* PNG_READ_BACKGROUND_SUPPORTED || PNG_RGB_TO_GRAY_SUPPORTED */
  187903. }
  187904. }
  187905. #endif
  187906. /* To do: install integer version of png_build_gamma_table here */
  187907. #endif
  187908. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  187909. /* undoes intrapixel differencing */
  187910. void /* PRIVATE */
  187911. png_do_read_intrapixel(png_row_infop row_info, png_bytep row)
  187912. {
  187913. png_debug(1, "in png_do_read_intrapixel\n");
  187914. if (
  187915. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  187916. row != NULL && row_info != NULL &&
  187917. #endif
  187918. (row_info->color_type & PNG_COLOR_MASK_COLOR))
  187919. {
  187920. int bytes_per_pixel;
  187921. png_uint_32 row_width = row_info->width;
  187922. if (row_info->bit_depth == 8)
  187923. {
  187924. png_bytep rp;
  187925. png_uint_32 i;
  187926. if (row_info->color_type == PNG_COLOR_TYPE_RGB)
  187927. bytes_per_pixel = 3;
  187928. else if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  187929. bytes_per_pixel = 4;
  187930. else
  187931. return;
  187932. for (i = 0, rp = row; i < row_width; i++, rp += bytes_per_pixel)
  187933. {
  187934. *(rp) = (png_byte)((256 + *rp + *(rp+1))&0xff);
  187935. *(rp+2) = (png_byte)((256 + *(rp+2) + *(rp+1))&0xff);
  187936. }
  187937. }
  187938. else if (row_info->bit_depth == 16)
  187939. {
  187940. png_bytep rp;
  187941. png_uint_32 i;
  187942. if (row_info->color_type == PNG_COLOR_TYPE_RGB)
  187943. bytes_per_pixel = 6;
  187944. else if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  187945. bytes_per_pixel = 8;
  187946. else
  187947. return;
  187948. for (i = 0, rp = row; i < row_width; i++, rp += bytes_per_pixel)
  187949. {
  187950. png_uint_32 s0 = (*(rp ) << 8) | *(rp+1);
  187951. png_uint_32 s1 = (*(rp+2) << 8) | *(rp+3);
  187952. png_uint_32 s2 = (*(rp+4) << 8) | *(rp+5);
  187953. png_uint_32 red = (png_uint_32)((s0+s1+65536L) & 0xffffL);
  187954. png_uint_32 blue = (png_uint_32)((s2+s1+65536L) & 0xffffL);
  187955. *(rp ) = (png_byte)((red >> 8) & 0xff);
  187956. *(rp+1) = (png_byte)(red & 0xff);
  187957. *(rp+4) = (png_byte)((blue >> 8) & 0xff);
  187958. *(rp+5) = (png_byte)(blue & 0xff);
  187959. }
  187960. }
  187961. }
  187962. }
  187963. #endif /* PNG_MNG_FEATURES_SUPPORTED */
  187964. #endif /* PNG_READ_SUPPORTED */
  187965. /********* End of inlined file: pngrtran.c *********/
  187966. /********* Start of inlined file: pngrutil.c *********/
  187967. /* pngrutil.c - utilities to read a PNG file
  187968. *
  187969. * Last changed in libpng 1.2.21 [October 4, 2007]
  187970. * For conditions of distribution and use, see copyright notice in png.h
  187971. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  187972. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  187973. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  187974. *
  187975. * This file contains routines that are only called from within
  187976. * libpng itself during the course of reading an image.
  187977. */
  187978. #define PNG_INTERNAL
  187979. #if defined(PNG_READ_SUPPORTED)
  187980. #if defined(_WIN32_WCE) && (_WIN32_WCE<0x500)
  187981. # define WIN32_WCE_OLD
  187982. #endif
  187983. #ifdef PNG_FLOATING_POINT_SUPPORTED
  187984. # if defined(WIN32_WCE_OLD)
  187985. /* strtod() function is not supported on WindowsCE */
  187986. __inline double png_strtod(png_structp png_ptr, PNG_CONST char *nptr, char **endptr)
  187987. {
  187988. double result = 0;
  187989. int len;
  187990. wchar_t *str, *end;
  187991. len = MultiByteToWideChar(CP_ACP, 0, nptr, -1, NULL, 0);
  187992. str = (wchar_t *)png_malloc(png_ptr, len * sizeof(wchar_t));
  187993. if ( NULL != str )
  187994. {
  187995. MultiByteToWideChar(CP_ACP, 0, nptr, -1, str, len);
  187996. result = wcstod(str, &end);
  187997. len = WideCharToMultiByte(CP_ACP, 0, end, -1, NULL, 0, NULL, NULL);
  187998. *endptr = (char *)nptr + (png_strlen(nptr) - len + 1);
  187999. png_free(png_ptr, str);
  188000. }
  188001. return result;
  188002. }
  188003. # else
  188004. # define png_strtod(p,a,b) strtod(a,b)
  188005. # endif
  188006. #endif
  188007. png_uint_32 PNGAPI
  188008. png_get_uint_31(png_structp png_ptr, png_bytep buf)
  188009. {
  188010. png_uint_32 i = png_get_uint_32(buf);
  188011. if (i > PNG_UINT_31_MAX)
  188012. png_error(png_ptr, "PNG unsigned integer out of range.");
  188013. return (i);
  188014. }
  188015. #ifndef PNG_READ_BIG_ENDIAN_SUPPORTED
  188016. /* Grab an unsigned 32-bit integer from a buffer in big-endian format. */
  188017. png_uint_32 PNGAPI
  188018. png_get_uint_32(png_bytep buf)
  188019. {
  188020. png_uint_32 i = ((png_uint_32)(*buf) << 24) +
  188021. ((png_uint_32)(*(buf + 1)) << 16) +
  188022. ((png_uint_32)(*(buf + 2)) << 8) +
  188023. (png_uint_32)(*(buf + 3));
  188024. return (i);
  188025. }
  188026. /* Grab a signed 32-bit integer from a buffer in big-endian format. The
  188027. * data is stored in the PNG file in two's complement format, and it is
  188028. * assumed that the machine format for signed integers is the same. */
  188029. png_int_32 PNGAPI
  188030. png_get_int_32(png_bytep buf)
  188031. {
  188032. png_int_32 i = ((png_int_32)(*buf) << 24) +
  188033. ((png_int_32)(*(buf + 1)) << 16) +
  188034. ((png_int_32)(*(buf + 2)) << 8) +
  188035. (png_int_32)(*(buf + 3));
  188036. return (i);
  188037. }
  188038. /* Grab an unsigned 16-bit integer from a buffer in big-endian format. */
  188039. png_uint_16 PNGAPI
  188040. png_get_uint_16(png_bytep buf)
  188041. {
  188042. png_uint_16 i = (png_uint_16)(((png_uint_16)(*buf) << 8) +
  188043. (png_uint_16)(*(buf + 1)));
  188044. return (i);
  188045. }
  188046. #endif /* PNG_READ_BIG_ENDIAN_SUPPORTED */
  188047. /* Read data, and (optionally) run it through the CRC. */
  188048. void /* PRIVATE */
  188049. png_crc_read(png_structp png_ptr, png_bytep buf, png_size_t length)
  188050. {
  188051. if(png_ptr == NULL) return;
  188052. png_read_data(png_ptr, buf, length);
  188053. png_calculate_crc(png_ptr, buf, length);
  188054. }
  188055. /* Optionally skip data and then check the CRC. Depending on whether we
  188056. are reading a ancillary or critical chunk, and how the program has set
  188057. things up, we may calculate the CRC on the data and print a message.
  188058. Returns '1' if there was a CRC error, '0' otherwise. */
  188059. int /* PRIVATE */
  188060. png_crc_finish(png_structp png_ptr, png_uint_32 skip)
  188061. {
  188062. png_size_t i;
  188063. png_size_t istop = png_ptr->zbuf_size;
  188064. for (i = (png_size_t)skip; i > istop; i -= istop)
  188065. {
  188066. png_crc_read(png_ptr, png_ptr->zbuf, png_ptr->zbuf_size);
  188067. }
  188068. if (i)
  188069. {
  188070. png_crc_read(png_ptr, png_ptr->zbuf, i);
  188071. }
  188072. if (png_crc_error(png_ptr))
  188073. {
  188074. if (((png_ptr->chunk_name[0] & 0x20) && /* Ancillary */
  188075. !(png_ptr->flags & PNG_FLAG_CRC_ANCILLARY_NOWARN)) ||
  188076. (!(png_ptr->chunk_name[0] & 0x20) && /* Critical */
  188077. (png_ptr->flags & PNG_FLAG_CRC_CRITICAL_USE)))
  188078. {
  188079. png_chunk_warning(png_ptr, "CRC error");
  188080. }
  188081. else
  188082. {
  188083. png_chunk_error(png_ptr, "CRC error");
  188084. }
  188085. return (1);
  188086. }
  188087. return (0);
  188088. }
  188089. /* Compare the CRC stored in the PNG file with that calculated by libpng from
  188090. the data it has read thus far. */
  188091. int /* PRIVATE */
  188092. png_crc_error(png_structp png_ptr)
  188093. {
  188094. png_byte crc_bytes[4];
  188095. png_uint_32 crc;
  188096. int need_crc = 1;
  188097. if (png_ptr->chunk_name[0] & 0x20) /* ancillary */
  188098. {
  188099. if ((png_ptr->flags & PNG_FLAG_CRC_ANCILLARY_MASK) ==
  188100. (PNG_FLAG_CRC_ANCILLARY_USE | PNG_FLAG_CRC_ANCILLARY_NOWARN))
  188101. need_crc = 0;
  188102. }
  188103. else /* critical */
  188104. {
  188105. if (png_ptr->flags & PNG_FLAG_CRC_CRITICAL_IGNORE)
  188106. need_crc = 0;
  188107. }
  188108. png_read_data(png_ptr, crc_bytes, 4);
  188109. if (need_crc)
  188110. {
  188111. crc = png_get_uint_32(crc_bytes);
  188112. return ((int)(crc != png_ptr->crc));
  188113. }
  188114. else
  188115. return (0);
  188116. }
  188117. #if defined(PNG_READ_zTXt_SUPPORTED) || defined(PNG_READ_iTXt_SUPPORTED) || \
  188118. defined(PNG_READ_iCCP_SUPPORTED)
  188119. /*
  188120. * Decompress trailing data in a chunk. The assumption is that chunkdata
  188121. * points at an allocated area holding the contents of a chunk with a
  188122. * trailing compressed part. What we get back is an allocated area
  188123. * holding the original prefix part and an uncompressed version of the
  188124. * trailing part (the malloc area passed in is freed).
  188125. */
  188126. png_charp /* PRIVATE */
  188127. png_decompress_chunk(png_structp png_ptr, int comp_type,
  188128. png_charp chunkdata, png_size_t chunklength,
  188129. png_size_t prefix_size, png_size_t *newlength)
  188130. {
  188131. static PNG_CONST char msg[] = "Error decoding compressed text";
  188132. png_charp text;
  188133. png_size_t text_size;
  188134. if (comp_type == PNG_COMPRESSION_TYPE_BASE)
  188135. {
  188136. int ret = Z_OK;
  188137. png_ptr->zstream.next_in = (png_bytep)(chunkdata + prefix_size);
  188138. png_ptr->zstream.avail_in = (uInt)(chunklength - prefix_size);
  188139. png_ptr->zstream.next_out = png_ptr->zbuf;
  188140. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  188141. text_size = 0;
  188142. text = NULL;
  188143. while (png_ptr->zstream.avail_in)
  188144. {
  188145. ret = inflate(&png_ptr->zstream, Z_PARTIAL_FLUSH);
  188146. if (ret != Z_OK && ret != Z_STREAM_END)
  188147. {
  188148. if (png_ptr->zstream.msg != NULL)
  188149. png_warning(png_ptr, png_ptr->zstream.msg);
  188150. else
  188151. png_warning(png_ptr, msg);
  188152. inflateReset(&png_ptr->zstream);
  188153. png_ptr->zstream.avail_in = 0;
  188154. if (text == NULL)
  188155. {
  188156. text_size = prefix_size + png_sizeof(msg) + 1;
  188157. text = (png_charp)png_malloc_warn(png_ptr, text_size);
  188158. if (text == NULL)
  188159. {
  188160. png_free(png_ptr,chunkdata);
  188161. png_error(png_ptr,"Not enough memory to decompress chunk");
  188162. }
  188163. png_memcpy(text, chunkdata, prefix_size);
  188164. }
  188165. text[text_size - 1] = 0x00;
  188166. /* Copy what we can of the error message into the text chunk */
  188167. text_size = (png_size_t)(chunklength - (text - chunkdata) - 1);
  188168. text_size = png_sizeof(msg) > text_size ? text_size :
  188169. png_sizeof(msg);
  188170. png_memcpy(text + prefix_size, msg, text_size + 1);
  188171. break;
  188172. }
  188173. if (!png_ptr->zstream.avail_out || ret == Z_STREAM_END)
  188174. {
  188175. if (text == NULL)
  188176. {
  188177. text_size = prefix_size +
  188178. png_ptr->zbuf_size - png_ptr->zstream.avail_out;
  188179. text = (png_charp)png_malloc_warn(png_ptr, text_size + 1);
  188180. if (text == NULL)
  188181. {
  188182. png_free(png_ptr,chunkdata);
  188183. png_error(png_ptr,"Not enough memory to decompress chunk.");
  188184. }
  188185. png_memcpy(text + prefix_size, png_ptr->zbuf,
  188186. text_size - prefix_size);
  188187. png_memcpy(text, chunkdata, prefix_size);
  188188. *(text + text_size) = 0x00;
  188189. }
  188190. else
  188191. {
  188192. png_charp tmp;
  188193. tmp = text;
  188194. text = (png_charp)png_malloc_warn(png_ptr,
  188195. (png_uint_32)(text_size +
  188196. png_ptr->zbuf_size - png_ptr->zstream.avail_out + 1));
  188197. if (text == NULL)
  188198. {
  188199. png_free(png_ptr, tmp);
  188200. png_free(png_ptr, chunkdata);
  188201. png_error(png_ptr,"Not enough memory to decompress chunk..");
  188202. }
  188203. png_memcpy(text, tmp, text_size);
  188204. png_free(png_ptr, tmp);
  188205. png_memcpy(text + text_size, png_ptr->zbuf,
  188206. (png_ptr->zbuf_size - png_ptr->zstream.avail_out));
  188207. text_size += png_ptr->zbuf_size - png_ptr->zstream.avail_out;
  188208. *(text + text_size) = 0x00;
  188209. }
  188210. if (ret == Z_STREAM_END)
  188211. break;
  188212. else
  188213. {
  188214. png_ptr->zstream.next_out = png_ptr->zbuf;
  188215. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  188216. }
  188217. }
  188218. }
  188219. if (ret != Z_STREAM_END)
  188220. {
  188221. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  188222. char umsg[52];
  188223. if (ret == Z_BUF_ERROR)
  188224. png_snprintf(umsg, 52,
  188225. "Buffer error in compressed datastream in %s chunk",
  188226. png_ptr->chunk_name);
  188227. else if (ret == Z_DATA_ERROR)
  188228. png_snprintf(umsg, 52,
  188229. "Data error in compressed datastream in %s chunk",
  188230. png_ptr->chunk_name);
  188231. else
  188232. png_snprintf(umsg, 52,
  188233. "Incomplete compressed datastream in %s chunk",
  188234. png_ptr->chunk_name);
  188235. png_warning(png_ptr, umsg);
  188236. #else
  188237. png_warning(png_ptr,
  188238. "Incomplete compressed datastream in chunk other than IDAT");
  188239. #endif
  188240. text_size=prefix_size;
  188241. if (text == NULL)
  188242. {
  188243. text = (png_charp)png_malloc_warn(png_ptr, text_size+1);
  188244. if (text == NULL)
  188245. {
  188246. png_free(png_ptr, chunkdata);
  188247. png_error(png_ptr,"Not enough memory for text.");
  188248. }
  188249. png_memcpy(text, chunkdata, prefix_size);
  188250. }
  188251. *(text + text_size) = 0x00;
  188252. }
  188253. inflateReset(&png_ptr->zstream);
  188254. png_ptr->zstream.avail_in = 0;
  188255. png_free(png_ptr, chunkdata);
  188256. chunkdata = text;
  188257. *newlength=text_size;
  188258. }
  188259. else /* if (comp_type != PNG_COMPRESSION_TYPE_BASE) */
  188260. {
  188261. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  188262. char umsg[50];
  188263. png_snprintf(umsg, 50,
  188264. "Unknown zTXt compression type %d", comp_type);
  188265. png_warning(png_ptr, umsg);
  188266. #else
  188267. png_warning(png_ptr, "Unknown zTXt compression type");
  188268. #endif
  188269. *(chunkdata + prefix_size) = 0x00;
  188270. *newlength=prefix_size;
  188271. }
  188272. return chunkdata;
  188273. }
  188274. #endif
  188275. /* read and check the IDHR chunk */
  188276. void /* PRIVATE */
  188277. png_handle_IHDR(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188278. {
  188279. png_byte buf[13];
  188280. png_uint_32 width, height;
  188281. int bit_depth, color_type, compression_type, filter_type;
  188282. int interlace_type;
  188283. png_debug(1, "in png_handle_IHDR\n");
  188284. if (png_ptr->mode & PNG_HAVE_IHDR)
  188285. png_error(png_ptr, "Out of place IHDR");
  188286. /* check the length */
  188287. if (length != 13)
  188288. png_error(png_ptr, "Invalid IHDR chunk");
  188289. png_ptr->mode |= PNG_HAVE_IHDR;
  188290. png_crc_read(png_ptr, buf, 13);
  188291. png_crc_finish(png_ptr, 0);
  188292. width = png_get_uint_31(png_ptr, buf);
  188293. height = png_get_uint_31(png_ptr, buf + 4);
  188294. bit_depth = buf[8];
  188295. color_type = buf[9];
  188296. compression_type = buf[10];
  188297. filter_type = buf[11];
  188298. interlace_type = buf[12];
  188299. /* set internal variables */
  188300. png_ptr->width = width;
  188301. png_ptr->height = height;
  188302. png_ptr->bit_depth = (png_byte)bit_depth;
  188303. png_ptr->interlaced = (png_byte)interlace_type;
  188304. png_ptr->color_type = (png_byte)color_type;
  188305. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  188306. png_ptr->filter_type = (png_byte)filter_type;
  188307. #endif
  188308. png_ptr->compression_type = (png_byte)compression_type;
  188309. /* find number of channels */
  188310. switch (png_ptr->color_type)
  188311. {
  188312. case PNG_COLOR_TYPE_GRAY:
  188313. case PNG_COLOR_TYPE_PALETTE:
  188314. png_ptr->channels = 1;
  188315. break;
  188316. case PNG_COLOR_TYPE_RGB:
  188317. png_ptr->channels = 3;
  188318. break;
  188319. case PNG_COLOR_TYPE_GRAY_ALPHA:
  188320. png_ptr->channels = 2;
  188321. break;
  188322. case PNG_COLOR_TYPE_RGB_ALPHA:
  188323. png_ptr->channels = 4;
  188324. break;
  188325. }
  188326. /* set up other useful info */
  188327. png_ptr->pixel_depth = (png_byte)(png_ptr->bit_depth *
  188328. png_ptr->channels);
  188329. png_ptr->rowbytes = PNG_ROWBYTES(png_ptr->pixel_depth,png_ptr->width);
  188330. png_debug1(3,"bit_depth = %d\n", png_ptr->bit_depth);
  188331. png_debug1(3,"channels = %d\n", png_ptr->channels);
  188332. png_debug1(3,"rowbytes = %lu\n", png_ptr->rowbytes);
  188333. png_set_IHDR(png_ptr, info_ptr, width, height, bit_depth,
  188334. color_type, interlace_type, compression_type, filter_type);
  188335. }
  188336. /* read and check the palette */
  188337. void /* PRIVATE */
  188338. png_handle_PLTE(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188339. {
  188340. png_color palette[PNG_MAX_PALETTE_LENGTH];
  188341. int num, i;
  188342. #ifndef PNG_NO_POINTER_INDEXING
  188343. png_colorp pal_ptr;
  188344. #endif
  188345. png_debug(1, "in png_handle_PLTE\n");
  188346. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  188347. png_error(png_ptr, "Missing IHDR before PLTE");
  188348. else if (png_ptr->mode & PNG_HAVE_IDAT)
  188349. {
  188350. png_warning(png_ptr, "Invalid PLTE after IDAT");
  188351. png_crc_finish(png_ptr, length);
  188352. return;
  188353. }
  188354. else if (png_ptr->mode & PNG_HAVE_PLTE)
  188355. png_error(png_ptr, "Duplicate PLTE chunk");
  188356. png_ptr->mode |= PNG_HAVE_PLTE;
  188357. if (!(png_ptr->color_type&PNG_COLOR_MASK_COLOR))
  188358. {
  188359. png_warning(png_ptr,
  188360. "Ignoring PLTE chunk in grayscale PNG");
  188361. png_crc_finish(png_ptr, length);
  188362. return;
  188363. }
  188364. #if !defined(PNG_READ_OPT_PLTE_SUPPORTED)
  188365. if (png_ptr->color_type != PNG_COLOR_TYPE_PALETTE)
  188366. {
  188367. png_crc_finish(png_ptr, length);
  188368. return;
  188369. }
  188370. #endif
  188371. if (length > 3*PNG_MAX_PALETTE_LENGTH || length % 3)
  188372. {
  188373. if (png_ptr->color_type != PNG_COLOR_TYPE_PALETTE)
  188374. {
  188375. png_warning(png_ptr, "Invalid palette chunk");
  188376. png_crc_finish(png_ptr, length);
  188377. return;
  188378. }
  188379. else
  188380. {
  188381. png_error(png_ptr, "Invalid palette chunk");
  188382. }
  188383. }
  188384. num = (int)length / 3;
  188385. #ifndef PNG_NO_POINTER_INDEXING
  188386. for (i = 0, pal_ptr = palette; i < num; i++, pal_ptr++)
  188387. {
  188388. png_byte buf[3];
  188389. png_crc_read(png_ptr, buf, 3);
  188390. pal_ptr->red = buf[0];
  188391. pal_ptr->green = buf[1];
  188392. pal_ptr->blue = buf[2];
  188393. }
  188394. #else
  188395. for (i = 0; i < num; i++)
  188396. {
  188397. png_byte buf[3];
  188398. png_crc_read(png_ptr, buf, 3);
  188399. /* don't depend upon png_color being any order */
  188400. palette[i].red = buf[0];
  188401. palette[i].green = buf[1];
  188402. palette[i].blue = buf[2];
  188403. }
  188404. #endif
  188405. /* If we actually NEED the PLTE chunk (ie for a paletted image), we do
  188406. whatever the normal CRC configuration tells us. However, if we
  188407. have an RGB image, the PLTE can be considered ancillary, so
  188408. we will act as though it is. */
  188409. #if !defined(PNG_READ_OPT_PLTE_SUPPORTED)
  188410. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  188411. #endif
  188412. {
  188413. png_crc_finish(png_ptr, 0);
  188414. }
  188415. #if !defined(PNG_READ_OPT_PLTE_SUPPORTED)
  188416. else if (png_crc_error(png_ptr)) /* Only if we have a CRC error */
  188417. {
  188418. /* If we don't want to use the data from an ancillary chunk,
  188419. we have two options: an error abort, or a warning and we
  188420. ignore the data in this chunk (which should be OK, since
  188421. it's considered ancillary for a RGB or RGBA image). */
  188422. if (!(png_ptr->flags & PNG_FLAG_CRC_ANCILLARY_USE))
  188423. {
  188424. if (png_ptr->flags & PNG_FLAG_CRC_ANCILLARY_NOWARN)
  188425. {
  188426. png_chunk_error(png_ptr, "CRC error");
  188427. }
  188428. else
  188429. {
  188430. png_chunk_warning(png_ptr, "CRC error");
  188431. return;
  188432. }
  188433. }
  188434. /* Otherwise, we (optionally) emit a warning and use the chunk. */
  188435. else if (!(png_ptr->flags & PNG_FLAG_CRC_ANCILLARY_NOWARN))
  188436. {
  188437. png_chunk_warning(png_ptr, "CRC error");
  188438. }
  188439. }
  188440. #endif
  188441. png_set_PLTE(png_ptr, info_ptr, palette, num);
  188442. #if defined(PNG_READ_tRNS_SUPPORTED)
  188443. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  188444. {
  188445. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_tRNS))
  188446. {
  188447. if (png_ptr->num_trans > (png_uint_16)num)
  188448. {
  188449. png_warning(png_ptr, "Truncating incorrect tRNS chunk length");
  188450. png_ptr->num_trans = (png_uint_16)num;
  188451. }
  188452. if (info_ptr->num_trans > (png_uint_16)num)
  188453. {
  188454. png_warning(png_ptr, "Truncating incorrect info tRNS chunk length");
  188455. info_ptr->num_trans = (png_uint_16)num;
  188456. }
  188457. }
  188458. }
  188459. #endif
  188460. }
  188461. void /* PRIVATE */
  188462. png_handle_IEND(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188463. {
  188464. png_debug(1, "in png_handle_IEND\n");
  188465. if (!(png_ptr->mode & PNG_HAVE_IHDR) || !(png_ptr->mode & PNG_HAVE_IDAT))
  188466. {
  188467. png_error(png_ptr, "No image in file");
  188468. }
  188469. png_ptr->mode |= (PNG_AFTER_IDAT | PNG_HAVE_IEND);
  188470. if (length != 0)
  188471. {
  188472. png_warning(png_ptr, "Incorrect IEND chunk length");
  188473. }
  188474. png_crc_finish(png_ptr, length);
  188475. info_ptr =info_ptr; /* quiet compiler warnings about unused info_ptr */
  188476. }
  188477. #if defined(PNG_READ_gAMA_SUPPORTED)
  188478. void /* PRIVATE */
  188479. png_handle_gAMA(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188480. {
  188481. png_fixed_point igamma;
  188482. #ifdef PNG_FLOATING_POINT_SUPPORTED
  188483. float file_gamma;
  188484. #endif
  188485. png_byte buf[4];
  188486. png_debug(1, "in png_handle_gAMA\n");
  188487. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  188488. png_error(png_ptr, "Missing IHDR before gAMA");
  188489. else if (png_ptr->mode & PNG_HAVE_IDAT)
  188490. {
  188491. png_warning(png_ptr, "Invalid gAMA after IDAT");
  188492. png_crc_finish(png_ptr, length);
  188493. return;
  188494. }
  188495. else if (png_ptr->mode & PNG_HAVE_PLTE)
  188496. /* Should be an error, but we can cope with it */
  188497. png_warning(png_ptr, "Out of place gAMA chunk");
  188498. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_gAMA)
  188499. #if defined(PNG_READ_sRGB_SUPPORTED)
  188500. && !(info_ptr->valid & PNG_INFO_sRGB)
  188501. #endif
  188502. )
  188503. {
  188504. png_warning(png_ptr, "Duplicate gAMA chunk");
  188505. png_crc_finish(png_ptr, length);
  188506. return;
  188507. }
  188508. if (length != 4)
  188509. {
  188510. png_warning(png_ptr, "Incorrect gAMA chunk length");
  188511. png_crc_finish(png_ptr, length);
  188512. return;
  188513. }
  188514. png_crc_read(png_ptr, buf, 4);
  188515. if (png_crc_finish(png_ptr, 0))
  188516. return;
  188517. igamma = (png_fixed_point)png_get_uint_32(buf);
  188518. /* check for zero gamma */
  188519. if (igamma == 0)
  188520. {
  188521. png_warning(png_ptr,
  188522. "Ignoring gAMA chunk with gamma=0");
  188523. return;
  188524. }
  188525. #if defined(PNG_READ_sRGB_SUPPORTED)
  188526. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_sRGB))
  188527. if (PNG_OUT_OF_RANGE(igamma, 45500L, 500))
  188528. {
  188529. png_warning(png_ptr,
  188530. "Ignoring incorrect gAMA value when sRGB is also present");
  188531. #ifndef PNG_NO_CONSOLE_IO
  188532. fprintf(stderr, "gamma = (%d/100000)\n", (int)igamma);
  188533. #endif
  188534. return;
  188535. }
  188536. #endif /* PNG_READ_sRGB_SUPPORTED */
  188537. #ifdef PNG_FLOATING_POINT_SUPPORTED
  188538. file_gamma = (float)igamma / (float)100000.0;
  188539. # ifdef PNG_READ_GAMMA_SUPPORTED
  188540. png_ptr->gamma = file_gamma;
  188541. # endif
  188542. png_set_gAMA(png_ptr, info_ptr, file_gamma);
  188543. #endif
  188544. #ifdef PNG_FIXED_POINT_SUPPORTED
  188545. png_set_gAMA_fixed(png_ptr, info_ptr, igamma);
  188546. #endif
  188547. }
  188548. #endif
  188549. #if defined(PNG_READ_sBIT_SUPPORTED)
  188550. void /* PRIVATE */
  188551. png_handle_sBIT(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188552. {
  188553. png_size_t truelen;
  188554. png_byte buf[4];
  188555. png_debug(1, "in png_handle_sBIT\n");
  188556. buf[0] = buf[1] = buf[2] = buf[3] = 0;
  188557. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  188558. png_error(png_ptr, "Missing IHDR before sBIT");
  188559. else if (png_ptr->mode & PNG_HAVE_IDAT)
  188560. {
  188561. png_warning(png_ptr, "Invalid sBIT after IDAT");
  188562. png_crc_finish(png_ptr, length);
  188563. return;
  188564. }
  188565. else if (png_ptr->mode & PNG_HAVE_PLTE)
  188566. {
  188567. /* Should be an error, but we can cope with it */
  188568. png_warning(png_ptr, "Out of place sBIT chunk");
  188569. }
  188570. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_sBIT))
  188571. {
  188572. png_warning(png_ptr, "Duplicate sBIT chunk");
  188573. png_crc_finish(png_ptr, length);
  188574. return;
  188575. }
  188576. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  188577. truelen = 3;
  188578. else
  188579. truelen = (png_size_t)png_ptr->channels;
  188580. if (length != truelen || length > 4)
  188581. {
  188582. png_warning(png_ptr, "Incorrect sBIT chunk length");
  188583. png_crc_finish(png_ptr, length);
  188584. return;
  188585. }
  188586. png_crc_read(png_ptr, buf, truelen);
  188587. if (png_crc_finish(png_ptr, 0))
  188588. return;
  188589. if (png_ptr->color_type & PNG_COLOR_MASK_COLOR)
  188590. {
  188591. png_ptr->sig_bit.red = buf[0];
  188592. png_ptr->sig_bit.green = buf[1];
  188593. png_ptr->sig_bit.blue = buf[2];
  188594. png_ptr->sig_bit.alpha = buf[3];
  188595. }
  188596. else
  188597. {
  188598. png_ptr->sig_bit.gray = buf[0];
  188599. png_ptr->sig_bit.red = buf[0];
  188600. png_ptr->sig_bit.green = buf[0];
  188601. png_ptr->sig_bit.blue = buf[0];
  188602. png_ptr->sig_bit.alpha = buf[1];
  188603. }
  188604. png_set_sBIT(png_ptr, info_ptr, &(png_ptr->sig_bit));
  188605. }
  188606. #endif
  188607. #if defined(PNG_READ_cHRM_SUPPORTED)
  188608. void /* PRIVATE */
  188609. png_handle_cHRM(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188610. {
  188611. png_byte buf[4];
  188612. #ifdef PNG_FLOATING_POINT_SUPPORTED
  188613. float white_x, white_y, red_x, red_y, green_x, green_y, blue_x, blue_y;
  188614. #endif
  188615. png_fixed_point int_x_white, int_y_white, int_x_red, int_y_red, int_x_green,
  188616. int_y_green, int_x_blue, int_y_blue;
  188617. png_uint_32 uint_x, uint_y;
  188618. png_debug(1, "in png_handle_cHRM\n");
  188619. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  188620. png_error(png_ptr, "Missing IHDR before cHRM");
  188621. else if (png_ptr->mode & PNG_HAVE_IDAT)
  188622. {
  188623. png_warning(png_ptr, "Invalid cHRM after IDAT");
  188624. png_crc_finish(png_ptr, length);
  188625. return;
  188626. }
  188627. else if (png_ptr->mode & PNG_HAVE_PLTE)
  188628. /* Should be an error, but we can cope with it */
  188629. png_warning(png_ptr, "Missing PLTE before cHRM");
  188630. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_cHRM)
  188631. #if defined(PNG_READ_sRGB_SUPPORTED)
  188632. && !(info_ptr->valid & PNG_INFO_sRGB)
  188633. #endif
  188634. )
  188635. {
  188636. png_warning(png_ptr, "Duplicate cHRM chunk");
  188637. png_crc_finish(png_ptr, length);
  188638. return;
  188639. }
  188640. if (length != 32)
  188641. {
  188642. png_warning(png_ptr, "Incorrect cHRM chunk length");
  188643. png_crc_finish(png_ptr, length);
  188644. return;
  188645. }
  188646. png_crc_read(png_ptr, buf, 4);
  188647. uint_x = png_get_uint_32(buf);
  188648. png_crc_read(png_ptr, buf, 4);
  188649. uint_y = png_get_uint_32(buf);
  188650. if (uint_x > 80000L || uint_y > 80000L ||
  188651. uint_x + uint_y > 100000L)
  188652. {
  188653. png_warning(png_ptr, "Invalid cHRM white point");
  188654. png_crc_finish(png_ptr, 24);
  188655. return;
  188656. }
  188657. int_x_white = (png_fixed_point)uint_x;
  188658. int_y_white = (png_fixed_point)uint_y;
  188659. png_crc_read(png_ptr, buf, 4);
  188660. uint_x = png_get_uint_32(buf);
  188661. png_crc_read(png_ptr, buf, 4);
  188662. uint_y = png_get_uint_32(buf);
  188663. if (uint_x + uint_y > 100000L)
  188664. {
  188665. png_warning(png_ptr, "Invalid cHRM red point");
  188666. png_crc_finish(png_ptr, 16);
  188667. return;
  188668. }
  188669. int_x_red = (png_fixed_point)uint_x;
  188670. int_y_red = (png_fixed_point)uint_y;
  188671. png_crc_read(png_ptr, buf, 4);
  188672. uint_x = png_get_uint_32(buf);
  188673. png_crc_read(png_ptr, buf, 4);
  188674. uint_y = png_get_uint_32(buf);
  188675. if (uint_x + uint_y > 100000L)
  188676. {
  188677. png_warning(png_ptr, "Invalid cHRM green point");
  188678. png_crc_finish(png_ptr, 8);
  188679. return;
  188680. }
  188681. int_x_green = (png_fixed_point)uint_x;
  188682. int_y_green = (png_fixed_point)uint_y;
  188683. png_crc_read(png_ptr, buf, 4);
  188684. uint_x = png_get_uint_32(buf);
  188685. png_crc_read(png_ptr, buf, 4);
  188686. uint_y = png_get_uint_32(buf);
  188687. if (uint_x + uint_y > 100000L)
  188688. {
  188689. png_warning(png_ptr, "Invalid cHRM blue point");
  188690. png_crc_finish(png_ptr, 0);
  188691. return;
  188692. }
  188693. int_x_blue = (png_fixed_point)uint_x;
  188694. int_y_blue = (png_fixed_point)uint_y;
  188695. #ifdef PNG_FLOATING_POINT_SUPPORTED
  188696. white_x = (float)int_x_white / (float)100000.0;
  188697. white_y = (float)int_y_white / (float)100000.0;
  188698. red_x = (float)int_x_red / (float)100000.0;
  188699. red_y = (float)int_y_red / (float)100000.0;
  188700. green_x = (float)int_x_green / (float)100000.0;
  188701. green_y = (float)int_y_green / (float)100000.0;
  188702. blue_x = (float)int_x_blue / (float)100000.0;
  188703. blue_y = (float)int_y_blue / (float)100000.0;
  188704. #endif
  188705. #if defined(PNG_READ_sRGB_SUPPORTED)
  188706. if ((info_ptr != NULL) && (info_ptr->valid & PNG_INFO_sRGB))
  188707. {
  188708. if (PNG_OUT_OF_RANGE(int_x_white, 31270, 1000) ||
  188709. PNG_OUT_OF_RANGE(int_y_white, 32900, 1000) ||
  188710. PNG_OUT_OF_RANGE(int_x_red, 64000L, 1000) ||
  188711. PNG_OUT_OF_RANGE(int_y_red, 33000, 1000) ||
  188712. PNG_OUT_OF_RANGE(int_x_green, 30000, 1000) ||
  188713. PNG_OUT_OF_RANGE(int_y_green, 60000L, 1000) ||
  188714. PNG_OUT_OF_RANGE(int_x_blue, 15000, 1000) ||
  188715. PNG_OUT_OF_RANGE(int_y_blue, 6000, 1000))
  188716. {
  188717. png_warning(png_ptr,
  188718. "Ignoring incorrect cHRM value when sRGB is also present");
  188719. #ifndef PNG_NO_CONSOLE_IO
  188720. #ifdef PNG_FLOATING_POINT_SUPPORTED
  188721. fprintf(stderr,"wx=%f, wy=%f, rx=%f, ry=%f\n",
  188722. white_x, white_y, red_x, red_y);
  188723. fprintf(stderr,"gx=%f, gy=%f, bx=%f, by=%f\n",
  188724. green_x, green_y, blue_x, blue_y);
  188725. #else
  188726. fprintf(stderr,"wx=%ld, wy=%ld, rx=%ld, ry=%ld\n",
  188727. int_x_white, int_y_white, int_x_red, int_y_red);
  188728. fprintf(stderr,"gx=%ld, gy=%ld, bx=%ld, by=%ld\n",
  188729. int_x_green, int_y_green, int_x_blue, int_y_blue);
  188730. #endif
  188731. #endif /* PNG_NO_CONSOLE_IO */
  188732. }
  188733. png_crc_finish(png_ptr, 0);
  188734. return;
  188735. }
  188736. #endif /* PNG_READ_sRGB_SUPPORTED */
  188737. #ifdef PNG_FLOATING_POINT_SUPPORTED
  188738. png_set_cHRM(png_ptr, info_ptr,
  188739. white_x, white_y, red_x, red_y, green_x, green_y, blue_x, blue_y);
  188740. #endif
  188741. #ifdef PNG_FIXED_POINT_SUPPORTED
  188742. png_set_cHRM_fixed(png_ptr, info_ptr,
  188743. int_x_white, int_y_white, int_x_red, int_y_red, int_x_green,
  188744. int_y_green, int_x_blue, int_y_blue);
  188745. #endif
  188746. if (png_crc_finish(png_ptr, 0))
  188747. return;
  188748. }
  188749. #endif
  188750. #if defined(PNG_READ_sRGB_SUPPORTED)
  188751. void /* PRIVATE */
  188752. png_handle_sRGB(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188753. {
  188754. int intent;
  188755. png_byte buf[1];
  188756. png_debug(1, "in png_handle_sRGB\n");
  188757. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  188758. png_error(png_ptr, "Missing IHDR before sRGB");
  188759. else if (png_ptr->mode & PNG_HAVE_IDAT)
  188760. {
  188761. png_warning(png_ptr, "Invalid sRGB after IDAT");
  188762. png_crc_finish(png_ptr, length);
  188763. return;
  188764. }
  188765. else if (png_ptr->mode & PNG_HAVE_PLTE)
  188766. /* Should be an error, but we can cope with it */
  188767. png_warning(png_ptr, "Out of place sRGB chunk");
  188768. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_sRGB))
  188769. {
  188770. png_warning(png_ptr, "Duplicate sRGB chunk");
  188771. png_crc_finish(png_ptr, length);
  188772. return;
  188773. }
  188774. if (length != 1)
  188775. {
  188776. png_warning(png_ptr, "Incorrect sRGB chunk length");
  188777. png_crc_finish(png_ptr, length);
  188778. return;
  188779. }
  188780. png_crc_read(png_ptr, buf, 1);
  188781. if (png_crc_finish(png_ptr, 0))
  188782. return;
  188783. intent = buf[0];
  188784. /* check for bad intent */
  188785. if (intent >= PNG_sRGB_INTENT_LAST)
  188786. {
  188787. png_warning(png_ptr, "Unknown sRGB intent");
  188788. return;
  188789. }
  188790. #if defined(PNG_READ_gAMA_SUPPORTED) && defined(PNG_READ_GAMMA_SUPPORTED)
  188791. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_gAMA))
  188792. {
  188793. png_fixed_point igamma;
  188794. #ifdef PNG_FIXED_POINT_SUPPORTED
  188795. igamma=info_ptr->int_gamma;
  188796. #else
  188797. # ifdef PNG_FLOATING_POINT_SUPPORTED
  188798. igamma=(png_fixed_point)(info_ptr->gamma * 100000.);
  188799. # endif
  188800. #endif
  188801. if (PNG_OUT_OF_RANGE(igamma, 45500L, 500))
  188802. {
  188803. png_warning(png_ptr,
  188804. "Ignoring incorrect gAMA value when sRGB is also present");
  188805. #ifndef PNG_NO_CONSOLE_IO
  188806. # ifdef PNG_FIXED_POINT_SUPPORTED
  188807. fprintf(stderr,"incorrect gamma=(%d/100000)\n",(int)png_ptr->int_gamma);
  188808. # else
  188809. # ifdef PNG_FLOATING_POINT_SUPPORTED
  188810. fprintf(stderr,"incorrect gamma=%f\n",png_ptr->gamma);
  188811. # endif
  188812. # endif
  188813. #endif
  188814. }
  188815. }
  188816. #endif /* PNG_READ_gAMA_SUPPORTED */
  188817. #ifdef PNG_READ_cHRM_SUPPORTED
  188818. #ifdef PNG_FIXED_POINT_SUPPORTED
  188819. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_cHRM))
  188820. if (PNG_OUT_OF_RANGE(info_ptr->int_x_white, 31270, 1000) ||
  188821. PNG_OUT_OF_RANGE(info_ptr->int_y_white, 32900, 1000) ||
  188822. PNG_OUT_OF_RANGE(info_ptr->int_x_red, 64000L, 1000) ||
  188823. PNG_OUT_OF_RANGE(info_ptr->int_y_red, 33000, 1000) ||
  188824. PNG_OUT_OF_RANGE(info_ptr->int_x_green, 30000, 1000) ||
  188825. PNG_OUT_OF_RANGE(info_ptr->int_y_green, 60000L, 1000) ||
  188826. PNG_OUT_OF_RANGE(info_ptr->int_x_blue, 15000, 1000) ||
  188827. PNG_OUT_OF_RANGE(info_ptr->int_y_blue, 6000, 1000))
  188828. {
  188829. png_warning(png_ptr,
  188830. "Ignoring incorrect cHRM value when sRGB is also present");
  188831. }
  188832. #endif /* PNG_FIXED_POINT_SUPPORTED */
  188833. #endif /* PNG_READ_cHRM_SUPPORTED */
  188834. png_set_sRGB_gAMA_and_cHRM(png_ptr, info_ptr, intent);
  188835. }
  188836. #endif /* PNG_READ_sRGB_SUPPORTED */
  188837. #if defined(PNG_READ_iCCP_SUPPORTED)
  188838. void /* PRIVATE */
  188839. png_handle_iCCP(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188840. /* Note: this does not properly handle chunks that are > 64K under DOS */
  188841. {
  188842. png_charp chunkdata;
  188843. png_byte compression_type;
  188844. png_bytep pC;
  188845. png_charp profile;
  188846. png_uint_32 skip = 0;
  188847. png_uint_32 profile_size, profile_length;
  188848. png_size_t slength, prefix_length, data_length;
  188849. png_debug(1, "in png_handle_iCCP\n");
  188850. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  188851. png_error(png_ptr, "Missing IHDR before iCCP");
  188852. else if (png_ptr->mode & PNG_HAVE_IDAT)
  188853. {
  188854. png_warning(png_ptr, "Invalid iCCP after IDAT");
  188855. png_crc_finish(png_ptr, length);
  188856. return;
  188857. }
  188858. else if (png_ptr->mode & PNG_HAVE_PLTE)
  188859. /* Should be an error, but we can cope with it */
  188860. png_warning(png_ptr, "Out of place iCCP chunk");
  188861. if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_iCCP))
  188862. {
  188863. png_warning(png_ptr, "Duplicate iCCP chunk");
  188864. png_crc_finish(png_ptr, length);
  188865. return;
  188866. }
  188867. #ifdef PNG_MAX_MALLOC_64K
  188868. if (length > (png_uint_32)65535L)
  188869. {
  188870. png_warning(png_ptr, "iCCP chunk too large to fit in memory");
  188871. skip = length - (png_uint_32)65535L;
  188872. length = (png_uint_32)65535L;
  188873. }
  188874. #endif
  188875. chunkdata = (png_charp)png_malloc(png_ptr, length + 1);
  188876. slength = (png_size_t)length;
  188877. png_crc_read(png_ptr, (png_bytep)chunkdata, slength);
  188878. if (png_crc_finish(png_ptr, skip))
  188879. {
  188880. png_free(png_ptr, chunkdata);
  188881. return;
  188882. }
  188883. chunkdata[slength] = 0x00;
  188884. for (profile = chunkdata; *profile; profile++)
  188885. /* empty loop to find end of name */ ;
  188886. ++profile;
  188887. /* there should be at least one zero (the compression type byte)
  188888. following the separator, and we should be on it */
  188889. if ( profile >= chunkdata + slength - 1)
  188890. {
  188891. png_free(png_ptr, chunkdata);
  188892. png_warning(png_ptr, "Malformed iCCP chunk");
  188893. return;
  188894. }
  188895. /* compression_type should always be zero */
  188896. compression_type = *profile++;
  188897. if (compression_type)
  188898. {
  188899. png_warning(png_ptr, "Ignoring nonzero compression type in iCCP chunk");
  188900. compression_type=0x00; /* Reset it to zero (libpng-1.0.6 through 1.0.8
  188901. wrote nonzero) */
  188902. }
  188903. prefix_length = profile - chunkdata;
  188904. chunkdata = png_decompress_chunk(png_ptr, compression_type, chunkdata,
  188905. slength, prefix_length, &data_length);
  188906. profile_length = data_length - prefix_length;
  188907. if ( prefix_length > data_length || profile_length < 4)
  188908. {
  188909. png_free(png_ptr, chunkdata);
  188910. png_warning(png_ptr, "Profile size field missing from iCCP chunk");
  188911. return;
  188912. }
  188913. /* Check the profile_size recorded in the first 32 bits of the ICC profile */
  188914. pC = (png_bytep)(chunkdata+prefix_length);
  188915. profile_size = ((*(pC ))<<24) |
  188916. ((*(pC+1))<<16) |
  188917. ((*(pC+2))<< 8) |
  188918. ((*(pC+3)) );
  188919. if(profile_size < profile_length)
  188920. profile_length = profile_size;
  188921. if(profile_size > profile_length)
  188922. {
  188923. png_free(png_ptr, chunkdata);
  188924. png_warning(png_ptr, "Ignoring truncated iCCP profile.");
  188925. return;
  188926. }
  188927. png_set_iCCP(png_ptr, info_ptr, chunkdata, compression_type,
  188928. chunkdata + prefix_length, profile_length);
  188929. png_free(png_ptr, chunkdata);
  188930. }
  188931. #endif /* PNG_READ_iCCP_SUPPORTED */
  188932. #if defined(PNG_READ_sPLT_SUPPORTED)
  188933. void /* PRIVATE */
  188934. png_handle_sPLT(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  188935. /* Note: this does not properly handle chunks that are > 64K under DOS */
  188936. {
  188937. png_bytep chunkdata;
  188938. png_bytep entry_start;
  188939. png_sPLT_t new_palette;
  188940. #ifdef PNG_NO_POINTER_INDEXING
  188941. png_sPLT_entryp pp;
  188942. #endif
  188943. int data_length, entry_size, i;
  188944. png_uint_32 skip = 0;
  188945. png_size_t slength;
  188946. png_debug(1, "in png_handle_sPLT\n");
  188947. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  188948. png_error(png_ptr, "Missing IHDR before sPLT");
  188949. else if (png_ptr->mode & PNG_HAVE_IDAT)
  188950. {
  188951. png_warning(png_ptr, "Invalid sPLT after IDAT");
  188952. png_crc_finish(png_ptr, length);
  188953. return;
  188954. }
  188955. #ifdef PNG_MAX_MALLOC_64K
  188956. if (length > (png_uint_32)65535L)
  188957. {
  188958. png_warning(png_ptr, "sPLT chunk too large to fit in memory");
  188959. skip = length - (png_uint_32)65535L;
  188960. length = (png_uint_32)65535L;
  188961. }
  188962. #endif
  188963. chunkdata = (png_bytep)png_malloc(png_ptr, length + 1);
  188964. slength = (png_size_t)length;
  188965. png_crc_read(png_ptr, (png_bytep)chunkdata, slength);
  188966. if (png_crc_finish(png_ptr, skip))
  188967. {
  188968. png_free(png_ptr, chunkdata);
  188969. return;
  188970. }
  188971. chunkdata[slength] = 0x00;
  188972. for (entry_start = chunkdata; *entry_start; entry_start++)
  188973. /* empty loop to find end of name */ ;
  188974. ++entry_start;
  188975. /* a sample depth should follow the separator, and we should be on it */
  188976. if (entry_start > chunkdata + slength - 2)
  188977. {
  188978. png_free(png_ptr, chunkdata);
  188979. png_warning(png_ptr, "malformed sPLT chunk");
  188980. return;
  188981. }
  188982. new_palette.depth = *entry_start++;
  188983. entry_size = (new_palette.depth == 8 ? 6 : 10);
  188984. data_length = (slength - (entry_start - chunkdata));
  188985. /* integrity-check the data length */
  188986. if (data_length % entry_size)
  188987. {
  188988. png_free(png_ptr, chunkdata);
  188989. png_warning(png_ptr, "sPLT chunk has bad length");
  188990. return;
  188991. }
  188992. new_palette.nentries = (png_int_32) ( data_length / entry_size);
  188993. if ((png_uint_32) new_palette.nentries > (png_uint_32) (PNG_SIZE_MAX /
  188994. png_sizeof(png_sPLT_entry)))
  188995. {
  188996. png_warning(png_ptr, "sPLT chunk too long");
  188997. return;
  188998. }
  188999. new_palette.entries = (png_sPLT_entryp)png_malloc_warn(
  189000. png_ptr, new_palette.nentries * png_sizeof(png_sPLT_entry));
  189001. if (new_palette.entries == NULL)
  189002. {
  189003. png_warning(png_ptr, "sPLT chunk requires too much memory");
  189004. return;
  189005. }
  189006. #ifndef PNG_NO_POINTER_INDEXING
  189007. for (i = 0; i < new_palette.nentries; i++)
  189008. {
  189009. png_sPLT_entryp pp = new_palette.entries + i;
  189010. if (new_palette.depth == 8)
  189011. {
  189012. pp->red = *entry_start++;
  189013. pp->green = *entry_start++;
  189014. pp->blue = *entry_start++;
  189015. pp->alpha = *entry_start++;
  189016. }
  189017. else
  189018. {
  189019. pp->red = png_get_uint_16(entry_start); entry_start += 2;
  189020. pp->green = png_get_uint_16(entry_start); entry_start += 2;
  189021. pp->blue = png_get_uint_16(entry_start); entry_start += 2;
  189022. pp->alpha = png_get_uint_16(entry_start); entry_start += 2;
  189023. }
  189024. pp->frequency = png_get_uint_16(entry_start); entry_start += 2;
  189025. }
  189026. #else
  189027. pp = new_palette.entries;
  189028. for (i = 0; i < new_palette.nentries; i++)
  189029. {
  189030. if (new_palette.depth == 8)
  189031. {
  189032. pp[i].red = *entry_start++;
  189033. pp[i].green = *entry_start++;
  189034. pp[i].blue = *entry_start++;
  189035. pp[i].alpha = *entry_start++;
  189036. }
  189037. else
  189038. {
  189039. pp[i].red = png_get_uint_16(entry_start); entry_start += 2;
  189040. pp[i].green = png_get_uint_16(entry_start); entry_start += 2;
  189041. pp[i].blue = png_get_uint_16(entry_start); entry_start += 2;
  189042. pp[i].alpha = png_get_uint_16(entry_start); entry_start += 2;
  189043. }
  189044. pp->frequency = png_get_uint_16(entry_start); entry_start += 2;
  189045. }
  189046. #endif
  189047. /* discard all chunk data except the name and stash that */
  189048. new_palette.name = (png_charp)chunkdata;
  189049. png_set_sPLT(png_ptr, info_ptr, &new_palette, 1);
  189050. png_free(png_ptr, chunkdata);
  189051. png_free(png_ptr, new_palette.entries);
  189052. }
  189053. #endif /* PNG_READ_sPLT_SUPPORTED */
  189054. #if defined(PNG_READ_tRNS_SUPPORTED)
  189055. void /* PRIVATE */
  189056. png_handle_tRNS(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189057. {
  189058. png_byte readbuf[PNG_MAX_PALETTE_LENGTH];
  189059. int bit_mask;
  189060. png_debug(1, "in png_handle_tRNS\n");
  189061. /* For non-indexed color, mask off any bits in the tRNS value that
  189062. * exceed the bit depth. Some creators were writing extra bits there.
  189063. * This is not needed for indexed color. */
  189064. bit_mask = (1 << png_ptr->bit_depth) - 1;
  189065. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189066. png_error(png_ptr, "Missing IHDR before tRNS");
  189067. else if (png_ptr->mode & PNG_HAVE_IDAT)
  189068. {
  189069. png_warning(png_ptr, "Invalid tRNS after IDAT");
  189070. png_crc_finish(png_ptr, length);
  189071. return;
  189072. }
  189073. else if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_tRNS))
  189074. {
  189075. png_warning(png_ptr, "Duplicate tRNS chunk");
  189076. png_crc_finish(png_ptr, length);
  189077. return;
  189078. }
  189079. if (png_ptr->color_type == PNG_COLOR_TYPE_GRAY)
  189080. {
  189081. png_byte buf[2];
  189082. if (length != 2)
  189083. {
  189084. png_warning(png_ptr, "Incorrect tRNS chunk length");
  189085. png_crc_finish(png_ptr, length);
  189086. return;
  189087. }
  189088. png_crc_read(png_ptr, buf, 2);
  189089. png_ptr->num_trans = 1;
  189090. png_ptr->trans_values.gray = png_get_uint_16(buf) & bit_mask;
  189091. }
  189092. else if (png_ptr->color_type == PNG_COLOR_TYPE_RGB)
  189093. {
  189094. png_byte buf[6];
  189095. if (length != 6)
  189096. {
  189097. png_warning(png_ptr, "Incorrect tRNS chunk length");
  189098. png_crc_finish(png_ptr, length);
  189099. return;
  189100. }
  189101. png_crc_read(png_ptr, buf, (png_size_t)length);
  189102. png_ptr->num_trans = 1;
  189103. png_ptr->trans_values.red = png_get_uint_16(buf) & bit_mask;
  189104. png_ptr->trans_values.green = png_get_uint_16(buf + 2) & bit_mask;
  189105. png_ptr->trans_values.blue = png_get_uint_16(buf + 4) & bit_mask;
  189106. }
  189107. else if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  189108. {
  189109. if (!(png_ptr->mode & PNG_HAVE_PLTE))
  189110. {
  189111. /* Should be an error, but we can cope with it. */
  189112. png_warning(png_ptr, "Missing PLTE before tRNS");
  189113. }
  189114. if (length > (png_uint_32)png_ptr->num_palette ||
  189115. length > PNG_MAX_PALETTE_LENGTH)
  189116. {
  189117. png_warning(png_ptr, "Incorrect tRNS chunk length");
  189118. png_crc_finish(png_ptr, length);
  189119. return;
  189120. }
  189121. if (length == 0)
  189122. {
  189123. png_warning(png_ptr, "Zero length tRNS chunk");
  189124. png_crc_finish(png_ptr, length);
  189125. return;
  189126. }
  189127. png_crc_read(png_ptr, readbuf, (png_size_t)length);
  189128. png_ptr->num_trans = (png_uint_16)length;
  189129. }
  189130. else
  189131. {
  189132. png_warning(png_ptr, "tRNS chunk not allowed with alpha channel");
  189133. png_crc_finish(png_ptr, length);
  189134. return;
  189135. }
  189136. if (png_crc_finish(png_ptr, 0))
  189137. {
  189138. png_ptr->num_trans = 0;
  189139. return;
  189140. }
  189141. png_set_tRNS(png_ptr, info_ptr, readbuf, png_ptr->num_trans,
  189142. &(png_ptr->trans_values));
  189143. }
  189144. #endif
  189145. #if defined(PNG_READ_bKGD_SUPPORTED)
  189146. void /* PRIVATE */
  189147. png_handle_bKGD(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189148. {
  189149. png_size_t truelen;
  189150. png_byte buf[6];
  189151. png_debug(1, "in png_handle_bKGD\n");
  189152. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189153. png_error(png_ptr, "Missing IHDR before bKGD");
  189154. else if (png_ptr->mode & PNG_HAVE_IDAT)
  189155. {
  189156. png_warning(png_ptr, "Invalid bKGD after IDAT");
  189157. png_crc_finish(png_ptr, length);
  189158. return;
  189159. }
  189160. else if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE &&
  189161. !(png_ptr->mode & PNG_HAVE_PLTE))
  189162. {
  189163. png_warning(png_ptr, "Missing PLTE before bKGD");
  189164. png_crc_finish(png_ptr, length);
  189165. return;
  189166. }
  189167. else if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_bKGD))
  189168. {
  189169. png_warning(png_ptr, "Duplicate bKGD chunk");
  189170. png_crc_finish(png_ptr, length);
  189171. return;
  189172. }
  189173. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  189174. truelen = 1;
  189175. else if (png_ptr->color_type & PNG_COLOR_MASK_COLOR)
  189176. truelen = 6;
  189177. else
  189178. truelen = 2;
  189179. if (length != truelen)
  189180. {
  189181. png_warning(png_ptr, "Incorrect bKGD chunk length");
  189182. png_crc_finish(png_ptr, length);
  189183. return;
  189184. }
  189185. png_crc_read(png_ptr, buf, truelen);
  189186. if (png_crc_finish(png_ptr, 0))
  189187. return;
  189188. /* We convert the index value into RGB components so that we can allow
  189189. * arbitrary RGB values for background when we have transparency, and
  189190. * so it is easy to determine the RGB values of the background color
  189191. * from the info_ptr struct. */
  189192. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  189193. {
  189194. png_ptr->background.index = buf[0];
  189195. if(info_ptr->num_palette)
  189196. {
  189197. if(buf[0] > info_ptr->num_palette)
  189198. {
  189199. png_warning(png_ptr, "Incorrect bKGD chunk index value");
  189200. return;
  189201. }
  189202. png_ptr->background.red =
  189203. (png_uint_16)png_ptr->palette[buf[0]].red;
  189204. png_ptr->background.green =
  189205. (png_uint_16)png_ptr->palette[buf[0]].green;
  189206. png_ptr->background.blue =
  189207. (png_uint_16)png_ptr->palette[buf[0]].blue;
  189208. }
  189209. }
  189210. else if (!(png_ptr->color_type & PNG_COLOR_MASK_COLOR)) /* GRAY */
  189211. {
  189212. png_ptr->background.red =
  189213. png_ptr->background.green =
  189214. png_ptr->background.blue =
  189215. png_ptr->background.gray = png_get_uint_16(buf);
  189216. }
  189217. else
  189218. {
  189219. png_ptr->background.red = png_get_uint_16(buf);
  189220. png_ptr->background.green = png_get_uint_16(buf + 2);
  189221. png_ptr->background.blue = png_get_uint_16(buf + 4);
  189222. }
  189223. png_set_bKGD(png_ptr, info_ptr, &(png_ptr->background));
  189224. }
  189225. #endif
  189226. #if defined(PNG_READ_hIST_SUPPORTED)
  189227. void /* PRIVATE */
  189228. png_handle_hIST(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189229. {
  189230. unsigned int num, i;
  189231. png_uint_16 readbuf[PNG_MAX_PALETTE_LENGTH];
  189232. png_debug(1, "in png_handle_hIST\n");
  189233. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189234. png_error(png_ptr, "Missing IHDR before hIST");
  189235. else if (png_ptr->mode & PNG_HAVE_IDAT)
  189236. {
  189237. png_warning(png_ptr, "Invalid hIST after IDAT");
  189238. png_crc_finish(png_ptr, length);
  189239. return;
  189240. }
  189241. else if (!(png_ptr->mode & PNG_HAVE_PLTE))
  189242. {
  189243. png_warning(png_ptr, "Missing PLTE before hIST");
  189244. png_crc_finish(png_ptr, length);
  189245. return;
  189246. }
  189247. else if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_hIST))
  189248. {
  189249. png_warning(png_ptr, "Duplicate hIST chunk");
  189250. png_crc_finish(png_ptr, length);
  189251. return;
  189252. }
  189253. num = length / 2 ;
  189254. if (num != (unsigned int) png_ptr->num_palette || num >
  189255. (unsigned int) PNG_MAX_PALETTE_LENGTH)
  189256. {
  189257. png_warning(png_ptr, "Incorrect hIST chunk length");
  189258. png_crc_finish(png_ptr, length);
  189259. return;
  189260. }
  189261. for (i = 0; i < num; i++)
  189262. {
  189263. png_byte buf[2];
  189264. png_crc_read(png_ptr, buf, 2);
  189265. readbuf[i] = png_get_uint_16(buf);
  189266. }
  189267. if (png_crc_finish(png_ptr, 0))
  189268. return;
  189269. png_set_hIST(png_ptr, info_ptr, readbuf);
  189270. }
  189271. #endif
  189272. #if defined(PNG_READ_pHYs_SUPPORTED)
  189273. void /* PRIVATE */
  189274. png_handle_pHYs(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189275. {
  189276. png_byte buf[9];
  189277. png_uint_32 res_x, res_y;
  189278. int unit_type;
  189279. png_debug(1, "in png_handle_pHYs\n");
  189280. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189281. png_error(png_ptr, "Missing IHDR before pHYs");
  189282. else if (png_ptr->mode & PNG_HAVE_IDAT)
  189283. {
  189284. png_warning(png_ptr, "Invalid pHYs after IDAT");
  189285. png_crc_finish(png_ptr, length);
  189286. return;
  189287. }
  189288. else if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_pHYs))
  189289. {
  189290. png_warning(png_ptr, "Duplicate pHYs chunk");
  189291. png_crc_finish(png_ptr, length);
  189292. return;
  189293. }
  189294. if (length != 9)
  189295. {
  189296. png_warning(png_ptr, "Incorrect pHYs chunk length");
  189297. png_crc_finish(png_ptr, length);
  189298. return;
  189299. }
  189300. png_crc_read(png_ptr, buf, 9);
  189301. if (png_crc_finish(png_ptr, 0))
  189302. return;
  189303. res_x = png_get_uint_32(buf);
  189304. res_y = png_get_uint_32(buf + 4);
  189305. unit_type = buf[8];
  189306. png_set_pHYs(png_ptr, info_ptr, res_x, res_y, unit_type);
  189307. }
  189308. #endif
  189309. #if defined(PNG_READ_oFFs_SUPPORTED)
  189310. void /* PRIVATE */
  189311. png_handle_oFFs(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189312. {
  189313. png_byte buf[9];
  189314. png_int_32 offset_x, offset_y;
  189315. int unit_type;
  189316. png_debug(1, "in png_handle_oFFs\n");
  189317. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189318. png_error(png_ptr, "Missing IHDR before oFFs");
  189319. else if (png_ptr->mode & PNG_HAVE_IDAT)
  189320. {
  189321. png_warning(png_ptr, "Invalid oFFs after IDAT");
  189322. png_crc_finish(png_ptr, length);
  189323. return;
  189324. }
  189325. else if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_oFFs))
  189326. {
  189327. png_warning(png_ptr, "Duplicate oFFs chunk");
  189328. png_crc_finish(png_ptr, length);
  189329. return;
  189330. }
  189331. if (length != 9)
  189332. {
  189333. png_warning(png_ptr, "Incorrect oFFs chunk length");
  189334. png_crc_finish(png_ptr, length);
  189335. return;
  189336. }
  189337. png_crc_read(png_ptr, buf, 9);
  189338. if (png_crc_finish(png_ptr, 0))
  189339. return;
  189340. offset_x = png_get_int_32(buf);
  189341. offset_y = png_get_int_32(buf + 4);
  189342. unit_type = buf[8];
  189343. png_set_oFFs(png_ptr, info_ptr, offset_x, offset_y, unit_type);
  189344. }
  189345. #endif
  189346. #if defined(PNG_READ_pCAL_SUPPORTED)
  189347. /* read the pCAL chunk (described in the PNG Extensions document) */
  189348. void /* PRIVATE */
  189349. png_handle_pCAL(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189350. {
  189351. png_charp purpose;
  189352. png_int_32 X0, X1;
  189353. png_byte type, nparams;
  189354. png_charp buf, units, endptr;
  189355. png_charpp params;
  189356. png_size_t slength;
  189357. int i;
  189358. png_debug(1, "in png_handle_pCAL\n");
  189359. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189360. png_error(png_ptr, "Missing IHDR before pCAL");
  189361. else if (png_ptr->mode & PNG_HAVE_IDAT)
  189362. {
  189363. png_warning(png_ptr, "Invalid pCAL after IDAT");
  189364. png_crc_finish(png_ptr, length);
  189365. return;
  189366. }
  189367. else if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_pCAL))
  189368. {
  189369. png_warning(png_ptr, "Duplicate pCAL chunk");
  189370. png_crc_finish(png_ptr, length);
  189371. return;
  189372. }
  189373. png_debug1(2, "Allocating and reading pCAL chunk data (%lu bytes)\n",
  189374. length + 1);
  189375. purpose = (png_charp)png_malloc_warn(png_ptr, length + 1);
  189376. if (purpose == NULL)
  189377. {
  189378. png_warning(png_ptr, "No memory for pCAL purpose.");
  189379. return;
  189380. }
  189381. slength = (png_size_t)length;
  189382. png_crc_read(png_ptr, (png_bytep)purpose, slength);
  189383. if (png_crc_finish(png_ptr, 0))
  189384. {
  189385. png_free(png_ptr, purpose);
  189386. return;
  189387. }
  189388. purpose[slength] = 0x00; /* null terminate the last string */
  189389. png_debug(3, "Finding end of pCAL purpose string\n");
  189390. for (buf = purpose; *buf; buf++)
  189391. /* empty loop */ ;
  189392. endptr = purpose + slength;
  189393. /* We need to have at least 12 bytes after the purpose string
  189394. in order to get the parameter information. */
  189395. if (endptr <= buf + 12)
  189396. {
  189397. png_warning(png_ptr, "Invalid pCAL data");
  189398. png_free(png_ptr, purpose);
  189399. return;
  189400. }
  189401. png_debug(3, "Reading pCAL X0, X1, type, nparams, and units\n");
  189402. X0 = png_get_int_32((png_bytep)buf+1);
  189403. X1 = png_get_int_32((png_bytep)buf+5);
  189404. type = buf[9];
  189405. nparams = buf[10];
  189406. units = buf + 11;
  189407. png_debug(3, "Checking pCAL equation type and number of parameters\n");
  189408. /* Check that we have the right number of parameters for known
  189409. equation types. */
  189410. if ((type == PNG_EQUATION_LINEAR && nparams != 2) ||
  189411. (type == PNG_EQUATION_BASE_E && nparams != 3) ||
  189412. (type == PNG_EQUATION_ARBITRARY && nparams != 3) ||
  189413. (type == PNG_EQUATION_HYPERBOLIC && nparams != 4))
  189414. {
  189415. png_warning(png_ptr, "Invalid pCAL parameters for equation type");
  189416. png_free(png_ptr, purpose);
  189417. return;
  189418. }
  189419. else if (type >= PNG_EQUATION_LAST)
  189420. {
  189421. png_warning(png_ptr, "Unrecognized equation type for pCAL chunk");
  189422. }
  189423. for (buf = units; *buf; buf++)
  189424. /* Empty loop to move past the units string. */ ;
  189425. png_debug(3, "Allocating pCAL parameters array\n");
  189426. params = (png_charpp)png_malloc_warn(png_ptr, (png_uint_32)(nparams
  189427. *png_sizeof(png_charp))) ;
  189428. if (params == NULL)
  189429. {
  189430. png_free(png_ptr, purpose);
  189431. png_warning(png_ptr, "No memory for pCAL params.");
  189432. return;
  189433. }
  189434. /* Get pointers to the start of each parameter string. */
  189435. for (i = 0; i < (int)nparams; i++)
  189436. {
  189437. buf++; /* Skip the null string terminator from previous parameter. */
  189438. png_debug1(3, "Reading pCAL parameter %d\n", i);
  189439. for (params[i] = buf; buf <= endptr && *buf != 0x00; buf++)
  189440. /* Empty loop to move past each parameter string */ ;
  189441. /* Make sure we haven't run out of data yet */
  189442. if (buf > endptr)
  189443. {
  189444. png_warning(png_ptr, "Invalid pCAL data");
  189445. png_free(png_ptr, purpose);
  189446. png_free(png_ptr, params);
  189447. return;
  189448. }
  189449. }
  189450. png_set_pCAL(png_ptr, info_ptr, purpose, X0, X1, type, nparams,
  189451. units, params);
  189452. png_free(png_ptr, purpose);
  189453. png_free(png_ptr, params);
  189454. }
  189455. #endif
  189456. #if defined(PNG_READ_sCAL_SUPPORTED)
  189457. /* read the sCAL chunk */
  189458. void /* PRIVATE */
  189459. png_handle_sCAL(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189460. {
  189461. png_charp buffer, ep;
  189462. #ifdef PNG_FLOATING_POINT_SUPPORTED
  189463. double width, height;
  189464. png_charp vp;
  189465. #else
  189466. #ifdef PNG_FIXED_POINT_SUPPORTED
  189467. png_charp swidth, sheight;
  189468. #endif
  189469. #endif
  189470. png_size_t slength;
  189471. png_debug(1, "in png_handle_sCAL\n");
  189472. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189473. png_error(png_ptr, "Missing IHDR before sCAL");
  189474. else if (png_ptr->mode & PNG_HAVE_IDAT)
  189475. {
  189476. png_warning(png_ptr, "Invalid sCAL after IDAT");
  189477. png_crc_finish(png_ptr, length);
  189478. return;
  189479. }
  189480. else if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_sCAL))
  189481. {
  189482. png_warning(png_ptr, "Duplicate sCAL chunk");
  189483. png_crc_finish(png_ptr, length);
  189484. return;
  189485. }
  189486. png_debug1(2, "Allocating and reading sCAL chunk data (%lu bytes)\n",
  189487. length + 1);
  189488. buffer = (png_charp)png_malloc_warn(png_ptr, length + 1);
  189489. if (buffer == NULL)
  189490. {
  189491. png_warning(png_ptr, "Out of memory while processing sCAL chunk");
  189492. return;
  189493. }
  189494. slength = (png_size_t)length;
  189495. png_crc_read(png_ptr, (png_bytep)buffer, slength);
  189496. if (png_crc_finish(png_ptr, 0))
  189497. {
  189498. png_free(png_ptr, buffer);
  189499. return;
  189500. }
  189501. buffer[slength] = 0x00; /* null terminate the last string */
  189502. ep = buffer + 1; /* skip unit byte */
  189503. #ifdef PNG_FLOATING_POINT_SUPPORTED
  189504. width = png_strtod(png_ptr, ep, &vp);
  189505. if (*vp)
  189506. {
  189507. png_warning(png_ptr, "malformed width string in sCAL chunk");
  189508. return;
  189509. }
  189510. #else
  189511. #ifdef PNG_FIXED_POINT_SUPPORTED
  189512. swidth = (png_charp)png_malloc_warn(png_ptr, png_strlen(ep) + 1);
  189513. if (swidth == NULL)
  189514. {
  189515. png_warning(png_ptr, "Out of memory while processing sCAL chunk width");
  189516. return;
  189517. }
  189518. png_memcpy(swidth, ep, (png_size_t)png_strlen(ep));
  189519. #endif
  189520. #endif
  189521. for (ep = buffer; *ep; ep++)
  189522. /* empty loop */ ;
  189523. ep++;
  189524. if (buffer + slength < ep)
  189525. {
  189526. png_warning(png_ptr, "Truncated sCAL chunk");
  189527. #if defined(PNG_FIXED_POINT_SUPPORTED) && \
  189528. !defined(PNG_FLOATING_POINT_SUPPORTED)
  189529. png_free(png_ptr, swidth);
  189530. #endif
  189531. png_free(png_ptr, buffer);
  189532. return;
  189533. }
  189534. #ifdef PNG_FLOATING_POINT_SUPPORTED
  189535. height = png_strtod(png_ptr, ep, &vp);
  189536. if (*vp)
  189537. {
  189538. png_warning(png_ptr, "malformed height string in sCAL chunk");
  189539. return;
  189540. }
  189541. #else
  189542. #ifdef PNG_FIXED_POINT_SUPPORTED
  189543. sheight = (png_charp)png_malloc_warn(png_ptr, png_strlen(ep) + 1);
  189544. if (swidth == NULL)
  189545. {
  189546. png_warning(png_ptr, "Out of memory while processing sCAL chunk height");
  189547. return;
  189548. }
  189549. png_memcpy(sheight, ep, (png_size_t)png_strlen(ep));
  189550. #endif
  189551. #endif
  189552. if (buffer + slength < ep
  189553. #ifdef PNG_FLOATING_POINT_SUPPORTED
  189554. || width <= 0. || height <= 0.
  189555. #endif
  189556. )
  189557. {
  189558. png_warning(png_ptr, "Invalid sCAL data");
  189559. png_free(png_ptr, buffer);
  189560. #if defined(PNG_FIXED_POINT_SUPPORTED) && !defined(PNG_FLOATING_POINT_SUPPORTED)
  189561. png_free(png_ptr, swidth);
  189562. png_free(png_ptr, sheight);
  189563. #endif
  189564. return;
  189565. }
  189566. #ifdef PNG_FLOATING_POINT_SUPPORTED
  189567. png_set_sCAL(png_ptr, info_ptr, buffer[0], width, height);
  189568. #else
  189569. #ifdef PNG_FIXED_POINT_SUPPORTED
  189570. png_set_sCAL_s(png_ptr, info_ptr, buffer[0], swidth, sheight);
  189571. #endif
  189572. #endif
  189573. png_free(png_ptr, buffer);
  189574. #if defined(PNG_FIXED_POINT_SUPPORTED) && !defined(PNG_FLOATING_POINT_SUPPORTED)
  189575. png_free(png_ptr, swidth);
  189576. png_free(png_ptr, sheight);
  189577. #endif
  189578. }
  189579. #endif
  189580. #if defined(PNG_READ_tIME_SUPPORTED)
  189581. void /* PRIVATE */
  189582. png_handle_tIME(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189583. {
  189584. png_byte buf[7];
  189585. png_time mod_time;
  189586. png_debug(1, "in png_handle_tIME\n");
  189587. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189588. png_error(png_ptr, "Out of place tIME chunk");
  189589. else if (info_ptr != NULL && (info_ptr->valid & PNG_INFO_tIME))
  189590. {
  189591. png_warning(png_ptr, "Duplicate tIME chunk");
  189592. png_crc_finish(png_ptr, length);
  189593. return;
  189594. }
  189595. if (png_ptr->mode & PNG_HAVE_IDAT)
  189596. png_ptr->mode |= PNG_AFTER_IDAT;
  189597. if (length != 7)
  189598. {
  189599. png_warning(png_ptr, "Incorrect tIME chunk length");
  189600. png_crc_finish(png_ptr, length);
  189601. return;
  189602. }
  189603. png_crc_read(png_ptr, buf, 7);
  189604. if (png_crc_finish(png_ptr, 0))
  189605. return;
  189606. mod_time.second = buf[6];
  189607. mod_time.minute = buf[5];
  189608. mod_time.hour = buf[4];
  189609. mod_time.day = buf[3];
  189610. mod_time.month = buf[2];
  189611. mod_time.year = png_get_uint_16(buf);
  189612. png_set_tIME(png_ptr, info_ptr, &mod_time);
  189613. }
  189614. #endif
  189615. #if defined(PNG_READ_tEXt_SUPPORTED)
  189616. /* Note: this does not properly handle chunks that are > 64K under DOS */
  189617. void /* PRIVATE */
  189618. png_handle_tEXt(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189619. {
  189620. png_textp text_ptr;
  189621. png_charp key;
  189622. png_charp text;
  189623. png_uint_32 skip = 0;
  189624. png_size_t slength;
  189625. int ret;
  189626. png_debug(1, "in png_handle_tEXt\n");
  189627. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189628. png_error(png_ptr, "Missing IHDR before tEXt");
  189629. if (png_ptr->mode & PNG_HAVE_IDAT)
  189630. png_ptr->mode |= PNG_AFTER_IDAT;
  189631. #ifdef PNG_MAX_MALLOC_64K
  189632. if (length > (png_uint_32)65535L)
  189633. {
  189634. png_warning(png_ptr, "tEXt chunk too large to fit in memory");
  189635. skip = length - (png_uint_32)65535L;
  189636. length = (png_uint_32)65535L;
  189637. }
  189638. #endif
  189639. key = (png_charp)png_malloc_warn(png_ptr, length + 1);
  189640. if (key == NULL)
  189641. {
  189642. png_warning(png_ptr, "No memory to process text chunk.");
  189643. return;
  189644. }
  189645. slength = (png_size_t)length;
  189646. png_crc_read(png_ptr, (png_bytep)key, slength);
  189647. if (png_crc_finish(png_ptr, skip))
  189648. {
  189649. png_free(png_ptr, key);
  189650. return;
  189651. }
  189652. key[slength] = 0x00;
  189653. for (text = key; *text; text++)
  189654. /* empty loop to find end of key */ ;
  189655. if (text != key + slength)
  189656. text++;
  189657. text_ptr = (png_textp)png_malloc_warn(png_ptr,
  189658. (png_uint_32)png_sizeof(png_text));
  189659. if (text_ptr == NULL)
  189660. {
  189661. png_warning(png_ptr, "Not enough memory to process text chunk.");
  189662. png_free(png_ptr, key);
  189663. return;
  189664. }
  189665. text_ptr->compression = PNG_TEXT_COMPRESSION_NONE;
  189666. text_ptr->key = key;
  189667. #ifdef PNG_iTXt_SUPPORTED
  189668. text_ptr->lang = NULL;
  189669. text_ptr->lang_key = NULL;
  189670. text_ptr->itxt_length = 0;
  189671. #endif
  189672. text_ptr->text = text;
  189673. text_ptr->text_length = png_strlen(text);
  189674. ret=png_set_text_2(png_ptr, info_ptr, text_ptr, 1);
  189675. png_free(png_ptr, key);
  189676. png_free(png_ptr, text_ptr);
  189677. if (ret)
  189678. png_warning(png_ptr, "Insufficient memory to process text chunk.");
  189679. }
  189680. #endif
  189681. #if defined(PNG_READ_zTXt_SUPPORTED)
  189682. /* note: this does not correctly handle chunks that are > 64K under DOS */
  189683. void /* PRIVATE */
  189684. png_handle_zTXt(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189685. {
  189686. png_textp text_ptr;
  189687. png_charp chunkdata;
  189688. png_charp text;
  189689. int comp_type;
  189690. int ret;
  189691. png_size_t slength, prefix_len, data_len;
  189692. png_debug(1, "in png_handle_zTXt\n");
  189693. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189694. png_error(png_ptr, "Missing IHDR before zTXt");
  189695. if (png_ptr->mode & PNG_HAVE_IDAT)
  189696. png_ptr->mode |= PNG_AFTER_IDAT;
  189697. #ifdef PNG_MAX_MALLOC_64K
  189698. /* We will no doubt have problems with chunks even half this size, but
  189699. there is no hard and fast rule to tell us where to stop. */
  189700. if (length > (png_uint_32)65535L)
  189701. {
  189702. png_warning(png_ptr,"zTXt chunk too large to fit in memory");
  189703. png_crc_finish(png_ptr, length);
  189704. return;
  189705. }
  189706. #endif
  189707. chunkdata = (png_charp)png_malloc_warn(png_ptr, length + 1);
  189708. if (chunkdata == NULL)
  189709. {
  189710. png_warning(png_ptr,"Out of memory processing zTXt chunk.");
  189711. return;
  189712. }
  189713. slength = (png_size_t)length;
  189714. png_crc_read(png_ptr, (png_bytep)chunkdata, slength);
  189715. if (png_crc_finish(png_ptr, 0))
  189716. {
  189717. png_free(png_ptr, chunkdata);
  189718. return;
  189719. }
  189720. chunkdata[slength] = 0x00;
  189721. for (text = chunkdata; *text; text++)
  189722. /* empty loop */ ;
  189723. /* zTXt must have some text after the chunkdataword */
  189724. if (text >= chunkdata + slength - 2)
  189725. {
  189726. png_warning(png_ptr, "Truncated zTXt chunk");
  189727. png_free(png_ptr, chunkdata);
  189728. return;
  189729. }
  189730. else
  189731. {
  189732. comp_type = *(++text);
  189733. if (comp_type != PNG_TEXT_COMPRESSION_zTXt)
  189734. {
  189735. png_warning(png_ptr, "Unknown compression type in zTXt chunk");
  189736. comp_type = PNG_TEXT_COMPRESSION_zTXt;
  189737. }
  189738. text++; /* skip the compression_method byte */
  189739. }
  189740. prefix_len = text - chunkdata;
  189741. chunkdata = (png_charp)png_decompress_chunk(png_ptr, comp_type, chunkdata,
  189742. (png_size_t)length, prefix_len, &data_len);
  189743. text_ptr = (png_textp)png_malloc_warn(png_ptr,
  189744. (png_uint_32)png_sizeof(png_text));
  189745. if (text_ptr == NULL)
  189746. {
  189747. png_warning(png_ptr,"Not enough memory to process zTXt chunk.");
  189748. png_free(png_ptr, chunkdata);
  189749. return;
  189750. }
  189751. text_ptr->compression = comp_type;
  189752. text_ptr->key = chunkdata;
  189753. #ifdef PNG_iTXt_SUPPORTED
  189754. text_ptr->lang = NULL;
  189755. text_ptr->lang_key = NULL;
  189756. text_ptr->itxt_length = 0;
  189757. #endif
  189758. text_ptr->text = chunkdata + prefix_len;
  189759. text_ptr->text_length = data_len;
  189760. ret=png_set_text_2(png_ptr, info_ptr, text_ptr, 1);
  189761. png_free(png_ptr, text_ptr);
  189762. png_free(png_ptr, chunkdata);
  189763. if (ret)
  189764. png_error(png_ptr, "Insufficient memory to store zTXt chunk.");
  189765. }
  189766. #endif
  189767. #if defined(PNG_READ_iTXt_SUPPORTED)
  189768. /* note: this does not correctly handle chunks that are > 64K under DOS */
  189769. void /* PRIVATE */
  189770. png_handle_iTXt(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189771. {
  189772. png_textp text_ptr;
  189773. png_charp chunkdata;
  189774. png_charp key, lang, text, lang_key;
  189775. int comp_flag;
  189776. int comp_type = 0;
  189777. int ret;
  189778. png_size_t slength, prefix_len, data_len;
  189779. png_debug(1, "in png_handle_iTXt\n");
  189780. if (!(png_ptr->mode & PNG_HAVE_IHDR))
  189781. png_error(png_ptr, "Missing IHDR before iTXt");
  189782. if (png_ptr->mode & PNG_HAVE_IDAT)
  189783. png_ptr->mode |= PNG_AFTER_IDAT;
  189784. #ifdef PNG_MAX_MALLOC_64K
  189785. /* We will no doubt have problems with chunks even half this size, but
  189786. there is no hard and fast rule to tell us where to stop. */
  189787. if (length > (png_uint_32)65535L)
  189788. {
  189789. png_warning(png_ptr,"iTXt chunk too large to fit in memory");
  189790. png_crc_finish(png_ptr, length);
  189791. return;
  189792. }
  189793. #endif
  189794. chunkdata = (png_charp)png_malloc_warn(png_ptr, length + 1);
  189795. if (chunkdata == NULL)
  189796. {
  189797. png_warning(png_ptr, "No memory to process iTXt chunk.");
  189798. return;
  189799. }
  189800. slength = (png_size_t)length;
  189801. png_crc_read(png_ptr, (png_bytep)chunkdata, slength);
  189802. if (png_crc_finish(png_ptr, 0))
  189803. {
  189804. png_free(png_ptr, chunkdata);
  189805. return;
  189806. }
  189807. chunkdata[slength] = 0x00;
  189808. for (lang = chunkdata; *lang; lang++)
  189809. /* empty loop */ ;
  189810. lang++; /* skip NUL separator */
  189811. /* iTXt must have a language tag (possibly empty), two compression bytes,
  189812. translated keyword (possibly empty), and possibly some text after the
  189813. keyword */
  189814. if (lang >= chunkdata + slength - 3)
  189815. {
  189816. png_warning(png_ptr, "Truncated iTXt chunk");
  189817. png_free(png_ptr, chunkdata);
  189818. return;
  189819. }
  189820. else
  189821. {
  189822. comp_flag = *lang++;
  189823. comp_type = *lang++;
  189824. }
  189825. for (lang_key = lang; *lang_key; lang_key++)
  189826. /* empty loop */ ;
  189827. lang_key++; /* skip NUL separator */
  189828. if (lang_key >= chunkdata + slength)
  189829. {
  189830. png_warning(png_ptr, "Truncated iTXt chunk");
  189831. png_free(png_ptr, chunkdata);
  189832. return;
  189833. }
  189834. for (text = lang_key; *text; text++)
  189835. /* empty loop */ ;
  189836. text++; /* skip NUL separator */
  189837. if (text >= chunkdata + slength)
  189838. {
  189839. png_warning(png_ptr, "Malformed iTXt chunk");
  189840. png_free(png_ptr, chunkdata);
  189841. return;
  189842. }
  189843. prefix_len = text - chunkdata;
  189844. key=chunkdata;
  189845. if (comp_flag)
  189846. chunkdata = png_decompress_chunk(png_ptr, comp_type, chunkdata,
  189847. (size_t)length, prefix_len, &data_len);
  189848. else
  189849. data_len=png_strlen(chunkdata + prefix_len);
  189850. text_ptr = (png_textp)png_malloc_warn(png_ptr,
  189851. (png_uint_32)png_sizeof(png_text));
  189852. if (text_ptr == NULL)
  189853. {
  189854. png_warning(png_ptr,"Not enough memory to process iTXt chunk.");
  189855. png_free(png_ptr, chunkdata);
  189856. return;
  189857. }
  189858. text_ptr->compression = (int)comp_flag + 1;
  189859. text_ptr->lang_key = chunkdata+(lang_key-key);
  189860. text_ptr->lang = chunkdata+(lang-key);
  189861. text_ptr->itxt_length = data_len;
  189862. text_ptr->text_length = 0;
  189863. text_ptr->key = chunkdata;
  189864. text_ptr->text = chunkdata + prefix_len;
  189865. ret=png_set_text_2(png_ptr, info_ptr, text_ptr, 1);
  189866. png_free(png_ptr, text_ptr);
  189867. png_free(png_ptr, chunkdata);
  189868. if (ret)
  189869. png_error(png_ptr, "Insufficient memory to store iTXt chunk.");
  189870. }
  189871. #endif
  189872. /* This function is called when we haven't found a handler for a
  189873. chunk. If there isn't a problem with the chunk itself (ie bad
  189874. chunk name, CRC, or a critical chunk), the chunk is silently ignored
  189875. -- unless the PNG_FLAG_UNKNOWN_CHUNKS_SUPPORTED flag is on in which
  189876. case it will be saved away to be written out later. */
  189877. void /* PRIVATE */
  189878. png_handle_unknown(png_structp png_ptr, png_infop info_ptr, png_uint_32 length)
  189879. {
  189880. png_uint_32 skip = 0;
  189881. png_debug(1, "in png_handle_unknown\n");
  189882. if (png_ptr->mode & PNG_HAVE_IDAT)
  189883. {
  189884. #ifdef PNG_USE_LOCAL_ARRAYS
  189885. PNG_CONST PNG_IDAT;
  189886. #endif
  189887. if (png_memcmp(png_ptr->chunk_name, png_IDAT, 4)) /* not an IDAT */
  189888. png_ptr->mode |= PNG_AFTER_IDAT;
  189889. }
  189890. png_check_chunk_name(png_ptr, png_ptr->chunk_name);
  189891. if (!(png_ptr->chunk_name[0] & 0x20))
  189892. {
  189893. #if defined(PNG_READ_UNKNOWN_CHUNKS_SUPPORTED)
  189894. if(png_handle_as_unknown(png_ptr, png_ptr->chunk_name) !=
  189895. PNG_HANDLE_CHUNK_ALWAYS
  189896. #if defined(PNG_READ_USER_CHUNKS_SUPPORTED)
  189897. && png_ptr->read_user_chunk_fn == NULL
  189898. #endif
  189899. )
  189900. #endif
  189901. png_chunk_error(png_ptr, "unknown critical chunk");
  189902. }
  189903. #if defined(PNG_READ_UNKNOWN_CHUNKS_SUPPORTED)
  189904. if ((png_ptr->flags & PNG_FLAG_KEEP_UNKNOWN_CHUNKS) ||
  189905. (png_ptr->read_user_chunk_fn != NULL))
  189906. {
  189907. #ifdef PNG_MAX_MALLOC_64K
  189908. if (length > (png_uint_32)65535L)
  189909. {
  189910. png_warning(png_ptr, "unknown chunk too large to fit in memory");
  189911. skip = length - (png_uint_32)65535L;
  189912. length = (png_uint_32)65535L;
  189913. }
  189914. #endif
  189915. png_strncpy((png_charp)png_ptr->unknown_chunk.name,
  189916. (png_charp)png_ptr->chunk_name, 5);
  189917. png_ptr->unknown_chunk.data = (png_bytep)png_malloc(png_ptr, length);
  189918. png_ptr->unknown_chunk.size = (png_size_t)length;
  189919. png_crc_read(png_ptr, (png_bytep)png_ptr->unknown_chunk.data, length);
  189920. #if defined(PNG_READ_USER_CHUNKS_SUPPORTED)
  189921. if(png_ptr->read_user_chunk_fn != NULL)
  189922. {
  189923. /* callback to user unknown chunk handler */
  189924. int ret;
  189925. ret = (*(png_ptr->read_user_chunk_fn))
  189926. (png_ptr, &png_ptr->unknown_chunk);
  189927. if (ret < 0)
  189928. png_chunk_error(png_ptr, "error in user chunk");
  189929. if (ret == 0)
  189930. {
  189931. if (!(png_ptr->chunk_name[0] & 0x20))
  189932. if(png_handle_as_unknown(png_ptr, png_ptr->chunk_name) !=
  189933. PNG_HANDLE_CHUNK_ALWAYS)
  189934. png_chunk_error(png_ptr, "unknown critical chunk");
  189935. png_set_unknown_chunks(png_ptr, info_ptr,
  189936. &png_ptr->unknown_chunk, 1);
  189937. }
  189938. }
  189939. #else
  189940. png_set_unknown_chunks(png_ptr, info_ptr, &png_ptr->unknown_chunk, 1);
  189941. #endif
  189942. png_free(png_ptr, png_ptr->unknown_chunk.data);
  189943. png_ptr->unknown_chunk.data = NULL;
  189944. }
  189945. else
  189946. #endif
  189947. skip = length;
  189948. png_crc_finish(png_ptr, skip);
  189949. #if !defined(PNG_READ_USER_CHUNKS_SUPPORTED)
  189950. info_ptr = info_ptr; /* quiet compiler warnings about unused info_ptr */
  189951. #endif
  189952. }
  189953. /* This function is called to verify that a chunk name is valid.
  189954. This function can't have the "critical chunk check" incorporated
  189955. into it, since in the future we will need to be able to call user
  189956. functions to handle unknown critical chunks after we check that
  189957. the chunk name itself is valid. */
  189958. #define isnonalpha(c) ((c) < 65 || (c) > 122 || ((c) > 90 && (c) < 97))
  189959. void /* PRIVATE */
  189960. png_check_chunk_name(png_structp png_ptr, png_bytep chunk_name)
  189961. {
  189962. png_debug(1, "in png_check_chunk_name\n");
  189963. if (isnonalpha(chunk_name[0]) || isnonalpha(chunk_name[1]) ||
  189964. isnonalpha(chunk_name[2]) || isnonalpha(chunk_name[3]))
  189965. {
  189966. png_chunk_error(png_ptr, "invalid chunk type");
  189967. }
  189968. }
  189969. /* Combines the row recently read in with the existing pixels in the
  189970. row. This routine takes care of alpha and transparency if requested.
  189971. This routine also handles the two methods of progressive display
  189972. of interlaced images, depending on the mask value.
  189973. The mask value describes which pixels are to be combined with
  189974. the row. The pattern always repeats every 8 pixels, so just 8
  189975. bits are needed. A one indicates the pixel is to be combined,
  189976. a zero indicates the pixel is to be skipped. This is in addition
  189977. to any alpha or transparency value associated with the pixel. If
  189978. you want all pixels to be combined, pass 0xff (255) in mask. */
  189979. void /* PRIVATE */
  189980. png_combine_row(png_structp png_ptr, png_bytep row, int mask)
  189981. {
  189982. png_debug(1,"in png_combine_row\n");
  189983. if (mask == 0xff)
  189984. {
  189985. png_memcpy(row, png_ptr->row_buf + 1,
  189986. PNG_ROWBYTES(png_ptr->row_info.pixel_depth, png_ptr->width));
  189987. }
  189988. else
  189989. {
  189990. switch (png_ptr->row_info.pixel_depth)
  189991. {
  189992. case 1:
  189993. {
  189994. png_bytep sp = png_ptr->row_buf + 1;
  189995. png_bytep dp = row;
  189996. int s_inc, s_start, s_end;
  189997. int m = 0x80;
  189998. int shift;
  189999. png_uint_32 i;
  190000. png_uint_32 row_width = png_ptr->width;
  190001. #if defined(PNG_READ_PACKSWAP_SUPPORTED)
  190002. if (png_ptr->transformations & PNG_PACKSWAP)
  190003. {
  190004. s_start = 0;
  190005. s_end = 7;
  190006. s_inc = 1;
  190007. }
  190008. else
  190009. #endif
  190010. {
  190011. s_start = 7;
  190012. s_end = 0;
  190013. s_inc = -1;
  190014. }
  190015. shift = s_start;
  190016. for (i = 0; i < row_width; i++)
  190017. {
  190018. if (m & mask)
  190019. {
  190020. int value;
  190021. value = (*sp >> shift) & 0x01;
  190022. *dp &= (png_byte)((0x7f7f >> (7 - shift)) & 0xff);
  190023. *dp |= (png_byte)(value << shift);
  190024. }
  190025. if (shift == s_end)
  190026. {
  190027. shift = s_start;
  190028. sp++;
  190029. dp++;
  190030. }
  190031. else
  190032. shift += s_inc;
  190033. if (m == 1)
  190034. m = 0x80;
  190035. else
  190036. m >>= 1;
  190037. }
  190038. break;
  190039. }
  190040. case 2:
  190041. {
  190042. png_bytep sp = png_ptr->row_buf + 1;
  190043. png_bytep dp = row;
  190044. int s_start, s_end, s_inc;
  190045. int m = 0x80;
  190046. int shift;
  190047. png_uint_32 i;
  190048. png_uint_32 row_width = png_ptr->width;
  190049. int value;
  190050. #if defined(PNG_READ_PACKSWAP_SUPPORTED)
  190051. if (png_ptr->transformations & PNG_PACKSWAP)
  190052. {
  190053. s_start = 0;
  190054. s_end = 6;
  190055. s_inc = 2;
  190056. }
  190057. else
  190058. #endif
  190059. {
  190060. s_start = 6;
  190061. s_end = 0;
  190062. s_inc = -2;
  190063. }
  190064. shift = s_start;
  190065. for (i = 0; i < row_width; i++)
  190066. {
  190067. if (m & mask)
  190068. {
  190069. value = (*sp >> shift) & 0x03;
  190070. *dp &= (png_byte)((0x3f3f >> (6 - shift)) & 0xff);
  190071. *dp |= (png_byte)(value << shift);
  190072. }
  190073. if (shift == s_end)
  190074. {
  190075. shift = s_start;
  190076. sp++;
  190077. dp++;
  190078. }
  190079. else
  190080. shift += s_inc;
  190081. if (m == 1)
  190082. m = 0x80;
  190083. else
  190084. m >>= 1;
  190085. }
  190086. break;
  190087. }
  190088. case 4:
  190089. {
  190090. png_bytep sp = png_ptr->row_buf + 1;
  190091. png_bytep dp = row;
  190092. int s_start, s_end, s_inc;
  190093. int m = 0x80;
  190094. int shift;
  190095. png_uint_32 i;
  190096. png_uint_32 row_width = png_ptr->width;
  190097. int value;
  190098. #if defined(PNG_READ_PACKSWAP_SUPPORTED)
  190099. if (png_ptr->transformations & PNG_PACKSWAP)
  190100. {
  190101. s_start = 0;
  190102. s_end = 4;
  190103. s_inc = 4;
  190104. }
  190105. else
  190106. #endif
  190107. {
  190108. s_start = 4;
  190109. s_end = 0;
  190110. s_inc = -4;
  190111. }
  190112. shift = s_start;
  190113. for (i = 0; i < row_width; i++)
  190114. {
  190115. if (m & mask)
  190116. {
  190117. value = (*sp >> shift) & 0xf;
  190118. *dp &= (png_byte)((0xf0f >> (4 - shift)) & 0xff);
  190119. *dp |= (png_byte)(value << shift);
  190120. }
  190121. if (shift == s_end)
  190122. {
  190123. shift = s_start;
  190124. sp++;
  190125. dp++;
  190126. }
  190127. else
  190128. shift += s_inc;
  190129. if (m == 1)
  190130. m = 0x80;
  190131. else
  190132. m >>= 1;
  190133. }
  190134. break;
  190135. }
  190136. default:
  190137. {
  190138. png_bytep sp = png_ptr->row_buf + 1;
  190139. png_bytep dp = row;
  190140. png_size_t pixel_bytes = (png_ptr->row_info.pixel_depth >> 3);
  190141. png_uint_32 i;
  190142. png_uint_32 row_width = png_ptr->width;
  190143. png_byte m = 0x80;
  190144. for (i = 0; i < row_width; i++)
  190145. {
  190146. if (m & mask)
  190147. {
  190148. png_memcpy(dp, sp, pixel_bytes);
  190149. }
  190150. sp += pixel_bytes;
  190151. dp += pixel_bytes;
  190152. if (m == 1)
  190153. m = 0x80;
  190154. else
  190155. m >>= 1;
  190156. }
  190157. break;
  190158. }
  190159. }
  190160. }
  190161. }
  190162. #ifdef PNG_READ_INTERLACING_SUPPORTED
  190163. /* OLD pre-1.0.9 interface:
  190164. void png_do_read_interlace(png_row_infop row_info, png_bytep row, int pass,
  190165. png_uint_32 transformations)
  190166. */
  190167. void /* PRIVATE */
  190168. png_do_read_interlace(png_structp png_ptr)
  190169. {
  190170. png_row_infop row_info = &(png_ptr->row_info);
  190171. png_bytep row = png_ptr->row_buf + 1;
  190172. int pass = png_ptr->pass;
  190173. png_uint_32 transformations = png_ptr->transformations;
  190174. #ifdef PNG_USE_LOCAL_ARRAYS
  190175. /* arrays to facilitate easy interlacing - use pass (0 - 6) as index */
  190176. /* offset to next interlace block */
  190177. PNG_CONST int png_pass_inc[7] = {8, 8, 4, 4, 2, 2, 1};
  190178. #endif
  190179. png_debug(1,"in png_do_read_interlace\n");
  190180. if (row != NULL && row_info != NULL)
  190181. {
  190182. png_uint_32 final_width;
  190183. final_width = row_info->width * png_pass_inc[pass];
  190184. switch (row_info->pixel_depth)
  190185. {
  190186. case 1:
  190187. {
  190188. png_bytep sp = row + (png_size_t)((row_info->width - 1) >> 3);
  190189. png_bytep dp = row + (png_size_t)((final_width - 1) >> 3);
  190190. int sshift, dshift;
  190191. int s_start, s_end, s_inc;
  190192. int jstop = png_pass_inc[pass];
  190193. png_byte v;
  190194. png_uint_32 i;
  190195. int j;
  190196. #if defined(PNG_READ_PACKSWAP_SUPPORTED)
  190197. if (transformations & PNG_PACKSWAP)
  190198. {
  190199. sshift = (int)((row_info->width + 7) & 0x07);
  190200. dshift = (int)((final_width + 7) & 0x07);
  190201. s_start = 7;
  190202. s_end = 0;
  190203. s_inc = -1;
  190204. }
  190205. else
  190206. #endif
  190207. {
  190208. sshift = 7 - (int)((row_info->width + 7) & 0x07);
  190209. dshift = 7 - (int)((final_width + 7) & 0x07);
  190210. s_start = 0;
  190211. s_end = 7;
  190212. s_inc = 1;
  190213. }
  190214. for (i = 0; i < row_info->width; i++)
  190215. {
  190216. v = (png_byte)((*sp >> sshift) & 0x01);
  190217. for (j = 0; j < jstop; j++)
  190218. {
  190219. *dp &= (png_byte)((0x7f7f >> (7 - dshift)) & 0xff);
  190220. *dp |= (png_byte)(v << dshift);
  190221. if (dshift == s_end)
  190222. {
  190223. dshift = s_start;
  190224. dp--;
  190225. }
  190226. else
  190227. dshift += s_inc;
  190228. }
  190229. if (sshift == s_end)
  190230. {
  190231. sshift = s_start;
  190232. sp--;
  190233. }
  190234. else
  190235. sshift += s_inc;
  190236. }
  190237. break;
  190238. }
  190239. case 2:
  190240. {
  190241. png_bytep sp = row + (png_uint_32)((row_info->width - 1) >> 2);
  190242. png_bytep dp = row + (png_uint_32)((final_width - 1) >> 2);
  190243. int sshift, dshift;
  190244. int s_start, s_end, s_inc;
  190245. int jstop = png_pass_inc[pass];
  190246. png_uint_32 i;
  190247. #if defined(PNG_READ_PACKSWAP_SUPPORTED)
  190248. if (transformations & PNG_PACKSWAP)
  190249. {
  190250. sshift = (int)(((row_info->width + 3) & 0x03) << 1);
  190251. dshift = (int)(((final_width + 3) & 0x03) << 1);
  190252. s_start = 6;
  190253. s_end = 0;
  190254. s_inc = -2;
  190255. }
  190256. else
  190257. #endif
  190258. {
  190259. sshift = (int)((3 - ((row_info->width + 3) & 0x03)) << 1);
  190260. dshift = (int)((3 - ((final_width + 3) & 0x03)) << 1);
  190261. s_start = 0;
  190262. s_end = 6;
  190263. s_inc = 2;
  190264. }
  190265. for (i = 0; i < row_info->width; i++)
  190266. {
  190267. png_byte v;
  190268. int j;
  190269. v = (png_byte)((*sp >> sshift) & 0x03);
  190270. for (j = 0; j < jstop; j++)
  190271. {
  190272. *dp &= (png_byte)((0x3f3f >> (6 - dshift)) & 0xff);
  190273. *dp |= (png_byte)(v << dshift);
  190274. if (dshift == s_end)
  190275. {
  190276. dshift = s_start;
  190277. dp--;
  190278. }
  190279. else
  190280. dshift += s_inc;
  190281. }
  190282. if (sshift == s_end)
  190283. {
  190284. sshift = s_start;
  190285. sp--;
  190286. }
  190287. else
  190288. sshift += s_inc;
  190289. }
  190290. break;
  190291. }
  190292. case 4:
  190293. {
  190294. png_bytep sp = row + (png_size_t)((row_info->width - 1) >> 1);
  190295. png_bytep dp = row + (png_size_t)((final_width - 1) >> 1);
  190296. int sshift, dshift;
  190297. int s_start, s_end, s_inc;
  190298. png_uint_32 i;
  190299. int jstop = png_pass_inc[pass];
  190300. #if defined(PNG_READ_PACKSWAP_SUPPORTED)
  190301. if (transformations & PNG_PACKSWAP)
  190302. {
  190303. sshift = (int)(((row_info->width + 1) & 0x01) << 2);
  190304. dshift = (int)(((final_width + 1) & 0x01) << 2);
  190305. s_start = 4;
  190306. s_end = 0;
  190307. s_inc = -4;
  190308. }
  190309. else
  190310. #endif
  190311. {
  190312. sshift = (int)((1 - ((row_info->width + 1) & 0x01)) << 2);
  190313. dshift = (int)((1 - ((final_width + 1) & 0x01)) << 2);
  190314. s_start = 0;
  190315. s_end = 4;
  190316. s_inc = 4;
  190317. }
  190318. for (i = 0; i < row_info->width; i++)
  190319. {
  190320. png_byte v = (png_byte)((*sp >> sshift) & 0xf);
  190321. int j;
  190322. for (j = 0; j < jstop; j++)
  190323. {
  190324. *dp &= (png_byte)((0xf0f >> (4 - dshift)) & 0xff);
  190325. *dp |= (png_byte)(v << dshift);
  190326. if (dshift == s_end)
  190327. {
  190328. dshift = s_start;
  190329. dp--;
  190330. }
  190331. else
  190332. dshift += s_inc;
  190333. }
  190334. if (sshift == s_end)
  190335. {
  190336. sshift = s_start;
  190337. sp--;
  190338. }
  190339. else
  190340. sshift += s_inc;
  190341. }
  190342. break;
  190343. }
  190344. default:
  190345. {
  190346. png_size_t pixel_bytes = (row_info->pixel_depth >> 3);
  190347. png_bytep sp = row + (png_size_t)(row_info->width - 1) * pixel_bytes;
  190348. png_bytep dp = row + (png_size_t)(final_width - 1) * pixel_bytes;
  190349. int jstop = png_pass_inc[pass];
  190350. png_uint_32 i;
  190351. for (i = 0; i < row_info->width; i++)
  190352. {
  190353. png_byte v[8];
  190354. int j;
  190355. png_memcpy(v, sp, pixel_bytes);
  190356. for (j = 0; j < jstop; j++)
  190357. {
  190358. png_memcpy(dp, v, pixel_bytes);
  190359. dp -= pixel_bytes;
  190360. }
  190361. sp -= pixel_bytes;
  190362. }
  190363. break;
  190364. }
  190365. }
  190366. row_info->width = final_width;
  190367. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,final_width);
  190368. }
  190369. #if !defined(PNG_READ_PACKSWAP_SUPPORTED)
  190370. transformations = transformations; /* silence compiler warning */
  190371. #endif
  190372. }
  190373. #endif /* PNG_READ_INTERLACING_SUPPORTED */
  190374. void /* PRIVATE */
  190375. png_read_filter_row(png_structp png_ptr, png_row_infop row_info, png_bytep row,
  190376. png_bytep prev_row, int filter)
  190377. {
  190378. png_debug(1, "in png_read_filter_row\n");
  190379. png_debug2(2,"row = %lu, filter = %d\n", png_ptr->row_number, filter);
  190380. switch (filter)
  190381. {
  190382. case PNG_FILTER_VALUE_NONE:
  190383. break;
  190384. case PNG_FILTER_VALUE_SUB:
  190385. {
  190386. png_uint_32 i;
  190387. png_uint_32 istop = row_info->rowbytes;
  190388. png_uint_32 bpp = (row_info->pixel_depth + 7) >> 3;
  190389. png_bytep rp = row + bpp;
  190390. png_bytep lp = row;
  190391. for (i = bpp; i < istop; i++)
  190392. {
  190393. *rp = (png_byte)(((int)(*rp) + (int)(*lp++)) & 0xff);
  190394. rp++;
  190395. }
  190396. break;
  190397. }
  190398. case PNG_FILTER_VALUE_UP:
  190399. {
  190400. png_uint_32 i;
  190401. png_uint_32 istop = row_info->rowbytes;
  190402. png_bytep rp = row;
  190403. png_bytep pp = prev_row;
  190404. for (i = 0; i < istop; i++)
  190405. {
  190406. *rp = (png_byte)(((int)(*rp) + (int)(*pp++)) & 0xff);
  190407. rp++;
  190408. }
  190409. break;
  190410. }
  190411. case PNG_FILTER_VALUE_AVG:
  190412. {
  190413. png_uint_32 i;
  190414. png_bytep rp = row;
  190415. png_bytep pp = prev_row;
  190416. png_bytep lp = row;
  190417. png_uint_32 bpp = (row_info->pixel_depth + 7) >> 3;
  190418. png_uint_32 istop = row_info->rowbytes - bpp;
  190419. for (i = 0; i < bpp; i++)
  190420. {
  190421. *rp = (png_byte)(((int)(*rp) +
  190422. ((int)(*pp++) / 2 )) & 0xff);
  190423. rp++;
  190424. }
  190425. for (i = 0; i < istop; i++)
  190426. {
  190427. *rp = (png_byte)(((int)(*rp) +
  190428. (int)(*pp++ + *lp++) / 2 ) & 0xff);
  190429. rp++;
  190430. }
  190431. break;
  190432. }
  190433. case PNG_FILTER_VALUE_PAETH:
  190434. {
  190435. png_uint_32 i;
  190436. png_bytep rp = row;
  190437. png_bytep pp = prev_row;
  190438. png_bytep lp = row;
  190439. png_bytep cp = prev_row;
  190440. png_uint_32 bpp = (row_info->pixel_depth + 7) >> 3;
  190441. png_uint_32 istop=row_info->rowbytes - bpp;
  190442. for (i = 0; i < bpp; i++)
  190443. {
  190444. *rp = (png_byte)(((int)(*rp) + (int)(*pp++)) & 0xff);
  190445. rp++;
  190446. }
  190447. for (i = 0; i < istop; i++) /* use leftover rp,pp */
  190448. {
  190449. int a, b, c, pa, pb, pc, p;
  190450. a = *lp++;
  190451. b = *pp++;
  190452. c = *cp++;
  190453. p = b - c;
  190454. pc = a - c;
  190455. #ifdef PNG_USE_ABS
  190456. pa = abs(p);
  190457. pb = abs(pc);
  190458. pc = abs(p + pc);
  190459. #else
  190460. pa = p < 0 ? -p : p;
  190461. pb = pc < 0 ? -pc : pc;
  190462. pc = (p + pc) < 0 ? -(p + pc) : p + pc;
  190463. #endif
  190464. /*
  190465. if (pa <= pb && pa <= pc)
  190466. p = a;
  190467. else if (pb <= pc)
  190468. p = b;
  190469. else
  190470. p = c;
  190471. */
  190472. p = (pa <= pb && pa <=pc) ? a : (pb <= pc) ? b : c;
  190473. *rp = (png_byte)(((int)(*rp) + p) & 0xff);
  190474. rp++;
  190475. }
  190476. break;
  190477. }
  190478. default:
  190479. png_warning(png_ptr, "Ignoring bad adaptive filter type");
  190480. *row=0;
  190481. break;
  190482. }
  190483. }
  190484. void /* PRIVATE */
  190485. png_read_finish_row(png_structp png_ptr)
  190486. {
  190487. #ifdef PNG_USE_LOCAL_ARRAYS
  190488. /* arrays to facilitate easy interlacing - use pass (0 - 6) as index */
  190489. /* start of interlace block */
  190490. PNG_CONST int png_pass_start[7] = {0, 4, 0, 2, 0, 1, 0};
  190491. /* offset to next interlace block */
  190492. PNG_CONST int png_pass_inc[7] = {8, 8, 4, 4, 2, 2, 1};
  190493. /* start of interlace block in the y direction */
  190494. PNG_CONST int png_pass_ystart[7] = {0, 0, 4, 0, 2, 0, 1};
  190495. /* offset to next interlace block in the y direction */
  190496. PNG_CONST int png_pass_yinc[7] = {8, 8, 8, 4, 4, 2, 2};
  190497. #endif
  190498. png_debug(1, "in png_read_finish_row\n");
  190499. png_ptr->row_number++;
  190500. if (png_ptr->row_number < png_ptr->num_rows)
  190501. return;
  190502. if (png_ptr->interlaced)
  190503. {
  190504. png_ptr->row_number = 0;
  190505. png_memset_check(png_ptr, png_ptr->prev_row, 0,
  190506. png_ptr->rowbytes + 1);
  190507. do
  190508. {
  190509. png_ptr->pass++;
  190510. if (png_ptr->pass >= 7)
  190511. break;
  190512. png_ptr->iwidth = (png_ptr->width +
  190513. png_pass_inc[png_ptr->pass] - 1 -
  190514. png_pass_start[png_ptr->pass]) /
  190515. png_pass_inc[png_ptr->pass];
  190516. png_ptr->irowbytes = PNG_ROWBYTES(png_ptr->pixel_depth,
  190517. png_ptr->iwidth) + 1;
  190518. if (!(png_ptr->transformations & PNG_INTERLACE))
  190519. {
  190520. png_ptr->num_rows = (png_ptr->height +
  190521. png_pass_yinc[png_ptr->pass] - 1 -
  190522. png_pass_ystart[png_ptr->pass]) /
  190523. png_pass_yinc[png_ptr->pass];
  190524. if (!(png_ptr->num_rows))
  190525. continue;
  190526. }
  190527. else /* if (png_ptr->transformations & PNG_INTERLACE) */
  190528. break;
  190529. } while (png_ptr->iwidth == 0);
  190530. if (png_ptr->pass < 7)
  190531. return;
  190532. }
  190533. if (!(png_ptr->flags & PNG_FLAG_ZLIB_FINISHED))
  190534. {
  190535. #ifdef PNG_USE_LOCAL_ARRAYS
  190536. PNG_CONST PNG_IDAT;
  190537. #endif
  190538. char extra;
  190539. int ret;
  190540. png_ptr->zstream.next_out = (Byte *)&extra;
  190541. png_ptr->zstream.avail_out = (uInt)1;
  190542. for(;;)
  190543. {
  190544. if (!(png_ptr->zstream.avail_in))
  190545. {
  190546. while (!png_ptr->idat_size)
  190547. {
  190548. png_byte chunk_length[4];
  190549. png_crc_finish(png_ptr, 0);
  190550. png_read_data(png_ptr, chunk_length, 4);
  190551. png_ptr->idat_size = png_get_uint_31(png_ptr, chunk_length);
  190552. png_reset_crc(png_ptr);
  190553. png_crc_read(png_ptr, png_ptr->chunk_name, 4);
  190554. if (png_memcmp(png_ptr->chunk_name, png_IDAT, 4))
  190555. png_error(png_ptr, "Not enough image data");
  190556. }
  190557. png_ptr->zstream.avail_in = (uInt)png_ptr->zbuf_size;
  190558. png_ptr->zstream.next_in = png_ptr->zbuf;
  190559. if (png_ptr->zbuf_size > png_ptr->idat_size)
  190560. png_ptr->zstream.avail_in = (uInt)png_ptr->idat_size;
  190561. png_crc_read(png_ptr, png_ptr->zbuf, png_ptr->zstream.avail_in);
  190562. png_ptr->idat_size -= png_ptr->zstream.avail_in;
  190563. }
  190564. ret = inflate(&png_ptr->zstream, Z_PARTIAL_FLUSH);
  190565. if (ret == Z_STREAM_END)
  190566. {
  190567. if (!(png_ptr->zstream.avail_out) || png_ptr->zstream.avail_in ||
  190568. png_ptr->idat_size)
  190569. png_warning(png_ptr, "Extra compressed data");
  190570. png_ptr->mode |= PNG_AFTER_IDAT;
  190571. png_ptr->flags |= PNG_FLAG_ZLIB_FINISHED;
  190572. break;
  190573. }
  190574. if (ret != Z_OK)
  190575. png_error(png_ptr, png_ptr->zstream.msg ? png_ptr->zstream.msg :
  190576. "Decompression Error");
  190577. if (!(png_ptr->zstream.avail_out))
  190578. {
  190579. png_warning(png_ptr, "Extra compressed data.");
  190580. png_ptr->mode |= PNG_AFTER_IDAT;
  190581. png_ptr->flags |= PNG_FLAG_ZLIB_FINISHED;
  190582. break;
  190583. }
  190584. }
  190585. png_ptr->zstream.avail_out = 0;
  190586. }
  190587. if (png_ptr->idat_size || png_ptr->zstream.avail_in)
  190588. png_warning(png_ptr, "Extra compression data");
  190589. inflateReset(&png_ptr->zstream);
  190590. png_ptr->mode |= PNG_AFTER_IDAT;
  190591. }
  190592. void /* PRIVATE */
  190593. png_read_start_row(png_structp png_ptr)
  190594. {
  190595. #ifdef PNG_USE_LOCAL_ARRAYS
  190596. /* arrays to facilitate easy interlacing - use pass (0 - 6) as index */
  190597. /* start of interlace block */
  190598. PNG_CONST int png_pass_start[7] = {0, 4, 0, 2, 0, 1, 0};
  190599. /* offset to next interlace block */
  190600. PNG_CONST int png_pass_inc[7] = {8, 8, 4, 4, 2, 2, 1};
  190601. /* start of interlace block in the y direction */
  190602. PNG_CONST int png_pass_ystart[7] = {0, 0, 4, 0, 2, 0, 1};
  190603. /* offset to next interlace block in the y direction */
  190604. PNG_CONST int png_pass_yinc[7] = {8, 8, 8, 4, 4, 2, 2};
  190605. #endif
  190606. int max_pixel_depth;
  190607. png_uint_32 row_bytes;
  190608. png_debug(1, "in png_read_start_row\n");
  190609. png_ptr->zstream.avail_in = 0;
  190610. png_init_read_transformations(png_ptr);
  190611. if (png_ptr->interlaced)
  190612. {
  190613. if (!(png_ptr->transformations & PNG_INTERLACE))
  190614. png_ptr->num_rows = (png_ptr->height + png_pass_yinc[0] - 1 -
  190615. png_pass_ystart[0]) / png_pass_yinc[0];
  190616. else
  190617. png_ptr->num_rows = png_ptr->height;
  190618. png_ptr->iwidth = (png_ptr->width +
  190619. png_pass_inc[png_ptr->pass] - 1 -
  190620. png_pass_start[png_ptr->pass]) /
  190621. png_pass_inc[png_ptr->pass];
  190622. row_bytes = PNG_ROWBYTES(png_ptr->pixel_depth,png_ptr->iwidth) + 1;
  190623. png_ptr->irowbytes = (png_size_t)row_bytes;
  190624. if((png_uint_32)png_ptr->irowbytes != row_bytes)
  190625. png_error(png_ptr, "Rowbytes overflow in png_read_start_row");
  190626. }
  190627. else
  190628. {
  190629. png_ptr->num_rows = png_ptr->height;
  190630. png_ptr->iwidth = png_ptr->width;
  190631. png_ptr->irowbytes = png_ptr->rowbytes + 1;
  190632. }
  190633. max_pixel_depth = png_ptr->pixel_depth;
  190634. #if defined(PNG_READ_PACK_SUPPORTED)
  190635. if ((png_ptr->transformations & PNG_PACK) && png_ptr->bit_depth < 8)
  190636. max_pixel_depth = 8;
  190637. #endif
  190638. #if defined(PNG_READ_EXPAND_SUPPORTED)
  190639. if (png_ptr->transformations & PNG_EXPAND)
  190640. {
  190641. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  190642. {
  190643. if (png_ptr->num_trans)
  190644. max_pixel_depth = 32;
  190645. else
  190646. max_pixel_depth = 24;
  190647. }
  190648. else if (png_ptr->color_type == PNG_COLOR_TYPE_GRAY)
  190649. {
  190650. if (max_pixel_depth < 8)
  190651. max_pixel_depth = 8;
  190652. if (png_ptr->num_trans)
  190653. max_pixel_depth *= 2;
  190654. }
  190655. else if (png_ptr->color_type == PNG_COLOR_TYPE_RGB)
  190656. {
  190657. if (png_ptr->num_trans)
  190658. {
  190659. max_pixel_depth *= 4;
  190660. max_pixel_depth /= 3;
  190661. }
  190662. }
  190663. }
  190664. #endif
  190665. #if defined(PNG_READ_FILLER_SUPPORTED)
  190666. if (png_ptr->transformations & (PNG_FILLER))
  190667. {
  190668. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  190669. max_pixel_depth = 32;
  190670. else if (png_ptr->color_type == PNG_COLOR_TYPE_GRAY)
  190671. {
  190672. if (max_pixel_depth <= 8)
  190673. max_pixel_depth = 16;
  190674. else
  190675. max_pixel_depth = 32;
  190676. }
  190677. else if (png_ptr->color_type == PNG_COLOR_TYPE_RGB)
  190678. {
  190679. if (max_pixel_depth <= 32)
  190680. max_pixel_depth = 32;
  190681. else
  190682. max_pixel_depth = 64;
  190683. }
  190684. }
  190685. #endif
  190686. #if defined(PNG_READ_GRAY_TO_RGB_SUPPORTED)
  190687. if (png_ptr->transformations & PNG_GRAY_TO_RGB)
  190688. {
  190689. if (
  190690. #if defined(PNG_READ_EXPAND_SUPPORTED)
  190691. (png_ptr->num_trans && (png_ptr->transformations & PNG_EXPAND)) ||
  190692. #endif
  190693. #if defined(PNG_READ_FILLER_SUPPORTED)
  190694. (png_ptr->transformations & (PNG_FILLER)) ||
  190695. #endif
  190696. png_ptr->color_type == PNG_COLOR_TYPE_GRAY_ALPHA)
  190697. {
  190698. if (max_pixel_depth <= 16)
  190699. max_pixel_depth = 32;
  190700. else
  190701. max_pixel_depth = 64;
  190702. }
  190703. else
  190704. {
  190705. if (max_pixel_depth <= 8)
  190706. {
  190707. if (png_ptr->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  190708. max_pixel_depth = 32;
  190709. else
  190710. max_pixel_depth = 24;
  190711. }
  190712. else if (png_ptr->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  190713. max_pixel_depth = 64;
  190714. else
  190715. max_pixel_depth = 48;
  190716. }
  190717. }
  190718. #endif
  190719. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED) && \
  190720. defined(PNG_USER_TRANSFORM_PTR_SUPPORTED)
  190721. if(png_ptr->transformations & PNG_USER_TRANSFORM)
  190722. {
  190723. int user_pixel_depth=png_ptr->user_transform_depth*
  190724. png_ptr->user_transform_channels;
  190725. if(user_pixel_depth > max_pixel_depth)
  190726. max_pixel_depth=user_pixel_depth;
  190727. }
  190728. #endif
  190729. /* align the width on the next larger 8 pixels. Mainly used
  190730. for interlacing */
  190731. row_bytes = ((png_ptr->width + 7) & ~((png_uint_32)7));
  190732. /* calculate the maximum bytes needed, adding a byte and a pixel
  190733. for safety's sake */
  190734. row_bytes = PNG_ROWBYTES(max_pixel_depth,row_bytes) +
  190735. 1 + ((max_pixel_depth + 7) >> 3);
  190736. #ifdef PNG_MAX_MALLOC_64K
  190737. if (row_bytes > (png_uint_32)65536L)
  190738. png_error(png_ptr, "This image requires a row greater than 64KB");
  190739. #endif
  190740. png_ptr->big_row_buf = (png_bytep)png_malloc(png_ptr, row_bytes+64);
  190741. png_ptr->row_buf = png_ptr->big_row_buf+32;
  190742. #ifdef PNG_MAX_MALLOC_64K
  190743. if ((png_uint_32)png_ptr->rowbytes + 1 > (png_uint_32)65536L)
  190744. png_error(png_ptr, "This image requires a row greater than 64KB");
  190745. #endif
  190746. if ((png_uint_32)png_ptr->rowbytes > (png_uint_32)(PNG_SIZE_MAX - 1))
  190747. png_error(png_ptr, "Row has too many bytes to allocate in memory.");
  190748. png_ptr->prev_row = (png_bytep)png_malloc(png_ptr, (png_uint_32)(
  190749. png_ptr->rowbytes + 1));
  190750. png_memset_check(png_ptr, png_ptr->prev_row, 0, png_ptr->rowbytes + 1);
  190751. png_debug1(3, "width = %lu,\n", png_ptr->width);
  190752. png_debug1(3, "height = %lu,\n", png_ptr->height);
  190753. png_debug1(3, "iwidth = %lu,\n", png_ptr->iwidth);
  190754. png_debug1(3, "num_rows = %lu\n", png_ptr->num_rows);
  190755. png_debug1(3, "rowbytes = %lu,\n", png_ptr->rowbytes);
  190756. png_debug1(3, "irowbytes = %lu,\n", png_ptr->irowbytes);
  190757. png_ptr->flags |= PNG_FLAG_ROW_INIT;
  190758. }
  190759. #endif /* PNG_READ_SUPPORTED */
  190760. /********* End of inlined file: pngrutil.c *********/
  190761. /********* Start of inlined file: pngset.c *********/
  190762. /* pngset.c - storage of image information into info struct
  190763. *
  190764. * Last changed in libpng 1.2.21 [October 4, 2007]
  190765. * For conditions of distribution and use, see copyright notice in png.h
  190766. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  190767. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  190768. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  190769. *
  190770. * The functions here are used during reads to store data from the file
  190771. * into the info struct, and during writes to store application data
  190772. * into the info struct for writing into the file. This abstracts the
  190773. * info struct and allows us to change the structure in the future.
  190774. */
  190775. #define PNG_INTERNAL
  190776. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  190777. #if defined(PNG_bKGD_SUPPORTED)
  190778. void PNGAPI
  190779. png_set_bKGD(png_structp png_ptr, png_infop info_ptr, png_color_16p background)
  190780. {
  190781. png_debug1(1, "in %s storage function\n", "bKGD");
  190782. if (png_ptr == NULL || info_ptr == NULL)
  190783. return;
  190784. png_memcpy(&(info_ptr->background), background, png_sizeof(png_color_16));
  190785. info_ptr->valid |= PNG_INFO_bKGD;
  190786. }
  190787. #endif
  190788. #if defined(PNG_cHRM_SUPPORTED)
  190789. #ifdef PNG_FLOATING_POINT_SUPPORTED
  190790. void PNGAPI
  190791. png_set_cHRM(png_structp png_ptr, png_infop info_ptr,
  190792. double white_x, double white_y, double red_x, double red_y,
  190793. double green_x, double green_y, double blue_x, double blue_y)
  190794. {
  190795. png_debug1(1, "in %s storage function\n", "cHRM");
  190796. if (png_ptr == NULL || info_ptr == NULL)
  190797. return;
  190798. if (white_x < 0.0 || white_y < 0.0 ||
  190799. red_x < 0.0 || red_y < 0.0 ||
  190800. green_x < 0.0 || green_y < 0.0 ||
  190801. blue_x < 0.0 || blue_y < 0.0)
  190802. {
  190803. png_warning(png_ptr,
  190804. "Ignoring attempt to set negative chromaticity value");
  190805. return;
  190806. }
  190807. if (white_x > 21474.83 || white_y > 21474.83 ||
  190808. red_x > 21474.83 || red_y > 21474.83 ||
  190809. green_x > 21474.83 || green_y > 21474.83 ||
  190810. blue_x > 21474.83 || blue_y > 21474.83)
  190811. {
  190812. png_warning(png_ptr,
  190813. "Ignoring attempt to set chromaticity value exceeding 21474.83");
  190814. return;
  190815. }
  190816. info_ptr->x_white = (float)white_x;
  190817. info_ptr->y_white = (float)white_y;
  190818. info_ptr->x_red = (float)red_x;
  190819. info_ptr->y_red = (float)red_y;
  190820. info_ptr->x_green = (float)green_x;
  190821. info_ptr->y_green = (float)green_y;
  190822. info_ptr->x_blue = (float)blue_x;
  190823. info_ptr->y_blue = (float)blue_y;
  190824. #ifdef PNG_FIXED_POINT_SUPPORTED
  190825. info_ptr->int_x_white = (png_fixed_point)(white_x*100000.+0.5);
  190826. info_ptr->int_y_white = (png_fixed_point)(white_y*100000.+0.5);
  190827. info_ptr->int_x_red = (png_fixed_point)( red_x*100000.+0.5);
  190828. info_ptr->int_y_red = (png_fixed_point)( red_y*100000.+0.5);
  190829. info_ptr->int_x_green = (png_fixed_point)(green_x*100000.+0.5);
  190830. info_ptr->int_y_green = (png_fixed_point)(green_y*100000.+0.5);
  190831. info_ptr->int_x_blue = (png_fixed_point)( blue_x*100000.+0.5);
  190832. info_ptr->int_y_blue = (png_fixed_point)( blue_y*100000.+0.5);
  190833. #endif
  190834. info_ptr->valid |= PNG_INFO_cHRM;
  190835. }
  190836. #endif
  190837. #ifdef PNG_FIXED_POINT_SUPPORTED
  190838. void PNGAPI
  190839. png_set_cHRM_fixed(png_structp png_ptr, png_infop info_ptr,
  190840. png_fixed_point white_x, png_fixed_point white_y, png_fixed_point red_x,
  190841. png_fixed_point red_y, png_fixed_point green_x, png_fixed_point green_y,
  190842. png_fixed_point blue_x, png_fixed_point blue_y)
  190843. {
  190844. png_debug1(1, "in %s storage function\n", "cHRM");
  190845. if (png_ptr == NULL || info_ptr == NULL)
  190846. return;
  190847. if (white_x < 0 || white_y < 0 ||
  190848. red_x < 0 || red_y < 0 ||
  190849. green_x < 0 || green_y < 0 ||
  190850. blue_x < 0 || blue_y < 0)
  190851. {
  190852. png_warning(png_ptr,
  190853. "Ignoring attempt to set negative chromaticity value");
  190854. return;
  190855. }
  190856. #ifdef PNG_FLOATING_POINT_SUPPORTED
  190857. if (white_x > (double) PNG_UINT_31_MAX ||
  190858. white_y > (double) PNG_UINT_31_MAX ||
  190859. red_x > (double) PNG_UINT_31_MAX ||
  190860. red_y > (double) PNG_UINT_31_MAX ||
  190861. green_x > (double) PNG_UINT_31_MAX ||
  190862. green_y > (double) PNG_UINT_31_MAX ||
  190863. blue_x > (double) PNG_UINT_31_MAX ||
  190864. blue_y > (double) PNG_UINT_31_MAX)
  190865. #else
  190866. if (white_x > (png_fixed_point) PNG_UINT_31_MAX/100000L ||
  190867. white_y > (png_fixed_point) PNG_UINT_31_MAX/100000L ||
  190868. red_x > (png_fixed_point) PNG_UINT_31_MAX/100000L ||
  190869. red_y > (png_fixed_point) PNG_UINT_31_MAX/100000L ||
  190870. green_x > (png_fixed_point) PNG_UINT_31_MAX/100000L ||
  190871. green_y > (png_fixed_point) PNG_UINT_31_MAX/100000L ||
  190872. blue_x > (png_fixed_point) PNG_UINT_31_MAX/100000L ||
  190873. blue_y > (png_fixed_point) PNG_UINT_31_MAX/100000L)
  190874. #endif
  190875. {
  190876. png_warning(png_ptr,
  190877. "Ignoring attempt to set chromaticity value exceeding 21474.83");
  190878. return;
  190879. }
  190880. info_ptr->int_x_white = white_x;
  190881. info_ptr->int_y_white = white_y;
  190882. info_ptr->int_x_red = red_x;
  190883. info_ptr->int_y_red = red_y;
  190884. info_ptr->int_x_green = green_x;
  190885. info_ptr->int_y_green = green_y;
  190886. info_ptr->int_x_blue = blue_x;
  190887. info_ptr->int_y_blue = blue_y;
  190888. #ifdef PNG_FLOATING_POINT_SUPPORTED
  190889. info_ptr->x_white = (float)(white_x/100000.);
  190890. info_ptr->y_white = (float)(white_y/100000.);
  190891. info_ptr->x_red = (float)( red_x/100000.);
  190892. info_ptr->y_red = (float)( red_y/100000.);
  190893. info_ptr->x_green = (float)(green_x/100000.);
  190894. info_ptr->y_green = (float)(green_y/100000.);
  190895. info_ptr->x_blue = (float)( blue_x/100000.);
  190896. info_ptr->y_blue = (float)( blue_y/100000.);
  190897. #endif
  190898. info_ptr->valid |= PNG_INFO_cHRM;
  190899. }
  190900. #endif
  190901. #endif
  190902. #if defined(PNG_gAMA_SUPPORTED)
  190903. #ifdef PNG_FLOATING_POINT_SUPPORTED
  190904. void PNGAPI
  190905. png_set_gAMA(png_structp png_ptr, png_infop info_ptr, double file_gamma)
  190906. {
  190907. double gamma;
  190908. png_debug1(1, "in %s storage function\n", "gAMA");
  190909. if (png_ptr == NULL || info_ptr == NULL)
  190910. return;
  190911. /* Check for overflow */
  190912. if (file_gamma > 21474.83)
  190913. {
  190914. png_warning(png_ptr, "Limiting gamma to 21474.83");
  190915. gamma=21474.83;
  190916. }
  190917. else
  190918. gamma=file_gamma;
  190919. info_ptr->gamma = (float)gamma;
  190920. #ifdef PNG_FIXED_POINT_SUPPORTED
  190921. info_ptr->int_gamma = (int)(gamma*100000.+.5);
  190922. #endif
  190923. info_ptr->valid |= PNG_INFO_gAMA;
  190924. if(gamma == 0.0)
  190925. png_warning(png_ptr, "Setting gamma=0");
  190926. }
  190927. #endif
  190928. void PNGAPI
  190929. png_set_gAMA_fixed(png_structp png_ptr, png_infop info_ptr, png_fixed_point
  190930. int_gamma)
  190931. {
  190932. png_fixed_point gamma;
  190933. png_debug1(1, "in %s storage function\n", "gAMA");
  190934. if (png_ptr == NULL || info_ptr == NULL)
  190935. return;
  190936. if (int_gamma > (png_fixed_point) PNG_UINT_31_MAX)
  190937. {
  190938. png_warning(png_ptr, "Limiting gamma to 21474.83");
  190939. gamma=PNG_UINT_31_MAX;
  190940. }
  190941. else
  190942. {
  190943. if (int_gamma < 0)
  190944. {
  190945. png_warning(png_ptr, "Setting negative gamma to zero");
  190946. gamma=0;
  190947. }
  190948. else
  190949. gamma=int_gamma;
  190950. }
  190951. #ifdef PNG_FLOATING_POINT_SUPPORTED
  190952. info_ptr->gamma = (float)(gamma/100000.);
  190953. #endif
  190954. #ifdef PNG_FIXED_POINT_SUPPORTED
  190955. info_ptr->int_gamma = gamma;
  190956. #endif
  190957. info_ptr->valid |= PNG_INFO_gAMA;
  190958. if(gamma == 0)
  190959. png_warning(png_ptr, "Setting gamma=0");
  190960. }
  190961. #endif
  190962. #if defined(PNG_hIST_SUPPORTED)
  190963. void PNGAPI
  190964. png_set_hIST(png_structp png_ptr, png_infop info_ptr, png_uint_16p hist)
  190965. {
  190966. int i;
  190967. png_debug1(1, "in %s storage function\n", "hIST");
  190968. if (png_ptr == NULL || info_ptr == NULL)
  190969. return;
  190970. if (info_ptr->num_palette == 0 || info_ptr->num_palette
  190971. > PNG_MAX_PALETTE_LENGTH)
  190972. {
  190973. png_warning(png_ptr,
  190974. "Invalid palette size, hIST allocation skipped.");
  190975. return;
  190976. }
  190977. #ifdef PNG_FREE_ME_SUPPORTED
  190978. png_free_data(png_ptr, info_ptr, PNG_FREE_HIST, 0);
  190979. #endif
  190980. /* Changed from info->num_palette to PNG_MAX_PALETTE_LENGTH in version
  190981. 1.2.1 */
  190982. png_ptr->hist = (png_uint_16p)png_malloc_warn(png_ptr,
  190983. (png_uint_32)(PNG_MAX_PALETTE_LENGTH * png_sizeof (png_uint_16)));
  190984. if (png_ptr->hist == NULL)
  190985. {
  190986. png_warning(png_ptr, "Insufficient memory for hIST chunk data.");
  190987. return;
  190988. }
  190989. for (i = 0; i < info_ptr->num_palette; i++)
  190990. png_ptr->hist[i] = hist[i];
  190991. info_ptr->hist = png_ptr->hist;
  190992. info_ptr->valid |= PNG_INFO_hIST;
  190993. #ifdef PNG_FREE_ME_SUPPORTED
  190994. info_ptr->free_me |= PNG_FREE_HIST;
  190995. #else
  190996. png_ptr->flags |= PNG_FLAG_FREE_HIST;
  190997. #endif
  190998. }
  190999. #endif
  191000. void PNGAPI
  191001. png_set_IHDR(png_structp png_ptr, png_infop info_ptr,
  191002. png_uint_32 width, png_uint_32 height, int bit_depth,
  191003. int color_type, int interlace_type, int compression_type,
  191004. int filter_type)
  191005. {
  191006. png_debug1(1, "in %s storage function\n", "IHDR");
  191007. if (png_ptr == NULL || info_ptr == NULL)
  191008. return;
  191009. /* check for width and height valid values */
  191010. if (width == 0 || height == 0)
  191011. png_error(png_ptr, "Image width or height is zero in IHDR");
  191012. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  191013. if (width > png_ptr->user_width_max || height > png_ptr->user_height_max)
  191014. png_error(png_ptr, "image size exceeds user limits in IHDR");
  191015. #else
  191016. if (width > PNG_USER_WIDTH_MAX || height > PNG_USER_HEIGHT_MAX)
  191017. png_error(png_ptr, "image size exceeds user limits in IHDR");
  191018. #endif
  191019. if (width > PNG_UINT_31_MAX || height > PNG_UINT_31_MAX)
  191020. png_error(png_ptr, "Invalid image size in IHDR");
  191021. if ( width > (PNG_UINT_32_MAX
  191022. >> 3) /* 8-byte RGBA pixels */
  191023. - 64 /* bigrowbuf hack */
  191024. - 1 /* filter byte */
  191025. - 7*8 /* rounding of width to multiple of 8 pixels */
  191026. - 8) /* extra max_pixel_depth pad */
  191027. png_warning(png_ptr, "Width is too large for libpng to process pixels");
  191028. /* check other values */
  191029. if (bit_depth != 1 && bit_depth != 2 && bit_depth != 4 &&
  191030. bit_depth != 8 && bit_depth != 16)
  191031. png_error(png_ptr, "Invalid bit depth in IHDR");
  191032. if (color_type < 0 || color_type == 1 ||
  191033. color_type == 5 || color_type > 6)
  191034. png_error(png_ptr, "Invalid color type in IHDR");
  191035. if (((color_type == PNG_COLOR_TYPE_PALETTE) && bit_depth > 8) ||
  191036. ((color_type == PNG_COLOR_TYPE_RGB ||
  191037. color_type == PNG_COLOR_TYPE_GRAY_ALPHA ||
  191038. color_type == PNG_COLOR_TYPE_RGB_ALPHA) && bit_depth < 8))
  191039. png_error(png_ptr, "Invalid color type/bit depth combination in IHDR");
  191040. if (interlace_type >= PNG_INTERLACE_LAST)
  191041. png_error(png_ptr, "Unknown interlace method in IHDR");
  191042. if (compression_type != PNG_COMPRESSION_TYPE_BASE)
  191043. png_error(png_ptr, "Unknown compression method in IHDR");
  191044. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  191045. /* Accept filter_method 64 (intrapixel differencing) only if
  191046. * 1. Libpng was compiled with PNG_MNG_FEATURES_SUPPORTED and
  191047. * 2. Libpng did not read a PNG signature (this filter_method is only
  191048. * used in PNG datastreams that are embedded in MNG datastreams) and
  191049. * 3. The application called png_permit_mng_features with a mask that
  191050. * included PNG_FLAG_MNG_FILTER_64 and
  191051. * 4. The filter_method is 64 and
  191052. * 5. The color_type is RGB or RGBA
  191053. */
  191054. if((png_ptr->mode&PNG_HAVE_PNG_SIGNATURE)&&png_ptr->mng_features_permitted)
  191055. png_warning(png_ptr,"MNG features are not allowed in a PNG datastream");
  191056. if(filter_type != PNG_FILTER_TYPE_BASE)
  191057. {
  191058. if(!((png_ptr->mng_features_permitted & PNG_FLAG_MNG_FILTER_64) &&
  191059. (filter_type == PNG_INTRAPIXEL_DIFFERENCING) &&
  191060. ((png_ptr->mode&PNG_HAVE_PNG_SIGNATURE) == 0) &&
  191061. (color_type == PNG_COLOR_TYPE_RGB ||
  191062. color_type == PNG_COLOR_TYPE_RGB_ALPHA)))
  191063. png_error(png_ptr, "Unknown filter method in IHDR");
  191064. if(png_ptr->mode&PNG_HAVE_PNG_SIGNATURE)
  191065. png_warning(png_ptr, "Invalid filter method in IHDR");
  191066. }
  191067. #else
  191068. if(filter_type != PNG_FILTER_TYPE_BASE)
  191069. png_error(png_ptr, "Unknown filter method in IHDR");
  191070. #endif
  191071. info_ptr->width = width;
  191072. info_ptr->height = height;
  191073. info_ptr->bit_depth = (png_byte)bit_depth;
  191074. info_ptr->color_type =(png_byte) color_type;
  191075. info_ptr->compression_type = (png_byte)compression_type;
  191076. info_ptr->filter_type = (png_byte)filter_type;
  191077. info_ptr->interlace_type = (png_byte)interlace_type;
  191078. if (info_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  191079. info_ptr->channels = 1;
  191080. else if (info_ptr->color_type & PNG_COLOR_MASK_COLOR)
  191081. info_ptr->channels = 3;
  191082. else
  191083. info_ptr->channels = 1;
  191084. if (info_ptr->color_type & PNG_COLOR_MASK_ALPHA)
  191085. info_ptr->channels++;
  191086. info_ptr->pixel_depth = (png_byte)(info_ptr->channels * info_ptr->bit_depth);
  191087. /* check for potential overflow */
  191088. if (width > (PNG_UINT_32_MAX
  191089. >> 3) /* 8-byte RGBA pixels */
  191090. - 64 /* bigrowbuf hack */
  191091. - 1 /* filter byte */
  191092. - 7*8 /* rounding of width to multiple of 8 pixels */
  191093. - 8) /* extra max_pixel_depth pad */
  191094. info_ptr->rowbytes = (png_size_t)0;
  191095. else
  191096. info_ptr->rowbytes = PNG_ROWBYTES(info_ptr->pixel_depth,width);
  191097. }
  191098. #if defined(PNG_oFFs_SUPPORTED)
  191099. void PNGAPI
  191100. png_set_oFFs(png_structp png_ptr, png_infop info_ptr,
  191101. png_int_32 offset_x, png_int_32 offset_y, int unit_type)
  191102. {
  191103. png_debug1(1, "in %s storage function\n", "oFFs");
  191104. if (png_ptr == NULL || info_ptr == NULL)
  191105. return;
  191106. info_ptr->x_offset = offset_x;
  191107. info_ptr->y_offset = offset_y;
  191108. info_ptr->offset_unit_type = (png_byte)unit_type;
  191109. info_ptr->valid |= PNG_INFO_oFFs;
  191110. }
  191111. #endif
  191112. #if defined(PNG_pCAL_SUPPORTED)
  191113. void PNGAPI
  191114. png_set_pCAL(png_structp png_ptr, png_infop info_ptr,
  191115. png_charp purpose, png_int_32 X0, png_int_32 X1, int type, int nparams,
  191116. png_charp units, png_charpp params)
  191117. {
  191118. png_uint_32 length;
  191119. int i;
  191120. png_debug1(1, "in %s storage function\n", "pCAL");
  191121. if (png_ptr == NULL || info_ptr == NULL)
  191122. return;
  191123. length = png_strlen(purpose) + 1;
  191124. png_debug1(3, "allocating purpose for info (%lu bytes)\n", length);
  191125. info_ptr->pcal_purpose = (png_charp)png_malloc_warn(png_ptr, length);
  191126. if (info_ptr->pcal_purpose == NULL)
  191127. {
  191128. png_warning(png_ptr, "Insufficient memory for pCAL purpose.");
  191129. return;
  191130. }
  191131. png_memcpy(info_ptr->pcal_purpose, purpose, (png_size_t)length);
  191132. png_debug(3, "storing X0, X1, type, and nparams in info\n");
  191133. info_ptr->pcal_X0 = X0;
  191134. info_ptr->pcal_X1 = X1;
  191135. info_ptr->pcal_type = (png_byte)type;
  191136. info_ptr->pcal_nparams = (png_byte)nparams;
  191137. length = png_strlen(units) + 1;
  191138. png_debug1(3, "allocating units for info (%lu bytes)\n", length);
  191139. info_ptr->pcal_units = (png_charp)png_malloc_warn(png_ptr, length);
  191140. if (info_ptr->pcal_units == NULL)
  191141. {
  191142. png_warning(png_ptr, "Insufficient memory for pCAL units.");
  191143. return;
  191144. }
  191145. png_memcpy(info_ptr->pcal_units, units, (png_size_t)length);
  191146. info_ptr->pcal_params = (png_charpp)png_malloc_warn(png_ptr,
  191147. (png_uint_32)((nparams + 1) * png_sizeof(png_charp)));
  191148. if (info_ptr->pcal_params == NULL)
  191149. {
  191150. png_warning(png_ptr, "Insufficient memory for pCAL params.");
  191151. return;
  191152. }
  191153. info_ptr->pcal_params[nparams] = NULL;
  191154. for (i = 0; i < nparams; i++)
  191155. {
  191156. length = png_strlen(params[i]) + 1;
  191157. png_debug2(3, "allocating parameter %d for info (%lu bytes)\n", i, length);
  191158. info_ptr->pcal_params[i] = (png_charp)png_malloc_warn(png_ptr, length);
  191159. if (info_ptr->pcal_params[i] == NULL)
  191160. {
  191161. png_warning(png_ptr, "Insufficient memory for pCAL parameter.");
  191162. return;
  191163. }
  191164. png_memcpy(info_ptr->pcal_params[i], params[i], (png_size_t)length);
  191165. }
  191166. info_ptr->valid |= PNG_INFO_pCAL;
  191167. #ifdef PNG_FREE_ME_SUPPORTED
  191168. info_ptr->free_me |= PNG_FREE_PCAL;
  191169. #endif
  191170. }
  191171. #endif
  191172. #if defined(PNG_READ_sCAL_SUPPORTED) || defined(PNG_WRITE_sCAL_SUPPORTED)
  191173. #ifdef PNG_FLOATING_POINT_SUPPORTED
  191174. void PNGAPI
  191175. png_set_sCAL(png_structp png_ptr, png_infop info_ptr,
  191176. int unit, double width, double height)
  191177. {
  191178. png_debug1(1, "in %s storage function\n", "sCAL");
  191179. if (png_ptr == NULL || info_ptr == NULL)
  191180. return;
  191181. info_ptr->scal_unit = (png_byte)unit;
  191182. info_ptr->scal_pixel_width = width;
  191183. info_ptr->scal_pixel_height = height;
  191184. info_ptr->valid |= PNG_INFO_sCAL;
  191185. }
  191186. #else
  191187. #ifdef PNG_FIXED_POINT_SUPPORTED
  191188. void PNGAPI
  191189. png_set_sCAL_s(png_structp png_ptr, png_infop info_ptr,
  191190. int unit, png_charp swidth, png_charp sheight)
  191191. {
  191192. png_uint_32 length;
  191193. png_debug1(1, "in %s storage function\n", "sCAL");
  191194. if (png_ptr == NULL || info_ptr == NULL)
  191195. return;
  191196. info_ptr->scal_unit = (png_byte)unit;
  191197. length = png_strlen(swidth) + 1;
  191198. png_debug1(3, "allocating unit for info (%d bytes)\n", length);
  191199. info_ptr->scal_s_width = (png_charp)png_malloc_warn(png_ptr, length);
  191200. if (info_ptr->scal_s_width == NULL)
  191201. {
  191202. png_warning(png_ptr,
  191203. "Memory allocation failed while processing sCAL.");
  191204. }
  191205. png_memcpy(info_ptr->scal_s_width, swidth, (png_size_t)length);
  191206. length = png_strlen(sheight) + 1;
  191207. png_debug1(3, "allocating unit for info (%d bytes)\n", length);
  191208. info_ptr->scal_s_height = (png_charp)png_malloc_warn(png_ptr, length);
  191209. if (info_ptr->scal_s_height == NULL)
  191210. {
  191211. png_free (png_ptr, info_ptr->scal_s_width);
  191212. png_warning(png_ptr,
  191213. "Memory allocation failed while processing sCAL.");
  191214. }
  191215. png_memcpy(info_ptr->scal_s_height, sheight, (png_size_t)length);
  191216. info_ptr->valid |= PNG_INFO_sCAL;
  191217. #ifdef PNG_FREE_ME_SUPPORTED
  191218. info_ptr->free_me |= PNG_FREE_SCAL;
  191219. #endif
  191220. }
  191221. #endif
  191222. #endif
  191223. #endif
  191224. #if defined(PNG_pHYs_SUPPORTED)
  191225. void PNGAPI
  191226. png_set_pHYs(png_structp png_ptr, png_infop info_ptr,
  191227. png_uint_32 res_x, png_uint_32 res_y, int unit_type)
  191228. {
  191229. png_debug1(1, "in %s storage function\n", "pHYs");
  191230. if (png_ptr == NULL || info_ptr == NULL)
  191231. return;
  191232. info_ptr->x_pixels_per_unit = res_x;
  191233. info_ptr->y_pixels_per_unit = res_y;
  191234. info_ptr->phys_unit_type = (png_byte)unit_type;
  191235. info_ptr->valid |= PNG_INFO_pHYs;
  191236. }
  191237. #endif
  191238. void PNGAPI
  191239. png_set_PLTE(png_structp png_ptr, png_infop info_ptr,
  191240. png_colorp palette, int num_palette)
  191241. {
  191242. png_debug1(1, "in %s storage function\n", "PLTE");
  191243. if (png_ptr == NULL || info_ptr == NULL)
  191244. return;
  191245. if (num_palette < 0 || num_palette > PNG_MAX_PALETTE_LENGTH)
  191246. {
  191247. if (info_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  191248. png_error(png_ptr, "Invalid palette length");
  191249. else
  191250. {
  191251. png_warning(png_ptr, "Invalid palette length");
  191252. return;
  191253. }
  191254. }
  191255. /*
  191256. * It may not actually be necessary to set png_ptr->palette here;
  191257. * we do it for backward compatibility with the way the png_handle_tRNS
  191258. * function used to do the allocation.
  191259. */
  191260. #ifdef PNG_FREE_ME_SUPPORTED
  191261. png_free_data(png_ptr, info_ptr, PNG_FREE_PLTE, 0);
  191262. #endif
  191263. /* Changed in libpng-1.2.1 to allocate PNG_MAX_PALETTE_LENGTH instead
  191264. of num_palette entries,
  191265. in case of an invalid PNG file that has too-large sample values. */
  191266. png_ptr->palette = (png_colorp)png_malloc(png_ptr,
  191267. PNG_MAX_PALETTE_LENGTH * png_sizeof(png_color));
  191268. png_memset(png_ptr->palette, 0, PNG_MAX_PALETTE_LENGTH *
  191269. png_sizeof(png_color));
  191270. png_memcpy(png_ptr->palette, palette, num_palette * png_sizeof (png_color));
  191271. info_ptr->palette = png_ptr->palette;
  191272. info_ptr->num_palette = png_ptr->num_palette = (png_uint_16)num_palette;
  191273. #ifdef PNG_FREE_ME_SUPPORTED
  191274. info_ptr->free_me |= PNG_FREE_PLTE;
  191275. #else
  191276. png_ptr->flags |= PNG_FLAG_FREE_PLTE;
  191277. #endif
  191278. info_ptr->valid |= PNG_INFO_PLTE;
  191279. }
  191280. #if defined(PNG_sBIT_SUPPORTED)
  191281. void PNGAPI
  191282. png_set_sBIT(png_structp png_ptr, png_infop info_ptr,
  191283. png_color_8p sig_bit)
  191284. {
  191285. png_debug1(1, "in %s storage function\n", "sBIT");
  191286. if (png_ptr == NULL || info_ptr == NULL)
  191287. return;
  191288. png_memcpy(&(info_ptr->sig_bit), sig_bit, png_sizeof (png_color_8));
  191289. info_ptr->valid |= PNG_INFO_sBIT;
  191290. }
  191291. #endif
  191292. #if defined(PNG_sRGB_SUPPORTED)
  191293. void PNGAPI
  191294. png_set_sRGB(png_structp png_ptr, png_infop info_ptr, int intent)
  191295. {
  191296. png_debug1(1, "in %s storage function\n", "sRGB");
  191297. if (png_ptr == NULL || info_ptr == NULL)
  191298. return;
  191299. info_ptr->srgb_intent = (png_byte)intent;
  191300. info_ptr->valid |= PNG_INFO_sRGB;
  191301. }
  191302. void PNGAPI
  191303. png_set_sRGB_gAMA_and_cHRM(png_structp png_ptr, png_infop info_ptr,
  191304. int intent)
  191305. {
  191306. #if defined(PNG_gAMA_SUPPORTED)
  191307. #ifdef PNG_FLOATING_POINT_SUPPORTED
  191308. float file_gamma;
  191309. #endif
  191310. #ifdef PNG_FIXED_POINT_SUPPORTED
  191311. png_fixed_point int_file_gamma;
  191312. #endif
  191313. #endif
  191314. #if defined(PNG_cHRM_SUPPORTED)
  191315. #ifdef PNG_FLOATING_POINT_SUPPORTED
  191316. float white_x, white_y, red_x, red_y, green_x, green_y, blue_x, blue_y;
  191317. #endif
  191318. #ifdef PNG_FIXED_POINT_SUPPORTED
  191319. png_fixed_point int_white_x, int_white_y, int_red_x, int_red_y, int_green_x,
  191320. int_green_y, int_blue_x, int_blue_y;
  191321. #endif
  191322. #endif
  191323. png_debug1(1, "in %s storage function\n", "sRGB_gAMA_and_cHRM");
  191324. if (png_ptr == NULL || info_ptr == NULL)
  191325. return;
  191326. png_set_sRGB(png_ptr, info_ptr, intent);
  191327. #if defined(PNG_gAMA_SUPPORTED)
  191328. #ifdef PNG_FLOATING_POINT_SUPPORTED
  191329. file_gamma = (float).45455;
  191330. png_set_gAMA(png_ptr, info_ptr, file_gamma);
  191331. #endif
  191332. #ifdef PNG_FIXED_POINT_SUPPORTED
  191333. int_file_gamma = 45455L;
  191334. png_set_gAMA_fixed(png_ptr, info_ptr, int_file_gamma);
  191335. #endif
  191336. #endif
  191337. #if defined(PNG_cHRM_SUPPORTED)
  191338. #ifdef PNG_FIXED_POINT_SUPPORTED
  191339. int_white_x = 31270L;
  191340. int_white_y = 32900L;
  191341. int_red_x = 64000L;
  191342. int_red_y = 33000L;
  191343. int_green_x = 30000L;
  191344. int_green_y = 60000L;
  191345. int_blue_x = 15000L;
  191346. int_blue_y = 6000L;
  191347. png_set_cHRM_fixed(png_ptr, info_ptr,
  191348. int_white_x, int_white_y, int_red_x, int_red_y, int_green_x, int_green_y,
  191349. int_blue_x, int_blue_y);
  191350. #endif
  191351. #ifdef PNG_FLOATING_POINT_SUPPORTED
  191352. white_x = (float).3127;
  191353. white_y = (float).3290;
  191354. red_x = (float).64;
  191355. red_y = (float).33;
  191356. green_x = (float).30;
  191357. green_y = (float).60;
  191358. blue_x = (float).15;
  191359. blue_y = (float).06;
  191360. png_set_cHRM(png_ptr, info_ptr,
  191361. white_x, white_y, red_x, red_y, green_x, green_y, blue_x, blue_y);
  191362. #endif
  191363. #endif
  191364. }
  191365. #endif
  191366. #if defined(PNG_iCCP_SUPPORTED)
  191367. void PNGAPI
  191368. png_set_iCCP(png_structp png_ptr, png_infop info_ptr,
  191369. png_charp name, int compression_type,
  191370. png_charp profile, png_uint_32 proflen)
  191371. {
  191372. png_charp new_iccp_name;
  191373. png_charp new_iccp_profile;
  191374. png_debug1(1, "in %s storage function\n", "iCCP");
  191375. if (png_ptr == NULL || info_ptr == NULL || name == NULL || profile == NULL)
  191376. return;
  191377. new_iccp_name = (png_charp)png_malloc_warn(png_ptr, png_strlen(name)+1);
  191378. if (new_iccp_name == NULL)
  191379. {
  191380. png_warning(png_ptr, "Insufficient memory to process iCCP chunk.");
  191381. return;
  191382. }
  191383. png_strncpy(new_iccp_name, name, png_strlen(name)+1);
  191384. new_iccp_profile = (png_charp)png_malloc_warn(png_ptr, proflen);
  191385. if (new_iccp_profile == NULL)
  191386. {
  191387. png_free (png_ptr, new_iccp_name);
  191388. png_warning(png_ptr, "Insufficient memory to process iCCP profile.");
  191389. return;
  191390. }
  191391. png_memcpy(new_iccp_profile, profile, (png_size_t)proflen);
  191392. png_free_data(png_ptr, info_ptr, PNG_FREE_ICCP, 0);
  191393. info_ptr->iccp_proflen = proflen;
  191394. info_ptr->iccp_name = new_iccp_name;
  191395. info_ptr->iccp_profile = new_iccp_profile;
  191396. /* Compression is always zero but is here so the API and info structure
  191397. * does not have to change if we introduce multiple compression types */
  191398. info_ptr->iccp_compression = (png_byte)compression_type;
  191399. #ifdef PNG_FREE_ME_SUPPORTED
  191400. info_ptr->free_me |= PNG_FREE_ICCP;
  191401. #endif
  191402. info_ptr->valid |= PNG_INFO_iCCP;
  191403. }
  191404. #endif
  191405. #if defined(PNG_TEXT_SUPPORTED)
  191406. void PNGAPI
  191407. png_set_text(png_structp png_ptr, png_infop info_ptr, png_textp text_ptr,
  191408. int num_text)
  191409. {
  191410. int ret;
  191411. ret=png_set_text_2(png_ptr, info_ptr, text_ptr, num_text);
  191412. if (ret)
  191413. png_error(png_ptr, "Insufficient memory to store text");
  191414. }
  191415. int /* PRIVATE */
  191416. png_set_text_2(png_structp png_ptr, png_infop info_ptr, png_textp text_ptr,
  191417. int num_text)
  191418. {
  191419. int i;
  191420. png_debug1(1, "in %s storage function\n", (png_ptr->chunk_name[0] == '\0' ?
  191421. "text" : (png_const_charp)png_ptr->chunk_name));
  191422. if (png_ptr == NULL || info_ptr == NULL || num_text == 0)
  191423. return(0);
  191424. /* Make sure we have enough space in the "text" array in info_struct
  191425. * to hold all of the incoming text_ptr objects.
  191426. */
  191427. if (info_ptr->num_text + num_text > info_ptr->max_text)
  191428. {
  191429. if (info_ptr->text != NULL)
  191430. {
  191431. png_textp old_text;
  191432. int old_max;
  191433. old_max = info_ptr->max_text;
  191434. info_ptr->max_text = info_ptr->num_text + num_text + 8;
  191435. old_text = info_ptr->text;
  191436. info_ptr->text = (png_textp)png_malloc_warn(png_ptr,
  191437. (png_uint_32)(info_ptr->max_text * png_sizeof (png_text)));
  191438. if (info_ptr->text == NULL)
  191439. {
  191440. png_free(png_ptr, old_text);
  191441. return(1);
  191442. }
  191443. png_memcpy(info_ptr->text, old_text, (png_size_t)(old_max *
  191444. png_sizeof(png_text)));
  191445. png_free(png_ptr, old_text);
  191446. }
  191447. else
  191448. {
  191449. info_ptr->max_text = num_text + 8;
  191450. info_ptr->num_text = 0;
  191451. info_ptr->text = (png_textp)png_malloc_warn(png_ptr,
  191452. (png_uint_32)(info_ptr->max_text * png_sizeof (png_text)));
  191453. if (info_ptr->text == NULL)
  191454. return(1);
  191455. #ifdef PNG_FREE_ME_SUPPORTED
  191456. info_ptr->free_me |= PNG_FREE_TEXT;
  191457. #endif
  191458. }
  191459. png_debug1(3, "allocated %d entries for info_ptr->text\n",
  191460. info_ptr->max_text);
  191461. }
  191462. for (i = 0; i < num_text; i++)
  191463. {
  191464. png_size_t text_length,key_len;
  191465. png_size_t lang_len,lang_key_len;
  191466. png_textp textp = &(info_ptr->text[info_ptr->num_text]);
  191467. if (text_ptr[i].key == NULL)
  191468. continue;
  191469. key_len = png_strlen(text_ptr[i].key);
  191470. if(text_ptr[i].compression <= 0)
  191471. {
  191472. lang_len = 0;
  191473. lang_key_len = 0;
  191474. }
  191475. else
  191476. #ifdef PNG_iTXt_SUPPORTED
  191477. {
  191478. /* set iTXt data */
  191479. if (text_ptr[i].lang != NULL)
  191480. lang_len = png_strlen(text_ptr[i].lang);
  191481. else
  191482. lang_len = 0;
  191483. if (text_ptr[i].lang_key != NULL)
  191484. lang_key_len = png_strlen(text_ptr[i].lang_key);
  191485. else
  191486. lang_key_len = 0;
  191487. }
  191488. #else
  191489. {
  191490. png_warning(png_ptr, "iTXt chunk not supported.");
  191491. continue;
  191492. }
  191493. #endif
  191494. if (text_ptr[i].text == NULL || text_ptr[i].text[0] == '\0')
  191495. {
  191496. text_length = 0;
  191497. #ifdef PNG_iTXt_SUPPORTED
  191498. if(text_ptr[i].compression > 0)
  191499. textp->compression = PNG_ITXT_COMPRESSION_NONE;
  191500. else
  191501. #endif
  191502. textp->compression = PNG_TEXT_COMPRESSION_NONE;
  191503. }
  191504. else
  191505. {
  191506. text_length = png_strlen(text_ptr[i].text);
  191507. textp->compression = text_ptr[i].compression;
  191508. }
  191509. textp->key = (png_charp)png_malloc_warn(png_ptr,
  191510. (png_uint_32)(key_len + text_length + lang_len + lang_key_len + 4));
  191511. if (textp->key == NULL)
  191512. return(1);
  191513. png_debug2(2, "Allocated %lu bytes at %x in png_set_text\n",
  191514. (png_uint_32)(key_len + lang_len + lang_key_len + text_length + 4),
  191515. (int)textp->key);
  191516. png_memcpy(textp->key, text_ptr[i].key,
  191517. (png_size_t)(key_len));
  191518. *(textp->key+key_len) = '\0';
  191519. #ifdef PNG_iTXt_SUPPORTED
  191520. if (text_ptr[i].compression > 0)
  191521. {
  191522. textp->lang=textp->key + key_len + 1;
  191523. png_memcpy(textp->lang, text_ptr[i].lang, lang_len);
  191524. *(textp->lang+lang_len) = '\0';
  191525. textp->lang_key=textp->lang + lang_len + 1;
  191526. png_memcpy(textp->lang_key, text_ptr[i].lang_key, lang_key_len);
  191527. *(textp->lang_key+lang_key_len) = '\0';
  191528. textp->text=textp->lang_key + lang_key_len + 1;
  191529. }
  191530. else
  191531. #endif
  191532. {
  191533. #ifdef PNG_iTXt_SUPPORTED
  191534. textp->lang=NULL;
  191535. textp->lang_key=NULL;
  191536. #endif
  191537. textp->text=textp->key + key_len + 1;
  191538. }
  191539. if(text_length)
  191540. png_memcpy(textp->text, text_ptr[i].text,
  191541. (png_size_t)(text_length));
  191542. *(textp->text+text_length) = '\0';
  191543. #ifdef PNG_iTXt_SUPPORTED
  191544. if(textp->compression > 0)
  191545. {
  191546. textp->text_length = 0;
  191547. textp->itxt_length = text_length;
  191548. }
  191549. else
  191550. #endif
  191551. {
  191552. textp->text_length = text_length;
  191553. #ifdef PNG_iTXt_SUPPORTED
  191554. textp->itxt_length = 0;
  191555. #endif
  191556. }
  191557. info_ptr->num_text++;
  191558. png_debug1(3, "transferred text chunk %d\n", info_ptr->num_text);
  191559. }
  191560. return(0);
  191561. }
  191562. #endif
  191563. #if defined(PNG_tIME_SUPPORTED)
  191564. void PNGAPI
  191565. png_set_tIME(png_structp png_ptr, png_infop info_ptr, png_timep mod_time)
  191566. {
  191567. png_debug1(1, "in %s storage function\n", "tIME");
  191568. if (png_ptr == NULL || info_ptr == NULL ||
  191569. (png_ptr->mode & PNG_WROTE_tIME))
  191570. return;
  191571. png_memcpy(&(info_ptr->mod_time), mod_time, png_sizeof (png_time));
  191572. info_ptr->valid |= PNG_INFO_tIME;
  191573. }
  191574. #endif
  191575. #if defined(PNG_tRNS_SUPPORTED)
  191576. void PNGAPI
  191577. png_set_tRNS(png_structp png_ptr, png_infop info_ptr,
  191578. png_bytep trans, int num_trans, png_color_16p trans_values)
  191579. {
  191580. png_debug1(1, "in %s storage function\n", "tRNS");
  191581. if (png_ptr == NULL || info_ptr == NULL)
  191582. return;
  191583. if (trans != NULL)
  191584. {
  191585. /*
  191586. * It may not actually be necessary to set png_ptr->trans here;
  191587. * we do it for backward compatibility with the way the png_handle_tRNS
  191588. * function used to do the allocation.
  191589. */
  191590. #ifdef PNG_FREE_ME_SUPPORTED
  191591. png_free_data(png_ptr, info_ptr, PNG_FREE_TRNS, 0);
  191592. #endif
  191593. /* Changed from num_trans to PNG_MAX_PALETTE_LENGTH in version 1.2.1 */
  191594. png_ptr->trans = info_ptr->trans = (png_bytep)png_malloc(png_ptr,
  191595. (png_uint_32)PNG_MAX_PALETTE_LENGTH);
  191596. if (num_trans <= PNG_MAX_PALETTE_LENGTH)
  191597. png_memcpy(info_ptr->trans, trans, (png_size_t)num_trans);
  191598. #ifdef PNG_FREE_ME_SUPPORTED
  191599. info_ptr->free_me |= PNG_FREE_TRNS;
  191600. #else
  191601. png_ptr->flags |= PNG_FLAG_FREE_TRNS;
  191602. #endif
  191603. }
  191604. if (trans_values != NULL)
  191605. {
  191606. png_memcpy(&(info_ptr->trans_values), trans_values,
  191607. png_sizeof(png_color_16));
  191608. if (num_trans == 0)
  191609. num_trans = 1;
  191610. }
  191611. info_ptr->num_trans = (png_uint_16)num_trans;
  191612. info_ptr->valid |= PNG_INFO_tRNS;
  191613. }
  191614. #endif
  191615. #if defined(PNG_sPLT_SUPPORTED)
  191616. void PNGAPI
  191617. png_set_sPLT(png_structp png_ptr,
  191618. png_infop info_ptr, png_sPLT_tp entries, int nentries)
  191619. {
  191620. png_sPLT_tp np;
  191621. int i;
  191622. if (png_ptr == NULL || info_ptr == NULL)
  191623. return;
  191624. np = (png_sPLT_tp)png_malloc_warn(png_ptr,
  191625. (info_ptr->splt_palettes_num + nentries) * png_sizeof(png_sPLT_t));
  191626. if (np == NULL)
  191627. {
  191628. png_warning(png_ptr, "No memory for sPLT palettes.");
  191629. return;
  191630. }
  191631. png_memcpy(np, info_ptr->splt_palettes,
  191632. info_ptr->splt_palettes_num * png_sizeof(png_sPLT_t));
  191633. png_free(png_ptr, info_ptr->splt_palettes);
  191634. info_ptr->splt_palettes=NULL;
  191635. for (i = 0; i < nentries; i++)
  191636. {
  191637. png_sPLT_tp to = np + info_ptr->splt_palettes_num + i;
  191638. png_sPLT_tp from = entries + i;
  191639. to->name = (png_charp)png_malloc_warn(png_ptr,
  191640. png_strlen(from->name) + 1);
  191641. if (to->name == NULL)
  191642. {
  191643. png_warning(png_ptr,
  191644. "Out of memory while processing sPLT chunk");
  191645. }
  191646. /* TODO: use png_malloc_warn */
  191647. png_strncpy(to->name, from->name, png_strlen(from->name)+1);
  191648. to->entries = (png_sPLT_entryp)png_malloc_warn(png_ptr,
  191649. from->nentries * png_sizeof(png_sPLT_entry));
  191650. /* TODO: use png_malloc_warn */
  191651. png_memcpy(to->entries, from->entries,
  191652. from->nentries * png_sizeof(png_sPLT_entry));
  191653. if (to->entries == NULL)
  191654. {
  191655. png_warning(png_ptr,
  191656. "Out of memory while processing sPLT chunk");
  191657. png_free(png_ptr,to->name);
  191658. to->name = NULL;
  191659. }
  191660. to->nentries = from->nentries;
  191661. to->depth = from->depth;
  191662. }
  191663. info_ptr->splt_palettes = np;
  191664. info_ptr->splt_palettes_num += nentries;
  191665. info_ptr->valid |= PNG_INFO_sPLT;
  191666. #ifdef PNG_FREE_ME_SUPPORTED
  191667. info_ptr->free_me |= PNG_FREE_SPLT;
  191668. #endif
  191669. }
  191670. #endif /* PNG_sPLT_SUPPORTED */
  191671. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  191672. void PNGAPI
  191673. png_set_unknown_chunks(png_structp png_ptr,
  191674. png_infop info_ptr, png_unknown_chunkp unknowns, int num_unknowns)
  191675. {
  191676. png_unknown_chunkp np;
  191677. int i;
  191678. if (png_ptr == NULL || info_ptr == NULL || num_unknowns == 0)
  191679. return;
  191680. np = (png_unknown_chunkp)png_malloc_warn(png_ptr,
  191681. (info_ptr->unknown_chunks_num + num_unknowns) *
  191682. png_sizeof(png_unknown_chunk));
  191683. if (np == NULL)
  191684. {
  191685. png_warning(png_ptr,
  191686. "Out of memory while processing unknown chunk.");
  191687. return;
  191688. }
  191689. png_memcpy(np, info_ptr->unknown_chunks,
  191690. info_ptr->unknown_chunks_num * png_sizeof(png_unknown_chunk));
  191691. png_free(png_ptr, info_ptr->unknown_chunks);
  191692. info_ptr->unknown_chunks=NULL;
  191693. for (i = 0; i < num_unknowns; i++)
  191694. {
  191695. png_unknown_chunkp to = np + info_ptr->unknown_chunks_num + i;
  191696. png_unknown_chunkp from = unknowns + i;
  191697. png_strncpy((png_charp)to->name, (png_charp)from->name, 5);
  191698. to->data = (png_bytep)png_malloc_warn(png_ptr, from->size);
  191699. if (to->data == NULL)
  191700. {
  191701. png_warning(png_ptr,
  191702. "Out of memory while processing unknown chunk.");
  191703. }
  191704. else
  191705. {
  191706. png_memcpy(to->data, from->data, from->size);
  191707. to->size = from->size;
  191708. /* note our location in the read or write sequence */
  191709. to->location = (png_byte)(png_ptr->mode & 0xff);
  191710. }
  191711. }
  191712. info_ptr->unknown_chunks = np;
  191713. info_ptr->unknown_chunks_num += num_unknowns;
  191714. #ifdef PNG_FREE_ME_SUPPORTED
  191715. info_ptr->free_me |= PNG_FREE_UNKN;
  191716. #endif
  191717. }
  191718. void PNGAPI
  191719. png_set_unknown_chunk_location(png_structp png_ptr, png_infop info_ptr,
  191720. int chunk, int location)
  191721. {
  191722. if(png_ptr != NULL && info_ptr != NULL && chunk >= 0 && chunk <
  191723. (int)info_ptr->unknown_chunks_num)
  191724. info_ptr->unknown_chunks[chunk].location = (png_byte)location;
  191725. }
  191726. #endif
  191727. #if defined(PNG_1_0_X) || defined(PNG_1_2_X)
  191728. #if defined(PNG_READ_EMPTY_PLTE_SUPPORTED) || \
  191729. defined(PNG_WRITE_EMPTY_PLTE_SUPPORTED)
  191730. void PNGAPI
  191731. png_permit_empty_plte (png_structp png_ptr, int empty_plte_permitted)
  191732. {
  191733. /* This function is deprecated in favor of png_permit_mng_features()
  191734. and will be removed from libpng-1.3.0 */
  191735. png_debug(1, "in png_permit_empty_plte, DEPRECATED.\n");
  191736. if (png_ptr == NULL)
  191737. return;
  191738. png_ptr->mng_features_permitted = (png_byte)
  191739. ((png_ptr->mng_features_permitted & (~(PNG_FLAG_MNG_EMPTY_PLTE))) |
  191740. ((empty_plte_permitted & PNG_FLAG_MNG_EMPTY_PLTE)));
  191741. }
  191742. #endif
  191743. #endif
  191744. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  191745. png_uint_32 PNGAPI
  191746. png_permit_mng_features (png_structp png_ptr, png_uint_32 mng_features)
  191747. {
  191748. png_debug(1, "in png_permit_mng_features\n");
  191749. if (png_ptr == NULL)
  191750. return (png_uint_32)0;
  191751. png_ptr->mng_features_permitted =
  191752. (png_byte)(mng_features & PNG_ALL_MNG_FEATURES);
  191753. return (png_uint_32)png_ptr->mng_features_permitted;
  191754. }
  191755. #endif
  191756. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  191757. void PNGAPI
  191758. png_set_keep_unknown_chunks(png_structp png_ptr, int keep, png_bytep
  191759. chunk_list, int num_chunks)
  191760. {
  191761. png_bytep new_list, p;
  191762. int i, old_num_chunks;
  191763. if (png_ptr == NULL)
  191764. return;
  191765. if (num_chunks == 0)
  191766. {
  191767. if(keep == PNG_HANDLE_CHUNK_ALWAYS || keep == PNG_HANDLE_CHUNK_IF_SAFE)
  191768. png_ptr->flags |= PNG_FLAG_KEEP_UNKNOWN_CHUNKS;
  191769. else
  191770. png_ptr->flags &= ~PNG_FLAG_KEEP_UNKNOWN_CHUNKS;
  191771. if(keep == PNG_HANDLE_CHUNK_ALWAYS)
  191772. png_ptr->flags |= PNG_FLAG_KEEP_UNSAFE_CHUNKS;
  191773. else
  191774. png_ptr->flags &= ~PNG_FLAG_KEEP_UNSAFE_CHUNKS;
  191775. return;
  191776. }
  191777. if (chunk_list == NULL)
  191778. return;
  191779. old_num_chunks=png_ptr->num_chunk_list;
  191780. new_list=(png_bytep)png_malloc(png_ptr,
  191781. (png_uint_32)(5*(num_chunks+old_num_chunks)));
  191782. if(png_ptr->chunk_list != NULL)
  191783. {
  191784. png_memcpy(new_list, png_ptr->chunk_list,
  191785. (png_size_t)(5*old_num_chunks));
  191786. png_free(png_ptr, png_ptr->chunk_list);
  191787. png_ptr->chunk_list=NULL;
  191788. }
  191789. png_memcpy(new_list+5*old_num_chunks, chunk_list,
  191790. (png_size_t)(5*num_chunks));
  191791. for (p=new_list+5*old_num_chunks+4, i=0; i<num_chunks; i++, p+=5)
  191792. *p=(png_byte)keep;
  191793. png_ptr->num_chunk_list=old_num_chunks+num_chunks;
  191794. png_ptr->chunk_list=new_list;
  191795. #ifdef PNG_FREE_ME_SUPPORTED
  191796. png_ptr->free_me |= PNG_FREE_LIST;
  191797. #endif
  191798. }
  191799. #endif
  191800. #if defined(PNG_READ_USER_CHUNKS_SUPPORTED)
  191801. void PNGAPI
  191802. png_set_read_user_chunk_fn(png_structp png_ptr, png_voidp user_chunk_ptr,
  191803. png_user_chunk_ptr read_user_chunk_fn)
  191804. {
  191805. png_debug(1, "in png_set_read_user_chunk_fn\n");
  191806. if (png_ptr == NULL)
  191807. return;
  191808. png_ptr->read_user_chunk_fn = read_user_chunk_fn;
  191809. png_ptr->user_chunk_ptr = user_chunk_ptr;
  191810. }
  191811. #endif
  191812. #if defined(PNG_INFO_IMAGE_SUPPORTED)
  191813. void PNGAPI
  191814. png_set_rows(png_structp png_ptr, png_infop info_ptr, png_bytepp row_pointers)
  191815. {
  191816. png_debug1(1, "in %s storage function\n", "rows");
  191817. if (png_ptr == NULL || info_ptr == NULL)
  191818. return;
  191819. if(info_ptr->row_pointers && (info_ptr->row_pointers != row_pointers))
  191820. png_free_data(png_ptr, info_ptr, PNG_FREE_ROWS, 0);
  191821. info_ptr->row_pointers = row_pointers;
  191822. if(row_pointers)
  191823. info_ptr->valid |= PNG_INFO_IDAT;
  191824. }
  191825. #endif
  191826. #ifdef PNG_WRITE_SUPPORTED
  191827. void PNGAPI
  191828. png_set_compression_buffer_size(png_structp png_ptr, png_uint_32 size)
  191829. {
  191830. if (png_ptr == NULL)
  191831. return;
  191832. if(png_ptr->zbuf)
  191833. png_free(png_ptr, png_ptr->zbuf);
  191834. png_ptr->zbuf_size = (png_size_t)size;
  191835. png_ptr->zbuf = (png_bytep)png_malloc(png_ptr, size);
  191836. png_ptr->zstream.next_out = png_ptr->zbuf;
  191837. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  191838. }
  191839. #endif
  191840. void PNGAPI
  191841. png_set_invalid(png_structp png_ptr, png_infop info_ptr, int mask)
  191842. {
  191843. if (png_ptr && info_ptr)
  191844. info_ptr->valid &= ~(mask);
  191845. }
  191846. #ifndef PNG_1_0_X
  191847. #ifdef PNG_ASSEMBLER_CODE_SUPPORTED
  191848. /* function was added to libpng 1.2.0 and should always exist by default */
  191849. void PNGAPI
  191850. png_set_asm_flags (png_structp png_ptr, png_uint_32 asm_flags)
  191851. {
  191852. /* Obsolete as of libpng-1.2.20 and will be removed from libpng-1.4.0 */
  191853. if (png_ptr != NULL)
  191854. png_ptr->asm_flags = 0;
  191855. }
  191856. /* this function was added to libpng 1.2.0 */
  191857. void PNGAPI
  191858. png_set_mmx_thresholds (png_structp png_ptr,
  191859. png_byte mmx_bitdepth_threshold,
  191860. png_uint_32 mmx_rowbytes_threshold)
  191861. {
  191862. /* Obsolete as of libpng-1.2.20 and will be removed from libpng-1.4.0 */
  191863. if (png_ptr == NULL)
  191864. return;
  191865. }
  191866. #endif /* ?PNG_ASSEMBLER_CODE_SUPPORTED */
  191867. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  191868. /* this function was added to libpng 1.2.6 */
  191869. void PNGAPI
  191870. png_set_user_limits (png_structp png_ptr, png_uint_32 user_width_max,
  191871. png_uint_32 user_height_max)
  191872. {
  191873. /* Images with dimensions larger than these limits will be
  191874. * rejected by png_set_IHDR(). To accept any PNG datastream
  191875. * regardless of dimensions, set both limits to 0x7ffffffL.
  191876. */
  191877. if(png_ptr == NULL) return;
  191878. png_ptr->user_width_max = user_width_max;
  191879. png_ptr->user_height_max = user_height_max;
  191880. }
  191881. #endif /* ?PNG_SET_USER_LIMITS_SUPPORTED */
  191882. #endif /* ?PNG_1_0_X */
  191883. #endif /* PNG_READ_SUPPORTED || PNG_WRITE_SUPPORTED */
  191884. /********* End of inlined file: pngset.c *********/
  191885. /********* Start of inlined file: pngtrans.c *********/
  191886. /* pngtrans.c - transforms the data in a row (used by both readers and writers)
  191887. *
  191888. * Last changed in libpng 1.2.17 May 15, 2007
  191889. * For conditions of distribution and use, see copyright notice in png.h
  191890. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  191891. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  191892. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  191893. */
  191894. #define PNG_INTERNAL
  191895. #if defined(PNG_READ_SUPPORTED) || defined(PNG_WRITE_SUPPORTED)
  191896. #if defined(PNG_READ_BGR_SUPPORTED) || defined(PNG_WRITE_BGR_SUPPORTED)
  191897. /* turn on BGR-to-RGB mapping */
  191898. void PNGAPI
  191899. png_set_bgr(png_structp png_ptr)
  191900. {
  191901. png_debug(1, "in png_set_bgr\n");
  191902. if(png_ptr == NULL) return;
  191903. png_ptr->transformations |= PNG_BGR;
  191904. }
  191905. #endif
  191906. #if defined(PNG_READ_SWAP_SUPPORTED) || defined(PNG_WRITE_SWAP_SUPPORTED)
  191907. /* turn on 16 bit byte swapping */
  191908. void PNGAPI
  191909. png_set_swap(png_structp png_ptr)
  191910. {
  191911. png_debug(1, "in png_set_swap\n");
  191912. if(png_ptr == NULL) return;
  191913. if (png_ptr->bit_depth == 16)
  191914. png_ptr->transformations |= PNG_SWAP_BYTES;
  191915. }
  191916. #endif
  191917. #if defined(PNG_READ_PACK_SUPPORTED) || defined(PNG_WRITE_PACK_SUPPORTED)
  191918. /* turn on pixel packing */
  191919. void PNGAPI
  191920. png_set_packing(png_structp png_ptr)
  191921. {
  191922. png_debug(1, "in png_set_packing\n");
  191923. if(png_ptr == NULL) return;
  191924. if (png_ptr->bit_depth < 8)
  191925. {
  191926. png_ptr->transformations |= PNG_PACK;
  191927. png_ptr->usr_bit_depth = 8;
  191928. }
  191929. }
  191930. #endif
  191931. #if defined(PNG_READ_PACKSWAP_SUPPORTED)||defined(PNG_WRITE_PACKSWAP_SUPPORTED)
  191932. /* turn on packed pixel swapping */
  191933. void PNGAPI
  191934. png_set_packswap(png_structp png_ptr)
  191935. {
  191936. png_debug(1, "in png_set_packswap\n");
  191937. if(png_ptr == NULL) return;
  191938. if (png_ptr->bit_depth < 8)
  191939. png_ptr->transformations |= PNG_PACKSWAP;
  191940. }
  191941. #endif
  191942. #if defined(PNG_READ_SHIFT_SUPPORTED) || defined(PNG_WRITE_SHIFT_SUPPORTED)
  191943. void PNGAPI
  191944. png_set_shift(png_structp png_ptr, png_color_8p true_bits)
  191945. {
  191946. png_debug(1, "in png_set_shift\n");
  191947. if(png_ptr == NULL) return;
  191948. png_ptr->transformations |= PNG_SHIFT;
  191949. png_ptr->shift = *true_bits;
  191950. }
  191951. #endif
  191952. #if defined(PNG_READ_INTERLACING_SUPPORTED) || \
  191953. defined(PNG_WRITE_INTERLACING_SUPPORTED)
  191954. int PNGAPI
  191955. png_set_interlace_handling(png_structp png_ptr)
  191956. {
  191957. png_debug(1, "in png_set_interlace handling\n");
  191958. if (png_ptr && png_ptr->interlaced)
  191959. {
  191960. png_ptr->transformations |= PNG_INTERLACE;
  191961. return (7);
  191962. }
  191963. return (1);
  191964. }
  191965. #endif
  191966. #if defined(PNG_READ_FILLER_SUPPORTED) || defined(PNG_WRITE_FILLER_SUPPORTED)
  191967. /* Add a filler byte on read, or remove a filler or alpha byte on write.
  191968. * The filler type has changed in v0.95 to allow future 2-byte fillers
  191969. * for 48-bit input data, as well as to avoid problems with some compilers
  191970. * that don't like bytes as parameters.
  191971. */
  191972. void PNGAPI
  191973. png_set_filler(png_structp png_ptr, png_uint_32 filler, int filler_loc)
  191974. {
  191975. png_debug(1, "in png_set_filler\n");
  191976. if(png_ptr == NULL) return;
  191977. png_ptr->transformations |= PNG_FILLER;
  191978. png_ptr->filler = (png_byte)filler;
  191979. if (filler_loc == PNG_FILLER_AFTER)
  191980. png_ptr->flags |= PNG_FLAG_FILLER_AFTER;
  191981. else
  191982. png_ptr->flags &= ~PNG_FLAG_FILLER_AFTER;
  191983. /* This should probably go in the "do_read_filler" routine.
  191984. * I attempted to do that in libpng-1.0.1a but that caused problems
  191985. * so I restored it in libpng-1.0.2a
  191986. */
  191987. if (png_ptr->color_type == PNG_COLOR_TYPE_RGB)
  191988. {
  191989. png_ptr->usr_channels = 4;
  191990. }
  191991. /* Also I added this in libpng-1.0.2a (what happens when we expand
  191992. * a less-than-8-bit grayscale to GA? */
  191993. if (png_ptr->color_type == PNG_COLOR_TYPE_GRAY && png_ptr->bit_depth >= 8)
  191994. {
  191995. png_ptr->usr_channels = 2;
  191996. }
  191997. }
  191998. #if !defined(PNG_1_0_X)
  191999. /* Added to libpng-1.2.7 */
  192000. void PNGAPI
  192001. png_set_add_alpha(png_structp png_ptr, png_uint_32 filler, int filler_loc)
  192002. {
  192003. png_debug(1, "in png_set_add_alpha\n");
  192004. if(png_ptr == NULL) return;
  192005. png_set_filler(png_ptr, filler, filler_loc);
  192006. png_ptr->transformations |= PNG_ADD_ALPHA;
  192007. }
  192008. #endif
  192009. #endif
  192010. #if defined(PNG_READ_SWAP_ALPHA_SUPPORTED) || \
  192011. defined(PNG_WRITE_SWAP_ALPHA_SUPPORTED)
  192012. void PNGAPI
  192013. png_set_swap_alpha(png_structp png_ptr)
  192014. {
  192015. png_debug(1, "in png_set_swap_alpha\n");
  192016. if(png_ptr == NULL) return;
  192017. png_ptr->transformations |= PNG_SWAP_ALPHA;
  192018. }
  192019. #endif
  192020. #if defined(PNG_READ_INVERT_ALPHA_SUPPORTED) || \
  192021. defined(PNG_WRITE_INVERT_ALPHA_SUPPORTED)
  192022. void PNGAPI
  192023. png_set_invert_alpha(png_structp png_ptr)
  192024. {
  192025. png_debug(1, "in png_set_invert_alpha\n");
  192026. if(png_ptr == NULL) return;
  192027. png_ptr->transformations |= PNG_INVERT_ALPHA;
  192028. }
  192029. #endif
  192030. #if defined(PNG_READ_INVERT_SUPPORTED) || defined(PNG_WRITE_INVERT_SUPPORTED)
  192031. void PNGAPI
  192032. png_set_invert_mono(png_structp png_ptr)
  192033. {
  192034. png_debug(1, "in png_set_invert_mono\n");
  192035. if(png_ptr == NULL) return;
  192036. png_ptr->transformations |= PNG_INVERT_MONO;
  192037. }
  192038. /* invert monochrome grayscale data */
  192039. void /* PRIVATE */
  192040. png_do_invert(png_row_infop row_info, png_bytep row)
  192041. {
  192042. png_debug(1, "in png_do_invert\n");
  192043. /* This test removed from libpng version 1.0.13 and 1.2.0:
  192044. * if (row_info->bit_depth == 1 &&
  192045. */
  192046. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  192047. if (row == NULL || row_info == NULL)
  192048. return;
  192049. #endif
  192050. if (row_info->color_type == PNG_COLOR_TYPE_GRAY)
  192051. {
  192052. png_bytep rp = row;
  192053. png_uint_32 i;
  192054. png_uint_32 istop = row_info->rowbytes;
  192055. for (i = 0; i < istop; i++)
  192056. {
  192057. *rp = (png_byte)(~(*rp));
  192058. rp++;
  192059. }
  192060. }
  192061. else if (row_info->color_type == PNG_COLOR_TYPE_GRAY_ALPHA &&
  192062. row_info->bit_depth == 8)
  192063. {
  192064. png_bytep rp = row;
  192065. png_uint_32 i;
  192066. png_uint_32 istop = row_info->rowbytes;
  192067. for (i = 0; i < istop; i+=2)
  192068. {
  192069. *rp = (png_byte)(~(*rp));
  192070. rp+=2;
  192071. }
  192072. }
  192073. else if (row_info->color_type == PNG_COLOR_TYPE_GRAY_ALPHA &&
  192074. row_info->bit_depth == 16)
  192075. {
  192076. png_bytep rp = row;
  192077. png_uint_32 i;
  192078. png_uint_32 istop = row_info->rowbytes;
  192079. for (i = 0; i < istop; i+=4)
  192080. {
  192081. *rp = (png_byte)(~(*rp));
  192082. *(rp+1) = (png_byte)(~(*(rp+1)));
  192083. rp+=4;
  192084. }
  192085. }
  192086. }
  192087. #endif
  192088. #if defined(PNG_READ_SWAP_SUPPORTED) || defined(PNG_WRITE_SWAP_SUPPORTED)
  192089. /* swaps byte order on 16 bit depth images */
  192090. void /* PRIVATE */
  192091. png_do_swap(png_row_infop row_info, png_bytep row)
  192092. {
  192093. png_debug(1, "in png_do_swap\n");
  192094. if (
  192095. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  192096. row != NULL && row_info != NULL &&
  192097. #endif
  192098. row_info->bit_depth == 16)
  192099. {
  192100. png_bytep rp = row;
  192101. png_uint_32 i;
  192102. png_uint_32 istop= row_info->width * row_info->channels;
  192103. for (i = 0; i < istop; i++, rp += 2)
  192104. {
  192105. png_byte t = *rp;
  192106. *rp = *(rp + 1);
  192107. *(rp + 1) = t;
  192108. }
  192109. }
  192110. }
  192111. #endif
  192112. #if defined(PNG_READ_PACKSWAP_SUPPORTED)||defined(PNG_WRITE_PACKSWAP_SUPPORTED)
  192113. static PNG_CONST png_byte onebppswaptable[256] = {
  192114. 0x00, 0x80, 0x40, 0xC0, 0x20, 0xA0, 0x60, 0xE0,
  192115. 0x10, 0x90, 0x50, 0xD0, 0x30, 0xB0, 0x70, 0xF0,
  192116. 0x08, 0x88, 0x48, 0xC8, 0x28, 0xA8, 0x68, 0xE8,
  192117. 0x18, 0x98, 0x58, 0xD8, 0x38, 0xB8, 0x78, 0xF8,
  192118. 0x04, 0x84, 0x44, 0xC4, 0x24, 0xA4, 0x64, 0xE4,
  192119. 0x14, 0x94, 0x54, 0xD4, 0x34, 0xB4, 0x74, 0xF4,
  192120. 0x0C, 0x8C, 0x4C, 0xCC, 0x2C, 0xAC, 0x6C, 0xEC,
  192121. 0x1C, 0x9C, 0x5C, 0xDC, 0x3C, 0xBC, 0x7C, 0xFC,
  192122. 0x02, 0x82, 0x42, 0xC2, 0x22, 0xA2, 0x62, 0xE2,
  192123. 0x12, 0x92, 0x52, 0xD2, 0x32, 0xB2, 0x72, 0xF2,
  192124. 0x0A, 0x8A, 0x4A, 0xCA, 0x2A, 0xAA, 0x6A, 0xEA,
  192125. 0x1A, 0x9A, 0x5A, 0xDA, 0x3A, 0xBA, 0x7A, 0xFA,
  192126. 0x06, 0x86, 0x46, 0xC6, 0x26, 0xA6, 0x66, 0xE6,
  192127. 0x16, 0x96, 0x56, 0xD6, 0x36, 0xB6, 0x76, 0xF6,
  192128. 0x0E, 0x8E, 0x4E, 0xCE, 0x2E, 0xAE, 0x6E, 0xEE,
  192129. 0x1E, 0x9E, 0x5E, 0xDE, 0x3E, 0xBE, 0x7E, 0xFE,
  192130. 0x01, 0x81, 0x41, 0xC1, 0x21, 0xA1, 0x61, 0xE1,
  192131. 0x11, 0x91, 0x51, 0xD1, 0x31, 0xB1, 0x71, 0xF1,
  192132. 0x09, 0x89, 0x49, 0xC9, 0x29, 0xA9, 0x69, 0xE9,
  192133. 0x19, 0x99, 0x59, 0xD9, 0x39, 0xB9, 0x79, 0xF9,
  192134. 0x05, 0x85, 0x45, 0xC5, 0x25, 0xA5, 0x65, 0xE5,
  192135. 0x15, 0x95, 0x55, 0xD5, 0x35, 0xB5, 0x75, 0xF5,
  192136. 0x0D, 0x8D, 0x4D, 0xCD, 0x2D, 0xAD, 0x6D, 0xED,
  192137. 0x1D, 0x9D, 0x5D, 0xDD, 0x3D, 0xBD, 0x7D, 0xFD,
  192138. 0x03, 0x83, 0x43, 0xC3, 0x23, 0xA3, 0x63, 0xE3,
  192139. 0x13, 0x93, 0x53, 0xD3, 0x33, 0xB3, 0x73, 0xF3,
  192140. 0x0B, 0x8B, 0x4B, 0xCB, 0x2B, 0xAB, 0x6B, 0xEB,
  192141. 0x1B, 0x9B, 0x5B, 0xDB, 0x3B, 0xBB, 0x7B, 0xFB,
  192142. 0x07, 0x87, 0x47, 0xC7, 0x27, 0xA7, 0x67, 0xE7,
  192143. 0x17, 0x97, 0x57, 0xD7, 0x37, 0xB7, 0x77, 0xF7,
  192144. 0x0F, 0x8F, 0x4F, 0xCF, 0x2F, 0xAF, 0x6F, 0xEF,
  192145. 0x1F, 0x9F, 0x5F, 0xDF, 0x3F, 0xBF, 0x7F, 0xFF
  192146. };
  192147. static PNG_CONST png_byte twobppswaptable[256] = {
  192148. 0x00, 0x40, 0x80, 0xC0, 0x10, 0x50, 0x90, 0xD0,
  192149. 0x20, 0x60, 0xA0, 0xE0, 0x30, 0x70, 0xB0, 0xF0,
  192150. 0x04, 0x44, 0x84, 0xC4, 0x14, 0x54, 0x94, 0xD4,
  192151. 0x24, 0x64, 0xA4, 0xE4, 0x34, 0x74, 0xB4, 0xF4,
  192152. 0x08, 0x48, 0x88, 0xC8, 0x18, 0x58, 0x98, 0xD8,
  192153. 0x28, 0x68, 0xA8, 0xE8, 0x38, 0x78, 0xB8, 0xF8,
  192154. 0x0C, 0x4C, 0x8C, 0xCC, 0x1C, 0x5C, 0x9C, 0xDC,
  192155. 0x2C, 0x6C, 0xAC, 0xEC, 0x3C, 0x7C, 0xBC, 0xFC,
  192156. 0x01, 0x41, 0x81, 0xC1, 0x11, 0x51, 0x91, 0xD1,
  192157. 0x21, 0x61, 0xA1, 0xE1, 0x31, 0x71, 0xB1, 0xF1,
  192158. 0x05, 0x45, 0x85, 0xC5, 0x15, 0x55, 0x95, 0xD5,
  192159. 0x25, 0x65, 0xA5, 0xE5, 0x35, 0x75, 0xB5, 0xF5,
  192160. 0x09, 0x49, 0x89, 0xC9, 0x19, 0x59, 0x99, 0xD9,
  192161. 0x29, 0x69, 0xA9, 0xE9, 0x39, 0x79, 0xB9, 0xF9,
  192162. 0x0D, 0x4D, 0x8D, 0xCD, 0x1D, 0x5D, 0x9D, 0xDD,
  192163. 0x2D, 0x6D, 0xAD, 0xED, 0x3D, 0x7D, 0xBD, 0xFD,
  192164. 0x02, 0x42, 0x82, 0xC2, 0x12, 0x52, 0x92, 0xD2,
  192165. 0x22, 0x62, 0xA2, 0xE2, 0x32, 0x72, 0xB2, 0xF2,
  192166. 0x06, 0x46, 0x86, 0xC6, 0x16, 0x56, 0x96, 0xD6,
  192167. 0x26, 0x66, 0xA6, 0xE6, 0x36, 0x76, 0xB6, 0xF6,
  192168. 0x0A, 0x4A, 0x8A, 0xCA, 0x1A, 0x5A, 0x9A, 0xDA,
  192169. 0x2A, 0x6A, 0xAA, 0xEA, 0x3A, 0x7A, 0xBA, 0xFA,
  192170. 0x0E, 0x4E, 0x8E, 0xCE, 0x1E, 0x5E, 0x9E, 0xDE,
  192171. 0x2E, 0x6E, 0xAE, 0xEE, 0x3E, 0x7E, 0xBE, 0xFE,
  192172. 0x03, 0x43, 0x83, 0xC3, 0x13, 0x53, 0x93, 0xD3,
  192173. 0x23, 0x63, 0xA3, 0xE3, 0x33, 0x73, 0xB3, 0xF3,
  192174. 0x07, 0x47, 0x87, 0xC7, 0x17, 0x57, 0x97, 0xD7,
  192175. 0x27, 0x67, 0xA7, 0xE7, 0x37, 0x77, 0xB7, 0xF7,
  192176. 0x0B, 0x4B, 0x8B, 0xCB, 0x1B, 0x5B, 0x9B, 0xDB,
  192177. 0x2B, 0x6B, 0xAB, 0xEB, 0x3B, 0x7B, 0xBB, 0xFB,
  192178. 0x0F, 0x4F, 0x8F, 0xCF, 0x1F, 0x5F, 0x9F, 0xDF,
  192179. 0x2F, 0x6F, 0xAF, 0xEF, 0x3F, 0x7F, 0xBF, 0xFF
  192180. };
  192181. static PNG_CONST png_byte fourbppswaptable[256] = {
  192182. 0x00, 0x10, 0x20, 0x30, 0x40, 0x50, 0x60, 0x70,
  192183. 0x80, 0x90, 0xA0, 0xB0, 0xC0, 0xD0, 0xE0, 0xF0,
  192184. 0x01, 0x11, 0x21, 0x31, 0x41, 0x51, 0x61, 0x71,
  192185. 0x81, 0x91, 0xA1, 0xB1, 0xC1, 0xD1, 0xE1, 0xF1,
  192186. 0x02, 0x12, 0x22, 0x32, 0x42, 0x52, 0x62, 0x72,
  192187. 0x82, 0x92, 0xA2, 0xB2, 0xC2, 0xD2, 0xE2, 0xF2,
  192188. 0x03, 0x13, 0x23, 0x33, 0x43, 0x53, 0x63, 0x73,
  192189. 0x83, 0x93, 0xA3, 0xB3, 0xC3, 0xD3, 0xE3, 0xF3,
  192190. 0x04, 0x14, 0x24, 0x34, 0x44, 0x54, 0x64, 0x74,
  192191. 0x84, 0x94, 0xA4, 0xB4, 0xC4, 0xD4, 0xE4, 0xF4,
  192192. 0x05, 0x15, 0x25, 0x35, 0x45, 0x55, 0x65, 0x75,
  192193. 0x85, 0x95, 0xA5, 0xB5, 0xC5, 0xD5, 0xE5, 0xF5,
  192194. 0x06, 0x16, 0x26, 0x36, 0x46, 0x56, 0x66, 0x76,
  192195. 0x86, 0x96, 0xA6, 0xB6, 0xC6, 0xD6, 0xE6, 0xF6,
  192196. 0x07, 0x17, 0x27, 0x37, 0x47, 0x57, 0x67, 0x77,
  192197. 0x87, 0x97, 0xA7, 0xB7, 0xC7, 0xD7, 0xE7, 0xF7,
  192198. 0x08, 0x18, 0x28, 0x38, 0x48, 0x58, 0x68, 0x78,
  192199. 0x88, 0x98, 0xA8, 0xB8, 0xC8, 0xD8, 0xE8, 0xF8,
  192200. 0x09, 0x19, 0x29, 0x39, 0x49, 0x59, 0x69, 0x79,
  192201. 0x89, 0x99, 0xA9, 0xB9, 0xC9, 0xD9, 0xE9, 0xF9,
  192202. 0x0A, 0x1A, 0x2A, 0x3A, 0x4A, 0x5A, 0x6A, 0x7A,
  192203. 0x8A, 0x9A, 0xAA, 0xBA, 0xCA, 0xDA, 0xEA, 0xFA,
  192204. 0x0B, 0x1B, 0x2B, 0x3B, 0x4B, 0x5B, 0x6B, 0x7B,
  192205. 0x8B, 0x9B, 0xAB, 0xBB, 0xCB, 0xDB, 0xEB, 0xFB,
  192206. 0x0C, 0x1C, 0x2C, 0x3C, 0x4C, 0x5C, 0x6C, 0x7C,
  192207. 0x8C, 0x9C, 0xAC, 0xBC, 0xCC, 0xDC, 0xEC, 0xFC,
  192208. 0x0D, 0x1D, 0x2D, 0x3D, 0x4D, 0x5D, 0x6D, 0x7D,
  192209. 0x8D, 0x9D, 0xAD, 0xBD, 0xCD, 0xDD, 0xED, 0xFD,
  192210. 0x0E, 0x1E, 0x2E, 0x3E, 0x4E, 0x5E, 0x6E, 0x7E,
  192211. 0x8E, 0x9E, 0xAE, 0xBE, 0xCE, 0xDE, 0xEE, 0xFE,
  192212. 0x0F, 0x1F, 0x2F, 0x3F, 0x4F, 0x5F, 0x6F, 0x7F,
  192213. 0x8F, 0x9F, 0xAF, 0xBF, 0xCF, 0xDF, 0xEF, 0xFF
  192214. };
  192215. /* swaps pixel packing order within bytes */
  192216. void /* PRIVATE */
  192217. png_do_packswap(png_row_infop row_info, png_bytep row)
  192218. {
  192219. png_debug(1, "in png_do_packswap\n");
  192220. if (
  192221. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  192222. row != NULL && row_info != NULL &&
  192223. #endif
  192224. row_info->bit_depth < 8)
  192225. {
  192226. png_bytep rp, end, table;
  192227. end = row + row_info->rowbytes;
  192228. if (row_info->bit_depth == 1)
  192229. table = (png_bytep)onebppswaptable;
  192230. else if (row_info->bit_depth == 2)
  192231. table = (png_bytep)twobppswaptable;
  192232. else if (row_info->bit_depth == 4)
  192233. table = (png_bytep)fourbppswaptable;
  192234. else
  192235. return;
  192236. for (rp = row; rp < end; rp++)
  192237. *rp = table[*rp];
  192238. }
  192239. }
  192240. #endif /* PNG_READ_PACKSWAP_SUPPORTED or PNG_WRITE_PACKSWAP_SUPPORTED */
  192241. #if defined(PNG_WRITE_FILLER_SUPPORTED) || \
  192242. defined(PNG_READ_STRIP_ALPHA_SUPPORTED)
  192243. /* remove filler or alpha byte(s) */
  192244. void /* PRIVATE */
  192245. png_do_strip_filler(png_row_infop row_info, png_bytep row, png_uint_32 flags)
  192246. {
  192247. png_debug(1, "in png_do_strip_filler\n");
  192248. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  192249. if (row != NULL && row_info != NULL)
  192250. #endif
  192251. {
  192252. png_bytep sp=row;
  192253. png_bytep dp=row;
  192254. png_uint_32 row_width=row_info->width;
  192255. png_uint_32 i;
  192256. if ((row_info->color_type == PNG_COLOR_TYPE_RGB ||
  192257. (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA &&
  192258. (flags & PNG_FLAG_STRIP_ALPHA))) &&
  192259. row_info->channels == 4)
  192260. {
  192261. if (row_info->bit_depth == 8)
  192262. {
  192263. /* This converts from RGBX or RGBA to RGB */
  192264. if (flags & PNG_FLAG_FILLER_AFTER)
  192265. {
  192266. dp+=3; sp+=4;
  192267. for (i = 1; i < row_width; i++)
  192268. {
  192269. *dp++ = *sp++;
  192270. *dp++ = *sp++;
  192271. *dp++ = *sp++;
  192272. sp++;
  192273. }
  192274. }
  192275. /* This converts from XRGB or ARGB to RGB */
  192276. else
  192277. {
  192278. for (i = 0; i < row_width; i++)
  192279. {
  192280. sp++;
  192281. *dp++ = *sp++;
  192282. *dp++ = *sp++;
  192283. *dp++ = *sp++;
  192284. }
  192285. }
  192286. row_info->pixel_depth = 24;
  192287. row_info->rowbytes = row_width * 3;
  192288. }
  192289. else /* if (row_info->bit_depth == 16) */
  192290. {
  192291. if (flags & PNG_FLAG_FILLER_AFTER)
  192292. {
  192293. /* This converts from RRGGBBXX or RRGGBBAA to RRGGBB */
  192294. sp += 8; dp += 6;
  192295. for (i = 1; i < row_width; i++)
  192296. {
  192297. /* This could be (although png_memcpy is probably slower):
  192298. png_memcpy(dp, sp, 6);
  192299. sp += 8;
  192300. dp += 6;
  192301. */
  192302. *dp++ = *sp++;
  192303. *dp++ = *sp++;
  192304. *dp++ = *sp++;
  192305. *dp++ = *sp++;
  192306. *dp++ = *sp++;
  192307. *dp++ = *sp++;
  192308. sp += 2;
  192309. }
  192310. }
  192311. else
  192312. {
  192313. /* This converts from XXRRGGBB or AARRGGBB to RRGGBB */
  192314. for (i = 0; i < row_width; i++)
  192315. {
  192316. /* This could be (although png_memcpy is probably slower):
  192317. png_memcpy(dp, sp, 6);
  192318. sp += 8;
  192319. dp += 6;
  192320. */
  192321. sp+=2;
  192322. *dp++ = *sp++;
  192323. *dp++ = *sp++;
  192324. *dp++ = *sp++;
  192325. *dp++ = *sp++;
  192326. *dp++ = *sp++;
  192327. *dp++ = *sp++;
  192328. }
  192329. }
  192330. row_info->pixel_depth = 48;
  192331. row_info->rowbytes = row_width * 6;
  192332. }
  192333. row_info->channels = 3;
  192334. }
  192335. else if ((row_info->color_type == PNG_COLOR_TYPE_GRAY ||
  192336. (row_info->color_type == PNG_COLOR_TYPE_GRAY_ALPHA &&
  192337. (flags & PNG_FLAG_STRIP_ALPHA))) &&
  192338. row_info->channels == 2)
  192339. {
  192340. if (row_info->bit_depth == 8)
  192341. {
  192342. /* This converts from GX or GA to G */
  192343. if (flags & PNG_FLAG_FILLER_AFTER)
  192344. {
  192345. for (i = 0; i < row_width; i++)
  192346. {
  192347. *dp++ = *sp++;
  192348. sp++;
  192349. }
  192350. }
  192351. /* This converts from XG or AG to G */
  192352. else
  192353. {
  192354. for (i = 0; i < row_width; i++)
  192355. {
  192356. sp++;
  192357. *dp++ = *sp++;
  192358. }
  192359. }
  192360. row_info->pixel_depth = 8;
  192361. row_info->rowbytes = row_width;
  192362. }
  192363. else /* if (row_info->bit_depth == 16) */
  192364. {
  192365. if (flags & PNG_FLAG_FILLER_AFTER)
  192366. {
  192367. /* This converts from GGXX or GGAA to GG */
  192368. sp += 4; dp += 2;
  192369. for (i = 1; i < row_width; i++)
  192370. {
  192371. *dp++ = *sp++;
  192372. *dp++ = *sp++;
  192373. sp += 2;
  192374. }
  192375. }
  192376. else
  192377. {
  192378. /* This converts from XXGG or AAGG to GG */
  192379. for (i = 0; i < row_width; i++)
  192380. {
  192381. sp += 2;
  192382. *dp++ = *sp++;
  192383. *dp++ = *sp++;
  192384. }
  192385. }
  192386. row_info->pixel_depth = 16;
  192387. row_info->rowbytes = row_width * 2;
  192388. }
  192389. row_info->channels = 1;
  192390. }
  192391. if (flags & PNG_FLAG_STRIP_ALPHA)
  192392. row_info->color_type &= ~PNG_COLOR_MASK_ALPHA;
  192393. }
  192394. }
  192395. #endif
  192396. #if defined(PNG_READ_BGR_SUPPORTED) || defined(PNG_WRITE_BGR_SUPPORTED)
  192397. /* swaps red and blue bytes within a pixel */
  192398. void /* PRIVATE */
  192399. png_do_bgr(png_row_infop row_info, png_bytep row)
  192400. {
  192401. png_debug(1, "in png_do_bgr\n");
  192402. if (
  192403. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  192404. row != NULL && row_info != NULL &&
  192405. #endif
  192406. (row_info->color_type & PNG_COLOR_MASK_COLOR))
  192407. {
  192408. png_uint_32 row_width = row_info->width;
  192409. if (row_info->bit_depth == 8)
  192410. {
  192411. if (row_info->color_type == PNG_COLOR_TYPE_RGB)
  192412. {
  192413. png_bytep rp;
  192414. png_uint_32 i;
  192415. for (i = 0, rp = row; i < row_width; i++, rp += 3)
  192416. {
  192417. png_byte save = *rp;
  192418. *rp = *(rp + 2);
  192419. *(rp + 2) = save;
  192420. }
  192421. }
  192422. else if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  192423. {
  192424. png_bytep rp;
  192425. png_uint_32 i;
  192426. for (i = 0, rp = row; i < row_width; i++, rp += 4)
  192427. {
  192428. png_byte save = *rp;
  192429. *rp = *(rp + 2);
  192430. *(rp + 2) = save;
  192431. }
  192432. }
  192433. }
  192434. else if (row_info->bit_depth == 16)
  192435. {
  192436. if (row_info->color_type == PNG_COLOR_TYPE_RGB)
  192437. {
  192438. png_bytep rp;
  192439. png_uint_32 i;
  192440. for (i = 0, rp = row; i < row_width; i++, rp += 6)
  192441. {
  192442. png_byte save = *rp;
  192443. *rp = *(rp + 4);
  192444. *(rp + 4) = save;
  192445. save = *(rp + 1);
  192446. *(rp + 1) = *(rp + 5);
  192447. *(rp + 5) = save;
  192448. }
  192449. }
  192450. else if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  192451. {
  192452. png_bytep rp;
  192453. png_uint_32 i;
  192454. for (i = 0, rp = row; i < row_width; i++, rp += 8)
  192455. {
  192456. png_byte save = *rp;
  192457. *rp = *(rp + 4);
  192458. *(rp + 4) = save;
  192459. save = *(rp + 1);
  192460. *(rp + 1) = *(rp + 5);
  192461. *(rp + 5) = save;
  192462. }
  192463. }
  192464. }
  192465. }
  192466. }
  192467. #endif /* PNG_READ_BGR_SUPPORTED or PNG_WRITE_BGR_SUPPORTED */
  192468. #if defined(PNG_READ_USER_TRANSFORM_SUPPORTED) || \
  192469. defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED) || \
  192470. defined(PNG_LEGACY_SUPPORTED)
  192471. void PNGAPI
  192472. png_set_user_transform_info(png_structp png_ptr, png_voidp
  192473. user_transform_ptr, int user_transform_depth, int user_transform_channels)
  192474. {
  192475. png_debug(1, "in png_set_user_transform_info\n");
  192476. if(png_ptr == NULL) return;
  192477. #if defined(PNG_USER_TRANSFORM_PTR_SUPPORTED)
  192478. png_ptr->user_transform_ptr = user_transform_ptr;
  192479. png_ptr->user_transform_depth = (png_byte)user_transform_depth;
  192480. png_ptr->user_transform_channels = (png_byte)user_transform_channels;
  192481. #else
  192482. if(user_transform_ptr || user_transform_depth || user_transform_channels)
  192483. png_warning(png_ptr,
  192484. "This version of libpng does not support user transform info");
  192485. #endif
  192486. }
  192487. #endif
  192488. /* This function returns a pointer to the user_transform_ptr associated with
  192489. * the user transform functions. The application should free any memory
  192490. * associated with this pointer before png_write_destroy and png_read_destroy
  192491. * are called.
  192492. */
  192493. png_voidp PNGAPI
  192494. png_get_user_transform_ptr(png_structp png_ptr)
  192495. {
  192496. #if defined(PNG_USER_TRANSFORM_PTR_SUPPORTED)
  192497. if (png_ptr == NULL) return (NULL);
  192498. return ((png_voidp)png_ptr->user_transform_ptr);
  192499. #else
  192500. return (NULL);
  192501. #endif
  192502. }
  192503. #endif /* PNG_READ_SUPPORTED || PNG_WRITE_SUPPORTED */
  192504. /********* End of inlined file: pngtrans.c *********/
  192505. /********* Start of inlined file: pngwio.c *********/
  192506. /* pngwio.c - functions for data output
  192507. *
  192508. * Last changed in libpng 1.2.13 November 13, 2006
  192509. * For conditions of distribution and use, see copyright notice in png.h
  192510. * Copyright (c) 1998-2006 Glenn Randers-Pehrson
  192511. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  192512. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  192513. *
  192514. * This file provides a location for all output. Users who need
  192515. * special handling are expected to write functions that have the same
  192516. * arguments as these and perform similar functions, but that possibly
  192517. * use different output methods. Note that you shouldn't change these
  192518. * functions, but rather write replacement functions and then change
  192519. * them at run time with png_set_write_fn(...).
  192520. */
  192521. #define PNG_INTERNAL
  192522. #ifdef PNG_WRITE_SUPPORTED
  192523. /* Write the data to whatever output you are using. The default routine
  192524. writes to a file pointer. Note that this routine sometimes gets called
  192525. with very small lengths, so you should implement some kind of simple
  192526. buffering if you are using unbuffered writes. This should never be asked
  192527. to write more than 64K on a 16 bit machine. */
  192528. void /* PRIVATE */
  192529. png_write_data(png_structp png_ptr, png_bytep data, png_size_t length)
  192530. {
  192531. if (png_ptr->write_data_fn != NULL )
  192532. (*(png_ptr->write_data_fn))(png_ptr, data, length);
  192533. else
  192534. png_error(png_ptr, "Call to NULL write function");
  192535. }
  192536. #if !defined(PNG_NO_STDIO)
  192537. /* This is the function that does the actual writing of data. If you are
  192538. not writing to a standard C stream, you should create a replacement
  192539. write_data function and use it at run time with png_set_write_fn(), rather
  192540. than changing the library. */
  192541. #ifndef USE_FAR_KEYWORD
  192542. void PNGAPI
  192543. png_default_write_data(png_structp png_ptr, png_bytep data, png_size_t length)
  192544. {
  192545. png_uint_32 check;
  192546. if(png_ptr == NULL) return;
  192547. #if defined(_WIN32_WCE)
  192548. if ( !WriteFile((HANDLE)(png_ptr->io_ptr), data, length, &check, NULL) )
  192549. check = 0;
  192550. #else
  192551. check = fwrite(data, 1, length, (png_FILE_p)(png_ptr->io_ptr));
  192552. #endif
  192553. if (check != length)
  192554. png_error(png_ptr, "Write Error");
  192555. }
  192556. #else
  192557. /* this is the model-independent version. Since the standard I/O library
  192558. can't handle far buffers in the medium and small models, we have to copy
  192559. the data.
  192560. */
  192561. #define NEAR_BUF_SIZE 1024
  192562. #define MIN(a,b) (a <= b ? a : b)
  192563. void PNGAPI
  192564. png_default_write_data(png_structp png_ptr, png_bytep data, png_size_t length)
  192565. {
  192566. png_uint_32 check;
  192567. png_byte *near_data; /* Needs to be "png_byte *" instead of "png_bytep" */
  192568. png_FILE_p io_ptr;
  192569. if(png_ptr == NULL) return;
  192570. /* Check if data really is near. If so, use usual code. */
  192571. near_data = (png_byte *)CVT_PTR_NOCHECK(data);
  192572. io_ptr = (png_FILE_p)CVT_PTR(png_ptr->io_ptr);
  192573. if ((png_bytep)near_data == data)
  192574. {
  192575. #if defined(_WIN32_WCE)
  192576. if ( !WriteFile(io_ptr, near_data, length, &check, NULL) )
  192577. check = 0;
  192578. #else
  192579. check = fwrite(near_data, 1, length, io_ptr);
  192580. #endif
  192581. }
  192582. else
  192583. {
  192584. png_byte buf[NEAR_BUF_SIZE];
  192585. png_size_t written, remaining, err;
  192586. check = 0;
  192587. remaining = length;
  192588. do
  192589. {
  192590. written = MIN(NEAR_BUF_SIZE, remaining);
  192591. png_memcpy(buf, data, written); /* copy far buffer to near buffer */
  192592. #if defined(_WIN32_WCE)
  192593. if ( !WriteFile(io_ptr, buf, written, &err, NULL) )
  192594. err = 0;
  192595. #else
  192596. err = fwrite(buf, 1, written, io_ptr);
  192597. #endif
  192598. if (err != written)
  192599. break;
  192600. else
  192601. check += err;
  192602. data += written;
  192603. remaining -= written;
  192604. }
  192605. while (remaining != 0);
  192606. }
  192607. if (check != length)
  192608. png_error(png_ptr, "Write Error");
  192609. }
  192610. #endif
  192611. #endif
  192612. /* This function is called to output any data pending writing (normally
  192613. to disk). After png_flush is called, there should be no data pending
  192614. writing in any buffers. */
  192615. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  192616. void /* PRIVATE */
  192617. png_flush(png_structp png_ptr)
  192618. {
  192619. if (png_ptr->output_flush_fn != NULL)
  192620. (*(png_ptr->output_flush_fn))(png_ptr);
  192621. }
  192622. #if !defined(PNG_NO_STDIO)
  192623. void PNGAPI
  192624. png_default_flush(png_structp png_ptr)
  192625. {
  192626. #if !defined(_WIN32_WCE)
  192627. png_FILE_p io_ptr;
  192628. #endif
  192629. if(png_ptr == NULL) return;
  192630. #if !defined(_WIN32_WCE)
  192631. io_ptr = (png_FILE_p)CVT_PTR((png_ptr->io_ptr));
  192632. if (io_ptr != NULL)
  192633. fflush(io_ptr);
  192634. #endif
  192635. }
  192636. #endif
  192637. #endif
  192638. /* This function allows the application to supply new output functions for
  192639. libpng if standard C streams aren't being used.
  192640. This function takes as its arguments:
  192641. png_ptr - pointer to a png output data structure
  192642. io_ptr - pointer to user supplied structure containing info about
  192643. the output functions. May be NULL.
  192644. write_data_fn - pointer to a new output function that takes as its
  192645. arguments a pointer to a png_struct, a pointer to
  192646. data to be written, and a 32-bit unsigned int that is
  192647. the number of bytes to be written. The new write
  192648. function should call png_error(png_ptr, "Error msg")
  192649. to exit and output any fatal error messages.
  192650. flush_data_fn - pointer to a new flush function that takes as its
  192651. arguments a pointer to a png_struct. After a call to
  192652. the flush function, there should be no data in any buffers
  192653. or pending transmission. If the output method doesn't do
  192654. any buffering of ouput, a function prototype must still be
  192655. supplied although it doesn't have to do anything. If
  192656. PNG_WRITE_FLUSH_SUPPORTED is not defined at libpng compile
  192657. time, output_flush_fn will be ignored, although it must be
  192658. supplied for compatibility. */
  192659. void PNGAPI
  192660. png_set_write_fn(png_structp png_ptr, png_voidp io_ptr,
  192661. png_rw_ptr write_data_fn, png_flush_ptr output_flush_fn)
  192662. {
  192663. if(png_ptr == NULL) return;
  192664. png_ptr->io_ptr = io_ptr;
  192665. #if !defined(PNG_NO_STDIO)
  192666. if (write_data_fn != NULL)
  192667. png_ptr->write_data_fn = write_data_fn;
  192668. else
  192669. png_ptr->write_data_fn = png_default_write_data;
  192670. #else
  192671. png_ptr->write_data_fn = write_data_fn;
  192672. #endif
  192673. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  192674. #if !defined(PNG_NO_STDIO)
  192675. if (output_flush_fn != NULL)
  192676. png_ptr->output_flush_fn = output_flush_fn;
  192677. else
  192678. png_ptr->output_flush_fn = png_default_flush;
  192679. #else
  192680. png_ptr->output_flush_fn = output_flush_fn;
  192681. #endif
  192682. #endif /* PNG_WRITE_FLUSH_SUPPORTED */
  192683. /* It is an error to read while writing a png file */
  192684. if (png_ptr->read_data_fn != NULL)
  192685. {
  192686. png_ptr->read_data_fn = NULL;
  192687. png_warning(png_ptr,
  192688. "Attempted to set both read_data_fn and write_data_fn in");
  192689. png_warning(png_ptr,
  192690. "the same structure. Resetting read_data_fn to NULL.");
  192691. }
  192692. }
  192693. #if defined(USE_FAR_KEYWORD)
  192694. #if defined(_MSC_VER)
  192695. void *png_far_to_near(png_structp png_ptr,png_voidp ptr, int check)
  192696. {
  192697. void *near_ptr;
  192698. void FAR *far_ptr;
  192699. FP_OFF(near_ptr) = FP_OFF(ptr);
  192700. far_ptr = (void FAR *)near_ptr;
  192701. if(check != 0)
  192702. if(FP_SEG(ptr) != FP_SEG(far_ptr))
  192703. png_error(png_ptr,"segment lost in conversion");
  192704. return(near_ptr);
  192705. }
  192706. # else
  192707. void *png_far_to_near(png_structp png_ptr,png_voidp ptr, int check)
  192708. {
  192709. void *near_ptr;
  192710. void FAR *far_ptr;
  192711. near_ptr = (void FAR *)ptr;
  192712. far_ptr = (void FAR *)near_ptr;
  192713. if(check != 0)
  192714. if(far_ptr != ptr)
  192715. png_error(png_ptr,"segment lost in conversion");
  192716. return(near_ptr);
  192717. }
  192718. # endif
  192719. # endif
  192720. #endif /* PNG_WRITE_SUPPORTED */
  192721. /********* End of inlined file: pngwio.c *********/
  192722. /********* Start of inlined file: pngwrite.c *********/
  192723. /* pngwrite.c - general routines to write a PNG file
  192724. *
  192725. * Last changed in libpng 1.2.15 January 5, 2007
  192726. * For conditions of distribution and use, see copyright notice in png.h
  192727. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  192728. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  192729. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  192730. */
  192731. /* get internal access to png.h */
  192732. #define PNG_INTERNAL
  192733. #ifdef PNG_WRITE_SUPPORTED
  192734. /* Writes all the PNG information. This is the suggested way to use the
  192735. * library. If you have a new chunk to add, make a function to write it,
  192736. * and put it in the correct location here. If you want the chunk written
  192737. * after the image data, put it in png_write_end(). I strongly encourage
  192738. * you to supply a PNG_INFO_ flag, and check info_ptr->valid before writing
  192739. * the chunk, as that will keep the code from breaking if you want to just
  192740. * write a plain PNG file. If you have long comments, I suggest writing
  192741. * them in png_write_end(), and compressing them.
  192742. */
  192743. void PNGAPI
  192744. png_write_info_before_PLTE(png_structp png_ptr, png_infop info_ptr)
  192745. {
  192746. png_debug(1, "in png_write_info_before_PLTE\n");
  192747. if (png_ptr == NULL || info_ptr == NULL)
  192748. return;
  192749. if (!(png_ptr->mode & PNG_WROTE_INFO_BEFORE_PLTE))
  192750. {
  192751. png_write_sig(png_ptr); /* write PNG signature */
  192752. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  192753. if((png_ptr->mode&PNG_HAVE_PNG_SIGNATURE)&&(png_ptr->mng_features_permitted))
  192754. {
  192755. png_warning(png_ptr,"MNG features are not allowed in a PNG datastream");
  192756. png_ptr->mng_features_permitted=0;
  192757. }
  192758. #endif
  192759. /* write IHDR information. */
  192760. png_write_IHDR(png_ptr, info_ptr->width, info_ptr->height,
  192761. info_ptr->bit_depth, info_ptr->color_type, info_ptr->compression_type,
  192762. info_ptr->filter_type,
  192763. #if defined(PNG_WRITE_INTERLACING_SUPPORTED)
  192764. info_ptr->interlace_type);
  192765. #else
  192766. 0);
  192767. #endif
  192768. /* the rest of these check to see if the valid field has the appropriate
  192769. flag set, and if it does, writes the chunk. */
  192770. #if defined(PNG_WRITE_gAMA_SUPPORTED)
  192771. if (info_ptr->valid & PNG_INFO_gAMA)
  192772. {
  192773. # ifdef PNG_FLOATING_POINT_SUPPORTED
  192774. png_write_gAMA(png_ptr, info_ptr->gamma);
  192775. #else
  192776. #ifdef PNG_FIXED_POINT_SUPPORTED
  192777. png_write_gAMA_fixed(png_ptr, info_ptr->int_gamma);
  192778. # endif
  192779. #endif
  192780. }
  192781. #endif
  192782. #if defined(PNG_WRITE_sRGB_SUPPORTED)
  192783. if (info_ptr->valid & PNG_INFO_sRGB)
  192784. png_write_sRGB(png_ptr, (int)info_ptr->srgb_intent);
  192785. #endif
  192786. #if defined(PNG_WRITE_iCCP_SUPPORTED)
  192787. if (info_ptr->valid & PNG_INFO_iCCP)
  192788. png_write_iCCP(png_ptr, info_ptr->iccp_name, PNG_COMPRESSION_TYPE_BASE,
  192789. info_ptr->iccp_profile, (int)info_ptr->iccp_proflen);
  192790. #endif
  192791. #if defined(PNG_WRITE_sBIT_SUPPORTED)
  192792. if (info_ptr->valid & PNG_INFO_sBIT)
  192793. png_write_sBIT(png_ptr, &(info_ptr->sig_bit), info_ptr->color_type);
  192794. #endif
  192795. #if defined(PNG_WRITE_cHRM_SUPPORTED)
  192796. if (info_ptr->valid & PNG_INFO_cHRM)
  192797. {
  192798. #ifdef PNG_FLOATING_POINT_SUPPORTED
  192799. png_write_cHRM(png_ptr,
  192800. info_ptr->x_white, info_ptr->y_white,
  192801. info_ptr->x_red, info_ptr->y_red,
  192802. info_ptr->x_green, info_ptr->y_green,
  192803. info_ptr->x_blue, info_ptr->y_blue);
  192804. #else
  192805. # ifdef PNG_FIXED_POINT_SUPPORTED
  192806. png_write_cHRM_fixed(png_ptr,
  192807. info_ptr->int_x_white, info_ptr->int_y_white,
  192808. info_ptr->int_x_red, info_ptr->int_y_red,
  192809. info_ptr->int_x_green, info_ptr->int_y_green,
  192810. info_ptr->int_x_blue, info_ptr->int_y_blue);
  192811. # endif
  192812. #endif
  192813. }
  192814. #endif
  192815. #if defined(PNG_WRITE_UNKNOWN_CHUNKS_SUPPORTED)
  192816. if (info_ptr->unknown_chunks_num)
  192817. {
  192818. png_unknown_chunk *up;
  192819. png_debug(5, "writing extra chunks\n");
  192820. for (up = info_ptr->unknown_chunks;
  192821. up < info_ptr->unknown_chunks + info_ptr->unknown_chunks_num;
  192822. up++)
  192823. {
  192824. int keep=png_handle_as_unknown(png_ptr, up->name);
  192825. if (keep != PNG_HANDLE_CHUNK_NEVER &&
  192826. up->location && !(up->location & PNG_HAVE_PLTE) &&
  192827. !(up->location & PNG_HAVE_IDAT) &&
  192828. ((up->name[3] & 0x20) || keep == PNG_HANDLE_CHUNK_ALWAYS ||
  192829. (png_ptr->flags & PNG_FLAG_KEEP_UNSAFE_CHUNKS)))
  192830. {
  192831. png_write_chunk(png_ptr, up->name, up->data, up->size);
  192832. }
  192833. }
  192834. }
  192835. #endif
  192836. png_ptr->mode |= PNG_WROTE_INFO_BEFORE_PLTE;
  192837. }
  192838. }
  192839. void PNGAPI
  192840. png_write_info(png_structp png_ptr, png_infop info_ptr)
  192841. {
  192842. #if defined(PNG_WRITE_TEXT_SUPPORTED) || defined(PNG_WRITE_sPLT_SUPPORTED)
  192843. int i;
  192844. #endif
  192845. png_debug(1, "in png_write_info\n");
  192846. if (png_ptr == NULL || info_ptr == NULL)
  192847. return;
  192848. png_write_info_before_PLTE(png_ptr, info_ptr);
  192849. if (info_ptr->valid & PNG_INFO_PLTE)
  192850. png_write_PLTE(png_ptr, info_ptr->palette,
  192851. (png_uint_32)info_ptr->num_palette);
  192852. else if (info_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  192853. png_error(png_ptr, "Valid palette required for paletted images");
  192854. #if defined(PNG_WRITE_tRNS_SUPPORTED)
  192855. if (info_ptr->valid & PNG_INFO_tRNS)
  192856. {
  192857. #if defined(PNG_WRITE_INVERT_ALPHA_SUPPORTED)
  192858. /* invert the alpha channel (in tRNS) */
  192859. if ((png_ptr->transformations & PNG_INVERT_ALPHA) &&
  192860. info_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  192861. {
  192862. int j;
  192863. for (j=0; j<(int)info_ptr->num_trans; j++)
  192864. info_ptr->trans[j] = (png_byte)(255 - info_ptr->trans[j]);
  192865. }
  192866. #endif
  192867. png_write_tRNS(png_ptr, info_ptr->trans, &(info_ptr->trans_values),
  192868. info_ptr->num_trans, info_ptr->color_type);
  192869. }
  192870. #endif
  192871. #if defined(PNG_WRITE_bKGD_SUPPORTED)
  192872. if (info_ptr->valid & PNG_INFO_bKGD)
  192873. png_write_bKGD(png_ptr, &(info_ptr->background), info_ptr->color_type);
  192874. #endif
  192875. #if defined(PNG_WRITE_hIST_SUPPORTED)
  192876. if (info_ptr->valid & PNG_INFO_hIST)
  192877. png_write_hIST(png_ptr, info_ptr->hist, info_ptr->num_palette);
  192878. #endif
  192879. #if defined(PNG_WRITE_oFFs_SUPPORTED)
  192880. if (info_ptr->valid & PNG_INFO_oFFs)
  192881. png_write_oFFs(png_ptr, info_ptr->x_offset, info_ptr->y_offset,
  192882. info_ptr->offset_unit_type);
  192883. #endif
  192884. #if defined(PNG_WRITE_pCAL_SUPPORTED)
  192885. if (info_ptr->valid & PNG_INFO_pCAL)
  192886. png_write_pCAL(png_ptr, info_ptr->pcal_purpose, info_ptr->pcal_X0,
  192887. info_ptr->pcal_X1, info_ptr->pcal_type, info_ptr->pcal_nparams,
  192888. info_ptr->pcal_units, info_ptr->pcal_params);
  192889. #endif
  192890. #if defined(PNG_WRITE_sCAL_SUPPORTED)
  192891. if (info_ptr->valid & PNG_INFO_sCAL)
  192892. #if defined(PNG_FLOATING_POINT_SUPPORTED) && !defined(PNG_NO_STDIO)
  192893. png_write_sCAL(png_ptr, (int)info_ptr->scal_unit,
  192894. info_ptr->scal_pixel_width, info_ptr->scal_pixel_height);
  192895. #else
  192896. #ifdef PNG_FIXED_POINT_SUPPORTED
  192897. png_write_sCAL_s(png_ptr, (int)info_ptr->scal_unit,
  192898. info_ptr->scal_s_width, info_ptr->scal_s_height);
  192899. #else
  192900. png_warning(png_ptr,
  192901. "png_write_sCAL not supported; sCAL chunk not written.");
  192902. #endif
  192903. #endif
  192904. #endif
  192905. #if defined(PNG_WRITE_pHYs_SUPPORTED)
  192906. if (info_ptr->valid & PNG_INFO_pHYs)
  192907. png_write_pHYs(png_ptr, info_ptr->x_pixels_per_unit,
  192908. info_ptr->y_pixels_per_unit, info_ptr->phys_unit_type);
  192909. #endif
  192910. #if defined(PNG_WRITE_tIME_SUPPORTED)
  192911. if (info_ptr->valid & PNG_INFO_tIME)
  192912. {
  192913. png_write_tIME(png_ptr, &(info_ptr->mod_time));
  192914. png_ptr->mode |= PNG_WROTE_tIME;
  192915. }
  192916. #endif
  192917. #if defined(PNG_WRITE_sPLT_SUPPORTED)
  192918. if (info_ptr->valid & PNG_INFO_sPLT)
  192919. for (i = 0; i < (int)info_ptr->splt_palettes_num; i++)
  192920. png_write_sPLT(png_ptr, info_ptr->splt_palettes + i);
  192921. #endif
  192922. #if defined(PNG_WRITE_TEXT_SUPPORTED)
  192923. /* Check to see if we need to write text chunks */
  192924. for (i = 0; i < info_ptr->num_text; i++)
  192925. {
  192926. png_debug2(2, "Writing header text chunk %d, type %d\n", i,
  192927. info_ptr->text[i].compression);
  192928. /* an internationalized chunk? */
  192929. if (info_ptr->text[i].compression > 0)
  192930. {
  192931. #if defined(PNG_WRITE_iTXt_SUPPORTED)
  192932. /* write international chunk */
  192933. png_write_iTXt(png_ptr,
  192934. info_ptr->text[i].compression,
  192935. info_ptr->text[i].key,
  192936. info_ptr->text[i].lang,
  192937. info_ptr->text[i].lang_key,
  192938. info_ptr->text[i].text);
  192939. #else
  192940. png_warning(png_ptr, "Unable to write international text");
  192941. #endif
  192942. /* Mark this chunk as written */
  192943. info_ptr->text[i].compression = PNG_TEXT_COMPRESSION_NONE_WR;
  192944. }
  192945. /* If we want a compressed text chunk */
  192946. else if (info_ptr->text[i].compression == PNG_TEXT_COMPRESSION_zTXt)
  192947. {
  192948. #if defined(PNG_WRITE_zTXt_SUPPORTED)
  192949. /* write compressed chunk */
  192950. png_write_zTXt(png_ptr, info_ptr->text[i].key,
  192951. info_ptr->text[i].text, 0,
  192952. info_ptr->text[i].compression);
  192953. #else
  192954. png_warning(png_ptr, "Unable to write compressed text");
  192955. #endif
  192956. /* Mark this chunk as written */
  192957. info_ptr->text[i].compression = PNG_TEXT_COMPRESSION_zTXt_WR;
  192958. }
  192959. else if (info_ptr->text[i].compression == PNG_TEXT_COMPRESSION_NONE)
  192960. {
  192961. #if defined(PNG_WRITE_tEXt_SUPPORTED)
  192962. /* write uncompressed chunk */
  192963. png_write_tEXt(png_ptr, info_ptr->text[i].key,
  192964. info_ptr->text[i].text,
  192965. 0);
  192966. #else
  192967. png_warning(png_ptr, "Unable to write uncompressed text");
  192968. #endif
  192969. /* Mark this chunk as written */
  192970. info_ptr->text[i].compression = PNG_TEXT_COMPRESSION_NONE_WR;
  192971. }
  192972. }
  192973. #endif
  192974. #if defined(PNG_WRITE_UNKNOWN_CHUNKS_SUPPORTED)
  192975. if (info_ptr->unknown_chunks_num)
  192976. {
  192977. png_unknown_chunk *up;
  192978. png_debug(5, "writing extra chunks\n");
  192979. for (up = info_ptr->unknown_chunks;
  192980. up < info_ptr->unknown_chunks + info_ptr->unknown_chunks_num;
  192981. up++)
  192982. {
  192983. int keep=png_handle_as_unknown(png_ptr, up->name);
  192984. if (keep != PNG_HANDLE_CHUNK_NEVER &&
  192985. up->location && (up->location & PNG_HAVE_PLTE) &&
  192986. !(up->location & PNG_HAVE_IDAT) &&
  192987. ((up->name[3] & 0x20) || keep == PNG_HANDLE_CHUNK_ALWAYS ||
  192988. (png_ptr->flags & PNG_FLAG_KEEP_UNSAFE_CHUNKS)))
  192989. {
  192990. png_write_chunk(png_ptr, up->name, up->data, up->size);
  192991. }
  192992. }
  192993. }
  192994. #endif
  192995. }
  192996. /* Writes the end of the PNG file. If you don't want to write comments or
  192997. * time information, you can pass NULL for info. If you already wrote these
  192998. * in png_write_info(), do not write them again here. If you have long
  192999. * comments, I suggest writing them here, and compressing them.
  193000. */
  193001. void PNGAPI
  193002. png_write_end(png_structp png_ptr, png_infop info_ptr)
  193003. {
  193004. png_debug(1, "in png_write_end\n");
  193005. if (png_ptr == NULL)
  193006. return;
  193007. if (!(png_ptr->mode & PNG_HAVE_IDAT))
  193008. png_error(png_ptr, "No IDATs written into file");
  193009. /* see if user wants us to write information chunks */
  193010. if (info_ptr != NULL)
  193011. {
  193012. #if defined(PNG_WRITE_TEXT_SUPPORTED)
  193013. int i; /* local index variable */
  193014. #endif
  193015. #if defined(PNG_WRITE_tIME_SUPPORTED)
  193016. /* check to see if user has supplied a time chunk */
  193017. if ((info_ptr->valid & PNG_INFO_tIME) &&
  193018. !(png_ptr->mode & PNG_WROTE_tIME))
  193019. png_write_tIME(png_ptr, &(info_ptr->mod_time));
  193020. #endif
  193021. #if defined(PNG_WRITE_TEXT_SUPPORTED)
  193022. /* loop through comment chunks */
  193023. for (i = 0; i < info_ptr->num_text; i++)
  193024. {
  193025. png_debug2(2, "Writing trailer text chunk %d, type %d\n", i,
  193026. info_ptr->text[i].compression);
  193027. /* an internationalized chunk? */
  193028. if (info_ptr->text[i].compression > 0)
  193029. {
  193030. #if defined(PNG_WRITE_iTXt_SUPPORTED)
  193031. /* write international chunk */
  193032. png_write_iTXt(png_ptr,
  193033. info_ptr->text[i].compression,
  193034. info_ptr->text[i].key,
  193035. info_ptr->text[i].lang,
  193036. info_ptr->text[i].lang_key,
  193037. info_ptr->text[i].text);
  193038. #else
  193039. png_warning(png_ptr, "Unable to write international text");
  193040. #endif
  193041. /* Mark this chunk as written */
  193042. info_ptr->text[i].compression = PNG_TEXT_COMPRESSION_NONE_WR;
  193043. }
  193044. else if (info_ptr->text[i].compression >= PNG_TEXT_COMPRESSION_zTXt)
  193045. {
  193046. #if defined(PNG_WRITE_zTXt_SUPPORTED)
  193047. /* write compressed chunk */
  193048. png_write_zTXt(png_ptr, info_ptr->text[i].key,
  193049. info_ptr->text[i].text, 0,
  193050. info_ptr->text[i].compression);
  193051. #else
  193052. png_warning(png_ptr, "Unable to write compressed text");
  193053. #endif
  193054. /* Mark this chunk as written */
  193055. info_ptr->text[i].compression = PNG_TEXT_COMPRESSION_zTXt_WR;
  193056. }
  193057. else if (info_ptr->text[i].compression == PNG_TEXT_COMPRESSION_NONE)
  193058. {
  193059. #if defined(PNG_WRITE_tEXt_SUPPORTED)
  193060. /* write uncompressed chunk */
  193061. png_write_tEXt(png_ptr, info_ptr->text[i].key,
  193062. info_ptr->text[i].text, 0);
  193063. #else
  193064. png_warning(png_ptr, "Unable to write uncompressed text");
  193065. #endif
  193066. /* Mark this chunk as written */
  193067. info_ptr->text[i].compression = PNG_TEXT_COMPRESSION_NONE_WR;
  193068. }
  193069. }
  193070. #endif
  193071. #if defined(PNG_WRITE_UNKNOWN_CHUNKS_SUPPORTED)
  193072. if (info_ptr->unknown_chunks_num)
  193073. {
  193074. png_unknown_chunk *up;
  193075. png_debug(5, "writing extra chunks\n");
  193076. for (up = info_ptr->unknown_chunks;
  193077. up < info_ptr->unknown_chunks + info_ptr->unknown_chunks_num;
  193078. up++)
  193079. {
  193080. int keep=png_handle_as_unknown(png_ptr, up->name);
  193081. if (keep != PNG_HANDLE_CHUNK_NEVER &&
  193082. up->location && (up->location & PNG_AFTER_IDAT) &&
  193083. ((up->name[3] & 0x20) || keep == PNG_HANDLE_CHUNK_ALWAYS ||
  193084. (png_ptr->flags & PNG_FLAG_KEEP_UNSAFE_CHUNKS)))
  193085. {
  193086. png_write_chunk(png_ptr, up->name, up->data, up->size);
  193087. }
  193088. }
  193089. }
  193090. #endif
  193091. }
  193092. png_ptr->mode |= PNG_AFTER_IDAT;
  193093. /* write end of PNG file */
  193094. png_write_IEND(png_ptr);
  193095. }
  193096. #if defined(PNG_WRITE_tIME_SUPPORTED)
  193097. #if !defined(_WIN32_WCE)
  193098. /* "time.h" functions are not supported on WindowsCE */
  193099. void PNGAPI
  193100. png_convert_from_struct_tm(png_timep ptime, struct tm FAR * ttime)
  193101. {
  193102. png_debug(1, "in png_convert_from_struct_tm\n");
  193103. ptime->year = (png_uint_16)(1900 + ttime->tm_year);
  193104. ptime->month = (png_byte)(ttime->tm_mon + 1);
  193105. ptime->day = (png_byte)ttime->tm_mday;
  193106. ptime->hour = (png_byte)ttime->tm_hour;
  193107. ptime->minute = (png_byte)ttime->tm_min;
  193108. ptime->second = (png_byte)ttime->tm_sec;
  193109. }
  193110. void PNGAPI
  193111. png_convert_from_time_t(png_timep ptime, time_t ttime)
  193112. {
  193113. struct tm *tbuf;
  193114. png_debug(1, "in png_convert_from_time_t\n");
  193115. tbuf = gmtime(&ttime);
  193116. png_convert_from_struct_tm(ptime, tbuf);
  193117. }
  193118. #endif
  193119. #endif
  193120. /* Initialize png_ptr structure, and allocate any memory needed */
  193121. png_structp PNGAPI
  193122. png_create_write_struct(png_const_charp user_png_ver, png_voidp error_ptr,
  193123. png_error_ptr error_fn, png_error_ptr warn_fn)
  193124. {
  193125. #ifdef PNG_USER_MEM_SUPPORTED
  193126. return (png_create_write_struct_2(user_png_ver, error_ptr, error_fn,
  193127. warn_fn, png_voidp_NULL, png_malloc_ptr_NULL, png_free_ptr_NULL));
  193128. }
  193129. /* Alternate initialize png_ptr structure, and allocate any memory needed */
  193130. png_structp PNGAPI
  193131. png_create_write_struct_2(png_const_charp user_png_ver, png_voidp error_ptr,
  193132. png_error_ptr error_fn, png_error_ptr warn_fn, png_voidp mem_ptr,
  193133. png_malloc_ptr malloc_fn, png_free_ptr free_fn)
  193134. {
  193135. #endif /* PNG_USER_MEM_SUPPORTED */
  193136. png_structp png_ptr;
  193137. #ifdef PNG_SETJMP_SUPPORTED
  193138. #ifdef USE_FAR_KEYWORD
  193139. jmp_buf jmpbuf;
  193140. #endif
  193141. #endif
  193142. int i;
  193143. png_debug(1, "in png_create_write_struct\n");
  193144. #ifdef PNG_USER_MEM_SUPPORTED
  193145. png_ptr = (png_structp)png_create_struct_2(PNG_STRUCT_PNG,
  193146. (png_malloc_ptr)malloc_fn, (png_voidp)mem_ptr);
  193147. #else
  193148. png_ptr = (png_structp)png_create_struct(PNG_STRUCT_PNG);
  193149. #endif /* PNG_USER_MEM_SUPPORTED */
  193150. if (png_ptr == NULL)
  193151. return (NULL);
  193152. /* added at libpng-1.2.6 */
  193153. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  193154. png_ptr->user_width_max=PNG_USER_WIDTH_MAX;
  193155. png_ptr->user_height_max=PNG_USER_HEIGHT_MAX;
  193156. #endif
  193157. #ifdef PNG_SETJMP_SUPPORTED
  193158. #ifdef USE_FAR_KEYWORD
  193159. if (setjmp(jmpbuf))
  193160. #else
  193161. if (setjmp(png_ptr->jmpbuf))
  193162. #endif
  193163. {
  193164. png_free(png_ptr, png_ptr->zbuf);
  193165. png_ptr->zbuf=NULL;
  193166. png_destroy_struct(png_ptr);
  193167. return (NULL);
  193168. }
  193169. #ifdef USE_FAR_KEYWORD
  193170. png_memcpy(png_ptr->jmpbuf,jmpbuf,png_sizeof(jmp_buf));
  193171. #endif
  193172. #endif
  193173. #ifdef PNG_USER_MEM_SUPPORTED
  193174. png_set_mem_fn(png_ptr, mem_ptr, malloc_fn, free_fn);
  193175. #endif /* PNG_USER_MEM_SUPPORTED */
  193176. png_set_error_fn(png_ptr, error_ptr, error_fn, warn_fn);
  193177. i=0;
  193178. do
  193179. {
  193180. if(user_png_ver[i] != png_libpng_ver[i])
  193181. png_ptr->flags |= PNG_FLAG_LIBRARY_MISMATCH;
  193182. } while (png_libpng_ver[i++]);
  193183. if (png_ptr->flags & PNG_FLAG_LIBRARY_MISMATCH)
  193184. {
  193185. /* Libpng 0.90 and later are binary incompatible with libpng 0.89, so
  193186. * we must recompile any applications that use any older library version.
  193187. * For versions after libpng 1.0, we will be compatible, so we need
  193188. * only check the first digit.
  193189. */
  193190. if (user_png_ver == NULL || user_png_ver[0] != png_libpng_ver[0] ||
  193191. (user_png_ver[0] == '1' && user_png_ver[2] != png_libpng_ver[2]) ||
  193192. (user_png_ver[0] == '0' && user_png_ver[2] < '9'))
  193193. {
  193194. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  193195. char msg[80];
  193196. if (user_png_ver)
  193197. {
  193198. png_snprintf(msg, 80,
  193199. "Application was compiled with png.h from libpng-%.20s",
  193200. user_png_ver);
  193201. png_warning(png_ptr, msg);
  193202. }
  193203. png_snprintf(msg, 80,
  193204. "Application is running with png.c from libpng-%.20s",
  193205. png_libpng_ver);
  193206. png_warning(png_ptr, msg);
  193207. #endif
  193208. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  193209. png_ptr->flags=0;
  193210. #endif
  193211. png_error(png_ptr,
  193212. "Incompatible libpng version in application and library");
  193213. }
  193214. }
  193215. /* initialize zbuf - compression buffer */
  193216. png_ptr->zbuf_size = PNG_ZBUF_SIZE;
  193217. png_ptr->zbuf = (png_bytep)png_malloc(png_ptr,
  193218. (png_uint_32)png_ptr->zbuf_size);
  193219. png_set_write_fn(png_ptr, png_voidp_NULL, png_rw_ptr_NULL,
  193220. png_flush_ptr_NULL);
  193221. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  193222. png_set_filter_heuristics(png_ptr, PNG_FILTER_HEURISTIC_DEFAULT,
  193223. 1, png_doublep_NULL, png_doublep_NULL);
  193224. #endif
  193225. #ifdef PNG_SETJMP_SUPPORTED
  193226. /* Applications that neglect to set up their own setjmp() and then encounter
  193227. a png_error() will longjmp here. Since the jmpbuf is then meaningless we
  193228. abort instead of returning. */
  193229. #ifdef USE_FAR_KEYWORD
  193230. if (setjmp(jmpbuf))
  193231. PNG_ABORT();
  193232. png_memcpy(png_ptr->jmpbuf,jmpbuf,png_sizeof(jmp_buf));
  193233. #else
  193234. if (setjmp(png_ptr->jmpbuf))
  193235. PNG_ABORT();
  193236. #endif
  193237. #endif
  193238. return (png_ptr);
  193239. }
  193240. /* Initialize png_ptr structure, and allocate any memory needed */
  193241. #if defined(PNG_1_0_X) || defined(PNG_1_2_X)
  193242. /* Deprecated. */
  193243. #undef png_write_init
  193244. void PNGAPI
  193245. png_write_init(png_structp png_ptr)
  193246. {
  193247. /* We only come here via pre-1.0.7-compiled applications */
  193248. png_write_init_2(png_ptr, "1.0.6 or earlier", 0, 0);
  193249. }
  193250. void PNGAPI
  193251. png_write_init_2(png_structp png_ptr, png_const_charp user_png_ver,
  193252. png_size_t png_struct_size, png_size_t png_info_size)
  193253. {
  193254. /* We only come here via pre-1.0.12-compiled applications */
  193255. if(png_ptr == NULL) return;
  193256. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  193257. if(png_sizeof(png_struct) > png_struct_size ||
  193258. png_sizeof(png_info) > png_info_size)
  193259. {
  193260. char msg[80];
  193261. png_ptr->warning_fn=NULL;
  193262. if (user_png_ver)
  193263. {
  193264. png_snprintf(msg, 80,
  193265. "Application was compiled with png.h from libpng-%.20s",
  193266. user_png_ver);
  193267. png_warning(png_ptr, msg);
  193268. }
  193269. png_snprintf(msg, 80,
  193270. "Application is running with png.c from libpng-%.20s",
  193271. png_libpng_ver);
  193272. png_warning(png_ptr, msg);
  193273. }
  193274. #endif
  193275. if(png_sizeof(png_struct) > png_struct_size)
  193276. {
  193277. png_ptr->error_fn=NULL;
  193278. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  193279. png_ptr->flags=0;
  193280. #endif
  193281. png_error(png_ptr,
  193282. "The png struct allocated by the application for writing is too small.");
  193283. }
  193284. if(png_sizeof(png_info) > png_info_size)
  193285. {
  193286. png_ptr->error_fn=NULL;
  193287. #ifdef PNG_ERROR_NUMBERS_SUPPORTED
  193288. png_ptr->flags=0;
  193289. #endif
  193290. png_error(png_ptr,
  193291. "The info struct allocated by the application for writing is too small.");
  193292. }
  193293. png_write_init_3(&png_ptr, user_png_ver, png_struct_size);
  193294. }
  193295. #endif /* PNG_1_0_X || PNG_1_2_X */
  193296. void PNGAPI
  193297. png_write_init_3(png_structpp ptr_ptr, png_const_charp user_png_ver,
  193298. png_size_t png_struct_size)
  193299. {
  193300. png_structp png_ptr=*ptr_ptr;
  193301. #ifdef PNG_SETJMP_SUPPORTED
  193302. jmp_buf tmp_jmp; /* to save current jump buffer */
  193303. #endif
  193304. int i = 0;
  193305. if (png_ptr == NULL)
  193306. return;
  193307. do
  193308. {
  193309. if (user_png_ver[i] != png_libpng_ver[i])
  193310. {
  193311. #ifdef PNG_LEGACY_SUPPORTED
  193312. png_ptr->flags |= PNG_FLAG_LIBRARY_MISMATCH;
  193313. #else
  193314. png_ptr->warning_fn=NULL;
  193315. png_warning(png_ptr,
  193316. "Application uses deprecated png_write_init() and should be recompiled.");
  193317. break;
  193318. #endif
  193319. }
  193320. } while (png_libpng_ver[i++]);
  193321. png_debug(1, "in png_write_init_3\n");
  193322. #ifdef PNG_SETJMP_SUPPORTED
  193323. /* save jump buffer and error functions */
  193324. png_memcpy(tmp_jmp, png_ptr->jmpbuf, png_sizeof (jmp_buf));
  193325. #endif
  193326. if (png_sizeof(png_struct) > png_struct_size)
  193327. {
  193328. png_destroy_struct(png_ptr);
  193329. png_ptr = (png_structp)png_create_struct(PNG_STRUCT_PNG);
  193330. *ptr_ptr = png_ptr;
  193331. }
  193332. /* reset all variables to 0 */
  193333. png_memset(png_ptr, 0, png_sizeof (png_struct));
  193334. /* added at libpng-1.2.6 */
  193335. #ifdef PNG_SET_USER_LIMITS_SUPPORTED
  193336. png_ptr->user_width_max=PNG_USER_WIDTH_MAX;
  193337. png_ptr->user_height_max=PNG_USER_HEIGHT_MAX;
  193338. #endif
  193339. #ifdef PNG_SETJMP_SUPPORTED
  193340. /* restore jump buffer */
  193341. png_memcpy(png_ptr->jmpbuf, tmp_jmp, png_sizeof (jmp_buf));
  193342. #endif
  193343. png_set_write_fn(png_ptr, png_voidp_NULL, png_rw_ptr_NULL,
  193344. png_flush_ptr_NULL);
  193345. /* initialize zbuf - compression buffer */
  193346. png_ptr->zbuf_size = PNG_ZBUF_SIZE;
  193347. png_ptr->zbuf = (png_bytep)png_malloc(png_ptr,
  193348. (png_uint_32)png_ptr->zbuf_size);
  193349. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  193350. png_set_filter_heuristics(png_ptr, PNG_FILTER_HEURISTIC_DEFAULT,
  193351. 1, png_doublep_NULL, png_doublep_NULL);
  193352. #endif
  193353. }
  193354. /* Write a few rows of image data. If the image is interlaced,
  193355. * either you will have to write the 7 sub images, or, if you
  193356. * have called png_set_interlace_handling(), you will have to
  193357. * "write" the image seven times.
  193358. */
  193359. void PNGAPI
  193360. png_write_rows(png_structp png_ptr, png_bytepp row,
  193361. png_uint_32 num_rows)
  193362. {
  193363. png_uint_32 i; /* row counter */
  193364. png_bytepp rp; /* row pointer */
  193365. png_debug(1, "in png_write_rows\n");
  193366. if (png_ptr == NULL)
  193367. return;
  193368. /* loop through the rows */
  193369. for (i = 0, rp = row; i < num_rows; i++, rp++)
  193370. {
  193371. png_write_row(png_ptr, *rp);
  193372. }
  193373. }
  193374. /* Write the image. You only need to call this function once, even
  193375. * if you are writing an interlaced image.
  193376. */
  193377. void PNGAPI
  193378. png_write_image(png_structp png_ptr, png_bytepp image)
  193379. {
  193380. png_uint_32 i; /* row index */
  193381. int pass, num_pass; /* pass variables */
  193382. png_bytepp rp; /* points to current row */
  193383. if (png_ptr == NULL)
  193384. return;
  193385. png_debug(1, "in png_write_image\n");
  193386. #if defined(PNG_WRITE_INTERLACING_SUPPORTED)
  193387. /* intialize interlace handling. If image is not interlaced,
  193388. this will set pass to 1 */
  193389. num_pass = png_set_interlace_handling(png_ptr);
  193390. #else
  193391. num_pass = 1;
  193392. #endif
  193393. /* loop through passes */
  193394. for (pass = 0; pass < num_pass; pass++)
  193395. {
  193396. /* loop through image */
  193397. for (i = 0, rp = image; i < png_ptr->height; i++, rp++)
  193398. {
  193399. png_write_row(png_ptr, *rp);
  193400. }
  193401. }
  193402. }
  193403. /* called by user to write a row of image data */
  193404. void PNGAPI
  193405. png_write_row(png_structp png_ptr, png_bytep row)
  193406. {
  193407. if (png_ptr == NULL)
  193408. return;
  193409. png_debug2(1, "in png_write_row (row %ld, pass %d)\n",
  193410. png_ptr->row_number, png_ptr->pass);
  193411. /* initialize transformations and other stuff if first time */
  193412. if (png_ptr->row_number == 0 && png_ptr->pass == 0)
  193413. {
  193414. /* make sure we wrote the header info */
  193415. if (!(png_ptr->mode & PNG_WROTE_INFO_BEFORE_PLTE))
  193416. png_error(png_ptr,
  193417. "png_write_info was never called before png_write_row.");
  193418. /* check for transforms that have been set but were defined out */
  193419. #if !defined(PNG_WRITE_INVERT_SUPPORTED) && defined(PNG_READ_INVERT_SUPPORTED)
  193420. if (png_ptr->transformations & PNG_INVERT_MONO)
  193421. png_warning(png_ptr, "PNG_WRITE_INVERT_SUPPORTED is not defined.");
  193422. #endif
  193423. #if !defined(PNG_WRITE_FILLER_SUPPORTED) && defined(PNG_READ_FILLER_SUPPORTED)
  193424. if (png_ptr->transformations & PNG_FILLER)
  193425. png_warning(png_ptr, "PNG_WRITE_FILLER_SUPPORTED is not defined.");
  193426. #endif
  193427. #if !defined(PNG_WRITE_PACKSWAP_SUPPORTED) && defined(PNG_READ_PACKSWAP_SUPPORTED)
  193428. if (png_ptr->transformations & PNG_PACKSWAP)
  193429. png_warning(png_ptr, "PNG_WRITE_PACKSWAP_SUPPORTED is not defined.");
  193430. #endif
  193431. #if !defined(PNG_WRITE_PACK_SUPPORTED) && defined(PNG_READ_PACK_SUPPORTED)
  193432. if (png_ptr->transformations & PNG_PACK)
  193433. png_warning(png_ptr, "PNG_WRITE_PACK_SUPPORTED is not defined.");
  193434. #endif
  193435. #if !defined(PNG_WRITE_SHIFT_SUPPORTED) && defined(PNG_READ_SHIFT_SUPPORTED)
  193436. if (png_ptr->transformations & PNG_SHIFT)
  193437. png_warning(png_ptr, "PNG_WRITE_SHIFT_SUPPORTED is not defined.");
  193438. #endif
  193439. #if !defined(PNG_WRITE_BGR_SUPPORTED) && defined(PNG_READ_BGR_SUPPORTED)
  193440. if (png_ptr->transformations & PNG_BGR)
  193441. png_warning(png_ptr, "PNG_WRITE_BGR_SUPPORTED is not defined.");
  193442. #endif
  193443. #if !defined(PNG_WRITE_SWAP_SUPPORTED) && defined(PNG_READ_SWAP_SUPPORTED)
  193444. if (png_ptr->transformations & PNG_SWAP_BYTES)
  193445. png_warning(png_ptr, "PNG_WRITE_SWAP_SUPPORTED is not defined.");
  193446. #endif
  193447. png_write_start_row(png_ptr);
  193448. }
  193449. #if defined(PNG_WRITE_INTERLACING_SUPPORTED)
  193450. /* if interlaced and not interested in row, return */
  193451. if (png_ptr->interlaced && (png_ptr->transformations & PNG_INTERLACE))
  193452. {
  193453. switch (png_ptr->pass)
  193454. {
  193455. case 0:
  193456. if (png_ptr->row_number & 0x07)
  193457. {
  193458. png_write_finish_row(png_ptr);
  193459. return;
  193460. }
  193461. break;
  193462. case 1:
  193463. if ((png_ptr->row_number & 0x07) || png_ptr->width < 5)
  193464. {
  193465. png_write_finish_row(png_ptr);
  193466. return;
  193467. }
  193468. break;
  193469. case 2:
  193470. if ((png_ptr->row_number & 0x07) != 4)
  193471. {
  193472. png_write_finish_row(png_ptr);
  193473. return;
  193474. }
  193475. break;
  193476. case 3:
  193477. if ((png_ptr->row_number & 0x03) || png_ptr->width < 3)
  193478. {
  193479. png_write_finish_row(png_ptr);
  193480. return;
  193481. }
  193482. break;
  193483. case 4:
  193484. if ((png_ptr->row_number & 0x03) != 2)
  193485. {
  193486. png_write_finish_row(png_ptr);
  193487. return;
  193488. }
  193489. break;
  193490. case 5:
  193491. if ((png_ptr->row_number & 0x01) || png_ptr->width < 2)
  193492. {
  193493. png_write_finish_row(png_ptr);
  193494. return;
  193495. }
  193496. break;
  193497. case 6:
  193498. if (!(png_ptr->row_number & 0x01))
  193499. {
  193500. png_write_finish_row(png_ptr);
  193501. return;
  193502. }
  193503. break;
  193504. }
  193505. }
  193506. #endif
  193507. /* set up row info for transformations */
  193508. png_ptr->row_info.color_type = png_ptr->color_type;
  193509. png_ptr->row_info.width = png_ptr->usr_width;
  193510. png_ptr->row_info.channels = png_ptr->usr_channels;
  193511. png_ptr->row_info.bit_depth = png_ptr->usr_bit_depth;
  193512. png_ptr->row_info.pixel_depth = (png_byte)(png_ptr->row_info.bit_depth *
  193513. png_ptr->row_info.channels);
  193514. png_ptr->row_info.rowbytes = PNG_ROWBYTES(png_ptr->row_info.pixel_depth,
  193515. png_ptr->row_info.width);
  193516. png_debug1(3, "row_info->color_type = %d\n", png_ptr->row_info.color_type);
  193517. png_debug1(3, "row_info->width = %lu\n", png_ptr->row_info.width);
  193518. png_debug1(3, "row_info->channels = %d\n", png_ptr->row_info.channels);
  193519. png_debug1(3, "row_info->bit_depth = %d\n", png_ptr->row_info.bit_depth);
  193520. png_debug1(3, "row_info->pixel_depth = %d\n", png_ptr->row_info.pixel_depth);
  193521. png_debug1(3, "row_info->rowbytes = %lu\n", png_ptr->row_info.rowbytes);
  193522. /* Copy user's row into buffer, leaving room for filter byte. */
  193523. png_memcpy_check(png_ptr, png_ptr->row_buf + 1, row,
  193524. png_ptr->row_info.rowbytes);
  193525. #if defined(PNG_WRITE_INTERLACING_SUPPORTED)
  193526. /* handle interlacing */
  193527. if (png_ptr->interlaced && png_ptr->pass < 6 &&
  193528. (png_ptr->transformations & PNG_INTERLACE))
  193529. {
  193530. png_do_write_interlace(&(png_ptr->row_info),
  193531. png_ptr->row_buf + 1, png_ptr->pass);
  193532. /* this should always get caught above, but still ... */
  193533. if (!(png_ptr->row_info.width))
  193534. {
  193535. png_write_finish_row(png_ptr);
  193536. return;
  193537. }
  193538. }
  193539. #endif
  193540. /* handle other transformations */
  193541. if (png_ptr->transformations)
  193542. png_do_write_transformations(png_ptr);
  193543. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  193544. /* Write filter_method 64 (intrapixel differencing) only if
  193545. * 1. Libpng was compiled with PNG_MNG_FEATURES_SUPPORTED and
  193546. * 2. Libpng did not write a PNG signature (this filter_method is only
  193547. * used in PNG datastreams that are embedded in MNG datastreams) and
  193548. * 3. The application called png_permit_mng_features with a mask that
  193549. * included PNG_FLAG_MNG_FILTER_64 and
  193550. * 4. The filter_method is 64 and
  193551. * 5. The color_type is RGB or RGBA
  193552. */
  193553. if((png_ptr->mng_features_permitted & PNG_FLAG_MNG_FILTER_64) &&
  193554. (png_ptr->filter_type == PNG_INTRAPIXEL_DIFFERENCING))
  193555. {
  193556. /* Intrapixel differencing */
  193557. png_do_write_intrapixel(&(png_ptr->row_info), png_ptr->row_buf + 1);
  193558. }
  193559. #endif
  193560. /* Find a filter if necessary, filter the row and write it out. */
  193561. png_write_find_filter(png_ptr, &(png_ptr->row_info));
  193562. if (png_ptr->write_row_fn != NULL)
  193563. (*(png_ptr->write_row_fn))(png_ptr, png_ptr->row_number, png_ptr->pass);
  193564. }
  193565. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  193566. /* Set the automatic flush interval or 0 to turn flushing off */
  193567. void PNGAPI
  193568. png_set_flush(png_structp png_ptr, int nrows)
  193569. {
  193570. png_debug(1, "in png_set_flush\n");
  193571. if (png_ptr == NULL)
  193572. return;
  193573. png_ptr->flush_dist = (nrows < 0 ? 0 : nrows);
  193574. }
  193575. /* flush the current output buffers now */
  193576. void PNGAPI
  193577. png_write_flush(png_structp png_ptr)
  193578. {
  193579. int wrote_IDAT;
  193580. png_debug(1, "in png_write_flush\n");
  193581. if (png_ptr == NULL)
  193582. return;
  193583. /* We have already written out all of the data */
  193584. if (png_ptr->row_number >= png_ptr->num_rows)
  193585. return;
  193586. do
  193587. {
  193588. int ret;
  193589. /* compress the data */
  193590. ret = deflate(&png_ptr->zstream, Z_SYNC_FLUSH);
  193591. wrote_IDAT = 0;
  193592. /* check for compression errors */
  193593. if (ret != Z_OK)
  193594. {
  193595. if (png_ptr->zstream.msg != NULL)
  193596. png_error(png_ptr, png_ptr->zstream.msg);
  193597. else
  193598. png_error(png_ptr, "zlib error");
  193599. }
  193600. if (!(png_ptr->zstream.avail_out))
  193601. {
  193602. /* write the IDAT and reset the zlib output buffer */
  193603. png_write_IDAT(png_ptr, png_ptr->zbuf,
  193604. png_ptr->zbuf_size);
  193605. png_ptr->zstream.next_out = png_ptr->zbuf;
  193606. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  193607. wrote_IDAT = 1;
  193608. }
  193609. } while(wrote_IDAT == 1);
  193610. /* If there is any data left to be output, write it into a new IDAT */
  193611. if (png_ptr->zbuf_size != png_ptr->zstream.avail_out)
  193612. {
  193613. /* write the IDAT and reset the zlib output buffer */
  193614. png_write_IDAT(png_ptr, png_ptr->zbuf,
  193615. png_ptr->zbuf_size - png_ptr->zstream.avail_out);
  193616. png_ptr->zstream.next_out = png_ptr->zbuf;
  193617. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  193618. }
  193619. png_ptr->flush_rows = 0;
  193620. png_flush(png_ptr);
  193621. }
  193622. #endif /* PNG_WRITE_FLUSH_SUPPORTED */
  193623. /* free all memory used by the write */
  193624. void PNGAPI
  193625. png_destroy_write_struct(png_structpp png_ptr_ptr, png_infopp info_ptr_ptr)
  193626. {
  193627. png_structp png_ptr = NULL;
  193628. png_infop info_ptr = NULL;
  193629. #ifdef PNG_USER_MEM_SUPPORTED
  193630. png_free_ptr free_fn = NULL;
  193631. png_voidp mem_ptr = NULL;
  193632. #endif
  193633. png_debug(1, "in png_destroy_write_struct\n");
  193634. if (png_ptr_ptr != NULL)
  193635. {
  193636. png_ptr = *png_ptr_ptr;
  193637. #ifdef PNG_USER_MEM_SUPPORTED
  193638. free_fn = png_ptr->free_fn;
  193639. mem_ptr = png_ptr->mem_ptr;
  193640. #endif
  193641. }
  193642. if (info_ptr_ptr != NULL)
  193643. info_ptr = *info_ptr_ptr;
  193644. if (info_ptr != NULL)
  193645. {
  193646. png_free_data(png_ptr, info_ptr, PNG_FREE_ALL, -1);
  193647. #if defined(PNG_UNKNOWN_CHUNKS_SUPPORTED)
  193648. if (png_ptr->num_chunk_list)
  193649. {
  193650. png_free(png_ptr, png_ptr->chunk_list);
  193651. png_ptr->chunk_list=NULL;
  193652. png_ptr->num_chunk_list=0;
  193653. }
  193654. #endif
  193655. #ifdef PNG_USER_MEM_SUPPORTED
  193656. png_destroy_struct_2((png_voidp)info_ptr, (png_free_ptr)free_fn,
  193657. (png_voidp)mem_ptr);
  193658. #else
  193659. png_destroy_struct((png_voidp)info_ptr);
  193660. #endif
  193661. *info_ptr_ptr = NULL;
  193662. }
  193663. if (png_ptr != NULL)
  193664. {
  193665. png_write_destroy(png_ptr);
  193666. #ifdef PNG_USER_MEM_SUPPORTED
  193667. png_destroy_struct_2((png_voidp)png_ptr, (png_free_ptr)free_fn,
  193668. (png_voidp)mem_ptr);
  193669. #else
  193670. png_destroy_struct((png_voidp)png_ptr);
  193671. #endif
  193672. *png_ptr_ptr = NULL;
  193673. }
  193674. }
  193675. /* Free any memory used in png_ptr struct (old method) */
  193676. void /* PRIVATE */
  193677. png_write_destroy(png_structp png_ptr)
  193678. {
  193679. #ifdef PNG_SETJMP_SUPPORTED
  193680. jmp_buf tmp_jmp; /* save jump buffer */
  193681. #endif
  193682. png_error_ptr error_fn;
  193683. png_error_ptr warning_fn;
  193684. png_voidp error_ptr;
  193685. #ifdef PNG_USER_MEM_SUPPORTED
  193686. png_free_ptr free_fn;
  193687. #endif
  193688. png_debug(1, "in png_write_destroy\n");
  193689. /* free any memory zlib uses */
  193690. deflateEnd(&png_ptr->zstream);
  193691. /* free our memory. png_free checks NULL for us. */
  193692. png_free(png_ptr, png_ptr->zbuf);
  193693. png_free(png_ptr, png_ptr->row_buf);
  193694. png_free(png_ptr, png_ptr->prev_row);
  193695. png_free(png_ptr, png_ptr->sub_row);
  193696. png_free(png_ptr, png_ptr->up_row);
  193697. png_free(png_ptr, png_ptr->avg_row);
  193698. png_free(png_ptr, png_ptr->paeth_row);
  193699. #if defined(PNG_TIME_RFC1123_SUPPORTED)
  193700. png_free(png_ptr, png_ptr->time_buffer);
  193701. #endif
  193702. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  193703. png_free(png_ptr, png_ptr->prev_filters);
  193704. png_free(png_ptr, png_ptr->filter_weights);
  193705. png_free(png_ptr, png_ptr->inv_filter_weights);
  193706. png_free(png_ptr, png_ptr->filter_costs);
  193707. png_free(png_ptr, png_ptr->inv_filter_costs);
  193708. #endif
  193709. #ifdef PNG_SETJMP_SUPPORTED
  193710. /* reset structure */
  193711. png_memcpy(tmp_jmp, png_ptr->jmpbuf, png_sizeof (jmp_buf));
  193712. #endif
  193713. error_fn = png_ptr->error_fn;
  193714. warning_fn = png_ptr->warning_fn;
  193715. error_ptr = png_ptr->error_ptr;
  193716. #ifdef PNG_USER_MEM_SUPPORTED
  193717. free_fn = png_ptr->free_fn;
  193718. #endif
  193719. png_memset(png_ptr, 0, png_sizeof (png_struct));
  193720. png_ptr->error_fn = error_fn;
  193721. png_ptr->warning_fn = warning_fn;
  193722. png_ptr->error_ptr = error_ptr;
  193723. #ifdef PNG_USER_MEM_SUPPORTED
  193724. png_ptr->free_fn = free_fn;
  193725. #endif
  193726. #ifdef PNG_SETJMP_SUPPORTED
  193727. png_memcpy(png_ptr->jmpbuf, tmp_jmp, png_sizeof (jmp_buf));
  193728. #endif
  193729. }
  193730. /* Allow the application to select one or more row filters to use. */
  193731. void PNGAPI
  193732. png_set_filter(png_structp png_ptr, int method, int filters)
  193733. {
  193734. png_debug(1, "in png_set_filter\n");
  193735. if (png_ptr == NULL)
  193736. return;
  193737. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  193738. if((png_ptr->mng_features_permitted & PNG_FLAG_MNG_FILTER_64) &&
  193739. (method == PNG_INTRAPIXEL_DIFFERENCING))
  193740. method = PNG_FILTER_TYPE_BASE;
  193741. #endif
  193742. if (method == PNG_FILTER_TYPE_BASE)
  193743. {
  193744. switch (filters & (PNG_ALL_FILTERS | 0x07))
  193745. {
  193746. #ifndef PNG_NO_WRITE_FILTER
  193747. case 5:
  193748. case 6:
  193749. case 7: png_warning(png_ptr, "Unknown row filter for method 0");
  193750. #endif /* PNG_NO_WRITE_FILTER */
  193751. case PNG_FILTER_VALUE_NONE:
  193752. png_ptr->do_filter=PNG_FILTER_NONE; break;
  193753. #ifndef PNG_NO_WRITE_FILTER
  193754. case PNG_FILTER_VALUE_SUB:
  193755. png_ptr->do_filter=PNG_FILTER_SUB; break;
  193756. case PNG_FILTER_VALUE_UP:
  193757. png_ptr->do_filter=PNG_FILTER_UP; break;
  193758. case PNG_FILTER_VALUE_AVG:
  193759. png_ptr->do_filter=PNG_FILTER_AVG; break;
  193760. case PNG_FILTER_VALUE_PAETH:
  193761. png_ptr->do_filter=PNG_FILTER_PAETH; break;
  193762. default: png_ptr->do_filter = (png_byte)filters; break;
  193763. #else
  193764. default: png_warning(png_ptr, "Unknown row filter for method 0");
  193765. #endif /* PNG_NO_WRITE_FILTER */
  193766. }
  193767. /* If we have allocated the row_buf, this means we have already started
  193768. * with the image and we should have allocated all of the filter buffers
  193769. * that have been selected. If prev_row isn't already allocated, then
  193770. * it is too late to start using the filters that need it, since we
  193771. * will be missing the data in the previous row. If an application
  193772. * wants to start and stop using particular filters during compression,
  193773. * it should start out with all of the filters, and then add and
  193774. * remove them after the start of compression.
  193775. */
  193776. if (png_ptr->row_buf != NULL)
  193777. {
  193778. #ifndef PNG_NO_WRITE_FILTER
  193779. if ((png_ptr->do_filter & PNG_FILTER_SUB) && png_ptr->sub_row == NULL)
  193780. {
  193781. png_ptr->sub_row = (png_bytep)png_malloc(png_ptr,
  193782. (png_ptr->rowbytes + 1));
  193783. png_ptr->sub_row[0] = PNG_FILTER_VALUE_SUB;
  193784. }
  193785. if ((png_ptr->do_filter & PNG_FILTER_UP) && png_ptr->up_row == NULL)
  193786. {
  193787. if (png_ptr->prev_row == NULL)
  193788. {
  193789. png_warning(png_ptr, "Can't add Up filter after starting");
  193790. png_ptr->do_filter &= ~PNG_FILTER_UP;
  193791. }
  193792. else
  193793. {
  193794. png_ptr->up_row = (png_bytep)png_malloc(png_ptr,
  193795. (png_ptr->rowbytes + 1));
  193796. png_ptr->up_row[0] = PNG_FILTER_VALUE_UP;
  193797. }
  193798. }
  193799. if ((png_ptr->do_filter & PNG_FILTER_AVG) && png_ptr->avg_row == NULL)
  193800. {
  193801. if (png_ptr->prev_row == NULL)
  193802. {
  193803. png_warning(png_ptr, "Can't add Average filter after starting");
  193804. png_ptr->do_filter &= ~PNG_FILTER_AVG;
  193805. }
  193806. else
  193807. {
  193808. png_ptr->avg_row = (png_bytep)png_malloc(png_ptr,
  193809. (png_ptr->rowbytes + 1));
  193810. png_ptr->avg_row[0] = PNG_FILTER_VALUE_AVG;
  193811. }
  193812. }
  193813. if ((png_ptr->do_filter & PNG_FILTER_PAETH) &&
  193814. png_ptr->paeth_row == NULL)
  193815. {
  193816. if (png_ptr->prev_row == NULL)
  193817. {
  193818. png_warning(png_ptr, "Can't add Paeth filter after starting");
  193819. png_ptr->do_filter &= (png_byte)(~PNG_FILTER_PAETH);
  193820. }
  193821. else
  193822. {
  193823. png_ptr->paeth_row = (png_bytep)png_malloc(png_ptr,
  193824. (png_ptr->rowbytes + 1));
  193825. png_ptr->paeth_row[0] = PNG_FILTER_VALUE_PAETH;
  193826. }
  193827. }
  193828. if (png_ptr->do_filter == PNG_NO_FILTERS)
  193829. #endif /* PNG_NO_WRITE_FILTER */
  193830. png_ptr->do_filter = PNG_FILTER_NONE;
  193831. }
  193832. }
  193833. else
  193834. png_error(png_ptr, "Unknown custom filter method");
  193835. }
  193836. /* This allows us to influence the way in which libpng chooses the "best"
  193837. * filter for the current scanline. While the "minimum-sum-of-absolute-
  193838. * differences metric is relatively fast and effective, there is some
  193839. * question as to whether it can be improved upon by trying to keep the
  193840. * filtered data going to zlib more consistent, hopefully resulting in
  193841. * better compression.
  193842. */
  193843. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED) /* GRR 970116 */
  193844. void PNGAPI
  193845. png_set_filter_heuristics(png_structp png_ptr, int heuristic_method,
  193846. int num_weights, png_doublep filter_weights,
  193847. png_doublep filter_costs)
  193848. {
  193849. int i;
  193850. png_debug(1, "in png_set_filter_heuristics\n");
  193851. if (png_ptr == NULL)
  193852. return;
  193853. if (heuristic_method >= PNG_FILTER_HEURISTIC_LAST)
  193854. {
  193855. png_warning(png_ptr, "Unknown filter heuristic method");
  193856. return;
  193857. }
  193858. if (heuristic_method == PNG_FILTER_HEURISTIC_DEFAULT)
  193859. {
  193860. heuristic_method = PNG_FILTER_HEURISTIC_UNWEIGHTED;
  193861. }
  193862. if (num_weights < 0 || filter_weights == NULL ||
  193863. heuristic_method == PNG_FILTER_HEURISTIC_UNWEIGHTED)
  193864. {
  193865. num_weights = 0;
  193866. }
  193867. png_ptr->num_prev_filters = (png_byte)num_weights;
  193868. png_ptr->heuristic_method = (png_byte)heuristic_method;
  193869. if (num_weights > 0)
  193870. {
  193871. if (png_ptr->prev_filters == NULL)
  193872. {
  193873. png_ptr->prev_filters = (png_bytep)png_malloc(png_ptr,
  193874. (png_uint_32)(png_sizeof(png_byte) * num_weights));
  193875. /* To make sure that the weighting starts out fairly */
  193876. for (i = 0; i < num_weights; i++)
  193877. {
  193878. png_ptr->prev_filters[i] = 255;
  193879. }
  193880. }
  193881. if (png_ptr->filter_weights == NULL)
  193882. {
  193883. png_ptr->filter_weights = (png_uint_16p)png_malloc(png_ptr,
  193884. (png_uint_32)(png_sizeof(png_uint_16) * num_weights));
  193885. png_ptr->inv_filter_weights = (png_uint_16p)png_malloc(png_ptr,
  193886. (png_uint_32)(png_sizeof(png_uint_16) * num_weights));
  193887. for (i = 0; i < num_weights; i++)
  193888. {
  193889. png_ptr->inv_filter_weights[i] =
  193890. png_ptr->filter_weights[i] = PNG_WEIGHT_FACTOR;
  193891. }
  193892. }
  193893. for (i = 0; i < num_weights; i++)
  193894. {
  193895. if (filter_weights[i] < 0.0)
  193896. {
  193897. png_ptr->inv_filter_weights[i] =
  193898. png_ptr->filter_weights[i] = PNG_WEIGHT_FACTOR;
  193899. }
  193900. else
  193901. {
  193902. png_ptr->inv_filter_weights[i] =
  193903. (png_uint_16)((double)PNG_WEIGHT_FACTOR*filter_weights[i]+0.5);
  193904. png_ptr->filter_weights[i] =
  193905. (png_uint_16)((double)PNG_WEIGHT_FACTOR/filter_weights[i]+0.5);
  193906. }
  193907. }
  193908. }
  193909. /* If, in the future, there are other filter methods, this would
  193910. * need to be based on png_ptr->filter.
  193911. */
  193912. if (png_ptr->filter_costs == NULL)
  193913. {
  193914. png_ptr->filter_costs = (png_uint_16p)png_malloc(png_ptr,
  193915. (png_uint_32)(png_sizeof(png_uint_16) * PNG_FILTER_VALUE_LAST));
  193916. png_ptr->inv_filter_costs = (png_uint_16p)png_malloc(png_ptr,
  193917. (png_uint_32)(png_sizeof(png_uint_16) * PNG_FILTER_VALUE_LAST));
  193918. for (i = 0; i < PNG_FILTER_VALUE_LAST; i++)
  193919. {
  193920. png_ptr->inv_filter_costs[i] =
  193921. png_ptr->filter_costs[i] = PNG_COST_FACTOR;
  193922. }
  193923. }
  193924. /* Here is where we set the relative costs of the different filters. We
  193925. * should take the desired compression level into account when setting
  193926. * the costs, so that Paeth, for instance, has a high relative cost at low
  193927. * compression levels, while it has a lower relative cost at higher
  193928. * compression settings. The filter types are in order of increasing
  193929. * relative cost, so it would be possible to do this with an algorithm.
  193930. */
  193931. for (i = 0; i < PNG_FILTER_VALUE_LAST; i++)
  193932. {
  193933. if (filter_costs == NULL || filter_costs[i] < 0.0)
  193934. {
  193935. png_ptr->inv_filter_costs[i] =
  193936. png_ptr->filter_costs[i] = PNG_COST_FACTOR;
  193937. }
  193938. else if (filter_costs[i] >= 1.0)
  193939. {
  193940. png_ptr->inv_filter_costs[i] =
  193941. (png_uint_16)((double)PNG_COST_FACTOR / filter_costs[i] + 0.5);
  193942. png_ptr->filter_costs[i] =
  193943. (png_uint_16)((double)PNG_COST_FACTOR * filter_costs[i] + 0.5);
  193944. }
  193945. }
  193946. }
  193947. #endif /* PNG_WRITE_WEIGHTED_FILTER_SUPPORTED */
  193948. void PNGAPI
  193949. png_set_compression_level(png_structp png_ptr, int level)
  193950. {
  193951. png_debug(1, "in png_set_compression_level\n");
  193952. if (png_ptr == NULL)
  193953. return;
  193954. png_ptr->flags |= PNG_FLAG_ZLIB_CUSTOM_LEVEL;
  193955. png_ptr->zlib_level = level;
  193956. }
  193957. void PNGAPI
  193958. png_set_compression_mem_level(png_structp png_ptr, int mem_level)
  193959. {
  193960. png_debug(1, "in png_set_compression_mem_level\n");
  193961. if (png_ptr == NULL)
  193962. return;
  193963. png_ptr->flags |= PNG_FLAG_ZLIB_CUSTOM_MEM_LEVEL;
  193964. png_ptr->zlib_mem_level = mem_level;
  193965. }
  193966. void PNGAPI
  193967. png_set_compression_strategy(png_structp png_ptr, int strategy)
  193968. {
  193969. png_debug(1, "in png_set_compression_strategy\n");
  193970. if (png_ptr == NULL)
  193971. return;
  193972. png_ptr->flags |= PNG_FLAG_ZLIB_CUSTOM_STRATEGY;
  193973. png_ptr->zlib_strategy = strategy;
  193974. }
  193975. void PNGAPI
  193976. png_set_compression_window_bits(png_structp png_ptr, int window_bits)
  193977. {
  193978. if (png_ptr == NULL)
  193979. return;
  193980. if (window_bits > 15)
  193981. png_warning(png_ptr, "Only compression windows <= 32k supported by PNG");
  193982. else if (window_bits < 8)
  193983. png_warning(png_ptr, "Only compression windows >= 256 supported by PNG");
  193984. #ifndef WBITS_8_OK
  193985. /* avoid libpng bug with 256-byte windows */
  193986. if (window_bits == 8)
  193987. {
  193988. png_warning(png_ptr, "Compression window is being reset to 512");
  193989. window_bits=9;
  193990. }
  193991. #endif
  193992. png_ptr->flags |= PNG_FLAG_ZLIB_CUSTOM_WINDOW_BITS;
  193993. png_ptr->zlib_window_bits = window_bits;
  193994. }
  193995. void PNGAPI
  193996. png_set_compression_method(png_structp png_ptr, int method)
  193997. {
  193998. png_debug(1, "in png_set_compression_method\n");
  193999. if (png_ptr == NULL)
  194000. return;
  194001. if (method != 8)
  194002. png_warning(png_ptr, "Only compression method 8 is supported by PNG");
  194003. png_ptr->flags |= PNG_FLAG_ZLIB_CUSTOM_METHOD;
  194004. png_ptr->zlib_method = method;
  194005. }
  194006. void PNGAPI
  194007. png_set_write_status_fn(png_structp png_ptr, png_write_status_ptr write_row_fn)
  194008. {
  194009. if (png_ptr == NULL)
  194010. return;
  194011. png_ptr->write_row_fn = write_row_fn;
  194012. }
  194013. #if defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED)
  194014. void PNGAPI
  194015. png_set_write_user_transform_fn(png_structp png_ptr, png_user_transform_ptr
  194016. write_user_transform_fn)
  194017. {
  194018. png_debug(1, "in png_set_write_user_transform_fn\n");
  194019. if (png_ptr == NULL)
  194020. return;
  194021. png_ptr->transformations |= PNG_USER_TRANSFORM;
  194022. png_ptr->write_user_transform_fn = write_user_transform_fn;
  194023. }
  194024. #endif
  194025. #if defined(PNG_INFO_IMAGE_SUPPORTED)
  194026. void PNGAPI
  194027. png_write_png(png_structp png_ptr, png_infop info_ptr,
  194028. int transforms, voidp params)
  194029. {
  194030. if (png_ptr == NULL || info_ptr == NULL)
  194031. return;
  194032. #if defined(PNG_WRITE_INVERT_ALPHA_SUPPORTED)
  194033. /* invert the alpha channel from opacity to transparency */
  194034. if (transforms & PNG_TRANSFORM_INVERT_ALPHA)
  194035. png_set_invert_alpha(png_ptr);
  194036. #endif
  194037. /* Write the file header information. */
  194038. png_write_info(png_ptr, info_ptr);
  194039. /* ------ these transformations don't touch the info structure ------- */
  194040. #if defined(PNG_WRITE_INVERT_SUPPORTED)
  194041. /* invert monochrome pixels */
  194042. if (transforms & PNG_TRANSFORM_INVERT_MONO)
  194043. png_set_invert_mono(png_ptr);
  194044. #endif
  194045. #if defined(PNG_WRITE_SHIFT_SUPPORTED)
  194046. /* Shift the pixels up to a legal bit depth and fill in
  194047. * as appropriate to correctly scale the image.
  194048. */
  194049. if ((transforms & PNG_TRANSFORM_SHIFT)
  194050. && (info_ptr->valid & PNG_INFO_sBIT))
  194051. png_set_shift(png_ptr, &info_ptr->sig_bit);
  194052. #endif
  194053. #if defined(PNG_WRITE_PACK_SUPPORTED)
  194054. /* pack pixels into bytes */
  194055. if (transforms & PNG_TRANSFORM_PACKING)
  194056. png_set_packing(png_ptr);
  194057. #endif
  194058. #if defined(PNG_WRITE_SWAP_ALPHA_SUPPORTED)
  194059. /* swap location of alpha bytes from ARGB to RGBA */
  194060. if (transforms & PNG_TRANSFORM_SWAP_ALPHA)
  194061. png_set_swap_alpha(png_ptr);
  194062. #endif
  194063. #if defined(PNG_WRITE_FILLER_SUPPORTED)
  194064. /* Get rid of filler (OR ALPHA) bytes, pack XRGB/RGBX/ARGB/RGBA into
  194065. * RGB (4 channels -> 3 channels). The second parameter is not used.
  194066. */
  194067. if (transforms & PNG_TRANSFORM_STRIP_FILLER)
  194068. png_set_filler(png_ptr, 0, PNG_FILLER_BEFORE);
  194069. #endif
  194070. #if defined(PNG_WRITE_BGR_SUPPORTED)
  194071. /* flip BGR pixels to RGB */
  194072. if (transforms & PNG_TRANSFORM_BGR)
  194073. png_set_bgr(png_ptr);
  194074. #endif
  194075. #if defined(PNG_WRITE_SWAP_SUPPORTED)
  194076. /* swap bytes of 16-bit files to most significant byte first */
  194077. if (transforms & PNG_TRANSFORM_SWAP_ENDIAN)
  194078. png_set_swap(png_ptr);
  194079. #endif
  194080. #if defined(PNG_WRITE_PACKSWAP_SUPPORTED)
  194081. /* swap bits of 1, 2, 4 bit packed pixel formats */
  194082. if (transforms & PNG_TRANSFORM_PACKSWAP)
  194083. png_set_packswap(png_ptr);
  194084. #endif
  194085. /* ----------------------- end of transformations ------------------- */
  194086. /* write the bits */
  194087. if (info_ptr->valid & PNG_INFO_IDAT)
  194088. png_write_image(png_ptr, info_ptr->row_pointers);
  194089. /* It is REQUIRED to call this to finish writing the rest of the file */
  194090. png_write_end(png_ptr, info_ptr);
  194091. transforms = transforms; /* quiet compiler warnings */
  194092. params = params;
  194093. }
  194094. #endif
  194095. #endif /* PNG_WRITE_SUPPORTED */
  194096. /********* End of inlined file: pngwrite.c *********/
  194097. /********* Start of inlined file: pngwtran.c *********/
  194098. /* pngwtran.c - transforms the data in a row for PNG writers
  194099. *
  194100. * Last changed in libpng 1.2.9 April 14, 2006
  194101. * For conditions of distribution and use, see copyright notice in png.h
  194102. * Copyright (c) 1998-2006 Glenn Randers-Pehrson
  194103. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  194104. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  194105. */
  194106. #define PNG_INTERNAL
  194107. #ifdef PNG_WRITE_SUPPORTED
  194108. /* Transform the data according to the user's wishes. The order of
  194109. * transformations is significant.
  194110. */
  194111. void /* PRIVATE */
  194112. png_do_write_transformations(png_structp png_ptr)
  194113. {
  194114. png_debug(1, "in png_do_write_transformations\n");
  194115. if (png_ptr == NULL)
  194116. return;
  194117. #if defined(PNG_WRITE_USER_TRANSFORM_SUPPORTED)
  194118. if (png_ptr->transformations & PNG_USER_TRANSFORM)
  194119. if(png_ptr->write_user_transform_fn != NULL)
  194120. (*(png_ptr->write_user_transform_fn)) /* user write transform function */
  194121. (png_ptr, /* png_ptr */
  194122. &(png_ptr->row_info), /* row_info: */
  194123. /* png_uint_32 width; width of row */
  194124. /* png_uint_32 rowbytes; number of bytes in row */
  194125. /* png_byte color_type; color type of pixels */
  194126. /* png_byte bit_depth; bit depth of samples */
  194127. /* png_byte channels; number of channels (1-4) */
  194128. /* png_byte pixel_depth; bits per pixel (depth*channels) */
  194129. png_ptr->row_buf + 1); /* start of pixel data for row */
  194130. #endif
  194131. #if defined(PNG_WRITE_FILLER_SUPPORTED)
  194132. if (png_ptr->transformations & PNG_FILLER)
  194133. png_do_strip_filler(&(png_ptr->row_info), png_ptr->row_buf + 1,
  194134. png_ptr->flags);
  194135. #endif
  194136. #if defined(PNG_WRITE_PACKSWAP_SUPPORTED)
  194137. if (png_ptr->transformations & PNG_PACKSWAP)
  194138. png_do_packswap(&(png_ptr->row_info), png_ptr->row_buf + 1);
  194139. #endif
  194140. #if defined(PNG_WRITE_PACK_SUPPORTED)
  194141. if (png_ptr->transformations & PNG_PACK)
  194142. png_do_pack(&(png_ptr->row_info), png_ptr->row_buf + 1,
  194143. (png_uint_32)png_ptr->bit_depth);
  194144. #endif
  194145. #if defined(PNG_WRITE_SWAP_SUPPORTED)
  194146. if (png_ptr->transformations & PNG_SWAP_BYTES)
  194147. png_do_swap(&(png_ptr->row_info), png_ptr->row_buf + 1);
  194148. #endif
  194149. #if defined(PNG_WRITE_SHIFT_SUPPORTED)
  194150. if (png_ptr->transformations & PNG_SHIFT)
  194151. png_do_shift(&(png_ptr->row_info), png_ptr->row_buf + 1,
  194152. &(png_ptr->shift));
  194153. #endif
  194154. #if defined(PNG_WRITE_SWAP_ALPHA_SUPPORTED)
  194155. if (png_ptr->transformations & PNG_SWAP_ALPHA)
  194156. png_do_write_swap_alpha(&(png_ptr->row_info), png_ptr->row_buf + 1);
  194157. #endif
  194158. #if defined(PNG_WRITE_INVERT_ALPHA_SUPPORTED)
  194159. if (png_ptr->transformations & PNG_INVERT_ALPHA)
  194160. png_do_write_invert_alpha(&(png_ptr->row_info), png_ptr->row_buf + 1);
  194161. #endif
  194162. #if defined(PNG_WRITE_BGR_SUPPORTED)
  194163. if (png_ptr->transformations & PNG_BGR)
  194164. png_do_bgr(&(png_ptr->row_info), png_ptr->row_buf + 1);
  194165. #endif
  194166. #if defined(PNG_WRITE_INVERT_SUPPORTED)
  194167. if (png_ptr->transformations & PNG_INVERT_MONO)
  194168. png_do_invert(&(png_ptr->row_info), png_ptr->row_buf + 1);
  194169. #endif
  194170. }
  194171. #if defined(PNG_WRITE_PACK_SUPPORTED)
  194172. /* Pack pixels into bytes. Pass the true bit depth in bit_depth. The
  194173. * row_info bit depth should be 8 (one pixel per byte). The channels
  194174. * should be 1 (this only happens on grayscale and paletted images).
  194175. */
  194176. void /* PRIVATE */
  194177. png_do_pack(png_row_infop row_info, png_bytep row, png_uint_32 bit_depth)
  194178. {
  194179. png_debug(1, "in png_do_pack\n");
  194180. if (row_info->bit_depth == 8 &&
  194181. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  194182. row != NULL && row_info != NULL &&
  194183. #endif
  194184. row_info->channels == 1)
  194185. {
  194186. switch ((int)bit_depth)
  194187. {
  194188. case 1:
  194189. {
  194190. png_bytep sp, dp;
  194191. int mask, v;
  194192. png_uint_32 i;
  194193. png_uint_32 row_width = row_info->width;
  194194. sp = row;
  194195. dp = row;
  194196. mask = 0x80;
  194197. v = 0;
  194198. for (i = 0; i < row_width; i++)
  194199. {
  194200. if (*sp != 0)
  194201. v |= mask;
  194202. sp++;
  194203. if (mask > 1)
  194204. mask >>= 1;
  194205. else
  194206. {
  194207. mask = 0x80;
  194208. *dp = (png_byte)v;
  194209. dp++;
  194210. v = 0;
  194211. }
  194212. }
  194213. if (mask != 0x80)
  194214. *dp = (png_byte)v;
  194215. break;
  194216. }
  194217. case 2:
  194218. {
  194219. png_bytep sp, dp;
  194220. int shift, v;
  194221. png_uint_32 i;
  194222. png_uint_32 row_width = row_info->width;
  194223. sp = row;
  194224. dp = row;
  194225. shift = 6;
  194226. v = 0;
  194227. for (i = 0; i < row_width; i++)
  194228. {
  194229. png_byte value;
  194230. value = (png_byte)(*sp & 0x03);
  194231. v |= (value << shift);
  194232. if (shift == 0)
  194233. {
  194234. shift = 6;
  194235. *dp = (png_byte)v;
  194236. dp++;
  194237. v = 0;
  194238. }
  194239. else
  194240. shift -= 2;
  194241. sp++;
  194242. }
  194243. if (shift != 6)
  194244. *dp = (png_byte)v;
  194245. break;
  194246. }
  194247. case 4:
  194248. {
  194249. png_bytep sp, dp;
  194250. int shift, v;
  194251. png_uint_32 i;
  194252. png_uint_32 row_width = row_info->width;
  194253. sp = row;
  194254. dp = row;
  194255. shift = 4;
  194256. v = 0;
  194257. for (i = 0; i < row_width; i++)
  194258. {
  194259. png_byte value;
  194260. value = (png_byte)(*sp & 0x0f);
  194261. v |= (value << shift);
  194262. if (shift == 0)
  194263. {
  194264. shift = 4;
  194265. *dp = (png_byte)v;
  194266. dp++;
  194267. v = 0;
  194268. }
  194269. else
  194270. shift -= 4;
  194271. sp++;
  194272. }
  194273. if (shift != 4)
  194274. *dp = (png_byte)v;
  194275. break;
  194276. }
  194277. }
  194278. row_info->bit_depth = (png_byte)bit_depth;
  194279. row_info->pixel_depth = (png_byte)(bit_depth * row_info->channels);
  194280. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,
  194281. row_info->width);
  194282. }
  194283. }
  194284. #endif
  194285. #if defined(PNG_WRITE_SHIFT_SUPPORTED)
  194286. /* Shift pixel values to take advantage of whole range. Pass the
  194287. * true number of bits in bit_depth. The row should be packed
  194288. * according to row_info->bit_depth. Thus, if you had a row of
  194289. * bit depth 4, but the pixels only had values from 0 to 7, you
  194290. * would pass 3 as bit_depth, and this routine would translate the
  194291. * data to 0 to 15.
  194292. */
  194293. void /* PRIVATE */
  194294. png_do_shift(png_row_infop row_info, png_bytep row, png_color_8p bit_depth)
  194295. {
  194296. png_debug(1, "in png_do_shift\n");
  194297. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  194298. if (row != NULL && row_info != NULL &&
  194299. #else
  194300. if (
  194301. #endif
  194302. row_info->color_type != PNG_COLOR_TYPE_PALETTE)
  194303. {
  194304. int shift_start[4], shift_dec[4];
  194305. int channels = 0;
  194306. if (row_info->color_type & PNG_COLOR_MASK_COLOR)
  194307. {
  194308. shift_start[channels] = row_info->bit_depth - bit_depth->red;
  194309. shift_dec[channels] = bit_depth->red;
  194310. channels++;
  194311. shift_start[channels] = row_info->bit_depth - bit_depth->green;
  194312. shift_dec[channels] = bit_depth->green;
  194313. channels++;
  194314. shift_start[channels] = row_info->bit_depth - bit_depth->blue;
  194315. shift_dec[channels] = bit_depth->blue;
  194316. channels++;
  194317. }
  194318. else
  194319. {
  194320. shift_start[channels] = row_info->bit_depth - bit_depth->gray;
  194321. shift_dec[channels] = bit_depth->gray;
  194322. channels++;
  194323. }
  194324. if (row_info->color_type & PNG_COLOR_MASK_ALPHA)
  194325. {
  194326. shift_start[channels] = row_info->bit_depth - bit_depth->alpha;
  194327. shift_dec[channels] = bit_depth->alpha;
  194328. channels++;
  194329. }
  194330. /* with low row depths, could only be grayscale, so one channel */
  194331. if (row_info->bit_depth < 8)
  194332. {
  194333. png_bytep bp = row;
  194334. png_uint_32 i;
  194335. png_byte mask;
  194336. png_uint_32 row_bytes = row_info->rowbytes;
  194337. if (bit_depth->gray == 1 && row_info->bit_depth == 2)
  194338. mask = 0x55;
  194339. else if (row_info->bit_depth == 4 && bit_depth->gray == 3)
  194340. mask = 0x11;
  194341. else
  194342. mask = 0xff;
  194343. for (i = 0; i < row_bytes; i++, bp++)
  194344. {
  194345. png_uint_16 v;
  194346. int j;
  194347. v = *bp;
  194348. *bp = 0;
  194349. for (j = shift_start[0]; j > -shift_dec[0]; j -= shift_dec[0])
  194350. {
  194351. if (j > 0)
  194352. *bp |= (png_byte)((v << j) & 0xff);
  194353. else
  194354. *bp |= (png_byte)((v >> (-j)) & mask);
  194355. }
  194356. }
  194357. }
  194358. else if (row_info->bit_depth == 8)
  194359. {
  194360. png_bytep bp = row;
  194361. png_uint_32 i;
  194362. png_uint_32 istop = channels * row_info->width;
  194363. for (i = 0; i < istop; i++, bp++)
  194364. {
  194365. png_uint_16 v;
  194366. int j;
  194367. int c = (int)(i%channels);
  194368. v = *bp;
  194369. *bp = 0;
  194370. for (j = shift_start[c]; j > -shift_dec[c]; j -= shift_dec[c])
  194371. {
  194372. if (j > 0)
  194373. *bp |= (png_byte)((v << j) & 0xff);
  194374. else
  194375. *bp |= (png_byte)((v >> (-j)) & 0xff);
  194376. }
  194377. }
  194378. }
  194379. else
  194380. {
  194381. png_bytep bp;
  194382. png_uint_32 i;
  194383. png_uint_32 istop = channels * row_info->width;
  194384. for (bp = row, i = 0; i < istop; i++)
  194385. {
  194386. int c = (int)(i%channels);
  194387. png_uint_16 value, v;
  194388. int j;
  194389. v = (png_uint_16)(((png_uint_16)(*bp) << 8) + *(bp + 1));
  194390. value = 0;
  194391. for (j = shift_start[c]; j > -shift_dec[c]; j -= shift_dec[c])
  194392. {
  194393. if (j > 0)
  194394. value |= (png_uint_16)((v << j) & (png_uint_16)0xffff);
  194395. else
  194396. value |= (png_uint_16)((v >> (-j)) & (png_uint_16)0xffff);
  194397. }
  194398. *bp++ = (png_byte)(value >> 8);
  194399. *bp++ = (png_byte)(value & 0xff);
  194400. }
  194401. }
  194402. }
  194403. }
  194404. #endif
  194405. #if defined(PNG_WRITE_SWAP_ALPHA_SUPPORTED)
  194406. void /* PRIVATE */
  194407. png_do_write_swap_alpha(png_row_infop row_info, png_bytep row)
  194408. {
  194409. png_debug(1, "in png_do_write_swap_alpha\n");
  194410. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  194411. if (row != NULL && row_info != NULL)
  194412. #endif
  194413. {
  194414. if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  194415. {
  194416. /* This converts from ARGB to RGBA */
  194417. if (row_info->bit_depth == 8)
  194418. {
  194419. png_bytep sp, dp;
  194420. png_uint_32 i;
  194421. png_uint_32 row_width = row_info->width;
  194422. for (i = 0, sp = dp = row; i < row_width; i++)
  194423. {
  194424. png_byte save = *(sp++);
  194425. *(dp++) = *(sp++);
  194426. *(dp++) = *(sp++);
  194427. *(dp++) = *(sp++);
  194428. *(dp++) = save;
  194429. }
  194430. }
  194431. /* This converts from AARRGGBB to RRGGBBAA */
  194432. else
  194433. {
  194434. png_bytep sp, dp;
  194435. png_uint_32 i;
  194436. png_uint_32 row_width = row_info->width;
  194437. for (i = 0, sp = dp = row; i < row_width; i++)
  194438. {
  194439. png_byte save[2];
  194440. save[0] = *(sp++);
  194441. save[1] = *(sp++);
  194442. *(dp++) = *(sp++);
  194443. *(dp++) = *(sp++);
  194444. *(dp++) = *(sp++);
  194445. *(dp++) = *(sp++);
  194446. *(dp++) = *(sp++);
  194447. *(dp++) = *(sp++);
  194448. *(dp++) = save[0];
  194449. *(dp++) = save[1];
  194450. }
  194451. }
  194452. }
  194453. else if (row_info->color_type == PNG_COLOR_TYPE_GRAY_ALPHA)
  194454. {
  194455. /* This converts from AG to GA */
  194456. if (row_info->bit_depth == 8)
  194457. {
  194458. png_bytep sp, dp;
  194459. png_uint_32 i;
  194460. png_uint_32 row_width = row_info->width;
  194461. for (i = 0, sp = dp = row; i < row_width; i++)
  194462. {
  194463. png_byte save = *(sp++);
  194464. *(dp++) = *(sp++);
  194465. *(dp++) = save;
  194466. }
  194467. }
  194468. /* This converts from AAGG to GGAA */
  194469. else
  194470. {
  194471. png_bytep sp, dp;
  194472. png_uint_32 i;
  194473. png_uint_32 row_width = row_info->width;
  194474. for (i = 0, sp = dp = row; i < row_width; i++)
  194475. {
  194476. png_byte save[2];
  194477. save[0] = *(sp++);
  194478. save[1] = *(sp++);
  194479. *(dp++) = *(sp++);
  194480. *(dp++) = *(sp++);
  194481. *(dp++) = save[0];
  194482. *(dp++) = save[1];
  194483. }
  194484. }
  194485. }
  194486. }
  194487. }
  194488. #endif
  194489. #if defined(PNG_WRITE_INVERT_ALPHA_SUPPORTED)
  194490. void /* PRIVATE */
  194491. png_do_write_invert_alpha(png_row_infop row_info, png_bytep row)
  194492. {
  194493. png_debug(1, "in png_do_write_invert_alpha\n");
  194494. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  194495. if (row != NULL && row_info != NULL)
  194496. #endif
  194497. {
  194498. if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  194499. {
  194500. /* This inverts the alpha channel in RGBA */
  194501. if (row_info->bit_depth == 8)
  194502. {
  194503. png_bytep sp, dp;
  194504. png_uint_32 i;
  194505. png_uint_32 row_width = row_info->width;
  194506. for (i = 0, sp = dp = row; i < row_width; i++)
  194507. {
  194508. /* does nothing
  194509. *(dp++) = *(sp++);
  194510. *(dp++) = *(sp++);
  194511. *(dp++) = *(sp++);
  194512. */
  194513. sp+=3; dp = sp;
  194514. *(dp++) = (png_byte)(255 - *(sp++));
  194515. }
  194516. }
  194517. /* This inverts the alpha channel in RRGGBBAA */
  194518. else
  194519. {
  194520. png_bytep sp, dp;
  194521. png_uint_32 i;
  194522. png_uint_32 row_width = row_info->width;
  194523. for (i = 0, sp = dp = row; i < row_width; i++)
  194524. {
  194525. /* does nothing
  194526. *(dp++) = *(sp++);
  194527. *(dp++) = *(sp++);
  194528. *(dp++) = *(sp++);
  194529. *(dp++) = *(sp++);
  194530. *(dp++) = *(sp++);
  194531. *(dp++) = *(sp++);
  194532. */
  194533. sp+=6; dp = sp;
  194534. *(dp++) = (png_byte)(255 - *(sp++));
  194535. *(dp++) = (png_byte)(255 - *(sp++));
  194536. }
  194537. }
  194538. }
  194539. else if (row_info->color_type == PNG_COLOR_TYPE_GRAY_ALPHA)
  194540. {
  194541. /* This inverts the alpha channel in GA */
  194542. if (row_info->bit_depth == 8)
  194543. {
  194544. png_bytep sp, dp;
  194545. png_uint_32 i;
  194546. png_uint_32 row_width = row_info->width;
  194547. for (i = 0, sp = dp = row; i < row_width; i++)
  194548. {
  194549. *(dp++) = *(sp++);
  194550. *(dp++) = (png_byte)(255 - *(sp++));
  194551. }
  194552. }
  194553. /* This inverts the alpha channel in GGAA */
  194554. else
  194555. {
  194556. png_bytep sp, dp;
  194557. png_uint_32 i;
  194558. png_uint_32 row_width = row_info->width;
  194559. for (i = 0, sp = dp = row; i < row_width; i++)
  194560. {
  194561. /* does nothing
  194562. *(dp++) = *(sp++);
  194563. *(dp++) = *(sp++);
  194564. */
  194565. sp+=2; dp = sp;
  194566. *(dp++) = (png_byte)(255 - *(sp++));
  194567. *(dp++) = (png_byte)(255 - *(sp++));
  194568. }
  194569. }
  194570. }
  194571. }
  194572. }
  194573. #endif
  194574. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  194575. /* undoes intrapixel differencing */
  194576. void /* PRIVATE */
  194577. png_do_write_intrapixel(png_row_infop row_info, png_bytep row)
  194578. {
  194579. png_debug(1, "in png_do_write_intrapixel\n");
  194580. if (
  194581. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  194582. row != NULL && row_info != NULL &&
  194583. #endif
  194584. (row_info->color_type & PNG_COLOR_MASK_COLOR))
  194585. {
  194586. int bytes_per_pixel;
  194587. png_uint_32 row_width = row_info->width;
  194588. if (row_info->bit_depth == 8)
  194589. {
  194590. png_bytep rp;
  194591. png_uint_32 i;
  194592. if (row_info->color_type == PNG_COLOR_TYPE_RGB)
  194593. bytes_per_pixel = 3;
  194594. else if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  194595. bytes_per_pixel = 4;
  194596. else
  194597. return;
  194598. for (i = 0, rp = row; i < row_width; i++, rp += bytes_per_pixel)
  194599. {
  194600. *(rp) = (png_byte)((*rp - *(rp+1))&0xff);
  194601. *(rp+2) = (png_byte)((*(rp+2) - *(rp+1))&0xff);
  194602. }
  194603. }
  194604. else if (row_info->bit_depth == 16)
  194605. {
  194606. png_bytep rp;
  194607. png_uint_32 i;
  194608. if (row_info->color_type == PNG_COLOR_TYPE_RGB)
  194609. bytes_per_pixel = 6;
  194610. else if (row_info->color_type == PNG_COLOR_TYPE_RGB_ALPHA)
  194611. bytes_per_pixel = 8;
  194612. else
  194613. return;
  194614. for (i = 0, rp = row; i < row_width; i++, rp += bytes_per_pixel)
  194615. {
  194616. png_uint_32 s0 = (*(rp ) << 8) | *(rp+1);
  194617. png_uint_32 s1 = (*(rp+2) << 8) | *(rp+3);
  194618. png_uint_32 s2 = (*(rp+4) << 8) | *(rp+5);
  194619. png_uint_32 red = (png_uint_32)((s0-s1) & 0xffffL);
  194620. png_uint_32 blue = (png_uint_32)((s2-s1) & 0xffffL);
  194621. *(rp ) = (png_byte)((red >> 8) & 0xff);
  194622. *(rp+1) = (png_byte)(red & 0xff);
  194623. *(rp+4) = (png_byte)((blue >> 8) & 0xff);
  194624. *(rp+5) = (png_byte)(blue & 0xff);
  194625. }
  194626. }
  194627. }
  194628. }
  194629. #endif /* PNG_MNG_FEATURES_SUPPORTED */
  194630. #endif /* PNG_WRITE_SUPPORTED */
  194631. /********* End of inlined file: pngwtran.c *********/
  194632. /********* Start of inlined file: pngwutil.c *********/
  194633. /* pngwutil.c - utilities to write a PNG file
  194634. *
  194635. * Last changed in libpng 1.2.20 Septhember 3, 2007
  194636. * For conditions of distribution and use, see copyright notice in png.h
  194637. * Copyright (c) 1998-2007 Glenn Randers-Pehrson
  194638. * (Version 0.96 Copyright (c) 1996, 1997 Andreas Dilger)
  194639. * (Version 0.88 Copyright (c) 1995, 1996 Guy Eric Schalnat, Group 42, Inc.)
  194640. */
  194641. #define PNG_INTERNAL
  194642. #ifdef PNG_WRITE_SUPPORTED
  194643. /* Place a 32-bit number into a buffer in PNG byte order. We work
  194644. * with unsigned numbers for convenience, although one supported
  194645. * ancillary chunk uses signed (two's complement) numbers.
  194646. */
  194647. void PNGAPI
  194648. png_save_uint_32(png_bytep buf, png_uint_32 i)
  194649. {
  194650. buf[0] = (png_byte)((i >> 24) & 0xff);
  194651. buf[1] = (png_byte)((i >> 16) & 0xff);
  194652. buf[2] = (png_byte)((i >> 8) & 0xff);
  194653. buf[3] = (png_byte)(i & 0xff);
  194654. }
  194655. /* The png_save_int_32 function assumes integers are stored in two's
  194656. * complement format. If this isn't the case, then this routine needs to
  194657. * be modified to write data in two's complement format.
  194658. */
  194659. void PNGAPI
  194660. png_save_int_32(png_bytep buf, png_int_32 i)
  194661. {
  194662. buf[0] = (png_byte)((i >> 24) & 0xff);
  194663. buf[1] = (png_byte)((i >> 16) & 0xff);
  194664. buf[2] = (png_byte)((i >> 8) & 0xff);
  194665. buf[3] = (png_byte)(i & 0xff);
  194666. }
  194667. /* Place a 16-bit number into a buffer in PNG byte order.
  194668. * The parameter is declared unsigned int, not png_uint_16,
  194669. * just to avoid potential problems on pre-ANSI C compilers.
  194670. */
  194671. void PNGAPI
  194672. png_save_uint_16(png_bytep buf, unsigned int i)
  194673. {
  194674. buf[0] = (png_byte)((i >> 8) & 0xff);
  194675. buf[1] = (png_byte)(i & 0xff);
  194676. }
  194677. /* Write a PNG chunk all at once. The type is an array of ASCII characters
  194678. * representing the chunk name. The array must be at least 4 bytes in
  194679. * length, and does not need to be null terminated. To be safe, pass the
  194680. * pre-defined chunk names here, and if you need a new one, define it
  194681. * where the others are defined. The length is the length of the data.
  194682. * All the data must be present. If that is not possible, use the
  194683. * png_write_chunk_start(), png_write_chunk_data(), and png_write_chunk_end()
  194684. * functions instead.
  194685. */
  194686. void PNGAPI
  194687. png_write_chunk(png_structp png_ptr, png_bytep chunk_name,
  194688. png_bytep data, png_size_t length)
  194689. {
  194690. if(png_ptr == NULL) return;
  194691. png_write_chunk_start(png_ptr, chunk_name, (png_uint_32)length);
  194692. png_write_chunk_data(png_ptr, data, length);
  194693. png_write_chunk_end(png_ptr);
  194694. }
  194695. /* Write the start of a PNG chunk. The type is the chunk type.
  194696. * The total_length is the sum of the lengths of all the data you will be
  194697. * passing in png_write_chunk_data().
  194698. */
  194699. void PNGAPI
  194700. png_write_chunk_start(png_structp png_ptr, png_bytep chunk_name,
  194701. png_uint_32 length)
  194702. {
  194703. png_byte buf[4];
  194704. png_debug2(0, "Writing %s chunk (%lu bytes)\n", chunk_name, length);
  194705. if(png_ptr == NULL) return;
  194706. /* write the length */
  194707. png_save_uint_32(buf, length);
  194708. png_write_data(png_ptr, buf, (png_size_t)4);
  194709. /* write the chunk name */
  194710. png_write_data(png_ptr, chunk_name, (png_size_t)4);
  194711. /* reset the crc and run it over the chunk name */
  194712. png_reset_crc(png_ptr);
  194713. png_calculate_crc(png_ptr, chunk_name, (png_size_t)4);
  194714. }
  194715. /* Write the data of a PNG chunk started with png_write_chunk_start().
  194716. * Note that multiple calls to this function are allowed, and that the
  194717. * sum of the lengths from these calls *must* add up to the total_length
  194718. * given to png_write_chunk_start().
  194719. */
  194720. void PNGAPI
  194721. png_write_chunk_data(png_structp png_ptr, png_bytep data, png_size_t length)
  194722. {
  194723. /* write the data, and run the CRC over it */
  194724. if(png_ptr == NULL) return;
  194725. if (data != NULL && length > 0)
  194726. {
  194727. png_calculate_crc(png_ptr, data, length);
  194728. png_write_data(png_ptr, data, length);
  194729. }
  194730. }
  194731. /* Finish a chunk started with png_write_chunk_start(). */
  194732. void PNGAPI
  194733. png_write_chunk_end(png_structp png_ptr)
  194734. {
  194735. png_byte buf[4];
  194736. if(png_ptr == NULL) return;
  194737. /* write the crc */
  194738. png_save_uint_32(buf, png_ptr->crc);
  194739. png_write_data(png_ptr, buf, (png_size_t)4);
  194740. }
  194741. /* Simple function to write the signature. If we have already written
  194742. * the magic bytes of the signature, or more likely, the PNG stream is
  194743. * being embedded into another stream and doesn't need its own signature,
  194744. * we should call png_set_sig_bytes() to tell libpng how many of the
  194745. * bytes have already been written.
  194746. */
  194747. void /* PRIVATE */
  194748. png_write_sig(png_structp png_ptr)
  194749. {
  194750. png_byte png_signature[8] = {137, 80, 78, 71, 13, 10, 26, 10};
  194751. /* write the rest of the 8 byte signature */
  194752. png_write_data(png_ptr, &png_signature[png_ptr->sig_bytes],
  194753. (png_size_t)8 - png_ptr->sig_bytes);
  194754. if(png_ptr->sig_bytes < 3)
  194755. png_ptr->mode |= PNG_HAVE_PNG_SIGNATURE;
  194756. }
  194757. #if defined(PNG_WRITE_TEXT_SUPPORTED) || defined(PNG_WRITE_iCCP_SUPPORTED)
  194758. /*
  194759. * This pair of functions encapsulates the operation of (a) compressing a
  194760. * text string, and (b) issuing it later as a series of chunk data writes.
  194761. * The compression_state structure is shared context for these functions
  194762. * set up by the caller in order to make the whole mess thread-safe.
  194763. */
  194764. typedef struct
  194765. {
  194766. char *input; /* the uncompressed input data */
  194767. int input_len; /* its length */
  194768. int num_output_ptr; /* number of output pointers used */
  194769. int max_output_ptr; /* size of output_ptr */
  194770. png_charpp output_ptr; /* array of pointers to output */
  194771. } compression_state;
  194772. /* compress given text into storage in the png_ptr structure */
  194773. static int /* PRIVATE */
  194774. png_text_compress(png_structp png_ptr,
  194775. png_charp text, png_size_t text_len, int compression,
  194776. compression_state *comp)
  194777. {
  194778. int ret;
  194779. comp->num_output_ptr = 0;
  194780. comp->max_output_ptr = 0;
  194781. comp->output_ptr = NULL;
  194782. comp->input = NULL;
  194783. comp->input_len = 0;
  194784. /* we may just want to pass the text right through */
  194785. if (compression == PNG_TEXT_COMPRESSION_NONE)
  194786. {
  194787. comp->input = text;
  194788. comp->input_len = text_len;
  194789. return((int)text_len);
  194790. }
  194791. if (compression >= PNG_TEXT_COMPRESSION_LAST)
  194792. {
  194793. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  194794. char msg[50];
  194795. png_snprintf(msg, 50, "Unknown compression type %d", compression);
  194796. png_warning(png_ptr, msg);
  194797. #else
  194798. png_warning(png_ptr, "Unknown compression type");
  194799. #endif
  194800. }
  194801. /* We can't write the chunk until we find out how much data we have,
  194802. * which means we need to run the compressor first and save the
  194803. * output. This shouldn't be a problem, as the vast majority of
  194804. * comments should be reasonable, but we will set up an array of
  194805. * malloc'd pointers to be sure.
  194806. *
  194807. * If we knew the application was well behaved, we could simplify this
  194808. * greatly by assuming we can always malloc an output buffer large
  194809. * enough to hold the compressed text ((1001 * text_len / 1000) + 12)
  194810. * and malloc this directly. The only time this would be a bad idea is
  194811. * if we can't malloc more than 64K and we have 64K of random input
  194812. * data, or if the input string is incredibly large (although this
  194813. * wouldn't cause a failure, just a slowdown due to swapping).
  194814. */
  194815. /* set up the compression buffers */
  194816. png_ptr->zstream.avail_in = (uInt)text_len;
  194817. png_ptr->zstream.next_in = (Bytef *)text;
  194818. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  194819. png_ptr->zstream.next_out = (Bytef *)png_ptr->zbuf;
  194820. /* this is the same compression loop as in png_write_row() */
  194821. do
  194822. {
  194823. /* compress the data */
  194824. ret = deflate(&png_ptr->zstream, Z_NO_FLUSH);
  194825. if (ret != Z_OK)
  194826. {
  194827. /* error */
  194828. if (png_ptr->zstream.msg != NULL)
  194829. png_error(png_ptr, png_ptr->zstream.msg);
  194830. else
  194831. png_error(png_ptr, "zlib error");
  194832. }
  194833. /* check to see if we need more room */
  194834. if (!(png_ptr->zstream.avail_out))
  194835. {
  194836. /* make sure the output array has room */
  194837. if (comp->num_output_ptr >= comp->max_output_ptr)
  194838. {
  194839. int old_max;
  194840. old_max = comp->max_output_ptr;
  194841. comp->max_output_ptr = comp->num_output_ptr + 4;
  194842. if (comp->output_ptr != NULL)
  194843. {
  194844. png_charpp old_ptr;
  194845. old_ptr = comp->output_ptr;
  194846. comp->output_ptr = (png_charpp)png_malloc(png_ptr,
  194847. (png_uint_32)(comp->max_output_ptr *
  194848. png_sizeof (png_charpp)));
  194849. png_memcpy(comp->output_ptr, old_ptr, old_max
  194850. * png_sizeof (png_charp));
  194851. png_free(png_ptr, old_ptr);
  194852. }
  194853. else
  194854. comp->output_ptr = (png_charpp)png_malloc(png_ptr,
  194855. (png_uint_32)(comp->max_output_ptr *
  194856. png_sizeof (png_charp)));
  194857. }
  194858. /* save the data */
  194859. comp->output_ptr[comp->num_output_ptr] = (png_charp)png_malloc(png_ptr,
  194860. (png_uint_32)png_ptr->zbuf_size);
  194861. png_memcpy(comp->output_ptr[comp->num_output_ptr], png_ptr->zbuf,
  194862. png_ptr->zbuf_size);
  194863. comp->num_output_ptr++;
  194864. /* and reset the buffer */
  194865. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  194866. png_ptr->zstream.next_out = png_ptr->zbuf;
  194867. }
  194868. /* continue until we don't have any more to compress */
  194869. } while (png_ptr->zstream.avail_in);
  194870. /* finish the compression */
  194871. do
  194872. {
  194873. /* tell zlib we are finished */
  194874. ret = deflate(&png_ptr->zstream, Z_FINISH);
  194875. if (ret == Z_OK)
  194876. {
  194877. /* check to see if we need more room */
  194878. if (!(png_ptr->zstream.avail_out))
  194879. {
  194880. /* check to make sure our output array has room */
  194881. if (comp->num_output_ptr >= comp->max_output_ptr)
  194882. {
  194883. int old_max;
  194884. old_max = comp->max_output_ptr;
  194885. comp->max_output_ptr = comp->num_output_ptr + 4;
  194886. if (comp->output_ptr != NULL)
  194887. {
  194888. png_charpp old_ptr;
  194889. old_ptr = comp->output_ptr;
  194890. /* This could be optimized to realloc() */
  194891. comp->output_ptr = (png_charpp)png_malloc(png_ptr,
  194892. (png_uint_32)(comp->max_output_ptr *
  194893. png_sizeof (png_charpp)));
  194894. png_memcpy(comp->output_ptr, old_ptr,
  194895. old_max * png_sizeof (png_charp));
  194896. png_free(png_ptr, old_ptr);
  194897. }
  194898. else
  194899. comp->output_ptr = (png_charpp)png_malloc(png_ptr,
  194900. (png_uint_32)(comp->max_output_ptr *
  194901. png_sizeof (png_charp)));
  194902. }
  194903. /* save off the data */
  194904. comp->output_ptr[comp->num_output_ptr] =
  194905. (png_charp)png_malloc(png_ptr, (png_uint_32)png_ptr->zbuf_size);
  194906. png_memcpy(comp->output_ptr[comp->num_output_ptr], png_ptr->zbuf,
  194907. png_ptr->zbuf_size);
  194908. comp->num_output_ptr++;
  194909. /* and reset the buffer pointers */
  194910. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  194911. png_ptr->zstream.next_out = png_ptr->zbuf;
  194912. }
  194913. }
  194914. else if (ret != Z_STREAM_END)
  194915. {
  194916. /* we got an error */
  194917. if (png_ptr->zstream.msg != NULL)
  194918. png_error(png_ptr, png_ptr->zstream.msg);
  194919. else
  194920. png_error(png_ptr, "zlib error");
  194921. }
  194922. } while (ret != Z_STREAM_END);
  194923. /* text length is number of buffers plus last buffer */
  194924. text_len = png_ptr->zbuf_size * comp->num_output_ptr;
  194925. if (png_ptr->zstream.avail_out < png_ptr->zbuf_size)
  194926. text_len += png_ptr->zbuf_size - (png_size_t)png_ptr->zstream.avail_out;
  194927. return((int)text_len);
  194928. }
  194929. /* ship the compressed text out via chunk writes */
  194930. static void /* PRIVATE */
  194931. png_write_compressed_data_out(png_structp png_ptr, compression_state *comp)
  194932. {
  194933. int i;
  194934. /* handle the no-compression case */
  194935. if (comp->input)
  194936. {
  194937. png_write_chunk_data(png_ptr, (png_bytep)comp->input,
  194938. (png_size_t)comp->input_len);
  194939. return;
  194940. }
  194941. /* write saved output buffers, if any */
  194942. for (i = 0; i < comp->num_output_ptr; i++)
  194943. {
  194944. png_write_chunk_data(png_ptr,(png_bytep)comp->output_ptr[i],
  194945. png_ptr->zbuf_size);
  194946. png_free(png_ptr, comp->output_ptr[i]);
  194947. comp->output_ptr[i]=NULL;
  194948. }
  194949. if (comp->max_output_ptr != 0)
  194950. png_free(png_ptr, comp->output_ptr);
  194951. comp->output_ptr=NULL;
  194952. /* write anything left in zbuf */
  194953. if (png_ptr->zstream.avail_out < (png_uint_32)png_ptr->zbuf_size)
  194954. png_write_chunk_data(png_ptr, png_ptr->zbuf,
  194955. png_ptr->zbuf_size - png_ptr->zstream.avail_out);
  194956. /* reset zlib for another zTXt/iTXt or image data */
  194957. deflateReset(&png_ptr->zstream);
  194958. png_ptr->zstream.data_type = Z_BINARY;
  194959. }
  194960. #endif
  194961. /* Write the IHDR chunk, and update the png_struct with the necessary
  194962. * information. Note that the rest of this code depends upon this
  194963. * information being correct.
  194964. */
  194965. void /* PRIVATE */
  194966. png_write_IHDR(png_structp png_ptr, png_uint_32 width, png_uint_32 height,
  194967. int bit_depth, int color_type, int compression_type, int filter_type,
  194968. int interlace_type)
  194969. {
  194970. #ifdef PNG_USE_LOCAL_ARRAYS
  194971. PNG_IHDR;
  194972. #endif
  194973. png_byte buf[13]; /* buffer to store the IHDR info */
  194974. png_debug(1, "in png_write_IHDR\n");
  194975. /* Check that we have valid input data from the application info */
  194976. switch (color_type)
  194977. {
  194978. case PNG_COLOR_TYPE_GRAY:
  194979. switch (bit_depth)
  194980. {
  194981. case 1:
  194982. case 2:
  194983. case 4:
  194984. case 8:
  194985. case 16: png_ptr->channels = 1; break;
  194986. default: png_error(png_ptr,"Invalid bit depth for grayscale image");
  194987. }
  194988. break;
  194989. case PNG_COLOR_TYPE_RGB:
  194990. if (bit_depth != 8 && bit_depth != 16)
  194991. png_error(png_ptr, "Invalid bit depth for RGB image");
  194992. png_ptr->channels = 3;
  194993. break;
  194994. case PNG_COLOR_TYPE_PALETTE:
  194995. switch (bit_depth)
  194996. {
  194997. case 1:
  194998. case 2:
  194999. case 4:
  195000. case 8: png_ptr->channels = 1; break;
  195001. default: png_error(png_ptr, "Invalid bit depth for paletted image");
  195002. }
  195003. break;
  195004. case PNG_COLOR_TYPE_GRAY_ALPHA:
  195005. if (bit_depth != 8 && bit_depth != 16)
  195006. png_error(png_ptr, "Invalid bit depth for grayscale+alpha image");
  195007. png_ptr->channels = 2;
  195008. break;
  195009. case PNG_COLOR_TYPE_RGB_ALPHA:
  195010. if (bit_depth != 8 && bit_depth != 16)
  195011. png_error(png_ptr, "Invalid bit depth for RGBA image");
  195012. png_ptr->channels = 4;
  195013. break;
  195014. default:
  195015. png_error(png_ptr, "Invalid image color type specified");
  195016. }
  195017. if (compression_type != PNG_COMPRESSION_TYPE_BASE)
  195018. {
  195019. png_warning(png_ptr, "Invalid compression type specified");
  195020. compression_type = PNG_COMPRESSION_TYPE_BASE;
  195021. }
  195022. /* Write filter_method 64 (intrapixel differencing) only if
  195023. * 1. Libpng was compiled with PNG_MNG_FEATURES_SUPPORTED and
  195024. * 2. Libpng did not write a PNG signature (this filter_method is only
  195025. * used in PNG datastreams that are embedded in MNG datastreams) and
  195026. * 3. The application called png_permit_mng_features with a mask that
  195027. * included PNG_FLAG_MNG_FILTER_64 and
  195028. * 4. The filter_method is 64 and
  195029. * 5. The color_type is RGB or RGBA
  195030. */
  195031. if (
  195032. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  195033. !((png_ptr->mng_features_permitted & PNG_FLAG_MNG_FILTER_64) &&
  195034. ((png_ptr->mode&PNG_HAVE_PNG_SIGNATURE) == 0) &&
  195035. (color_type == PNG_COLOR_TYPE_RGB ||
  195036. color_type == PNG_COLOR_TYPE_RGB_ALPHA) &&
  195037. (filter_type == PNG_INTRAPIXEL_DIFFERENCING)) &&
  195038. #endif
  195039. filter_type != PNG_FILTER_TYPE_BASE)
  195040. {
  195041. png_warning(png_ptr, "Invalid filter type specified");
  195042. filter_type = PNG_FILTER_TYPE_BASE;
  195043. }
  195044. #ifdef PNG_WRITE_INTERLACING_SUPPORTED
  195045. if (interlace_type != PNG_INTERLACE_NONE &&
  195046. interlace_type != PNG_INTERLACE_ADAM7)
  195047. {
  195048. png_warning(png_ptr, "Invalid interlace type specified");
  195049. interlace_type = PNG_INTERLACE_ADAM7;
  195050. }
  195051. #else
  195052. interlace_type=PNG_INTERLACE_NONE;
  195053. #endif
  195054. /* save off the relevent information */
  195055. png_ptr->bit_depth = (png_byte)bit_depth;
  195056. png_ptr->color_type = (png_byte)color_type;
  195057. png_ptr->interlaced = (png_byte)interlace_type;
  195058. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  195059. png_ptr->filter_type = (png_byte)filter_type;
  195060. #endif
  195061. png_ptr->compression_type = (png_byte)compression_type;
  195062. png_ptr->width = width;
  195063. png_ptr->height = height;
  195064. png_ptr->pixel_depth = (png_byte)(bit_depth * png_ptr->channels);
  195065. png_ptr->rowbytes = PNG_ROWBYTES(png_ptr->pixel_depth, width);
  195066. /* set the usr info, so any transformations can modify it */
  195067. png_ptr->usr_width = png_ptr->width;
  195068. png_ptr->usr_bit_depth = png_ptr->bit_depth;
  195069. png_ptr->usr_channels = png_ptr->channels;
  195070. /* pack the header information into the buffer */
  195071. png_save_uint_32(buf, width);
  195072. png_save_uint_32(buf + 4, height);
  195073. buf[8] = (png_byte)bit_depth;
  195074. buf[9] = (png_byte)color_type;
  195075. buf[10] = (png_byte)compression_type;
  195076. buf[11] = (png_byte)filter_type;
  195077. buf[12] = (png_byte)interlace_type;
  195078. /* write the chunk */
  195079. png_write_chunk(png_ptr, png_IHDR, buf, (png_size_t)13);
  195080. /* initialize zlib with PNG info */
  195081. png_ptr->zstream.zalloc = png_zalloc;
  195082. png_ptr->zstream.zfree = png_zfree;
  195083. png_ptr->zstream.opaque = (voidpf)png_ptr;
  195084. if (!(png_ptr->do_filter))
  195085. {
  195086. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE ||
  195087. png_ptr->bit_depth < 8)
  195088. png_ptr->do_filter = PNG_FILTER_NONE;
  195089. else
  195090. png_ptr->do_filter = PNG_ALL_FILTERS;
  195091. }
  195092. if (!(png_ptr->flags & PNG_FLAG_ZLIB_CUSTOM_STRATEGY))
  195093. {
  195094. if (png_ptr->do_filter != PNG_FILTER_NONE)
  195095. png_ptr->zlib_strategy = Z_FILTERED;
  195096. else
  195097. png_ptr->zlib_strategy = Z_DEFAULT_STRATEGY;
  195098. }
  195099. if (!(png_ptr->flags & PNG_FLAG_ZLIB_CUSTOM_LEVEL))
  195100. png_ptr->zlib_level = Z_DEFAULT_COMPRESSION;
  195101. if (!(png_ptr->flags & PNG_FLAG_ZLIB_CUSTOM_MEM_LEVEL))
  195102. png_ptr->zlib_mem_level = 8;
  195103. if (!(png_ptr->flags & PNG_FLAG_ZLIB_CUSTOM_WINDOW_BITS))
  195104. png_ptr->zlib_window_bits = 15;
  195105. if (!(png_ptr->flags & PNG_FLAG_ZLIB_CUSTOM_METHOD))
  195106. png_ptr->zlib_method = 8;
  195107. if (deflateInit2(&png_ptr->zstream, png_ptr->zlib_level,
  195108. png_ptr->zlib_method, png_ptr->zlib_window_bits,
  195109. png_ptr->zlib_mem_level, png_ptr->zlib_strategy) != Z_OK)
  195110. png_error(png_ptr, "zlib failed to initialize compressor");
  195111. png_ptr->zstream.next_out = png_ptr->zbuf;
  195112. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  195113. /* libpng is not interested in zstream.data_type */
  195114. /* set it to a predefined value, to avoid its evaluation inside zlib */
  195115. png_ptr->zstream.data_type = Z_BINARY;
  195116. png_ptr->mode = PNG_HAVE_IHDR;
  195117. }
  195118. /* write the palette. We are careful not to trust png_color to be in the
  195119. * correct order for PNG, so people can redefine it to any convenient
  195120. * structure.
  195121. */
  195122. void /* PRIVATE */
  195123. png_write_PLTE(png_structp png_ptr, png_colorp palette, png_uint_32 num_pal)
  195124. {
  195125. #ifdef PNG_USE_LOCAL_ARRAYS
  195126. PNG_PLTE;
  195127. #endif
  195128. png_uint_32 i;
  195129. png_colorp pal_ptr;
  195130. png_byte buf[3];
  195131. png_debug(1, "in png_write_PLTE\n");
  195132. if ((
  195133. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  195134. !(png_ptr->mng_features_permitted & PNG_FLAG_MNG_EMPTY_PLTE) &&
  195135. #endif
  195136. num_pal == 0) || num_pal > 256)
  195137. {
  195138. if (png_ptr->color_type == PNG_COLOR_TYPE_PALETTE)
  195139. {
  195140. png_error(png_ptr, "Invalid number of colors in palette");
  195141. }
  195142. else
  195143. {
  195144. png_warning(png_ptr, "Invalid number of colors in palette");
  195145. return;
  195146. }
  195147. }
  195148. if (!(png_ptr->color_type&PNG_COLOR_MASK_COLOR))
  195149. {
  195150. png_warning(png_ptr,
  195151. "Ignoring request to write a PLTE chunk in grayscale PNG");
  195152. return;
  195153. }
  195154. png_ptr->num_palette = (png_uint_16)num_pal;
  195155. png_debug1(3, "num_palette = %d\n", png_ptr->num_palette);
  195156. png_write_chunk_start(png_ptr, png_PLTE, num_pal * 3);
  195157. #ifndef PNG_NO_POINTER_INDEXING
  195158. for (i = 0, pal_ptr = palette; i < num_pal; i++, pal_ptr++)
  195159. {
  195160. buf[0] = pal_ptr->red;
  195161. buf[1] = pal_ptr->green;
  195162. buf[2] = pal_ptr->blue;
  195163. png_write_chunk_data(png_ptr, buf, (png_size_t)3);
  195164. }
  195165. #else
  195166. /* This is a little slower but some buggy compilers need to do this instead */
  195167. pal_ptr=palette;
  195168. for (i = 0; i < num_pal; i++)
  195169. {
  195170. buf[0] = pal_ptr[i].red;
  195171. buf[1] = pal_ptr[i].green;
  195172. buf[2] = pal_ptr[i].blue;
  195173. png_write_chunk_data(png_ptr, buf, (png_size_t)3);
  195174. }
  195175. #endif
  195176. png_write_chunk_end(png_ptr);
  195177. png_ptr->mode |= PNG_HAVE_PLTE;
  195178. }
  195179. /* write an IDAT chunk */
  195180. void /* PRIVATE */
  195181. png_write_IDAT(png_structp png_ptr, png_bytep data, png_size_t length)
  195182. {
  195183. #ifdef PNG_USE_LOCAL_ARRAYS
  195184. PNG_IDAT;
  195185. #endif
  195186. png_debug(1, "in png_write_IDAT\n");
  195187. /* Optimize the CMF field in the zlib stream. */
  195188. /* This hack of the zlib stream is compliant to the stream specification. */
  195189. if (!(png_ptr->mode & PNG_HAVE_IDAT) &&
  195190. png_ptr->compression_type == PNG_COMPRESSION_TYPE_BASE)
  195191. {
  195192. unsigned int z_cmf = data[0]; /* zlib compression method and flags */
  195193. if ((z_cmf & 0x0f) == 8 && (z_cmf & 0xf0) <= 0x70)
  195194. {
  195195. /* Avoid memory underflows and multiplication overflows. */
  195196. /* The conditions below are practically always satisfied;
  195197. however, they still must be checked. */
  195198. if (length >= 2 &&
  195199. png_ptr->height < 16384 && png_ptr->width < 16384)
  195200. {
  195201. png_uint_32 uncompressed_idat_size = png_ptr->height *
  195202. ((png_ptr->width *
  195203. png_ptr->channels * png_ptr->bit_depth + 15) >> 3);
  195204. unsigned int z_cinfo = z_cmf >> 4;
  195205. unsigned int half_z_window_size = 1 << (z_cinfo + 7);
  195206. while (uncompressed_idat_size <= half_z_window_size &&
  195207. half_z_window_size >= 256)
  195208. {
  195209. z_cinfo--;
  195210. half_z_window_size >>= 1;
  195211. }
  195212. z_cmf = (z_cmf & 0x0f) | (z_cinfo << 4);
  195213. if (data[0] != (png_byte)z_cmf)
  195214. {
  195215. data[0] = (png_byte)z_cmf;
  195216. data[1] &= 0xe0;
  195217. data[1] += (png_byte)(0x1f - ((z_cmf << 8) + data[1]) % 0x1f);
  195218. }
  195219. }
  195220. }
  195221. else
  195222. png_error(png_ptr,
  195223. "Invalid zlib compression method or flags in IDAT");
  195224. }
  195225. png_write_chunk(png_ptr, png_IDAT, data, length);
  195226. png_ptr->mode |= PNG_HAVE_IDAT;
  195227. }
  195228. /* write an IEND chunk */
  195229. void /* PRIVATE */
  195230. png_write_IEND(png_structp png_ptr)
  195231. {
  195232. #ifdef PNG_USE_LOCAL_ARRAYS
  195233. PNG_IEND;
  195234. #endif
  195235. png_debug(1, "in png_write_IEND\n");
  195236. png_write_chunk(png_ptr, png_IEND, png_bytep_NULL,
  195237. (png_size_t)0);
  195238. png_ptr->mode |= PNG_HAVE_IEND;
  195239. }
  195240. #if defined(PNG_WRITE_gAMA_SUPPORTED)
  195241. /* write a gAMA chunk */
  195242. #ifdef PNG_FLOATING_POINT_SUPPORTED
  195243. void /* PRIVATE */
  195244. png_write_gAMA(png_structp png_ptr, double file_gamma)
  195245. {
  195246. #ifdef PNG_USE_LOCAL_ARRAYS
  195247. PNG_gAMA;
  195248. #endif
  195249. png_uint_32 igamma;
  195250. png_byte buf[4];
  195251. png_debug(1, "in png_write_gAMA\n");
  195252. /* file_gamma is saved in 1/100,000ths */
  195253. igamma = (png_uint_32)(file_gamma * 100000.0 + 0.5);
  195254. png_save_uint_32(buf, igamma);
  195255. png_write_chunk(png_ptr, png_gAMA, buf, (png_size_t)4);
  195256. }
  195257. #endif
  195258. #ifdef PNG_FIXED_POINT_SUPPORTED
  195259. void /* PRIVATE */
  195260. png_write_gAMA_fixed(png_structp png_ptr, png_fixed_point file_gamma)
  195261. {
  195262. #ifdef PNG_USE_LOCAL_ARRAYS
  195263. PNG_gAMA;
  195264. #endif
  195265. png_byte buf[4];
  195266. png_debug(1, "in png_write_gAMA\n");
  195267. /* file_gamma is saved in 1/100,000ths */
  195268. png_save_uint_32(buf, (png_uint_32)file_gamma);
  195269. png_write_chunk(png_ptr, png_gAMA, buf, (png_size_t)4);
  195270. }
  195271. #endif
  195272. #endif
  195273. #if defined(PNG_WRITE_sRGB_SUPPORTED)
  195274. /* write a sRGB chunk */
  195275. void /* PRIVATE */
  195276. png_write_sRGB(png_structp png_ptr, int srgb_intent)
  195277. {
  195278. #ifdef PNG_USE_LOCAL_ARRAYS
  195279. PNG_sRGB;
  195280. #endif
  195281. png_byte buf[1];
  195282. png_debug(1, "in png_write_sRGB\n");
  195283. if(srgb_intent >= PNG_sRGB_INTENT_LAST)
  195284. png_warning(png_ptr,
  195285. "Invalid sRGB rendering intent specified");
  195286. buf[0]=(png_byte)srgb_intent;
  195287. png_write_chunk(png_ptr, png_sRGB, buf, (png_size_t)1);
  195288. }
  195289. #endif
  195290. #if defined(PNG_WRITE_iCCP_SUPPORTED)
  195291. /* write an iCCP chunk */
  195292. void /* PRIVATE */
  195293. png_write_iCCP(png_structp png_ptr, png_charp name, int compression_type,
  195294. png_charp profile, int profile_len)
  195295. {
  195296. #ifdef PNG_USE_LOCAL_ARRAYS
  195297. PNG_iCCP;
  195298. #endif
  195299. png_size_t name_len;
  195300. png_charp new_name;
  195301. compression_state comp;
  195302. int embedded_profile_len = 0;
  195303. png_debug(1, "in png_write_iCCP\n");
  195304. comp.num_output_ptr = 0;
  195305. comp.max_output_ptr = 0;
  195306. comp.output_ptr = NULL;
  195307. comp.input = NULL;
  195308. comp.input_len = 0;
  195309. if (name == NULL || (name_len = png_check_keyword(png_ptr, name,
  195310. &new_name)) == 0)
  195311. {
  195312. png_warning(png_ptr, "Empty keyword in iCCP chunk");
  195313. return;
  195314. }
  195315. if (compression_type != PNG_COMPRESSION_TYPE_BASE)
  195316. png_warning(png_ptr, "Unknown compression type in iCCP chunk");
  195317. if (profile == NULL)
  195318. profile_len = 0;
  195319. if (profile_len > 3)
  195320. embedded_profile_len =
  195321. ((*( (png_bytep)profile ))<<24) |
  195322. ((*( (png_bytep)profile+1))<<16) |
  195323. ((*( (png_bytep)profile+2))<< 8) |
  195324. ((*( (png_bytep)profile+3)) );
  195325. if (profile_len < embedded_profile_len)
  195326. {
  195327. png_warning(png_ptr,
  195328. "Embedded profile length too large in iCCP chunk");
  195329. return;
  195330. }
  195331. if (profile_len > embedded_profile_len)
  195332. {
  195333. png_warning(png_ptr,
  195334. "Truncating profile to actual length in iCCP chunk");
  195335. profile_len = embedded_profile_len;
  195336. }
  195337. if (profile_len)
  195338. profile_len = png_text_compress(png_ptr, profile, (png_size_t)profile_len,
  195339. PNG_COMPRESSION_TYPE_BASE, &comp);
  195340. /* make sure we include the NULL after the name and the compression type */
  195341. png_write_chunk_start(png_ptr, png_iCCP,
  195342. (png_uint_32)name_len+profile_len+2);
  195343. new_name[name_len+1]=0x00;
  195344. png_write_chunk_data(png_ptr, (png_bytep)new_name, name_len + 2);
  195345. if (profile_len)
  195346. png_write_compressed_data_out(png_ptr, &comp);
  195347. png_write_chunk_end(png_ptr);
  195348. png_free(png_ptr, new_name);
  195349. }
  195350. #endif
  195351. #if defined(PNG_WRITE_sPLT_SUPPORTED)
  195352. /* write a sPLT chunk */
  195353. void /* PRIVATE */
  195354. png_write_sPLT(png_structp png_ptr, png_sPLT_tp spalette)
  195355. {
  195356. #ifdef PNG_USE_LOCAL_ARRAYS
  195357. PNG_sPLT;
  195358. #endif
  195359. png_size_t name_len;
  195360. png_charp new_name;
  195361. png_byte entrybuf[10];
  195362. int entry_size = (spalette->depth == 8 ? 6 : 10);
  195363. int palette_size = entry_size * spalette->nentries;
  195364. png_sPLT_entryp ep;
  195365. #ifdef PNG_NO_POINTER_INDEXING
  195366. int i;
  195367. #endif
  195368. png_debug(1, "in png_write_sPLT\n");
  195369. if (spalette->name == NULL || (name_len = png_check_keyword(png_ptr,
  195370. spalette->name, &new_name))==0)
  195371. {
  195372. png_warning(png_ptr, "Empty keyword in sPLT chunk");
  195373. return;
  195374. }
  195375. /* make sure we include the NULL after the name */
  195376. png_write_chunk_start(png_ptr, png_sPLT,
  195377. (png_uint_32)(name_len + 2 + palette_size));
  195378. png_write_chunk_data(png_ptr, (png_bytep)new_name, name_len + 1);
  195379. png_write_chunk_data(png_ptr, (png_bytep)&spalette->depth, 1);
  195380. /* loop through each palette entry, writing appropriately */
  195381. #ifndef PNG_NO_POINTER_INDEXING
  195382. for (ep = spalette->entries; ep<spalette->entries+spalette->nentries; ep++)
  195383. {
  195384. if (spalette->depth == 8)
  195385. {
  195386. entrybuf[0] = (png_byte)ep->red;
  195387. entrybuf[1] = (png_byte)ep->green;
  195388. entrybuf[2] = (png_byte)ep->blue;
  195389. entrybuf[3] = (png_byte)ep->alpha;
  195390. png_save_uint_16(entrybuf + 4, ep->frequency);
  195391. }
  195392. else
  195393. {
  195394. png_save_uint_16(entrybuf + 0, ep->red);
  195395. png_save_uint_16(entrybuf + 2, ep->green);
  195396. png_save_uint_16(entrybuf + 4, ep->blue);
  195397. png_save_uint_16(entrybuf + 6, ep->alpha);
  195398. png_save_uint_16(entrybuf + 8, ep->frequency);
  195399. }
  195400. png_write_chunk_data(png_ptr, entrybuf, (png_size_t)entry_size);
  195401. }
  195402. #else
  195403. ep=spalette->entries;
  195404. for (i=0; i>spalette->nentries; i++)
  195405. {
  195406. if (spalette->depth == 8)
  195407. {
  195408. entrybuf[0] = (png_byte)ep[i].red;
  195409. entrybuf[1] = (png_byte)ep[i].green;
  195410. entrybuf[2] = (png_byte)ep[i].blue;
  195411. entrybuf[3] = (png_byte)ep[i].alpha;
  195412. png_save_uint_16(entrybuf + 4, ep[i].frequency);
  195413. }
  195414. else
  195415. {
  195416. png_save_uint_16(entrybuf + 0, ep[i].red);
  195417. png_save_uint_16(entrybuf + 2, ep[i].green);
  195418. png_save_uint_16(entrybuf + 4, ep[i].blue);
  195419. png_save_uint_16(entrybuf + 6, ep[i].alpha);
  195420. png_save_uint_16(entrybuf + 8, ep[i].frequency);
  195421. }
  195422. png_write_chunk_data(png_ptr, entrybuf, entry_size);
  195423. }
  195424. #endif
  195425. png_write_chunk_end(png_ptr);
  195426. png_free(png_ptr, new_name);
  195427. }
  195428. #endif
  195429. #if defined(PNG_WRITE_sBIT_SUPPORTED)
  195430. /* write the sBIT chunk */
  195431. void /* PRIVATE */
  195432. png_write_sBIT(png_structp png_ptr, png_color_8p sbit, int color_type)
  195433. {
  195434. #ifdef PNG_USE_LOCAL_ARRAYS
  195435. PNG_sBIT;
  195436. #endif
  195437. png_byte buf[4];
  195438. png_size_t size;
  195439. png_debug(1, "in png_write_sBIT\n");
  195440. /* make sure we don't depend upon the order of PNG_COLOR_8 */
  195441. if (color_type & PNG_COLOR_MASK_COLOR)
  195442. {
  195443. png_byte maxbits;
  195444. maxbits = (png_byte)(color_type==PNG_COLOR_TYPE_PALETTE ? 8 :
  195445. png_ptr->usr_bit_depth);
  195446. if (sbit->red == 0 || sbit->red > maxbits ||
  195447. sbit->green == 0 || sbit->green > maxbits ||
  195448. sbit->blue == 0 || sbit->blue > maxbits)
  195449. {
  195450. png_warning(png_ptr, "Invalid sBIT depth specified");
  195451. return;
  195452. }
  195453. buf[0] = sbit->red;
  195454. buf[1] = sbit->green;
  195455. buf[2] = sbit->blue;
  195456. size = 3;
  195457. }
  195458. else
  195459. {
  195460. if (sbit->gray == 0 || sbit->gray > png_ptr->usr_bit_depth)
  195461. {
  195462. png_warning(png_ptr, "Invalid sBIT depth specified");
  195463. return;
  195464. }
  195465. buf[0] = sbit->gray;
  195466. size = 1;
  195467. }
  195468. if (color_type & PNG_COLOR_MASK_ALPHA)
  195469. {
  195470. if (sbit->alpha == 0 || sbit->alpha > png_ptr->usr_bit_depth)
  195471. {
  195472. png_warning(png_ptr, "Invalid sBIT depth specified");
  195473. return;
  195474. }
  195475. buf[size++] = sbit->alpha;
  195476. }
  195477. png_write_chunk(png_ptr, png_sBIT, buf, size);
  195478. }
  195479. #endif
  195480. #if defined(PNG_WRITE_cHRM_SUPPORTED)
  195481. /* write the cHRM chunk */
  195482. #ifdef PNG_FLOATING_POINT_SUPPORTED
  195483. void /* PRIVATE */
  195484. png_write_cHRM(png_structp png_ptr, double white_x, double white_y,
  195485. double red_x, double red_y, double green_x, double green_y,
  195486. double blue_x, double blue_y)
  195487. {
  195488. #ifdef PNG_USE_LOCAL_ARRAYS
  195489. PNG_cHRM;
  195490. #endif
  195491. png_byte buf[32];
  195492. png_uint_32 itemp;
  195493. png_debug(1, "in png_write_cHRM\n");
  195494. /* each value is saved in 1/100,000ths */
  195495. if (white_x < 0 || white_x > 0.8 || white_y < 0 || white_y > 0.8 ||
  195496. white_x + white_y > 1.0)
  195497. {
  195498. png_warning(png_ptr, "Invalid cHRM white point specified");
  195499. #if !defined(PNG_NO_CONSOLE_IO)
  195500. fprintf(stderr,"white_x=%f, white_y=%f\n",white_x, white_y);
  195501. #endif
  195502. return;
  195503. }
  195504. itemp = (png_uint_32)(white_x * 100000.0 + 0.5);
  195505. png_save_uint_32(buf, itemp);
  195506. itemp = (png_uint_32)(white_y * 100000.0 + 0.5);
  195507. png_save_uint_32(buf + 4, itemp);
  195508. if (red_x < 0 || red_y < 0 || red_x + red_y > 1.0)
  195509. {
  195510. png_warning(png_ptr, "Invalid cHRM red point specified");
  195511. return;
  195512. }
  195513. itemp = (png_uint_32)(red_x * 100000.0 + 0.5);
  195514. png_save_uint_32(buf + 8, itemp);
  195515. itemp = (png_uint_32)(red_y * 100000.0 + 0.5);
  195516. png_save_uint_32(buf + 12, itemp);
  195517. if (green_x < 0 || green_y < 0 || green_x + green_y > 1.0)
  195518. {
  195519. png_warning(png_ptr, "Invalid cHRM green point specified");
  195520. return;
  195521. }
  195522. itemp = (png_uint_32)(green_x * 100000.0 + 0.5);
  195523. png_save_uint_32(buf + 16, itemp);
  195524. itemp = (png_uint_32)(green_y * 100000.0 + 0.5);
  195525. png_save_uint_32(buf + 20, itemp);
  195526. if (blue_x < 0 || blue_y < 0 || blue_x + blue_y > 1.0)
  195527. {
  195528. png_warning(png_ptr, "Invalid cHRM blue point specified");
  195529. return;
  195530. }
  195531. itemp = (png_uint_32)(blue_x * 100000.0 + 0.5);
  195532. png_save_uint_32(buf + 24, itemp);
  195533. itemp = (png_uint_32)(blue_y * 100000.0 + 0.5);
  195534. png_save_uint_32(buf + 28, itemp);
  195535. png_write_chunk(png_ptr, png_cHRM, buf, (png_size_t)32);
  195536. }
  195537. #endif
  195538. #ifdef PNG_FIXED_POINT_SUPPORTED
  195539. void /* PRIVATE */
  195540. png_write_cHRM_fixed(png_structp png_ptr, png_fixed_point white_x,
  195541. png_fixed_point white_y, png_fixed_point red_x, png_fixed_point red_y,
  195542. png_fixed_point green_x, png_fixed_point green_y, png_fixed_point blue_x,
  195543. png_fixed_point blue_y)
  195544. {
  195545. #ifdef PNG_USE_LOCAL_ARRAYS
  195546. PNG_cHRM;
  195547. #endif
  195548. png_byte buf[32];
  195549. png_debug(1, "in png_write_cHRM\n");
  195550. /* each value is saved in 1/100,000ths */
  195551. if (white_x > 80000L || white_y > 80000L || white_x + white_y > 100000L)
  195552. {
  195553. png_warning(png_ptr, "Invalid fixed cHRM white point specified");
  195554. #if !defined(PNG_NO_CONSOLE_IO)
  195555. fprintf(stderr,"white_x=%ld, white_y=%ld\n",white_x, white_y);
  195556. #endif
  195557. return;
  195558. }
  195559. png_save_uint_32(buf, (png_uint_32)white_x);
  195560. png_save_uint_32(buf + 4, (png_uint_32)white_y);
  195561. if (red_x + red_y > 100000L)
  195562. {
  195563. png_warning(png_ptr, "Invalid cHRM fixed red point specified");
  195564. return;
  195565. }
  195566. png_save_uint_32(buf + 8, (png_uint_32)red_x);
  195567. png_save_uint_32(buf + 12, (png_uint_32)red_y);
  195568. if (green_x + green_y > 100000L)
  195569. {
  195570. png_warning(png_ptr, "Invalid fixed cHRM green point specified");
  195571. return;
  195572. }
  195573. png_save_uint_32(buf + 16, (png_uint_32)green_x);
  195574. png_save_uint_32(buf + 20, (png_uint_32)green_y);
  195575. if (blue_x + blue_y > 100000L)
  195576. {
  195577. png_warning(png_ptr, "Invalid fixed cHRM blue point specified");
  195578. return;
  195579. }
  195580. png_save_uint_32(buf + 24, (png_uint_32)blue_x);
  195581. png_save_uint_32(buf + 28, (png_uint_32)blue_y);
  195582. png_write_chunk(png_ptr, png_cHRM, buf, (png_size_t)32);
  195583. }
  195584. #endif
  195585. #endif
  195586. #if defined(PNG_WRITE_tRNS_SUPPORTED)
  195587. /* write the tRNS chunk */
  195588. void /* PRIVATE */
  195589. png_write_tRNS(png_structp png_ptr, png_bytep trans, png_color_16p tran,
  195590. int num_trans, int color_type)
  195591. {
  195592. #ifdef PNG_USE_LOCAL_ARRAYS
  195593. PNG_tRNS;
  195594. #endif
  195595. png_byte buf[6];
  195596. png_debug(1, "in png_write_tRNS\n");
  195597. if (color_type == PNG_COLOR_TYPE_PALETTE)
  195598. {
  195599. if (num_trans <= 0 || num_trans > (int)png_ptr->num_palette)
  195600. {
  195601. png_warning(png_ptr,"Invalid number of transparent colors specified");
  195602. return;
  195603. }
  195604. /* write the chunk out as it is */
  195605. png_write_chunk(png_ptr, png_tRNS, trans, (png_size_t)num_trans);
  195606. }
  195607. else if (color_type == PNG_COLOR_TYPE_GRAY)
  195608. {
  195609. /* one 16 bit value */
  195610. if(tran->gray >= (1 << png_ptr->bit_depth))
  195611. {
  195612. png_warning(png_ptr,
  195613. "Ignoring attempt to write tRNS chunk out-of-range for bit_depth");
  195614. return;
  195615. }
  195616. png_save_uint_16(buf, tran->gray);
  195617. png_write_chunk(png_ptr, png_tRNS, buf, (png_size_t)2);
  195618. }
  195619. else if (color_type == PNG_COLOR_TYPE_RGB)
  195620. {
  195621. /* three 16 bit values */
  195622. png_save_uint_16(buf, tran->red);
  195623. png_save_uint_16(buf + 2, tran->green);
  195624. png_save_uint_16(buf + 4, tran->blue);
  195625. if(png_ptr->bit_depth == 8 && (buf[0] | buf[2] | buf[4]))
  195626. {
  195627. png_warning(png_ptr,
  195628. "Ignoring attempt to write 16-bit tRNS chunk when bit_depth is 8");
  195629. return;
  195630. }
  195631. png_write_chunk(png_ptr, png_tRNS, buf, (png_size_t)6);
  195632. }
  195633. else
  195634. {
  195635. png_warning(png_ptr, "Can't write tRNS with an alpha channel");
  195636. }
  195637. }
  195638. #endif
  195639. #if defined(PNG_WRITE_bKGD_SUPPORTED)
  195640. /* write the background chunk */
  195641. void /* PRIVATE */
  195642. png_write_bKGD(png_structp png_ptr, png_color_16p back, int color_type)
  195643. {
  195644. #ifdef PNG_USE_LOCAL_ARRAYS
  195645. PNG_bKGD;
  195646. #endif
  195647. png_byte buf[6];
  195648. png_debug(1, "in png_write_bKGD\n");
  195649. if (color_type == PNG_COLOR_TYPE_PALETTE)
  195650. {
  195651. if (
  195652. #if defined(PNG_MNG_FEATURES_SUPPORTED)
  195653. (png_ptr->num_palette ||
  195654. (!(png_ptr->mng_features_permitted & PNG_FLAG_MNG_EMPTY_PLTE))) &&
  195655. #endif
  195656. back->index > png_ptr->num_palette)
  195657. {
  195658. png_warning(png_ptr, "Invalid background palette index");
  195659. return;
  195660. }
  195661. buf[0] = back->index;
  195662. png_write_chunk(png_ptr, png_bKGD, buf, (png_size_t)1);
  195663. }
  195664. else if (color_type & PNG_COLOR_MASK_COLOR)
  195665. {
  195666. png_save_uint_16(buf, back->red);
  195667. png_save_uint_16(buf + 2, back->green);
  195668. png_save_uint_16(buf + 4, back->blue);
  195669. if(png_ptr->bit_depth == 8 && (buf[0] | buf[2] | buf[4]))
  195670. {
  195671. png_warning(png_ptr,
  195672. "Ignoring attempt to write 16-bit bKGD chunk when bit_depth is 8");
  195673. return;
  195674. }
  195675. png_write_chunk(png_ptr, png_bKGD, buf, (png_size_t)6);
  195676. }
  195677. else
  195678. {
  195679. if(back->gray >= (1 << png_ptr->bit_depth))
  195680. {
  195681. png_warning(png_ptr,
  195682. "Ignoring attempt to write bKGD chunk out-of-range for bit_depth");
  195683. return;
  195684. }
  195685. png_save_uint_16(buf, back->gray);
  195686. png_write_chunk(png_ptr, png_bKGD, buf, (png_size_t)2);
  195687. }
  195688. }
  195689. #endif
  195690. #if defined(PNG_WRITE_hIST_SUPPORTED)
  195691. /* write the histogram */
  195692. void /* PRIVATE */
  195693. png_write_hIST(png_structp png_ptr, png_uint_16p hist, int num_hist)
  195694. {
  195695. #ifdef PNG_USE_LOCAL_ARRAYS
  195696. PNG_hIST;
  195697. #endif
  195698. int i;
  195699. png_byte buf[3];
  195700. png_debug(1, "in png_write_hIST\n");
  195701. if (num_hist > (int)png_ptr->num_palette)
  195702. {
  195703. png_debug2(3, "num_hist = %d, num_palette = %d\n", num_hist,
  195704. png_ptr->num_palette);
  195705. png_warning(png_ptr, "Invalid number of histogram entries specified");
  195706. return;
  195707. }
  195708. png_write_chunk_start(png_ptr, png_hIST, (png_uint_32)(num_hist * 2));
  195709. for (i = 0; i < num_hist; i++)
  195710. {
  195711. png_save_uint_16(buf, hist[i]);
  195712. png_write_chunk_data(png_ptr, buf, (png_size_t)2);
  195713. }
  195714. png_write_chunk_end(png_ptr);
  195715. }
  195716. #endif
  195717. #if defined(PNG_WRITE_TEXT_SUPPORTED) || defined(PNG_WRITE_pCAL_SUPPORTED) || \
  195718. defined(PNG_WRITE_iCCP_SUPPORTED) || defined(PNG_WRITE_sPLT_SUPPORTED)
  195719. /* Check that the tEXt or zTXt keyword is valid per PNG 1.0 specification,
  195720. * and if invalid, correct the keyword rather than discarding the entire
  195721. * chunk. The PNG 1.0 specification requires keywords 1-79 characters in
  195722. * length, forbids leading or trailing whitespace, multiple internal spaces,
  195723. * and the non-break space (0x80) from ISO 8859-1. Returns keyword length.
  195724. *
  195725. * The new_key is allocated to hold the corrected keyword and must be freed
  195726. * by the calling routine. This avoids problems with trying to write to
  195727. * static keywords without having to have duplicate copies of the strings.
  195728. */
  195729. png_size_t /* PRIVATE */
  195730. png_check_keyword(png_structp png_ptr, png_charp key, png_charpp new_key)
  195731. {
  195732. png_size_t key_len;
  195733. png_charp kp, dp;
  195734. int kflag;
  195735. int kwarn=0;
  195736. png_debug(1, "in png_check_keyword\n");
  195737. *new_key = NULL;
  195738. if (key == NULL || (key_len = png_strlen(key)) == 0)
  195739. {
  195740. png_warning(png_ptr, "zero length keyword");
  195741. return ((png_size_t)0);
  195742. }
  195743. png_debug1(2, "Keyword to be checked is '%s'\n", key);
  195744. *new_key = (png_charp)png_malloc_warn(png_ptr, (png_uint_32)(key_len + 2));
  195745. if (*new_key == NULL)
  195746. {
  195747. png_warning(png_ptr, "Out of memory while procesing keyword");
  195748. return ((png_size_t)0);
  195749. }
  195750. /* Replace non-printing characters with a blank and print a warning */
  195751. for (kp = key, dp = *new_key; *kp != '\0'; kp++, dp++)
  195752. {
  195753. if ((png_byte)*kp < 0x20 ||
  195754. ((png_byte)*kp > 0x7E && (png_byte)*kp < 0xA1))
  195755. {
  195756. #if !defined(PNG_NO_STDIO) && !defined(_WIN32_WCE)
  195757. char msg[40];
  195758. png_snprintf(msg, 40,
  195759. "invalid keyword character 0x%02X", (png_byte)*kp);
  195760. png_warning(png_ptr, msg);
  195761. #else
  195762. png_warning(png_ptr, "invalid character in keyword");
  195763. #endif
  195764. *dp = ' ';
  195765. }
  195766. else
  195767. {
  195768. *dp = *kp;
  195769. }
  195770. }
  195771. *dp = '\0';
  195772. /* Remove any trailing white space. */
  195773. kp = *new_key + key_len - 1;
  195774. if (*kp == ' ')
  195775. {
  195776. png_warning(png_ptr, "trailing spaces removed from keyword");
  195777. while (*kp == ' ')
  195778. {
  195779. *(kp--) = '\0';
  195780. key_len--;
  195781. }
  195782. }
  195783. /* Remove any leading white space. */
  195784. kp = *new_key;
  195785. if (*kp == ' ')
  195786. {
  195787. png_warning(png_ptr, "leading spaces removed from keyword");
  195788. while (*kp == ' ')
  195789. {
  195790. kp++;
  195791. key_len--;
  195792. }
  195793. }
  195794. png_debug1(2, "Checking for multiple internal spaces in '%s'\n", kp);
  195795. /* Remove multiple internal spaces. */
  195796. for (kflag = 0, dp = *new_key; *kp != '\0'; kp++)
  195797. {
  195798. if (*kp == ' ' && kflag == 0)
  195799. {
  195800. *(dp++) = *kp;
  195801. kflag = 1;
  195802. }
  195803. else if (*kp == ' ')
  195804. {
  195805. key_len--;
  195806. kwarn=1;
  195807. }
  195808. else
  195809. {
  195810. *(dp++) = *kp;
  195811. kflag = 0;
  195812. }
  195813. }
  195814. *dp = '\0';
  195815. if(kwarn)
  195816. png_warning(png_ptr, "extra interior spaces removed from keyword");
  195817. if (key_len == 0)
  195818. {
  195819. png_free(png_ptr, *new_key);
  195820. *new_key=NULL;
  195821. png_warning(png_ptr, "Zero length keyword");
  195822. }
  195823. if (key_len > 79)
  195824. {
  195825. png_warning(png_ptr, "keyword length must be 1 - 79 characters");
  195826. new_key[79] = '\0';
  195827. key_len = 79;
  195828. }
  195829. return (key_len);
  195830. }
  195831. #endif
  195832. #if defined(PNG_WRITE_tEXt_SUPPORTED)
  195833. /* write a tEXt chunk */
  195834. void /* PRIVATE */
  195835. png_write_tEXt(png_structp png_ptr, png_charp key, png_charp text,
  195836. png_size_t text_len)
  195837. {
  195838. #ifdef PNG_USE_LOCAL_ARRAYS
  195839. PNG_tEXt;
  195840. #endif
  195841. png_size_t key_len;
  195842. png_charp new_key;
  195843. png_debug(1, "in png_write_tEXt\n");
  195844. if (key == NULL || (key_len = png_check_keyword(png_ptr, key, &new_key))==0)
  195845. {
  195846. png_warning(png_ptr, "Empty keyword in tEXt chunk");
  195847. return;
  195848. }
  195849. if (text == NULL || *text == '\0')
  195850. text_len = 0;
  195851. else
  195852. text_len = png_strlen(text);
  195853. /* make sure we include the 0 after the key */
  195854. png_write_chunk_start(png_ptr, png_tEXt, (png_uint_32)key_len+text_len+1);
  195855. /*
  195856. * We leave it to the application to meet PNG-1.0 requirements on the
  195857. * contents of the text. PNG-1.0 through PNG-1.2 discourage the use of
  195858. * any non-Latin-1 characters except for NEWLINE. ISO PNG will forbid them.
  195859. * The NUL character is forbidden by PNG-1.0 through PNG-1.2 and ISO PNG.
  195860. */
  195861. png_write_chunk_data(png_ptr, (png_bytep)new_key, key_len + 1);
  195862. if (text_len)
  195863. png_write_chunk_data(png_ptr, (png_bytep)text, text_len);
  195864. png_write_chunk_end(png_ptr);
  195865. png_free(png_ptr, new_key);
  195866. }
  195867. #endif
  195868. #if defined(PNG_WRITE_zTXt_SUPPORTED)
  195869. /* write a compressed text chunk */
  195870. void /* PRIVATE */
  195871. png_write_zTXt(png_structp png_ptr, png_charp key, png_charp text,
  195872. png_size_t text_len, int compression)
  195873. {
  195874. #ifdef PNG_USE_LOCAL_ARRAYS
  195875. PNG_zTXt;
  195876. #endif
  195877. png_size_t key_len;
  195878. char buf[1];
  195879. png_charp new_key;
  195880. compression_state comp;
  195881. png_debug(1, "in png_write_zTXt\n");
  195882. comp.num_output_ptr = 0;
  195883. comp.max_output_ptr = 0;
  195884. comp.output_ptr = NULL;
  195885. comp.input = NULL;
  195886. comp.input_len = 0;
  195887. if (key == NULL || (key_len = png_check_keyword(png_ptr, key, &new_key))==0)
  195888. {
  195889. png_warning(png_ptr, "Empty keyword in zTXt chunk");
  195890. return;
  195891. }
  195892. if (text == NULL || *text == '\0' || compression==PNG_TEXT_COMPRESSION_NONE)
  195893. {
  195894. png_write_tEXt(png_ptr, new_key, text, (png_size_t)0);
  195895. png_free(png_ptr, new_key);
  195896. return;
  195897. }
  195898. text_len = png_strlen(text);
  195899. /* compute the compressed data; do it now for the length */
  195900. text_len = png_text_compress(png_ptr, text, text_len, compression,
  195901. &comp);
  195902. /* write start of chunk */
  195903. png_write_chunk_start(png_ptr, png_zTXt, (png_uint_32)
  195904. (key_len+text_len+2));
  195905. /* write key */
  195906. png_write_chunk_data(png_ptr, (png_bytep)new_key, key_len + 1);
  195907. png_free(png_ptr, new_key);
  195908. buf[0] = (png_byte)compression;
  195909. /* write compression */
  195910. png_write_chunk_data(png_ptr, (png_bytep)buf, (png_size_t)1);
  195911. /* write the compressed data */
  195912. png_write_compressed_data_out(png_ptr, &comp);
  195913. /* close the chunk */
  195914. png_write_chunk_end(png_ptr);
  195915. }
  195916. #endif
  195917. #if defined(PNG_WRITE_iTXt_SUPPORTED)
  195918. /* write an iTXt chunk */
  195919. void /* PRIVATE */
  195920. png_write_iTXt(png_structp png_ptr, int compression, png_charp key,
  195921. png_charp lang, png_charp lang_key, png_charp text)
  195922. {
  195923. #ifdef PNG_USE_LOCAL_ARRAYS
  195924. PNG_iTXt;
  195925. #endif
  195926. png_size_t lang_len, key_len, lang_key_len, text_len;
  195927. png_charp new_lang, new_key;
  195928. png_byte cbuf[2];
  195929. compression_state comp;
  195930. png_debug(1, "in png_write_iTXt\n");
  195931. comp.num_output_ptr = 0;
  195932. comp.max_output_ptr = 0;
  195933. comp.output_ptr = NULL;
  195934. comp.input = NULL;
  195935. if (key == NULL || (key_len = png_check_keyword(png_ptr, key, &new_key))==0)
  195936. {
  195937. png_warning(png_ptr, "Empty keyword in iTXt chunk");
  195938. return;
  195939. }
  195940. if (lang == NULL || (lang_len = png_check_keyword(png_ptr, lang, &new_lang))==0)
  195941. {
  195942. png_warning(png_ptr, "Empty language field in iTXt chunk");
  195943. new_lang = NULL;
  195944. lang_len = 0;
  195945. }
  195946. if (lang_key == NULL)
  195947. lang_key_len = 0;
  195948. else
  195949. lang_key_len = png_strlen(lang_key);
  195950. if (text == NULL)
  195951. text_len = 0;
  195952. else
  195953. text_len = png_strlen(text);
  195954. /* compute the compressed data; do it now for the length */
  195955. text_len = png_text_compress(png_ptr, text, text_len, compression-2,
  195956. &comp);
  195957. /* make sure we include the compression flag, the compression byte,
  195958. * and the NULs after the key, lang, and lang_key parts */
  195959. png_write_chunk_start(png_ptr, png_iTXt,
  195960. (png_uint_32)(
  195961. 5 /* comp byte, comp flag, terminators for key, lang and lang_key */
  195962. + key_len
  195963. + lang_len
  195964. + lang_key_len
  195965. + text_len));
  195966. /*
  195967. * We leave it to the application to meet PNG-1.0 requirements on the
  195968. * contents of the text. PNG-1.0 through PNG-1.2 discourage the use of
  195969. * any non-Latin-1 characters except for NEWLINE. ISO PNG will forbid them.
  195970. * The NUL character is forbidden by PNG-1.0 through PNG-1.2 and ISO PNG.
  195971. */
  195972. png_write_chunk_data(png_ptr, (png_bytep)new_key, key_len + 1);
  195973. /* set the compression flag */
  195974. if (compression == PNG_ITXT_COMPRESSION_NONE || \
  195975. compression == PNG_TEXT_COMPRESSION_NONE)
  195976. cbuf[0] = 0;
  195977. else /* compression == PNG_ITXT_COMPRESSION_zTXt */
  195978. cbuf[0] = 1;
  195979. /* set the compression method */
  195980. cbuf[1] = 0;
  195981. png_write_chunk_data(png_ptr, cbuf, 2);
  195982. cbuf[0] = 0;
  195983. png_write_chunk_data(png_ptr, (new_lang ? (png_bytep)new_lang : cbuf), lang_len + 1);
  195984. png_write_chunk_data(png_ptr, (lang_key ? (png_bytep)lang_key : cbuf), lang_key_len + 1);
  195985. png_write_compressed_data_out(png_ptr, &comp);
  195986. png_write_chunk_end(png_ptr);
  195987. png_free(png_ptr, new_key);
  195988. if (new_lang)
  195989. png_free(png_ptr, new_lang);
  195990. }
  195991. #endif
  195992. #if defined(PNG_WRITE_oFFs_SUPPORTED)
  195993. /* write the oFFs chunk */
  195994. void /* PRIVATE */
  195995. png_write_oFFs(png_structp png_ptr, png_int_32 x_offset, png_int_32 y_offset,
  195996. int unit_type)
  195997. {
  195998. #ifdef PNG_USE_LOCAL_ARRAYS
  195999. PNG_oFFs;
  196000. #endif
  196001. png_byte buf[9];
  196002. png_debug(1, "in png_write_oFFs\n");
  196003. if (unit_type >= PNG_OFFSET_LAST)
  196004. png_warning(png_ptr, "Unrecognized unit type for oFFs chunk");
  196005. png_save_int_32(buf, x_offset);
  196006. png_save_int_32(buf + 4, y_offset);
  196007. buf[8] = (png_byte)unit_type;
  196008. png_write_chunk(png_ptr, png_oFFs, buf, (png_size_t)9);
  196009. }
  196010. #endif
  196011. #if defined(PNG_WRITE_pCAL_SUPPORTED)
  196012. /* write the pCAL chunk (described in the PNG extensions document) */
  196013. void /* PRIVATE */
  196014. png_write_pCAL(png_structp png_ptr, png_charp purpose, png_int_32 X0,
  196015. png_int_32 X1, int type, int nparams, png_charp units, png_charpp params)
  196016. {
  196017. #ifdef PNG_USE_LOCAL_ARRAYS
  196018. PNG_pCAL;
  196019. #endif
  196020. png_size_t purpose_len, units_len, total_len;
  196021. png_uint_32p params_len;
  196022. png_byte buf[10];
  196023. png_charp new_purpose;
  196024. int i;
  196025. png_debug1(1, "in png_write_pCAL (%d parameters)\n", nparams);
  196026. if (type >= PNG_EQUATION_LAST)
  196027. png_warning(png_ptr, "Unrecognized equation type for pCAL chunk");
  196028. purpose_len = png_check_keyword(png_ptr, purpose, &new_purpose) + 1;
  196029. png_debug1(3, "pCAL purpose length = %d\n", (int)purpose_len);
  196030. units_len = png_strlen(units) + (nparams == 0 ? 0 : 1);
  196031. png_debug1(3, "pCAL units length = %d\n", (int)units_len);
  196032. total_len = purpose_len + units_len + 10;
  196033. params_len = (png_uint_32p)png_malloc(png_ptr, (png_uint_32)(nparams
  196034. *png_sizeof(png_uint_32)));
  196035. /* Find the length of each parameter, making sure we don't count the
  196036. null terminator for the last parameter. */
  196037. for (i = 0; i < nparams; i++)
  196038. {
  196039. params_len[i] = png_strlen(params[i]) + (i == nparams - 1 ? 0 : 1);
  196040. png_debug2(3, "pCAL parameter %d length = %lu\n", i, params_len[i]);
  196041. total_len += (png_size_t)params_len[i];
  196042. }
  196043. png_debug1(3, "pCAL total length = %d\n", (int)total_len);
  196044. png_write_chunk_start(png_ptr, png_pCAL, (png_uint_32)total_len);
  196045. png_write_chunk_data(png_ptr, (png_bytep)new_purpose, purpose_len);
  196046. png_save_int_32(buf, X0);
  196047. png_save_int_32(buf + 4, X1);
  196048. buf[8] = (png_byte)type;
  196049. buf[9] = (png_byte)nparams;
  196050. png_write_chunk_data(png_ptr, buf, (png_size_t)10);
  196051. png_write_chunk_data(png_ptr, (png_bytep)units, (png_size_t)units_len);
  196052. png_free(png_ptr, new_purpose);
  196053. for (i = 0; i < nparams; i++)
  196054. {
  196055. png_write_chunk_data(png_ptr, (png_bytep)params[i],
  196056. (png_size_t)params_len[i]);
  196057. }
  196058. png_free(png_ptr, params_len);
  196059. png_write_chunk_end(png_ptr);
  196060. }
  196061. #endif
  196062. #if defined(PNG_WRITE_sCAL_SUPPORTED)
  196063. /* write the sCAL chunk */
  196064. #if defined(PNG_FLOATING_POINT_SUPPORTED) && !defined(PNG_NO_STDIO)
  196065. void /* PRIVATE */
  196066. png_write_sCAL(png_structp png_ptr, int unit, double width, double height)
  196067. {
  196068. #ifdef PNG_USE_LOCAL_ARRAYS
  196069. PNG_sCAL;
  196070. #endif
  196071. char buf[64];
  196072. png_size_t total_len;
  196073. png_debug(1, "in png_write_sCAL\n");
  196074. buf[0] = (char)unit;
  196075. #if defined(_WIN32_WCE)
  196076. /* sprintf() function is not supported on WindowsCE */
  196077. {
  196078. wchar_t wc_buf[32];
  196079. size_t wc_len;
  196080. swprintf(wc_buf, TEXT("%12.12e"), width);
  196081. wc_len = wcslen(wc_buf);
  196082. WideCharToMultiByte(CP_ACP, 0, wc_buf, -1, buf + 1, wc_len, NULL, NULL);
  196083. total_len = wc_len + 2;
  196084. swprintf(wc_buf, TEXT("%12.12e"), height);
  196085. wc_len = wcslen(wc_buf);
  196086. WideCharToMultiByte(CP_ACP, 0, wc_buf, -1, buf + total_len, wc_len,
  196087. NULL, NULL);
  196088. total_len += wc_len;
  196089. }
  196090. #else
  196091. png_snprintf(buf + 1, 63, "%12.12e", width);
  196092. total_len = 1 + png_strlen(buf + 1) + 1;
  196093. png_snprintf(buf + total_len, 64-total_len, "%12.12e", height);
  196094. total_len += png_strlen(buf + total_len);
  196095. #endif
  196096. png_debug1(3, "sCAL total length = %u\n", (unsigned int)total_len);
  196097. png_write_chunk(png_ptr, png_sCAL, (png_bytep)buf, total_len);
  196098. }
  196099. #else
  196100. #ifdef PNG_FIXED_POINT_SUPPORTED
  196101. void /* PRIVATE */
  196102. png_write_sCAL_s(png_structp png_ptr, int unit, png_charp width,
  196103. png_charp height)
  196104. {
  196105. #ifdef PNG_USE_LOCAL_ARRAYS
  196106. PNG_sCAL;
  196107. #endif
  196108. png_byte buf[64];
  196109. png_size_t wlen, hlen, total_len;
  196110. png_debug(1, "in png_write_sCAL_s\n");
  196111. wlen = png_strlen(width);
  196112. hlen = png_strlen(height);
  196113. total_len = wlen + hlen + 2;
  196114. if (total_len > 64)
  196115. {
  196116. png_warning(png_ptr, "Can't write sCAL (buffer too small)");
  196117. return;
  196118. }
  196119. buf[0] = (png_byte)unit;
  196120. png_memcpy(buf + 1, width, wlen + 1); /* append the '\0' here */
  196121. png_memcpy(buf + wlen + 2, height, hlen); /* do NOT append the '\0' here */
  196122. png_debug1(3, "sCAL total length = %u\n", (unsigned int)total_len);
  196123. png_write_chunk(png_ptr, png_sCAL, buf, total_len);
  196124. }
  196125. #endif
  196126. #endif
  196127. #endif
  196128. #if defined(PNG_WRITE_pHYs_SUPPORTED)
  196129. /* write the pHYs chunk */
  196130. void /* PRIVATE */
  196131. png_write_pHYs(png_structp png_ptr, png_uint_32 x_pixels_per_unit,
  196132. png_uint_32 y_pixels_per_unit,
  196133. int unit_type)
  196134. {
  196135. #ifdef PNG_USE_LOCAL_ARRAYS
  196136. PNG_pHYs;
  196137. #endif
  196138. png_byte buf[9];
  196139. png_debug(1, "in png_write_pHYs\n");
  196140. if (unit_type >= PNG_RESOLUTION_LAST)
  196141. png_warning(png_ptr, "Unrecognized unit type for pHYs chunk");
  196142. png_save_uint_32(buf, x_pixels_per_unit);
  196143. png_save_uint_32(buf + 4, y_pixels_per_unit);
  196144. buf[8] = (png_byte)unit_type;
  196145. png_write_chunk(png_ptr, png_pHYs, buf, (png_size_t)9);
  196146. }
  196147. #endif
  196148. #if defined(PNG_WRITE_tIME_SUPPORTED)
  196149. /* Write the tIME chunk. Use either png_convert_from_struct_tm()
  196150. * or png_convert_from_time_t(), or fill in the structure yourself.
  196151. */
  196152. void /* PRIVATE */
  196153. png_write_tIME(png_structp png_ptr, png_timep mod_time)
  196154. {
  196155. #ifdef PNG_USE_LOCAL_ARRAYS
  196156. PNG_tIME;
  196157. #endif
  196158. png_byte buf[7];
  196159. png_debug(1, "in png_write_tIME\n");
  196160. if (mod_time->month > 12 || mod_time->month < 1 ||
  196161. mod_time->day > 31 || mod_time->day < 1 ||
  196162. mod_time->hour > 23 || mod_time->second > 60)
  196163. {
  196164. png_warning(png_ptr, "Invalid time specified for tIME chunk");
  196165. return;
  196166. }
  196167. png_save_uint_16(buf, mod_time->year);
  196168. buf[2] = mod_time->month;
  196169. buf[3] = mod_time->day;
  196170. buf[4] = mod_time->hour;
  196171. buf[5] = mod_time->minute;
  196172. buf[6] = mod_time->second;
  196173. png_write_chunk(png_ptr, png_tIME, buf, (png_size_t)7);
  196174. }
  196175. #endif
  196176. /* initializes the row writing capability of libpng */
  196177. void /* PRIVATE */
  196178. png_write_start_row(png_structp png_ptr)
  196179. {
  196180. #ifdef PNG_WRITE_INTERLACING_SUPPORTED
  196181. #ifdef PNG_USE_LOCAL_ARRAYS
  196182. /* arrays to facilitate easy interlacing - use pass (0 - 6) as index */
  196183. /* start of interlace block */
  196184. int png_pass_start[7] = {0, 4, 0, 2, 0, 1, 0};
  196185. /* offset to next interlace block */
  196186. int png_pass_inc[7] = {8, 8, 4, 4, 2, 2, 1};
  196187. /* start of interlace block in the y direction */
  196188. int png_pass_ystart[7] = {0, 0, 4, 0, 2, 0, 1};
  196189. /* offset to next interlace block in the y direction */
  196190. int png_pass_yinc[7] = {8, 8, 8, 4, 4, 2, 2};
  196191. #endif
  196192. #endif
  196193. png_size_t buf_size;
  196194. png_debug(1, "in png_write_start_row\n");
  196195. buf_size = (png_size_t)(PNG_ROWBYTES(
  196196. png_ptr->usr_channels*png_ptr->usr_bit_depth,png_ptr->width)+1);
  196197. /* set up row buffer */
  196198. png_ptr->row_buf = (png_bytep)png_malloc(png_ptr, (png_uint_32)buf_size);
  196199. png_ptr->row_buf[0] = PNG_FILTER_VALUE_NONE;
  196200. #ifndef PNG_NO_WRITE_FILTERING
  196201. /* set up filtering buffer, if using this filter */
  196202. if (png_ptr->do_filter & PNG_FILTER_SUB)
  196203. {
  196204. png_ptr->sub_row = (png_bytep)png_malloc(png_ptr,
  196205. (png_ptr->rowbytes + 1));
  196206. png_ptr->sub_row[0] = PNG_FILTER_VALUE_SUB;
  196207. }
  196208. /* We only need to keep the previous row if we are using one of these. */
  196209. if (png_ptr->do_filter & (PNG_FILTER_AVG | PNG_FILTER_UP | PNG_FILTER_PAETH))
  196210. {
  196211. /* set up previous row buffer */
  196212. png_ptr->prev_row = (png_bytep)png_malloc(png_ptr, (png_uint_32)buf_size);
  196213. png_memset(png_ptr->prev_row, 0, buf_size);
  196214. if (png_ptr->do_filter & PNG_FILTER_UP)
  196215. {
  196216. png_ptr->up_row = (png_bytep)png_malloc(png_ptr,
  196217. (png_ptr->rowbytes + 1));
  196218. png_ptr->up_row[0] = PNG_FILTER_VALUE_UP;
  196219. }
  196220. if (png_ptr->do_filter & PNG_FILTER_AVG)
  196221. {
  196222. png_ptr->avg_row = (png_bytep)png_malloc(png_ptr,
  196223. (png_ptr->rowbytes + 1));
  196224. png_ptr->avg_row[0] = PNG_FILTER_VALUE_AVG;
  196225. }
  196226. if (png_ptr->do_filter & PNG_FILTER_PAETH)
  196227. {
  196228. png_ptr->paeth_row = (png_bytep)png_malloc(png_ptr,
  196229. (png_ptr->rowbytes + 1));
  196230. png_ptr->paeth_row[0] = PNG_FILTER_VALUE_PAETH;
  196231. }
  196232. #endif /* PNG_NO_WRITE_FILTERING */
  196233. }
  196234. #ifdef PNG_WRITE_INTERLACING_SUPPORTED
  196235. /* if interlaced, we need to set up width and height of pass */
  196236. if (png_ptr->interlaced)
  196237. {
  196238. if (!(png_ptr->transformations & PNG_INTERLACE))
  196239. {
  196240. png_ptr->num_rows = (png_ptr->height + png_pass_yinc[0] - 1 -
  196241. png_pass_ystart[0]) / png_pass_yinc[0];
  196242. png_ptr->usr_width = (png_ptr->width + png_pass_inc[0] - 1 -
  196243. png_pass_start[0]) / png_pass_inc[0];
  196244. }
  196245. else
  196246. {
  196247. png_ptr->num_rows = png_ptr->height;
  196248. png_ptr->usr_width = png_ptr->width;
  196249. }
  196250. }
  196251. else
  196252. #endif
  196253. {
  196254. png_ptr->num_rows = png_ptr->height;
  196255. png_ptr->usr_width = png_ptr->width;
  196256. }
  196257. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  196258. png_ptr->zstream.next_out = png_ptr->zbuf;
  196259. }
  196260. /* Internal use only. Called when finished processing a row of data. */
  196261. void /* PRIVATE */
  196262. png_write_finish_row(png_structp png_ptr)
  196263. {
  196264. #ifdef PNG_WRITE_INTERLACING_SUPPORTED
  196265. #ifdef PNG_USE_LOCAL_ARRAYS
  196266. /* arrays to facilitate easy interlacing - use pass (0 - 6) as index */
  196267. /* start of interlace block */
  196268. int png_pass_start[7] = {0, 4, 0, 2, 0, 1, 0};
  196269. /* offset to next interlace block */
  196270. int png_pass_inc[7] = {8, 8, 4, 4, 2, 2, 1};
  196271. /* start of interlace block in the y direction */
  196272. int png_pass_ystart[7] = {0, 0, 4, 0, 2, 0, 1};
  196273. /* offset to next interlace block in the y direction */
  196274. int png_pass_yinc[7] = {8, 8, 8, 4, 4, 2, 2};
  196275. #endif
  196276. #endif
  196277. int ret;
  196278. png_debug(1, "in png_write_finish_row\n");
  196279. /* next row */
  196280. png_ptr->row_number++;
  196281. /* see if we are done */
  196282. if (png_ptr->row_number < png_ptr->num_rows)
  196283. return;
  196284. #ifdef PNG_WRITE_INTERLACING_SUPPORTED
  196285. /* if interlaced, go to next pass */
  196286. if (png_ptr->interlaced)
  196287. {
  196288. png_ptr->row_number = 0;
  196289. if (png_ptr->transformations & PNG_INTERLACE)
  196290. {
  196291. png_ptr->pass++;
  196292. }
  196293. else
  196294. {
  196295. /* loop until we find a non-zero width or height pass */
  196296. do
  196297. {
  196298. png_ptr->pass++;
  196299. if (png_ptr->pass >= 7)
  196300. break;
  196301. png_ptr->usr_width = (png_ptr->width +
  196302. png_pass_inc[png_ptr->pass] - 1 -
  196303. png_pass_start[png_ptr->pass]) /
  196304. png_pass_inc[png_ptr->pass];
  196305. png_ptr->num_rows = (png_ptr->height +
  196306. png_pass_yinc[png_ptr->pass] - 1 -
  196307. png_pass_ystart[png_ptr->pass]) /
  196308. png_pass_yinc[png_ptr->pass];
  196309. if (png_ptr->transformations & PNG_INTERLACE)
  196310. break;
  196311. } while (png_ptr->usr_width == 0 || png_ptr->num_rows == 0);
  196312. }
  196313. /* reset the row above the image for the next pass */
  196314. if (png_ptr->pass < 7)
  196315. {
  196316. if (png_ptr->prev_row != NULL)
  196317. png_memset(png_ptr->prev_row, 0,
  196318. (png_size_t)(PNG_ROWBYTES(png_ptr->usr_channels*
  196319. png_ptr->usr_bit_depth,png_ptr->width))+1);
  196320. return;
  196321. }
  196322. }
  196323. #endif
  196324. /* if we get here, we've just written the last row, so we need
  196325. to flush the compressor */
  196326. do
  196327. {
  196328. /* tell the compressor we are done */
  196329. ret = deflate(&png_ptr->zstream, Z_FINISH);
  196330. /* check for an error */
  196331. if (ret == Z_OK)
  196332. {
  196333. /* check to see if we need more room */
  196334. if (!(png_ptr->zstream.avail_out))
  196335. {
  196336. png_write_IDAT(png_ptr, png_ptr->zbuf, png_ptr->zbuf_size);
  196337. png_ptr->zstream.next_out = png_ptr->zbuf;
  196338. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  196339. }
  196340. }
  196341. else if (ret != Z_STREAM_END)
  196342. {
  196343. if (png_ptr->zstream.msg != NULL)
  196344. png_error(png_ptr, png_ptr->zstream.msg);
  196345. else
  196346. png_error(png_ptr, "zlib error");
  196347. }
  196348. } while (ret != Z_STREAM_END);
  196349. /* write any extra space */
  196350. if (png_ptr->zstream.avail_out < png_ptr->zbuf_size)
  196351. {
  196352. png_write_IDAT(png_ptr, png_ptr->zbuf, png_ptr->zbuf_size -
  196353. png_ptr->zstream.avail_out);
  196354. }
  196355. deflateReset(&png_ptr->zstream);
  196356. png_ptr->zstream.data_type = Z_BINARY;
  196357. }
  196358. #if defined(PNG_WRITE_INTERLACING_SUPPORTED)
  196359. /* Pick out the correct pixels for the interlace pass.
  196360. * The basic idea here is to go through the row with a source
  196361. * pointer and a destination pointer (sp and dp), and copy the
  196362. * correct pixels for the pass. As the row gets compacted,
  196363. * sp will always be >= dp, so we should never overwrite anything.
  196364. * See the default: case for the easiest code to understand.
  196365. */
  196366. void /* PRIVATE */
  196367. png_do_write_interlace(png_row_infop row_info, png_bytep row, int pass)
  196368. {
  196369. #ifdef PNG_USE_LOCAL_ARRAYS
  196370. /* arrays to facilitate easy interlacing - use pass (0 - 6) as index */
  196371. /* start of interlace block */
  196372. int png_pass_start[7] = {0, 4, 0, 2, 0, 1, 0};
  196373. /* offset to next interlace block */
  196374. int png_pass_inc[7] = {8, 8, 4, 4, 2, 2, 1};
  196375. #endif
  196376. png_debug(1, "in png_do_write_interlace\n");
  196377. /* we don't have to do anything on the last pass (6) */
  196378. #if defined(PNG_USELESS_TESTS_SUPPORTED)
  196379. if (row != NULL && row_info != NULL && pass < 6)
  196380. #else
  196381. if (pass < 6)
  196382. #endif
  196383. {
  196384. /* each pixel depth is handled separately */
  196385. switch (row_info->pixel_depth)
  196386. {
  196387. case 1:
  196388. {
  196389. png_bytep sp;
  196390. png_bytep dp;
  196391. int shift;
  196392. int d;
  196393. int value;
  196394. png_uint_32 i;
  196395. png_uint_32 row_width = row_info->width;
  196396. dp = row;
  196397. d = 0;
  196398. shift = 7;
  196399. for (i = png_pass_start[pass]; i < row_width;
  196400. i += png_pass_inc[pass])
  196401. {
  196402. sp = row + (png_size_t)(i >> 3);
  196403. value = (int)(*sp >> (7 - (int)(i & 0x07))) & 0x01;
  196404. d |= (value << shift);
  196405. if (shift == 0)
  196406. {
  196407. shift = 7;
  196408. *dp++ = (png_byte)d;
  196409. d = 0;
  196410. }
  196411. else
  196412. shift--;
  196413. }
  196414. if (shift != 7)
  196415. *dp = (png_byte)d;
  196416. break;
  196417. }
  196418. case 2:
  196419. {
  196420. png_bytep sp;
  196421. png_bytep dp;
  196422. int shift;
  196423. int d;
  196424. int value;
  196425. png_uint_32 i;
  196426. png_uint_32 row_width = row_info->width;
  196427. dp = row;
  196428. shift = 6;
  196429. d = 0;
  196430. for (i = png_pass_start[pass]; i < row_width;
  196431. i += png_pass_inc[pass])
  196432. {
  196433. sp = row + (png_size_t)(i >> 2);
  196434. value = (*sp >> ((3 - (int)(i & 0x03)) << 1)) & 0x03;
  196435. d |= (value << shift);
  196436. if (shift == 0)
  196437. {
  196438. shift = 6;
  196439. *dp++ = (png_byte)d;
  196440. d = 0;
  196441. }
  196442. else
  196443. shift -= 2;
  196444. }
  196445. if (shift != 6)
  196446. *dp = (png_byte)d;
  196447. break;
  196448. }
  196449. case 4:
  196450. {
  196451. png_bytep sp;
  196452. png_bytep dp;
  196453. int shift;
  196454. int d;
  196455. int value;
  196456. png_uint_32 i;
  196457. png_uint_32 row_width = row_info->width;
  196458. dp = row;
  196459. shift = 4;
  196460. d = 0;
  196461. for (i = png_pass_start[pass]; i < row_width;
  196462. i += png_pass_inc[pass])
  196463. {
  196464. sp = row + (png_size_t)(i >> 1);
  196465. value = (*sp >> ((1 - (int)(i & 0x01)) << 2)) & 0x0f;
  196466. d |= (value << shift);
  196467. if (shift == 0)
  196468. {
  196469. shift = 4;
  196470. *dp++ = (png_byte)d;
  196471. d = 0;
  196472. }
  196473. else
  196474. shift -= 4;
  196475. }
  196476. if (shift != 4)
  196477. *dp = (png_byte)d;
  196478. break;
  196479. }
  196480. default:
  196481. {
  196482. png_bytep sp;
  196483. png_bytep dp;
  196484. png_uint_32 i;
  196485. png_uint_32 row_width = row_info->width;
  196486. png_size_t pixel_bytes;
  196487. /* start at the beginning */
  196488. dp = row;
  196489. /* find out how many bytes each pixel takes up */
  196490. pixel_bytes = (row_info->pixel_depth >> 3);
  196491. /* loop through the row, only looking at the pixels that
  196492. matter */
  196493. for (i = png_pass_start[pass]; i < row_width;
  196494. i += png_pass_inc[pass])
  196495. {
  196496. /* find out where the original pixel is */
  196497. sp = row + (png_size_t)i * pixel_bytes;
  196498. /* move the pixel */
  196499. if (dp != sp)
  196500. png_memcpy(dp, sp, pixel_bytes);
  196501. /* next pixel */
  196502. dp += pixel_bytes;
  196503. }
  196504. break;
  196505. }
  196506. }
  196507. /* set new row width */
  196508. row_info->width = (row_info->width +
  196509. png_pass_inc[pass] - 1 -
  196510. png_pass_start[pass]) /
  196511. png_pass_inc[pass];
  196512. row_info->rowbytes = PNG_ROWBYTES(row_info->pixel_depth,
  196513. row_info->width);
  196514. }
  196515. }
  196516. #endif
  196517. /* This filters the row, chooses which filter to use, if it has not already
  196518. * been specified by the application, and then writes the row out with the
  196519. * chosen filter.
  196520. */
  196521. #define PNG_MAXSUM (((png_uint_32)(-1)) >> 1)
  196522. #define PNG_HISHIFT 10
  196523. #define PNG_LOMASK ((png_uint_32)0xffffL)
  196524. #define PNG_HIMASK ((png_uint_32)(~PNG_LOMASK >> PNG_HISHIFT))
  196525. void /* PRIVATE */
  196526. png_write_find_filter(png_structp png_ptr, png_row_infop row_info)
  196527. {
  196528. png_bytep best_row;
  196529. #ifndef PNG_NO_WRITE_FILTER
  196530. png_bytep prev_row, row_buf;
  196531. png_uint_32 mins, bpp;
  196532. png_byte filter_to_do = png_ptr->do_filter;
  196533. png_uint_32 row_bytes = row_info->rowbytes;
  196534. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196535. int num_p_filters = (int)png_ptr->num_prev_filters;
  196536. #endif
  196537. png_debug(1, "in png_write_find_filter\n");
  196538. /* find out how many bytes offset each pixel is */
  196539. bpp = (row_info->pixel_depth + 7) >> 3;
  196540. prev_row = png_ptr->prev_row;
  196541. #endif
  196542. best_row = png_ptr->row_buf;
  196543. #ifndef PNG_NO_WRITE_FILTER
  196544. row_buf = best_row;
  196545. mins = PNG_MAXSUM;
  196546. /* The prediction method we use is to find which method provides the
  196547. * smallest value when summing the absolute values of the distances
  196548. * from zero, using anything >= 128 as negative numbers. This is known
  196549. * as the "minimum sum of absolute differences" heuristic. Other
  196550. * heuristics are the "weighted minimum sum of absolute differences"
  196551. * (experimental and can in theory improve compression), and the "zlib
  196552. * predictive" method (not implemented yet), which does test compressions
  196553. * of lines using different filter methods, and then chooses the
  196554. * (series of) filter(s) that give minimum compressed data size (VERY
  196555. * computationally expensive).
  196556. *
  196557. * GRR 980525: consider also
  196558. * (1) minimum sum of absolute differences from running average (i.e.,
  196559. * keep running sum of non-absolute differences & count of bytes)
  196560. * [track dispersion, too? restart average if dispersion too large?]
  196561. * (1b) minimum sum of absolute differences from sliding average, probably
  196562. * with window size <= deflate window (usually 32K)
  196563. * (2) minimum sum of squared differences from zero or running average
  196564. * (i.e., ~ root-mean-square approach)
  196565. */
  196566. /* We don't need to test the 'no filter' case if this is the only filter
  196567. * that has been chosen, as it doesn't actually do anything to the data.
  196568. */
  196569. if ((filter_to_do & PNG_FILTER_NONE) &&
  196570. filter_to_do != PNG_FILTER_NONE)
  196571. {
  196572. png_bytep rp;
  196573. png_uint_32 sum = 0;
  196574. png_uint_32 i;
  196575. int v;
  196576. for (i = 0, rp = row_buf + 1; i < row_bytes; i++, rp++)
  196577. {
  196578. v = *rp;
  196579. sum += (v < 128) ? v : 256 - v;
  196580. }
  196581. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196582. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  196583. {
  196584. png_uint_32 sumhi, sumlo;
  196585. int j;
  196586. sumlo = sum & PNG_LOMASK;
  196587. sumhi = (sum >> PNG_HISHIFT) & PNG_HIMASK; /* Gives us some footroom */
  196588. /* Reduce the sum if we match any of the previous rows */
  196589. for (j = 0; j < num_p_filters; j++)
  196590. {
  196591. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_NONE)
  196592. {
  196593. sumlo = (sumlo * png_ptr->filter_weights[j]) >>
  196594. PNG_WEIGHT_SHIFT;
  196595. sumhi = (sumhi * png_ptr->filter_weights[j]) >>
  196596. PNG_WEIGHT_SHIFT;
  196597. }
  196598. }
  196599. /* Factor in the cost of this filter (this is here for completeness,
  196600. * but it makes no sense to have a "cost" for the NONE filter, as
  196601. * it has the minimum possible computational cost - none).
  196602. */
  196603. sumlo = (sumlo * png_ptr->filter_costs[PNG_FILTER_VALUE_NONE]) >>
  196604. PNG_COST_SHIFT;
  196605. sumhi = (sumhi * png_ptr->filter_costs[PNG_FILTER_VALUE_NONE]) >>
  196606. PNG_COST_SHIFT;
  196607. if (sumhi > PNG_HIMASK)
  196608. sum = PNG_MAXSUM;
  196609. else
  196610. sum = (sumhi << PNG_HISHIFT) + sumlo;
  196611. }
  196612. #endif
  196613. mins = sum;
  196614. }
  196615. /* sub filter */
  196616. if (filter_to_do == PNG_FILTER_SUB)
  196617. /* it's the only filter so no testing is needed */
  196618. {
  196619. png_bytep rp, lp, dp;
  196620. png_uint_32 i;
  196621. for (i = 0, rp = row_buf + 1, dp = png_ptr->sub_row + 1; i < bpp;
  196622. i++, rp++, dp++)
  196623. {
  196624. *dp = *rp;
  196625. }
  196626. for (lp = row_buf + 1; i < row_bytes;
  196627. i++, rp++, lp++, dp++)
  196628. {
  196629. *dp = (png_byte)(((int)*rp - (int)*lp) & 0xff);
  196630. }
  196631. best_row = png_ptr->sub_row;
  196632. }
  196633. else if (filter_to_do & PNG_FILTER_SUB)
  196634. {
  196635. png_bytep rp, dp, lp;
  196636. png_uint_32 sum = 0, lmins = mins;
  196637. png_uint_32 i;
  196638. int v;
  196639. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196640. /* We temporarily increase the "minimum sum" by the factor we
  196641. * would reduce the sum of this filter, so that we can do the
  196642. * early exit comparison without scaling the sum each time.
  196643. */
  196644. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  196645. {
  196646. int j;
  196647. png_uint_32 lmhi, lmlo;
  196648. lmlo = lmins & PNG_LOMASK;
  196649. lmhi = (lmins >> PNG_HISHIFT) & PNG_HIMASK;
  196650. for (j = 0; j < num_p_filters; j++)
  196651. {
  196652. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_SUB)
  196653. {
  196654. lmlo = (lmlo * png_ptr->inv_filter_weights[j]) >>
  196655. PNG_WEIGHT_SHIFT;
  196656. lmhi = (lmhi * png_ptr->inv_filter_weights[j]) >>
  196657. PNG_WEIGHT_SHIFT;
  196658. }
  196659. }
  196660. lmlo = (lmlo * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_SUB]) >>
  196661. PNG_COST_SHIFT;
  196662. lmhi = (lmhi * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_SUB]) >>
  196663. PNG_COST_SHIFT;
  196664. if (lmhi > PNG_HIMASK)
  196665. lmins = PNG_MAXSUM;
  196666. else
  196667. lmins = (lmhi << PNG_HISHIFT) + lmlo;
  196668. }
  196669. #endif
  196670. for (i = 0, rp = row_buf + 1, dp = png_ptr->sub_row + 1; i < bpp;
  196671. i++, rp++, dp++)
  196672. {
  196673. v = *dp = *rp;
  196674. sum += (v < 128) ? v : 256 - v;
  196675. }
  196676. for (lp = row_buf + 1; i < row_bytes;
  196677. i++, rp++, lp++, dp++)
  196678. {
  196679. v = *dp = (png_byte)(((int)*rp - (int)*lp) & 0xff);
  196680. sum += (v < 128) ? v : 256 - v;
  196681. if (sum > lmins) /* We are already worse, don't continue. */
  196682. break;
  196683. }
  196684. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196685. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  196686. {
  196687. int j;
  196688. png_uint_32 sumhi, sumlo;
  196689. sumlo = sum & PNG_LOMASK;
  196690. sumhi = (sum >> PNG_HISHIFT) & PNG_HIMASK;
  196691. for (j = 0; j < num_p_filters; j++)
  196692. {
  196693. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_SUB)
  196694. {
  196695. sumlo = (sumlo * png_ptr->inv_filter_weights[j]) >>
  196696. PNG_WEIGHT_SHIFT;
  196697. sumhi = (sumhi * png_ptr->inv_filter_weights[j]) >>
  196698. PNG_WEIGHT_SHIFT;
  196699. }
  196700. }
  196701. sumlo = (sumlo * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_SUB]) >>
  196702. PNG_COST_SHIFT;
  196703. sumhi = (sumhi * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_SUB]) >>
  196704. PNG_COST_SHIFT;
  196705. if (sumhi > PNG_HIMASK)
  196706. sum = PNG_MAXSUM;
  196707. else
  196708. sum = (sumhi << PNG_HISHIFT) + sumlo;
  196709. }
  196710. #endif
  196711. if (sum < mins)
  196712. {
  196713. mins = sum;
  196714. best_row = png_ptr->sub_row;
  196715. }
  196716. }
  196717. /* up filter */
  196718. if (filter_to_do == PNG_FILTER_UP)
  196719. {
  196720. png_bytep rp, dp, pp;
  196721. png_uint_32 i;
  196722. for (i = 0, rp = row_buf + 1, dp = png_ptr->up_row + 1,
  196723. pp = prev_row + 1; i < row_bytes;
  196724. i++, rp++, pp++, dp++)
  196725. {
  196726. *dp = (png_byte)(((int)*rp - (int)*pp) & 0xff);
  196727. }
  196728. best_row = png_ptr->up_row;
  196729. }
  196730. else if (filter_to_do & PNG_FILTER_UP)
  196731. {
  196732. png_bytep rp, dp, pp;
  196733. png_uint_32 sum = 0, lmins = mins;
  196734. png_uint_32 i;
  196735. int v;
  196736. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196737. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  196738. {
  196739. int j;
  196740. png_uint_32 lmhi, lmlo;
  196741. lmlo = lmins & PNG_LOMASK;
  196742. lmhi = (lmins >> PNG_HISHIFT) & PNG_HIMASK;
  196743. for (j = 0; j < num_p_filters; j++)
  196744. {
  196745. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_UP)
  196746. {
  196747. lmlo = (lmlo * png_ptr->inv_filter_weights[j]) >>
  196748. PNG_WEIGHT_SHIFT;
  196749. lmhi = (lmhi * png_ptr->inv_filter_weights[j]) >>
  196750. PNG_WEIGHT_SHIFT;
  196751. }
  196752. }
  196753. lmlo = (lmlo * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_UP]) >>
  196754. PNG_COST_SHIFT;
  196755. lmhi = (lmhi * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_UP]) >>
  196756. PNG_COST_SHIFT;
  196757. if (lmhi > PNG_HIMASK)
  196758. lmins = PNG_MAXSUM;
  196759. else
  196760. lmins = (lmhi << PNG_HISHIFT) + lmlo;
  196761. }
  196762. #endif
  196763. for (i = 0, rp = row_buf + 1, dp = png_ptr->up_row + 1,
  196764. pp = prev_row + 1; i < row_bytes; i++)
  196765. {
  196766. v = *dp++ = (png_byte)(((int)*rp++ - (int)*pp++) & 0xff);
  196767. sum += (v < 128) ? v : 256 - v;
  196768. if (sum > lmins) /* We are already worse, don't continue. */
  196769. break;
  196770. }
  196771. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196772. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  196773. {
  196774. int j;
  196775. png_uint_32 sumhi, sumlo;
  196776. sumlo = sum & PNG_LOMASK;
  196777. sumhi = (sum >> PNG_HISHIFT) & PNG_HIMASK;
  196778. for (j = 0; j < num_p_filters; j++)
  196779. {
  196780. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_UP)
  196781. {
  196782. sumlo = (sumlo * png_ptr->filter_weights[j]) >>
  196783. PNG_WEIGHT_SHIFT;
  196784. sumhi = (sumhi * png_ptr->filter_weights[j]) >>
  196785. PNG_WEIGHT_SHIFT;
  196786. }
  196787. }
  196788. sumlo = (sumlo * png_ptr->filter_costs[PNG_FILTER_VALUE_UP]) >>
  196789. PNG_COST_SHIFT;
  196790. sumhi = (sumhi * png_ptr->filter_costs[PNG_FILTER_VALUE_UP]) >>
  196791. PNG_COST_SHIFT;
  196792. if (sumhi > PNG_HIMASK)
  196793. sum = PNG_MAXSUM;
  196794. else
  196795. sum = (sumhi << PNG_HISHIFT) + sumlo;
  196796. }
  196797. #endif
  196798. if (sum < mins)
  196799. {
  196800. mins = sum;
  196801. best_row = png_ptr->up_row;
  196802. }
  196803. }
  196804. /* avg filter */
  196805. if (filter_to_do == PNG_FILTER_AVG)
  196806. {
  196807. png_bytep rp, dp, pp, lp;
  196808. png_uint_32 i;
  196809. for (i = 0, rp = row_buf + 1, dp = png_ptr->avg_row + 1,
  196810. pp = prev_row + 1; i < bpp; i++)
  196811. {
  196812. *dp++ = (png_byte)(((int)*rp++ - ((int)*pp++ / 2)) & 0xff);
  196813. }
  196814. for (lp = row_buf + 1; i < row_bytes; i++)
  196815. {
  196816. *dp++ = (png_byte)(((int)*rp++ - (((int)*pp++ + (int)*lp++) / 2))
  196817. & 0xff);
  196818. }
  196819. best_row = png_ptr->avg_row;
  196820. }
  196821. else if (filter_to_do & PNG_FILTER_AVG)
  196822. {
  196823. png_bytep rp, dp, pp, lp;
  196824. png_uint_32 sum = 0, lmins = mins;
  196825. png_uint_32 i;
  196826. int v;
  196827. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196828. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  196829. {
  196830. int j;
  196831. png_uint_32 lmhi, lmlo;
  196832. lmlo = lmins & PNG_LOMASK;
  196833. lmhi = (lmins >> PNG_HISHIFT) & PNG_HIMASK;
  196834. for (j = 0; j < num_p_filters; j++)
  196835. {
  196836. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_AVG)
  196837. {
  196838. lmlo = (lmlo * png_ptr->inv_filter_weights[j]) >>
  196839. PNG_WEIGHT_SHIFT;
  196840. lmhi = (lmhi * png_ptr->inv_filter_weights[j]) >>
  196841. PNG_WEIGHT_SHIFT;
  196842. }
  196843. }
  196844. lmlo = (lmlo * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_AVG]) >>
  196845. PNG_COST_SHIFT;
  196846. lmhi = (lmhi * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_AVG]) >>
  196847. PNG_COST_SHIFT;
  196848. if (lmhi > PNG_HIMASK)
  196849. lmins = PNG_MAXSUM;
  196850. else
  196851. lmins = (lmhi << PNG_HISHIFT) + lmlo;
  196852. }
  196853. #endif
  196854. for (i = 0, rp = row_buf + 1, dp = png_ptr->avg_row + 1,
  196855. pp = prev_row + 1; i < bpp; i++)
  196856. {
  196857. v = *dp++ = (png_byte)(((int)*rp++ - ((int)*pp++ / 2)) & 0xff);
  196858. sum += (v < 128) ? v : 256 - v;
  196859. }
  196860. for (lp = row_buf + 1; i < row_bytes; i++)
  196861. {
  196862. v = *dp++ =
  196863. (png_byte)(((int)*rp++ - (((int)*pp++ + (int)*lp++) / 2)) & 0xff);
  196864. sum += (v < 128) ? v : 256 - v;
  196865. if (sum > lmins) /* We are already worse, don't continue. */
  196866. break;
  196867. }
  196868. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196869. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  196870. {
  196871. int j;
  196872. png_uint_32 sumhi, sumlo;
  196873. sumlo = sum & PNG_LOMASK;
  196874. sumhi = (sum >> PNG_HISHIFT) & PNG_HIMASK;
  196875. for (j = 0; j < num_p_filters; j++)
  196876. {
  196877. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_NONE)
  196878. {
  196879. sumlo = (sumlo * png_ptr->filter_weights[j]) >>
  196880. PNG_WEIGHT_SHIFT;
  196881. sumhi = (sumhi * png_ptr->filter_weights[j]) >>
  196882. PNG_WEIGHT_SHIFT;
  196883. }
  196884. }
  196885. sumlo = (sumlo * png_ptr->filter_costs[PNG_FILTER_VALUE_AVG]) >>
  196886. PNG_COST_SHIFT;
  196887. sumhi = (sumhi * png_ptr->filter_costs[PNG_FILTER_VALUE_AVG]) >>
  196888. PNG_COST_SHIFT;
  196889. if (sumhi > PNG_HIMASK)
  196890. sum = PNG_MAXSUM;
  196891. else
  196892. sum = (sumhi << PNG_HISHIFT) + sumlo;
  196893. }
  196894. #endif
  196895. if (sum < mins)
  196896. {
  196897. mins = sum;
  196898. best_row = png_ptr->avg_row;
  196899. }
  196900. }
  196901. /* Paeth filter */
  196902. if (filter_to_do == PNG_FILTER_PAETH)
  196903. {
  196904. png_bytep rp, dp, pp, cp, lp;
  196905. png_uint_32 i;
  196906. for (i = 0, rp = row_buf + 1, dp = png_ptr->paeth_row + 1,
  196907. pp = prev_row + 1; i < bpp; i++)
  196908. {
  196909. *dp++ = (png_byte)(((int)*rp++ - (int)*pp++) & 0xff);
  196910. }
  196911. for (lp = row_buf + 1, cp = prev_row + 1; i < row_bytes; i++)
  196912. {
  196913. int a, b, c, pa, pb, pc, p;
  196914. b = *pp++;
  196915. c = *cp++;
  196916. a = *lp++;
  196917. p = b - c;
  196918. pc = a - c;
  196919. #ifdef PNG_USE_ABS
  196920. pa = abs(p);
  196921. pb = abs(pc);
  196922. pc = abs(p + pc);
  196923. #else
  196924. pa = p < 0 ? -p : p;
  196925. pb = pc < 0 ? -pc : pc;
  196926. pc = (p + pc) < 0 ? -(p + pc) : p + pc;
  196927. #endif
  196928. p = (pa <= pb && pa <=pc) ? a : (pb <= pc) ? b : c;
  196929. *dp++ = (png_byte)(((int)*rp++ - p) & 0xff);
  196930. }
  196931. best_row = png_ptr->paeth_row;
  196932. }
  196933. else if (filter_to_do & PNG_FILTER_PAETH)
  196934. {
  196935. png_bytep rp, dp, pp, cp, lp;
  196936. png_uint_32 sum = 0, lmins = mins;
  196937. png_uint_32 i;
  196938. int v;
  196939. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  196940. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  196941. {
  196942. int j;
  196943. png_uint_32 lmhi, lmlo;
  196944. lmlo = lmins & PNG_LOMASK;
  196945. lmhi = (lmins >> PNG_HISHIFT) & PNG_HIMASK;
  196946. for (j = 0; j < num_p_filters; j++)
  196947. {
  196948. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_PAETH)
  196949. {
  196950. lmlo = (lmlo * png_ptr->inv_filter_weights[j]) >>
  196951. PNG_WEIGHT_SHIFT;
  196952. lmhi = (lmhi * png_ptr->inv_filter_weights[j]) >>
  196953. PNG_WEIGHT_SHIFT;
  196954. }
  196955. }
  196956. lmlo = (lmlo * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_PAETH]) >>
  196957. PNG_COST_SHIFT;
  196958. lmhi = (lmhi * png_ptr->inv_filter_costs[PNG_FILTER_VALUE_PAETH]) >>
  196959. PNG_COST_SHIFT;
  196960. if (lmhi > PNG_HIMASK)
  196961. lmins = PNG_MAXSUM;
  196962. else
  196963. lmins = (lmhi << PNG_HISHIFT) + lmlo;
  196964. }
  196965. #endif
  196966. for (i = 0, rp = row_buf + 1, dp = png_ptr->paeth_row + 1,
  196967. pp = prev_row + 1; i < bpp; i++)
  196968. {
  196969. v = *dp++ = (png_byte)(((int)*rp++ - (int)*pp++) & 0xff);
  196970. sum += (v < 128) ? v : 256 - v;
  196971. }
  196972. for (lp = row_buf + 1, cp = prev_row + 1; i < row_bytes; i++)
  196973. {
  196974. int a, b, c, pa, pb, pc, p;
  196975. b = *pp++;
  196976. c = *cp++;
  196977. a = *lp++;
  196978. #ifndef PNG_SLOW_PAETH
  196979. p = b - c;
  196980. pc = a - c;
  196981. #ifdef PNG_USE_ABS
  196982. pa = abs(p);
  196983. pb = abs(pc);
  196984. pc = abs(p + pc);
  196985. #else
  196986. pa = p < 0 ? -p : p;
  196987. pb = pc < 0 ? -pc : pc;
  196988. pc = (p + pc) < 0 ? -(p + pc) : p + pc;
  196989. #endif
  196990. p = (pa <= pb && pa <=pc) ? a : (pb <= pc) ? b : c;
  196991. #else /* PNG_SLOW_PAETH */
  196992. p = a + b - c;
  196993. pa = abs(p - a);
  196994. pb = abs(p - b);
  196995. pc = abs(p - c);
  196996. if (pa <= pb && pa <= pc)
  196997. p = a;
  196998. else if (pb <= pc)
  196999. p = b;
  197000. else
  197001. p = c;
  197002. #endif /* PNG_SLOW_PAETH */
  197003. v = *dp++ = (png_byte)(((int)*rp++ - p) & 0xff);
  197004. sum += (v < 128) ? v : 256 - v;
  197005. if (sum > lmins) /* We are already worse, don't continue. */
  197006. break;
  197007. }
  197008. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  197009. if (png_ptr->heuristic_method == PNG_FILTER_HEURISTIC_WEIGHTED)
  197010. {
  197011. int j;
  197012. png_uint_32 sumhi, sumlo;
  197013. sumlo = sum & PNG_LOMASK;
  197014. sumhi = (sum >> PNG_HISHIFT) & PNG_HIMASK;
  197015. for (j = 0; j < num_p_filters; j++)
  197016. {
  197017. if (png_ptr->prev_filters[j] == PNG_FILTER_VALUE_PAETH)
  197018. {
  197019. sumlo = (sumlo * png_ptr->filter_weights[j]) >>
  197020. PNG_WEIGHT_SHIFT;
  197021. sumhi = (sumhi * png_ptr->filter_weights[j]) >>
  197022. PNG_WEIGHT_SHIFT;
  197023. }
  197024. }
  197025. sumlo = (sumlo * png_ptr->filter_costs[PNG_FILTER_VALUE_PAETH]) >>
  197026. PNG_COST_SHIFT;
  197027. sumhi = (sumhi * png_ptr->filter_costs[PNG_FILTER_VALUE_PAETH]) >>
  197028. PNG_COST_SHIFT;
  197029. if (sumhi > PNG_HIMASK)
  197030. sum = PNG_MAXSUM;
  197031. else
  197032. sum = (sumhi << PNG_HISHIFT) + sumlo;
  197033. }
  197034. #endif
  197035. if (sum < mins)
  197036. {
  197037. best_row = png_ptr->paeth_row;
  197038. }
  197039. }
  197040. #endif /* PNG_NO_WRITE_FILTER */
  197041. /* Do the actual writing of the filtered row data from the chosen filter. */
  197042. png_write_filtered_row(png_ptr, best_row);
  197043. #ifndef PNG_NO_WRITE_FILTER
  197044. #if defined(PNG_WRITE_WEIGHTED_FILTER_SUPPORTED)
  197045. /* Save the type of filter we picked this time for future calculations */
  197046. if (png_ptr->num_prev_filters > 0)
  197047. {
  197048. int j;
  197049. for (j = 1; j < num_p_filters; j++)
  197050. {
  197051. png_ptr->prev_filters[j] = png_ptr->prev_filters[j - 1];
  197052. }
  197053. png_ptr->prev_filters[j] = best_row[0];
  197054. }
  197055. #endif
  197056. #endif /* PNG_NO_WRITE_FILTER */
  197057. }
  197058. /* Do the actual writing of a previously filtered row. */
  197059. void /* PRIVATE */
  197060. png_write_filtered_row(png_structp png_ptr, png_bytep filtered_row)
  197061. {
  197062. png_debug(1, "in png_write_filtered_row\n");
  197063. png_debug1(2, "filter = %d\n", filtered_row[0]);
  197064. /* set up the zlib input buffer */
  197065. png_ptr->zstream.next_in = filtered_row;
  197066. png_ptr->zstream.avail_in = (uInt)png_ptr->row_info.rowbytes + 1;
  197067. /* repeat until we have compressed all the data */
  197068. do
  197069. {
  197070. int ret; /* return of zlib */
  197071. /* compress the data */
  197072. ret = deflate(&png_ptr->zstream, Z_NO_FLUSH);
  197073. /* check for compression errors */
  197074. if (ret != Z_OK)
  197075. {
  197076. if (png_ptr->zstream.msg != NULL)
  197077. png_error(png_ptr, png_ptr->zstream.msg);
  197078. else
  197079. png_error(png_ptr, "zlib error");
  197080. }
  197081. /* see if it is time to write another IDAT */
  197082. if (!(png_ptr->zstream.avail_out))
  197083. {
  197084. /* write the IDAT and reset the zlib output buffer */
  197085. png_write_IDAT(png_ptr, png_ptr->zbuf, png_ptr->zbuf_size);
  197086. png_ptr->zstream.next_out = png_ptr->zbuf;
  197087. png_ptr->zstream.avail_out = (uInt)png_ptr->zbuf_size;
  197088. }
  197089. /* repeat until all data has been compressed */
  197090. } while (png_ptr->zstream.avail_in);
  197091. /* swap the current and previous rows */
  197092. if (png_ptr->prev_row != NULL)
  197093. {
  197094. png_bytep tptr;
  197095. tptr = png_ptr->prev_row;
  197096. png_ptr->prev_row = png_ptr->row_buf;
  197097. png_ptr->row_buf = tptr;
  197098. }
  197099. /* finish row - updates counters and flushes zlib if last row */
  197100. png_write_finish_row(png_ptr);
  197101. #if defined(PNG_WRITE_FLUSH_SUPPORTED)
  197102. png_ptr->flush_rows++;
  197103. if (png_ptr->flush_dist > 0 &&
  197104. png_ptr->flush_rows >= png_ptr->flush_dist)
  197105. {
  197106. png_write_flush(png_ptr);
  197107. }
  197108. #endif
  197109. }
  197110. #endif /* PNG_WRITE_SUPPORTED */
  197111. /********* End of inlined file: pngwutil.c *********/
  197112. }
  197113. }
  197114. #ifdef _MSC_VER
  197115. #pragma warning (pop)
  197116. #endif
  197117. BEGIN_JUCE_NAMESPACE
  197118. using namespace pnglibNamespace;
  197119. using ::malloc;
  197120. using ::free;
  197121. static void pngReadCallback (png_structp pngReadStruct, png_bytep data, png_size_t length) throw()
  197122. {
  197123. InputStream* const in = (InputStream*) png_get_io_ptr (pngReadStruct);
  197124. in->read (data, (int) length);
  197125. }
  197126. struct PNGErrorStruct {};
  197127. static void pngErrorCallback (png_structp, png_const_charp)
  197128. {
  197129. throw PNGErrorStruct();
  197130. }
  197131. Image* juce_loadPNGImageFromStream (InputStream& in) throw()
  197132. {
  197133. Image* image = 0;
  197134. png_structp pngReadStruct;
  197135. png_infop pngInfoStruct;
  197136. pngReadStruct = png_create_read_struct (PNG_LIBPNG_VER_STRING, 0, 0, 0);
  197137. if (pngReadStruct != 0)
  197138. {
  197139. pngInfoStruct = png_create_info_struct (pngReadStruct);
  197140. if (pngInfoStruct == 0)
  197141. {
  197142. png_destroy_read_struct (&pngReadStruct, 0, 0);
  197143. return 0;
  197144. }
  197145. png_set_error_fn (pngReadStruct, 0, pngErrorCallback, pngErrorCallback);
  197146. // read the header..
  197147. png_set_read_fn (pngReadStruct, &in, pngReadCallback);
  197148. png_uint_32 width, height;
  197149. int bitDepth, colorType, interlaceType;
  197150. try
  197151. {
  197152. png_read_info (pngReadStruct, pngInfoStruct);
  197153. png_get_IHDR (pngReadStruct, pngInfoStruct,
  197154. &width, &height,
  197155. &bitDepth, &colorType,
  197156. &interlaceType, 0, 0);
  197157. }
  197158. catch (...)
  197159. {
  197160. png_destroy_read_struct (&pngReadStruct, 0, 0);
  197161. return 0;
  197162. }
  197163. if (bitDepth == 16)
  197164. png_set_strip_16 (pngReadStruct);
  197165. if (colorType == PNG_COLOR_TYPE_PALETTE)
  197166. png_set_expand (pngReadStruct);
  197167. if (bitDepth < 8)
  197168. png_set_expand (pngReadStruct);
  197169. if (png_get_valid (pngReadStruct, pngInfoStruct, PNG_INFO_tRNS))
  197170. png_set_expand (pngReadStruct);
  197171. if (colorType == PNG_COLOR_TYPE_GRAY || colorType == PNG_COLOR_TYPE_GRAY_ALPHA)
  197172. png_set_gray_to_rgb (pngReadStruct);
  197173. png_set_add_alpha (pngReadStruct, 0xff, PNG_FILLER_AFTER);
  197174. const bool hasAlphaChan = (colorType & PNG_COLOR_MASK_ALPHA) != 0
  197175. || pngInfoStruct->num_trans > 0;
  197176. // Load the image into a temp buffer in the pnglib format..
  197177. uint8* const tempBuffer = (uint8*) juce_malloc (height * (width << 2));
  197178. png_bytepp rows = (png_bytepp) juce_malloc (sizeof (png_bytep) * height);
  197179. int y;
  197180. for (y = (int) height; --y >= 0;)
  197181. rows[y] = (png_bytep) (tempBuffer + (width << 2) * y);
  197182. bool crashed = false;
  197183. try
  197184. {
  197185. png_read_image (pngReadStruct, rows);
  197186. png_read_end (pngReadStruct, pngInfoStruct);
  197187. }
  197188. catch (...)
  197189. {
  197190. crashed = true;
  197191. }
  197192. juce_free (rows);
  197193. png_destroy_read_struct (&pngReadStruct, &pngInfoStruct, 0);
  197194. if (crashed)
  197195. return 0;
  197196. // now convert the data to a juce image format..
  197197. image = new Image (hasAlphaChan ? Image::ARGB : Image::RGB,
  197198. width, height, hasAlphaChan);
  197199. int stride, pixelStride;
  197200. uint8* const pixels = image->lockPixelDataReadWrite (0, 0, width, height, stride, pixelStride);
  197201. uint8* srcRow = tempBuffer;
  197202. uint8* destRow = pixels;
  197203. for (y = 0; y < (int) height; ++y)
  197204. {
  197205. const uint8* src = srcRow;
  197206. srcRow += (width << 2);
  197207. uint8* dest = destRow;
  197208. destRow += stride;
  197209. if (hasAlphaChan)
  197210. {
  197211. for (int i = width; --i >= 0;)
  197212. {
  197213. ((PixelARGB*) dest)->setARGB (src[3], src[0], src[1], src[2]);
  197214. ((PixelARGB*) dest)->premultiply();
  197215. dest += pixelStride;
  197216. src += 4;
  197217. }
  197218. }
  197219. else
  197220. {
  197221. for (int i = width; --i >= 0;)
  197222. {
  197223. ((PixelRGB*) dest)->setARGB (0, src[0], src[1], src[2]);
  197224. dest += pixelStride;
  197225. src += 4;
  197226. }
  197227. }
  197228. }
  197229. image->releasePixelDataReadWrite (pixels);
  197230. juce_free (tempBuffer);
  197231. }
  197232. return image;
  197233. }
  197234. static void pngWriteDataCallback (png_structp png_ptr, png_bytep data, png_size_t length) throw()
  197235. {
  197236. OutputStream* const out = (OutputStream*) png_ptr->io_ptr;
  197237. const bool ok = out->write (data, length);
  197238. (void) ok;
  197239. jassert (ok);
  197240. }
  197241. bool juce_writePNGImageToStream (const Image& image, OutputStream& out) throw()
  197242. {
  197243. const int width = image.getWidth();
  197244. const int height = image.getHeight();
  197245. png_structp pngWriteStruct = png_create_write_struct (PNG_LIBPNG_VER_STRING, 0, 0, 0);
  197246. if (pngWriteStruct == 0)
  197247. return false;
  197248. png_infop pngInfoStruct = png_create_info_struct (pngWriteStruct);
  197249. if (pngInfoStruct == 0)
  197250. {
  197251. png_destroy_write_struct (&pngWriteStruct, (png_infopp) 0);
  197252. return false;
  197253. }
  197254. png_set_write_fn (pngWriteStruct, &out, pngWriteDataCallback, 0);
  197255. png_set_IHDR (pngWriteStruct, pngInfoStruct, width, height, 8,
  197256. image.hasAlphaChannel() ? PNG_COLOR_TYPE_RGB_ALPHA
  197257. : PNG_COLOR_TYPE_RGB,
  197258. PNG_INTERLACE_NONE,
  197259. PNG_COMPRESSION_TYPE_BASE,
  197260. PNG_FILTER_TYPE_BASE);
  197261. png_bytep rowData = (png_bytep) juce_malloc (width * 4 * sizeof (png_byte));
  197262. png_color_8 sig_bit;
  197263. sig_bit.red = 8;
  197264. sig_bit.green = 8;
  197265. sig_bit.blue = 8;
  197266. sig_bit.alpha = 8;
  197267. png_set_sBIT (pngWriteStruct, pngInfoStruct, &sig_bit);
  197268. png_write_info (pngWriteStruct, pngInfoStruct);
  197269. png_set_shift (pngWriteStruct, &sig_bit);
  197270. png_set_packing (pngWriteStruct);
  197271. for (int y = 0; y < height; ++y)
  197272. {
  197273. uint8* dst = (uint8*) rowData;
  197274. int stride, pixelStride;
  197275. const uint8* pixels = image.lockPixelDataReadOnly (0, y, width, 1, stride, pixelStride);
  197276. const uint8* src = pixels;
  197277. if (image.hasAlphaChannel())
  197278. {
  197279. for (int i = width; --i >= 0;)
  197280. {
  197281. PixelARGB p (*(const PixelARGB*) src);
  197282. p.unpremultiply();
  197283. *dst++ = p.getRed();
  197284. *dst++ = p.getGreen();
  197285. *dst++ = p.getBlue();
  197286. *dst++ = p.getAlpha();
  197287. src += pixelStride;
  197288. }
  197289. }
  197290. else
  197291. {
  197292. for (int i = width; --i >= 0;)
  197293. {
  197294. *dst++ = ((const PixelRGB*) src)->getRed();
  197295. *dst++ = ((const PixelRGB*) src)->getGreen();
  197296. *dst++ = ((const PixelRGB*) src)->getBlue();
  197297. src += pixelStride;
  197298. }
  197299. }
  197300. png_write_rows (pngWriteStruct, &rowData, 1);
  197301. image.releasePixelDataReadOnly (pixels);
  197302. }
  197303. juce_free (rowData);
  197304. png_write_end (pngWriteStruct, pngInfoStruct);
  197305. png_destroy_write_struct (&pngWriteStruct, &pngInfoStruct);
  197306. out.flush();
  197307. return true;
  197308. }
  197309. END_JUCE_NAMESPACE
  197310. /********* End of inlined file: juce_PNGLoader.cpp *********/
  197311. #endif
  197312. //==============================================================================
  197313. #if JUCE_WIN32
  197314. /********* Start of inlined file: juce_win32_Files.cpp *********/
  197315. #ifdef _MSC_VER
  197316. #pragma warning (disable: 4514)
  197317. #pragma warning (push)
  197318. #endif
  197319. #include <ctime>
  197320. #ifndef _WIN32_IE
  197321. #define _WIN32_IE 0x0400
  197322. #endif
  197323. #include <shlobj.h>
  197324. #ifndef CSIDL_MYMUSIC
  197325. #define CSIDL_MYMUSIC 0x000d
  197326. #endif
  197327. #ifndef CSIDL_MYVIDEO
  197328. #define CSIDL_MYVIDEO 0x000e
  197329. #endif
  197330. BEGIN_JUCE_NAMESPACE
  197331. #ifdef _MSC_VER
  197332. #pragma warning (pop)
  197333. #endif
  197334. const tchar File::separator = T('\\');
  197335. const tchar* File::separatorString = T("\\");
  197336. bool juce_fileExists (const String& fileName,
  197337. const bool dontCountDirectories) throw()
  197338. {
  197339. if (fileName.isEmpty())
  197340. return false;
  197341. const DWORD attr = GetFileAttributes (fileName);
  197342. return dontCountDirectories ? ((attr & FILE_ATTRIBUTE_DIRECTORY) == 0)
  197343. : (attr != 0xffffffff);
  197344. }
  197345. bool juce_isDirectory (const String& fileName) throw()
  197346. {
  197347. const DWORD attr = GetFileAttributes (fileName);
  197348. return (attr != 0xffffffff)
  197349. && ((attr & FILE_ATTRIBUTE_DIRECTORY) != 0);
  197350. }
  197351. bool juce_canWriteToFile (const String& fileName) throw()
  197352. {
  197353. const DWORD attr = GetFileAttributes (fileName);
  197354. return ((attr & FILE_ATTRIBUTE_READONLY) == 0);
  197355. }
  197356. bool juce_setFileReadOnly (const String& fileName,
  197357. bool isReadOnly)
  197358. {
  197359. DWORD attr = GetFileAttributes (fileName);
  197360. if (attr == 0xffffffff)
  197361. return false;
  197362. if (isReadOnly != juce_canWriteToFile (fileName))
  197363. return true;
  197364. if (isReadOnly)
  197365. attr |= FILE_ATTRIBUTE_READONLY;
  197366. else
  197367. attr &= ~FILE_ATTRIBUTE_READONLY;
  197368. return SetFileAttributes (fileName, attr) != FALSE;
  197369. }
  197370. bool File::isHidden() const throw()
  197371. {
  197372. return (GetFileAttributes (getFullPathName()) & FILE_ATTRIBUTE_HIDDEN) != 0;
  197373. }
  197374. bool juce_deleteFile (const String& fileName) throw()
  197375. {
  197376. if (juce_isDirectory (fileName))
  197377. return RemoveDirectory (fileName) != 0;
  197378. return DeleteFile (fileName) != 0;
  197379. }
  197380. bool juce_moveFile (const String& source, const String& dest) throw()
  197381. {
  197382. return MoveFile (source, dest) != 0;
  197383. }
  197384. bool juce_copyFile (const String& source, const String& dest) throw()
  197385. {
  197386. return CopyFile (source, dest, false) != 0;
  197387. }
  197388. void juce_createDirectory (const String& fileName) throw()
  197389. {
  197390. if (! juce_fileExists (fileName, true))
  197391. {
  197392. CreateDirectory (fileName, 0);
  197393. }
  197394. }
  197395. // return 0 if not possible
  197396. void* juce_fileOpen (const String& fileName, bool forWriting) throw()
  197397. {
  197398. HANDLE h;
  197399. if (forWriting)
  197400. {
  197401. h = CreateFile (fileName, GENERIC_WRITE, FILE_SHARE_READ, 0,
  197402. OPEN_ALWAYS, FILE_ATTRIBUTE_NORMAL, 0);
  197403. if (h != INVALID_HANDLE_VALUE)
  197404. SetFilePointer (h, 0, 0, FILE_END);
  197405. else
  197406. h = 0;
  197407. }
  197408. else
  197409. {
  197410. h = CreateFile (fileName, GENERIC_READ, FILE_SHARE_READ | FILE_SHARE_WRITE, 0,
  197411. OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL | FILE_FLAG_SEQUENTIAL_SCAN, 0);
  197412. if (h == INVALID_HANDLE_VALUE)
  197413. h = 0;
  197414. }
  197415. return (void*) h;
  197416. }
  197417. void juce_fileClose (void* handle) throw()
  197418. {
  197419. CloseHandle (handle);
  197420. }
  197421. int juce_fileRead (void* handle, void* buffer, int size) throw()
  197422. {
  197423. DWORD num = 0;
  197424. ReadFile ((HANDLE) handle, buffer, size, &num, 0);
  197425. return num;
  197426. }
  197427. int juce_fileWrite (void* handle, const void* buffer, int size) throw()
  197428. {
  197429. DWORD num;
  197430. WriteFile ((HANDLE) handle,
  197431. buffer, size,
  197432. &num, 0);
  197433. return num;
  197434. }
  197435. int64 juce_fileSetPosition (void* handle, int64 pos) throw()
  197436. {
  197437. LARGE_INTEGER li;
  197438. li.QuadPart = pos;
  197439. li.LowPart = SetFilePointer ((HANDLE) handle,
  197440. li.LowPart,
  197441. &li.HighPart,
  197442. FILE_BEGIN); // (returns -1 if it fails)
  197443. return li.QuadPart;
  197444. }
  197445. int64 juce_fileGetPosition (void* handle) throw()
  197446. {
  197447. LARGE_INTEGER li;
  197448. li.QuadPart = 0;
  197449. li.LowPart = SetFilePointer ((HANDLE) handle,
  197450. 0, &li.HighPart,
  197451. FILE_CURRENT); // (returns -1 if it fails)
  197452. return jmax ((int64) 0, li.QuadPart);
  197453. }
  197454. void juce_fileFlush (void* handle) throw()
  197455. {
  197456. FlushFileBuffers ((HANDLE) handle);
  197457. }
  197458. int64 juce_getFileSize (const String& fileName) throw()
  197459. {
  197460. WIN32_FILE_ATTRIBUTE_DATA attributes;
  197461. if (GetFileAttributesEx (fileName, GetFileExInfoStandard, &attributes))
  197462. {
  197463. return (((int64) attributes.nFileSizeHigh) << 32)
  197464. | attributes.nFileSizeLow;
  197465. }
  197466. return 0;
  197467. }
  197468. static int64 fileTimeToTime (const FILETIME* const ft) throw()
  197469. {
  197470. // tell me if this fails!
  197471. static_jassert (sizeof (ULARGE_INTEGER) == sizeof (FILETIME));
  197472. #if JUCE_GCC
  197473. return (((const ULARGE_INTEGER*) ft)->QuadPart - 116444736000000000LL) / 10000;
  197474. #else
  197475. return (((const ULARGE_INTEGER*) ft)->QuadPart - 116444736000000000) / 10000;
  197476. #endif
  197477. }
  197478. static void timeToFileTime (const int64 time, FILETIME* const ft) throw()
  197479. {
  197480. #if JUCE_GCC
  197481. ((ULARGE_INTEGER*) ft)->QuadPart = time * 10000 + 116444736000000000LL;
  197482. #else
  197483. ((ULARGE_INTEGER*) ft)->QuadPart = time * 10000 + 116444736000000000;
  197484. #endif
  197485. }
  197486. void juce_getFileTimes (const String& fileName,
  197487. int64& modificationTime,
  197488. int64& accessTime,
  197489. int64& creationTime) throw()
  197490. {
  197491. WIN32_FILE_ATTRIBUTE_DATA attributes;
  197492. if (GetFileAttributesEx (fileName, GetFileExInfoStandard, &attributes))
  197493. {
  197494. modificationTime = fileTimeToTime (&attributes.ftLastWriteTime);
  197495. creationTime = fileTimeToTime (&attributes.ftCreationTime);
  197496. accessTime = fileTimeToTime (&attributes.ftLastAccessTime);
  197497. }
  197498. else
  197499. {
  197500. creationTime = accessTime = modificationTime = 0;
  197501. }
  197502. }
  197503. bool juce_setFileTimes (const String& fileName,
  197504. int64 modificationTime,
  197505. int64 accessTime,
  197506. int64 creationTime) throw()
  197507. {
  197508. FILETIME m, a, c;
  197509. if (modificationTime > 0)
  197510. timeToFileTime (modificationTime, &m);
  197511. if (accessTime > 0)
  197512. timeToFileTime (accessTime, &a);
  197513. if (creationTime > 0)
  197514. timeToFileTime (creationTime, &c);
  197515. void* const h = juce_fileOpen (fileName, true);
  197516. bool ok = false;
  197517. if (h != 0)
  197518. {
  197519. ok = SetFileTime ((HANDLE) h,
  197520. (creationTime > 0) ? &c : 0,
  197521. (accessTime > 0) ? &a : 0,
  197522. (modificationTime > 0) ? &m : 0) != 0;
  197523. juce_fileClose (h);
  197524. }
  197525. return ok;
  197526. }
  197527. // return '\0' separated list of strings
  197528. const StringArray juce_getFileSystemRoots() throw()
  197529. {
  197530. TCHAR buffer [2048];
  197531. buffer[0] = 0;
  197532. buffer[1] = 0;
  197533. GetLogicalDriveStrings (2048, buffer);
  197534. TCHAR* n = buffer;
  197535. StringArray roots;
  197536. while (*n != 0)
  197537. {
  197538. roots.add (String (n));
  197539. while (*n++ != 0)
  197540. {
  197541. }
  197542. }
  197543. roots.sort (true);
  197544. return roots;
  197545. }
  197546. const String juce_getVolumeLabel (const String& filenameOnVolume,
  197547. int& volumeSerialNumber) throw()
  197548. {
  197549. TCHAR n [4];
  197550. n[0] = *(const TCHAR*) filenameOnVolume;
  197551. n[1] = L':';
  197552. n[2] = L'\\';
  197553. n[3] = 0;
  197554. TCHAR dest [64];
  197555. DWORD serialNum;
  197556. if (! GetVolumeInformation (n, dest, 64, (DWORD*) &serialNum, 0, 0, 0, 0))
  197557. {
  197558. dest[0] = 0;
  197559. serialNum = 0;
  197560. }
  197561. volumeSerialNumber = serialNum;
  197562. return String (dest);
  197563. }
  197564. int64 File::getBytesFreeOnVolume() const throw()
  197565. {
  197566. String fn (getFullPathName());
  197567. if (fn[1] == T(':'))
  197568. fn = fn.substring (0, 2) + T("\\");
  197569. ULARGE_INTEGER spc;
  197570. ULARGE_INTEGER tot;
  197571. ULARGE_INTEGER totFree;
  197572. if (GetDiskFreeSpaceEx (fn, &spc, &tot, &totFree))
  197573. return (int64)(spc.QuadPart);
  197574. return 0;
  197575. }
  197576. static unsigned int getWindowsDriveType (const String& fileName) throw()
  197577. {
  197578. TCHAR n[4];
  197579. n[0] = *(const TCHAR*) fileName;
  197580. n[1] = L':';
  197581. n[2] = L'\\';
  197582. n[3] = 0;
  197583. return GetDriveType (n);
  197584. }
  197585. bool File::isOnCDRomDrive() const throw()
  197586. {
  197587. return getWindowsDriveType (getFullPathName()) == DRIVE_CDROM;
  197588. }
  197589. bool File::isOnHardDisk() const throw()
  197590. {
  197591. if (fullPath.isEmpty())
  197592. return false;
  197593. const unsigned int n = getWindowsDriveType (getFullPathName());
  197594. if (fullPath.toLowerCase()[0] <= 'b'
  197595. && fullPath[1] == T(':'))
  197596. {
  197597. return n != DRIVE_REMOVABLE;
  197598. }
  197599. else
  197600. {
  197601. return n != DRIVE_CDROM && n != DRIVE_REMOTE;
  197602. }
  197603. }
  197604. bool File::isOnRemovableDrive() const throw()
  197605. {
  197606. if (fullPath.isEmpty())
  197607. return false;
  197608. const unsigned int n = getWindowsDriveType (getFullPathName());
  197609. return n == DRIVE_CDROM
  197610. || n == DRIVE_REMOTE
  197611. || n == DRIVE_REMOVABLE
  197612. || n == DRIVE_RAMDISK;
  197613. }
  197614. #define MAX_PATH_CHARS (MAX_PATH + 256)
  197615. static const File juce_getSpecialFolderPath (int type) throw()
  197616. {
  197617. WCHAR path [MAX_PATH_CHARS];
  197618. if (SHGetSpecialFolderPath (0, path, type, 0))
  197619. return File (String (path));
  197620. return File::nonexistent;
  197621. }
  197622. const File JUCE_CALLTYPE File::getSpecialLocation (const SpecialLocationType type)
  197623. {
  197624. int csidlType = 0;
  197625. switch (type)
  197626. {
  197627. case userHomeDirectory:
  197628. case userDocumentsDirectory:
  197629. csidlType = CSIDL_PERSONAL;
  197630. break;
  197631. case userDesktopDirectory:
  197632. csidlType = CSIDL_DESKTOP;
  197633. break;
  197634. case userApplicationDataDirectory:
  197635. csidlType = CSIDL_APPDATA;
  197636. break;
  197637. case commonApplicationDataDirectory:
  197638. csidlType = CSIDL_COMMON_APPDATA;
  197639. break;
  197640. case globalApplicationsDirectory:
  197641. csidlType = CSIDL_PROGRAM_FILES;
  197642. break;
  197643. case userMusicDirectory:
  197644. csidlType = CSIDL_MYMUSIC;
  197645. break;
  197646. case userMoviesDirectory:
  197647. csidlType = CSIDL_MYVIDEO;
  197648. break;
  197649. case tempDirectory:
  197650. {
  197651. WCHAR dest [2048];
  197652. dest[0] = 0;
  197653. GetTempPath (2048, dest);
  197654. return File (String (dest));
  197655. }
  197656. case currentExecutableFile:
  197657. case currentApplicationFile:
  197658. {
  197659. HINSTANCE moduleHandle = (HINSTANCE) PlatformUtilities::getCurrentModuleInstanceHandle();
  197660. WCHAR dest [MAX_PATH_CHARS];
  197661. dest[0] = 0;
  197662. GetModuleFileName (moduleHandle, dest, MAX_PATH_CHARS);
  197663. return File (String (dest));
  197664. }
  197665. break;
  197666. default:
  197667. jassertfalse // unknown type?
  197668. return File::nonexistent;
  197669. }
  197670. return juce_getSpecialFolderPath (csidlType);
  197671. }
  197672. void juce_setCurrentExecutableFileName (const String&) throw()
  197673. {
  197674. // n/a on windows
  197675. }
  197676. const File File::getCurrentWorkingDirectory() throw()
  197677. {
  197678. WCHAR dest [MAX_PATH_CHARS];
  197679. dest[0] = 0;
  197680. GetCurrentDirectory (MAX_PATH_CHARS, dest);
  197681. return File (String (dest));
  197682. }
  197683. bool File::setAsCurrentWorkingDirectory() const throw()
  197684. {
  197685. return SetCurrentDirectory (getFullPathName()) != FALSE;
  197686. }
  197687. template <class FindDataType>
  197688. static void getFindFileInfo (FindDataType& findData,
  197689. String& filename, bool* const isDir, bool* const isHidden,
  197690. int64* const fileSize, Time* const modTime, Time* const creationTime,
  197691. bool* const isReadOnly) throw()
  197692. {
  197693. filename = findData.cFileName;
  197694. if (isDir != 0)
  197695. *isDir = ((findData.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY) != 0);
  197696. if (isHidden != 0)
  197697. *isHidden = ((findData.dwFileAttributes & FILE_ATTRIBUTE_HIDDEN) != 0);
  197698. if (fileSize != 0)
  197699. *fileSize = findData.nFileSizeLow + (((int64) findData.nFileSizeHigh) << 32);
  197700. if (modTime != 0)
  197701. *modTime = fileTimeToTime (&findData.ftLastWriteTime);
  197702. if (creationTime != 0)
  197703. *creationTime = fileTimeToTime (&findData.ftCreationTime);
  197704. if (isReadOnly != 0)
  197705. *isReadOnly = ((findData.dwFileAttributes & FILE_ATTRIBUTE_READONLY) != 0);
  197706. }
  197707. void* juce_findFileStart (const String& directory, const String& wildCard, String& firstResult,
  197708. bool* isDir, bool* isHidden, int64* fileSize,
  197709. Time* modTime, Time* creationTime, bool* isReadOnly) throw()
  197710. {
  197711. String wc (directory);
  197712. if (! wc.endsWithChar (File::separator))
  197713. wc += File::separator;
  197714. wc += wildCard;
  197715. WIN32_FIND_DATA findData;
  197716. HANDLE h = FindFirstFile (wc, &findData);
  197717. if (h != INVALID_HANDLE_VALUE)
  197718. {
  197719. getFindFileInfo (findData, firstResult, isDir, isHidden, fileSize,
  197720. modTime, creationTime, isReadOnly);
  197721. return h;
  197722. }
  197723. firstResult = String::empty;
  197724. return 0;
  197725. }
  197726. bool juce_findFileNext (void* handle, String& resultFile,
  197727. bool* isDir, bool* isHidden, int64* fileSize,
  197728. Time* modTime, Time* creationTime, bool* isReadOnly) throw()
  197729. {
  197730. WIN32_FIND_DATA findData;
  197731. if (handle != 0 && FindNextFile ((HANDLE) handle, &findData) != 0)
  197732. {
  197733. getFindFileInfo (findData, resultFile, isDir, isHidden, fileSize,
  197734. modTime, creationTime, isReadOnly);
  197735. return true;
  197736. }
  197737. resultFile = String::empty;
  197738. return false;
  197739. }
  197740. void juce_findFileClose (void* handle) throw()
  197741. {
  197742. FindClose (handle);
  197743. }
  197744. bool juce_launchFile (const String& fileName,
  197745. const String& parameters) throw()
  197746. {
  197747. HINSTANCE hInstance = 0;
  197748. JUCE_TRY
  197749. {
  197750. hInstance = ShellExecute (0, 0, fileName, parameters, 0, SW_SHOWDEFAULT);
  197751. }
  197752. JUCE_CATCH_ALL
  197753. return hInstance > (HINSTANCE) 32;
  197754. }
  197755. struct NamedPipeInternal
  197756. {
  197757. HANDLE pipeH;
  197758. HANDLE cancelEvent;
  197759. bool connected, createdPipe;
  197760. NamedPipeInternal()
  197761. : pipeH (0),
  197762. cancelEvent (0),
  197763. connected (false),
  197764. createdPipe (false)
  197765. {
  197766. cancelEvent = CreateEvent (0, FALSE, FALSE, 0);
  197767. }
  197768. ~NamedPipeInternal()
  197769. {
  197770. disconnect();
  197771. if (pipeH != 0)
  197772. CloseHandle (pipeH);
  197773. CloseHandle (cancelEvent);
  197774. }
  197775. bool connect (const int timeOutMs)
  197776. {
  197777. if (! createdPipe)
  197778. return true;
  197779. if (! connected)
  197780. {
  197781. OVERLAPPED over;
  197782. zerostruct (over);
  197783. over.hEvent = CreateEvent (0, TRUE, FALSE, 0);
  197784. if (ConnectNamedPipe (pipeH, &over))
  197785. {
  197786. connected = false; // yes, you read that right. In overlapped mode it should always return 0.
  197787. }
  197788. else
  197789. {
  197790. const int err = GetLastError();
  197791. if (err == ERROR_IO_PENDING || err == ERROR_PIPE_LISTENING)
  197792. {
  197793. HANDLE handles[] = { over.hEvent, cancelEvent };
  197794. if (WaitForMultipleObjects (2, handles, FALSE,
  197795. timeOutMs >= 0 ? timeOutMs : INFINITE) == WAIT_OBJECT_0)
  197796. connected = true;
  197797. }
  197798. else if (err == ERROR_PIPE_CONNECTED)
  197799. {
  197800. connected = true;
  197801. }
  197802. }
  197803. CloseHandle (over.hEvent);
  197804. }
  197805. return connected;
  197806. }
  197807. void disconnect()
  197808. {
  197809. if (connected)
  197810. {
  197811. DisconnectNamedPipe (pipeH);
  197812. connected = false;
  197813. }
  197814. }
  197815. };
  197816. void NamedPipe::close()
  197817. {
  197818. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  197819. delete intern;
  197820. internal = 0;
  197821. }
  197822. bool NamedPipe::openInternal (const String& pipeName, const bool createPipe)
  197823. {
  197824. close();
  197825. NamedPipeInternal* const intern = new NamedPipeInternal();
  197826. String file ("\\\\.\\pipe\\");
  197827. file += pipeName;
  197828. intern->createdPipe = createPipe;
  197829. if (createPipe)
  197830. {
  197831. intern->pipeH = CreateNamedPipe (file, PIPE_ACCESS_DUPLEX | FILE_FLAG_OVERLAPPED, 0,
  197832. 1, 64, 64, 0, NULL);
  197833. }
  197834. else
  197835. {
  197836. intern->pipeH = CreateFile (file, GENERIC_READ | GENERIC_WRITE, 0, 0, OPEN_EXISTING,
  197837. FILE_FLAG_OVERLAPPED, 0);
  197838. }
  197839. if (intern->pipeH != INVALID_HANDLE_VALUE)
  197840. {
  197841. internal = intern;
  197842. return true;
  197843. }
  197844. delete intern;
  197845. return false;
  197846. }
  197847. int NamedPipe::read (void* destBuffer, int maxBytesToRead, int timeOutMilliseconds)
  197848. {
  197849. int bytesRead = -1;
  197850. bool waitAgain = true;
  197851. while (waitAgain && internal != 0)
  197852. {
  197853. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  197854. waitAgain = false;
  197855. if (! intern->connect (timeOutMilliseconds))
  197856. break;
  197857. if (maxBytesToRead <= 0)
  197858. return 0;
  197859. OVERLAPPED over;
  197860. zerostruct (over);
  197861. over.hEvent = CreateEvent (0, TRUE, FALSE, 0);
  197862. unsigned long numRead;
  197863. if (ReadFile (intern->pipeH, destBuffer, maxBytesToRead, &numRead, &over))
  197864. {
  197865. bytesRead = (int) numRead;
  197866. }
  197867. else if (GetLastError() == ERROR_IO_PENDING)
  197868. {
  197869. HANDLE handles[] = { over.hEvent, intern->cancelEvent };
  197870. if (WaitForMultipleObjects (2, handles, FALSE,
  197871. timeOutMilliseconds >= 0 ? timeOutMilliseconds
  197872. : INFINITE) == WAIT_OBJECT_0)
  197873. {
  197874. if (GetOverlappedResult (intern->pipeH, &over, &numRead, FALSE))
  197875. {
  197876. bytesRead = (int) numRead;
  197877. }
  197878. else if (GetLastError() == ERROR_BROKEN_PIPE && intern->createdPipe)
  197879. {
  197880. intern->disconnect();
  197881. waitAgain = true;
  197882. }
  197883. }
  197884. }
  197885. else
  197886. {
  197887. waitAgain = internal != 0;
  197888. Sleep (5);
  197889. }
  197890. CloseHandle (over.hEvent);
  197891. }
  197892. return bytesRead;
  197893. }
  197894. int NamedPipe::write (const void* sourceBuffer, int numBytesToWrite, int timeOutMilliseconds)
  197895. {
  197896. int bytesWritten = -1;
  197897. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  197898. if (intern != 0 && intern->connect (timeOutMilliseconds))
  197899. {
  197900. if (numBytesToWrite <= 0)
  197901. return 0;
  197902. OVERLAPPED over;
  197903. zerostruct (over);
  197904. over.hEvent = CreateEvent (0, TRUE, FALSE, 0);
  197905. unsigned long numWritten;
  197906. if (WriteFile (intern->pipeH, sourceBuffer, numBytesToWrite, &numWritten, &over))
  197907. {
  197908. bytesWritten = (int) numWritten;
  197909. }
  197910. else if (GetLastError() == ERROR_IO_PENDING)
  197911. {
  197912. HANDLE handles[] = { over.hEvent, intern->cancelEvent };
  197913. if (WaitForMultipleObjects (2, handles, FALSE, timeOutMilliseconds >= 0 ? timeOutMilliseconds
  197914. : INFINITE) == WAIT_OBJECT_0)
  197915. {
  197916. if (GetOverlappedResult (intern->pipeH, &over, &numWritten, FALSE))
  197917. {
  197918. bytesWritten = (int) numWritten;
  197919. }
  197920. else if (GetLastError() == ERROR_BROKEN_PIPE && intern->createdPipe)
  197921. {
  197922. intern->disconnect();
  197923. }
  197924. }
  197925. }
  197926. CloseHandle (over.hEvent);
  197927. }
  197928. return bytesWritten;
  197929. }
  197930. void NamedPipe::cancelPendingReads()
  197931. {
  197932. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  197933. if (intern != 0)
  197934. SetEvent (intern->cancelEvent);
  197935. }
  197936. END_JUCE_NAMESPACE
  197937. /********* End of inlined file: juce_win32_Files.cpp *********/
  197938. /********* Start of inlined file: juce_win32_Network.cpp *********/
  197939. #ifdef _MSC_VER
  197940. #pragma warning (disable: 4514)
  197941. #pragma warning (push)
  197942. #endif
  197943. #include <wininet.h>
  197944. #include <nb30.h>
  197945. #include <iphlpapi.h>
  197946. #include <mapi.h>
  197947. BEGIN_JUCE_NAMESPACE
  197948. /********* Start of inlined file: juce_win32_DynamicLibraryLoader.h *********/
  197949. #ifndef __JUCE_WIN32_DYNAMICLIBRARYLOADER_JUCEHEADER__
  197950. #define __JUCE_WIN32_DYNAMICLIBRARYLOADER_JUCEHEADER__
  197951. #ifndef DOXYGEN
  197952. // use with DynamicLibraryLoader to simplify importing functions
  197953. //
  197954. // functionName: function to import
  197955. // localFunctionName: name you want to use to actually call it (must be different)
  197956. // returnType: the return type
  197957. // object: the DynamicLibraryLoader to use
  197958. // params: list of params (bracketed)
  197959. //
  197960. #define DynamicLibraryImport(functionName, localFunctionName, returnType, object, params) \
  197961. typedef returnType (WINAPI *type##localFunctionName) params; \
  197962. type##localFunctionName localFunctionName \
  197963. = (type##localFunctionName)object.findProcAddress (#functionName);
  197964. // loads and unloads a DLL automatically
  197965. class JUCE_API DynamicLibraryLoader
  197966. {
  197967. public:
  197968. DynamicLibraryLoader (const String& name);
  197969. ~DynamicLibraryLoader();
  197970. void* findProcAddress (const String& functionName);
  197971. private:
  197972. void* libHandle;
  197973. };
  197974. #endif
  197975. #endif // __JUCE_WIN32_DYNAMICLIBRARYLOADER_JUCEHEADER__
  197976. /********* End of inlined file: juce_win32_DynamicLibraryLoader.h *********/
  197977. #ifndef INTERNET_FLAG_NEED_FILE
  197978. #define INTERNET_FLAG_NEED_FILE 0x00000010
  197979. #endif
  197980. #ifdef _MSC_VER
  197981. #pragma warning (pop)
  197982. #endif
  197983. bool juce_isOnLine()
  197984. {
  197985. DWORD connectionType;
  197986. return InternetGetConnectedState (&connectionType, 0) != 0
  197987. || (connectionType & (INTERNET_CONNECTION_LAN | INTERNET_CONNECTION_PROXY)) != 0;
  197988. }
  197989. struct ConnectionAndRequestStruct
  197990. {
  197991. HINTERNET connection, request;
  197992. };
  197993. static HINTERNET sessionHandle = 0;
  197994. void* juce_openInternetFile (const String& url,
  197995. const String& headers,
  197996. const MemoryBlock& postData,
  197997. const bool isPost,
  197998. URL::OpenStreamProgressCallback* callback,
  197999. void* callbackContext,
  198000. int timeOutMs)
  198001. {
  198002. if (sessionHandle == 0)
  198003. sessionHandle = InternetOpen (_T("juce"),
  198004. INTERNET_OPEN_TYPE_PRECONFIG,
  198005. 0, 0, 0);
  198006. if (sessionHandle != 0)
  198007. {
  198008. // break up the url..
  198009. TCHAR file[1024], server[1024];
  198010. URL_COMPONENTS uc;
  198011. zerostruct (uc);
  198012. uc.dwStructSize = sizeof (uc);
  198013. uc.dwUrlPathLength = sizeof (file);
  198014. uc.dwHostNameLength = sizeof (server);
  198015. uc.lpszUrlPath = file;
  198016. uc.lpszHostName = server;
  198017. if (InternetCrackUrl (url, 0, 0, &uc))
  198018. {
  198019. if (timeOutMs == 0)
  198020. timeOutMs = 30000;
  198021. else if (timeOutMs < 0)
  198022. timeOutMs = -1;
  198023. InternetSetOption (sessionHandle, INTERNET_OPTION_CONNECT_TIMEOUT, &timeOutMs, sizeof (timeOutMs));
  198024. const bool isFtp = url.startsWithIgnoreCase (T("ftp:"));
  198025. HINTERNET connection = InternetConnect (sessionHandle,
  198026. uc.lpszHostName,
  198027. uc.nPort,
  198028. _T(""), _T(""),
  198029. isFtp ? INTERNET_SERVICE_FTP
  198030. : INTERNET_SERVICE_HTTP,
  198031. 0, 0);
  198032. if (connection != 0)
  198033. {
  198034. if (isFtp)
  198035. {
  198036. HINTERNET request = FtpOpenFile (connection,
  198037. uc.lpszUrlPath,
  198038. GENERIC_READ,
  198039. FTP_TRANSFER_TYPE_BINARY | INTERNET_FLAG_NEED_FILE,
  198040. 0);
  198041. ConnectionAndRequestStruct* const result = new ConnectionAndRequestStruct();
  198042. result->connection = connection;
  198043. result->request = request;
  198044. return result;
  198045. }
  198046. else
  198047. {
  198048. const TCHAR* mimeTypes[] = { _T("*/*"), 0 };
  198049. HINTERNET request = HttpOpenRequest (connection,
  198050. isPost ? _T("POST")
  198051. : _T("GET"),
  198052. uc.lpszUrlPath,
  198053. 0, 0, mimeTypes,
  198054. INTERNET_FLAG_RELOAD | INTERNET_FLAG_NO_CACHE_WRITE,
  198055. 0);
  198056. if (request != 0)
  198057. {
  198058. INTERNET_BUFFERS buffers;
  198059. zerostruct (buffers);
  198060. buffers.dwStructSize = sizeof (INTERNET_BUFFERS);
  198061. buffers.lpcszHeader = (LPCTSTR) headers;
  198062. buffers.dwHeadersLength = headers.length();
  198063. buffers.dwBufferTotal = (DWORD) postData.getSize();
  198064. ConnectionAndRequestStruct* result = 0;
  198065. if (HttpSendRequestEx (request, &buffers, 0, HSR_INITIATE, 0))
  198066. {
  198067. int bytesSent = 0;
  198068. for (;;)
  198069. {
  198070. const int bytesToDo = jmin (1024, postData.getSize() - bytesSent);
  198071. DWORD bytesDone = 0;
  198072. if (bytesToDo > 0
  198073. && ! InternetWriteFile (request,
  198074. ((const char*) postData.getData()) + bytesSent,
  198075. bytesToDo, &bytesDone))
  198076. {
  198077. break;
  198078. }
  198079. if (bytesToDo == 0 || (int) bytesDone < bytesToDo)
  198080. {
  198081. result = new ConnectionAndRequestStruct();
  198082. result->connection = connection;
  198083. result->request = request;
  198084. HttpEndRequest (request, 0, 0, 0);
  198085. return result;
  198086. }
  198087. bytesSent += bytesDone;
  198088. if (callback != 0 && ! callback (callbackContext, bytesSent, postData.getSize()))
  198089. break;
  198090. }
  198091. }
  198092. InternetCloseHandle (request);
  198093. }
  198094. InternetCloseHandle (connection);
  198095. }
  198096. }
  198097. }
  198098. }
  198099. return 0;
  198100. }
  198101. int juce_readFromInternetFile (void* handle, void* buffer, int bytesToRead)
  198102. {
  198103. DWORD bytesRead = 0;
  198104. const ConnectionAndRequestStruct* const crs = (const ConnectionAndRequestStruct*) handle;
  198105. if (crs != 0)
  198106. InternetReadFile (crs->request,
  198107. buffer, bytesToRead,
  198108. &bytesRead);
  198109. return bytesRead;
  198110. }
  198111. int juce_seekInInternetFile (void* handle, int newPosition)
  198112. {
  198113. if (handle != 0)
  198114. {
  198115. const ConnectionAndRequestStruct* const crs = (const ConnectionAndRequestStruct*) handle;
  198116. return InternetSetFilePointer (crs->request,
  198117. newPosition, 0,
  198118. FILE_BEGIN, 0);
  198119. }
  198120. else
  198121. {
  198122. return -1;
  198123. }
  198124. }
  198125. void juce_closeInternetFile (void* handle)
  198126. {
  198127. if (handle != 0)
  198128. {
  198129. ConnectionAndRequestStruct* const crs = (ConnectionAndRequestStruct*) handle;
  198130. InternetCloseHandle (crs->request);
  198131. InternetCloseHandle (crs->connection);
  198132. delete crs;
  198133. }
  198134. }
  198135. static int getMACAddressViaGetAdaptersInfo (int64* addresses, int maxNum, const bool littleEndian) throw()
  198136. {
  198137. int numFound = 0;
  198138. DynamicLibraryLoader dll ("iphlpapi.dll");
  198139. DynamicLibraryImport (GetAdaptersInfo, getAdaptersInfo, DWORD, dll, (PIP_ADAPTER_INFO, PULONG))
  198140. if (getAdaptersInfo != 0)
  198141. {
  198142. ULONG len = sizeof (IP_ADAPTER_INFO);
  198143. MemoryBlock mb;
  198144. PIP_ADAPTER_INFO adapterInfo = (PIP_ADAPTER_INFO) mb.getData();
  198145. if (getAdaptersInfo (adapterInfo, &len) == ERROR_BUFFER_OVERFLOW)
  198146. {
  198147. mb.setSize (len);
  198148. adapterInfo = (PIP_ADAPTER_INFO) mb.getData();
  198149. }
  198150. if (getAdaptersInfo (adapterInfo, &len) == NO_ERROR)
  198151. {
  198152. PIP_ADAPTER_INFO adapter = adapterInfo;
  198153. while (adapter != 0)
  198154. {
  198155. int64 mac = 0;
  198156. for (unsigned int i = 0; i < adapter->AddressLength; ++i)
  198157. mac = (mac << 8) | adapter->Address[i];
  198158. if (littleEndian)
  198159. mac = (int64) swapByteOrder ((uint64) mac);
  198160. if (numFound < maxNum && mac != 0)
  198161. addresses [numFound++] = mac;
  198162. adapter = adapter->Next;
  198163. }
  198164. }
  198165. }
  198166. return numFound;
  198167. }
  198168. static int getMACAddressesViaNetBios (int64* addresses, int maxNum, const bool littleEndian) throw()
  198169. {
  198170. int numFound = 0;
  198171. DynamicLibraryLoader dll ("netapi32.dll");
  198172. DynamicLibraryImport (Netbios, NetbiosCall, UCHAR, dll, (PNCB))
  198173. if (NetbiosCall != 0)
  198174. {
  198175. NCB ncb;
  198176. zerostruct (ncb);
  198177. typedef struct _ASTAT_
  198178. {
  198179. ADAPTER_STATUS adapt;
  198180. NAME_BUFFER NameBuff [30];
  198181. } ASTAT;
  198182. ASTAT astat;
  198183. zerostruct (astat);
  198184. LANA_ENUM enums;
  198185. zerostruct (enums);
  198186. ncb.ncb_command = NCBENUM;
  198187. ncb.ncb_buffer = (unsigned char*) &enums;
  198188. ncb.ncb_length = sizeof (LANA_ENUM);
  198189. NetbiosCall (&ncb);
  198190. for (int i = 0; i < enums.length; ++i)
  198191. {
  198192. zerostruct (ncb);
  198193. ncb.ncb_command = NCBRESET;
  198194. ncb.ncb_lana_num = enums.lana[i];
  198195. if (NetbiosCall (&ncb) == 0)
  198196. {
  198197. zerostruct (ncb);
  198198. memcpy (ncb.ncb_callname, "* ", NCBNAMSZ);
  198199. ncb.ncb_command = NCBASTAT;
  198200. ncb.ncb_lana_num = enums.lana[i];
  198201. ncb.ncb_buffer = (unsigned char*) &astat;
  198202. ncb.ncb_length = sizeof (ASTAT);
  198203. if (NetbiosCall (&ncb) == 0)
  198204. {
  198205. if (astat.adapt.adapter_type == 0xfe)
  198206. {
  198207. int64 mac = 0;
  198208. for (unsigned int i = 0; i < 6; ++i)
  198209. mac = (mac << 8) | astat.adapt.adapter_address[i];
  198210. if (littleEndian)
  198211. mac = (int64) swapByteOrder ((uint64) mac);
  198212. if (numFound < maxNum && mac != 0)
  198213. addresses [numFound++] = mac;
  198214. }
  198215. }
  198216. }
  198217. }
  198218. }
  198219. return numFound;
  198220. }
  198221. int SystemStats::getMACAddresses (int64* addresses, int maxNum, const bool littleEndian) throw()
  198222. {
  198223. int numFound = getMACAddressViaGetAdaptersInfo (addresses, maxNum, littleEndian);
  198224. if (numFound == 0)
  198225. numFound = getMACAddressesViaNetBios (addresses, maxNum, littleEndian);
  198226. return numFound;
  198227. }
  198228. typedef ULONG (WINAPI *MAPISendMailType) (LHANDLE, ULONG, lpMapiMessage, ::FLAGS, ULONG);
  198229. bool PlatformUtilities::launchEmailWithAttachments (const String& targetEmailAddress,
  198230. const String& emailSubject,
  198231. const String& bodyText,
  198232. const StringArray& filesToAttach)
  198233. {
  198234. HMODULE h = LoadLibraryA ("MAPI32.dll");
  198235. MAPISendMailType mapiSendMail = (MAPISendMailType) GetProcAddress (h, "MAPISendMail");
  198236. bool ok = false;
  198237. if (mapiSendMail != 0)
  198238. {
  198239. MapiMessage message;
  198240. zerostruct (message);
  198241. message.lpszSubject = (LPSTR) (LPCSTR) emailSubject;
  198242. message.lpszNoteText = (LPSTR) (LPCSTR) bodyText;
  198243. MapiRecipDesc recip;
  198244. zerostruct (recip);
  198245. recip.ulRecipClass = MAPI_TO;
  198246. recip.lpszName = (LPSTR) (LPCSTR) targetEmailAddress;
  198247. message.nRecipCount = 1;
  198248. message.lpRecips = &recip;
  198249. MemoryBlock mb (sizeof (MapiFileDesc) * filesToAttach.size());
  198250. mb.fillWith (0);
  198251. MapiFileDesc* files = (MapiFileDesc*) mb.getData();
  198252. message.nFileCount = filesToAttach.size();
  198253. message.lpFiles = files;
  198254. for (int i = 0; i < filesToAttach.size(); ++i)
  198255. {
  198256. files[i].nPosition = (ULONG) -1;
  198257. files[i].lpszPathName = (LPSTR) (LPCSTR) filesToAttach [i];
  198258. }
  198259. ok = (mapiSendMail (0, 0, &message, MAPI_DIALOG | MAPI_LOGON_UI, 0) == SUCCESS_SUCCESS);
  198260. }
  198261. FreeLibrary (h);
  198262. return ok;
  198263. }
  198264. END_JUCE_NAMESPACE
  198265. /********* End of inlined file: juce_win32_Network.cpp *********/
  198266. /********* Start of inlined file: juce_win32_Misc.cpp *********/
  198267. BEGIN_JUCE_NAMESPACE
  198268. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  198269. bool AlertWindow::showNativeDialogBox (const String& title,
  198270. const String& bodyText,
  198271. bool isOkCancel)
  198272. {
  198273. return MessageBox (0, bodyText, title,
  198274. MB_SETFOREGROUND | (isOkCancel ? MB_OKCANCEL
  198275. : MB_OK)) == IDOK;
  198276. }
  198277. #endif
  198278. void PlatformUtilities::beep()
  198279. {
  198280. MessageBeep (MB_OK);
  198281. }
  198282. #if JUCE_MSVC
  198283. #pragma warning (disable : 4127) // "Conditional expression is constant" warning
  198284. #endif
  198285. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  198286. void SystemClipboard::copyTextToClipboard (const String& text) throw()
  198287. {
  198288. if (OpenClipboard (0) != 0)
  198289. {
  198290. if (EmptyClipboard() != 0)
  198291. {
  198292. const int len = text.length();
  198293. if (len > 0)
  198294. {
  198295. HGLOBAL bufH = GlobalAlloc (GMEM_MOVEABLE | GMEM_DDESHARE,
  198296. (len + 1) * sizeof (wchar_t));
  198297. if (bufH != 0)
  198298. {
  198299. wchar_t* const data = (wchar_t*) GlobalLock (bufH);
  198300. text.copyToBuffer (data, len);
  198301. GlobalUnlock (bufH);
  198302. SetClipboardData (CF_UNICODETEXT, bufH);
  198303. }
  198304. }
  198305. }
  198306. CloseClipboard();
  198307. }
  198308. }
  198309. const String SystemClipboard::getTextFromClipboard() throw()
  198310. {
  198311. String result;
  198312. if (OpenClipboard (0) != 0)
  198313. {
  198314. HANDLE bufH = GetClipboardData (CF_UNICODETEXT);
  198315. if (bufH != 0)
  198316. {
  198317. const wchar_t* const data = (const wchar_t*) GlobalLock (bufH);
  198318. if (data != 0)
  198319. {
  198320. result = String (data, (int) (GlobalSize (bufH) / sizeof (tchar)));
  198321. GlobalUnlock (bufH);
  198322. }
  198323. }
  198324. CloseClipboard();
  198325. }
  198326. return result;
  198327. }
  198328. #endif
  198329. END_JUCE_NAMESPACE
  198330. /********* End of inlined file: juce_win32_Misc.cpp *********/
  198331. /********* Start of inlined file: juce_win32_PlatformUtils.cpp *********/
  198332. #ifdef _MSC_VER
  198333. #pragma warning (disable: 4514)
  198334. #pragma warning (push)
  198335. #endif
  198336. #include <float.h>
  198337. BEGIN_JUCE_NAMESPACE
  198338. #ifdef _MSC_VER
  198339. #pragma warning (pop)
  198340. #endif
  198341. static HKEY findKeyForPath (String name,
  198342. const bool createForWriting,
  198343. String& valueName) throw()
  198344. {
  198345. HKEY rootKey = 0;
  198346. if (name.startsWithIgnoreCase (T("HKEY_CURRENT_USER\\")))
  198347. rootKey = HKEY_CURRENT_USER;
  198348. else if (name.startsWithIgnoreCase (T("HKEY_LOCAL_MACHINE\\")))
  198349. rootKey = HKEY_LOCAL_MACHINE;
  198350. else if (name.startsWithIgnoreCase (T("HKEY_CLASSES_ROOT\\")))
  198351. rootKey = HKEY_CLASSES_ROOT;
  198352. if (rootKey != 0)
  198353. {
  198354. name = name.substring (name.indexOfChar (T('\\')) + 1);
  198355. const int lastSlash = name.lastIndexOfChar (T('\\'));
  198356. valueName = name.substring (lastSlash + 1);
  198357. name = name.substring (0, lastSlash);
  198358. HKEY key;
  198359. DWORD result;
  198360. if (createForWriting)
  198361. {
  198362. if (RegCreateKeyEx (rootKey, name, 0, L"", REG_OPTION_NON_VOLATILE,
  198363. (KEY_WRITE | KEY_QUERY_VALUE), 0, &key, &result) == ERROR_SUCCESS)
  198364. return key;
  198365. }
  198366. else
  198367. {
  198368. if (RegOpenKeyEx (rootKey, name, 0, KEY_READ, &key) == ERROR_SUCCESS)
  198369. return key;
  198370. }
  198371. }
  198372. return 0;
  198373. }
  198374. const String PlatformUtilities::getRegistryValue (const String& regValuePath,
  198375. const String& defaultValue)
  198376. {
  198377. String valueName, s;
  198378. HKEY k = findKeyForPath (regValuePath, false, valueName);
  198379. if (k != 0)
  198380. {
  198381. WCHAR buffer [2048];
  198382. unsigned long bufferSize = sizeof (buffer);
  198383. DWORD type = REG_SZ;
  198384. if (RegQueryValueEx (k, valueName, 0, &type, (LPBYTE) buffer, &bufferSize) == ERROR_SUCCESS)
  198385. s = buffer;
  198386. else
  198387. s = defaultValue;
  198388. RegCloseKey (k);
  198389. }
  198390. return s;
  198391. }
  198392. void PlatformUtilities::setRegistryValue (const String& regValuePath,
  198393. const String& value)
  198394. {
  198395. String valueName;
  198396. HKEY k = findKeyForPath (regValuePath, true, valueName);
  198397. if (k != 0)
  198398. {
  198399. RegSetValueEx (k, valueName, 0, REG_SZ,
  198400. (const BYTE*) (const WCHAR*) value,
  198401. sizeof (WCHAR) * (value.length() + 1));
  198402. RegCloseKey (k);
  198403. }
  198404. }
  198405. bool PlatformUtilities::registryValueExists (const String& regValuePath)
  198406. {
  198407. bool exists = false;
  198408. String valueName;
  198409. HKEY k = findKeyForPath (regValuePath, false, valueName);
  198410. if (k != 0)
  198411. {
  198412. unsigned char buffer [2048];
  198413. unsigned long bufferSize = sizeof (buffer);
  198414. DWORD type = 0;
  198415. if (RegQueryValueEx (k, valueName, 0, &type, buffer, &bufferSize) == ERROR_SUCCESS)
  198416. exists = true;
  198417. RegCloseKey (k);
  198418. }
  198419. return exists;
  198420. }
  198421. void PlatformUtilities::deleteRegistryValue (const String& regValuePath)
  198422. {
  198423. String valueName;
  198424. HKEY k = findKeyForPath (regValuePath, true, valueName);
  198425. if (k != 0)
  198426. {
  198427. RegDeleteValue (k, valueName);
  198428. RegCloseKey (k);
  198429. }
  198430. }
  198431. void PlatformUtilities::deleteRegistryKey (const String& regKeyPath)
  198432. {
  198433. String valueName;
  198434. HKEY k = findKeyForPath (regKeyPath, true, valueName);
  198435. if (k != 0)
  198436. {
  198437. RegDeleteKey (k, valueName);
  198438. RegCloseKey (k);
  198439. }
  198440. }
  198441. bool juce_IsRunningInWine() throw()
  198442. {
  198443. HKEY key;
  198444. if (RegOpenKeyEx (HKEY_CURRENT_USER, _T("Software\\Wine"), 0, KEY_READ, &key) == ERROR_SUCCESS)
  198445. {
  198446. RegCloseKey (key);
  198447. return true;
  198448. }
  198449. return false;
  198450. }
  198451. const String JUCE_CALLTYPE PlatformUtilities::getCurrentCommandLineParams() throw()
  198452. {
  198453. String s (::GetCommandLineW());
  198454. StringArray tokens;
  198455. tokens.addTokens (s, true); // tokenise so that we can remove the initial filename argument
  198456. return tokens.joinIntoString (T(" "), 1);
  198457. }
  198458. static void* currentModuleHandle = 0;
  198459. void* PlatformUtilities::getCurrentModuleInstanceHandle() throw()
  198460. {
  198461. if (currentModuleHandle == 0)
  198462. currentModuleHandle = GetModuleHandle (0);
  198463. return currentModuleHandle;
  198464. }
  198465. void PlatformUtilities::setCurrentModuleInstanceHandle (void* const newHandle) throw()
  198466. {
  198467. currentModuleHandle = newHandle;
  198468. }
  198469. void PlatformUtilities::fpuReset()
  198470. {
  198471. #if JUCE_MSVC
  198472. _clearfp();
  198473. #endif
  198474. }
  198475. END_JUCE_NAMESPACE
  198476. /********* End of inlined file: juce_win32_PlatformUtils.cpp *********/
  198477. /********* Start of inlined file: juce_win32_SystemStats.cpp *********/
  198478. // Auto-link the other win32 libs that are needed by library calls..
  198479. #if defined (JUCE_DLL_BUILD) && JUCE_MSVC
  198480. /********* Start of inlined file: juce_win32_AutoLinkLibraries.h *********/
  198481. // Auto-links to various win32 libs that are needed by library calls..
  198482. #pragma comment(lib, "kernel32.lib")
  198483. #pragma comment(lib, "user32.lib")
  198484. #pragma comment(lib, "shell32.lib")
  198485. #pragma comment(lib, "gdi32.lib")
  198486. #pragma comment(lib, "vfw32.lib")
  198487. #pragma comment(lib, "comdlg32.lib")
  198488. #pragma comment(lib, "winmm.lib")
  198489. #pragma comment(lib, "wininet.lib")
  198490. #pragma comment(lib, "ole32.lib")
  198491. #pragma comment(lib, "advapi32.lib")
  198492. #pragma comment(lib, "ws2_32.lib")
  198493. #pragma comment(lib, "comsupp.lib")
  198494. #if JUCE_OPENGL
  198495. #pragma comment(lib, "OpenGL32.Lib")
  198496. #pragma comment(lib, "GlU32.Lib")
  198497. #endif
  198498. #if JUCE_QUICKTIME
  198499. #pragma comment (lib, "QTMLClient.lib")
  198500. #endif
  198501. /********* End of inlined file: juce_win32_AutoLinkLibraries.h *********/
  198502. #endif
  198503. BEGIN_JUCE_NAMESPACE
  198504. extern void juce_updateMultiMonitorInfo() throw();
  198505. extern void juce_initialiseThreadEvents() throw();
  198506. void Logger::outputDebugString (const String& text) throw()
  198507. {
  198508. OutputDebugString (text + T("\n"));
  198509. }
  198510. void Logger::outputDebugPrintf (const tchar* format, ...) throw()
  198511. {
  198512. String text;
  198513. va_list args;
  198514. va_start (args, format);
  198515. text.vprintf(format, args);
  198516. outputDebugString (text);
  198517. }
  198518. static int64 hiResTicksPerSecond;
  198519. static double hiResTicksScaleFactor;
  198520. #if JUCE_USE_INTRINSICS
  198521. // CPU info functions using intrinsics...
  198522. #pragma intrinsic (__cpuid)
  198523. #pragma intrinsic (__rdtsc)
  198524. /*static unsigned int getCPUIDWord (int* familyModel = 0, int* extFeatures = 0) throw()
  198525. {
  198526. int info [4];
  198527. __cpuid (info, 1);
  198528. if (familyModel != 0)
  198529. *familyModel = info [0];
  198530. if (extFeatures != 0)
  198531. *extFeatures = info[1];
  198532. return info[3];
  198533. }*/
  198534. const String SystemStats::getCpuVendor() throw()
  198535. {
  198536. int info [4];
  198537. __cpuid (info, 0);
  198538. char v [12];
  198539. memcpy (v, info + 1, 4);
  198540. memcpy (v + 4, info + 3, 4);
  198541. memcpy (v + 8, info + 2, 4);
  198542. return String (v, 12);
  198543. }
  198544. #else
  198545. // CPU info functions using old fashioned inline asm...
  198546. /*static juce_noinline unsigned int getCPUIDWord (int* familyModel = 0, int* extFeatures = 0)
  198547. {
  198548. unsigned int cpu = 0;
  198549. unsigned int ext = 0;
  198550. unsigned int family = 0;
  198551. #if JUCE_GCC
  198552. unsigned int dummy = 0;
  198553. #endif
  198554. #ifndef __MINGW32__
  198555. __try
  198556. #endif
  198557. {
  198558. #if JUCE_GCC
  198559. __asm__ ("cpuid" : "=a" (family), "=b" (ext), "=c" (dummy),"=d" (cpu) : "a" (1));
  198560. #else
  198561. __asm
  198562. {
  198563. mov eax, 1
  198564. cpuid
  198565. mov cpu, edx
  198566. mov family, eax
  198567. mov ext, ebx
  198568. }
  198569. #endif
  198570. }
  198571. #ifndef __MINGW32__
  198572. __except (EXCEPTION_EXECUTE_HANDLER)
  198573. {
  198574. return 0;
  198575. }
  198576. #endif
  198577. if (familyModel != 0)
  198578. *familyModel = family;
  198579. if (extFeatures != 0)
  198580. *extFeatures = ext;
  198581. return cpu;
  198582. }*/
  198583. static void juce_getCpuVendor (char* const v)
  198584. {
  198585. int vendor[4];
  198586. zeromem (vendor, 16);
  198587. #ifdef JUCE_64BIT
  198588. #else
  198589. #ifndef __MINGW32__
  198590. __try
  198591. #endif
  198592. {
  198593. #if JUCE_GCC
  198594. unsigned int dummy = 0;
  198595. __asm__ ("cpuid" : "=a" (dummy), "=b" (vendor[0]), "=c" (vendor[2]),"=d" (vendor[1]) : "a" (0));
  198596. #else
  198597. __asm
  198598. {
  198599. mov eax, 0
  198600. cpuid
  198601. mov [vendor], ebx
  198602. mov [vendor + 4], edx
  198603. mov [vendor + 8], ecx
  198604. }
  198605. #endif
  198606. }
  198607. #ifndef __MINGW32__
  198608. __except (EXCEPTION_EXECUTE_HANDLER)
  198609. {
  198610. *v = 0;
  198611. }
  198612. #endif
  198613. #endif
  198614. memcpy (v, vendor, 16);
  198615. }
  198616. const String SystemStats::getCpuVendor() throw()
  198617. {
  198618. char v [16];
  198619. juce_getCpuVendor (v);
  198620. return String (v, 16);
  198621. }
  198622. #endif
  198623. struct CPUFlags
  198624. {
  198625. bool hasMMX : 1;
  198626. bool hasSSE : 1;
  198627. bool hasSSE2 : 1;
  198628. bool has3DNow : 1;
  198629. };
  198630. static CPUFlags cpuFlags;
  198631. bool SystemStats::hasMMX() throw()
  198632. {
  198633. return cpuFlags.hasMMX;
  198634. }
  198635. bool SystemStats::hasSSE() throw()
  198636. {
  198637. return cpuFlags.hasSSE;
  198638. }
  198639. bool SystemStats::hasSSE2() throw()
  198640. {
  198641. return cpuFlags.hasSSE2;
  198642. }
  198643. bool SystemStats::has3DNow() throw()
  198644. {
  198645. return cpuFlags.has3DNow;
  198646. }
  198647. void SystemStats::initialiseStats() throw()
  198648. {
  198649. juce_initialiseThreadEvents();
  198650. cpuFlags.hasMMX = IsProcessorFeaturePresent (PF_MMX_INSTRUCTIONS_AVAILABLE) != 0;
  198651. cpuFlags.hasSSE = IsProcessorFeaturePresent (PF_XMMI_INSTRUCTIONS_AVAILABLE) != 0;
  198652. cpuFlags.hasSSE2 = IsProcessorFeaturePresent (PF_XMMI64_INSTRUCTIONS_AVAILABLE) != 0;
  198653. #ifdef PF_AMD3D_INSTRUCTIONS_AVAILABLE
  198654. cpuFlags.has3DNow = IsProcessorFeaturePresent (PF_AMD3D_INSTRUCTIONS_AVAILABLE) != 0;
  198655. #else
  198656. cpuFlags.has3DNow = IsProcessorFeaturePresent (PF_3DNOW_INSTRUCTIONS_AVAILABLE) != 0;
  198657. #endif
  198658. LARGE_INTEGER f;
  198659. QueryPerformanceFrequency (&f);
  198660. hiResTicksPerSecond = f.QuadPart;
  198661. hiResTicksScaleFactor = 1000.0 / hiResTicksPerSecond;
  198662. String s (SystemStats::getJUCEVersion());
  198663. #ifdef JUCE_DEBUG
  198664. const MMRESULT res = timeBeginPeriod (1);
  198665. jassert (res == TIMERR_NOERROR);
  198666. #else
  198667. timeBeginPeriod (1);
  198668. #endif
  198669. #if defined (JUCE_DEBUG) && JUCE_MSVC && JUCE_CHECK_MEMORY_LEAKS
  198670. _CrtSetDbgFlag (_CRTDBG_ALLOC_MEM_DF | _CRTDBG_LEAK_CHECK_DF);
  198671. #endif
  198672. }
  198673. SystemStats::OperatingSystemType SystemStats::getOperatingSystemType() throw()
  198674. {
  198675. OSVERSIONINFO info;
  198676. info.dwOSVersionInfoSize = sizeof (info);
  198677. GetVersionEx (&info);
  198678. if (info.dwPlatformId == VER_PLATFORM_WIN32_NT)
  198679. {
  198680. switch (info.dwMajorVersion)
  198681. {
  198682. case 5:
  198683. return (info.dwMinorVersion == 0) ? Win2000 : WinXP;
  198684. case 6:
  198685. return WinVista;
  198686. default:
  198687. jassertfalse // !! not a supported OS!
  198688. break;
  198689. }
  198690. }
  198691. else if (info.dwPlatformId == VER_PLATFORM_WIN32_WINDOWS)
  198692. {
  198693. jassert (info.dwMinorVersion != 0); // !! still running on Windows 95??
  198694. return Win98;
  198695. }
  198696. return UnknownOS;
  198697. }
  198698. const String SystemStats::getOperatingSystemName() throw()
  198699. {
  198700. const char* name = "Unknown OS";
  198701. switch (getOperatingSystemType())
  198702. {
  198703. case WinVista:
  198704. name = "Windows Vista";
  198705. break;
  198706. case WinXP:
  198707. name = "Windows XP";
  198708. break;
  198709. case Win2000:
  198710. name = "Windows 2000";
  198711. break;
  198712. case Win98:
  198713. name = "Windows 98";
  198714. break;
  198715. default:
  198716. jassertfalse // !! new type of OS?
  198717. break;
  198718. }
  198719. return name;
  198720. }
  198721. bool SystemStats::isOperatingSystem64Bit() throw()
  198722. {
  198723. #ifdef _WIN64
  198724. return true;
  198725. #else
  198726. typedef BOOL (WINAPI *LPFN_ISWOW64PROCESS) (HANDLE, PBOOL);
  198727. LPFN_ISWOW64PROCESS fnIsWow64Process = (LPFN_ISWOW64PROCESS) GetProcAddress (GetModuleHandle (L"kernel32"), "IsWow64Process");
  198728. BOOL isWow64 = FALSE;
  198729. return (fnIsWow64Process != 0)
  198730. && fnIsWow64Process (GetCurrentProcess(), &isWow64)
  198731. && (isWow64 != FALSE);
  198732. #endif
  198733. }
  198734. int SystemStats::getMemorySizeInMegabytes() throw()
  198735. {
  198736. MEMORYSTATUS mem;
  198737. GlobalMemoryStatus (&mem);
  198738. return (int) (mem.dwTotalPhys / (1024 * 1024)) + 1;
  198739. }
  198740. int SystemStats::getNumCpus() throw()
  198741. {
  198742. SYSTEM_INFO systemInfo;
  198743. GetSystemInfo (&systemInfo);
  198744. return systemInfo.dwNumberOfProcessors;
  198745. }
  198746. uint32 juce_millisecondsSinceStartup() throw()
  198747. {
  198748. return (uint32) GetTickCount();
  198749. }
  198750. int64 Time::getHighResolutionTicks() throw()
  198751. {
  198752. LARGE_INTEGER ticks;
  198753. QueryPerformanceCounter (&ticks);
  198754. const int64 mainCounterAsHiResTicks = (GetTickCount() * hiResTicksPerSecond) / 1000;
  198755. const int64 newOffset = mainCounterAsHiResTicks - ticks.QuadPart;
  198756. // fix for a very obscure PCI hardware bug that can make the counter
  198757. // sometimes jump forwards by a few seconds..
  198758. static int64 hiResTicksOffset = 0;
  198759. const int64 offsetDrift = abs64 (newOffset - hiResTicksOffset);
  198760. if (offsetDrift > (hiResTicksPerSecond >> 1))
  198761. hiResTicksOffset = newOffset;
  198762. return ticks.QuadPart + hiResTicksOffset;
  198763. }
  198764. double Time::getMillisecondCounterHiRes() throw()
  198765. {
  198766. return getHighResolutionTicks() * hiResTicksScaleFactor;
  198767. }
  198768. int64 Time::getHighResolutionTicksPerSecond() throw()
  198769. {
  198770. return hiResTicksPerSecond;
  198771. }
  198772. int64 SystemStats::getClockCycleCounter() throw()
  198773. {
  198774. #if JUCE_USE_INTRINSICS
  198775. // MS intrinsics version...
  198776. return __rdtsc();
  198777. #elif JUCE_GCC
  198778. // GNU inline asm version...
  198779. unsigned int hi = 0, lo = 0;
  198780. __asm__ __volatile__ (
  198781. "xor %%eax, %%eax \n\
  198782. xor %%edx, %%edx \n\
  198783. rdtsc \n\
  198784. movl %%eax, %[lo] \n\
  198785. movl %%edx, %[hi]"
  198786. :
  198787. : [hi] "m" (hi),
  198788. [lo] "m" (lo)
  198789. : "cc", "eax", "ebx", "ecx", "edx", "memory");
  198790. return (int64) ((((uint64) hi) << 32) | lo);
  198791. #else
  198792. // MSVC inline asm version...
  198793. unsigned int hi = 0, lo = 0;
  198794. __asm
  198795. {
  198796. xor eax, eax
  198797. xor edx, edx
  198798. rdtsc
  198799. mov lo, eax
  198800. mov hi, edx
  198801. }
  198802. return (int64) ((((uint64) hi) << 32) | lo);
  198803. #endif
  198804. }
  198805. int SystemStats::getCpuSpeedInMegaherz() throw()
  198806. {
  198807. const int64 cycles = SystemStats::getClockCycleCounter();
  198808. const uint32 millis = Time::getMillisecondCounter();
  198809. int lastResult = 0;
  198810. for (;;)
  198811. {
  198812. int n = 1000000;
  198813. while (--n > 0) {}
  198814. const uint32 millisElapsed = Time::getMillisecondCounter() - millis;
  198815. const int64 cyclesNow = SystemStats::getClockCycleCounter();
  198816. if (millisElapsed > 80)
  198817. {
  198818. const int newResult = (int) (((cyclesNow - cycles) / millisElapsed) / 1000);
  198819. if (millisElapsed > 500 || (lastResult == newResult && newResult > 100))
  198820. return newResult;
  198821. lastResult = newResult;
  198822. }
  198823. }
  198824. }
  198825. bool Time::setSystemTimeToThisTime() const throw()
  198826. {
  198827. SYSTEMTIME st;
  198828. st.wDayOfWeek = 0;
  198829. st.wYear = (WORD) getYear();
  198830. st.wMonth = (WORD) (getMonth() + 1);
  198831. st.wDay = (WORD) getDayOfMonth();
  198832. st.wHour = (WORD) getHours();
  198833. st.wMinute = (WORD) getMinutes();
  198834. st.wSecond = (WORD) getSeconds();
  198835. st.wMilliseconds = (WORD) (millisSinceEpoch % 1000);
  198836. // do this twice because of daylight saving conversion problems - the
  198837. // first one sets it up, the second one kicks it in.
  198838. return SetLocalTime (&st) != 0
  198839. && SetLocalTime (&st) != 0;
  198840. }
  198841. int SystemStats::getPageSize() throw()
  198842. {
  198843. SYSTEM_INFO systemInfo;
  198844. GetSystemInfo (&systemInfo);
  198845. return systemInfo.dwPageSize;
  198846. }
  198847. END_JUCE_NAMESPACE
  198848. /********* End of inlined file: juce_win32_SystemStats.cpp *********/
  198849. /********* Start of inlined file: juce_win32_Threads.cpp *********/
  198850. #ifdef _MSC_VER
  198851. #pragma warning (disable: 4514)
  198852. #pragma warning (push)
  198853. #include <crtdbg.h>
  198854. #endif
  198855. #include <process.h>
  198856. BEGIN_JUCE_NAMESPACE
  198857. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  198858. extern HWND juce_messageWindowHandle;
  198859. #endif
  198860. #ifdef _MSC_VER
  198861. #pragma warning (pop)
  198862. #endif
  198863. CriticalSection::CriticalSection() throw()
  198864. {
  198865. // (just to check the MS haven't changed this structure and broken things...)
  198866. #if _MSC_VER >= 1400
  198867. static_jassert (sizeof (CRITICAL_SECTION) <= sizeof (internal));
  198868. #else
  198869. static_jassert (sizeof (CRITICAL_SECTION) <= 24);
  198870. #endif
  198871. InitializeCriticalSection ((CRITICAL_SECTION*) internal);
  198872. }
  198873. CriticalSection::~CriticalSection() throw()
  198874. {
  198875. DeleteCriticalSection ((CRITICAL_SECTION*) internal);
  198876. }
  198877. void CriticalSection::enter() const throw()
  198878. {
  198879. EnterCriticalSection ((CRITICAL_SECTION*) internal);
  198880. }
  198881. bool CriticalSection::tryEnter() const throw()
  198882. {
  198883. return TryEnterCriticalSection ((CRITICAL_SECTION*) internal) != FALSE;
  198884. }
  198885. void CriticalSection::exit() const throw()
  198886. {
  198887. LeaveCriticalSection ((CRITICAL_SECTION*) internal);
  198888. }
  198889. WaitableEvent::WaitableEvent() throw()
  198890. : internal (CreateEvent (0, FALSE, FALSE, 0))
  198891. {
  198892. }
  198893. WaitableEvent::~WaitableEvent() throw()
  198894. {
  198895. CloseHandle (internal);
  198896. }
  198897. bool WaitableEvent::wait (const int timeOutMillisecs) const throw()
  198898. {
  198899. return WaitForSingleObject (internal, timeOutMillisecs) == WAIT_OBJECT_0;
  198900. }
  198901. void WaitableEvent::signal() const throw()
  198902. {
  198903. SetEvent (internal);
  198904. }
  198905. void WaitableEvent::reset() const throw()
  198906. {
  198907. ResetEvent (internal);
  198908. }
  198909. void JUCE_API juce_threadEntryPoint (void*);
  198910. static unsigned int __stdcall threadEntryProc (void* userData) throw()
  198911. {
  198912. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  198913. AttachThreadInput (GetWindowThreadProcessId (juce_messageWindowHandle, 0),
  198914. GetCurrentThreadId(), TRUE);
  198915. #endif
  198916. juce_threadEntryPoint (userData);
  198917. _endthreadex(0);
  198918. return 0;
  198919. }
  198920. void juce_CloseThreadHandle (void* handle) throw()
  198921. {
  198922. CloseHandle ((HANDLE) handle);
  198923. }
  198924. void* juce_createThread (void* userData) throw()
  198925. {
  198926. unsigned int threadId;
  198927. return (void*) _beginthreadex (0, 0,
  198928. &threadEntryProc,
  198929. userData,
  198930. 0, &threadId);
  198931. }
  198932. void juce_killThread (void* handle) throw()
  198933. {
  198934. if (handle != 0)
  198935. {
  198936. #ifdef JUCE_DEBUG
  198937. OutputDebugString (_T("** Warning - Forced thread termination **\n"));
  198938. #endif
  198939. TerminateThread (handle, 0);
  198940. }
  198941. }
  198942. void juce_setCurrentThreadName (const String& name) throw()
  198943. {
  198944. #if defined (JUCE_DEBUG) && JUCE_MSVC
  198945. struct
  198946. {
  198947. DWORD dwType;
  198948. LPCSTR szName;
  198949. DWORD dwThreadID;
  198950. DWORD dwFlags;
  198951. } info;
  198952. info.dwType = 0x1000;
  198953. info.szName = name;
  198954. info.dwThreadID = GetCurrentThreadId();
  198955. info.dwFlags = 0;
  198956. #define MS_VC_EXCEPTION 0x406d1388
  198957. __try
  198958. {
  198959. RaiseException (MS_VC_EXCEPTION, 0, sizeof (info) / sizeof (ULONG_PTR), (ULONG_PTR*) &info);
  198960. }
  198961. __except (EXCEPTION_CONTINUE_EXECUTION)
  198962. {}
  198963. #else
  198964. (void) name;
  198965. #endif
  198966. }
  198967. int Thread::getCurrentThreadId() throw()
  198968. {
  198969. return (int) GetCurrentThreadId();
  198970. }
  198971. // priority 1 to 10 where 5=normal, 1=low
  198972. void juce_setThreadPriority (void* threadHandle, int priority) throw()
  198973. {
  198974. int pri = THREAD_PRIORITY_TIME_CRITICAL;
  198975. if (priority < 1)
  198976. pri = THREAD_PRIORITY_IDLE;
  198977. else if (priority < 2)
  198978. pri = THREAD_PRIORITY_LOWEST;
  198979. else if (priority < 5)
  198980. pri = THREAD_PRIORITY_BELOW_NORMAL;
  198981. else if (priority < 7)
  198982. pri = THREAD_PRIORITY_NORMAL;
  198983. else if (priority < 9)
  198984. pri = THREAD_PRIORITY_ABOVE_NORMAL;
  198985. else if (priority < 10)
  198986. pri = THREAD_PRIORITY_HIGHEST;
  198987. if (threadHandle == 0)
  198988. threadHandle = GetCurrentThread();
  198989. SetThreadPriority (threadHandle, pri);
  198990. }
  198991. void Thread::setCurrentThreadAffinityMask (const uint32 affinityMask) throw()
  198992. {
  198993. SetThreadAffinityMask (GetCurrentThread(), affinityMask);
  198994. }
  198995. static HANDLE sleepEvent = 0;
  198996. void juce_initialiseThreadEvents() throw()
  198997. {
  198998. if (sleepEvent == 0)
  198999. #ifdef JUCE_DEBUG
  199000. sleepEvent = CreateEvent (0, 0, 0, _T("Juce Sleep Event"));
  199001. #else
  199002. sleepEvent = CreateEvent (0, 0, 0, 0);
  199003. #endif
  199004. }
  199005. void Thread::yield() throw()
  199006. {
  199007. Sleep (0);
  199008. }
  199009. void JUCE_CALLTYPE Thread::sleep (const int millisecs) throw()
  199010. {
  199011. if (millisecs >= 10)
  199012. {
  199013. Sleep (millisecs);
  199014. }
  199015. else
  199016. {
  199017. jassert (sleepEvent != 0);
  199018. // unlike Sleep() this is guaranteed to return to the current thread after
  199019. // the time expires, so we'll use this for short waits, which are more likely
  199020. // to need to be accurate
  199021. WaitForSingleObject (sleepEvent, millisecs);
  199022. }
  199023. }
  199024. static int lastProcessPriority = -1;
  199025. // called by WindowDriver because Windows does wierd things to process priority
  199026. // when you swap apps, and this forces an update when the app is brought to the front.
  199027. void juce_repeatLastProcessPriority() throw()
  199028. {
  199029. if (lastProcessPriority >= 0) // (avoid changing this if it's not been explicitly set by the app..)
  199030. {
  199031. DWORD p;
  199032. switch (lastProcessPriority)
  199033. {
  199034. case Process::LowPriority:
  199035. p = IDLE_PRIORITY_CLASS;
  199036. break;
  199037. case Process::NormalPriority:
  199038. p = NORMAL_PRIORITY_CLASS;
  199039. break;
  199040. case Process::HighPriority:
  199041. p = HIGH_PRIORITY_CLASS;
  199042. break;
  199043. case Process::RealtimePriority:
  199044. p = REALTIME_PRIORITY_CLASS;
  199045. break;
  199046. default:
  199047. jassertfalse // bad priority value
  199048. return;
  199049. }
  199050. SetPriorityClass (GetCurrentProcess(), p);
  199051. }
  199052. }
  199053. void Process::setPriority (ProcessPriority prior)
  199054. {
  199055. if (lastProcessPriority != (int) prior)
  199056. {
  199057. lastProcessPriority = (int) prior;
  199058. juce_repeatLastProcessPriority();
  199059. }
  199060. }
  199061. bool JUCE_API JUCE_CALLTYPE juce_isRunningUnderDebugger() throw()
  199062. {
  199063. return IsDebuggerPresent() != FALSE;
  199064. }
  199065. bool JUCE_CALLTYPE Process::isRunningUnderDebugger() throw()
  199066. {
  199067. return juce_isRunningUnderDebugger();
  199068. }
  199069. void Process::raisePrivilege()
  199070. {
  199071. jassertfalse // xxx not implemented
  199072. }
  199073. void Process::lowerPrivilege()
  199074. {
  199075. jassertfalse // xxx not implemented
  199076. }
  199077. void Process::terminate()
  199078. {
  199079. #if defined (JUCE_DEBUG) && JUCE_MSVC && JUCE_CHECK_MEMORY_LEAKS
  199080. _CrtDumpMemoryLeaks();
  199081. #endif
  199082. // bullet in the head in case there's a problem shutting down..
  199083. ExitProcess (0);
  199084. }
  199085. void* Process::loadDynamicLibrary (const String& name)
  199086. {
  199087. void* result = 0;
  199088. JUCE_TRY
  199089. {
  199090. result = (void*) LoadLibrary (name);
  199091. }
  199092. JUCE_CATCH_ALL
  199093. return result;
  199094. }
  199095. void Process::freeDynamicLibrary (void* h)
  199096. {
  199097. JUCE_TRY
  199098. {
  199099. if (h != 0)
  199100. FreeLibrary ((HMODULE) h);
  199101. }
  199102. JUCE_CATCH_ALL
  199103. }
  199104. void* Process::getProcedureEntryPoint (void* h, const String& name)
  199105. {
  199106. return (h != 0) ? (void*) GetProcAddress ((HMODULE) h, name)
  199107. : 0;
  199108. }
  199109. InterProcessLock::InterProcessLock (const String& name_) throw()
  199110. : internal (0),
  199111. name (name_),
  199112. reentrancyLevel (0)
  199113. {
  199114. }
  199115. InterProcessLock::~InterProcessLock() throw()
  199116. {
  199117. exit();
  199118. }
  199119. bool InterProcessLock::enter (const int timeOutMillisecs) throw()
  199120. {
  199121. if (reentrancyLevel++ == 0)
  199122. {
  199123. internal = CreateMutex (0, TRUE, name);
  199124. if (internal != 0 && GetLastError() == ERROR_ALREADY_EXISTS)
  199125. {
  199126. if (timeOutMillisecs == 0
  199127. || WaitForSingleObject (internal, (timeOutMillisecs < 0) ? INFINITE : timeOutMillisecs)
  199128. == WAIT_TIMEOUT)
  199129. {
  199130. ReleaseMutex (internal);
  199131. CloseHandle (internal);
  199132. internal = 0;
  199133. }
  199134. }
  199135. }
  199136. return (internal != 0);
  199137. }
  199138. void InterProcessLock::exit() throw()
  199139. {
  199140. if (--reentrancyLevel == 0 && internal != 0)
  199141. {
  199142. ReleaseMutex (internal);
  199143. CloseHandle (internal);
  199144. internal = 0;
  199145. }
  199146. }
  199147. END_JUCE_NAMESPACE
  199148. /********* End of inlined file: juce_win32_Threads.cpp *********/
  199149. /********* Start of inlined file: juce_win32_DynamicLibraryLoader.cpp *********/
  199150. BEGIN_JUCE_NAMESPACE
  199151. DynamicLibraryLoader::DynamicLibraryLoader (const String& name)
  199152. {
  199153. libHandle = LoadLibrary (name);
  199154. }
  199155. DynamicLibraryLoader::~DynamicLibraryLoader()
  199156. {
  199157. FreeLibrary ((HMODULE) libHandle);
  199158. }
  199159. void* DynamicLibraryLoader::findProcAddress (const String& functionName)
  199160. {
  199161. return (void*) GetProcAddress ((HMODULE) libHandle, functionName);
  199162. }
  199163. END_JUCE_NAMESPACE
  199164. /********* End of inlined file: juce_win32_DynamicLibraryLoader.cpp *********/
  199165. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  199166. /********* Start of inlined file: juce_win32_ASIO.cpp *********/
  199167. #undef WINDOWS
  199168. #if JUCE_ASIO
  199169. /*
  199170. This is very frustrating - we only need to use a handful of definitions from
  199171. a couple of the header files in Steinberg's ASIO SDK, and it'd be easy to copy
  199172. about 30 lines of code into this cpp file to create a fully stand-alone ASIO
  199173. implementation...
  199174. ..unfortunately that would break Steinberg's license agreement for use of
  199175. their SDK, so I'm not allowed to do this.
  199176. This means that anyone who wants to use JUCE's ASIO abilities will have to:
  199177. 1) Agree to Steinberg's licensing terms and download the ASIO SDK
  199178. (see www.steinberg.net/Steinberg/Developers.asp).
  199179. 2) Rebuild the whole of JUCE, setting the global definition JUCE_ASIO (you
  199180. can un-comment the "#define JUCE_ASIO" line in juce_Config.h
  199181. if you prefer). Make sure that your header search path will find the
  199182. iasiodrv.h file that comes with the SDK. (Only about 2-3 of the SDK header
  199183. files are actually needed - so to simplify things, you could just copy
  199184. these into your JUCE directory).
  199185. */
  199186. #include "iasiodrv.h" // if you're compiling and this line causes an error because
  199187. // you don't have the ASIO SDK installed, you can disable ASIO
  199188. // support by commenting-out the "#define JUCE_ASIO" line in
  199189. // juce_Config.h
  199190. BEGIN_JUCE_NAMESPACE
  199191. // #define ASIO_DEBUGGING
  199192. #ifdef ASIO_DEBUGGING
  199193. #define log(a) { Logger::writeToLog (a); DBG (a) }
  199194. #else
  199195. #define log(a) {}
  199196. #endif
  199197. #ifdef ASIO_DEBUGGING
  199198. static void logError (const String& context, long error)
  199199. {
  199200. String err ("unknown error");
  199201. if (error == ASE_NotPresent)
  199202. err = "Not Present";
  199203. else if (error == ASE_HWMalfunction)
  199204. err = "Hardware Malfunction";
  199205. else if (error == ASE_InvalidParameter)
  199206. err = "Invalid Parameter";
  199207. else if (error == ASE_InvalidMode)
  199208. err = "Invalid Mode";
  199209. else if (error == ASE_SPNotAdvancing)
  199210. err = "Sample position not advancing";
  199211. else if (error == ASE_NoClock)
  199212. err = "No Clock";
  199213. else if (error == ASE_NoMemory)
  199214. err = "Out of memory";
  199215. log (T("!!error: ") + context + T(" - ") + err);
  199216. }
  199217. #else
  199218. #define logError(a, b) {}
  199219. #endif
  199220. class ASIOAudioIODevice;
  199221. static ASIOAudioIODevice* volatile currentASIODev[3] = { 0, 0, 0 };
  199222. static const int maxASIOChannels = 160;
  199223. class JUCE_API ASIOAudioIODevice : public AudioIODevice,
  199224. private Timer
  199225. {
  199226. public:
  199227. Component ourWindow;
  199228. ASIOAudioIODevice (const String& name_, const CLSID classId_, const int slotNumber)
  199229. : AudioIODevice (name_, T("ASIO")),
  199230. asioObject (0),
  199231. classId (classId_),
  199232. currentBitDepth (16),
  199233. currentSampleRate (0),
  199234. tempBuffer (0),
  199235. isOpen_ (false),
  199236. isStarted (false),
  199237. postOutput (true),
  199238. insideControlPanelModalLoop (false),
  199239. shouldUsePreferredSize (false)
  199240. {
  199241. name = name_;
  199242. ourWindow.addToDesktop (0);
  199243. windowHandle = ourWindow.getWindowHandle();
  199244. jassert (currentASIODev [slotNumber] == 0);
  199245. currentASIODev [slotNumber] = this;
  199246. openDevice();
  199247. }
  199248. ~ASIOAudioIODevice()
  199249. {
  199250. for (int i = 0; i < numElementsInArray (currentASIODev); ++i)
  199251. if (currentASIODev[i] == this)
  199252. currentASIODev[i] = 0;
  199253. close();
  199254. log ("ASIO - exiting");
  199255. removeCurrentDriver();
  199256. juce_free (tempBuffer);
  199257. }
  199258. void updateSampleRates()
  199259. {
  199260. // find a list of sample rates..
  199261. const double possibleSampleRates[] = { 44100.0, 48000.0, 88200.0, 96000.0, 176400.0, 192000.0 };
  199262. sampleRates.clear();
  199263. if (asioObject != 0)
  199264. {
  199265. for (int index = 0; index < numElementsInArray (possibleSampleRates); ++index)
  199266. {
  199267. const long err = asioObject->canSampleRate (possibleSampleRates[index]);
  199268. if (err == 0)
  199269. {
  199270. sampleRates.add ((int) possibleSampleRates[index]);
  199271. log (T("rate: ") + String ((int) possibleSampleRates[index]));
  199272. }
  199273. else if (err != ASE_NoClock)
  199274. {
  199275. logError (T("CanSampleRate"), err);
  199276. }
  199277. }
  199278. if (sampleRates.size() == 0)
  199279. {
  199280. double cr = 0;
  199281. const long err = asioObject->getSampleRate (&cr);
  199282. log (T("No sample rates supported - current rate: ") + String ((int) cr));
  199283. if (err == 0)
  199284. sampleRates.add ((int) cr);
  199285. }
  199286. }
  199287. }
  199288. const StringArray getOutputChannelNames()
  199289. {
  199290. return outputChannelNames;
  199291. }
  199292. const StringArray getInputChannelNames()
  199293. {
  199294. return inputChannelNames;
  199295. }
  199296. int getNumSampleRates()
  199297. {
  199298. return sampleRates.size();
  199299. }
  199300. double getSampleRate (int index)
  199301. {
  199302. return sampleRates [index];
  199303. }
  199304. int getNumBufferSizesAvailable()
  199305. {
  199306. return bufferSizes.size();
  199307. }
  199308. int getBufferSizeSamples (int index)
  199309. {
  199310. return bufferSizes [index];
  199311. }
  199312. int getDefaultBufferSize()
  199313. {
  199314. return preferredSize;
  199315. }
  199316. const String open (const BitArray& inputChannels,
  199317. const BitArray& outputChannels,
  199318. double sr,
  199319. int bufferSizeSamples)
  199320. {
  199321. close();
  199322. currentCallback = 0;
  199323. if (bufferSizeSamples <= 0)
  199324. shouldUsePreferredSize = true;
  199325. if (asioObject == 0 || ! isASIOOpen)
  199326. {
  199327. log ("Warning: device not open");
  199328. const String err (openDevice());
  199329. if (asioObject == 0 || ! isASIOOpen)
  199330. return err;
  199331. }
  199332. isStarted = false;
  199333. bufferIndex = -1;
  199334. long err = 0;
  199335. long newPreferredSize = 0;
  199336. // if the preferred size has just changed, assume it's a control panel thing and use it as the new value.
  199337. minSize = 0;
  199338. maxSize = 0;
  199339. newPreferredSize = 0;
  199340. granularity = 0;
  199341. if (asioObject->getBufferSize (&minSize, &maxSize, &newPreferredSize, &granularity) == 0)
  199342. {
  199343. if (preferredSize != 0 && newPreferredSize != 0 && newPreferredSize != preferredSize)
  199344. shouldUsePreferredSize = true;
  199345. preferredSize = newPreferredSize;
  199346. }
  199347. // unfortunate workaround for certain manufacturers whose drivers crash horribly if you make
  199348. // dynamic changes to the buffer size...
  199349. shouldUsePreferredSize = shouldUsePreferredSize
  199350. || getName().containsIgnoreCase (T("Digidesign"));
  199351. if (shouldUsePreferredSize)
  199352. {
  199353. log ("Using preferred size for buffer..");
  199354. if ((err = asioObject->getBufferSize (&minSize, &maxSize, &preferredSize, &granularity)) == 0)
  199355. {
  199356. bufferSizeSamples = preferredSize;
  199357. }
  199358. else
  199359. {
  199360. bufferSizeSamples = 1024;
  199361. logError ("GetBufferSize1", err);
  199362. }
  199363. shouldUsePreferredSize = false;
  199364. }
  199365. int sampleRate = roundDoubleToInt (sr);
  199366. currentSampleRate = sampleRate;
  199367. currentBlockSizeSamples = bufferSizeSamples;
  199368. currentChansOut.clear();
  199369. currentChansIn.clear();
  199370. zeromem (inBuffers, sizeof (inBuffers));
  199371. zeromem (outBuffers, sizeof (outBuffers));
  199372. updateSampleRates();
  199373. if (sampleRate == 0 || (sampleRates.size() > 0 && ! sampleRates.contains (sampleRate)))
  199374. sampleRate = sampleRates[0];
  199375. jassert (sampleRate != 0);
  199376. if (sampleRate == 0)
  199377. sampleRate = 44100;
  199378. long numSources = 32;
  199379. ASIOClockSource clocks[32];
  199380. zeromem (clocks, sizeof (clocks));
  199381. asioObject->getClockSources (clocks, &numSources);
  199382. bool isSourceSet = false;
  199383. // careful not to remove this loop because it does more than just logging!
  199384. int i;
  199385. for (i = 0; i < numSources; ++i)
  199386. {
  199387. String s ("clock: ");
  199388. s += clocks[i].name;
  199389. if (clocks[i].isCurrentSource)
  199390. {
  199391. isSourceSet = true;
  199392. s << " (cur)";
  199393. }
  199394. log (s);
  199395. }
  199396. if (numSources > 1 && ! isSourceSet)
  199397. {
  199398. log ("setting clock source");
  199399. asioObject->setClockSource (clocks[0].index);
  199400. Thread::sleep (20);
  199401. }
  199402. else
  199403. {
  199404. if (numSources == 0)
  199405. {
  199406. log ("ASIO - no clock sources!");
  199407. }
  199408. }
  199409. double cr = 0;
  199410. err = asioObject->getSampleRate (&cr);
  199411. if (err == 0)
  199412. {
  199413. currentSampleRate = cr;
  199414. }
  199415. else
  199416. {
  199417. logError ("GetSampleRate", err);
  199418. currentSampleRate = 0;
  199419. }
  199420. error = String::empty;
  199421. needToReset = false;
  199422. isReSync = false;
  199423. err = 0;
  199424. bool buffersCreated = false;
  199425. if (currentSampleRate != sampleRate)
  199426. {
  199427. log (T("ASIO samplerate: ") + String (currentSampleRate) + T(" to ") + String (sampleRate));
  199428. err = asioObject->setSampleRate (sampleRate);
  199429. if (err == ASE_NoClock && numSources > 0)
  199430. {
  199431. log ("trying to set a clock source..");
  199432. Thread::sleep (10);
  199433. err = asioObject->setClockSource (clocks[0].index);
  199434. if (err != 0)
  199435. {
  199436. logError ("SetClock", err);
  199437. }
  199438. Thread::sleep (10);
  199439. err = asioObject->setSampleRate (sampleRate);
  199440. }
  199441. }
  199442. if (err == 0)
  199443. {
  199444. currentSampleRate = sampleRate;
  199445. if (needToReset)
  199446. {
  199447. if (isReSync)
  199448. {
  199449. log ("Resync request");
  199450. }
  199451. log ("! Resetting ASIO after sample rate change");
  199452. removeCurrentDriver();
  199453. loadDriver();
  199454. const String error (initDriver());
  199455. if (error.isNotEmpty())
  199456. {
  199457. log (T("ASIOInit: ") + error);
  199458. }
  199459. needToReset = false;
  199460. isReSync = false;
  199461. }
  199462. numActiveInputChans = 0;
  199463. numActiveOutputChans = 0;
  199464. ASIOBufferInfo* info = bufferInfos;
  199465. int i;
  199466. for (i = 0; i < totalNumInputChans; ++i)
  199467. {
  199468. if (inputChannels[i])
  199469. {
  199470. currentChansIn.setBit (i);
  199471. info->isInput = 1;
  199472. info->channelNum = i;
  199473. info->buffers[0] = info->buffers[1] = 0;
  199474. ++info;
  199475. ++numActiveInputChans;
  199476. }
  199477. }
  199478. for (i = 0; i < totalNumOutputChans; ++i)
  199479. {
  199480. if (outputChannels[i])
  199481. {
  199482. currentChansOut.setBit (i);
  199483. info->isInput = 0;
  199484. info->channelNum = i;
  199485. info->buffers[0] = info->buffers[1] = 0;
  199486. ++info;
  199487. ++numActiveOutputChans;
  199488. }
  199489. }
  199490. const int totalBuffers = numActiveInputChans + numActiveOutputChans;
  199491. callbacks.sampleRateDidChange = &sampleRateChangedCallback;
  199492. if (currentASIODev[0] == this)
  199493. {
  199494. callbacks.bufferSwitch = &bufferSwitchCallback0;
  199495. callbacks.asioMessage = &asioMessagesCallback0;
  199496. callbacks.bufferSwitchTimeInfo = &bufferSwitchTimeInfoCallback0;
  199497. }
  199498. else if (currentASIODev[1] == this)
  199499. {
  199500. callbacks.bufferSwitch = &bufferSwitchCallback1;
  199501. callbacks.asioMessage = &asioMessagesCallback1;
  199502. callbacks.bufferSwitchTimeInfo = &bufferSwitchTimeInfoCallback1;
  199503. }
  199504. else if (currentASIODev[2] == this)
  199505. {
  199506. callbacks.bufferSwitch = &bufferSwitchCallback2;
  199507. callbacks.asioMessage = &asioMessagesCallback2;
  199508. callbacks.bufferSwitchTimeInfo = &bufferSwitchTimeInfoCallback2;
  199509. }
  199510. else
  199511. {
  199512. jassertfalse
  199513. }
  199514. log ("disposing buffers");
  199515. err = asioObject->disposeBuffers();
  199516. log (T("creating buffers: ") + String (totalBuffers) + T(", ") + String (currentBlockSizeSamples));
  199517. err = asioObject->createBuffers (bufferInfos,
  199518. totalBuffers,
  199519. currentBlockSizeSamples,
  199520. &callbacks);
  199521. if (err != 0)
  199522. {
  199523. currentBlockSizeSamples = preferredSize;
  199524. logError ("create buffers 2", err);
  199525. asioObject->disposeBuffers();
  199526. err = asioObject->createBuffers (bufferInfos,
  199527. totalBuffers,
  199528. currentBlockSizeSamples,
  199529. &callbacks);
  199530. }
  199531. if (err == 0)
  199532. {
  199533. buffersCreated = true;
  199534. juce_free (tempBuffer);
  199535. tempBuffer = (float*) juce_calloc (totalBuffers * currentBlockSizeSamples * sizeof (float) + 128);
  199536. int n = 0;
  199537. Array <int> types;
  199538. currentBitDepth = 16;
  199539. for (i = 0; i < jmin (totalNumInputChans, maxASIOChannels); ++i)
  199540. {
  199541. if (inputChannels[i])
  199542. {
  199543. inBuffers[n] = tempBuffer + (currentBlockSizeSamples * n);
  199544. ASIOChannelInfo channelInfo;
  199545. zerostruct (channelInfo);
  199546. channelInfo.channel = i;
  199547. channelInfo.isInput = 1;
  199548. asioObject->getChannelInfo (&channelInfo);
  199549. types.addIfNotAlreadyThere (channelInfo.type);
  199550. typeToFormatParameters (channelInfo.type,
  199551. inputChannelBitDepths[n],
  199552. inputChannelBytesPerSample[n],
  199553. inputChannelIsFloat[n],
  199554. inputChannelLittleEndian[n]);
  199555. currentBitDepth = jmax (currentBitDepth, inputChannelBitDepths[n]);
  199556. ++n;
  199557. }
  199558. }
  199559. jassert (numActiveInputChans == n);
  199560. n = 0;
  199561. for (i = 0; i < jmin (totalNumOutputChans, maxASIOChannels); ++i)
  199562. {
  199563. if (outputChannels[i])
  199564. {
  199565. outBuffers[n] = tempBuffer + (currentBlockSizeSamples * (numActiveInputChans + n));
  199566. ASIOChannelInfo channelInfo;
  199567. zerostruct (channelInfo);
  199568. channelInfo.channel = i;
  199569. channelInfo.isInput = 0;
  199570. asioObject->getChannelInfo (&channelInfo);
  199571. types.addIfNotAlreadyThere (channelInfo.type);
  199572. typeToFormatParameters (channelInfo.type,
  199573. outputChannelBitDepths[n],
  199574. outputChannelBytesPerSample[n],
  199575. outputChannelIsFloat[n],
  199576. outputChannelLittleEndian[n]);
  199577. currentBitDepth = jmax (currentBitDepth, outputChannelBitDepths[n]);
  199578. ++n;
  199579. }
  199580. }
  199581. jassert (numActiveOutputChans == n);
  199582. for (i = types.size(); --i >= 0;)
  199583. {
  199584. log (T("channel format: ") + String (types[i]));
  199585. }
  199586. jassert (n <= totalBuffers);
  199587. for (i = 0; i < numActiveOutputChans; ++i)
  199588. {
  199589. const int size = currentBlockSizeSamples * (outputChannelBitDepths[i] >> 3);
  199590. if (bufferInfos [numActiveInputChans + i].buffers[0] == 0
  199591. || bufferInfos [numActiveInputChans + i].buffers[1] == 0)
  199592. {
  199593. log ("!! Null buffers");
  199594. }
  199595. else
  199596. {
  199597. zeromem (bufferInfos[numActiveInputChans + i].buffers[0], size);
  199598. zeromem (bufferInfos[numActiveInputChans + i].buffers[1], size);
  199599. }
  199600. }
  199601. inputLatency = outputLatency = 0;
  199602. if (asioObject->getLatencies (&inputLatency, &outputLatency) != 0)
  199603. {
  199604. log ("ASIO - no latencies");
  199605. }
  199606. else
  199607. {
  199608. log (T("ASIO latencies: ")
  199609. + String ((int) outputLatency)
  199610. + T(", ")
  199611. + String ((int) inputLatency));
  199612. }
  199613. isOpen_ = true;
  199614. log ("starting ASIO");
  199615. calledback = false;
  199616. err = asioObject->start();
  199617. if (err != 0)
  199618. {
  199619. isOpen_ = false;
  199620. log ("ASIO - stop on failure");
  199621. Thread::sleep (10);
  199622. asioObject->stop();
  199623. error = "Can't start device";
  199624. Thread::sleep (10);
  199625. }
  199626. else
  199627. {
  199628. int count = 300;
  199629. while (--count > 0 && ! calledback)
  199630. Thread::sleep (10);
  199631. isStarted = true;
  199632. if (! calledback)
  199633. {
  199634. error = "Device didn't start correctly";
  199635. log ("ASIO didn't callback - stopping..");
  199636. asioObject->stop();
  199637. }
  199638. }
  199639. }
  199640. else
  199641. {
  199642. error = "Can't create i/o buffers";
  199643. }
  199644. }
  199645. else
  199646. {
  199647. error = "Can't set sample rate: ";
  199648. error << sampleRate;
  199649. }
  199650. if (error.isNotEmpty())
  199651. {
  199652. logError (error, err);
  199653. if (asioObject != 0 && buffersCreated)
  199654. asioObject->disposeBuffers();
  199655. Thread::sleep (20);
  199656. isStarted = false;
  199657. isOpen_ = false;
  199658. close();
  199659. }
  199660. needToReset = false;
  199661. isReSync = false;
  199662. return error;
  199663. }
  199664. void close()
  199665. {
  199666. error = String::empty;
  199667. stopTimer();
  199668. stop();
  199669. if (isASIOOpen && isOpen_)
  199670. {
  199671. const ScopedLock sl (callbackLock);
  199672. isOpen_ = false;
  199673. isStarted = false;
  199674. needToReset = false;
  199675. isReSync = false;
  199676. log ("ASIO - stopping");
  199677. if (asioObject != 0)
  199678. {
  199679. Thread::sleep (20);
  199680. asioObject->stop();
  199681. Thread::sleep (10);
  199682. asioObject->disposeBuffers();
  199683. }
  199684. Thread::sleep (10);
  199685. }
  199686. }
  199687. bool isOpen()
  199688. {
  199689. return isOpen_ || insideControlPanelModalLoop;
  199690. }
  199691. int getCurrentBufferSizeSamples()
  199692. {
  199693. return currentBlockSizeSamples;
  199694. }
  199695. double getCurrentSampleRate()
  199696. {
  199697. return currentSampleRate;
  199698. }
  199699. const BitArray getActiveOutputChannels() const
  199700. {
  199701. return currentChansOut;
  199702. }
  199703. const BitArray getActiveInputChannels() const
  199704. {
  199705. return currentChansIn;
  199706. }
  199707. int getCurrentBitDepth()
  199708. {
  199709. return currentBitDepth;
  199710. }
  199711. int getOutputLatencyInSamples()
  199712. {
  199713. return outputLatency + currentBlockSizeSamples / 4;
  199714. }
  199715. int getInputLatencyInSamples()
  199716. {
  199717. return inputLatency + currentBlockSizeSamples / 4;
  199718. }
  199719. void start (AudioIODeviceCallback* callback)
  199720. {
  199721. if (callback != 0)
  199722. {
  199723. callback->audioDeviceAboutToStart (this);
  199724. const ScopedLock sl (callbackLock);
  199725. currentCallback = callback;
  199726. }
  199727. }
  199728. void stop()
  199729. {
  199730. AudioIODeviceCallback* const lastCallback = currentCallback;
  199731. {
  199732. const ScopedLock sl (callbackLock);
  199733. currentCallback = 0;
  199734. }
  199735. if (lastCallback != 0)
  199736. lastCallback->audioDeviceStopped();
  199737. }
  199738. bool isPlaying()
  199739. {
  199740. return isASIOOpen && (currentCallback != 0);
  199741. }
  199742. const String getLastError()
  199743. {
  199744. return error;
  199745. }
  199746. bool hasControlPanel() const
  199747. {
  199748. return true;
  199749. }
  199750. bool showControlPanel()
  199751. {
  199752. log ("ASIO - showing control panel");
  199753. Component modalWindow (String::empty);
  199754. modalWindow.setOpaque (true);
  199755. modalWindow.addToDesktop (0);
  199756. modalWindow.enterModalState();
  199757. bool done = false;
  199758. JUCE_TRY
  199759. {
  199760. close();
  199761. insideControlPanelModalLoop = true;
  199762. const uint32 started = Time::getMillisecondCounter();
  199763. if (asioObject != 0)
  199764. {
  199765. asioObject->controlPanel();
  199766. const int spent = (int) Time::getMillisecondCounter() - (int) started;
  199767. log (T("spent: ") + String (spent));
  199768. if (spent > 300)
  199769. {
  199770. shouldUsePreferredSize = true;
  199771. done = true;
  199772. }
  199773. }
  199774. }
  199775. JUCE_CATCH_ALL
  199776. insideControlPanelModalLoop = false;
  199777. return done;
  199778. }
  199779. void resetRequest() throw()
  199780. {
  199781. needToReset = true;
  199782. }
  199783. void resyncRequest() throw()
  199784. {
  199785. needToReset = true;
  199786. isReSync = true;
  199787. }
  199788. void timerCallback()
  199789. {
  199790. if (! insideControlPanelModalLoop)
  199791. {
  199792. stopTimer();
  199793. // used to cause a reset
  199794. log ("! ASIO restart request!");
  199795. if (isOpen_)
  199796. {
  199797. AudioIODeviceCallback* const oldCallback = currentCallback;
  199798. close();
  199799. open (currentChansIn, currentChansOut,
  199800. currentSampleRate, currentBlockSizeSamples);
  199801. if (oldCallback != 0)
  199802. start (oldCallback);
  199803. }
  199804. }
  199805. else
  199806. {
  199807. startTimer (100);
  199808. }
  199809. }
  199810. juce_UseDebuggingNewOperator
  199811. private:
  199812. IASIO* volatile asioObject;
  199813. ASIOCallbacks callbacks;
  199814. void* windowHandle;
  199815. CLSID classId;
  199816. String error;
  199817. long totalNumInputChans, totalNumOutputChans;
  199818. StringArray inputChannelNames, outputChannelNames;
  199819. Array<int> sampleRates, bufferSizes;
  199820. long inputLatency, outputLatency;
  199821. long minSize, maxSize, preferredSize, granularity;
  199822. int volatile currentBlockSizeSamples;
  199823. int volatile currentBitDepth;
  199824. double volatile currentSampleRate;
  199825. BitArray currentChansOut, currentChansIn;
  199826. AudioIODeviceCallback* volatile currentCallback;
  199827. CriticalSection callbackLock;
  199828. ASIOBufferInfo bufferInfos [maxASIOChannels];
  199829. float* inBuffers [maxASIOChannels];
  199830. float* outBuffers [maxASIOChannels];
  199831. int inputChannelBitDepths [maxASIOChannels];
  199832. int outputChannelBitDepths [maxASIOChannels];
  199833. int inputChannelBytesPerSample [maxASIOChannels];
  199834. int outputChannelBytesPerSample [maxASIOChannels];
  199835. bool inputChannelIsFloat [maxASIOChannels];
  199836. bool outputChannelIsFloat [maxASIOChannels];
  199837. bool inputChannelLittleEndian [maxASIOChannels];
  199838. bool outputChannelLittleEndian [maxASIOChannels];
  199839. WaitableEvent event1;
  199840. float* tempBuffer;
  199841. int volatile bufferIndex, numActiveInputChans, numActiveOutputChans;
  199842. bool isOpen_, isStarted;
  199843. bool volatile isASIOOpen;
  199844. bool volatile calledback;
  199845. bool volatile littleEndian, postOutput, needToReset, isReSync;
  199846. bool volatile insideControlPanelModalLoop;
  199847. bool volatile shouldUsePreferredSize;
  199848. void removeCurrentDriver()
  199849. {
  199850. if (asioObject != 0)
  199851. {
  199852. asioObject->Release();
  199853. asioObject = 0;
  199854. }
  199855. }
  199856. bool loadDriver()
  199857. {
  199858. removeCurrentDriver();
  199859. JUCE_TRY
  199860. {
  199861. if (CoCreateInstance (classId, 0, CLSCTX_INPROC_SERVER,
  199862. classId, (void**) &asioObject) == S_OK)
  199863. {
  199864. return true;
  199865. }
  199866. }
  199867. JUCE_CATCH_ALL
  199868. asioObject = 0;
  199869. return false;
  199870. }
  199871. const String initDriver()
  199872. {
  199873. if (asioObject != 0)
  199874. {
  199875. char buffer [256];
  199876. zeromem (buffer, sizeof (buffer));
  199877. if (! asioObject->init (windowHandle))
  199878. {
  199879. asioObject->getErrorMessage (buffer);
  199880. return String (buffer, sizeof (buffer) - 1);
  199881. }
  199882. // just in case any daft drivers expect this to be called..
  199883. asioObject->getDriverName (buffer);
  199884. return String::empty;
  199885. }
  199886. return "No Driver";
  199887. }
  199888. const String openDevice()
  199889. {
  199890. // use this in case the driver starts opening dialog boxes..
  199891. Component modalWindow (String::empty);
  199892. modalWindow.setOpaque (true);
  199893. modalWindow.addToDesktop (0);
  199894. modalWindow.enterModalState();
  199895. // open the device and get its info..
  199896. log (T("opening ASIO device: ") + getName());
  199897. needToReset = false;
  199898. isReSync = false;
  199899. outputChannelNames.clear();
  199900. inputChannelNames.clear();
  199901. bufferSizes.clear();
  199902. sampleRates.clear();
  199903. isASIOOpen = false;
  199904. isOpen_ = false;
  199905. totalNumInputChans = 0;
  199906. totalNumOutputChans = 0;
  199907. numActiveInputChans = 0;
  199908. numActiveOutputChans = 0;
  199909. currentCallback = 0;
  199910. error = String::empty;
  199911. if (getName().isEmpty())
  199912. return error;
  199913. long err = 0;
  199914. if (loadDriver())
  199915. {
  199916. if ((error = initDriver()).isEmpty())
  199917. {
  199918. numActiveInputChans = 0;
  199919. numActiveOutputChans = 0;
  199920. totalNumInputChans = 0;
  199921. totalNumOutputChans = 0;
  199922. if (asioObject != 0
  199923. && (err = asioObject->getChannels (&totalNumInputChans, &totalNumOutputChans)) == 0)
  199924. {
  199925. log (String ((int) totalNumInputChans) + T(" in, ") + String ((int) totalNumOutputChans) + T(" out"));
  199926. if ((err = asioObject->getBufferSize (&minSize, &maxSize, &preferredSize, &granularity)) == 0)
  199927. {
  199928. // find a list of buffer sizes..
  199929. log (String ((int) minSize) + T(" ") + String ((int) maxSize) + T(" ") + String ((int)preferredSize) + T(" ") + String ((int)granularity));
  199930. if (granularity >= 0)
  199931. {
  199932. granularity = jmax (1, (int) granularity);
  199933. for (int i = jmax (minSize, (int) granularity); i < jmin (6400, maxSize); i += granularity)
  199934. bufferSizes.addIfNotAlreadyThere (granularity * (i / granularity));
  199935. }
  199936. else if (granularity < 0)
  199937. {
  199938. for (int i = 0; i < 18; ++i)
  199939. {
  199940. const int s = (1 << i);
  199941. if (s >= minSize && s <= maxSize)
  199942. bufferSizes.add (s);
  199943. }
  199944. }
  199945. if (! bufferSizes.contains (preferredSize))
  199946. bufferSizes.insert (0, preferredSize);
  199947. double currentRate = 0;
  199948. asioObject->getSampleRate (&currentRate);
  199949. if (currentRate <= 0.0 || currentRate > 192001.0)
  199950. {
  199951. log ("setting sample rate");
  199952. err = asioObject->setSampleRate (44100.0);
  199953. if (err != 0)
  199954. {
  199955. logError ("setting sample rate", err);
  199956. }
  199957. asioObject->getSampleRate (&currentRate);
  199958. }
  199959. currentSampleRate = currentRate;
  199960. postOutput = (asioObject->outputReady() == 0);
  199961. if (postOutput)
  199962. {
  199963. log ("ASIO outputReady = ok");
  199964. }
  199965. updateSampleRates();
  199966. // ..because cubase does it at this point
  199967. inputLatency = outputLatency = 0;
  199968. if (asioObject->getLatencies (&inputLatency, &outputLatency) != 0)
  199969. {
  199970. log ("ASIO - no latencies");
  199971. }
  199972. log (String ("latencies: ")
  199973. + String ((int) inputLatency)
  199974. + T(", ") + String ((int) outputLatency));
  199975. // create some dummy buffers now.. because cubase does..
  199976. numActiveInputChans = 0;
  199977. numActiveOutputChans = 0;
  199978. ASIOBufferInfo* info = bufferInfos;
  199979. int i, numChans = 0;
  199980. for (i = 0; i < jmin (2, totalNumInputChans); ++i)
  199981. {
  199982. info->isInput = 1;
  199983. info->channelNum = i;
  199984. info->buffers[0] = info->buffers[1] = 0;
  199985. ++info;
  199986. ++numChans;
  199987. }
  199988. const int outputBufferIndex = numChans;
  199989. for (i = 0; i < jmin (2, totalNumOutputChans); ++i)
  199990. {
  199991. info->isInput = 0;
  199992. info->channelNum = i;
  199993. info->buffers[0] = info->buffers[1] = 0;
  199994. ++info;
  199995. ++numChans;
  199996. }
  199997. callbacks.sampleRateDidChange = &sampleRateChangedCallback;
  199998. if (currentASIODev[0] == this)
  199999. {
  200000. callbacks.bufferSwitch = &bufferSwitchCallback0;
  200001. callbacks.asioMessage = &asioMessagesCallback0;
  200002. callbacks.bufferSwitchTimeInfo = &bufferSwitchTimeInfoCallback0;
  200003. }
  200004. else if (currentASIODev[1] == this)
  200005. {
  200006. callbacks.bufferSwitch = &bufferSwitchCallback1;
  200007. callbacks.asioMessage = &asioMessagesCallback1;
  200008. callbacks.bufferSwitchTimeInfo = &bufferSwitchTimeInfoCallback1;
  200009. }
  200010. else if (currentASIODev[2] == this)
  200011. {
  200012. callbacks.bufferSwitch = &bufferSwitchCallback2;
  200013. callbacks.asioMessage = &asioMessagesCallback2;
  200014. callbacks.bufferSwitchTimeInfo = &bufferSwitchTimeInfoCallback2;
  200015. }
  200016. else
  200017. {
  200018. jassertfalse
  200019. }
  200020. log (T("creating buffers (dummy): ") + String (numChans)
  200021. + T(", ") + String ((int) preferredSize));
  200022. if (preferredSize > 0)
  200023. {
  200024. err = asioObject->createBuffers (bufferInfos, numChans, preferredSize, &callbacks);
  200025. if (err != 0)
  200026. {
  200027. logError ("dummy buffers", err);
  200028. }
  200029. }
  200030. long newInps = 0, newOuts = 0;
  200031. asioObject->getChannels (&newInps, &newOuts);
  200032. if (totalNumInputChans != newInps || totalNumOutputChans != newOuts)
  200033. {
  200034. totalNumInputChans = newInps;
  200035. totalNumOutputChans = newOuts;
  200036. log (String ((int) totalNumInputChans) + T(" in; ")
  200037. + String ((int) totalNumOutputChans) + T(" out"));
  200038. }
  200039. updateSampleRates();
  200040. ASIOChannelInfo channelInfo;
  200041. channelInfo.type = 0;
  200042. for (i = 0; i < totalNumInputChans; ++i)
  200043. {
  200044. zerostruct (channelInfo);
  200045. channelInfo.channel = i;
  200046. channelInfo.isInput = 1;
  200047. asioObject->getChannelInfo (&channelInfo);
  200048. inputChannelNames.add (String (channelInfo.name));
  200049. }
  200050. for (i = 0; i < totalNumOutputChans; ++i)
  200051. {
  200052. zerostruct (channelInfo);
  200053. channelInfo.channel = i;
  200054. channelInfo.isInput = 0;
  200055. asioObject->getChannelInfo (&channelInfo);
  200056. outputChannelNames.add (String (channelInfo.name));
  200057. typeToFormatParameters (channelInfo.type,
  200058. outputChannelBitDepths[i],
  200059. outputChannelBytesPerSample[i],
  200060. outputChannelIsFloat[i],
  200061. outputChannelLittleEndian[i]);
  200062. if (i < 2)
  200063. {
  200064. // clear the channels that are used with the dummy stuff
  200065. const int bytesPerBuffer = preferredSize * (outputChannelBitDepths[i] >> 3);
  200066. zeromem (bufferInfos [outputBufferIndex + i].buffers[0], bytesPerBuffer);
  200067. zeromem (bufferInfos [outputBufferIndex + i].buffers[1], bytesPerBuffer);
  200068. }
  200069. }
  200070. outputChannelNames.trim();
  200071. inputChannelNames.trim();
  200072. outputChannelNames.appendNumbersToDuplicates (false, true);
  200073. inputChannelNames.appendNumbersToDuplicates (false, true);
  200074. // start and stop because cubase does it..
  200075. asioObject->getLatencies (&inputLatency, &outputLatency);
  200076. if ((err = asioObject->start()) != 0)
  200077. {
  200078. // ignore an error here, as it might start later after setting other stuff up
  200079. logError ("ASIO start", err);
  200080. }
  200081. Thread::sleep (100);
  200082. asioObject->stop();
  200083. }
  200084. else
  200085. {
  200086. error = "Can't detect buffer sizes";
  200087. }
  200088. }
  200089. else
  200090. {
  200091. error = "Can't detect asio channels";
  200092. }
  200093. }
  200094. }
  200095. else
  200096. {
  200097. error = "No such device";
  200098. }
  200099. if (error.isNotEmpty())
  200100. {
  200101. logError (error, err);
  200102. if (asioObject != 0)
  200103. asioObject->disposeBuffers();
  200104. removeCurrentDriver();
  200105. isASIOOpen = false;
  200106. }
  200107. else
  200108. {
  200109. isASIOOpen = true;
  200110. log ("ASIO device open");
  200111. }
  200112. isOpen_ = false;
  200113. needToReset = false;
  200114. isReSync = false;
  200115. return error;
  200116. }
  200117. void callback (const long index) throw()
  200118. {
  200119. if (isStarted)
  200120. {
  200121. bufferIndex = index;
  200122. processBuffer();
  200123. }
  200124. else
  200125. {
  200126. if (postOutput && (asioObject != 0))
  200127. asioObject->outputReady();
  200128. }
  200129. calledback = true;
  200130. }
  200131. void processBuffer() throw()
  200132. {
  200133. const ASIOBufferInfo* const infos = bufferInfos;
  200134. const int bi = bufferIndex;
  200135. const ScopedLock sl (callbackLock);
  200136. if (needToReset)
  200137. {
  200138. needToReset = false;
  200139. if (isReSync)
  200140. {
  200141. log ("! ASIO resync");
  200142. isReSync = false;
  200143. }
  200144. else
  200145. {
  200146. startTimer (20);
  200147. }
  200148. }
  200149. if (bi >= 0)
  200150. {
  200151. const int samps = currentBlockSizeSamples;
  200152. if (currentCallback != 0)
  200153. {
  200154. int i;
  200155. for (i = 0; i < numActiveInputChans; ++i)
  200156. {
  200157. float* const dst = inBuffers[i];
  200158. jassert (dst != 0);
  200159. const char* const src = (const char*) (infos[i].buffers[bi]);
  200160. if (inputChannelIsFloat[i])
  200161. {
  200162. memcpy (dst, src, samps * sizeof (float));
  200163. }
  200164. else
  200165. {
  200166. jassert (dst == tempBuffer + (samps * i));
  200167. switch (inputChannelBitDepths[i])
  200168. {
  200169. case 16:
  200170. convertInt16ToFloat (src, dst, inputChannelBytesPerSample[i],
  200171. samps, inputChannelLittleEndian[i]);
  200172. break;
  200173. case 24:
  200174. convertInt24ToFloat (src, dst, inputChannelBytesPerSample[i],
  200175. samps, inputChannelLittleEndian[i]);
  200176. break;
  200177. case 32:
  200178. convertInt32ToFloat (src, dst, inputChannelBytesPerSample[i],
  200179. samps, inputChannelLittleEndian[i]);
  200180. break;
  200181. case 64:
  200182. jassertfalse
  200183. break;
  200184. }
  200185. }
  200186. }
  200187. currentCallback->audioDeviceIOCallback ((const float**) inBuffers,
  200188. numActiveInputChans,
  200189. outBuffers,
  200190. numActiveOutputChans,
  200191. samps);
  200192. for (i = 0; i < numActiveOutputChans; ++i)
  200193. {
  200194. float* const src = outBuffers[i];
  200195. jassert (src != 0);
  200196. char* const dst = (char*) (infos [numActiveInputChans + i].buffers[bi]);
  200197. if (outputChannelIsFloat[i])
  200198. {
  200199. memcpy (dst, src, samps * sizeof (float));
  200200. }
  200201. else
  200202. {
  200203. jassert (src == tempBuffer + (samps * (numActiveInputChans + i)));
  200204. switch (outputChannelBitDepths[i])
  200205. {
  200206. case 16:
  200207. convertFloatToInt16 (src, dst, outputChannelBytesPerSample[i],
  200208. samps, outputChannelLittleEndian[i]);
  200209. break;
  200210. case 24:
  200211. convertFloatToInt24 (src, dst, outputChannelBytesPerSample[i],
  200212. samps, outputChannelLittleEndian[i]);
  200213. break;
  200214. case 32:
  200215. convertFloatToInt32 (src, dst, outputChannelBytesPerSample[i],
  200216. samps, outputChannelLittleEndian[i]);
  200217. break;
  200218. case 64:
  200219. jassertfalse
  200220. break;
  200221. }
  200222. }
  200223. }
  200224. }
  200225. else
  200226. {
  200227. for (int i = 0; i < numActiveOutputChans; ++i)
  200228. {
  200229. const int bytesPerBuffer = samps * (outputChannelBitDepths[i] >> 3);
  200230. zeromem (infos[numActiveInputChans + i].buffers[bi], bytesPerBuffer);
  200231. }
  200232. }
  200233. }
  200234. if (postOutput)
  200235. asioObject->outputReady();
  200236. }
  200237. static ASIOTime* bufferSwitchTimeInfoCallback0 (ASIOTime*, long index, long) throw()
  200238. {
  200239. if (currentASIODev[0] != 0)
  200240. currentASIODev[0]->callback (index);
  200241. return 0;
  200242. }
  200243. static ASIOTime* bufferSwitchTimeInfoCallback1 (ASIOTime*, long index, long) throw()
  200244. {
  200245. if (currentASIODev[1] != 0)
  200246. currentASIODev[1]->callback (index);
  200247. return 0;
  200248. }
  200249. static ASIOTime* bufferSwitchTimeInfoCallback2 (ASIOTime*, long index, long) throw()
  200250. {
  200251. if (currentASIODev[2] != 0)
  200252. currentASIODev[2]->callback (index);
  200253. return 0;
  200254. }
  200255. static void bufferSwitchCallback0 (long index, long) throw()
  200256. {
  200257. if (currentASIODev[0] != 0)
  200258. currentASIODev[0]->callback (index);
  200259. }
  200260. static void bufferSwitchCallback1 (long index, long) throw()
  200261. {
  200262. if (currentASIODev[1] != 0)
  200263. currentASIODev[1]->callback (index);
  200264. }
  200265. static void bufferSwitchCallback2 (long index, long) throw()
  200266. {
  200267. if (currentASIODev[2] != 0)
  200268. currentASIODev[2]->callback (index);
  200269. }
  200270. static long asioMessagesCallback0 (long selector, long value, void*, double*) throw()
  200271. {
  200272. return asioMessagesCallback (selector, value, 0);
  200273. }
  200274. static long asioMessagesCallback1 (long selector, long value, void*, double*) throw()
  200275. {
  200276. return asioMessagesCallback (selector, value, 1);
  200277. }
  200278. static long asioMessagesCallback2 (long selector, long value, void*, double*) throw()
  200279. {
  200280. return asioMessagesCallback (selector, value, 2);
  200281. }
  200282. static long asioMessagesCallback (long selector, long value, const int deviceIndex) throw()
  200283. {
  200284. switch (selector)
  200285. {
  200286. case kAsioSelectorSupported:
  200287. if (value == kAsioResetRequest
  200288. || value == kAsioEngineVersion
  200289. || value == kAsioResyncRequest
  200290. || value == kAsioLatenciesChanged
  200291. || value == kAsioSupportsInputMonitor)
  200292. return 1;
  200293. break;
  200294. case kAsioBufferSizeChange:
  200295. break;
  200296. case kAsioResetRequest:
  200297. if (currentASIODev[deviceIndex] != 0)
  200298. currentASIODev[deviceIndex]->resetRequest();
  200299. return 1;
  200300. case kAsioResyncRequest:
  200301. if (currentASIODev[deviceIndex] != 0)
  200302. currentASIODev[deviceIndex]->resyncRequest();
  200303. return 1;
  200304. case kAsioLatenciesChanged:
  200305. return 1;
  200306. case kAsioEngineVersion:
  200307. return 2;
  200308. case kAsioSupportsTimeInfo:
  200309. case kAsioSupportsTimeCode:
  200310. return 0;
  200311. }
  200312. return 0;
  200313. }
  200314. static void sampleRateChangedCallback (ASIOSampleRate) throw()
  200315. {
  200316. }
  200317. static void convertInt16ToFloat (const char* src,
  200318. float* dest,
  200319. const int srcStrideBytes,
  200320. int numSamples,
  200321. const bool littleEndian) throw()
  200322. {
  200323. const double g = 1.0 / 32768.0;
  200324. if (littleEndian)
  200325. {
  200326. while (--numSamples >= 0)
  200327. {
  200328. *dest++ = (float) (g * (short) littleEndianShort (src));
  200329. src += srcStrideBytes;
  200330. }
  200331. }
  200332. else
  200333. {
  200334. while (--numSamples >= 0)
  200335. {
  200336. *dest++ = (float) (g * (short) bigEndianShort (src));
  200337. src += srcStrideBytes;
  200338. }
  200339. }
  200340. }
  200341. static void convertFloatToInt16 (const float* src,
  200342. char* dest,
  200343. const int dstStrideBytes,
  200344. int numSamples,
  200345. const bool littleEndian) throw()
  200346. {
  200347. const double maxVal = (double) 0x7fff;
  200348. if (littleEndian)
  200349. {
  200350. while (--numSamples >= 0)
  200351. {
  200352. *(uint16*) dest = swapIfBigEndian ((uint16) (short) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * *src++)));
  200353. dest += dstStrideBytes;
  200354. }
  200355. }
  200356. else
  200357. {
  200358. while (--numSamples >= 0)
  200359. {
  200360. *(uint16*) dest = swapIfLittleEndian ((uint16) (short) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * *src++)));
  200361. dest += dstStrideBytes;
  200362. }
  200363. }
  200364. }
  200365. static void convertInt24ToFloat (const char* src,
  200366. float* dest,
  200367. const int srcStrideBytes,
  200368. int numSamples,
  200369. const bool littleEndian) throw()
  200370. {
  200371. const double g = 1.0 / 0x7fffff;
  200372. if (littleEndian)
  200373. {
  200374. while (--numSamples >= 0)
  200375. {
  200376. *dest++ = (float) (g * littleEndian24Bit (src));
  200377. src += srcStrideBytes;
  200378. }
  200379. }
  200380. else
  200381. {
  200382. while (--numSamples >= 0)
  200383. {
  200384. *dest++ = (float) (g * bigEndian24Bit (src));
  200385. src += srcStrideBytes;
  200386. }
  200387. }
  200388. }
  200389. static void convertFloatToInt24 (const float* src,
  200390. char* dest,
  200391. const int dstStrideBytes,
  200392. int numSamples,
  200393. const bool littleEndian) throw()
  200394. {
  200395. const double maxVal = (double) 0x7fffff;
  200396. if (littleEndian)
  200397. {
  200398. while (--numSamples >= 0)
  200399. {
  200400. littleEndian24BitToChars ((uint32) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * *src++)), dest);
  200401. dest += dstStrideBytes;
  200402. }
  200403. }
  200404. else
  200405. {
  200406. while (--numSamples >= 0)
  200407. {
  200408. bigEndian24BitToChars ((uint32) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * *src++)), dest);
  200409. dest += dstStrideBytes;
  200410. }
  200411. }
  200412. }
  200413. static void convertInt32ToFloat (const char* src,
  200414. float* dest,
  200415. const int srcStrideBytes,
  200416. int numSamples,
  200417. const bool littleEndian) throw()
  200418. {
  200419. const double g = 1.0 / 0x7fffffff;
  200420. if (littleEndian)
  200421. {
  200422. while (--numSamples >= 0)
  200423. {
  200424. *dest++ = (float) (g * (int) littleEndianInt (src));
  200425. src += srcStrideBytes;
  200426. }
  200427. }
  200428. else
  200429. {
  200430. while (--numSamples >= 0)
  200431. {
  200432. *dest++ = (float) (g * (int) bigEndianInt (src));
  200433. src += srcStrideBytes;
  200434. }
  200435. }
  200436. }
  200437. static void convertFloatToInt32 (const float* src,
  200438. char* dest,
  200439. const int dstStrideBytes,
  200440. int numSamples,
  200441. const bool littleEndian) throw()
  200442. {
  200443. const double maxVal = (double) 0x7fffffff;
  200444. if (littleEndian)
  200445. {
  200446. while (--numSamples >= 0)
  200447. {
  200448. *(uint32*) dest = swapIfBigEndian ((uint32) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * *src++)));
  200449. dest += dstStrideBytes;
  200450. }
  200451. }
  200452. else
  200453. {
  200454. while (--numSamples >= 0)
  200455. {
  200456. *(uint32*) dest = swapIfLittleEndian ((uint32) roundDoubleToInt (jlimit (-maxVal, maxVal, maxVal * *src++)));
  200457. dest += dstStrideBytes;
  200458. }
  200459. }
  200460. }
  200461. static void typeToFormatParameters (const long type,
  200462. int& bitDepth,
  200463. int& byteStride,
  200464. bool& formatIsFloat,
  200465. bool& littleEndian) throw()
  200466. {
  200467. bitDepth = 0;
  200468. littleEndian = false;
  200469. formatIsFloat = false;
  200470. switch (type)
  200471. {
  200472. case ASIOSTInt16MSB:
  200473. case ASIOSTInt16LSB:
  200474. case ASIOSTInt32MSB16:
  200475. case ASIOSTInt32LSB16:
  200476. bitDepth = 16; break;
  200477. case ASIOSTFloat32MSB:
  200478. case ASIOSTFloat32LSB:
  200479. formatIsFloat = true;
  200480. bitDepth = 32; break;
  200481. case ASIOSTInt32MSB:
  200482. case ASIOSTInt32LSB:
  200483. bitDepth = 32; break;
  200484. case ASIOSTInt24MSB:
  200485. case ASIOSTInt24LSB:
  200486. case ASIOSTInt32MSB24:
  200487. case ASIOSTInt32LSB24:
  200488. case ASIOSTInt32MSB18:
  200489. case ASIOSTInt32MSB20:
  200490. case ASIOSTInt32LSB18:
  200491. case ASIOSTInt32LSB20:
  200492. bitDepth = 24; break;
  200493. case ASIOSTFloat64MSB:
  200494. case ASIOSTFloat64LSB:
  200495. default:
  200496. bitDepth = 64;
  200497. break;
  200498. }
  200499. switch (type)
  200500. {
  200501. case ASIOSTInt16MSB:
  200502. case ASIOSTInt32MSB16:
  200503. case ASIOSTFloat32MSB:
  200504. case ASIOSTFloat64MSB:
  200505. case ASIOSTInt32MSB:
  200506. case ASIOSTInt32MSB18:
  200507. case ASIOSTInt32MSB20:
  200508. case ASIOSTInt32MSB24:
  200509. case ASIOSTInt24MSB:
  200510. littleEndian = false; break;
  200511. case ASIOSTInt16LSB:
  200512. case ASIOSTInt32LSB16:
  200513. case ASIOSTFloat32LSB:
  200514. case ASIOSTFloat64LSB:
  200515. case ASIOSTInt32LSB:
  200516. case ASIOSTInt32LSB18:
  200517. case ASIOSTInt32LSB20:
  200518. case ASIOSTInt32LSB24:
  200519. case ASIOSTInt24LSB:
  200520. littleEndian = true; break;
  200521. default:
  200522. break;
  200523. }
  200524. switch (type)
  200525. {
  200526. case ASIOSTInt16LSB:
  200527. case ASIOSTInt16MSB:
  200528. byteStride = 2; break;
  200529. case ASIOSTInt24LSB:
  200530. case ASIOSTInt24MSB:
  200531. byteStride = 3; break;
  200532. case ASIOSTInt32MSB16:
  200533. case ASIOSTInt32LSB16:
  200534. case ASIOSTInt32MSB:
  200535. case ASIOSTInt32MSB18:
  200536. case ASIOSTInt32MSB20:
  200537. case ASIOSTInt32MSB24:
  200538. case ASIOSTInt32LSB:
  200539. case ASIOSTInt32LSB18:
  200540. case ASIOSTInt32LSB20:
  200541. case ASIOSTInt32LSB24:
  200542. case ASIOSTFloat32LSB:
  200543. case ASIOSTFloat32MSB:
  200544. byteStride = 4; break;
  200545. case ASIOSTFloat64MSB:
  200546. case ASIOSTFloat64LSB:
  200547. byteStride = 8; break;
  200548. default:
  200549. break;
  200550. }
  200551. }
  200552. };
  200553. class ASIOAudioIODeviceType : public AudioIODeviceType
  200554. {
  200555. public:
  200556. ASIOAudioIODeviceType()
  200557. : AudioIODeviceType (T("ASIO")),
  200558. classIds (2),
  200559. hasScanned (false)
  200560. {
  200561. CoInitialize (0);
  200562. }
  200563. ~ASIOAudioIODeviceType()
  200564. {
  200565. }
  200566. void scanForDevices()
  200567. {
  200568. hasScanned = true;
  200569. deviceNames.clear();
  200570. classIds.clear();
  200571. HKEY hk = 0;
  200572. int index = 0;
  200573. if (RegOpenKeyA (HKEY_LOCAL_MACHINE, "software\\asio", &hk) == ERROR_SUCCESS)
  200574. {
  200575. for (;;)
  200576. {
  200577. char name [256];
  200578. if (RegEnumKeyA (hk, index++, name, 256) == ERROR_SUCCESS)
  200579. {
  200580. addDriverInfo (name, hk);
  200581. }
  200582. else
  200583. {
  200584. break;
  200585. }
  200586. }
  200587. RegCloseKey (hk);
  200588. }
  200589. }
  200590. const StringArray getDeviceNames (const bool /*wantInputNames*/) const
  200591. {
  200592. jassert (hasScanned); // need to call scanForDevices() before doing this
  200593. return deviceNames;
  200594. }
  200595. int getDefaultDeviceIndex (const bool) const
  200596. {
  200597. jassert (hasScanned); // need to call scanForDevices() before doing this
  200598. for (int i = deviceNames.size(); --i >= 0;)
  200599. if (deviceNames[i].containsIgnoreCase (T("asio4all")))
  200600. return i; // asio4all is a safe choice for a default..
  200601. #if JUCE_DEBUG
  200602. if (deviceNames.size() > 1 && deviceNames[0].containsIgnoreCase (T("digidesign")))
  200603. return 1; // (the digi m-box driver crashes the app when you run
  200604. // it in the debugger, which can be a bit annoying)
  200605. #endif
  200606. return 0;
  200607. }
  200608. static int findFreeSlot()
  200609. {
  200610. for (int i = 0; i < numElementsInArray (currentASIODev); ++i)
  200611. if (currentASIODev[i] == 0)
  200612. return i;
  200613. jassertfalse; // unfortunately you can only have a finite number
  200614. // of ASIO devices open at the same time..
  200615. return -1;
  200616. }
  200617. int getIndexOfDevice (AudioIODevice* d, const bool /*asInput*/) const
  200618. {
  200619. jassert (hasScanned); // need to call scanForDevices() before doing this
  200620. return d == 0 ? -1 : deviceNames.indexOf (d->getName());
  200621. }
  200622. bool hasSeparateInputsAndOutputs() const { return false; }
  200623. AudioIODevice* createDevice (const String& outputDeviceName,
  200624. const String& inputDeviceName)
  200625. {
  200626. jassert (inputDeviceName == outputDeviceName);
  200627. (void) inputDeviceName;
  200628. jassert (hasScanned); // need to call scanForDevices() before doing this
  200629. const int index = deviceNames.indexOf (outputDeviceName);
  200630. if (index >= 0)
  200631. {
  200632. const int freeSlot = findFreeSlot();
  200633. if (freeSlot >= 0)
  200634. return new ASIOAudioIODevice (outputDeviceName, *(classIds [index]), freeSlot);
  200635. }
  200636. return 0;
  200637. }
  200638. juce_UseDebuggingNewOperator
  200639. private:
  200640. StringArray deviceNames;
  200641. OwnedArray <CLSID> classIds;
  200642. bool hasScanned;
  200643. static bool checkClassIsOk (const String& classId)
  200644. {
  200645. HKEY hk = 0;
  200646. bool ok = false;
  200647. if (RegOpenKeyA (HKEY_CLASSES_ROOT, "clsid", &hk) == ERROR_SUCCESS)
  200648. {
  200649. int index = 0;
  200650. for (;;)
  200651. {
  200652. char buf [512];
  200653. if (RegEnumKeyA (hk, index++, buf, 512) == ERROR_SUCCESS)
  200654. {
  200655. if (classId.equalsIgnoreCase (buf))
  200656. {
  200657. HKEY subKey, pathKey;
  200658. if (RegOpenKeyExA (hk, buf, 0, KEY_READ, &subKey) == ERROR_SUCCESS)
  200659. {
  200660. if (RegOpenKeyExA (subKey, "InprocServer32", 0, KEY_READ, &pathKey) == ERROR_SUCCESS)
  200661. {
  200662. char pathName [600];
  200663. DWORD dtype = REG_SZ;
  200664. DWORD dsize = sizeof (pathName);
  200665. if (RegQueryValueExA (pathKey, 0, 0, &dtype,
  200666. (LPBYTE) pathName, &dsize) == ERROR_SUCCESS)
  200667. {
  200668. OFSTRUCT of;
  200669. zerostruct (of);
  200670. of.cBytes = sizeof (of);
  200671. ok = (OpenFile (String (pathName), &of, OF_EXIST) != 0);
  200672. }
  200673. RegCloseKey (pathKey);
  200674. }
  200675. RegCloseKey (subKey);
  200676. }
  200677. break;
  200678. }
  200679. }
  200680. else
  200681. {
  200682. break;
  200683. }
  200684. }
  200685. RegCloseKey (hk);
  200686. }
  200687. return ok;
  200688. }
  200689. void addDriverInfo (const String& keyName, HKEY hk)
  200690. {
  200691. HKEY subKey;
  200692. if (RegOpenKeyExA (hk, keyName, 0, KEY_READ, &subKey) == ERROR_SUCCESS)
  200693. {
  200694. char buf [256];
  200695. DWORD dtype = REG_SZ;
  200696. DWORD dsize = sizeof (buf);
  200697. zeromem (buf, dsize);
  200698. if (RegQueryValueExA (subKey, "clsid", 0, &dtype, (LPBYTE) buf, &dsize) == ERROR_SUCCESS)
  200699. {
  200700. if (dsize > 0 && checkClassIsOk (buf))
  200701. {
  200702. wchar_t classIdStr [130];
  200703. MultiByteToWideChar (CP_ACP, 0, buf, -1, classIdStr, 128);
  200704. String deviceName;
  200705. CLSID classId;
  200706. if (CLSIDFromString ((LPOLESTR) classIdStr, &classId) == S_OK)
  200707. {
  200708. dtype = REG_SZ;
  200709. dsize = sizeof (buf);
  200710. if (RegQueryValueExA (subKey, "description", 0, &dtype, (LPBYTE) buf, &dsize) == ERROR_SUCCESS)
  200711. deviceName = buf;
  200712. else
  200713. deviceName = keyName;
  200714. log (T("found ") + deviceName);
  200715. deviceNames.add (deviceName);
  200716. classIds.add (new CLSID (classId));
  200717. }
  200718. }
  200719. RegCloseKey (subKey);
  200720. }
  200721. }
  200722. }
  200723. ASIOAudioIODeviceType (const ASIOAudioIODeviceType&);
  200724. const ASIOAudioIODeviceType& operator= (const ASIOAudioIODeviceType&);
  200725. };
  200726. AudioIODeviceType* juce_createASIOAudioIODeviceType()
  200727. {
  200728. return new ASIOAudioIODeviceType();
  200729. }
  200730. AudioIODevice* juce_createASIOAudioIODeviceForGUID (const String& name,
  200731. void* guid)
  200732. {
  200733. const int freeSlot = ASIOAudioIODeviceType::findFreeSlot();
  200734. if (freeSlot < 0)
  200735. return 0;
  200736. return new ASIOAudioIODevice (name, *(CLSID*) guid, freeSlot);
  200737. }
  200738. END_JUCE_NAMESPACE
  200739. #undef log
  200740. #endif
  200741. /********* End of inlined file: juce_win32_ASIO.cpp *********/
  200742. /********* Start of inlined file: juce_win32_AudioCDReader.cpp *********/
  200743. #ifdef _MSC_VER
  200744. #pragma warning (disable: 4514)
  200745. #pragma warning (push)
  200746. #endif
  200747. #include <stddef.h>
  200748. #if JUCE_USE_CDBURNER
  200749. // you'll need the Platform SDK for these headers - if you don't have it and don't
  200750. // need to use CD-burning, then you might just want to disable the JUCE_USE_CDBURNER
  200751. // flag in juce_Config.h to avoid these includes.
  200752. #include <imapi.h>
  200753. #include <imapierror.h>
  200754. #endif
  200755. BEGIN_JUCE_NAMESPACE
  200756. #ifdef _MSC_VER
  200757. #pragma warning (pop)
  200758. #endif
  200759. //***************************************************************************
  200760. // %%% TARGET STATUS VALUES %%%
  200761. //***************************************************************************
  200762. #define STATUS_GOOD 0x00 // Status Good
  200763. #define STATUS_CHKCOND 0x02 // Check Condition
  200764. #define STATUS_CONDMET 0x04 // Condition Met
  200765. #define STATUS_BUSY 0x08 // Busy
  200766. #define STATUS_INTERM 0x10 // Intermediate
  200767. #define STATUS_INTCDMET 0x14 // Intermediate-condition met
  200768. #define STATUS_RESCONF 0x18 // Reservation conflict
  200769. #define STATUS_COMTERM 0x22 // Command Terminated
  200770. #define STATUS_QFULL 0x28 // Queue full
  200771. //***************************************************************************
  200772. // %%% SCSI MISCELLANEOUS EQUATES %%%
  200773. //***************************************************************************
  200774. #define MAXLUN 7 // Maximum Logical Unit Id
  200775. #define MAXTARG 7 // Maximum Target Id
  200776. #define MAX_SCSI_LUNS 64 // Maximum Number of SCSI LUNs
  200777. #define MAX_NUM_HA 8 // Maximum Number of SCSI HA's
  200778. //***************************************************************************
  200779. // %%% Commands for all Device Types %%%
  200780. //***************************************************************************
  200781. #define SCSI_CHANGE_DEF 0x40 // Change Definition (Optional)
  200782. #define SCSI_COMPARE 0x39 // Compare (O)
  200783. #define SCSI_COPY 0x18 // Copy (O)
  200784. #define SCSI_COP_VERIFY 0x3A // Copy and Verify (O)
  200785. #define SCSI_INQUIRY 0x12 // Inquiry (MANDATORY)
  200786. #define SCSI_LOG_SELECT 0x4C // Log Select (O)
  200787. #define SCSI_LOG_SENSE 0x4D // Log Sense (O)
  200788. #define SCSI_MODE_SEL6 0x15 // Mode Select 6-byte (Device Specific)
  200789. #define SCSI_MODE_SEL10 0x55 // Mode Select 10-byte (Device Specific)
  200790. #define SCSI_MODE_SEN6 0x1A // Mode Sense 6-byte (Device Specific)
  200791. #define SCSI_MODE_SEN10 0x5A // Mode Sense 10-byte (Device Specific)
  200792. #define SCSI_READ_BUFF 0x3C // Read Buffer (O)
  200793. #define SCSI_REQ_SENSE 0x03 // Request Sense (MANDATORY)
  200794. #define SCSI_SEND_DIAG 0x1D // Send Diagnostic (O)
  200795. #define SCSI_TST_U_RDY 0x00 // Test Unit Ready (MANDATORY)
  200796. #define SCSI_WRITE_BUFF 0x3B // Write Buffer (O)
  200797. //***************************************************************************
  200798. // %%% Commands Unique to Direct Access Devices %%%
  200799. //***************************************************************************
  200800. #define SCSI_COMPARE 0x39 // Compare (O)
  200801. #define SCSI_FORMAT 0x04 // Format Unit (MANDATORY)
  200802. #define SCSI_LCK_UN_CAC 0x36 // Lock Unlock Cache (O)
  200803. #define SCSI_PREFETCH 0x34 // Prefetch (O)
  200804. #define SCSI_MED_REMOVL 0x1E // Prevent/Allow medium Removal (O)
  200805. #define SCSI_READ6 0x08 // Read 6-byte (MANDATORY)
  200806. #define SCSI_READ10 0x28 // Read 10-byte (MANDATORY)
  200807. #define SCSI_RD_CAPAC 0x25 // Read Capacity (MANDATORY)
  200808. #define SCSI_RD_DEFECT 0x37 // Read Defect Data (O)
  200809. #define SCSI_READ_LONG 0x3E // Read Long (O)
  200810. #define SCSI_REASS_BLK 0x07 // Reassign Blocks (O)
  200811. #define SCSI_RCV_DIAG 0x1C // Receive Diagnostic Results (O)
  200812. #define SCSI_RELEASE 0x17 // Release Unit (MANDATORY)
  200813. #define SCSI_REZERO 0x01 // Rezero Unit (O)
  200814. #define SCSI_SRCH_DAT_E 0x31 // Search Data Equal (O)
  200815. #define SCSI_SRCH_DAT_H 0x30 // Search Data High (O)
  200816. #define SCSI_SRCH_DAT_L 0x32 // Search Data Low (O)
  200817. #define SCSI_SEEK6 0x0B // Seek 6-Byte (O)
  200818. #define SCSI_SEEK10 0x2B // Seek 10-Byte (O)
  200819. #define SCSI_SEND_DIAG 0x1D // Send Diagnostics (MANDATORY)
  200820. #define SCSI_SET_LIMIT 0x33 // Set Limits (O)
  200821. #define SCSI_START_STP 0x1B // Start/Stop Unit (O)
  200822. #define SCSI_SYNC_CACHE 0x35 // Synchronize Cache (O)
  200823. #define SCSI_VERIFY 0x2F // Verify (O)
  200824. #define SCSI_WRITE6 0x0A // Write 6-Byte (MANDATORY)
  200825. #define SCSI_WRITE10 0x2A // Write 10-Byte (MANDATORY)
  200826. #define SCSI_WRT_VERIFY 0x2E // Write and Verify (O)
  200827. #define SCSI_WRITE_LONG 0x3F // Write Long (O)
  200828. #define SCSI_WRITE_SAME 0x41 // Write Same (O)
  200829. //***************************************************************************
  200830. // %%% Commands Unique to Sequential Access Devices %%%
  200831. //***************************************************************************
  200832. #define SCSI_ERASE 0x19 // Erase (MANDATORY)
  200833. #define SCSI_LOAD_UN 0x1b // Load/Unload (O)
  200834. #define SCSI_LOCATE 0x2B // Locate (O)
  200835. #define SCSI_RD_BLK_LIM 0x05 // Read Block Limits (MANDATORY)
  200836. #define SCSI_READ_POS 0x34 // Read Position (O)
  200837. #define SCSI_READ_REV 0x0F // Read Reverse (O)
  200838. #define SCSI_REC_BF_DAT 0x14 // Recover Buffer Data (O)
  200839. #define SCSI_RESERVE 0x16 // Reserve Unit (MANDATORY)
  200840. #define SCSI_REWIND 0x01 // Rewind (MANDATORY)
  200841. #define SCSI_SPACE 0x11 // Space (MANDATORY)
  200842. #define SCSI_VERIFY_T 0x13 // Verify (Tape) (O)
  200843. #define SCSI_WRT_FILE 0x10 // Write Filemarks (MANDATORY)
  200844. //***************************************************************************
  200845. // %%% Commands Unique to Printer Devices %%%
  200846. //***************************************************************************
  200847. #define SCSI_PRINT 0x0A // Print (MANDATORY)
  200848. #define SCSI_SLEW_PNT 0x0B // Slew and Print (O)
  200849. #define SCSI_STOP_PNT 0x1B // Stop Print (O)
  200850. #define SCSI_SYNC_BUFF 0x10 // Synchronize Buffer (O)
  200851. //***************************************************************************
  200852. // %%% Commands Unique to Processor Devices %%%
  200853. //***************************************************************************
  200854. #define SCSI_RECEIVE 0x08 // Receive (O)
  200855. #define SCSI_SEND 0x0A // Send (O)
  200856. //***************************************************************************
  200857. // %%% Commands Unique to Write-Once Devices %%%
  200858. //***************************************************************************
  200859. #define SCSI_MEDIUM_SCN 0x38 // Medium Scan (O)
  200860. #define SCSI_SRCHDATE10 0x31 // Search Data Equal 10-Byte (O)
  200861. #define SCSI_SRCHDATE12 0xB1 // Search Data Equal 12-Byte (O)
  200862. #define SCSI_SRCHDATH10 0x30 // Search Data High 10-Byte (O)
  200863. #define SCSI_SRCHDATH12 0xB0 // Search Data High 12-Byte (O)
  200864. #define SCSI_SRCHDATL10 0x32 // Search Data Low 10-Byte (O)
  200865. #define SCSI_SRCHDATL12 0xB2 // Search Data Low 12-Byte (O)
  200866. #define SCSI_SET_LIM_10 0x33 // Set Limits 10-Byte (O)
  200867. #define SCSI_SET_LIM_12 0xB3 // Set Limits 10-Byte (O)
  200868. #define SCSI_VERIFY10 0x2F // Verify 10-Byte (O)
  200869. #define SCSI_VERIFY12 0xAF // Verify 12-Byte (O)
  200870. #define SCSI_WRITE12 0xAA // Write 12-Byte (O)
  200871. #define SCSI_WRT_VER10 0x2E // Write and Verify 10-Byte (O)
  200872. #define SCSI_WRT_VER12 0xAE // Write and Verify 12-Byte (O)
  200873. //***************************************************************************
  200874. // %%% Commands Unique to CD-ROM Devices %%%
  200875. //***************************************************************************
  200876. #define SCSI_PLAYAUD_10 0x45 // Play Audio 10-Byte (O)
  200877. #define SCSI_PLAYAUD_12 0xA5 // Play Audio 12-Byte 12-Byte (O)
  200878. #define SCSI_PLAYAUDMSF 0x47 // Play Audio MSF (O)
  200879. #define SCSI_PLAYA_TKIN 0x48 // Play Audio Track/Index (O)
  200880. #define SCSI_PLYTKREL10 0x49 // Play Track Relative 10-Byte (O)
  200881. #define SCSI_PLYTKREL12 0xA9 // Play Track Relative 12-Byte (O)
  200882. #define SCSI_READCDCAP 0x25 // Read CD-ROM Capacity (MANDATORY)
  200883. #define SCSI_READHEADER 0x44 // Read Header (O)
  200884. #define SCSI_SUBCHANNEL 0x42 // Read Subchannel (O)
  200885. #define SCSI_READ_TOC 0x43 // Read TOC (O)
  200886. //***************************************************************************
  200887. // %%% Commands Unique to Scanner Devices %%%
  200888. //***************************************************************************
  200889. #define SCSI_GETDBSTAT 0x34 // Get Data Buffer Status (O)
  200890. #define SCSI_GETWINDOW 0x25 // Get Window (O)
  200891. #define SCSI_OBJECTPOS 0x31 // Object Postion (O)
  200892. #define SCSI_SCAN 0x1B // Scan (O)
  200893. #define SCSI_SETWINDOW 0x24 // Set Window (MANDATORY)
  200894. //***************************************************************************
  200895. // %%% Commands Unique to Optical Memory Devices %%%
  200896. //***************************************************************************
  200897. #define SCSI_UpdateBlk 0x3D // Update Block (O)
  200898. //***************************************************************************
  200899. // %%% Commands Unique to Medium Changer Devices %%%
  200900. //***************************************************************************
  200901. #define SCSI_EXCHMEDIUM 0xA6 // Exchange Medium (O)
  200902. #define SCSI_INITELSTAT 0x07 // Initialize Element Status (O)
  200903. #define SCSI_POSTOELEM 0x2B // Position to Element (O)
  200904. #define SCSI_REQ_VE_ADD 0xB5 // Request Volume Element Address (O)
  200905. #define SCSI_SENDVOLTAG 0xB6 // Send Volume Tag (O)
  200906. //***************************************************************************
  200907. // %%% Commands Unique to Communication Devices %%%
  200908. //***************************************************************************
  200909. #define SCSI_GET_MSG_6 0x08 // Get Message 6-Byte (MANDATORY)
  200910. #define SCSI_GET_MSG_10 0x28 // Get Message 10-Byte (O)
  200911. #define SCSI_GET_MSG_12 0xA8 // Get Message 12-Byte (O)
  200912. #define SCSI_SND_MSG_6 0x0A // Send Message 6-Byte (MANDATORY)
  200913. #define SCSI_SND_MSG_10 0x2A // Send Message 10-Byte (O)
  200914. #define SCSI_SND_MSG_12 0xAA // Send Message 12-Byte (O)
  200915. //***************************************************************************
  200916. // %%% Request Sense Data Format %%%
  200917. //***************************************************************************
  200918. typedef struct {
  200919. BYTE ErrorCode; // Error Code (70H or 71H)
  200920. BYTE SegmentNum; // Number of current segment descriptor
  200921. BYTE SenseKey; // Sense Key(See bit definitions too)
  200922. BYTE InfoByte0; // Information MSB
  200923. BYTE InfoByte1; // Information MID
  200924. BYTE InfoByte2; // Information MID
  200925. BYTE InfoByte3; // Information LSB
  200926. BYTE AddSenLen; // Additional Sense Length
  200927. BYTE ComSpecInf0; // Command Specific Information MSB
  200928. BYTE ComSpecInf1; // Command Specific Information MID
  200929. BYTE ComSpecInf2; // Command Specific Information MID
  200930. BYTE ComSpecInf3; // Command Specific Information LSB
  200931. BYTE AddSenseCode; // Additional Sense Code
  200932. BYTE AddSenQual; // Additional Sense Code Qualifier
  200933. BYTE FieldRepUCode; // Field Replaceable Unit Code
  200934. BYTE SenKeySpec15; // Sense Key Specific 15th byte
  200935. BYTE SenKeySpec16; // Sense Key Specific 16th byte
  200936. BYTE SenKeySpec17; // Sense Key Specific 17th byte
  200937. BYTE AddSenseBytes; // Additional Sense Bytes
  200938. } SENSE_DATA_FMT;
  200939. //***************************************************************************
  200940. // %%% REQUEST SENSE ERROR CODE %%%
  200941. //***************************************************************************
  200942. #define SERROR_CURRENT 0x70 // Current Errors
  200943. #define SERROR_DEFERED 0x71 // Deferred Errors
  200944. //***************************************************************************
  200945. // %%% REQUEST SENSE BIT DEFINITIONS %%%
  200946. //***************************************************************************
  200947. #define SENSE_VALID 0x80 // Byte 0 Bit 7
  200948. #define SENSE_FILEMRK 0x80 // Byte 2 Bit 7
  200949. #define SENSE_EOM 0x40 // Byte 2 Bit 6
  200950. #define SENSE_ILI 0x20 // Byte 2 Bit 5
  200951. //***************************************************************************
  200952. // %%% REQUEST SENSE SENSE KEY DEFINITIONS %%%
  200953. //***************************************************************************
  200954. #define KEY_NOSENSE 0x00 // No Sense
  200955. #define KEY_RECERROR 0x01 // Recovered Error
  200956. #define KEY_NOTREADY 0x02 // Not Ready
  200957. #define KEY_MEDIUMERR 0x03 // Medium Error
  200958. #define KEY_HARDERROR 0x04 // Hardware Error
  200959. #define KEY_ILLGLREQ 0x05 // Illegal Request
  200960. #define KEY_UNITATT 0x06 // Unit Attention
  200961. #define KEY_DATAPROT 0x07 // Data Protect
  200962. #define KEY_BLANKCHK 0x08 // Blank Check
  200963. #define KEY_VENDSPEC 0x09 // Vendor Specific
  200964. #define KEY_COPYABORT 0x0A // Copy Abort
  200965. #define KEY_EQUAL 0x0C // Equal (Search)
  200966. #define KEY_VOLOVRFLW 0x0D // Volume Overflow
  200967. #define KEY_MISCOMP 0x0E // Miscompare (Search)
  200968. #define KEY_RESERVED 0x0F // Reserved
  200969. //***************************************************************************
  200970. // %%% PERIPHERAL DEVICE TYPE DEFINITIONS %%%
  200971. //***************************************************************************
  200972. #define DTYPE_DASD 0x00 // Disk Device
  200973. #define DTYPE_SEQD 0x01 // Tape Device
  200974. #define DTYPE_PRNT 0x02 // Printer
  200975. #define DTYPE_PROC 0x03 // Processor
  200976. #define DTYPE_WORM 0x04 // Write-once read-multiple
  200977. #define DTYPE_CROM 0x05 // CD-ROM device
  200978. #define DTYPE_SCAN 0x06 // Scanner device
  200979. #define DTYPE_OPTI 0x07 // Optical memory device
  200980. #define DTYPE_JUKE 0x08 // Medium Changer device
  200981. #define DTYPE_COMM 0x09 // Communications device
  200982. #define DTYPE_RESL 0x0A // Reserved (low)
  200983. #define DTYPE_RESH 0x1E // Reserved (high)
  200984. #define DTYPE_UNKNOWN 0x1F // Unknown or no device type
  200985. //***************************************************************************
  200986. // %%% ANSI APPROVED VERSION DEFINITIONS %%%
  200987. //***************************************************************************
  200988. #define ANSI_MAYBE 0x0 // Device may or may not be ANSI approved stand
  200989. #define ANSI_SCSI1 0x1 // Device complies to ANSI X3.131-1986 (SCSI-1)
  200990. #define ANSI_SCSI2 0x2 // Device complies to SCSI-2
  200991. #define ANSI_RESLO 0x3 // Reserved (low)
  200992. #define ANSI_RESHI 0x7 // Reserved (high)
  200993. typedef struct
  200994. {
  200995. USHORT Length;
  200996. UCHAR ScsiStatus;
  200997. UCHAR PathId;
  200998. UCHAR TargetId;
  200999. UCHAR Lun;
  201000. UCHAR CdbLength;
  201001. UCHAR SenseInfoLength;
  201002. UCHAR DataIn;
  201003. ULONG DataTransferLength;
  201004. ULONG TimeOutValue;
  201005. ULONG DataBufferOffset;
  201006. ULONG SenseInfoOffset;
  201007. UCHAR Cdb[16];
  201008. } SCSI_PASS_THROUGH, *PSCSI_PASS_THROUGH;
  201009. typedef struct
  201010. {
  201011. USHORT Length;
  201012. UCHAR ScsiStatus;
  201013. UCHAR PathId;
  201014. UCHAR TargetId;
  201015. UCHAR Lun;
  201016. UCHAR CdbLength;
  201017. UCHAR SenseInfoLength;
  201018. UCHAR DataIn;
  201019. ULONG DataTransferLength;
  201020. ULONG TimeOutValue;
  201021. PVOID DataBuffer;
  201022. ULONG SenseInfoOffset;
  201023. UCHAR Cdb[16];
  201024. } SCSI_PASS_THROUGH_DIRECT, *PSCSI_PASS_THROUGH_DIRECT;
  201025. typedef struct
  201026. {
  201027. SCSI_PASS_THROUGH_DIRECT spt;
  201028. ULONG Filler;
  201029. UCHAR ucSenseBuf[32];
  201030. } SCSI_PASS_THROUGH_DIRECT_WITH_BUFFER, *PSCSI_PASS_THROUGH_DIRECT_WITH_BUFFER;
  201031. typedef struct
  201032. {
  201033. ULONG Length;
  201034. UCHAR PortNumber;
  201035. UCHAR PathId;
  201036. UCHAR TargetId;
  201037. UCHAR Lun;
  201038. } SCSI_ADDRESS, *PSCSI_ADDRESS;
  201039. #define METHOD_BUFFERED 0
  201040. #define METHOD_IN_DIRECT 1
  201041. #define METHOD_OUT_DIRECT 2
  201042. #define METHOD_NEITHER 3
  201043. #define FILE_ANY_ACCESS 0
  201044. #ifndef FILE_READ_ACCESS
  201045. #define FILE_READ_ACCESS (0x0001)
  201046. #endif
  201047. #ifndef FILE_WRITE_ACCESS
  201048. #define FILE_WRITE_ACCESS (0x0002)
  201049. #endif
  201050. #define IOCTL_SCSI_BASE 0x00000004
  201051. #define SCSI_IOCTL_DATA_OUT 0
  201052. #define SCSI_IOCTL_DATA_IN 1
  201053. #define SCSI_IOCTL_DATA_UNSPECIFIED 2
  201054. #define CTL_CODE2( DevType, Function, Method, Access ) ( \
  201055. ((DevType) << 16) | ((Access) << 14) | ((Function) << 2) | (Method) \
  201056. )
  201057. #define IOCTL_SCSI_PASS_THROUGH CTL_CODE2( IOCTL_SCSI_BASE, 0x0401, METHOD_BUFFERED, FILE_READ_ACCESS | FILE_WRITE_ACCESS )
  201058. #define IOCTL_SCSI_GET_CAPABILITIES CTL_CODE2( IOCTL_SCSI_BASE, 0x0404, METHOD_BUFFERED, FILE_ANY_ACCESS)
  201059. #define IOCTL_SCSI_PASS_THROUGH_DIRECT CTL_CODE2( IOCTL_SCSI_BASE, 0x0405, METHOD_BUFFERED, FILE_READ_ACCESS | FILE_WRITE_ACCESS )
  201060. #define IOCTL_SCSI_GET_ADDRESS CTL_CODE2( IOCTL_SCSI_BASE, 0x0406, METHOD_BUFFERED, FILE_ANY_ACCESS )
  201061. #define SENSE_LEN 14
  201062. #define SRB_DIR_SCSI 0x00
  201063. #define SRB_POSTING 0x01
  201064. #define SRB_ENABLE_RESIDUAL_COUNT 0x04
  201065. #define SRB_DIR_IN 0x08
  201066. #define SRB_DIR_OUT 0x10
  201067. #define SRB_EVENT_NOTIFY 0x40
  201068. #define RESIDUAL_COUNT_SUPPORTED 0x02
  201069. #define MAX_SRB_TIMEOUT 1080001u
  201070. #define DEFAULT_SRB_TIMEOUT 1080001u
  201071. #define SC_HA_INQUIRY 0x00
  201072. #define SC_GET_DEV_TYPE 0x01
  201073. #define SC_EXEC_SCSI_CMD 0x02
  201074. #define SC_ABORT_SRB 0x03
  201075. #define SC_RESET_DEV 0x04
  201076. #define SC_SET_HA_PARMS 0x05
  201077. #define SC_GET_DISK_INFO 0x06
  201078. #define SC_RESCAN_SCSI_BUS 0x07
  201079. #define SC_GETSET_TIMEOUTS 0x08
  201080. #define SS_PENDING 0x00
  201081. #define SS_COMP 0x01
  201082. #define SS_ABORTED 0x02
  201083. #define SS_ABORT_FAIL 0x03
  201084. #define SS_ERR 0x04
  201085. #define SS_INVALID_CMD 0x80
  201086. #define SS_INVALID_HA 0x81
  201087. #define SS_NO_DEVICE 0x82
  201088. #define SS_INVALID_SRB 0xE0
  201089. #define SS_OLD_MANAGER 0xE1
  201090. #define SS_BUFFER_ALIGN 0xE1
  201091. #define SS_ILLEGAL_MODE 0xE2
  201092. #define SS_NO_ASPI 0xE3
  201093. #define SS_FAILED_INIT 0xE4
  201094. #define SS_ASPI_IS_BUSY 0xE5
  201095. #define SS_BUFFER_TO_BIG 0xE6
  201096. #define SS_BUFFER_TOO_BIG 0xE6
  201097. #define SS_MISMATCHED_COMPONENTS 0xE7
  201098. #define SS_NO_ADAPTERS 0xE8
  201099. #define SS_INSUFFICIENT_RESOURCES 0xE9
  201100. #define SS_ASPI_IS_SHUTDOWN 0xEA
  201101. #define SS_BAD_INSTALL 0xEB
  201102. #define HASTAT_OK 0x00
  201103. #define HASTAT_SEL_TO 0x11
  201104. #define HASTAT_DO_DU 0x12
  201105. #define HASTAT_BUS_FREE 0x13
  201106. #define HASTAT_PHASE_ERR 0x14
  201107. #define HASTAT_TIMEOUT 0x09
  201108. #define HASTAT_COMMAND_TIMEOUT 0x0B
  201109. #define HASTAT_MESSAGE_REJECT 0x0D
  201110. #define HASTAT_BUS_RESET 0x0E
  201111. #define HASTAT_PARITY_ERROR 0x0F
  201112. #define HASTAT_REQUEST_SENSE_FAILED 0x10
  201113. #define PACKED
  201114. #pragma pack(1)
  201115. typedef struct
  201116. {
  201117. BYTE SRB_Cmd;
  201118. BYTE SRB_Status;
  201119. BYTE SRB_HaID;
  201120. BYTE SRB_Flags;
  201121. DWORD SRB_Hdr_Rsvd;
  201122. BYTE HA_Count;
  201123. BYTE HA_SCSI_ID;
  201124. BYTE HA_ManagerId[16];
  201125. BYTE HA_Identifier[16];
  201126. BYTE HA_Unique[16];
  201127. WORD HA_Rsvd1;
  201128. BYTE pad[20];
  201129. } PACKED SRB_HAInquiry, *PSRB_HAInquiry, FAR *LPSRB_HAInquiry;
  201130. typedef struct
  201131. {
  201132. BYTE SRB_Cmd;
  201133. BYTE SRB_Status;
  201134. BYTE SRB_HaID;
  201135. BYTE SRB_Flags;
  201136. DWORD SRB_Hdr_Rsvd;
  201137. BYTE SRB_Target;
  201138. BYTE SRB_Lun;
  201139. BYTE SRB_DeviceType;
  201140. BYTE SRB_Rsvd1;
  201141. BYTE pad[68];
  201142. } PACKED SRB_GDEVBlock, *PSRB_GDEVBlock, FAR *LPSRB_GDEVBlock;
  201143. typedef struct
  201144. {
  201145. BYTE SRB_Cmd;
  201146. BYTE SRB_Status;
  201147. BYTE SRB_HaID;
  201148. BYTE SRB_Flags;
  201149. DWORD SRB_Hdr_Rsvd;
  201150. BYTE SRB_Target;
  201151. BYTE SRB_Lun;
  201152. WORD SRB_Rsvd1;
  201153. DWORD SRB_BufLen;
  201154. BYTE FAR *SRB_BufPointer;
  201155. BYTE SRB_SenseLen;
  201156. BYTE SRB_CDBLen;
  201157. BYTE SRB_HaStat;
  201158. BYTE SRB_TargStat;
  201159. VOID FAR *SRB_PostProc;
  201160. BYTE SRB_Rsvd2[20];
  201161. BYTE CDBByte[16];
  201162. BYTE SenseArea[SENSE_LEN+2];
  201163. } PACKED SRB_ExecSCSICmd, *PSRB_ExecSCSICmd, FAR *LPSRB_ExecSCSICmd;
  201164. typedef struct
  201165. {
  201166. BYTE SRB_Cmd;
  201167. BYTE SRB_Status;
  201168. BYTE SRB_HaId;
  201169. BYTE SRB_Flags;
  201170. DWORD SRB_Hdr_Rsvd;
  201171. } PACKED SRB, *PSRB, FAR *LPSRB;
  201172. #pragma pack()
  201173. struct CDDeviceInfo
  201174. {
  201175. char vendor[9];
  201176. char productId[17];
  201177. char rev[5];
  201178. char vendorSpec[21];
  201179. BYTE ha;
  201180. BYTE tgt;
  201181. BYTE lun;
  201182. char scsiDriveLetter; // will be 0 if not using scsi
  201183. };
  201184. class CDReadBuffer
  201185. {
  201186. public:
  201187. int startFrame;
  201188. int numFrames;
  201189. int dataStartOffset;
  201190. int dataLength;
  201191. BYTE* buffer;
  201192. int bufferSize;
  201193. int index;
  201194. bool wantsIndex;
  201195. CDReadBuffer (const int numberOfFrames)
  201196. : startFrame (0),
  201197. numFrames (0),
  201198. dataStartOffset (0),
  201199. dataLength (0),
  201200. index (0),
  201201. wantsIndex (false)
  201202. {
  201203. bufferSize = 2352 * numberOfFrames;
  201204. buffer = (BYTE*) malloc (bufferSize);
  201205. }
  201206. ~CDReadBuffer()
  201207. {
  201208. free (buffer);
  201209. }
  201210. bool isZero() const
  201211. {
  201212. BYTE* p = buffer + dataStartOffset;
  201213. for (int i = dataLength; --i >= 0;)
  201214. if (*p++ != 0)
  201215. return false;
  201216. return true;
  201217. }
  201218. };
  201219. class CDDeviceHandle;
  201220. class CDController
  201221. {
  201222. public:
  201223. CDController();
  201224. virtual ~CDController();
  201225. virtual bool read (CDReadBuffer* t) = 0;
  201226. virtual void shutDown();
  201227. bool readAudio (CDReadBuffer* t, CDReadBuffer* overlapBuffer = 0);
  201228. int getLastIndex();
  201229. public:
  201230. bool initialised;
  201231. CDDeviceHandle* deviceInfo;
  201232. int framesToCheck, framesOverlap;
  201233. void prepare (SRB_ExecSCSICmd& s);
  201234. void perform (SRB_ExecSCSICmd& s);
  201235. void setPaused (bool paused);
  201236. };
  201237. #pragma pack(1)
  201238. struct TOCTRACK
  201239. {
  201240. BYTE rsvd;
  201241. BYTE ADR;
  201242. BYTE trackNumber;
  201243. BYTE rsvd2;
  201244. BYTE addr[4];
  201245. };
  201246. struct TOC
  201247. {
  201248. WORD tocLen;
  201249. BYTE firstTrack;
  201250. BYTE lastTrack;
  201251. TOCTRACK tracks[100];
  201252. };
  201253. #pragma pack()
  201254. enum
  201255. {
  201256. READTYPE_ANY = 0,
  201257. READTYPE_ATAPI1 = 1,
  201258. READTYPE_ATAPI2 = 2,
  201259. READTYPE_READ6 = 3,
  201260. READTYPE_READ10 = 4,
  201261. READTYPE_READ_D8 = 5,
  201262. READTYPE_READ_D4 = 6,
  201263. READTYPE_READ_D4_1 = 7,
  201264. READTYPE_READ10_2 = 8
  201265. };
  201266. class CDDeviceHandle
  201267. {
  201268. public:
  201269. CDDeviceHandle (const CDDeviceInfo* const device)
  201270. : scsiHandle (0),
  201271. readType (READTYPE_ANY),
  201272. controller (0)
  201273. {
  201274. memcpy (&info, device, sizeof (info));
  201275. }
  201276. ~CDDeviceHandle()
  201277. {
  201278. if (controller != 0)
  201279. {
  201280. controller->shutDown();
  201281. delete controller;
  201282. }
  201283. if (scsiHandle != 0)
  201284. CloseHandle (scsiHandle);
  201285. }
  201286. bool readTOC (TOC* lpToc, bool useMSF);
  201287. bool readAudio (CDReadBuffer* buffer, CDReadBuffer* overlapBuffer = 0);
  201288. void openDrawer (bool shouldBeOpen);
  201289. CDDeviceInfo info;
  201290. HANDLE scsiHandle;
  201291. BYTE readType;
  201292. private:
  201293. CDController* controller;
  201294. bool testController (const int readType,
  201295. CDController* const newController,
  201296. CDReadBuffer* const bufferToUse);
  201297. };
  201298. DWORD (*fGetASPI32SupportInfo)(void);
  201299. DWORD (*fSendASPI32Command)(LPSRB);
  201300. static HINSTANCE winAspiLib = 0;
  201301. static bool usingScsi = false;
  201302. static bool initialised = false;
  201303. static bool InitialiseCDRipper()
  201304. {
  201305. if (! initialised)
  201306. {
  201307. initialised = true;
  201308. OSVERSIONINFO info;
  201309. info.dwOSVersionInfoSize = sizeof (info);
  201310. GetVersionEx (&info);
  201311. usingScsi = (info.dwPlatformId == VER_PLATFORM_WIN32_NT) && (info.dwMajorVersion > 4);
  201312. if (! usingScsi)
  201313. {
  201314. fGetASPI32SupportInfo = 0;
  201315. fSendASPI32Command = 0;
  201316. winAspiLib = LoadLibrary (_T("WNASPI32.DLL"));
  201317. if (winAspiLib != 0)
  201318. {
  201319. fGetASPI32SupportInfo = (DWORD(*)(void)) GetProcAddress (winAspiLib, "GetASPI32SupportInfo");
  201320. fSendASPI32Command = (DWORD(*)(LPSRB)) GetProcAddress (winAspiLib, "SendASPI32Command");
  201321. if (fGetASPI32SupportInfo == 0 || fSendASPI32Command == 0)
  201322. return false;
  201323. }
  201324. else
  201325. {
  201326. usingScsi = true;
  201327. }
  201328. }
  201329. }
  201330. return true;
  201331. }
  201332. static void DeinitialiseCDRipper()
  201333. {
  201334. if (winAspiLib != 0)
  201335. {
  201336. fGetASPI32SupportInfo = 0;
  201337. fSendASPI32Command = 0;
  201338. FreeLibrary (winAspiLib);
  201339. winAspiLib = 0;
  201340. }
  201341. initialised = false;
  201342. }
  201343. static HANDLE CreateSCSIDeviceHandle (char driveLetter)
  201344. {
  201345. TCHAR devicePath[8];
  201346. devicePath[0] = '\\';
  201347. devicePath[1] = '\\';
  201348. devicePath[2] = '.';
  201349. devicePath[3] = '\\';
  201350. devicePath[4] = driveLetter;
  201351. devicePath[5] = ':';
  201352. devicePath[6] = 0;
  201353. OSVERSIONINFO info;
  201354. info.dwOSVersionInfoSize = sizeof (info);
  201355. GetVersionEx (&info);
  201356. DWORD flags = GENERIC_READ;
  201357. if ((info.dwPlatformId == VER_PLATFORM_WIN32_NT) && (info.dwMajorVersion > 4))
  201358. flags = GENERIC_READ | GENERIC_WRITE;
  201359. HANDLE h = CreateFile (devicePath, flags, FILE_SHARE_WRITE | FILE_SHARE_READ, 0, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL, 0);
  201360. if (h == INVALID_HANDLE_VALUE)
  201361. {
  201362. flags ^= GENERIC_WRITE;
  201363. h = CreateFile (devicePath, flags, FILE_SHARE_WRITE | FILE_SHARE_READ, 0, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL, 0);
  201364. }
  201365. return h;
  201366. }
  201367. static DWORD performScsiPassThroughCommand (const LPSRB_ExecSCSICmd srb,
  201368. const char driveLetter,
  201369. HANDLE& deviceHandle,
  201370. const bool retryOnFailure = true)
  201371. {
  201372. SCSI_PASS_THROUGH_DIRECT_WITH_BUFFER s;
  201373. zerostruct (s);
  201374. s.spt.Length = sizeof (SCSI_PASS_THROUGH);
  201375. s.spt.CdbLength = srb->SRB_CDBLen;
  201376. s.spt.DataIn = (BYTE) ((srb->SRB_Flags & SRB_DIR_IN)
  201377. ? SCSI_IOCTL_DATA_IN
  201378. : ((srb->SRB_Flags & SRB_DIR_OUT)
  201379. ? SCSI_IOCTL_DATA_OUT
  201380. : SCSI_IOCTL_DATA_UNSPECIFIED));
  201381. s.spt.DataTransferLength = srb->SRB_BufLen;
  201382. s.spt.TimeOutValue = 5;
  201383. s.spt.DataBuffer = srb->SRB_BufPointer;
  201384. s.spt.SenseInfoOffset = offsetof (SCSI_PASS_THROUGH_DIRECT_WITH_BUFFER, ucSenseBuf);
  201385. memcpy (s.spt.Cdb, srb->CDBByte, srb->SRB_CDBLen);
  201386. srb->SRB_Status = SS_ERR;
  201387. srb->SRB_TargStat = 0x0004;
  201388. DWORD bytesReturned = 0;
  201389. if (DeviceIoControl (deviceHandle, IOCTL_SCSI_PASS_THROUGH_DIRECT,
  201390. &s, sizeof (s),
  201391. &s, sizeof (s),
  201392. &bytesReturned, 0) != 0)
  201393. {
  201394. srb->SRB_Status = SS_COMP;
  201395. }
  201396. else if (retryOnFailure)
  201397. {
  201398. const DWORD error = GetLastError();
  201399. if ((error == ERROR_MEDIA_CHANGED) || (error == ERROR_INVALID_HANDLE))
  201400. {
  201401. if (error != ERROR_INVALID_HANDLE)
  201402. CloseHandle (deviceHandle);
  201403. deviceHandle = CreateSCSIDeviceHandle (driveLetter);
  201404. return performScsiPassThroughCommand (srb, driveLetter, deviceHandle, false);
  201405. }
  201406. }
  201407. return srb->SRB_Status;
  201408. }
  201409. // Controller types..
  201410. class ControllerType1 : public CDController
  201411. {
  201412. public:
  201413. ControllerType1() {}
  201414. ~ControllerType1() {}
  201415. bool read (CDReadBuffer* rb)
  201416. {
  201417. if (rb->numFrames * 2352 > rb->bufferSize)
  201418. return false;
  201419. SRB_ExecSCSICmd s;
  201420. prepare (s);
  201421. s.SRB_Flags = SRB_DIR_IN | SRB_EVENT_NOTIFY;
  201422. s.SRB_BufLen = rb->bufferSize;
  201423. s.SRB_BufPointer = rb->buffer;
  201424. s.SRB_CDBLen = 12;
  201425. s.CDBByte[0] = 0xBE;
  201426. s.CDBByte[3] = (BYTE)((rb->startFrame >> 16) & 0xFF);
  201427. s.CDBByte[4] = (BYTE)((rb->startFrame >> 8) & 0xFF);
  201428. s.CDBByte[5] = (BYTE)(rb->startFrame & 0xFF);
  201429. s.CDBByte[8] = (BYTE)(rb->numFrames & 0xFF);
  201430. s.CDBByte[9] = (BYTE)((deviceInfo->readType == READTYPE_ATAPI1) ? 0x10 : 0xF0);
  201431. perform (s);
  201432. if (s.SRB_Status != SS_COMP)
  201433. return false;
  201434. rb->dataLength = rb->numFrames * 2352;
  201435. rb->dataStartOffset = 0;
  201436. return true;
  201437. }
  201438. };
  201439. class ControllerType2 : public CDController
  201440. {
  201441. public:
  201442. ControllerType2() {}
  201443. ~ControllerType2() {}
  201444. void shutDown()
  201445. {
  201446. if (initialised)
  201447. {
  201448. BYTE bufPointer[] = { 0, 0, 0, 8, 83, 0, 0, 0, 0, 0, 8, 0 };
  201449. SRB_ExecSCSICmd s;
  201450. prepare (s);
  201451. s.SRB_Flags = SRB_EVENT_NOTIFY | SRB_ENABLE_RESIDUAL_COUNT;
  201452. s.SRB_BufLen = 0x0C;
  201453. s.SRB_BufPointer = bufPointer;
  201454. s.SRB_CDBLen = 6;
  201455. s.CDBByte[0] = 0x15;
  201456. s.CDBByte[4] = 0x0C;
  201457. perform (s);
  201458. }
  201459. }
  201460. bool init()
  201461. {
  201462. SRB_ExecSCSICmd s;
  201463. s.SRB_Status = SS_ERR;
  201464. if (deviceInfo->readType == READTYPE_READ10_2)
  201465. {
  201466. BYTE bufPointer1[] = { 0, 0, 0, 8, 0, 0, 0, 0, 0, 0, 9, 48, 35, 6, 0, 0, 0, 0, 0, 128 };
  201467. BYTE bufPointer2[] = { 0, 0, 0, 8, 0, 0, 0, 0, 0, 0, 9, 48, 1, 6, 32, 7, 0, 0, 0, 0 };
  201468. for (int i = 0; i < 2; ++i)
  201469. {
  201470. prepare (s);
  201471. s.SRB_Flags = SRB_EVENT_NOTIFY;
  201472. s.SRB_BufLen = 0x14;
  201473. s.SRB_BufPointer = (i == 0) ? bufPointer1 : bufPointer2;
  201474. s.SRB_CDBLen = 6;
  201475. s.CDBByte[0] = 0x15;
  201476. s.CDBByte[1] = 0x10;
  201477. s.CDBByte[4] = 0x14;
  201478. perform (s);
  201479. if (s.SRB_Status != SS_COMP)
  201480. return false;
  201481. }
  201482. }
  201483. else
  201484. {
  201485. BYTE bufPointer[] = { 0, 0, 0, 8, 0, 0, 0, 0, 0, 0, 9, 48 };
  201486. prepare (s);
  201487. s.SRB_Flags = SRB_EVENT_NOTIFY;
  201488. s.SRB_BufLen = 0x0C;
  201489. s.SRB_BufPointer = bufPointer;
  201490. s.SRB_CDBLen = 6;
  201491. s.CDBByte[0] = 0x15;
  201492. s.CDBByte[4] = 0x0C;
  201493. perform (s);
  201494. }
  201495. return s.SRB_Status == SS_COMP;
  201496. }
  201497. bool read (CDReadBuffer* rb)
  201498. {
  201499. if (rb->numFrames * 2352 > rb->bufferSize)
  201500. return false;
  201501. if (!initialised)
  201502. {
  201503. initialised = init();
  201504. if (!initialised)
  201505. return false;
  201506. }
  201507. SRB_ExecSCSICmd s;
  201508. prepare (s);
  201509. s.SRB_Flags = SRB_DIR_IN | SRB_EVENT_NOTIFY;
  201510. s.SRB_BufLen = rb->bufferSize;
  201511. s.SRB_BufPointer = rb->buffer;
  201512. s.SRB_CDBLen = 10;
  201513. s.CDBByte[0] = 0x28;
  201514. s.CDBByte[1] = (BYTE)(deviceInfo->info.lun << 5);
  201515. s.CDBByte[3] = (BYTE)((rb->startFrame >> 16) & 0xFF);
  201516. s.CDBByte[4] = (BYTE)((rb->startFrame >> 8) & 0xFF);
  201517. s.CDBByte[5] = (BYTE)(rb->startFrame & 0xFF);
  201518. s.CDBByte[8] = (BYTE)(rb->numFrames & 0xFF);
  201519. perform (s);
  201520. if (s.SRB_Status != SS_COMP)
  201521. return false;
  201522. rb->dataLength = rb->numFrames * 2352;
  201523. rb->dataStartOffset = 0;
  201524. return true;
  201525. }
  201526. };
  201527. class ControllerType3 : public CDController
  201528. {
  201529. public:
  201530. ControllerType3() {}
  201531. ~ControllerType3() {}
  201532. bool read (CDReadBuffer* rb)
  201533. {
  201534. if (rb->numFrames * 2352 > rb->bufferSize)
  201535. return false;
  201536. if (!initialised)
  201537. {
  201538. setPaused (false);
  201539. initialised = true;
  201540. }
  201541. SRB_ExecSCSICmd s;
  201542. prepare (s);
  201543. s.SRB_Flags = SRB_DIR_IN | SRB_EVENT_NOTIFY;
  201544. s.SRB_BufLen = rb->numFrames * 2352;
  201545. s.SRB_BufPointer = rb->buffer;
  201546. s.SRB_CDBLen = 12;
  201547. s.CDBByte[0] = 0xD8;
  201548. s.CDBByte[3] = (BYTE)((rb->startFrame >> 16) & 0xFF);
  201549. s.CDBByte[4] = (BYTE)((rb->startFrame >> 8) & 0xFF);
  201550. s.CDBByte[5] = (BYTE)(rb->startFrame & 0xFF);
  201551. s.CDBByte[9] = (BYTE)(rb->numFrames & 0xFF);
  201552. perform (s);
  201553. if (s.SRB_Status != SS_COMP)
  201554. return false;
  201555. rb->dataLength = rb->numFrames * 2352;
  201556. rb->dataStartOffset = 0;
  201557. return true;
  201558. }
  201559. };
  201560. class ControllerType4 : public CDController
  201561. {
  201562. public:
  201563. ControllerType4() {}
  201564. ~ControllerType4() {}
  201565. bool selectD4Mode()
  201566. {
  201567. BYTE bufPointer[12] = { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 9, 48 };
  201568. SRB_ExecSCSICmd s;
  201569. prepare (s);
  201570. s.SRB_Flags = SRB_EVENT_NOTIFY;
  201571. s.SRB_CDBLen = 6;
  201572. s.SRB_BufLen = 12;
  201573. s.SRB_BufPointer = bufPointer;
  201574. s.CDBByte[0] = 0x15;
  201575. s.CDBByte[1] = 0x10;
  201576. s.CDBByte[4] = 0x08;
  201577. perform (s);
  201578. return s.SRB_Status == SS_COMP;
  201579. }
  201580. bool read (CDReadBuffer* rb)
  201581. {
  201582. if (rb->numFrames * 2352 > rb->bufferSize)
  201583. return false;
  201584. if (!initialised)
  201585. {
  201586. setPaused (true);
  201587. if (deviceInfo->readType == READTYPE_READ_D4_1)
  201588. selectD4Mode();
  201589. initialised = true;
  201590. }
  201591. SRB_ExecSCSICmd s;
  201592. prepare (s);
  201593. s.SRB_Flags = SRB_DIR_IN | SRB_EVENT_NOTIFY;
  201594. s.SRB_BufLen = rb->bufferSize;
  201595. s.SRB_BufPointer = rb->buffer;
  201596. s.SRB_CDBLen = 10;
  201597. s.CDBByte[0] = 0xD4;
  201598. s.CDBByte[3] = (BYTE)((rb->startFrame >> 16) & 0xFF);
  201599. s.CDBByte[4] = (BYTE)((rb->startFrame >> 8) & 0xFF);
  201600. s.CDBByte[5] = (BYTE)(rb->startFrame & 0xFF);
  201601. s.CDBByte[8] = (BYTE)(rb->numFrames & 0xFF);
  201602. perform (s);
  201603. if (s.SRB_Status != SS_COMP)
  201604. return false;
  201605. rb->dataLength = rb->numFrames * 2352;
  201606. rb->dataStartOffset = 0;
  201607. return true;
  201608. }
  201609. };
  201610. CDController::CDController() : initialised (false)
  201611. {
  201612. }
  201613. CDController::~CDController()
  201614. {
  201615. }
  201616. void CDController::prepare (SRB_ExecSCSICmd& s)
  201617. {
  201618. zerostruct (s);
  201619. s.SRB_Cmd = SC_EXEC_SCSI_CMD;
  201620. s.SRB_HaID = deviceInfo->info.ha;
  201621. s.SRB_Target = deviceInfo->info.tgt;
  201622. s.SRB_Lun = deviceInfo->info.lun;
  201623. s.SRB_SenseLen = SENSE_LEN;
  201624. }
  201625. void CDController::perform (SRB_ExecSCSICmd& s)
  201626. {
  201627. HANDLE event = CreateEvent (0, TRUE, FALSE, 0);
  201628. s.SRB_PostProc = (void*)event;
  201629. ResetEvent (event);
  201630. DWORD status = (usingScsi) ? performScsiPassThroughCommand ((LPSRB_ExecSCSICmd)&s,
  201631. deviceInfo->info.scsiDriveLetter,
  201632. deviceInfo->scsiHandle)
  201633. : fSendASPI32Command ((LPSRB)&s);
  201634. if (status == SS_PENDING)
  201635. WaitForSingleObject (event, 4000);
  201636. CloseHandle (event);
  201637. }
  201638. void CDController::setPaused (bool paused)
  201639. {
  201640. SRB_ExecSCSICmd s;
  201641. prepare (s);
  201642. s.SRB_Flags = SRB_EVENT_NOTIFY;
  201643. s.SRB_CDBLen = 10;
  201644. s.CDBByte[0] = 0x4B;
  201645. s.CDBByte[8] = (BYTE) (paused ? 0 : 1);
  201646. perform (s);
  201647. }
  201648. void CDController::shutDown()
  201649. {
  201650. }
  201651. bool CDController::readAudio (CDReadBuffer* rb, CDReadBuffer* overlapBuffer)
  201652. {
  201653. if (overlapBuffer != 0)
  201654. {
  201655. const bool canDoJitter = (overlapBuffer->bufferSize >= 2352 * framesToCheck);
  201656. const bool doJitter = canDoJitter && ! overlapBuffer->isZero();
  201657. if (doJitter
  201658. && overlapBuffer->startFrame > 0
  201659. && overlapBuffer->numFrames > 0
  201660. && overlapBuffer->dataLength > 0)
  201661. {
  201662. const int numFrames = rb->numFrames;
  201663. if (overlapBuffer->startFrame == (rb->startFrame - framesToCheck))
  201664. {
  201665. rb->startFrame -= framesOverlap;
  201666. if (framesToCheck < framesOverlap
  201667. && numFrames + framesOverlap <= rb->bufferSize / 2352)
  201668. rb->numFrames += framesOverlap;
  201669. }
  201670. else
  201671. {
  201672. overlapBuffer->dataLength = 0;
  201673. overlapBuffer->startFrame = 0;
  201674. overlapBuffer->numFrames = 0;
  201675. }
  201676. }
  201677. if (! read (rb))
  201678. return false;
  201679. if (doJitter)
  201680. {
  201681. const int checkLen = framesToCheck * 2352;
  201682. const int maxToCheck = rb->dataLength - checkLen;
  201683. if (overlapBuffer->dataLength == 0 || overlapBuffer->isZero())
  201684. return true;
  201685. BYTE* const p = overlapBuffer->buffer + overlapBuffer->dataStartOffset;
  201686. bool found = false;
  201687. for (int i = 0; i < maxToCheck; ++i)
  201688. {
  201689. if (!memcmp (p, rb->buffer + i, checkLen))
  201690. {
  201691. i += checkLen;
  201692. rb->dataStartOffset = i;
  201693. rb->dataLength -= i;
  201694. rb->startFrame = overlapBuffer->startFrame + framesToCheck;
  201695. found = true;
  201696. break;
  201697. }
  201698. }
  201699. rb->numFrames = rb->dataLength / 2352;
  201700. rb->dataLength = 2352 * rb->numFrames;
  201701. if (!found)
  201702. return false;
  201703. }
  201704. if (canDoJitter)
  201705. {
  201706. memcpy (overlapBuffer->buffer,
  201707. rb->buffer + rb->dataStartOffset + 2352 * (rb->numFrames - framesToCheck),
  201708. 2352 * framesToCheck);
  201709. overlapBuffer->startFrame = rb->startFrame + rb->numFrames - framesToCheck;
  201710. overlapBuffer->numFrames = framesToCheck;
  201711. overlapBuffer->dataLength = 2352 * framesToCheck;
  201712. overlapBuffer->dataStartOffset = 0;
  201713. }
  201714. else
  201715. {
  201716. overlapBuffer->startFrame = 0;
  201717. overlapBuffer->numFrames = 0;
  201718. overlapBuffer->dataLength = 0;
  201719. }
  201720. return true;
  201721. }
  201722. else
  201723. {
  201724. return read (rb);
  201725. }
  201726. }
  201727. int CDController::getLastIndex()
  201728. {
  201729. char qdata[100];
  201730. SRB_ExecSCSICmd s;
  201731. prepare (s);
  201732. s.SRB_Flags = SRB_DIR_IN | SRB_EVENT_NOTIFY;
  201733. s.SRB_BufLen = sizeof (qdata);
  201734. s.SRB_BufPointer = (BYTE*)qdata;
  201735. s.SRB_CDBLen = 12;
  201736. s.CDBByte[0] = 0x42;
  201737. s.CDBByte[1] = (BYTE)(deviceInfo->info.lun << 5);
  201738. s.CDBByte[2] = 64;
  201739. s.CDBByte[3] = 1; // get current position
  201740. s.CDBByte[7] = 0;
  201741. s.CDBByte[8] = (BYTE)sizeof (qdata);
  201742. perform (s);
  201743. if (s.SRB_Status == SS_COMP)
  201744. return qdata[7];
  201745. return 0;
  201746. }
  201747. bool CDDeviceHandle::readTOC (TOC* lpToc, bool useMSF)
  201748. {
  201749. HANDLE event = CreateEvent (0, TRUE, FALSE, 0);
  201750. SRB_ExecSCSICmd s;
  201751. zerostruct (s);
  201752. s.SRB_Cmd = SC_EXEC_SCSI_CMD;
  201753. s.SRB_HaID = info.ha;
  201754. s.SRB_Target = info.tgt;
  201755. s.SRB_Lun = info.lun;
  201756. s.SRB_Flags = SRB_DIR_IN | SRB_EVENT_NOTIFY;
  201757. s.SRB_BufLen = 0x324;
  201758. s.SRB_BufPointer = (BYTE*)lpToc;
  201759. s.SRB_SenseLen = 0x0E;
  201760. s.SRB_CDBLen = 0x0A;
  201761. s.SRB_PostProc = (void*)event;
  201762. s.CDBByte[0] = 0x43;
  201763. s.CDBByte[1] = (BYTE)(useMSF ? 0x02 : 0x00);
  201764. s.CDBByte[7] = 0x03;
  201765. s.CDBByte[8] = 0x24;
  201766. ResetEvent (event);
  201767. DWORD status = (usingScsi) ? performScsiPassThroughCommand ((LPSRB_ExecSCSICmd)&s, info.scsiDriveLetter, scsiHandle)
  201768. : fSendASPI32Command ((LPSRB)&s);
  201769. if (status == SS_PENDING)
  201770. WaitForSingleObject (event, 4000);
  201771. CloseHandle (event);
  201772. return (s.SRB_Status == SS_COMP);
  201773. }
  201774. bool CDDeviceHandle::readAudio (CDReadBuffer* const buffer,
  201775. CDReadBuffer* const overlapBuffer)
  201776. {
  201777. if (controller == 0)
  201778. {
  201779. testController (READTYPE_ATAPI2, new ControllerType1(), buffer)
  201780. || testController (READTYPE_ATAPI1, new ControllerType1(), buffer)
  201781. || testController (READTYPE_READ10_2, new ControllerType2(), buffer)
  201782. || testController (READTYPE_READ10, new ControllerType2(), buffer)
  201783. || testController (READTYPE_READ_D8, new ControllerType3(), buffer)
  201784. || testController (READTYPE_READ_D4, new ControllerType4(), buffer)
  201785. || testController (READTYPE_READ_D4_1, new ControllerType4(), buffer);
  201786. }
  201787. buffer->index = 0;
  201788. if ((controller != 0)
  201789. && controller->readAudio (buffer, overlapBuffer))
  201790. {
  201791. if (buffer->wantsIndex)
  201792. buffer->index = controller->getLastIndex();
  201793. return true;
  201794. }
  201795. return false;
  201796. }
  201797. void CDDeviceHandle::openDrawer (bool shouldBeOpen)
  201798. {
  201799. if (shouldBeOpen)
  201800. {
  201801. if (controller != 0)
  201802. {
  201803. controller->shutDown();
  201804. delete controller;
  201805. controller = 0;
  201806. }
  201807. if (scsiHandle != 0)
  201808. {
  201809. CloseHandle (scsiHandle);
  201810. scsiHandle = 0;
  201811. }
  201812. }
  201813. SRB_ExecSCSICmd s;
  201814. zerostruct (s);
  201815. s.SRB_Cmd = SC_EXEC_SCSI_CMD;
  201816. s.SRB_HaID = info.ha;
  201817. s.SRB_Target = info.tgt;
  201818. s.SRB_Lun = info.lun;
  201819. s.SRB_SenseLen = SENSE_LEN;
  201820. s.SRB_Flags = SRB_DIR_IN | SRB_EVENT_NOTIFY;
  201821. s.SRB_BufLen = 0;
  201822. s.SRB_BufPointer = 0;
  201823. s.SRB_CDBLen = 12;
  201824. s.CDBByte[0] = 0x1b;
  201825. s.CDBByte[1] = (BYTE)(info.lun << 5);
  201826. s.CDBByte[4] = (BYTE)((shouldBeOpen) ? 2 : 3);
  201827. HANDLE event = CreateEvent (0, TRUE, FALSE, 0);
  201828. s.SRB_PostProc = (void*)event;
  201829. ResetEvent (event);
  201830. DWORD status = (usingScsi) ? performScsiPassThroughCommand ((LPSRB_ExecSCSICmd)&s, info.scsiDriveLetter, scsiHandle)
  201831. : fSendASPI32Command ((LPSRB)&s);
  201832. if (status == SS_PENDING)
  201833. WaitForSingleObject (event, 4000);
  201834. CloseHandle (event);
  201835. }
  201836. bool CDDeviceHandle::testController (const int type,
  201837. CDController* const newController,
  201838. CDReadBuffer* const rb)
  201839. {
  201840. controller = newController;
  201841. readType = (BYTE)type;
  201842. controller->deviceInfo = this;
  201843. controller->framesToCheck = 1;
  201844. controller->framesOverlap = 3;
  201845. bool passed = false;
  201846. memset (rb->buffer, 0xcd, rb->bufferSize);
  201847. if (controller->read (rb))
  201848. {
  201849. passed = true;
  201850. int* p = (int*) (rb->buffer + rb->dataStartOffset);
  201851. int wrong = 0;
  201852. for (int i = rb->dataLength / 4; --i >= 0;)
  201853. {
  201854. if (*p++ == (int) 0xcdcdcdcd)
  201855. {
  201856. if (++wrong == 4)
  201857. {
  201858. passed = false;
  201859. break;
  201860. }
  201861. }
  201862. else
  201863. {
  201864. wrong = 0;
  201865. }
  201866. }
  201867. }
  201868. if (! passed)
  201869. {
  201870. controller->shutDown();
  201871. delete controller;
  201872. controller = 0;
  201873. }
  201874. return passed;
  201875. }
  201876. static void GetAspiDeviceInfo (CDDeviceInfo* dev, BYTE ha, BYTE tgt, BYTE lun)
  201877. {
  201878. HANDLE event = CreateEvent (0, TRUE, FALSE, 0);
  201879. const int bufSize = 128;
  201880. BYTE buffer[bufSize];
  201881. zeromem (buffer, bufSize);
  201882. SRB_ExecSCSICmd s;
  201883. zerostruct (s);
  201884. s.SRB_Cmd = SC_EXEC_SCSI_CMD;
  201885. s.SRB_HaID = ha;
  201886. s.SRB_Target = tgt;
  201887. s.SRB_Lun = lun;
  201888. s.SRB_Flags = SRB_DIR_IN | SRB_EVENT_NOTIFY;
  201889. s.SRB_BufLen = bufSize;
  201890. s.SRB_BufPointer = buffer;
  201891. s.SRB_SenseLen = SENSE_LEN;
  201892. s.SRB_CDBLen = 6;
  201893. s.SRB_PostProc = (void*)event;
  201894. s.CDBByte[0] = SCSI_INQUIRY;
  201895. s.CDBByte[4] = 100;
  201896. ResetEvent (event);
  201897. if (fSendASPI32Command ((LPSRB)&s) == SS_PENDING)
  201898. WaitForSingleObject (event, 4000);
  201899. CloseHandle (event);
  201900. if (s.SRB_Status == SS_COMP)
  201901. {
  201902. memcpy (dev->vendor, &buffer[8], 8);
  201903. memcpy (dev->productId, &buffer[16], 16);
  201904. memcpy (dev->rev, &buffer[32], 4);
  201905. memcpy (dev->vendorSpec, &buffer[36], 20);
  201906. }
  201907. }
  201908. static int FindCDDevices (CDDeviceInfo* const list,
  201909. int maxItems)
  201910. {
  201911. int count = 0;
  201912. if (usingScsi)
  201913. {
  201914. for (char driveLetter = 'b'; driveLetter <= 'z'; ++driveLetter)
  201915. {
  201916. TCHAR drivePath[8];
  201917. drivePath[0] = driveLetter;
  201918. drivePath[1] = ':';
  201919. drivePath[2] = '\\';
  201920. drivePath[3] = 0;
  201921. if (GetDriveType (drivePath) == DRIVE_CDROM)
  201922. {
  201923. HANDLE h = CreateSCSIDeviceHandle (driveLetter);
  201924. if (h != INVALID_HANDLE_VALUE)
  201925. {
  201926. BYTE buffer[100], passThroughStruct[1024];
  201927. zeromem (buffer, sizeof (buffer));
  201928. zeromem (passThroughStruct, sizeof (passThroughStruct));
  201929. PSCSI_PASS_THROUGH_DIRECT_WITH_BUFFER p = (PSCSI_PASS_THROUGH_DIRECT_WITH_BUFFER)passThroughStruct;
  201930. p->spt.Length = sizeof (SCSI_PASS_THROUGH);
  201931. p->spt.CdbLength = 6;
  201932. p->spt.SenseInfoLength = 24;
  201933. p->spt.DataIn = SCSI_IOCTL_DATA_IN;
  201934. p->spt.DataTransferLength = 100;
  201935. p->spt.TimeOutValue = 2;
  201936. p->spt.DataBuffer = buffer;
  201937. p->spt.SenseInfoOffset = offsetof (SCSI_PASS_THROUGH_DIRECT_WITH_BUFFER, ucSenseBuf);
  201938. p->spt.Cdb[0] = 0x12;
  201939. p->spt.Cdb[4] = 100;
  201940. DWORD bytesReturned = 0;
  201941. if (DeviceIoControl (h, IOCTL_SCSI_PASS_THROUGH_DIRECT,
  201942. p, sizeof (SCSI_PASS_THROUGH_DIRECT_WITH_BUFFER),
  201943. p, sizeof (SCSI_PASS_THROUGH_DIRECT_WITH_BUFFER),
  201944. &bytesReturned, 0) != 0)
  201945. {
  201946. zeromem (&list[count], sizeof (CDDeviceInfo));
  201947. list[count].scsiDriveLetter = driveLetter;
  201948. memcpy (list[count].vendor, &buffer[8], 8);
  201949. memcpy (list[count].productId, &buffer[16], 16);
  201950. memcpy (list[count].rev, &buffer[32], 4);
  201951. memcpy (list[count].vendorSpec, &buffer[36], 20);
  201952. zeromem (passThroughStruct, sizeof (passThroughStruct));
  201953. PSCSI_ADDRESS scsiAddr = (PSCSI_ADDRESS)passThroughStruct;
  201954. scsiAddr->Length = sizeof (SCSI_ADDRESS);
  201955. if (DeviceIoControl (h, IOCTL_SCSI_GET_ADDRESS,
  201956. 0, 0, scsiAddr, sizeof (SCSI_ADDRESS),
  201957. &bytesReturned, 0) != 0)
  201958. {
  201959. list[count].ha = scsiAddr->PortNumber;
  201960. list[count].tgt = scsiAddr->TargetId;
  201961. list[count].lun = scsiAddr->Lun;
  201962. ++count;
  201963. }
  201964. }
  201965. CloseHandle (h);
  201966. }
  201967. }
  201968. }
  201969. }
  201970. else
  201971. {
  201972. const DWORD d = fGetASPI32SupportInfo();
  201973. BYTE status = HIBYTE (LOWORD (d));
  201974. if (status != SS_COMP || status == SS_NO_ADAPTERS)
  201975. return 0;
  201976. const int numAdapters = LOBYTE (LOWORD (d));
  201977. for (BYTE ha = 0; ha < numAdapters; ++ha)
  201978. {
  201979. SRB_HAInquiry s;
  201980. zerostruct (s);
  201981. s.SRB_Cmd = SC_HA_INQUIRY;
  201982. s.SRB_HaID = ha;
  201983. fSendASPI32Command ((LPSRB)&s);
  201984. if (s.SRB_Status == SS_COMP)
  201985. {
  201986. maxItems = (int)s.HA_Unique[3];
  201987. if (maxItems == 0)
  201988. maxItems = 8;
  201989. for (BYTE tgt = 0; tgt < maxItems; ++tgt)
  201990. {
  201991. for (BYTE lun = 0; lun < 8; ++lun)
  201992. {
  201993. SRB_GDEVBlock sb;
  201994. zerostruct (sb);
  201995. sb.SRB_Cmd = SC_GET_DEV_TYPE;
  201996. sb.SRB_HaID = ha;
  201997. sb.SRB_Target = tgt;
  201998. sb.SRB_Lun = lun;
  201999. fSendASPI32Command ((LPSRB) &sb);
  202000. if (sb.SRB_Status == SS_COMP
  202001. && sb.SRB_DeviceType == DTYPE_CROM)
  202002. {
  202003. zeromem (&list[count], sizeof (CDDeviceInfo));
  202004. list[count].ha = ha;
  202005. list[count].tgt = tgt;
  202006. list[count].lun = lun;
  202007. GetAspiDeviceInfo (&(list[count]), ha, tgt, lun);
  202008. ++count;
  202009. }
  202010. }
  202011. }
  202012. }
  202013. }
  202014. }
  202015. return count;
  202016. }
  202017. static int ripperUsers = 0;
  202018. static bool initialisedOk = false;
  202019. class DeinitialiseTimer : private Timer,
  202020. private DeletedAtShutdown
  202021. {
  202022. DeinitialiseTimer (const DeinitialiseTimer&);
  202023. const DeinitialiseTimer& operator= (const DeinitialiseTimer&);
  202024. public:
  202025. DeinitialiseTimer()
  202026. {
  202027. startTimer (4000);
  202028. }
  202029. ~DeinitialiseTimer()
  202030. {
  202031. if (--ripperUsers == 0)
  202032. DeinitialiseCDRipper();
  202033. }
  202034. void timerCallback()
  202035. {
  202036. delete this;
  202037. }
  202038. juce_UseDebuggingNewOperator
  202039. };
  202040. static void incUserCount()
  202041. {
  202042. if (ripperUsers++ == 0)
  202043. initialisedOk = InitialiseCDRipper();
  202044. }
  202045. static void decUserCount()
  202046. {
  202047. new DeinitialiseTimer();
  202048. }
  202049. struct CDDeviceWrapper
  202050. {
  202051. CDDeviceHandle* cdH;
  202052. CDReadBuffer* overlapBuffer;
  202053. bool jitter;
  202054. };
  202055. static int getAddressOf (const TOCTRACK* const t)
  202056. {
  202057. return (((DWORD)t->addr[0]) << 24) + (((DWORD)t->addr[1]) << 16) +
  202058. (((DWORD)t->addr[2]) << 8) + ((DWORD)t->addr[3]);
  202059. }
  202060. static int getMSFAddressOf (const TOCTRACK* const t)
  202061. {
  202062. return 60 * t->addr[1] + t->addr[2];
  202063. }
  202064. static const int samplesPerFrame = 44100 / 75;
  202065. static const int bytesPerFrame = samplesPerFrame * 4;
  202066. const StringArray AudioCDReader::getAvailableCDNames()
  202067. {
  202068. StringArray results;
  202069. incUserCount();
  202070. if (initialisedOk)
  202071. {
  202072. CDDeviceInfo list[8];
  202073. const int num = FindCDDevices (list, 8);
  202074. decUserCount();
  202075. for (int i = 0; i < num; ++i)
  202076. {
  202077. String s;
  202078. if (list[i].scsiDriveLetter > 0)
  202079. s << String::charToString (list[i].scsiDriveLetter).toUpperCase() << T(": ");
  202080. s << String (list[i].vendor).trim()
  202081. << T(" ") << String (list[i].productId).trim()
  202082. << T(" ") << String (list[i].rev).trim();
  202083. results.add (s);
  202084. }
  202085. }
  202086. return results;
  202087. }
  202088. static CDDeviceHandle* openHandle (const CDDeviceInfo* const device)
  202089. {
  202090. SRB_GDEVBlock s;
  202091. zerostruct (s);
  202092. s.SRB_Cmd = SC_GET_DEV_TYPE;
  202093. s.SRB_HaID = device->ha;
  202094. s.SRB_Target = device->tgt;
  202095. s.SRB_Lun = device->lun;
  202096. if (usingScsi)
  202097. {
  202098. HANDLE h = CreateSCSIDeviceHandle (device->scsiDriveLetter);
  202099. if (h != INVALID_HANDLE_VALUE)
  202100. {
  202101. CDDeviceHandle* cdh = new CDDeviceHandle (device);
  202102. cdh->scsiHandle = h;
  202103. return cdh;
  202104. }
  202105. }
  202106. else
  202107. {
  202108. if (fSendASPI32Command ((LPSRB)&s) == SS_COMP
  202109. && s.SRB_DeviceType == DTYPE_CROM)
  202110. {
  202111. return new CDDeviceHandle (device);
  202112. }
  202113. }
  202114. return 0;
  202115. }
  202116. AudioCDReader* AudioCDReader::createReaderForCD (const int deviceIndex)
  202117. {
  202118. incUserCount();
  202119. if (initialisedOk)
  202120. {
  202121. CDDeviceInfo list[8];
  202122. const int num = FindCDDevices (list, 8);
  202123. if (((unsigned int) deviceIndex) < (unsigned int) num)
  202124. {
  202125. CDDeviceHandle* const handle = openHandle (&(list[deviceIndex]));
  202126. if (handle != 0)
  202127. {
  202128. CDDeviceWrapper* const d = new CDDeviceWrapper();
  202129. d->cdH = handle;
  202130. d->overlapBuffer = new CDReadBuffer(3);
  202131. return new AudioCDReader (d);
  202132. }
  202133. }
  202134. }
  202135. decUserCount();
  202136. return 0;
  202137. }
  202138. AudioCDReader::AudioCDReader (void* handle_)
  202139. : AudioFormatReader (0, T("CD Audio")),
  202140. handle (handle_),
  202141. indexingEnabled (false),
  202142. lastIndex (0),
  202143. firstFrameInBuffer (0),
  202144. samplesInBuffer (0)
  202145. {
  202146. jassert (handle_ != 0);
  202147. refreshTrackLengths();
  202148. sampleRate = 44100.0;
  202149. bitsPerSample = 16;
  202150. lengthInSamples = getPositionOfTrackStart (numTracks);
  202151. numChannels = 2;
  202152. usesFloatingPointData = false;
  202153. buffer.setSize (4 * bytesPerFrame, true);
  202154. }
  202155. AudioCDReader::~AudioCDReader()
  202156. {
  202157. CDDeviceWrapper* const device = (CDDeviceWrapper*)handle;
  202158. delete device->cdH;
  202159. delete device->overlapBuffer;
  202160. delete device;
  202161. decUserCount();
  202162. }
  202163. bool AudioCDReader::read (int** destSamples,
  202164. int64 startSampleInFile,
  202165. int numSamples)
  202166. {
  202167. CDDeviceWrapper* const device = (CDDeviceWrapper*)handle;
  202168. bool ok = true;
  202169. int offset = 0;
  202170. if (startSampleInFile < 0)
  202171. {
  202172. int* l = destSamples[0];
  202173. int* r = destSamples[1];
  202174. numSamples += (int) startSampleInFile;
  202175. offset -= (int) startSampleInFile;
  202176. while (++startSampleInFile <= 0)
  202177. {
  202178. *l++ = 0;
  202179. if (r != 0)
  202180. *r++ = 0;
  202181. }
  202182. }
  202183. while (numSamples > 0)
  202184. {
  202185. const int bufferStartSample = firstFrameInBuffer * samplesPerFrame;
  202186. const int bufferEndSample = bufferStartSample + samplesInBuffer;
  202187. if (startSampleInFile >= bufferStartSample
  202188. && startSampleInFile < bufferEndSample)
  202189. {
  202190. const int toDo = (int) jmin ((int64) numSamples, bufferEndSample - startSampleInFile);
  202191. int* const l = destSamples[0] + offset;
  202192. int* const r = destSamples[1] + offset;
  202193. const short* src = (const short*) buffer.getData();
  202194. src += 2 * (startSampleInFile - bufferStartSample);
  202195. for (int i = 0; i < toDo; ++i)
  202196. {
  202197. l[i] = src [i << 1] << 16;
  202198. if (r != 0)
  202199. r[i] = src [(i << 1) + 1] << 16;
  202200. }
  202201. offset += toDo;
  202202. startSampleInFile += toDo;
  202203. numSamples -= toDo;
  202204. }
  202205. else
  202206. {
  202207. const int framesInBuffer = buffer.getSize() / bytesPerFrame;
  202208. const int frameNeeded = (int) (startSampleInFile / samplesPerFrame);
  202209. if (firstFrameInBuffer + framesInBuffer != frameNeeded)
  202210. {
  202211. device->overlapBuffer->dataLength = 0;
  202212. device->overlapBuffer->startFrame = 0;
  202213. device->overlapBuffer->numFrames = 0;
  202214. device->jitter = false;
  202215. }
  202216. firstFrameInBuffer = frameNeeded;
  202217. lastIndex = 0;
  202218. CDReadBuffer readBuffer (framesInBuffer + 4);
  202219. readBuffer.wantsIndex = indexingEnabled;
  202220. int i;
  202221. for (i = 5; --i >= 0;)
  202222. {
  202223. readBuffer.startFrame = frameNeeded;
  202224. readBuffer.numFrames = framesInBuffer;
  202225. if (device->cdH->readAudio (&readBuffer, (device->jitter) ? device->overlapBuffer : 0))
  202226. break;
  202227. else
  202228. device->overlapBuffer->dataLength = 0;
  202229. }
  202230. if (i >= 0)
  202231. {
  202232. memcpy ((char*) buffer.getData(),
  202233. readBuffer.buffer + readBuffer.dataStartOffset,
  202234. readBuffer.dataLength);
  202235. samplesInBuffer = readBuffer.dataLength >> 2;
  202236. lastIndex = readBuffer.index;
  202237. }
  202238. else
  202239. {
  202240. int* l = destSamples[0] + offset;
  202241. int* r = destSamples[1] + offset;
  202242. while (--numSamples >= 0)
  202243. {
  202244. *l++ = 0;
  202245. if (r != 0)
  202246. *r++ = 0;
  202247. }
  202248. // sometimes the read fails for just the very last couple of blocks, so
  202249. // we'll ignore and errors in the last half-second of the disk..
  202250. ok = startSampleInFile > (trackStarts [numTracks] - 20000);
  202251. break;
  202252. }
  202253. }
  202254. }
  202255. return ok;
  202256. }
  202257. bool AudioCDReader::isCDStillPresent() const
  202258. {
  202259. TOC toc;
  202260. zerostruct (toc);
  202261. return ((CDDeviceWrapper*)handle)->cdH->readTOC (&toc, false);
  202262. }
  202263. int AudioCDReader::getNumTracks() const
  202264. {
  202265. return numTracks;
  202266. }
  202267. int AudioCDReader::getPositionOfTrackStart (int trackNum) const
  202268. {
  202269. return (trackNum >= 0 && trackNum <= numTracks) ? trackStarts [trackNum] * samplesPerFrame
  202270. : 0;
  202271. }
  202272. void AudioCDReader::refreshTrackLengths()
  202273. {
  202274. zeromem (trackStarts, sizeof (trackStarts));
  202275. zeromem (audioTracks, sizeof (audioTracks));
  202276. TOC toc;
  202277. zerostruct (toc);
  202278. if (((CDDeviceWrapper*)handle)->cdH->readTOC (&toc, false))
  202279. {
  202280. numTracks = 1 + toc.lastTrack - toc.firstTrack;
  202281. for (int i = 0; i <= numTracks; ++i)
  202282. {
  202283. trackStarts[i] = getAddressOf (&toc.tracks[i]);
  202284. audioTracks[i] = ((toc.tracks[i].ADR & 4) == 0);
  202285. }
  202286. }
  202287. else
  202288. {
  202289. numTracks = 0;
  202290. }
  202291. }
  202292. bool AudioCDReader::isTrackAudio (int trackNum) const
  202293. {
  202294. return (trackNum >= 0 && trackNum <= numTracks) ? audioTracks [trackNum]
  202295. : false;
  202296. }
  202297. void AudioCDReader::enableIndexScanning (bool b)
  202298. {
  202299. indexingEnabled = b;
  202300. }
  202301. int AudioCDReader::getLastIndex() const
  202302. {
  202303. return lastIndex;
  202304. }
  202305. const int framesPerIndexRead = 4;
  202306. int AudioCDReader::getIndexAt (int samplePos)
  202307. {
  202308. CDDeviceWrapper* const device = (CDDeviceWrapper*) handle;
  202309. const int frameNeeded = samplePos / samplesPerFrame;
  202310. device->overlapBuffer->dataLength = 0;
  202311. device->overlapBuffer->startFrame = 0;
  202312. device->overlapBuffer->numFrames = 0;
  202313. device->jitter = false;
  202314. firstFrameInBuffer = 0;
  202315. lastIndex = 0;
  202316. CDReadBuffer readBuffer (4 + framesPerIndexRead);
  202317. readBuffer.wantsIndex = true;
  202318. int i;
  202319. for (i = 5; --i >= 0;)
  202320. {
  202321. readBuffer.startFrame = frameNeeded;
  202322. readBuffer.numFrames = framesPerIndexRead;
  202323. if (device->cdH->readAudio (&readBuffer, (false) ? device->overlapBuffer : 0))
  202324. break;
  202325. }
  202326. if (i >= 0)
  202327. return readBuffer.index;
  202328. return -1;
  202329. }
  202330. const Array <int> AudioCDReader::findIndexesInTrack (const int trackNumber)
  202331. {
  202332. Array <int> indexes;
  202333. const int trackStart = getPositionOfTrackStart (trackNumber);
  202334. const int trackEnd = getPositionOfTrackStart (trackNumber + 1);
  202335. bool needToScan = true;
  202336. if (trackEnd - trackStart > 20 * 44100)
  202337. {
  202338. // check the end of the track for indexes before scanning the whole thing
  202339. needToScan = false;
  202340. int pos = jmax (trackStart, trackEnd - 44100 * 5);
  202341. bool seenAnIndex = false;
  202342. while (pos <= trackEnd - samplesPerFrame)
  202343. {
  202344. const int index = getIndexAt (pos);
  202345. if (index == 0)
  202346. {
  202347. // lead-out, so skip back a bit if we've not found any indexes yet..
  202348. if (seenAnIndex)
  202349. break;
  202350. pos -= 44100 * 5;
  202351. if (pos < trackStart)
  202352. break;
  202353. }
  202354. else
  202355. {
  202356. if (index > 0)
  202357. seenAnIndex = true;
  202358. if (index > 1)
  202359. {
  202360. needToScan = true;
  202361. break;
  202362. }
  202363. pos += samplesPerFrame * framesPerIndexRead;
  202364. }
  202365. }
  202366. }
  202367. if (needToScan)
  202368. {
  202369. CDDeviceWrapper* const device = (CDDeviceWrapper*) handle;
  202370. int pos = trackStart;
  202371. int last = -1;
  202372. while (pos < trackEnd - samplesPerFrame * 10)
  202373. {
  202374. const int frameNeeded = pos / samplesPerFrame;
  202375. device->overlapBuffer->dataLength = 0;
  202376. device->overlapBuffer->startFrame = 0;
  202377. device->overlapBuffer->numFrames = 0;
  202378. device->jitter = false;
  202379. firstFrameInBuffer = 0;
  202380. CDReadBuffer readBuffer (4);
  202381. readBuffer.wantsIndex = true;
  202382. int i;
  202383. for (i = 5; --i >= 0;)
  202384. {
  202385. readBuffer.startFrame = frameNeeded;
  202386. readBuffer.numFrames = framesPerIndexRead;
  202387. if (device->cdH->readAudio (&readBuffer, (false) ? device->overlapBuffer : 0))
  202388. break;
  202389. }
  202390. if (i < 0)
  202391. break;
  202392. if (readBuffer.index > last && readBuffer.index > 1)
  202393. {
  202394. last = readBuffer.index;
  202395. indexes.add (pos);
  202396. }
  202397. pos += samplesPerFrame * framesPerIndexRead;
  202398. }
  202399. indexes.removeValue (trackStart);
  202400. }
  202401. return indexes;
  202402. }
  202403. int AudioCDReader::getCDDBId()
  202404. {
  202405. refreshTrackLengths();
  202406. if (numTracks > 0)
  202407. {
  202408. TOC toc;
  202409. zerostruct (toc);
  202410. if (((CDDeviceWrapper*) handle)->cdH->readTOC (&toc, true))
  202411. {
  202412. int n = 0;
  202413. for (int i = numTracks; --i >= 0;)
  202414. {
  202415. int j = getMSFAddressOf (&toc.tracks[i]);
  202416. while (j > 0)
  202417. {
  202418. n += (j % 10);
  202419. j /= 10;
  202420. }
  202421. }
  202422. if (n != 0)
  202423. {
  202424. const int t = getMSFAddressOf (&toc.tracks[numTracks])
  202425. - getMSFAddressOf (&toc.tracks[0]);
  202426. return ((n % 0xff) << 24) | (t << 8) | numTracks;
  202427. }
  202428. }
  202429. }
  202430. return 0;
  202431. }
  202432. void AudioCDReader::ejectDisk()
  202433. {
  202434. ((CDDeviceWrapper*) handle)->cdH->openDrawer (true);
  202435. }
  202436. #if JUCE_USE_CDBURNER
  202437. static IDiscRecorder* enumCDBurners (StringArray* list, int indexToOpen, IDiscMaster** master)
  202438. {
  202439. CoInitialize (0);
  202440. IDiscMaster* dm;
  202441. IDiscRecorder* result = 0;
  202442. if (SUCCEEDED (CoCreateInstance (CLSID_MSDiscMasterObj, 0,
  202443. CLSCTX_INPROC_SERVER | CLSCTX_LOCAL_SERVER,
  202444. IID_IDiscMaster,
  202445. (void**) &dm)))
  202446. {
  202447. if (SUCCEEDED (dm->Open()))
  202448. {
  202449. IEnumDiscRecorders* drEnum = 0;
  202450. if (SUCCEEDED (dm->EnumDiscRecorders (&drEnum)))
  202451. {
  202452. IDiscRecorder* dr = 0;
  202453. DWORD dummy;
  202454. int index = 0;
  202455. while (drEnum->Next (1, &dr, &dummy) == S_OK)
  202456. {
  202457. if (indexToOpen == index)
  202458. {
  202459. result = dr;
  202460. break;
  202461. }
  202462. else if (list != 0)
  202463. {
  202464. BSTR path;
  202465. if (SUCCEEDED (dr->GetPath (&path)))
  202466. list->add ((const WCHAR*) path);
  202467. }
  202468. ++index;
  202469. dr->Release();
  202470. }
  202471. drEnum->Release();
  202472. }
  202473. /*if (redbookFormat != 0)
  202474. {
  202475. IEnumDiscMasterFormats* mfEnum;
  202476. if (SUCCEEDED (dm->EnumDiscMasterFormats (&mfEnum)))
  202477. {
  202478. IID formatIID;
  202479. DWORD dummy;
  202480. while (mfEnum->Next (1, &formatIID, &dummy) == S_OK)
  202481. {
  202482. }
  202483. mfEnum->Release();
  202484. }
  202485. redbookFormat
  202486. }*/
  202487. if (master == 0)
  202488. dm->Close();
  202489. }
  202490. if (master != 0)
  202491. *master = dm;
  202492. else
  202493. dm->Release();
  202494. }
  202495. return result;
  202496. }
  202497. const StringArray AudioCDBurner::findAvailableDevices()
  202498. {
  202499. StringArray devs;
  202500. enumCDBurners (&devs, -1, 0);
  202501. return devs;
  202502. }
  202503. AudioCDBurner* AudioCDBurner::openDevice (const int deviceIndex)
  202504. {
  202505. AudioCDBurner* b = new AudioCDBurner (deviceIndex);
  202506. if (b->internal == 0)
  202507. deleteAndZero (b);
  202508. return b;
  202509. }
  202510. class CDBurnerInfo : public IDiscMasterProgressEvents
  202511. {
  202512. public:
  202513. CDBurnerInfo()
  202514. : refCount (1),
  202515. progress (0),
  202516. shouldCancel (false),
  202517. listener (0)
  202518. {
  202519. }
  202520. ~CDBurnerInfo()
  202521. {
  202522. }
  202523. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  202524. {
  202525. if (result == 0)
  202526. return E_POINTER;
  202527. if (id == IID_IUnknown || id == IID_IDiscMasterProgressEvents)
  202528. {
  202529. AddRef();
  202530. *result = this;
  202531. return S_OK;
  202532. }
  202533. *result = 0;
  202534. return E_NOINTERFACE;
  202535. }
  202536. ULONG __stdcall AddRef() { return ++refCount; }
  202537. ULONG __stdcall Release() { jassert (refCount > 0); const int r = --refCount; if (r == 0) delete this; return r; }
  202538. HRESULT __stdcall QueryCancel (boolean* pbCancel)
  202539. {
  202540. if (listener != 0 && ! shouldCancel)
  202541. shouldCancel = listener->audioCDBurnProgress (progress);
  202542. *pbCancel = shouldCancel;
  202543. return S_OK;
  202544. }
  202545. HRESULT __stdcall NotifyBlockProgress (long nCompleted, long nTotal)
  202546. {
  202547. progress = nCompleted / (float) nTotal;
  202548. shouldCancel = listener != 0 && listener->audioCDBurnProgress (progress);
  202549. return E_NOTIMPL;
  202550. }
  202551. HRESULT __stdcall NotifyPnPActivity (void) { return E_NOTIMPL; }
  202552. HRESULT __stdcall NotifyAddProgress (long /*nCompletedSteps*/, long /*nTotalSteps*/) { return E_NOTIMPL; }
  202553. HRESULT __stdcall NotifyTrackProgress (long /*nCurrentTrack*/, long /*nTotalTracks*/) { return E_NOTIMPL; }
  202554. HRESULT __stdcall NotifyPreparingBurn (long /*nEstimatedSeconds*/) { return E_NOTIMPL; }
  202555. HRESULT __stdcall NotifyClosingDisc (long /*nEstimatedSeconds*/) { return E_NOTIMPL; }
  202556. HRESULT __stdcall NotifyBurnComplete (HRESULT /*status*/) { return E_NOTIMPL; }
  202557. HRESULT __stdcall NotifyEraseComplete (HRESULT /*status*/) { return E_NOTIMPL; }
  202558. IDiscMaster* discMaster;
  202559. IDiscRecorder* discRecorder;
  202560. IRedbookDiscMaster* redbook;
  202561. AudioCDBurner::BurnProgressListener* listener;
  202562. float progress;
  202563. bool shouldCancel;
  202564. private:
  202565. int refCount;
  202566. };
  202567. AudioCDBurner::AudioCDBurner (const int deviceIndex)
  202568. : internal (0)
  202569. {
  202570. IDiscMaster* discMaster;
  202571. IDiscRecorder* dr = enumCDBurners (0, deviceIndex, &discMaster);
  202572. if (dr != 0)
  202573. {
  202574. IRedbookDiscMaster* redbook;
  202575. HRESULT hr = discMaster->SetActiveDiscMasterFormat (IID_IRedbookDiscMaster, (void**) &redbook);
  202576. hr = discMaster->SetActiveDiscRecorder (dr);
  202577. CDBurnerInfo* const info = new CDBurnerInfo();
  202578. internal = info;
  202579. info->discMaster = discMaster;
  202580. info->discRecorder = dr;
  202581. info->redbook = redbook;
  202582. }
  202583. }
  202584. AudioCDBurner::~AudioCDBurner()
  202585. {
  202586. CDBurnerInfo* const info = (CDBurnerInfo*) internal;
  202587. if (info != 0)
  202588. {
  202589. info->discRecorder->Close();
  202590. info->redbook->Release();
  202591. info->discRecorder->Release();
  202592. info->discMaster->Release();
  202593. info->Release();
  202594. }
  202595. }
  202596. bool AudioCDBurner::isDiskPresent() const
  202597. {
  202598. CDBurnerInfo* const info = (CDBurnerInfo*) internal;
  202599. HRESULT hr = info->discRecorder->OpenExclusive();
  202600. long type, flags;
  202601. hr = info->discRecorder->QueryMediaType (&type, &flags);
  202602. info->discRecorder->Close();
  202603. return hr == S_OK && type != 0 && (flags & MEDIA_WRITABLE) != 0;
  202604. }
  202605. int AudioCDBurner::getNumAvailableAudioBlocks() const
  202606. {
  202607. CDBurnerInfo* const info = (CDBurnerInfo*) internal;
  202608. long blocksFree = 0;
  202609. info->redbook->GetAvailableAudioTrackBlocks (&blocksFree);
  202610. return blocksFree;
  202611. }
  202612. const String AudioCDBurner::burn (AudioCDBurner::BurnProgressListener* listener,
  202613. const bool ejectDiscAfterwards,
  202614. const bool performFakeBurnForTesting)
  202615. {
  202616. CDBurnerInfo* const info = (CDBurnerInfo*) internal;
  202617. info->listener = listener;
  202618. info->progress = 0;
  202619. info->shouldCancel = false;
  202620. UINT_PTR cookie;
  202621. HRESULT hr = info->discMaster->ProgressAdvise (info, &cookie);
  202622. hr = info->discMaster->RecordDisc (performFakeBurnForTesting,
  202623. ejectDiscAfterwards);
  202624. String error;
  202625. if (hr != S_OK)
  202626. {
  202627. const char* e = "Couldn't open or write to the CD device";
  202628. if (hr == IMAPI_E_USERABORT)
  202629. e = "User cancelled the write operation";
  202630. else if (hr == IMAPI_E_MEDIUM_NOTPRESENT || hr == IMAPI_E_TRACKOPEN)
  202631. e = "No Disk present";
  202632. error = e;
  202633. }
  202634. info->discMaster->ProgressUnadvise (cookie);
  202635. info->listener = 0;
  202636. return error;
  202637. }
  202638. bool AudioCDBurner::addAudioTrack (AudioSource* source, int numSamples)
  202639. {
  202640. if (source == 0)
  202641. return false;
  202642. CDBurnerInfo* const info = (CDBurnerInfo*) internal;
  202643. long bytesPerBlock;
  202644. HRESULT hr = info->redbook->GetAudioBlockSize (&bytesPerBlock);
  202645. const int samplesPerBlock = bytesPerBlock / 4;
  202646. bool ok = true;
  202647. hr = info->redbook->CreateAudioTrack ((long) numSamples / (bytesPerBlock * 4));
  202648. byte* const buffer = (byte*) juce_malloc (bytesPerBlock);
  202649. AudioSampleBuffer sourceBuffer (2, samplesPerBlock);
  202650. int samplesDone = 0;
  202651. source->prepareToPlay (samplesPerBlock, 44100.0);
  202652. while (ok)
  202653. {
  202654. {
  202655. AudioSourceChannelInfo info;
  202656. info.buffer = &sourceBuffer;
  202657. info.numSamples = samplesPerBlock;
  202658. info.startSample = 0;
  202659. sourceBuffer.clear();
  202660. source->getNextAudioBlock (info);
  202661. }
  202662. zeromem (buffer, bytesPerBlock);
  202663. AudioDataConverters::convertFloatToInt16LE (sourceBuffer.getSampleData (0, 0),
  202664. buffer, samplesPerBlock, 4);
  202665. AudioDataConverters::convertFloatToInt16LE (sourceBuffer.getSampleData (1, 0),
  202666. buffer + 2, samplesPerBlock, 4);
  202667. hr = info->redbook->AddAudioTrackBlocks (buffer, bytesPerBlock);
  202668. if (hr != S_OK)
  202669. ok = false;
  202670. samplesDone += samplesPerBlock;
  202671. if (samplesDone >= numSamples)
  202672. break;
  202673. }
  202674. juce_free (buffer);
  202675. hr = info->redbook->CloseAudioTrack();
  202676. delete source;
  202677. return ok && hr == S_OK;
  202678. }
  202679. #endif
  202680. END_JUCE_NAMESPACE
  202681. /********* End of inlined file: juce_win32_AudioCDReader.cpp *********/
  202682. /********* Start of inlined file: juce_win32_DirectSound.cpp *********/
  202683. extern "C"
  202684. {
  202685. // Declare just the minimum number of interfaces for the DSound objects that we need..
  202686. typedef struct typeDSBUFFERDESC
  202687. {
  202688. DWORD dwSize;
  202689. DWORD dwFlags;
  202690. DWORD dwBufferBytes;
  202691. DWORD dwReserved;
  202692. LPWAVEFORMATEX lpwfxFormat;
  202693. GUID guid3DAlgorithm;
  202694. } DSBUFFERDESC;
  202695. struct IDirectSoundBuffer;
  202696. #undef INTERFACE
  202697. #define INTERFACE IDirectSound
  202698. DECLARE_INTERFACE_(IDirectSound, IUnknown)
  202699. {
  202700. STDMETHOD(QueryInterface) (THIS_ REFIID, LPVOID*) PURE;
  202701. STDMETHOD_(ULONG,AddRef) (THIS) PURE;
  202702. STDMETHOD_(ULONG,Release) (THIS) PURE;
  202703. STDMETHOD(CreateSoundBuffer) (THIS_ DSBUFFERDESC*, IDirectSoundBuffer**, LPUNKNOWN) PURE;
  202704. STDMETHOD(GetCaps) (THIS_ void*) PURE;
  202705. STDMETHOD(DuplicateSoundBuffer) (THIS_ IDirectSoundBuffer*, IDirectSoundBuffer**) PURE;
  202706. STDMETHOD(SetCooperativeLevel) (THIS_ HWND, DWORD) PURE;
  202707. STDMETHOD(Compact) (THIS) PURE;
  202708. STDMETHOD(GetSpeakerConfig) (THIS_ LPDWORD) PURE;
  202709. STDMETHOD(SetSpeakerConfig) (THIS_ DWORD) PURE;
  202710. STDMETHOD(Initialize) (THIS_ const GUID*) PURE;
  202711. };
  202712. #undef INTERFACE
  202713. #define INTERFACE IDirectSoundBuffer
  202714. DECLARE_INTERFACE_(IDirectSoundBuffer, IUnknown)
  202715. {
  202716. STDMETHOD(QueryInterface) (THIS_ REFIID, LPVOID*) PURE;
  202717. STDMETHOD_(ULONG,AddRef) (THIS) PURE;
  202718. STDMETHOD_(ULONG,Release) (THIS) PURE;
  202719. STDMETHOD(GetCaps) (THIS_ void*) PURE;
  202720. STDMETHOD(GetCurrentPosition) (THIS_ LPDWORD, LPDWORD) PURE;
  202721. STDMETHOD(GetFormat) (THIS_ LPWAVEFORMATEX, DWORD, LPDWORD) PURE;
  202722. STDMETHOD(GetVolume) (THIS_ LPLONG) PURE;
  202723. STDMETHOD(GetPan) (THIS_ LPLONG) PURE;
  202724. STDMETHOD(GetFrequency) (THIS_ LPDWORD) PURE;
  202725. STDMETHOD(GetStatus) (THIS_ LPDWORD) PURE;
  202726. STDMETHOD(Initialize) (THIS_ IDirectSound*, DSBUFFERDESC*) PURE;
  202727. STDMETHOD(Lock) (THIS_ DWORD, DWORD, LPVOID*, LPDWORD, LPVOID*, LPDWORD, DWORD) PURE;
  202728. STDMETHOD(Play) (THIS_ DWORD, DWORD, DWORD) PURE;
  202729. STDMETHOD(SetCurrentPosition) (THIS_ DWORD) PURE;
  202730. STDMETHOD(SetFormat) (THIS_ const WAVEFORMATEX*) PURE;
  202731. STDMETHOD(SetVolume) (THIS_ LONG) PURE;
  202732. STDMETHOD(SetPan) (THIS_ LONG) PURE;
  202733. STDMETHOD(SetFrequency) (THIS_ DWORD) PURE;
  202734. STDMETHOD(Stop) (THIS) PURE;
  202735. STDMETHOD(Unlock) (THIS_ LPVOID, DWORD, LPVOID, DWORD) PURE;
  202736. STDMETHOD(Restore) (THIS) PURE;
  202737. };
  202738. typedef struct typeDSCBUFFERDESC
  202739. {
  202740. DWORD dwSize;
  202741. DWORD dwFlags;
  202742. DWORD dwBufferBytes;
  202743. DWORD dwReserved;
  202744. LPWAVEFORMATEX lpwfxFormat;
  202745. } DSCBUFFERDESC;
  202746. struct IDirectSoundCaptureBuffer;
  202747. #undef INTERFACE
  202748. #define INTERFACE IDirectSoundCapture
  202749. DECLARE_INTERFACE_(IDirectSoundCapture, IUnknown)
  202750. {
  202751. STDMETHOD(QueryInterface) (THIS_ REFIID, LPVOID*) PURE;
  202752. STDMETHOD_(ULONG,AddRef) (THIS) PURE;
  202753. STDMETHOD_(ULONG,Release) (THIS) PURE;
  202754. STDMETHOD(CreateCaptureBuffer) (THIS_ DSCBUFFERDESC*, IDirectSoundCaptureBuffer**, LPUNKNOWN) PURE;
  202755. STDMETHOD(GetCaps) (THIS_ void*) PURE;
  202756. STDMETHOD(Initialize) (THIS_ const GUID*) PURE;
  202757. };
  202758. #undef INTERFACE
  202759. #define INTERFACE IDirectSoundCaptureBuffer
  202760. DECLARE_INTERFACE_(IDirectSoundCaptureBuffer, IUnknown)
  202761. {
  202762. STDMETHOD(QueryInterface) (THIS_ REFIID, LPVOID*) PURE;
  202763. STDMETHOD_(ULONG,AddRef) (THIS) PURE;
  202764. STDMETHOD_(ULONG,Release) (THIS) PURE;
  202765. STDMETHOD(GetCaps) (THIS_ void*) PURE;
  202766. STDMETHOD(GetCurrentPosition) (THIS_ LPDWORD, LPDWORD) PURE;
  202767. STDMETHOD(GetFormat) (THIS_ LPWAVEFORMATEX, DWORD, LPDWORD) PURE;
  202768. STDMETHOD(GetStatus) (THIS_ LPDWORD) PURE;
  202769. STDMETHOD(Initialize) (THIS_ IDirectSoundCapture*, DSCBUFFERDESC*) PURE;
  202770. STDMETHOD(Lock) (THIS_ DWORD, DWORD, LPVOID*, LPDWORD, LPVOID*, LPDWORD, DWORD) PURE;
  202771. STDMETHOD(Start) (THIS_ DWORD) PURE;
  202772. STDMETHOD(Stop) (THIS) PURE;
  202773. STDMETHOD(Unlock) (THIS_ LPVOID, DWORD, LPVOID, DWORD) PURE;
  202774. };
  202775. };
  202776. BEGIN_JUCE_NAMESPACE
  202777. static const String getDSErrorMessage (HRESULT hr)
  202778. {
  202779. const char* result = 0;
  202780. switch (hr)
  202781. {
  202782. case MAKE_HRESULT(1, 0x878, 10):
  202783. result = "Device already allocated";
  202784. break;
  202785. case MAKE_HRESULT(1, 0x878, 30):
  202786. result = "Control unavailable";
  202787. break;
  202788. case E_INVALIDARG:
  202789. result = "Invalid parameter";
  202790. break;
  202791. case MAKE_HRESULT(1, 0x878, 50):
  202792. result = "Invalid call";
  202793. break;
  202794. case E_FAIL:
  202795. result = "Generic error";
  202796. break;
  202797. case MAKE_HRESULT(1, 0x878, 70):
  202798. result = "Priority level error";
  202799. break;
  202800. case E_OUTOFMEMORY:
  202801. result = "Out of memory";
  202802. break;
  202803. case MAKE_HRESULT(1, 0x878, 100):
  202804. result = "Bad format";
  202805. break;
  202806. case E_NOTIMPL:
  202807. result = "Unsupported function";
  202808. break;
  202809. case MAKE_HRESULT(1, 0x878, 120):
  202810. result = "No driver";
  202811. break;
  202812. case MAKE_HRESULT(1, 0x878, 130):
  202813. result = "Already initialised";
  202814. break;
  202815. case CLASS_E_NOAGGREGATION:
  202816. result = "No aggregation";
  202817. break;
  202818. case MAKE_HRESULT(1, 0x878, 150):
  202819. result = "Buffer lost";
  202820. break;
  202821. case MAKE_HRESULT(1, 0x878, 160):
  202822. result = "Another app has priority";
  202823. break;
  202824. case MAKE_HRESULT(1, 0x878, 170):
  202825. result = "Uninitialised";
  202826. break;
  202827. case E_NOINTERFACE:
  202828. result = "No interface";
  202829. break;
  202830. case S_OK:
  202831. result = "No error";
  202832. break;
  202833. default:
  202834. return "Unknown error: " + String ((int) hr);
  202835. }
  202836. return result;
  202837. }
  202838. #define DS_DEBUGGING 1
  202839. #ifdef DS_DEBUGGING
  202840. #define CATCH JUCE_CATCH_EXCEPTION
  202841. #undef log
  202842. #define log(a) Logger::writeToLog(a);
  202843. #undef logError
  202844. #define logError(a) logDSError(a, __LINE__);
  202845. static void logDSError (HRESULT hr, int lineNum)
  202846. {
  202847. if (hr != S_OK)
  202848. {
  202849. String error ("DS error at line ");
  202850. error << lineNum << T(" - ") << getDSErrorMessage (hr);
  202851. log (error);
  202852. }
  202853. }
  202854. #else
  202855. #define CATCH JUCE_CATCH_ALL
  202856. #define log(a)
  202857. #define logError(a)
  202858. #endif
  202859. #define DSOUND_FUNCTION(functionName, params) \
  202860. typedef HRESULT (WINAPI *type##functionName) params; \
  202861. static type##functionName ds##functionName = 0;
  202862. #define DSOUND_FUNCTION_LOAD(functionName) \
  202863. ds##functionName = (type##functionName) GetProcAddress (h, #functionName); \
  202864. jassert (ds##functionName != 0);
  202865. typedef BOOL (CALLBACK *LPDSENUMCALLBACKW) (LPGUID, LPCWSTR, LPCWSTR, LPVOID);
  202866. typedef BOOL (CALLBACK *LPDSENUMCALLBACKA) (LPGUID, LPCSTR, LPCSTR, LPVOID);
  202867. DSOUND_FUNCTION (DirectSoundCreate, (const GUID*, IDirectSound**, LPUNKNOWN))
  202868. DSOUND_FUNCTION (DirectSoundCaptureCreate, (const GUID*, IDirectSoundCapture**, LPUNKNOWN))
  202869. DSOUND_FUNCTION (DirectSoundEnumerateW, (LPDSENUMCALLBACKW, LPVOID))
  202870. DSOUND_FUNCTION (DirectSoundCaptureEnumerateW, (LPDSENUMCALLBACKW, LPVOID))
  202871. static void initialiseDSoundFunctions()
  202872. {
  202873. if (dsDirectSoundCreate == 0)
  202874. {
  202875. HMODULE h = LoadLibraryA ("dsound.dll");
  202876. DSOUND_FUNCTION_LOAD (DirectSoundCreate)
  202877. DSOUND_FUNCTION_LOAD (DirectSoundCaptureCreate)
  202878. DSOUND_FUNCTION_LOAD (DirectSoundEnumerateW)
  202879. DSOUND_FUNCTION_LOAD (DirectSoundCaptureEnumerateW)
  202880. }
  202881. }
  202882. class DSoundInternalOutChannel
  202883. {
  202884. String name;
  202885. LPGUID guid;
  202886. int sampleRate, bufferSizeSamples;
  202887. float* leftBuffer;
  202888. float* rightBuffer;
  202889. IDirectSound* pDirectSound;
  202890. IDirectSoundBuffer* pOutputBuffer;
  202891. DWORD writeOffset;
  202892. int totalBytesPerBuffer;
  202893. int bytesPerBuffer;
  202894. unsigned int lastPlayCursor;
  202895. public:
  202896. int bitDepth;
  202897. bool doneFlag;
  202898. DSoundInternalOutChannel (const String& name_,
  202899. LPGUID guid_,
  202900. int rate,
  202901. int bufferSize,
  202902. float* left,
  202903. float* right)
  202904. : name (name_),
  202905. guid (guid_),
  202906. sampleRate (rate),
  202907. bufferSizeSamples (bufferSize),
  202908. leftBuffer (left),
  202909. rightBuffer (right),
  202910. pDirectSound (0),
  202911. pOutputBuffer (0),
  202912. bitDepth (16)
  202913. {
  202914. }
  202915. ~DSoundInternalOutChannel()
  202916. {
  202917. close();
  202918. }
  202919. void close()
  202920. {
  202921. HRESULT hr;
  202922. if (pOutputBuffer != 0)
  202923. {
  202924. JUCE_TRY
  202925. {
  202926. log (T("closing dsound out: ") + name);
  202927. hr = pOutputBuffer->Stop();
  202928. logError (hr);
  202929. }
  202930. CATCH
  202931. JUCE_TRY
  202932. {
  202933. hr = pOutputBuffer->Release();
  202934. logError (hr);
  202935. }
  202936. CATCH
  202937. pOutputBuffer = 0;
  202938. }
  202939. if (pDirectSound != 0)
  202940. {
  202941. JUCE_TRY
  202942. {
  202943. hr = pDirectSound->Release();
  202944. logError (hr);
  202945. }
  202946. CATCH
  202947. pDirectSound = 0;
  202948. }
  202949. }
  202950. const String open()
  202951. {
  202952. log (T("opening dsound out device: ") + name
  202953. + T(" rate=") + String (sampleRate)
  202954. + T(" bits=") + String (bitDepth)
  202955. + T(" buf=") + String (bufferSizeSamples));
  202956. pDirectSound = 0;
  202957. pOutputBuffer = 0;
  202958. writeOffset = 0;
  202959. String error;
  202960. HRESULT hr = E_NOINTERFACE;
  202961. if (dsDirectSoundCreate != 0)
  202962. hr = dsDirectSoundCreate (guid, &pDirectSound, 0);
  202963. if (hr == S_OK)
  202964. {
  202965. bytesPerBuffer = (bufferSizeSamples * (bitDepth >> 2)) & ~15;
  202966. totalBytesPerBuffer = (3 * bytesPerBuffer) & ~15;
  202967. const int numChannels = 2;
  202968. hr = pDirectSound->SetCooperativeLevel (GetDesktopWindow(), 2 /* DSSCL_PRIORITY */);
  202969. logError (hr);
  202970. if (hr == S_OK)
  202971. {
  202972. IDirectSoundBuffer* pPrimaryBuffer;
  202973. DSBUFFERDESC primaryDesc;
  202974. zerostruct (primaryDesc);
  202975. primaryDesc.dwSize = sizeof (DSBUFFERDESC);
  202976. primaryDesc.dwFlags = 1 /* DSBCAPS_PRIMARYBUFFER */;
  202977. primaryDesc.dwBufferBytes = 0;
  202978. primaryDesc.lpwfxFormat = 0;
  202979. log ("opening dsound out step 2");
  202980. hr = pDirectSound->CreateSoundBuffer (&primaryDesc, &pPrimaryBuffer, 0);
  202981. logError (hr);
  202982. if (hr == S_OK)
  202983. {
  202984. WAVEFORMATEX wfFormat;
  202985. wfFormat.wFormatTag = WAVE_FORMAT_PCM;
  202986. wfFormat.nChannels = (unsigned short) numChannels;
  202987. wfFormat.nSamplesPerSec = sampleRate;
  202988. wfFormat.wBitsPerSample = (unsigned short) bitDepth;
  202989. wfFormat.nBlockAlign = (unsigned short) (wfFormat.nChannels * wfFormat.wBitsPerSample / 8);
  202990. wfFormat.nAvgBytesPerSec = wfFormat.nSamplesPerSec * wfFormat.nBlockAlign;
  202991. wfFormat.cbSize = 0;
  202992. hr = pPrimaryBuffer->SetFormat (&wfFormat);
  202993. logError (hr);
  202994. if (hr == S_OK)
  202995. {
  202996. DSBUFFERDESC secondaryDesc;
  202997. zerostruct (secondaryDesc);
  202998. secondaryDesc.dwSize = sizeof (DSBUFFERDESC);
  202999. secondaryDesc.dwFlags = 0x8000 /* DSBCAPS_GLOBALFOCUS */
  203000. | 0x10000 /* DSBCAPS_GETCURRENTPOSITION2 */;
  203001. secondaryDesc.dwBufferBytes = totalBytesPerBuffer;
  203002. secondaryDesc.lpwfxFormat = &wfFormat;
  203003. hr = pDirectSound->CreateSoundBuffer (&secondaryDesc, &pOutputBuffer, 0);
  203004. logError (hr);
  203005. if (hr == S_OK)
  203006. {
  203007. log ("opening dsound out step 3");
  203008. DWORD dwDataLen;
  203009. unsigned char* pDSBuffData;
  203010. hr = pOutputBuffer->Lock (0, totalBytesPerBuffer,
  203011. (LPVOID*) &pDSBuffData, &dwDataLen, 0, 0, 0);
  203012. logError (hr);
  203013. if (hr == S_OK)
  203014. {
  203015. zeromem (pDSBuffData, dwDataLen);
  203016. hr = pOutputBuffer->Unlock (pDSBuffData, dwDataLen, 0, 0);
  203017. if (hr == S_OK)
  203018. {
  203019. hr = pOutputBuffer->SetCurrentPosition (0);
  203020. if (hr == S_OK)
  203021. {
  203022. hr = pOutputBuffer->Play (0, 0, 1 /* DSBPLAY_LOOPING */);
  203023. if (hr == S_OK)
  203024. return String::empty;
  203025. }
  203026. }
  203027. }
  203028. }
  203029. }
  203030. }
  203031. }
  203032. }
  203033. error = getDSErrorMessage (hr);
  203034. close();
  203035. return error;
  203036. }
  203037. void synchronisePosition()
  203038. {
  203039. if (pOutputBuffer != 0)
  203040. {
  203041. DWORD playCursor;
  203042. pOutputBuffer->GetCurrentPosition (&playCursor, &writeOffset);
  203043. }
  203044. }
  203045. bool service()
  203046. {
  203047. if (pOutputBuffer == 0)
  203048. return true;
  203049. DWORD playCursor, writeCursor;
  203050. HRESULT hr = pOutputBuffer->GetCurrentPosition (&playCursor, &writeCursor);
  203051. if (hr != S_OK)
  203052. {
  203053. logError (hr);
  203054. jassertfalse
  203055. return true;
  203056. }
  203057. int playWriteGap = writeCursor - playCursor;
  203058. if (playWriteGap < 0)
  203059. playWriteGap += totalBytesPerBuffer;
  203060. int bytesEmpty = playCursor - writeOffset;
  203061. if (bytesEmpty < 0)
  203062. bytesEmpty += totalBytesPerBuffer;
  203063. if (bytesEmpty > (totalBytesPerBuffer - playWriteGap))
  203064. {
  203065. writeOffset = writeCursor;
  203066. bytesEmpty = totalBytesPerBuffer - playWriteGap;
  203067. }
  203068. if (bytesEmpty >= bytesPerBuffer)
  203069. {
  203070. LPBYTE lpbuf1 = 0;
  203071. LPBYTE lpbuf2 = 0;
  203072. DWORD dwSize1 = 0;
  203073. DWORD dwSize2 = 0;
  203074. HRESULT hr = pOutputBuffer->Lock (writeOffset,
  203075. bytesPerBuffer,
  203076. (void**) &lpbuf1, &dwSize1,
  203077. (void**) &lpbuf2, &dwSize2, 0);
  203078. if (hr == MAKE_HRESULT (1, 0x878, 150)) // DSERR_BUFFERLOST
  203079. {
  203080. pOutputBuffer->Restore();
  203081. hr = pOutputBuffer->Lock (writeOffset,
  203082. bytesPerBuffer,
  203083. (void**) &lpbuf1, &dwSize1,
  203084. (void**) &lpbuf2, &dwSize2, 0);
  203085. }
  203086. if (hr == S_OK)
  203087. {
  203088. if (bitDepth == 16)
  203089. {
  203090. const float gainL = 32767.0f;
  203091. const float gainR = 32767.0f;
  203092. int* dest = (int*)lpbuf1;
  203093. const float* left = leftBuffer;
  203094. const float* right = rightBuffer;
  203095. int samples1 = dwSize1 >> 2;
  203096. int samples2 = dwSize2 >> 2;
  203097. if (left == 0)
  203098. {
  203099. while (--samples1 >= 0)
  203100. {
  203101. int r = roundFloatToInt (gainR * *right++);
  203102. if (r < -32768)
  203103. r = -32768;
  203104. else if (r > 32767)
  203105. r = 32767;
  203106. *dest++ = (r << 16);
  203107. }
  203108. dest = (int*)lpbuf2;
  203109. while (--samples2 >= 0)
  203110. {
  203111. int r = roundFloatToInt (gainR * *right++);
  203112. if (r < -32768)
  203113. r = -32768;
  203114. else if (r > 32767)
  203115. r = 32767;
  203116. *dest++ = (r << 16);
  203117. }
  203118. }
  203119. else if (right == 0)
  203120. {
  203121. while (--samples1 >= 0)
  203122. {
  203123. int l = roundFloatToInt (gainL * *left++);
  203124. if (l < -32768)
  203125. l = -32768;
  203126. else if (l > 32767)
  203127. l = 32767;
  203128. l &= 0xffff;
  203129. *dest++ = l;
  203130. }
  203131. dest = (int*)lpbuf2;
  203132. while (--samples2 >= 0)
  203133. {
  203134. int l = roundFloatToInt (gainL * *left++);
  203135. if (l < -32768)
  203136. l = -32768;
  203137. else if (l > 32767)
  203138. l = 32767;
  203139. l &= 0xffff;
  203140. *dest++ = l;
  203141. }
  203142. }
  203143. else
  203144. {
  203145. while (--samples1 >= 0)
  203146. {
  203147. int l = roundFloatToInt (gainL * *left++);
  203148. if (l < -32768)
  203149. l = -32768;
  203150. else if (l > 32767)
  203151. l = 32767;
  203152. l &= 0xffff;
  203153. int r = roundFloatToInt (gainR * *right++);
  203154. if (r < -32768)
  203155. r = -32768;
  203156. else if (r > 32767)
  203157. r = 32767;
  203158. *dest++ = (r << 16) | l;
  203159. }
  203160. dest = (int*)lpbuf2;
  203161. while (--samples2 >= 0)
  203162. {
  203163. int l = roundFloatToInt (gainL * *left++);
  203164. if (l < -32768)
  203165. l = -32768;
  203166. else if (l > 32767)
  203167. l = 32767;
  203168. l &= 0xffff;
  203169. int r = roundFloatToInt (gainR * *right++);
  203170. if (r < -32768)
  203171. r = -32768;
  203172. else if (r > 32767)
  203173. r = 32767;
  203174. *dest++ = (r << 16) | l;
  203175. }
  203176. }
  203177. }
  203178. else
  203179. {
  203180. jassertfalse
  203181. }
  203182. writeOffset = (writeOffset + dwSize1 + dwSize2) % totalBytesPerBuffer;
  203183. pOutputBuffer->Unlock (lpbuf1, dwSize1, lpbuf2, dwSize2);
  203184. }
  203185. else
  203186. {
  203187. jassertfalse
  203188. logError (hr);
  203189. }
  203190. bytesEmpty -= bytesPerBuffer;
  203191. return true;
  203192. }
  203193. else
  203194. {
  203195. return false;
  203196. }
  203197. }
  203198. };
  203199. struct DSoundInternalInChannel
  203200. {
  203201. String name;
  203202. LPGUID guid;
  203203. int sampleRate, bufferSizeSamples;
  203204. float* leftBuffer;
  203205. float* rightBuffer;
  203206. IDirectSound* pDirectSound;
  203207. IDirectSoundCapture* pDirectSoundCapture;
  203208. IDirectSoundCaptureBuffer* pInputBuffer;
  203209. public:
  203210. unsigned int readOffset;
  203211. int bytesPerBuffer, totalBytesPerBuffer;
  203212. int bitDepth;
  203213. bool doneFlag;
  203214. DSoundInternalInChannel (const String& name_,
  203215. LPGUID guid_,
  203216. int rate,
  203217. int bufferSize,
  203218. float* left,
  203219. float* right)
  203220. : name (name_),
  203221. guid (guid_),
  203222. sampleRate (rate),
  203223. bufferSizeSamples (bufferSize),
  203224. leftBuffer (left),
  203225. rightBuffer (right),
  203226. pDirectSound (0),
  203227. pDirectSoundCapture (0),
  203228. pInputBuffer (0),
  203229. bitDepth (16)
  203230. {
  203231. }
  203232. ~DSoundInternalInChannel()
  203233. {
  203234. close();
  203235. }
  203236. void close()
  203237. {
  203238. HRESULT hr;
  203239. if (pInputBuffer != 0)
  203240. {
  203241. JUCE_TRY
  203242. {
  203243. log (T("closing dsound in: ") + name);
  203244. hr = pInputBuffer->Stop();
  203245. logError (hr);
  203246. }
  203247. CATCH
  203248. JUCE_TRY
  203249. {
  203250. hr = pInputBuffer->Release();
  203251. logError (hr);
  203252. }
  203253. CATCH
  203254. pInputBuffer = 0;
  203255. }
  203256. if (pDirectSoundCapture != 0)
  203257. {
  203258. JUCE_TRY
  203259. {
  203260. hr = pDirectSoundCapture->Release();
  203261. logError (hr);
  203262. }
  203263. CATCH
  203264. pDirectSoundCapture = 0;
  203265. }
  203266. if (pDirectSound != 0)
  203267. {
  203268. JUCE_TRY
  203269. {
  203270. hr = pDirectSound->Release();
  203271. logError (hr);
  203272. }
  203273. CATCH
  203274. pDirectSound = 0;
  203275. }
  203276. }
  203277. const String open()
  203278. {
  203279. log (T("opening dsound in device: ") + name
  203280. + T(" rate=") + String (sampleRate) + T(" bits=") + String (bitDepth) + T(" buf=") + String (bufferSizeSamples));
  203281. pDirectSound = 0;
  203282. pDirectSoundCapture = 0;
  203283. pInputBuffer = 0;
  203284. readOffset = 0;
  203285. totalBytesPerBuffer = 0;
  203286. String error;
  203287. HRESULT hr = E_NOINTERFACE;
  203288. if (dsDirectSoundCaptureCreate != 0)
  203289. hr = dsDirectSoundCaptureCreate (guid, &pDirectSoundCapture, 0);
  203290. logError (hr);
  203291. if (hr == S_OK)
  203292. {
  203293. const int numChannels = 2;
  203294. bytesPerBuffer = (bufferSizeSamples * (bitDepth >> 2)) & ~15;
  203295. totalBytesPerBuffer = (3 * bytesPerBuffer) & ~15;
  203296. WAVEFORMATEX wfFormat;
  203297. wfFormat.wFormatTag = WAVE_FORMAT_PCM;
  203298. wfFormat.nChannels = (unsigned short)numChannels;
  203299. wfFormat.nSamplesPerSec = sampleRate;
  203300. wfFormat.wBitsPerSample = (unsigned short)bitDepth;
  203301. wfFormat.nBlockAlign = (unsigned short)(wfFormat.nChannels * (wfFormat.wBitsPerSample / 8));
  203302. wfFormat.nAvgBytesPerSec = wfFormat.nSamplesPerSec * wfFormat.nBlockAlign;
  203303. wfFormat.cbSize = 0;
  203304. DSCBUFFERDESC captureDesc;
  203305. zerostruct (captureDesc);
  203306. captureDesc.dwSize = sizeof (DSCBUFFERDESC);
  203307. captureDesc.dwFlags = 0;
  203308. captureDesc.dwBufferBytes = totalBytesPerBuffer;
  203309. captureDesc.lpwfxFormat = &wfFormat;
  203310. log (T("opening dsound in step 2"));
  203311. hr = pDirectSoundCapture->CreateCaptureBuffer (&captureDesc, &pInputBuffer, 0);
  203312. logError (hr);
  203313. if (hr == S_OK)
  203314. {
  203315. hr = pInputBuffer->Start (1 /* DSCBSTART_LOOPING */);
  203316. logError (hr);
  203317. if (hr == S_OK)
  203318. return String::empty;
  203319. }
  203320. }
  203321. error = getDSErrorMessage (hr);
  203322. close();
  203323. return error;
  203324. }
  203325. void synchronisePosition()
  203326. {
  203327. if (pInputBuffer != 0)
  203328. {
  203329. DWORD capturePos;
  203330. pInputBuffer->GetCurrentPosition (&capturePos, (DWORD*)&readOffset);
  203331. }
  203332. }
  203333. bool service()
  203334. {
  203335. if (pInputBuffer == 0)
  203336. return true;
  203337. DWORD capturePos, readPos;
  203338. HRESULT hr = pInputBuffer->GetCurrentPosition (&capturePos, &readPos);
  203339. logError (hr);
  203340. if (hr != S_OK)
  203341. return true;
  203342. int bytesFilled = readPos - readOffset;
  203343. if (bytesFilled < 0)
  203344. bytesFilled += totalBytesPerBuffer;
  203345. if (bytesFilled >= bytesPerBuffer)
  203346. {
  203347. LPBYTE lpbuf1 = 0;
  203348. LPBYTE lpbuf2 = 0;
  203349. DWORD dwsize1 = 0;
  203350. DWORD dwsize2 = 0;
  203351. HRESULT hr = pInputBuffer->Lock (readOffset,
  203352. bytesPerBuffer,
  203353. (void**) &lpbuf1, &dwsize1,
  203354. (void**) &lpbuf2, &dwsize2, 0);
  203355. if (hr == S_OK)
  203356. {
  203357. if (bitDepth == 16)
  203358. {
  203359. const float g = 1.0f / 32768.0f;
  203360. float* destL = leftBuffer;
  203361. float* destR = rightBuffer;
  203362. int samples1 = dwsize1 >> 2;
  203363. int samples2 = dwsize2 >> 2;
  203364. const short* src = (const short*)lpbuf1;
  203365. if (destL == 0)
  203366. {
  203367. while (--samples1 >= 0)
  203368. {
  203369. ++src;
  203370. *destR++ = *src++ * g;
  203371. }
  203372. src = (const short*)lpbuf2;
  203373. while (--samples2 >= 0)
  203374. {
  203375. ++src;
  203376. *destR++ = *src++ * g;
  203377. }
  203378. }
  203379. else if (destR == 0)
  203380. {
  203381. while (--samples1 >= 0)
  203382. {
  203383. *destL++ = *src++ * g;
  203384. ++src;
  203385. }
  203386. src = (const short*)lpbuf2;
  203387. while (--samples2 >= 0)
  203388. {
  203389. *destL++ = *src++ * g;
  203390. ++src;
  203391. }
  203392. }
  203393. else
  203394. {
  203395. while (--samples1 >= 0)
  203396. {
  203397. *destL++ = *src++ * g;
  203398. *destR++ = *src++ * g;
  203399. }
  203400. src = (const short*)lpbuf2;
  203401. while (--samples2 >= 0)
  203402. {
  203403. *destL++ = *src++ * g;
  203404. *destR++ = *src++ * g;
  203405. }
  203406. }
  203407. }
  203408. else
  203409. {
  203410. jassertfalse
  203411. }
  203412. readOffset = (readOffset + dwsize1 + dwsize2) % totalBytesPerBuffer;
  203413. pInputBuffer->Unlock (lpbuf1, dwsize1, lpbuf2, dwsize2);
  203414. }
  203415. else
  203416. {
  203417. logError (hr);
  203418. jassertfalse
  203419. }
  203420. bytesFilled -= bytesPerBuffer;
  203421. return true;
  203422. }
  203423. else
  203424. {
  203425. return false;
  203426. }
  203427. }
  203428. };
  203429. class DSoundAudioIODevice : public AudioIODevice,
  203430. public Thread
  203431. {
  203432. public:
  203433. DSoundAudioIODevice (const String& deviceName,
  203434. const int outputDeviceIndex_,
  203435. const int inputDeviceIndex_)
  203436. : AudioIODevice (deviceName, "DirectSound"),
  203437. Thread ("Juce DSound"),
  203438. isOpen_ (false),
  203439. isStarted (false),
  203440. outputDeviceIndex (outputDeviceIndex_),
  203441. inputDeviceIndex (inputDeviceIndex_),
  203442. inChans (4),
  203443. outChans (4),
  203444. numInputBuffers (0),
  203445. numOutputBuffers (0),
  203446. totalSamplesOut (0),
  203447. sampleRate (0.0),
  203448. inputBuffers (0),
  203449. outputBuffers (0),
  203450. callback (0),
  203451. bufferSizeSamples (0)
  203452. {
  203453. if (outputDeviceIndex_ >= 0)
  203454. {
  203455. outChannels.add (TRANS("Left"));
  203456. outChannels.add (TRANS("Right"));
  203457. }
  203458. if (inputDeviceIndex_ >= 0)
  203459. {
  203460. inChannels.add (TRANS("Left"));
  203461. inChannels.add (TRANS("Right"));
  203462. }
  203463. }
  203464. ~DSoundAudioIODevice()
  203465. {
  203466. close();
  203467. }
  203468. const StringArray getOutputChannelNames()
  203469. {
  203470. return outChannels;
  203471. }
  203472. const StringArray getInputChannelNames()
  203473. {
  203474. return inChannels;
  203475. }
  203476. int getNumSampleRates()
  203477. {
  203478. return 4;
  203479. }
  203480. double getSampleRate (int index)
  203481. {
  203482. const double samps[] = { 44100.0, 48000.0, 88200.0, 96000.0 };
  203483. return samps [jlimit (0, 3, index)];
  203484. }
  203485. int getNumBufferSizesAvailable()
  203486. {
  203487. return 50;
  203488. }
  203489. int getBufferSizeSamples (int index)
  203490. {
  203491. int n = 64;
  203492. for (int i = 0; i < index; ++i)
  203493. n += (n < 512) ? 32
  203494. : ((n < 1024) ? 64
  203495. : ((n < 2048) ? 128 : 256));
  203496. return n;
  203497. }
  203498. int getDefaultBufferSize()
  203499. {
  203500. return 2560;
  203501. }
  203502. const String open (const BitArray& inputChannels,
  203503. const BitArray& outputChannels,
  203504. double sampleRate,
  203505. int bufferSizeSamples)
  203506. {
  203507. lastError = openDevice (inputChannels, outputChannels, sampleRate, bufferSizeSamples);
  203508. isOpen_ = lastError.isEmpty();
  203509. return lastError;
  203510. }
  203511. void close()
  203512. {
  203513. stop();
  203514. if (isOpen_)
  203515. {
  203516. closeDevice();
  203517. isOpen_ = false;
  203518. }
  203519. }
  203520. bool isOpen()
  203521. {
  203522. return isOpen_ && isThreadRunning();
  203523. }
  203524. int getCurrentBufferSizeSamples()
  203525. {
  203526. return bufferSizeSamples;
  203527. }
  203528. double getCurrentSampleRate()
  203529. {
  203530. return sampleRate;
  203531. }
  203532. int getCurrentBitDepth()
  203533. {
  203534. int i, bits = 256;
  203535. for (i = inChans.size(); --i >= 0;)
  203536. bits = jmin (bits, inChans[i]->bitDepth);
  203537. for (i = outChans.size(); --i >= 0;)
  203538. bits = jmin (bits, outChans[i]->bitDepth);
  203539. if (bits > 32)
  203540. bits = 16;
  203541. return bits;
  203542. }
  203543. const BitArray getActiveOutputChannels() const
  203544. {
  203545. return enabledOutputs;
  203546. }
  203547. const BitArray getActiveInputChannels() const
  203548. {
  203549. return enabledInputs;
  203550. }
  203551. int getOutputLatencyInSamples()
  203552. {
  203553. return (int) (getCurrentBufferSizeSamples() * 1.5);
  203554. }
  203555. int getInputLatencyInSamples()
  203556. {
  203557. return getOutputLatencyInSamples();
  203558. }
  203559. void start (AudioIODeviceCallback* call)
  203560. {
  203561. if (isOpen_ && call != 0 && ! isStarted)
  203562. {
  203563. if (! isThreadRunning())
  203564. {
  203565. // something gone wrong and the thread's stopped..
  203566. isOpen_ = false;
  203567. return;
  203568. }
  203569. call->audioDeviceAboutToStart (this);
  203570. const ScopedLock sl (startStopLock);
  203571. callback = call;
  203572. isStarted = true;
  203573. }
  203574. }
  203575. void stop()
  203576. {
  203577. if (isStarted)
  203578. {
  203579. AudioIODeviceCallback* const callbackLocal = callback;
  203580. {
  203581. const ScopedLock sl (startStopLock);
  203582. isStarted = false;
  203583. }
  203584. if (callbackLocal != 0)
  203585. callbackLocal->audioDeviceStopped();
  203586. }
  203587. }
  203588. bool isPlaying()
  203589. {
  203590. return isStarted && isOpen_ && isThreadRunning();
  203591. }
  203592. const String getLastError()
  203593. {
  203594. return lastError;
  203595. }
  203596. juce_UseDebuggingNewOperator
  203597. StringArray inChannels, outChannels;
  203598. int outputDeviceIndex, inputDeviceIndex;
  203599. private:
  203600. bool isOpen_;
  203601. bool isStarted;
  203602. String lastError;
  203603. OwnedArray <DSoundInternalInChannel> inChans;
  203604. OwnedArray <DSoundInternalOutChannel> outChans;
  203605. WaitableEvent startEvent;
  203606. int numInputBuffers, numOutputBuffers, bufferSizeSamples;
  203607. int volatile totalSamplesOut;
  203608. int64 volatile lastBlockTime;
  203609. double sampleRate;
  203610. BitArray enabledInputs, enabledOutputs;
  203611. float** inputBuffers;
  203612. float** outputBuffers;
  203613. AudioIODeviceCallback* callback;
  203614. CriticalSection startStopLock;
  203615. DSoundAudioIODevice (const DSoundAudioIODevice&);
  203616. const DSoundAudioIODevice& operator= (const DSoundAudioIODevice&);
  203617. const String openDevice (const BitArray& inputChannels,
  203618. const BitArray& outputChannels,
  203619. double sampleRate_,
  203620. int bufferSizeSamples_);
  203621. void closeDevice()
  203622. {
  203623. isStarted = false;
  203624. stopThread (5000);
  203625. inChans.clear();
  203626. outChans.clear();
  203627. int i;
  203628. for (i = 0; i < numInputBuffers; ++i)
  203629. juce_free (inputBuffers[i]);
  203630. delete[] inputBuffers;
  203631. inputBuffers = 0;
  203632. numInputBuffers = 0;
  203633. for (i = 0; i < numOutputBuffers; ++i)
  203634. juce_free (outputBuffers[i]);
  203635. delete[] outputBuffers;
  203636. outputBuffers = 0;
  203637. numOutputBuffers = 0;
  203638. }
  203639. void resync()
  203640. {
  203641. int i;
  203642. for (i = outChans.size(); --i >= 0;)
  203643. outChans.getUnchecked(i)->close();
  203644. for (i = inChans.size(); --i >= 0;)
  203645. inChans.getUnchecked(i)->close();
  203646. if (threadShouldExit())
  203647. return;
  203648. // boost our priority while opening the devices to try to get better sync between them
  203649. const int oldThreadPri = GetThreadPriority (GetCurrentThread());
  203650. const int oldProcPri = GetPriorityClass (GetCurrentProcess());
  203651. SetThreadPriority (GetCurrentThread(), THREAD_PRIORITY_TIME_CRITICAL);
  203652. SetPriorityClass (GetCurrentProcess(), REALTIME_PRIORITY_CLASS);
  203653. for (i = outChans.size(); --i >= 0;)
  203654. outChans.getUnchecked(i)->open();
  203655. for (i = inChans.size(); --i >= 0;)
  203656. inChans.getUnchecked(i)->open();
  203657. if (! threadShouldExit())
  203658. {
  203659. sleep (5);
  203660. for (i = 0; i < outChans.size(); ++i)
  203661. outChans.getUnchecked(i)->synchronisePosition();
  203662. for (i = 0; i < inChans.size(); ++i)
  203663. inChans.getUnchecked(i)->synchronisePosition();
  203664. }
  203665. SetThreadPriority (GetCurrentThread(), oldThreadPri);
  203666. SetPriorityClass (GetCurrentProcess(), oldProcPri);
  203667. }
  203668. public:
  203669. void run()
  203670. {
  203671. while (! threadShouldExit())
  203672. {
  203673. if (wait (100))
  203674. break;
  203675. }
  203676. const int latencyMs = (int) (bufferSizeSamples * 1000.0 / sampleRate);
  203677. const int maxTimeMS = jmax (5, 3 * latencyMs);
  203678. while (! threadShouldExit())
  203679. {
  203680. int numToDo = 0;
  203681. uint32 startTime = Time::getMillisecondCounter();
  203682. int i;
  203683. for (i = inChans.size(); --i >= 0;)
  203684. {
  203685. inChans.getUnchecked(i)->doneFlag = false;
  203686. ++numToDo;
  203687. }
  203688. for (i = outChans.size(); --i >= 0;)
  203689. {
  203690. outChans.getUnchecked(i)->doneFlag = false;
  203691. ++numToDo;
  203692. }
  203693. if (numToDo > 0)
  203694. {
  203695. const int maxCount = 3;
  203696. int count = maxCount;
  203697. for (;;)
  203698. {
  203699. for (i = inChans.size(); --i >= 0;)
  203700. {
  203701. DSoundInternalInChannel* const in = inChans.getUnchecked(i);
  203702. if ((! in->doneFlag) && in->service())
  203703. {
  203704. in->doneFlag = true;
  203705. --numToDo;
  203706. }
  203707. }
  203708. for (i = outChans.size(); --i >= 0;)
  203709. {
  203710. DSoundInternalOutChannel* const out = outChans.getUnchecked(i);
  203711. if ((! out->doneFlag) && out->service())
  203712. {
  203713. out->doneFlag = true;
  203714. --numToDo;
  203715. }
  203716. }
  203717. if (numToDo <= 0)
  203718. break;
  203719. if (Time::getMillisecondCounter() > startTime + maxTimeMS)
  203720. {
  203721. resync();
  203722. break;
  203723. }
  203724. if (--count <= 0)
  203725. {
  203726. Sleep (1);
  203727. count = maxCount;
  203728. }
  203729. if (threadShouldExit())
  203730. return;
  203731. }
  203732. }
  203733. else
  203734. {
  203735. sleep (1);
  203736. }
  203737. const ScopedLock sl (startStopLock);
  203738. if (isStarted)
  203739. {
  203740. JUCE_TRY
  203741. {
  203742. callback->audioDeviceIOCallback ((const float**) inputBuffers,
  203743. numInputBuffers,
  203744. outputBuffers,
  203745. numOutputBuffers,
  203746. bufferSizeSamples);
  203747. }
  203748. JUCE_CATCH_EXCEPTION
  203749. totalSamplesOut += bufferSizeSamples;
  203750. }
  203751. else
  203752. {
  203753. for (i = 0; i < numOutputBuffers; ++i)
  203754. if (outputBuffers[i] != 0)
  203755. zeromem (outputBuffers[i], bufferSizeSamples * sizeof (float));
  203756. totalSamplesOut = 0;
  203757. sleep (1);
  203758. }
  203759. }
  203760. }
  203761. };
  203762. class DSoundAudioIODeviceType : public AudioIODeviceType
  203763. {
  203764. public:
  203765. DSoundAudioIODeviceType()
  203766. : AudioIODeviceType (T("DirectSound")),
  203767. hasScanned (false)
  203768. {
  203769. initialiseDSoundFunctions();
  203770. }
  203771. ~DSoundAudioIODeviceType()
  203772. {
  203773. }
  203774. void scanForDevices()
  203775. {
  203776. hasScanned = true;
  203777. outputDeviceNames.clear();
  203778. outputGuids.clear();
  203779. inputDeviceNames.clear();
  203780. inputGuids.clear();
  203781. if (dsDirectSoundEnumerateW != 0)
  203782. {
  203783. dsDirectSoundEnumerateW (outputEnumProcW, this);
  203784. dsDirectSoundCaptureEnumerateW (inputEnumProcW, this);
  203785. }
  203786. }
  203787. const StringArray getDeviceNames (const bool wantInputNames) const
  203788. {
  203789. jassert (hasScanned); // need to call scanForDevices() before doing this
  203790. return wantInputNames ? inputDeviceNames
  203791. : outputDeviceNames;
  203792. }
  203793. int getDefaultDeviceIndex (const bool /*forInput*/) const
  203794. {
  203795. jassert (hasScanned); // need to call scanForDevices() before doing this
  203796. return 0;
  203797. }
  203798. int getIndexOfDevice (AudioIODevice* device, const bool asInput) const
  203799. {
  203800. jassert (hasScanned); // need to call scanForDevices() before doing this
  203801. DSoundAudioIODevice* const d = dynamic_cast <DSoundAudioIODevice*> (device);
  203802. if (d == 0)
  203803. return -1;
  203804. return asInput ? d->inputDeviceIndex
  203805. : d->outputDeviceIndex;
  203806. }
  203807. bool hasSeparateInputsAndOutputs() const { return true; }
  203808. AudioIODevice* createDevice (const String& outputDeviceName,
  203809. const String& inputDeviceName)
  203810. {
  203811. jassert (hasScanned); // need to call scanForDevices() before doing this
  203812. const int outputIndex = outputDeviceNames.indexOf (outputDeviceName);
  203813. const int inputIndex = inputDeviceNames.indexOf (inputDeviceName);
  203814. if (outputIndex >= 0 || inputIndex >= 0)
  203815. return new DSoundAudioIODevice (outputDeviceName.isNotEmpty() ? outputDeviceName
  203816. : inputDeviceName,
  203817. outputIndex, inputIndex);
  203818. return 0;
  203819. }
  203820. juce_UseDebuggingNewOperator
  203821. StringArray outputDeviceNames;
  203822. OwnedArray <GUID> outputGuids;
  203823. StringArray inputDeviceNames;
  203824. OwnedArray <GUID> inputGuids;
  203825. private:
  203826. bool hasScanned;
  203827. BOOL outputEnumProc (LPGUID lpGUID, String desc)
  203828. {
  203829. desc = desc.trim();
  203830. if (desc.isNotEmpty())
  203831. {
  203832. const String origDesc (desc);
  203833. int n = 2;
  203834. while (outputDeviceNames.contains (desc))
  203835. desc = origDesc + T(" (") + String (n++) + T(")");
  203836. outputDeviceNames.add (desc);
  203837. if (lpGUID != 0)
  203838. outputGuids.add (new GUID (*lpGUID));
  203839. else
  203840. outputGuids.add (0);
  203841. }
  203842. return TRUE;
  203843. }
  203844. static BOOL CALLBACK outputEnumProcW (LPGUID lpGUID, LPCWSTR description, LPCWSTR, LPVOID object)
  203845. {
  203846. return ((DSoundAudioIODeviceType*) object)
  203847. ->outputEnumProc (lpGUID, String (description));
  203848. }
  203849. static BOOL CALLBACK outputEnumProcA (LPGUID lpGUID, LPCTSTR description, LPCTSTR, LPVOID object)
  203850. {
  203851. return ((DSoundAudioIODeviceType*) object)
  203852. ->outputEnumProc (lpGUID, String (description));
  203853. }
  203854. BOOL CALLBACK inputEnumProc (LPGUID lpGUID, String desc)
  203855. {
  203856. desc = desc.trim();
  203857. if (desc.isNotEmpty())
  203858. {
  203859. const String origDesc (desc);
  203860. int n = 2;
  203861. while (inputDeviceNames.contains (desc))
  203862. desc = origDesc + T(" (") + String (n++) + T(")");
  203863. inputDeviceNames.add (desc);
  203864. if (lpGUID != 0)
  203865. inputGuids.add (new GUID (*lpGUID));
  203866. else
  203867. inputGuids.add (0);
  203868. }
  203869. return TRUE;
  203870. }
  203871. static BOOL CALLBACK inputEnumProcW (LPGUID lpGUID, LPCWSTR description, LPCWSTR, LPVOID object)
  203872. {
  203873. return ((DSoundAudioIODeviceType*) object)
  203874. ->inputEnumProc (lpGUID, String (description));
  203875. }
  203876. static BOOL CALLBACK inputEnumProcA (LPGUID lpGUID, LPCTSTR description, LPCTSTR, LPVOID object)
  203877. {
  203878. return ((DSoundAudioIODeviceType*) object)
  203879. ->inputEnumProc (lpGUID, String (description));
  203880. }
  203881. DSoundAudioIODeviceType (const DSoundAudioIODeviceType&);
  203882. const DSoundAudioIODeviceType& operator= (const DSoundAudioIODeviceType&);
  203883. };
  203884. AudioIODeviceType* juce_createDefaultAudioIODeviceType()
  203885. {
  203886. return new DSoundAudioIODeviceType();
  203887. }
  203888. const String DSoundAudioIODevice::openDevice (const BitArray& inputChannels,
  203889. const BitArray& outputChannels,
  203890. double sampleRate_,
  203891. int bufferSizeSamples_)
  203892. {
  203893. closeDevice();
  203894. totalSamplesOut = 0;
  203895. sampleRate = sampleRate_;
  203896. if (bufferSizeSamples_ <= 0)
  203897. bufferSizeSamples_ = 960; // use as a default size if none is set.
  203898. bufferSizeSamples = bufferSizeSamples_ & ~7;
  203899. DSoundAudioIODeviceType dlh;
  203900. dlh.scanForDevices();
  203901. enabledInputs = inputChannels;
  203902. enabledInputs.setRange (inChannels.size(),
  203903. enabledInputs.getHighestBit() + 1 - inChannels.size(),
  203904. false);
  203905. numInputBuffers = enabledInputs.countNumberOfSetBits();
  203906. inputBuffers = new float* [numInputBuffers + 2];
  203907. zeromem (inputBuffers, sizeof (float*) * numInputBuffers + 2);
  203908. int i, numIns = 0;
  203909. for (i = 0; i <= enabledInputs.getHighestBit(); i += 2)
  203910. {
  203911. float* left = 0;
  203912. float* right = 0;
  203913. if (enabledInputs[i])
  203914. left = inputBuffers[numIns++] = (float*) juce_calloc ((bufferSizeSamples + 16) * sizeof (float));
  203915. if (enabledInputs[i + 1])
  203916. right = inputBuffers[numIns++] = (float*) juce_calloc ((bufferSizeSamples + 16) * sizeof (float));
  203917. if (left != 0 || right != 0)
  203918. inChans.add (new DSoundInternalInChannel (dlh.inputDeviceNames [inputDeviceIndex],
  203919. dlh.inputGuids [inputDeviceIndex],
  203920. (int) sampleRate, bufferSizeSamples,
  203921. left, right));
  203922. }
  203923. enabledOutputs = outputChannels;
  203924. enabledOutputs.setRange (outChannels.size(),
  203925. enabledOutputs.getHighestBit() + 1 - outChannels.size(),
  203926. false);
  203927. numOutputBuffers = enabledOutputs.countNumberOfSetBits();
  203928. outputBuffers = new float* [numOutputBuffers + 2];
  203929. zeromem (outputBuffers, sizeof (float*) * numOutputBuffers + 2);
  203930. int numOuts = 0;
  203931. for (i = 0; i <= enabledOutputs.getHighestBit(); i += 2)
  203932. {
  203933. float* left = 0;
  203934. float* right = 0;
  203935. if (enabledOutputs[i])
  203936. left = outputBuffers[numOuts++] = (float*) juce_calloc ((bufferSizeSamples + 16) * sizeof (float));
  203937. if (enabledOutputs[i + 1])
  203938. right = outputBuffers[numOuts++] = (float*) juce_calloc ((bufferSizeSamples + 16) * sizeof (float));
  203939. if (left != 0 || right != 0)
  203940. outChans.add (new DSoundInternalOutChannel (dlh.outputDeviceNames[outputDeviceIndex],
  203941. dlh.outputGuids [outputDeviceIndex],
  203942. (int) sampleRate, bufferSizeSamples,
  203943. left, right));
  203944. }
  203945. String error;
  203946. // boost our priority while opening the devices to try to get better sync between them
  203947. const int oldThreadPri = GetThreadPriority (GetCurrentThread());
  203948. const int oldProcPri = GetPriorityClass (GetCurrentProcess());
  203949. SetThreadPriority (GetCurrentThread(), THREAD_PRIORITY_TIME_CRITICAL);
  203950. SetPriorityClass (GetCurrentProcess(), REALTIME_PRIORITY_CLASS);
  203951. for (i = 0; i < outChans.size(); ++i)
  203952. {
  203953. error = outChans[i]->open();
  203954. if (error.isNotEmpty())
  203955. {
  203956. error = T("Error opening ") + dlh.outputDeviceNames[i]
  203957. + T(": \"") + error + T("\"");
  203958. break;
  203959. }
  203960. }
  203961. if (error.isEmpty())
  203962. {
  203963. for (i = 0; i < inChans.size(); ++i)
  203964. {
  203965. error = inChans[i]->open();
  203966. if (error.isNotEmpty())
  203967. {
  203968. error = T("Error opening ") + dlh.inputDeviceNames[i]
  203969. + T(": \"") + error + T("\"");
  203970. break;
  203971. }
  203972. }
  203973. }
  203974. if (error.isEmpty())
  203975. {
  203976. totalSamplesOut = 0;
  203977. for (i = 0; i < outChans.size(); ++i)
  203978. outChans.getUnchecked(i)->synchronisePosition();
  203979. for (i = 0; i < inChans.size(); ++i)
  203980. inChans.getUnchecked(i)->synchronisePosition();
  203981. startThread (9);
  203982. sleep (10);
  203983. notify();
  203984. }
  203985. else
  203986. {
  203987. log (error);
  203988. }
  203989. SetThreadPriority (GetCurrentThread(), oldThreadPri);
  203990. SetPriorityClass (GetCurrentProcess(), oldProcPri);
  203991. return error;
  203992. }
  203993. #undef log
  203994. END_JUCE_NAMESPACE
  203995. /********* End of inlined file: juce_win32_DirectSound.cpp *********/
  203996. /********* Start of inlined file: juce_win32_FileChooser.cpp *********/
  203997. #ifdef _MSC_VER
  203998. #pragma warning (disable: 4514)
  203999. #pragma warning (push)
  204000. #endif
  204001. #include <shlobj.h>
  204002. BEGIN_JUCE_NAMESPACE
  204003. #ifdef _MSC_VER
  204004. #pragma warning (pop)
  204005. #endif
  204006. static const void* defaultDirPath = 0;
  204007. static String returnedString; // need this to get non-existent pathnames from the directory chooser
  204008. static Component* currentExtraFileWin = 0;
  204009. static bool areThereAnyAlwaysOnTopWindows()
  204010. {
  204011. for (int i = Desktop::getInstance().getNumComponents(); --i >= 0;)
  204012. {
  204013. Component* c = Desktop::getInstance().getComponent (i);
  204014. if (c != 0 && c->isAlwaysOnTop() && c->isShowing())
  204015. return true;
  204016. }
  204017. return false;
  204018. }
  204019. static int CALLBACK browseCallbackProc (HWND hWnd, UINT msg, LPARAM lParam, LPARAM /*lpData*/)
  204020. {
  204021. if (msg == BFFM_INITIALIZED)
  204022. {
  204023. SendMessage (hWnd, BFFM_SETSELECTIONW, TRUE, (LPARAM) defaultDirPath);
  204024. }
  204025. else if (msg == BFFM_VALIDATEFAILEDW)
  204026. {
  204027. returnedString = (LPCWSTR) lParam;
  204028. }
  204029. else if (msg == BFFM_VALIDATEFAILEDA)
  204030. {
  204031. returnedString = (const char*) lParam;
  204032. }
  204033. return 0;
  204034. }
  204035. void juce_setWindowStyleBit (HWND h, int styleType, int feature, bool bitIsSet);
  204036. static UINT_PTR CALLBACK openCallback (HWND hdlg, UINT uiMsg, WPARAM /*wParam*/, LPARAM lParam)
  204037. {
  204038. if (currentExtraFileWin != 0)
  204039. {
  204040. if (uiMsg == WM_INITDIALOG)
  204041. {
  204042. HWND dialogH = GetParent (hdlg);
  204043. jassert (dialogH != 0);
  204044. if (dialogH == 0)
  204045. dialogH = hdlg;
  204046. RECT r, cr;
  204047. GetWindowRect (dialogH, &r);
  204048. GetClientRect (dialogH, &cr);
  204049. SetWindowPos (dialogH, 0,
  204050. r.left, r.top,
  204051. currentExtraFileWin->getWidth() + jmax (150, r.right - r.left),
  204052. jmax (150, r.bottom - r.top),
  204053. SWP_NOACTIVATE | SWP_NOOWNERZORDER | SWP_NOZORDER);
  204054. currentExtraFileWin->setBounds (cr.right, cr.top, currentExtraFileWin->getWidth(), cr.bottom - cr.top);
  204055. currentExtraFileWin->getChildComponent(0)->setBounds (0, 0, currentExtraFileWin->getWidth(), currentExtraFileWin->getHeight());
  204056. SetParent ((HWND) currentExtraFileWin->getWindowHandle(), (HWND) dialogH);
  204057. juce_setWindowStyleBit ((HWND)currentExtraFileWin->getWindowHandle(), GWL_STYLE, WS_CHILD, (dialogH != 0));
  204058. juce_setWindowStyleBit ((HWND)currentExtraFileWin->getWindowHandle(), GWL_STYLE, WS_POPUP, (dialogH == 0));
  204059. }
  204060. else if (uiMsg == WM_NOTIFY)
  204061. {
  204062. LPOFNOTIFY ofn = (LPOFNOTIFY) lParam;
  204063. if (ofn->hdr.code == CDN_SELCHANGE)
  204064. {
  204065. FilePreviewComponent* comp = (FilePreviewComponent*) currentExtraFileWin->getChildComponent(0);
  204066. if (comp != 0)
  204067. {
  204068. TCHAR path [MAX_PATH * 2];
  204069. path[0] = 0;
  204070. CommDlg_OpenSave_GetFilePath (GetParent (hdlg), (LPARAM) &path, MAX_PATH);
  204071. const String fn ((const WCHAR*) path);
  204072. comp->selectedFileChanged (File (fn));
  204073. }
  204074. }
  204075. }
  204076. }
  204077. return 0;
  204078. }
  204079. class FPComponentHolder : public Component
  204080. {
  204081. public:
  204082. FPComponentHolder()
  204083. {
  204084. setVisible (true);
  204085. setOpaque (true);
  204086. }
  204087. ~FPComponentHolder()
  204088. {
  204089. }
  204090. void paint (Graphics& g)
  204091. {
  204092. g.fillAll (Colours::lightgrey);
  204093. }
  204094. private:
  204095. FPComponentHolder (const FPComponentHolder&);
  204096. const FPComponentHolder& operator= (const FPComponentHolder&);
  204097. };
  204098. void FileChooser::showPlatformDialog (OwnedArray<File>& results,
  204099. const String& title,
  204100. const File& currentFileOrDirectory,
  204101. const String& filter,
  204102. bool selectsDirectory,
  204103. bool isSaveDialogue,
  204104. bool warnAboutOverwritingExistingFiles,
  204105. bool selectMultipleFiles,
  204106. FilePreviewComponent* extraInfoComponent)
  204107. {
  204108. const int numCharsAvailable = 32768;
  204109. MemoryBlock filenameSpace ((numCharsAvailable + 1) * sizeof (WCHAR), true);
  204110. WCHAR* const fname = (WCHAR*) filenameSpace.getData();
  204111. int fnameIdx = 0;
  204112. JUCE_TRY
  204113. {
  204114. // use a modal window as the parent for this dialog box
  204115. // to block input from other app windows
  204116. const Rectangle mainMon (Desktop::getInstance().getMainMonitorArea());
  204117. Component w (String::empty);
  204118. w.setBounds (mainMon.getX() + mainMon.getWidth() / 4,
  204119. mainMon.getY() + mainMon.getHeight() / 4,
  204120. 0, 0);
  204121. w.setOpaque (true);
  204122. w.setAlwaysOnTop (areThereAnyAlwaysOnTopWindows());
  204123. w.addToDesktop (0);
  204124. if (extraInfoComponent == 0)
  204125. w.enterModalState();
  204126. String initialDir;
  204127. if (currentFileOrDirectory.isDirectory())
  204128. {
  204129. initialDir = currentFileOrDirectory.getFullPathName();
  204130. }
  204131. else
  204132. {
  204133. currentFileOrDirectory.getFileName().copyToBuffer (fname, numCharsAvailable);
  204134. initialDir = currentFileOrDirectory.getParentDirectory().getFullPathName();
  204135. }
  204136. if (currentExtraFileWin->isValidComponent())
  204137. {
  204138. jassertfalse
  204139. return;
  204140. }
  204141. if (selectsDirectory)
  204142. {
  204143. LPITEMIDLIST list = 0;
  204144. filenameSpace.fillWith (0);
  204145. {
  204146. BROWSEINFO bi;
  204147. zerostruct (bi);
  204148. bi.hwndOwner = (HWND) w.getWindowHandle();
  204149. bi.pszDisplayName = fname;
  204150. bi.lpszTitle = title;
  204151. bi.lpfn = browseCallbackProc;
  204152. #ifdef BIF_USENEWUI
  204153. bi.ulFlags = BIF_USENEWUI | BIF_VALIDATE;
  204154. #else
  204155. bi.ulFlags = 0x50;
  204156. #endif
  204157. defaultDirPath = (const WCHAR*) initialDir;
  204158. list = SHBrowseForFolder (&bi);
  204159. if (! SHGetPathFromIDListW (list, fname))
  204160. {
  204161. fname[0] = 0;
  204162. returnedString = String::empty;
  204163. }
  204164. }
  204165. LPMALLOC al;
  204166. if (list != 0 && SUCCEEDED (SHGetMalloc (&al)))
  204167. al->Free (list);
  204168. defaultDirPath = 0;
  204169. if (returnedString.isNotEmpty())
  204170. {
  204171. const String stringFName (fname);
  204172. results.add (new File (File (stringFName).getSiblingFile (returnedString)));
  204173. returnedString = String::empty;
  204174. return;
  204175. }
  204176. }
  204177. else
  204178. {
  204179. DWORD flags = OFN_EXPLORER | OFN_PATHMUSTEXIST | OFN_NOCHANGEDIR | OFN_HIDEREADONLY;
  204180. if (warnAboutOverwritingExistingFiles)
  204181. flags |= OFN_OVERWRITEPROMPT;
  204182. if (selectMultipleFiles)
  204183. flags |= OFN_ALLOWMULTISELECT;
  204184. if (extraInfoComponent != 0)
  204185. {
  204186. flags |= OFN_ENABLEHOOK;
  204187. currentExtraFileWin = new FPComponentHolder();
  204188. currentExtraFileWin->addAndMakeVisible (extraInfoComponent);
  204189. currentExtraFileWin->setSize (jlimit (20, 800, extraInfoComponent->getWidth()),
  204190. extraInfoComponent->getHeight());
  204191. currentExtraFileWin->addToDesktop (0);
  204192. currentExtraFileWin->enterModalState();
  204193. }
  204194. {
  204195. WCHAR filters [1024];
  204196. zeromem (filters, sizeof (filters));
  204197. filter.copyToBuffer (filters, 1024);
  204198. filter.copyToBuffer (filters + filter.length() + 1,
  204199. 1022 - filter.length());
  204200. OPENFILENAMEW of;
  204201. zerostruct (of);
  204202. #ifdef OPENFILENAME_SIZE_VERSION_400W
  204203. of.lStructSize = OPENFILENAME_SIZE_VERSION_400W;
  204204. #else
  204205. of.lStructSize = sizeof (of);
  204206. #endif
  204207. of.hwndOwner = (HWND) w.getWindowHandle();
  204208. of.lpstrFilter = filters;
  204209. of.nFilterIndex = 1;
  204210. of.lpstrFile = fname;
  204211. of.nMaxFile = numCharsAvailable;
  204212. of.lpstrInitialDir = initialDir;
  204213. of.lpstrTitle = title;
  204214. of.Flags = flags;
  204215. if (extraInfoComponent != 0)
  204216. of.lpfnHook = &openCallback;
  204217. if (isSaveDialogue)
  204218. {
  204219. if (! GetSaveFileName (&of))
  204220. fname[0] = 0;
  204221. else
  204222. fnameIdx = of.nFileOffset;
  204223. }
  204224. else
  204225. {
  204226. if (! GetOpenFileName (&of))
  204227. fname[0] = 0;
  204228. else
  204229. fnameIdx = of.nFileOffset;
  204230. }
  204231. }
  204232. }
  204233. }
  204234. #if JUCE_CATCH_UNHANDLED_EXCEPTIONS
  204235. catch (...)
  204236. {
  204237. fname[0] = 0;
  204238. }
  204239. #endif
  204240. deleteAndZero (currentExtraFileWin);
  204241. const WCHAR* const files = fname;
  204242. if (selectMultipleFiles && fnameIdx > 0 && files [fnameIdx - 1] == 0)
  204243. {
  204244. const WCHAR* filename = files + fnameIdx;
  204245. while (*filename != 0)
  204246. {
  204247. const String filepath (String (files) + T("\\") + String (filename));
  204248. results.add (new File (filepath));
  204249. filename += CharacterFunctions::length (filename) + 1;
  204250. }
  204251. }
  204252. else if (files[0] != 0)
  204253. {
  204254. results.add (new File (files));
  204255. }
  204256. }
  204257. END_JUCE_NAMESPACE
  204258. /********* End of inlined file: juce_win32_FileChooser.cpp *********/
  204259. /********* Start of inlined file: juce_win32_Fonts.cpp *********/
  204260. BEGIN_JUCE_NAMESPACE
  204261. static int CALLBACK wfontEnum2 (ENUMLOGFONTEXW* lpelfe,
  204262. NEWTEXTMETRICEXW*,
  204263. int type,
  204264. LPARAM lParam)
  204265. {
  204266. if (lpelfe != 0 && type == TRUETYPE_FONTTYPE)
  204267. {
  204268. const String fontName (lpelfe->elfLogFont.lfFaceName);
  204269. ((StringArray*) lParam)->addIfNotAlreadyThere (fontName.removeCharacters (T("@")));
  204270. }
  204271. return 1;
  204272. }
  204273. static int CALLBACK wfontEnum1 (ENUMLOGFONTEXW* lpelfe,
  204274. NEWTEXTMETRICEXW*,
  204275. int type,
  204276. LPARAM lParam)
  204277. {
  204278. if (lpelfe != 0
  204279. && ((type & (DEVICE_FONTTYPE | RASTER_FONTTYPE)) == 0))
  204280. {
  204281. LOGFONTW lf;
  204282. zerostruct (lf);
  204283. lf.lfWeight = FW_DONTCARE;
  204284. lf.lfOutPrecision = OUT_TT_ONLY_PRECIS;
  204285. lf.lfQuality = DEFAULT_QUALITY;
  204286. lf.lfCharSet = DEFAULT_CHARSET;
  204287. lf.lfClipPrecision = CLIP_DEFAULT_PRECIS;
  204288. lf.lfPitchAndFamily = FF_DONTCARE;
  204289. const String fontName (lpelfe->elfLogFont.lfFaceName);
  204290. fontName.copyToBuffer (lf.lfFaceName, LF_FACESIZE - 1);
  204291. HDC dc = CreateCompatibleDC (0);
  204292. EnumFontFamiliesEx (dc, &lf,
  204293. (FONTENUMPROCW) &wfontEnum2,
  204294. lParam, 0);
  204295. DeleteDC (dc);
  204296. }
  204297. return 1;
  204298. }
  204299. const StringArray Font::findAllTypefaceNames() throw()
  204300. {
  204301. StringArray results;
  204302. HDC dc = CreateCompatibleDC (0);
  204303. {
  204304. LOGFONTW lf;
  204305. zerostruct (lf);
  204306. lf.lfWeight = FW_DONTCARE;
  204307. lf.lfOutPrecision = OUT_TT_ONLY_PRECIS;
  204308. lf.lfQuality = DEFAULT_QUALITY;
  204309. lf.lfCharSet = DEFAULT_CHARSET;
  204310. lf.lfClipPrecision = CLIP_DEFAULT_PRECIS;
  204311. lf.lfPitchAndFamily = FF_DONTCARE;
  204312. lf.lfFaceName[0] = 0;
  204313. EnumFontFamiliesEx (dc, &lf,
  204314. (FONTENUMPROCW) &wfontEnum1,
  204315. (LPARAM) &results, 0);
  204316. }
  204317. DeleteDC (dc);
  204318. results.sort (true);
  204319. return results;
  204320. }
  204321. extern bool juce_IsRunningInWine() throw();
  204322. void Font::getDefaultFontNames (String& defaultSans,
  204323. String& defaultSerif,
  204324. String& defaultFixed) throw()
  204325. {
  204326. if (juce_IsRunningInWine())
  204327. {
  204328. // If we're running in Wine, then use fonts that might be available on Linux..
  204329. defaultSans = "Bitstream Vera Sans";
  204330. defaultSerif = "Bitstream Vera Serif";
  204331. defaultFixed = "Bitstream Vera Sans Mono";
  204332. }
  204333. else
  204334. {
  204335. defaultSans = "Verdana";
  204336. defaultSerif = "Times";
  204337. defaultFixed = "Lucida Console";
  204338. }
  204339. }
  204340. class FontDCHolder : private DeletedAtShutdown
  204341. {
  204342. HDC dc;
  204343. String fontName;
  204344. KERNINGPAIR* kps;
  204345. int numKPs;
  204346. bool bold, italic;
  204347. int size;
  204348. FontDCHolder (const FontDCHolder&);
  204349. const FontDCHolder& operator= (const FontDCHolder&);
  204350. public:
  204351. HFONT fontH;
  204352. FontDCHolder() throw()
  204353. : dc (0),
  204354. kps (0),
  204355. numKPs (0),
  204356. bold (false),
  204357. italic (false),
  204358. size (0)
  204359. {
  204360. }
  204361. ~FontDCHolder() throw()
  204362. {
  204363. if (dc != 0)
  204364. {
  204365. DeleteDC (dc);
  204366. DeleteObject (fontH);
  204367. juce_free (kps);
  204368. }
  204369. clearSingletonInstance();
  204370. }
  204371. juce_DeclareSingleton_SingleThreaded_Minimal (FontDCHolder);
  204372. HDC loadFont (const String& fontName_,
  204373. const bool bold_,
  204374. const bool italic_,
  204375. const int size_) throw()
  204376. {
  204377. if (fontName != fontName_ || bold != bold_ || italic != italic_ || size != size_)
  204378. {
  204379. fontName = fontName_;
  204380. bold = bold_;
  204381. italic = italic_;
  204382. size = size_;
  204383. if (dc != 0)
  204384. {
  204385. DeleteDC (dc);
  204386. DeleteObject (fontH);
  204387. juce_free (kps);
  204388. kps = 0;
  204389. }
  204390. fontH = 0;
  204391. dc = CreateCompatibleDC (0);
  204392. SetMapperFlags (dc, 0);
  204393. SetMapMode (dc, MM_TEXT);
  204394. LOGFONTW lfw;
  204395. zerostruct (lfw);
  204396. lfw.lfCharSet = DEFAULT_CHARSET;
  204397. lfw.lfClipPrecision = CLIP_DEFAULT_PRECIS;
  204398. lfw.lfOutPrecision = OUT_OUTLINE_PRECIS;
  204399. lfw.lfPitchAndFamily = DEFAULT_PITCH | FF_DONTCARE;
  204400. lfw.lfQuality = PROOF_QUALITY;
  204401. lfw.lfItalic = (BYTE) (italic ? TRUE : FALSE);
  204402. lfw.lfWeight = bold ? FW_BOLD : FW_NORMAL;
  204403. fontName.copyToBuffer (lfw.lfFaceName, LF_FACESIZE - 1);
  204404. lfw.lfHeight = size > 0 ? size : -256;
  204405. HFONT standardSizedFont = CreateFontIndirect (&lfw);
  204406. if (standardSizedFont != 0)
  204407. {
  204408. if (SelectObject (dc, standardSizedFont) != 0)
  204409. {
  204410. fontH = standardSizedFont;
  204411. if (size == 0)
  204412. {
  204413. OUTLINETEXTMETRIC otm;
  204414. if (GetOutlineTextMetrics (dc, sizeof (otm), &otm) != 0)
  204415. {
  204416. lfw.lfHeight = -(int) otm.otmEMSquare;
  204417. fontH = CreateFontIndirect (&lfw);
  204418. SelectObject (dc, fontH);
  204419. DeleteObject (standardSizedFont);
  204420. }
  204421. }
  204422. }
  204423. else
  204424. {
  204425. jassertfalse
  204426. }
  204427. }
  204428. else
  204429. {
  204430. jassertfalse
  204431. }
  204432. }
  204433. return dc;
  204434. }
  204435. KERNINGPAIR* getKerningPairs (int& numKPs_) throw()
  204436. {
  204437. if (kps == 0)
  204438. {
  204439. numKPs = GetKerningPairs (dc, 0, 0);
  204440. kps = (KERNINGPAIR*) juce_calloc (sizeof (KERNINGPAIR) * numKPs);
  204441. GetKerningPairs (dc, numKPs, kps);
  204442. }
  204443. numKPs_ = numKPs;
  204444. return kps;
  204445. }
  204446. };
  204447. juce_ImplementSingleton_SingleThreaded (FontDCHolder);
  204448. static bool addGlyphToTypeface (HDC dc,
  204449. juce_wchar character,
  204450. Typeface& dest,
  204451. bool addKerning)
  204452. {
  204453. Path destShape;
  204454. GLYPHMETRICS gm;
  204455. float height;
  204456. BOOL ok = false;
  204457. {
  204458. const WCHAR charToTest[] = { (WCHAR) character, 0 };
  204459. WORD index = 0;
  204460. if (GetGlyphIndices (dc, charToTest, 1, &index, GGI_MARK_NONEXISTING_GLYPHS) != GDI_ERROR
  204461. && index == 0xffff)
  204462. {
  204463. return false;
  204464. }
  204465. }
  204466. TEXTMETRIC tm;
  204467. ok = GetTextMetrics (dc, &tm);
  204468. height = (float) tm.tmHeight;
  204469. if (! ok)
  204470. {
  204471. dest.addGlyph (character, destShape, 0);
  204472. return true;
  204473. }
  204474. const float scaleX = 1.0f / height;
  204475. const float scaleY = -1.0f / height;
  204476. static const MAT2 identityMatrix = { { 0, 1 }, { 0, 0 }, { 0, 0 }, { 0, 1 } };
  204477. const int bufSize = GetGlyphOutline (dc, character, GGO_NATIVE,
  204478. &gm, 0, 0, &identityMatrix);
  204479. if (bufSize > 0)
  204480. {
  204481. char* const data = (char*) juce_malloc (bufSize);
  204482. GetGlyphOutline (dc, character, GGO_NATIVE, &gm,
  204483. bufSize, data, &identityMatrix);
  204484. const TTPOLYGONHEADER* pheader = (TTPOLYGONHEADER*) data;
  204485. while ((char*) pheader < data + bufSize)
  204486. {
  204487. #define remapX(v) (scaleX * (v).x.value)
  204488. #define remapY(v) (scaleY * (v).y.value)
  204489. float x = remapX (pheader->pfxStart);
  204490. float y = remapY (pheader->pfxStart);
  204491. destShape.startNewSubPath (x, y);
  204492. const TTPOLYCURVE* curve = (const TTPOLYCURVE*) ((const char*) pheader + sizeof (TTPOLYGONHEADER));
  204493. const char* const curveEnd = ((const char*) pheader) + pheader->cb;
  204494. while ((const char*) curve < curveEnd)
  204495. {
  204496. if (curve->wType == TT_PRIM_LINE)
  204497. {
  204498. for (int i = 0; i < curve->cpfx; ++i)
  204499. {
  204500. x = remapX (curve->apfx [i]);
  204501. y = remapY (curve->apfx [i]);
  204502. destShape.lineTo (x, y);
  204503. }
  204504. }
  204505. else if (curve->wType == TT_PRIM_QSPLINE)
  204506. {
  204507. for (int i = 0; i < curve->cpfx - 1; ++i)
  204508. {
  204509. const float x2 = remapX (curve->apfx [i]);
  204510. const float y2 = remapY (curve->apfx [i]);
  204511. float x3, y3;
  204512. if (i < curve->cpfx - 2)
  204513. {
  204514. x3 = 0.5f * (x2 + remapX (curve->apfx [i + 1]));
  204515. y3 = 0.5f * (y2 + remapY (curve->apfx [i + 1]));
  204516. }
  204517. else
  204518. {
  204519. x3 = remapX (curve->apfx [i + 1]);
  204520. y3 = remapY (curve->apfx [i + 1]);
  204521. }
  204522. destShape.quadraticTo (x2, y2, x3, y3);
  204523. x = x3;
  204524. y = y3;
  204525. }
  204526. }
  204527. curve = (const TTPOLYCURVE*) &(curve->apfx [curve->cpfx]);
  204528. }
  204529. pheader = (const TTPOLYGONHEADER*) curve;
  204530. destShape.closeSubPath();
  204531. }
  204532. juce_free (data);
  204533. }
  204534. dest.addGlyph (character, destShape, gm.gmCellIncX / height);
  204535. if (addKerning)
  204536. {
  204537. int numKPs;
  204538. const KERNINGPAIR* const kps = FontDCHolder::getInstance()->getKerningPairs (numKPs);
  204539. for (int i = 0; i < numKPs; ++i)
  204540. {
  204541. if (kps[i].wFirst == character)
  204542. {
  204543. dest.addKerningPair (kps[i].wFirst,
  204544. kps[i].wSecond,
  204545. kps[i].iKernAmount / height);
  204546. }
  204547. }
  204548. }
  204549. return true;
  204550. }
  204551. bool Typeface::findAndAddSystemGlyph (juce_wchar character) throw()
  204552. {
  204553. HDC dc = FontDCHolder::getInstance()->loadFont (getName(), isBold(), isItalic(), 0);
  204554. return addGlyphToTypeface (dc, character, *this, true);
  204555. }
  204556. /*Image* Typeface::renderGlyphToImage (juce_wchar character, float& topLeftX, float& topLeftY)
  204557. {
  204558. HDC dc = FontDCHolder::getInstance()->loadFont (getName(), isBold(), isItalic(), hintingSize);
  204559. int bufSize;
  204560. GLYPHMETRICS gm;
  204561. const UINT format = GGO_GRAY2_BITMAP;
  204562. const int shift = 6;
  204563. if (wGetGlyphOutlineW != 0)
  204564. bufSize = wGetGlyphOutlineW (dc, character, format, &gm, 0, 0, &identityMatrix);
  204565. else
  204566. bufSize = GetGlyphOutline (dc, character, format, &gm, 0, 0, &identityMatrix);
  204567. Image* im = new Image (Image::SingleChannel, jmax (1, gm.gmBlackBoxX), jmax (1, gm.gmBlackBoxY), true);
  204568. if (bufSize > 0)
  204569. {
  204570. topLeftX = (float) gm.gmptGlyphOrigin.x;
  204571. topLeftY = (float) -gm.gmptGlyphOrigin.y;
  204572. uint8* const data = (uint8*) juce_calloc (bufSize);
  204573. if (wGetGlyphOutlineW != 0)
  204574. wGetGlyphOutlineW (dc, character, format, &gm, bufSize, data, &identityMatrix);
  204575. else
  204576. GetGlyphOutline (dc, character, format, &gm, bufSize, data, &identityMatrix);
  204577. const int stride = ((gm.gmBlackBoxX + 3) & ~3);
  204578. for (int y = gm.gmBlackBoxY; --y >= 0;)
  204579. {
  204580. for (int x = gm.gmBlackBoxX; --x >= 0;)
  204581. {
  204582. const int level = data [x + y * stride] << shift;
  204583. if (level > 0)
  204584. im->setPixelAt (x, y, Colour ((uint8) 0xff, (uint8) 0xff, (uint8) 0xff, (uint8) jmin (0xff, level)));
  204585. }
  204586. }
  204587. juce_free (data);
  204588. }
  204589. return im;
  204590. }*/
  204591. void Typeface::initialiseTypefaceCharacteristics (const String& fontName,
  204592. bool bold,
  204593. bool italic,
  204594. bool addAllGlyphsToFont) throw()
  204595. {
  204596. clear();
  204597. HDC dc = FontDCHolder::getInstance()->loadFont (fontName, bold, italic, 0);
  204598. float height;
  204599. int firstChar, lastChar;
  204600. {
  204601. TEXTMETRIC tm;
  204602. GetTextMetrics (dc, &tm);
  204603. height = (float) tm.tmHeight;
  204604. firstChar = tm.tmFirstChar;
  204605. lastChar = tm.tmLastChar;
  204606. setAscent (tm.tmAscent / height);
  204607. setDefaultCharacter (tm.tmDefaultChar);
  204608. }
  204609. setName (fontName);
  204610. setBold (bold);
  204611. setItalic (italic);
  204612. if (addAllGlyphsToFont)
  204613. {
  204614. for (int character = firstChar; character <= lastChar; ++character)
  204615. addGlyphToTypeface (dc, (juce_wchar) character, *this, false);
  204616. int numKPs;
  204617. const KERNINGPAIR* const kps = FontDCHolder::getInstance()->getKerningPairs (numKPs);
  204618. for (int i = 0; i < numKPs; ++i)
  204619. {
  204620. addKerningPair (kps[i].wFirst,
  204621. kps[i].wSecond,
  204622. kps[i].iKernAmount / height);
  204623. }
  204624. }
  204625. }
  204626. END_JUCE_NAMESPACE
  204627. /********* End of inlined file: juce_win32_Fonts.cpp *********/
  204628. /********* Start of inlined file: juce_win32_Messaging.cpp *********/
  204629. BEGIN_JUCE_NAMESPACE
  204630. static const unsigned int specialId = WM_APP + 0x4400;
  204631. static const unsigned int broadcastId = WM_APP + 0x4403;
  204632. static const unsigned int specialCallbackId = WM_APP + 0x4402;
  204633. static const TCHAR* const messageWindowName = _T("JUCEWindow");
  204634. HWND juce_messageWindowHandle = 0;
  204635. extern long improbableWindowNumber; // defined in windowing.cpp
  204636. static LRESULT CALLBACK juce_MessageWndProc (HWND h,
  204637. const UINT message,
  204638. const WPARAM wParam,
  204639. const LPARAM lParam) throw()
  204640. {
  204641. JUCE_TRY
  204642. {
  204643. if (h == juce_messageWindowHandle)
  204644. {
  204645. if (message == specialCallbackId)
  204646. {
  204647. MessageCallbackFunction* const func = (MessageCallbackFunction*) wParam;
  204648. return (LRESULT) (*func) ((void*) lParam);
  204649. }
  204650. else if (message == specialId)
  204651. {
  204652. // these are trapped early in the dispatch call, but must also be checked
  204653. // here in case there are windows modal dialog boxes doing their own
  204654. // dispatch loop and not calling our version
  204655. MessageManager::getInstance()->deliverMessage ((void*) lParam);
  204656. return 0;
  204657. }
  204658. else if (message == broadcastId)
  204659. {
  204660. String* const messageString = (String*) lParam;
  204661. MessageManager::getInstance()->deliverBroadcastMessage (*messageString);
  204662. delete messageString;
  204663. return 0;
  204664. }
  204665. else if (message == WM_COPYDATA && ((const COPYDATASTRUCT*) lParam)->dwData == broadcastId)
  204666. {
  204667. const String messageString ((const juce_wchar*) ((const COPYDATASTRUCT*) lParam)->lpData,
  204668. ((const COPYDATASTRUCT*) lParam)->cbData / sizeof (juce_wchar));
  204669. PostMessage (juce_messageWindowHandle, broadcastId, 0, (LPARAM) new String (messageString));
  204670. return 0;
  204671. }
  204672. }
  204673. }
  204674. JUCE_CATCH_EXCEPTION
  204675. return DefWindowProc (h, message, wParam, lParam);
  204676. }
  204677. bool juce_dispatchNextMessageOnSystemQueue (const bool returnIfNoPendingMessages)
  204678. {
  204679. MSG m;
  204680. if (returnIfNoPendingMessages && ! PeekMessage (&m, (HWND) 0, 0, 0, 0))
  204681. return false;
  204682. if (GetMessage (&m, (HWND) 0, 0, 0) > 0)
  204683. {
  204684. if (m.message == specialId
  204685. && m.hwnd == juce_messageWindowHandle)
  204686. {
  204687. MessageManager::getInstance()->deliverMessage ((void*) m.lParam);
  204688. }
  204689. else
  204690. {
  204691. if (GetWindowLong (m.hwnd, GWLP_USERDATA) != improbableWindowNumber
  204692. && (m.message == WM_LBUTTONDOWN || m.message == WM_RBUTTONDOWN))
  204693. {
  204694. // if it's someone else's window being clicked on, and the focus is
  204695. // currently on a juce window, pass the kb focus over..
  204696. HWND currentFocus = GetFocus();
  204697. if (currentFocus == 0 || GetWindowLong (currentFocus, GWLP_USERDATA) == improbableWindowNumber)
  204698. SetFocus (m.hwnd);
  204699. }
  204700. TranslateMessage (&m);
  204701. DispatchMessage (&m);
  204702. }
  204703. }
  204704. return true;
  204705. }
  204706. bool juce_postMessageToSystemQueue (void* message)
  204707. {
  204708. return PostMessage (juce_messageWindowHandle, specialId, 0, (LPARAM) message) != 0;
  204709. }
  204710. void* MessageManager::callFunctionOnMessageThread (MessageCallbackFunction* callback,
  204711. void* userData)
  204712. {
  204713. if (MessageManager::getInstance()->isThisTheMessageThread())
  204714. {
  204715. return (*callback) (userData);
  204716. }
  204717. else
  204718. {
  204719. // If a thread has a MessageManagerLock and then tries to call this method, it'll
  204720. // deadlock because the message manager is blocked from running, and can't
  204721. // call your function..
  204722. jassert (! MessageManager::getInstance()->currentThreadHasLockedMessageManager());
  204723. return (void*) SendMessage (juce_messageWindowHandle,
  204724. specialCallbackId,
  204725. (WPARAM) callback,
  204726. (LPARAM) userData);
  204727. }
  204728. }
  204729. static BOOL CALLBACK BroadcastEnumWindowProc (HWND hwnd, LPARAM lParam)
  204730. {
  204731. if (hwnd != juce_messageWindowHandle)
  204732. (reinterpret_cast <VoidArray*> (lParam))->add ((void*) hwnd);
  204733. return TRUE;
  204734. }
  204735. void MessageManager::broadcastMessage (const String& value) throw()
  204736. {
  204737. VoidArray windows;
  204738. EnumWindows (&BroadcastEnumWindowProc, (LPARAM) &windows);
  204739. const String localCopy (value);
  204740. COPYDATASTRUCT data;
  204741. data.dwData = broadcastId;
  204742. data.cbData = (localCopy.length() + 1) * sizeof (juce_wchar);
  204743. data.lpData = (void*) (const juce_wchar*) localCopy;
  204744. for (int i = windows.size(); --i >= 0;)
  204745. {
  204746. HWND hwnd = (HWND) windows.getUnchecked(i);
  204747. TCHAR windowName [64]; // no need to read longer strings than this
  204748. GetWindowText (hwnd, windowName, 64);
  204749. windowName [63] = 0;
  204750. if (String (windowName) == String (messageWindowName))
  204751. {
  204752. DWORD_PTR result;
  204753. SendMessageTimeout (hwnd, WM_COPYDATA,
  204754. (WPARAM) juce_messageWindowHandle,
  204755. (LPARAM) &data,
  204756. SMTO_BLOCK | SMTO_ABORTIFHUNG,
  204757. 8000,
  204758. &result);
  204759. }
  204760. }
  204761. }
  204762. static const String getMessageWindowClassName()
  204763. {
  204764. // this name has to be different for each app/dll instance because otherwise
  204765. // poor old Win32 can get a bit confused (even despite it not being a process-global
  204766. // window class).
  204767. static int number = 0;
  204768. if (number == 0)
  204769. number = 0x7fffffff & (int) Time::getHighResolutionTicks();
  204770. return T("JUCEcs_") + String (number);
  204771. }
  204772. void MessageManager::doPlatformSpecificInitialisation()
  204773. {
  204774. OleInitialize (0);
  204775. const String className (getMessageWindowClassName());
  204776. HMODULE hmod = (HMODULE) PlatformUtilities::getCurrentModuleInstanceHandle();
  204777. WNDCLASSEX wc;
  204778. zerostruct (wc);
  204779. wc.cbSize = sizeof (wc);
  204780. wc.lpfnWndProc = (WNDPROC) juce_MessageWndProc;
  204781. wc.cbWndExtra = 4;
  204782. wc.hInstance = hmod;
  204783. wc.lpszClassName = className;
  204784. RegisterClassEx (&wc);
  204785. juce_messageWindowHandle = CreateWindow (wc.lpszClassName,
  204786. messageWindowName,
  204787. 0, 0, 0, 0, 0, 0, 0,
  204788. hmod, 0);
  204789. }
  204790. void MessageManager::doPlatformSpecificShutdown()
  204791. {
  204792. DestroyWindow (juce_messageWindowHandle);
  204793. UnregisterClass (getMessageWindowClassName(), 0);
  204794. OleUninitialize();
  204795. }
  204796. END_JUCE_NAMESPACE
  204797. /********* End of inlined file: juce_win32_Messaging.cpp *********/
  204798. /********* Start of inlined file: juce_win32_Midi.cpp *********/
  204799. BEGIN_JUCE_NAMESPACE
  204800. #if JUCE_MSVC
  204801. #pragma warning (disable: 4312)
  204802. #endif
  204803. using ::free;
  204804. static const int midiBufferSize = 1024 * 10;
  204805. static const int numInHeaders = 32;
  204806. static const int inBufferSize = 256;
  204807. static Array <void*, CriticalSection> activeMidiThreads;
  204808. class MidiInThread : public Thread
  204809. {
  204810. public:
  204811. MidiInThread (MidiInput* const input_,
  204812. MidiInputCallback* const callback_)
  204813. : Thread ("Juce Midi"),
  204814. hIn (0),
  204815. input (input_),
  204816. callback (callback_),
  204817. isStarted (false),
  204818. startTime (0),
  204819. pendingLength(0)
  204820. {
  204821. for (int i = numInHeaders; --i >= 0;)
  204822. {
  204823. zeromem (&hdr[i], sizeof (MIDIHDR));
  204824. hdr[i].lpData = inData[i];
  204825. hdr[i].dwBufferLength = inBufferSize;
  204826. }
  204827. };
  204828. ~MidiInThread()
  204829. {
  204830. stop();
  204831. if (hIn != 0)
  204832. {
  204833. int count = 5;
  204834. while (--count >= 0)
  204835. {
  204836. if (midiInClose (hIn) == MMSYSERR_NOERROR)
  204837. break;
  204838. Sleep (20);
  204839. }
  204840. }
  204841. }
  204842. void handle (const uint32 message, const uint32 timeStamp) throw()
  204843. {
  204844. const int byte = message & 0xff;
  204845. if (byte < 0x80)
  204846. return;
  204847. const int numBytes = MidiMessage::getMessageLengthFromFirstByte ((uint8) byte);
  204848. const double time = timeStampToTime (timeStamp);
  204849. lock.enter();
  204850. if (pendingLength < midiBufferSize - 12)
  204851. {
  204852. char* const p = pending + pendingLength;
  204853. *(double*) p = time;
  204854. *(uint32*) (p + 8) = numBytes;
  204855. *(uint32*) (p + 12) = message;
  204856. pendingLength += 12 + numBytes;
  204857. }
  204858. else
  204859. {
  204860. jassertfalse // midi buffer overflow! You might need to increase the size..
  204861. }
  204862. lock.exit();
  204863. notify();
  204864. }
  204865. void handleSysEx (MIDIHDR* const hdr, const uint32 timeStamp) throw()
  204866. {
  204867. const int num = hdr->dwBytesRecorded;
  204868. if (num > 0)
  204869. {
  204870. const double time = timeStampToTime (timeStamp);
  204871. lock.enter();
  204872. if (pendingLength < midiBufferSize - (8 + num))
  204873. {
  204874. char* const p = pending + pendingLength;
  204875. *(double*) p = time;
  204876. *(uint32*) (p + 8) = num;
  204877. memcpy (p + 12, hdr->lpData, num);
  204878. pendingLength += 12 + num;
  204879. }
  204880. else
  204881. {
  204882. jassertfalse // midi buffer overflow! You might need to increase the size..
  204883. }
  204884. lock.exit();
  204885. notify();
  204886. }
  204887. }
  204888. void writeBlock (const int i) throw()
  204889. {
  204890. hdr[i].dwBytesRecorded = 0;
  204891. MMRESULT res = midiInPrepareHeader (hIn, &hdr[i], sizeof (MIDIHDR));
  204892. jassert (res == MMSYSERR_NOERROR);
  204893. res = midiInAddBuffer (hIn, &hdr[i], sizeof (MIDIHDR));
  204894. jassert (res == MMSYSERR_NOERROR);
  204895. }
  204896. void run()
  204897. {
  204898. MemoryBlock pendingCopy (64);
  204899. while (! threadShouldExit())
  204900. {
  204901. for (int i = 0; i < numInHeaders; ++i)
  204902. {
  204903. if ((hdr[i].dwFlags & WHDR_DONE) != 0)
  204904. {
  204905. MMRESULT res = midiInUnprepareHeader (hIn, &hdr[i], sizeof (MIDIHDR));
  204906. (void) res;
  204907. jassert (res == MMSYSERR_NOERROR);
  204908. writeBlock (i);
  204909. }
  204910. }
  204911. lock.enter();
  204912. int len = pendingLength;
  204913. if (len > 0)
  204914. {
  204915. pendingCopy.ensureSize (len);
  204916. pendingCopy.copyFrom (pending, 0, len);
  204917. pendingLength = 0;
  204918. }
  204919. lock.exit();
  204920. //xxx needs to figure out if blocks are broken up or not
  204921. if (len == 0)
  204922. {
  204923. wait (500);
  204924. }
  204925. else
  204926. {
  204927. const char* p = (const char*) pendingCopy.getData();
  204928. while (len > 0)
  204929. {
  204930. const double time = *(const double*) p;
  204931. const int messageLen = *(const int*) (p + 8);
  204932. const MidiMessage message ((const uint8*) (p + 12), messageLen, time);
  204933. callback->handleIncomingMidiMessage (input, message);
  204934. p += 12 + messageLen;
  204935. len -= 12 + messageLen;
  204936. }
  204937. }
  204938. }
  204939. }
  204940. void start() throw()
  204941. {
  204942. jassert (hIn != 0);
  204943. if (hIn != 0 && ! isStarted)
  204944. {
  204945. stop();
  204946. activeMidiThreads.addIfNotAlreadyThere (this);
  204947. int i;
  204948. for (i = 0; i < numInHeaders; ++i)
  204949. writeBlock (i);
  204950. startTime = Time::getMillisecondCounter();
  204951. MMRESULT res = midiInStart (hIn);
  204952. jassert (res == MMSYSERR_NOERROR);
  204953. if (res == MMSYSERR_NOERROR)
  204954. {
  204955. isStarted = true;
  204956. pendingLength = 0;
  204957. startThread (6);
  204958. }
  204959. }
  204960. }
  204961. void stop() throw()
  204962. {
  204963. if (isStarted)
  204964. {
  204965. stopThread (5000);
  204966. midiInReset (hIn);
  204967. midiInStop (hIn);
  204968. activeMidiThreads.removeValue (this);
  204969. lock.enter();
  204970. lock.exit();
  204971. for (int i = numInHeaders; --i >= 0;)
  204972. {
  204973. if ((hdr[i].dwFlags & WHDR_DONE) != 0)
  204974. {
  204975. int c = 10;
  204976. while (--c >= 0 && midiInUnprepareHeader (hIn, &hdr[i], sizeof (MIDIHDR)) == MIDIERR_STILLPLAYING)
  204977. Sleep (20);
  204978. jassert (c >= 0);
  204979. }
  204980. }
  204981. isStarted = false;
  204982. pendingLength = 0;
  204983. }
  204984. }
  204985. juce_UseDebuggingNewOperator
  204986. HMIDIIN hIn;
  204987. private:
  204988. MidiInput* input;
  204989. MidiInputCallback* callback;
  204990. bool isStarted;
  204991. uint32 startTime;
  204992. CriticalSection lock;
  204993. MIDIHDR hdr [numInHeaders];
  204994. char inData [numInHeaders] [inBufferSize];
  204995. int pendingLength;
  204996. char pending [midiBufferSize];
  204997. double timeStampToTime (uint32 timeStamp) throw()
  204998. {
  204999. timeStamp += startTime;
  205000. const uint32 now = Time::getMillisecondCounter();
  205001. if (timeStamp > now)
  205002. {
  205003. if (timeStamp > now + 2)
  205004. --startTime;
  205005. timeStamp = now;
  205006. }
  205007. return 0.001 * timeStamp;
  205008. }
  205009. MidiInThread (const MidiInThread&);
  205010. const MidiInThread& operator= (const MidiInThread&);
  205011. };
  205012. static void CALLBACK midiInCallback (HMIDIIN,
  205013. UINT uMsg,
  205014. DWORD_PTR dwInstance,
  205015. DWORD_PTR midiMessage,
  205016. DWORD_PTR timeStamp)
  205017. {
  205018. MidiInThread* const thread = (MidiInThread*) dwInstance;
  205019. if (thread != 0 && activeMidiThreads.contains (thread))
  205020. {
  205021. if (uMsg == MIM_DATA)
  205022. thread->handle ((uint32) midiMessage, (uint32) timeStamp);
  205023. else if (uMsg == MIM_LONGDATA)
  205024. thread->handleSysEx ((MIDIHDR*) midiMessage, (uint32) timeStamp);
  205025. }
  205026. }
  205027. const StringArray MidiInput::getDevices()
  205028. {
  205029. StringArray s;
  205030. const int num = midiInGetNumDevs();
  205031. for (int i = 0; i < num; ++i)
  205032. {
  205033. MIDIINCAPS mc;
  205034. zerostruct (mc);
  205035. if (midiInGetDevCaps (i, &mc, sizeof (mc)) == MMSYSERR_NOERROR)
  205036. s.add (String (mc.szPname, sizeof (mc.szPname)));
  205037. }
  205038. return s;
  205039. }
  205040. int MidiInput::getDefaultDeviceIndex()
  205041. {
  205042. return 0;
  205043. }
  205044. MidiInput* MidiInput::openDevice (const int index, MidiInputCallback* const callback)
  205045. {
  205046. if (callback == 0)
  205047. return 0;
  205048. UINT deviceId = MIDI_MAPPER;
  205049. int n = 0;
  205050. String name;
  205051. const int num = midiInGetNumDevs();
  205052. for (int i = 0; i < num; ++i)
  205053. {
  205054. MIDIINCAPS mc;
  205055. zerostruct (mc);
  205056. if (midiInGetDevCaps (i, &mc, sizeof (mc)) == MMSYSERR_NOERROR)
  205057. {
  205058. if (index == n)
  205059. {
  205060. deviceId = i;
  205061. name = String (mc.szPname, sizeof (mc.szPname));
  205062. break;
  205063. }
  205064. ++n;
  205065. }
  205066. }
  205067. MidiInput* const in = new MidiInput (name);
  205068. MidiInThread* const thread = new MidiInThread (in, callback);
  205069. HMIDIIN h;
  205070. HRESULT err = midiInOpen (&h, deviceId,
  205071. (DWORD_PTR) &midiInCallback,
  205072. (DWORD_PTR) thread,
  205073. CALLBACK_FUNCTION);
  205074. if (err == MMSYSERR_NOERROR)
  205075. {
  205076. thread->hIn = h;
  205077. in->internal = (void*) thread;
  205078. return in;
  205079. }
  205080. else
  205081. {
  205082. delete in;
  205083. delete thread;
  205084. return 0;
  205085. }
  205086. }
  205087. MidiInput::MidiInput (const String& name_)
  205088. : name (name_),
  205089. internal (0)
  205090. {
  205091. }
  205092. MidiInput::~MidiInput()
  205093. {
  205094. if (internal != 0)
  205095. {
  205096. MidiInThread* const thread = (MidiInThread*) internal;
  205097. delete thread;
  205098. }
  205099. }
  205100. void MidiInput::start()
  205101. {
  205102. ((MidiInThread*) internal)->start();
  205103. }
  205104. void MidiInput::stop()
  205105. {
  205106. ((MidiInThread*) internal)->stop();
  205107. }
  205108. struct MidiOutHandle
  205109. {
  205110. int refCount;
  205111. UINT deviceId;
  205112. HMIDIOUT handle;
  205113. juce_UseDebuggingNewOperator
  205114. };
  205115. static VoidArray handles (4);
  205116. const StringArray MidiOutput::getDevices()
  205117. {
  205118. StringArray s;
  205119. const int num = midiOutGetNumDevs();
  205120. for (int i = 0; i < num; ++i)
  205121. {
  205122. MIDIOUTCAPS mc;
  205123. zerostruct (mc);
  205124. if (midiOutGetDevCaps (i, &mc, sizeof (mc)) == MMSYSERR_NOERROR)
  205125. s.add (String (mc.szPname, sizeof (mc.szPname)));
  205126. }
  205127. return s;
  205128. }
  205129. int MidiOutput::getDefaultDeviceIndex()
  205130. {
  205131. const int num = midiOutGetNumDevs();
  205132. int n = 0;
  205133. for (int i = 0; i < num; ++i)
  205134. {
  205135. MIDIOUTCAPS mc;
  205136. zerostruct (mc);
  205137. if (midiOutGetDevCaps (i, &mc, sizeof (mc)) == MMSYSERR_NOERROR)
  205138. {
  205139. if ((mc.wTechnology & MOD_MAPPER) != 0)
  205140. return n;
  205141. ++n;
  205142. }
  205143. }
  205144. return 0;
  205145. }
  205146. MidiOutput* MidiOutput::openDevice (int index)
  205147. {
  205148. UINT deviceId = MIDI_MAPPER;
  205149. const int num = midiOutGetNumDevs();
  205150. int i, n = 0;
  205151. for (i = 0; i < num; ++i)
  205152. {
  205153. MIDIOUTCAPS mc;
  205154. zerostruct (mc);
  205155. if (midiOutGetDevCaps (i, &mc, sizeof (mc)) == MMSYSERR_NOERROR)
  205156. {
  205157. // use the microsoft sw synth as a default - best not to allow deviceId
  205158. // to be MIDI_MAPPER, or else device sharing breaks
  205159. if (String (mc.szPname, sizeof (mc.szPname)).containsIgnoreCase (T("microsoft")))
  205160. deviceId = i;
  205161. if (index == n)
  205162. {
  205163. deviceId = i;
  205164. break;
  205165. }
  205166. ++n;
  205167. }
  205168. }
  205169. for (i = handles.size(); --i >= 0;)
  205170. {
  205171. MidiOutHandle* const han = (MidiOutHandle*) handles.getUnchecked(i);
  205172. if (han != 0 && han->deviceId == deviceId)
  205173. {
  205174. han->refCount++;
  205175. MidiOutput* const out = new MidiOutput();
  205176. out->internal = (void*) han;
  205177. return out;
  205178. }
  205179. }
  205180. for (i = 4; --i >= 0;)
  205181. {
  205182. HMIDIOUT h = 0;
  205183. MMRESULT res = midiOutOpen (&h, deviceId, 0, 0, CALLBACK_NULL);
  205184. if (res == MMSYSERR_NOERROR)
  205185. {
  205186. MidiOutHandle* const han = new MidiOutHandle();
  205187. han->deviceId = deviceId;
  205188. han->refCount = 1;
  205189. han->handle = h;
  205190. handles.add (han);
  205191. MidiOutput* const out = new MidiOutput();
  205192. out->internal = (void*) han;
  205193. return out;
  205194. }
  205195. else if (res == MMSYSERR_ALLOCATED)
  205196. {
  205197. Sleep (100);
  205198. }
  205199. else
  205200. {
  205201. break;
  205202. }
  205203. }
  205204. return 0;
  205205. }
  205206. MidiOutput::~MidiOutput()
  205207. {
  205208. MidiOutHandle* const h = (MidiOutHandle*) internal;
  205209. if (handles.contains ((void*) h) && --(h->refCount) == 0)
  205210. {
  205211. midiOutClose (h->handle);
  205212. handles.removeValue ((void*) h);
  205213. delete h;
  205214. }
  205215. }
  205216. void MidiOutput::reset()
  205217. {
  205218. const MidiOutHandle* const h = (MidiOutHandle*) internal;
  205219. midiOutReset (h->handle);
  205220. }
  205221. bool MidiOutput::getVolume (float& leftVol,
  205222. float& rightVol)
  205223. {
  205224. const MidiOutHandle* const handle = (const MidiOutHandle*) internal;
  205225. DWORD n;
  205226. if (midiOutGetVolume (handle->handle, &n) == MMSYSERR_NOERROR)
  205227. {
  205228. const unsigned short* const nn = (const unsigned short*) &n;
  205229. rightVol = nn[0] / (float) 0xffff;
  205230. leftVol = nn[1] / (float) 0xffff;
  205231. return true;
  205232. }
  205233. else
  205234. {
  205235. rightVol = leftVol = 1.0f;
  205236. return false;
  205237. }
  205238. }
  205239. void MidiOutput::setVolume (float leftVol,
  205240. float rightVol)
  205241. {
  205242. const MidiOutHandle* const handle = (MidiOutHandle*) internal;
  205243. DWORD n;
  205244. unsigned short* const nn = (unsigned short*) &n;
  205245. nn[0] = (unsigned short) jlimit (0, 0xffff, (int)(rightVol * 0xffff));
  205246. nn[1] = (unsigned short) jlimit (0, 0xffff, (int)(leftVol * 0xffff));
  205247. midiOutSetVolume (handle->handle, n);
  205248. }
  205249. void MidiOutput::sendMessageNow (const MidiMessage& message)
  205250. {
  205251. const MidiOutHandle* const handle = (const MidiOutHandle*) internal;
  205252. if (message.getRawDataSize() > 3
  205253. || message.isSysEx())
  205254. {
  205255. MIDIHDR h;
  205256. zerostruct (h);
  205257. h.lpData = (char*) message.getRawData();
  205258. h.dwBufferLength = message.getRawDataSize();
  205259. h.dwBytesRecorded = message.getRawDataSize();
  205260. if (midiOutPrepareHeader (handle->handle, &h, sizeof (MIDIHDR)) == MMSYSERR_NOERROR)
  205261. {
  205262. MMRESULT res = midiOutLongMsg (handle->handle, &h, sizeof (MIDIHDR));
  205263. if (res == MMSYSERR_NOERROR)
  205264. {
  205265. while ((h.dwFlags & MHDR_DONE) == 0)
  205266. Sleep (1);
  205267. int count = 500; // 1 sec timeout
  205268. while (--count >= 0)
  205269. {
  205270. res = midiOutUnprepareHeader (handle->handle, &h, sizeof (MIDIHDR));
  205271. if (res == MIDIERR_STILLPLAYING)
  205272. Sleep (2);
  205273. else
  205274. break;
  205275. }
  205276. }
  205277. }
  205278. }
  205279. else
  205280. {
  205281. midiOutShortMsg (handle->handle,
  205282. *(unsigned int*) message.getRawData());
  205283. }
  205284. }
  205285. END_JUCE_NAMESPACE
  205286. /********* End of inlined file: juce_win32_Midi.cpp *********/
  205287. /********* Start of inlined file: juce_win32_WebBrowserComponent.cpp *********/
  205288. #ifdef _MSC_VER
  205289. #pragma warning (disable: 4514)
  205290. #pragma warning (push)
  205291. #endif
  205292. #include <comutil.h>
  205293. #include <Exdisp.h>
  205294. #include <exdispid.h>
  205295. #ifdef _MSC_VER
  205296. #pragma warning (pop)
  205297. #pragma warning (disable: 4312 4244)
  205298. #endif
  205299. BEGIN_JUCE_NAMESPACE
  205300. class WebBrowserComponentInternal : public ActiveXControlComponent
  205301. {
  205302. public:
  205303. WebBrowserComponentInternal()
  205304. : browser (0),
  205305. connectionPoint (0),
  205306. adviseCookie (0)
  205307. {
  205308. }
  205309. ~WebBrowserComponentInternal()
  205310. {
  205311. if (connectionPoint != 0)
  205312. connectionPoint->Unadvise (adviseCookie);
  205313. if (browser != 0)
  205314. browser->Release();
  205315. }
  205316. void createBrowser()
  205317. {
  205318. createControl (&CLSID_WebBrowser);
  205319. browser = (IWebBrowser2*) queryInterface (&IID_IWebBrowser2);
  205320. IConnectionPointContainer* connectionPointContainer = (IConnectionPointContainer*) queryInterface (&IID_IConnectionPointContainer);
  205321. if (connectionPointContainer != 0)
  205322. {
  205323. connectionPointContainer->FindConnectionPoint (DIID_DWebBrowserEvents2,
  205324. &connectionPoint);
  205325. if (connectionPoint != 0)
  205326. {
  205327. WebBrowserComponent* const owner = dynamic_cast <WebBrowserComponent*> (getParentComponent());
  205328. jassert (owner != 0);
  205329. EventHandler* handler = new EventHandler (owner);
  205330. connectionPoint->Advise (handler, &adviseCookie);
  205331. }
  205332. }
  205333. }
  205334. void goToURL (const String& url,
  205335. const StringArray* headers,
  205336. const MemoryBlock* postData)
  205337. {
  205338. if (browser != 0)
  205339. {
  205340. LPSAFEARRAY sa = 0;
  205341. _variant_t flags, frame, postDataVar, headersVar;
  205342. if (headers != 0)
  205343. headersVar = (const tchar*) headers->joinIntoString ("\r\n");
  205344. if (postData != 0 && postData->getSize() > 0)
  205345. {
  205346. LPSAFEARRAY sa = SafeArrayCreateVector (VT_UI1, 0, postData->getSize());
  205347. if (sa != 0)
  205348. {
  205349. void* data = 0;
  205350. SafeArrayAccessData (sa, &data);
  205351. jassert (data != 0);
  205352. if (data != 0)
  205353. {
  205354. postData->copyTo (data, 0, postData->getSize());
  205355. SafeArrayUnaccessData (sa);
  205356. VARIANT postDataVar2;
  205357. VariantInit (&postDataVar2);
  205358. V_VT (&postDataVar2) = VT_ARRAY | VT_UI1;
  205359. V_ARRAY (&postDataVar2) = sa;
  205360. postDataVar = postDataVar2;
  205361. }
  205362. }
  205363. }
  205364. browser->Navigate ((BSTR) (const OLECHAR*) url,
  205365. &flags, &frame,
  205366. &postDataVar, &headersVar);
  205367. if (sa != 0)
  205368. SafeArrayDestroy (sa);
  205369. }
  205370. }
  205371. IWebBrowser2* browser;
  205372. juce_UseDebuggingNewOperator
  205373. private:
  205374. IConnectionPoint* connectionPoint;
  205375. DWORD adviseCookie;
  205376. class EventHandler : public IDispatch
  205377. {
  205378. public:
  205379. EventHandler (WebBrowserComponent* owner_)
  205380. : owner (owner_),
  205381. refCount (0)
  205382. {
  205383. }
  205384. ~EventHandler()
  205385. {
  205386. }
  205387. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  205388. {
  205389. if (id == IID_IUnknown || id == IID_IDispatch || id == DIID_DWebBrowserEvents2)
  205390. {
  205391. AddRef();
  205392. *result = this;
  205393. return S_OK;
  205394. }
  205395. *result = 0;
  205396. return E_NOINTERFACE;
  205397. }
  205398. ULONG __stdcall AddRef() { return ++refCount; }
  205399. ULONG __stdcall Release() { jassert (refCount > 0); const int r = --refCount; if (r == 0) delete this; return r; }
  205400. HRESULT __stdcall GetTypeInfoCount (UINT __RPC_FAR*) { return E_NOTIMPL; }
  205401. HRESULT __stdcall GetTypeInfo (UINT, LCID, ITypeInfo __RPC_FAR *__RPC_FAR*) { return E_NOTIMPL; }
  205402. HRESULT __stdcall GetIDsOfNames (REFIID, LPOLESTR __RPC_FAR*, UINT, LCID, DISPID __RPC_FAR*) { return E_NOTIMPL; }
  205403. HRESULT __stdcall Invoke (DISPID dispIdMember, REFIID /*riid*/, LCID /*lcid*/,
  205404. WORD /*wFlags*/, DISPPARAMS __RPC_FAR* pDispParams,
  205405. VARIANT __RPC_FAR* /*pVarResult*/, EXCEPINFO __RPC_FAR* /*pExcepInfo*/,
  205406. UINT __RPC_FAR* /*puArgErr*/)
  205407. {
  205408. switch (dispIdMember)
  205409. {
  205410. case DISPID_BEFORENAVIGATE2:
  205411. {
  205412. VARIANT* const vurl = pDispParams->rgvarg[5].pvarVal;
  205413. String url;
  205414. if ((vurl->vt & VT_BYREF) != 0)
  205415. url = *vurl->pbstrVal;
  205416. else
  205417. url = vurl->bstrVal;
  205418. *pDispParams->rgvarg->pboolVal
  205419. = owner->pageAboutToLoad (url) ? VARIANT_FALSE
  205420. : VARIANT_TRUE;
  205421. return S_OK;
  205422. }
  205423. default:
  205424. break;
  205425. }
  205426. return E_NOTIMPL;
  205427. }
  205428. juce_UseDebuggingNewOperator
  205429. private:
  205430. WebBrowserComponent* const owner;
  205431. int refCount;
  205432. EventHandler (const EventHandler&);
  205433. const EventHandler& operator= (const EventHandler&);
  205434. };
  205435. };
  205436. WebBrowserComponent::WebBrowserComponent()
  205437. : browser (0),
  205438. blankPageShown (false)
  205439. {
  205440. setOpaque (true);
  205441. addAndMakeVisible (browser = new WebBrowserComponentInternal());
  205442. }
  205443. WebBrowserComponent::~WebBrowserComponent()
  205444. {
  205445. delete browser;
  205446. }
  205447. void WebBrowserComponent::goToURL (const String& url,
  205448. const StringArray* headers,
  205449. const MemoryBlock* postData)
  205450. {
  205451. lastURL = url;
  205452. lastHeaders.clear();
  205453. if (headers != 0)
  205454. lastHeaders = *headers;
  205455. lastPostData.setSize (0);
  205456. if (postData != 0)
  205457. lastPostData = *postData;
  205458. blankPageShown = false;
  205459. browser->goToURL (url, headers, postData);
  205460. }
  205461. void WebBrowserComponent::stop()
  205462. {
  205463. if (browser->browser != 0)
  205464. browser->browser->Stop();
  205465. }
  205466. void WebBrowserComponent::goBack()
  205467. {
  205468. lastURL = String::empty;
  205469. blankPageShown = false;
  205470. if (browser->browser != 0)
  205471. browser->browser->GoBack();
  205472. }
  205473. void WebBrowserComponent::goForward()
  205474. {
  205475. lastURL = String::empty;
  205476. if (browser->browser != 0)
  205477. browser->browser->GoForward();
  205478. }
  205479. void WebBrowserComponent::paint (Graphics& g)
  205480. {
  205481. if (browser->browser == 0)
  205482. g.fillAll (Colours::white);
  205483. }
  205484. void WebBrowserComponent::checkWindowAssociation()
  205485. {
  205486. if (isShowing())
  205487. {
  205488. if (browser->browser == 0 && getPeer() != 0)
  205489. {
  205490. browser->createBrowser();
  205491. reloadLastURL();
  205492. }
  205493. else
  205494. {
  205495. if (blankPageShown)
  205496. goBack();
  205497. }
  205498. }
  205499. else
  205500. {
  205501. if (browser != 0 && ! blankPageShown)
  205502. {
  205503. // when the component becomes invisible, some stuff like flash
  205504. // carries on playing audio, so we need to force it onto a blank
  205505. // page to avoid this..
  205506. blankPageShown = true;
  205507. browser->goToURL ("about:blank", 0, 0);
  205508. }
  205509. }
  205510. }
  205511. void WebBrowserComponent::reloadLastURL()
  205512. {
  205513. if (lastURL.isNotEmpty())
  205514. {
  205515. goToURL (lastURL, &lastHeaders, &lastPostData);
  205516. lastURL = String::empty;
  205517. }
  205518. }
  205519. void WebBrowserComponent::parentHierarchyChanged()
  205520. {
  205521. checkWindowAssociation();
  205522. }
  205523. void WebBrowserComponent::moved()
  205524. {
  205525. }
  205526. void WebBrowserComponent::resized()
  205527. {
  205528. browser->setSize (getWidth(), getHeight());
  205529. }
  205530. void WebBrowserComponent::visibilityChanged()
  205531. {
  205532. checkWindowAssociation();
  205533. }
  205534. bool WebBrowserComponent::pageAboutToLoad (const String&)
  205535. {
  205536. return true;
  205537. }
  205538. END_JUCE_NAMESPACE
  205539. /********* End of inlined file: juce_win32_WebBrowserComponent.cpp *********/
  205540. /********* Start of inlined file: juce_win32_Windowing.cpp *********/
  205541. #ifdef _MSC_VER
  205542. #pragma warning (disable: 4514)
  205543. #pragma warning (push)
  205544. #endif
  205545. #include <float.h>
  205546. #include <windowsx.h>
  205547. #include <shlobj.h>
  205548. #if JUCE_OPENGL
  205549. #include <gl/gl.h>
  205550. #endif
  205551. #ifdef _MSC_VER
  205552. #pragma warning (pop)
  205553. #pragma warning (disable: 4312 4244)
  205554. #endif
  205555. #undef GetSystemMetrics // multimon overrides this for some reason and causes a mess..
  205556. // these are in the windows SDK, but need to be repeated here for GCC..
  205557. #ifndef GET_APPCOMMAND_LPARAM
  205558. #define FAPPCOMMAND_MASK 0xF000
  205559. #define GET_APPCOMMAND_LPARAM(lParam) ((short) (HIWORD (lParam) & ~FAPPCOMMAND_MASK))
  205560. #define APPCOMMAND_MEDIA_NEXTTRACK 11
  205561. #define APPCOMMAND_MEDIA_PREVIOUSTRACK 12
  205562. #define APPCOMMAND_MEDIA_STOP 13
  205563. #define APPCOMMAND_MEDIA_PLAY_PAUSE 14
  205564. #define WM_APPCOMMAND 0x0319
  205565. #endif
  205566. BEGIN_JUCE_NAMESPACE
  205567. extern void juce_repeatLastProcessPriority() throw(); // in juce_win32_Threads.cpp
  205568. extern void juce_CheckCurrentlyFocusedTopLevelWindow() throw(); // in juce_TopLevelWindow.cpp
  205569. extern bool juce_IsRunningInWine() throw();
  205570. #ifndef ULW_ALPHA
  205571. #define ULW_ALPHA 0x00000002
  205572. #endif
  205573. #ifndef AC_SRC_ALPHA
  205574. #define AC_SRC_ALPHA 0x01
  205575. #endif
  205576. #define DEBUG_REPAINT_TIMES 0
  205577. static HPALETTE palette = 0;
  205578. static bool createPaletteIfNeeded = true;
  205579. static bool shouldDeactivateTitleBar = true;
  205580. static bool screenSaverAllowed = true;
  205581. static HICON createHICONFromImage (const Image& image, const BOOL isIcon, int hotspotX, int hotspotY) throw();
  205582. #define WM_TRAYNOTIFY WM_USER + 100
  205583. using ::abs;
  205584. typedef BOOL (WINAPI* UpdateLayeredWinFunc) (HWND, HDC, POINT*, SIZE*, HDC, POINT*, COLORREF, BLENDFUNCTION*, DWORD);
  205585. static UpdateLayeredWinFunc updateLayeredWindow = 0;
  205586. bool Desktop::canUseSemiTransparentWindows() throw()
  205587. {
  205588. if (updateLayeredWindow == 0)
  205589. {
  205590. if (! juce_IsRunningInWine())
  205591. {
  205592. HMODULE user32Mod = GetModuleHandle (_T("user32.dll"));
  205593. updateLayeredWindow = (UpdateLayeredWinFunc) GetProcAddress (user32Mod, "UpdateLayeredWindow");
  205594. }
  205595. }
  205596. return updateLayeredWindow != 0;
  205597. }
  205598. #undef DefWindowProc
  205599. #define DefWindowProc DefWindowProcW
  205600. const int extendedKeyModifier = 0x10000;
  205601. const int KeyPress::spaceKey = VK_SPACE;
  205602. const int KeyPress::returnKey = VK_RETURN;
  205603. const int KeyPress::escapeKey = VK_ESCAPE;
  205604. const int KeyPress::backspaceKey = VK_BACK;
  205605. const int KeyPress::deleteKey = VK_DELETE | extendedKeyModifier;
  205606. const int KeyPress::insertKey = VK_INSERT | extendedKeyModifier;
  205607. const int KeyPress::tabKey = VK_TAB;
  205608. const int KeyPress::leftKey = VK_LEFT | extendedKeyModifier;
  205609. const int KeyPress::rightKey = VK_RIGHT | extendedKeyModifier;
  205610. const int KeyPress::upKey = VK_UP | extendedKeyModifier;
  205611. const int KeyPress::downKey = VK_DOWN | extendedKeyModifier;
  205612. const int KeyPress::homeKey = VK_HOME | extendedKeyModifier;
  205613. const int KeyPress::endKey = VK_END | extendedKeyModifier;
  205614. const int KeyPress::pageUpKey = VK_PRIOR | extendedKeyModifier;
  205615. const int KeyPress::pageDownKey = VK_NEXT | extendedKeyModifier;
  205616. const int KeyPress::F1Key = VK_F1 | extendedKeyModifier;
  205617. const int KeyPress::F2Key = VK_F2 | extendedKeyModifier;
  205618. const int KeyPress::F3Key = VK_F3 | extendedKeyModifier;
  205619. const int KeyPress::F4Key = VK_F4 | extendedKeyModifier;
  205620. const int KeyPress::F5Key = VK_F5 | extendedKeyModifier;
  205621. const int KeyPress::F6Key = VK_F6 | extendedKeyModifier;
  205622. const int KeyPress::F7Key = VK_F7 | extendedKeyModifier;
  205623. const int KeyPress::F8Key = VK_F8 | extendedKeyModifier;
  205624. const int KeyPress::F9Key = VK_F9 | extendedKeyModifier;
  205625. const int KeyPress::F10Key = VK_F10 | extendedKeyModifier;
  205626. const int KeyPress::F11Key = VK_F11 | extendedKeyModifier;
  205627. const int KeyPress::F12Key = VK_F12 | extendedKeyModifier;
  205628. const int KeyPress::F13Key = VK_F13 | extendedKeyModifier;
  205629. const int KeyPress::F14Key = VK_F14 | extendedKeyModifier;
  205630. const int KeyPress::F15Key = VK_F15 | extendedKeyModifier;
  205631. const int KeyPress::F16Key = VK_F16 | extendedKeyModifier;
  205632. const int KeyPress::numberPad0 = VK_NUMPAD0 | extendedKeyModifier;
  205633. const int KeyPress::numberPad1 = VK_NUMPAD1 | extendedKeyModifier;
  205634. const int KeyPress::numberPad2 = VK_NUMPAD2 | extendedKeyModifier;
  205635. const int KeyPress::numberPad3 = VK_NUMPAD3 | extendedKeyModifier;
  205636. const int KeyPress::numberPad4 = VK_NUMPAD4 | extendedKeyModifier;
  205637. const int KeyPress::numberPad5 = VK_NUMPAD5 | extendedKeyModifier;
  205638. const int KeyPress::numberPad6 = VK_NUMPAD6 | extendedKeyModifier;
  205639. const int KeyPress::numberPad7 = VK_NUMPAD7 | extendedKeyModifier;
  205640. const int KeyPress::numberPad8 = VK_NUMPAD8 | extendedKeyModifier;
  205641. const int KeyPress::numberPad9 = VK_NUMPAD9 | extendedKeyModifier;
  205642. const int KeyPress::numberPadAdd = VK_ADD | extendedKeyModifier;
  205643. const int KeyPress::numberPadSubtract = VK_SUBTRACT | extendedKeyModifier;
  205644. const int KeyPress::numberPadMultiply = VK_MULTIPLY | extendedKeyModifier;
  205645. const int KeyPress::numberPadDivide = VK_DIVIDE | extendedKeyModifier;
  205646. const int KeyPress::numberPadSeparator = VK_SEPARATOR | extendedKeyModifier;
  205647. const int KeyPress::numberPadDecimalPoint = VK_DECIMAL | extendedKeyModifier;
  205648. const int KeyPress::numberPadEquals = 0x92 /*VK_OEM_NEC_EQUAL*/ | extendedKeyModifier;
  205649. const int KeyPress::numberPadDelete = VK_DELETE | extendedKeyModifier;
  205650. const int KeyPress::playKey = 0x30000;
  205651. const int KeyPress::stopKey = 0x30001;
  205652. const int KeyPress::fastForwardKey = 0x30002;
  205653. const int KeyPress::rewindKey = 0x30003;
  205654. class WindowsBitmapImage : public Image
  205655. {
  205656. public:
  205657. HBITMAP hBitmap;
  205658. BITMAPV4HEADER bitmapInfo;
  205659. HDC hdc;
  205660. unsigned char* bitmapData;
  205661. WindowsBitmapImage (const PixelFormat format_,
  205662. const int w, const int h, const bool clearImage)
  205663. : Image (format_, w, h)
  205664. {
  205665. jassert (format_ == RGB || format_ == ARGB);
  205666. pixelStride = (format_ == RGB) ? 3 : 4;
  205667. zerostruct (bitmapInfo);
  205668. bitmapInfo.bV4Size = sizeof (BITMAPV4HEADER);
  205669. bitmapInfo.bV4Width = w;
  205670. bitmapInfo.bV4Height = h;
  205671. bitmapInfo.bV4Planes = 1;
  205672. bitmapInfo.bV4BitCount = (unsigned short) (pixelStride * 8);
  205673. if (format_ == ARGB)
  205674. {
  205675. bitmapInfo.bV4AlphaMask = 0xff000000;
  205676. bitmapInfo.bV4RedMask = 0xff0000;
  205677. bitmapInfo.bV4GreenMask = 0xff00;
  205678. bitmapInfo.bV4BlueMask = 0xff;
  205679. bitmapInfo.bV4V4Compression = BI_BITFIELDS;
  205680. }
  205681. else
  205682. {
  205683. bitmapInfo.bV4V4Compression = BI_RGB;
  205684. }
  205685. lineStride = -((w * pixelStride + 3) & ~3);
  205686. HDC dc = GetDC (0);
  205687. hdc = CreateCompatibleDC (dc);
  205688. ReleaseDC (0, dc);
  205689. SetMapMode (hdc, MM_TEXT);
  205690. hBitmap = CreateDIBSection (hdc,
  205691. (BITMAPINFO*) &(bitmapInfo),
  205692. DIB_RGB_COLORS,
  205693. (void**) &bitmapData,
  205694. 0, 0);
  205695. SelectObject (hdc, hBitmap);
  205696. if (format_ == ARGB && clearImage)
  205697. zeromem (bitmapData, abs (h * lineStride));
  205698. imageData = bitmapData - (lineStride * (h - 1));
  205699. }
  205700. ~WindowsBitmapImage()
  205701. {
  205702. DeleteDC (hdc);
  205703. DeleteObject (hBitmap);
  205704. imageData = 0; // to stop the base class freeing this
  205705. }
  205706. void blitToWindow (HWND hwnd, HDC dc, const bool transparent,
  205707. const int x, const int y,
  205708. const RectangleList& maskedRegion) throw()
  205709. {
  205710. static HDRAWDIB hdd = 0;
  205711. static bool needToCreateDrawDib = true;
  205712. if (needToCreateDrawDib)
  205713. {
  205714. needToCreateDrawDib = false;
  205715. HDC dc = GetDC (0);
  205716. const int n = GetDeviceCaps (dc, BITSPIXEL);
  205717. ReleaseDC (0, dc);
  205718. // only open if we're not palettised
  205719. if (n > 8)
  205720. hdd = DrawDibOpen();
  205721. }
  205722. if (createPaletteIfNeeded)
  205723. {
  205724. HDC dc = GetDC (0);
  205725. const int n = GetDeviceCaps (dc, BITSPIXEL);
  205726. ReleaseDC (0, dc);
  205727. if (n <= 8)
  205728. palette = CreateHalftonePalette (dc);
  205729. createPaletteIfNeeded = false;
  205730. }
  205731. if (palette != 0)
  205732. {
  205733. SelectPalette (dc, palette, FALSE);
  205734. RealizePalette (dc);
  205735. SetStretchBltMode (dc, HALFTONE);
  205736. }
  205737. SetMapMode (dc, MM_TEXT);
  205738. if (transparent)
  205739. {
  205740. POINT p, pos;
  205741. SIZE size;
  205742. RECT windowBounds;
  205743. GetWindowRect (hwnd, &windowBounds);
  205744. p.x = -x;
  205745. p.y = -y;
  205746. pos.x = windowBounds.left;
  205747. pos.y = windowBounds.top;
  205748. size.cx = windowBounds.right - windowBounds.left;
  205749. size.cy = windowBounds.bottom - windowBounds.top;
  205750. BLENDFUNCTION bf;
  205751. bf.AlphaFormat = AC_SRC_ALPHA;
  205752. bf.BlendFlags = 0;
  205753. bf.BlendOp = AC_SRC_OVER;
  205754. bf.SourceConstantAlpha = 0xff;
  205755. if (! maskedRegion.isEmpty())
  205756. {
  205757. for (RectangleList::Iterator i (maskedRegion); i.next();)
  205758. {
  205759. const Rectangle& r = *i.getRectangle();
  205760. ExcludeClipRect (hdc, r.getX(), r.getY(), r.getRight(), r.getBottom());
  205761. }
  205762. }
  205763. updateLayeredWindow (hwnd, 0, &pos, &size, hdc, &p, 0, &bf, ULW_ALPHA);
  205764. }
  205765. else
  205766. {
  205767. int savedDC = 0;
  205768. if (! maskedRegion.isEmpty())
  205769. {
  205770. savedDC = SaveDC (dc);
  205771. for (RectangleList::Iterator i (maskedRegion); i.next();)
  205772. {
  205773. const Rectangle& r = *i.getRectangle();
  205774. ExcludeClipRect (dc, r.getX(), r.getY(), r.getRight(), r.getBottom());
  205775. }
  205776. }
  205777. const int w = getWidth();
  205778. const int h = getHeight();
  205779. if (hdd == 0)
  205780. {
  205781. StretchDIBits (dc,
  205782. x, y, w, h,
  205783. 0, 0, w, h,
  205784. bitmapData, (const BITMAPINFO*) &bitmapInfo,
  205785. DIB_RGB_COLORS, SRCCOPY);
  205786. }
  205787. else
  205788. {
  205789. DrawDibDraw (hdd, dc, x, y, -1, -1,
  205790. (BITMAPINFOHEADER*) &bitmapInfo, bitmapData,
  205791. 0, 0, w, h, 0);
  205792. }
  205793. if (! maskedRegion.isEmpty())
  205794. RestoreDC (dc, savedDC);
  205795. }
  205796. }
  205797. juce_UseDebuggingNewOperator
  205798. private:
  205799. WindowsBitmapImage (const WindowsBitmapImage&);
  205800. const WindowsBitmapImage& operator= (const WindowsBitmapImage&);
  205801. };
  205802. long improbableWindowNumber = 0xf965aa01; // also referenced by messaging.cpp
  205803. static int currentModifiers = 0;
  205804. static int modifiersAtLastCallback = 0;
  205805. static void updateKeyModifiers() throw()
  205806. {
  205807. currentModifiers &= ~(ModifierKeys::shiftModifier
  205808. | ModifierKeys::ctrlModifier
  205809. | ModifierKeys::altModifier);
  205810. if ((GetKeyState (VK_SHIFT) & 0x8000) != 0)
  205811. currentModifiers |= ModifierKeys::shiftModifier;
  205812. if ((GetKeyState (VK_CONTROL) & 0x8000) != 0)
  205813. currentModifiers |= ModifierKeys::ctrlModifier;
  205814. if ((GetKeyState (VK_MENU) & 0x8000) != 0)
  205815. currentModifiers |= ModifierKeys::altModifier;
  205816. if ((GetKeyState (VK_RMENU) & 0x8000) != 0)
  205817. currentModifiers &= ~(ModifierKeys::ctrlModifier | ModifierKeys::altModifier);
  205818. }
  205819. void ModifierKeys::updateCurrentModifiers() throw()
  205820. {
  205821. currentModifierFlags = currentModifiers;
  205822. }
  205823. bool KeyPress::isKeyCurrentlyDown (const int keyCode) throw()
  205824. {
  205825. SHORT k = (SHORT) keyCode;
  205826. if ((keyCode & extendedKeyModifier) == 0
  205827. && (k >= (SHORT) T('a') && k <= (SHORT) T('z')))
  205828. k += (SHORT) T('A') - (SHORT) T('a');
  205829. const SHORT translatedValues[] = { (SHORT) ',', VK_OEM_COMMA,
  205830. (SHORT) '+', VK_OEM_PLUS,
  205831. (SHORT) '-', VK_OEM_MINUS,
  205832. (SHORT) '.', VK_OEM_PERIOD,
  205833. (SHORT) ';', VK_OEM_1,
  205834. (SHORT) ':', VK_OEM_1,
  205835. (SHORT) '/', VK_OEM_2,
  205836. (SHORT) '?', VK_OEM_2,
  205837. (SHORT) '[', VK_OEM_4,
  205838. (SHORT) ']', VK_OEM_6 };
  205839. for (int i = 0; i < numElementsInArray (translatedValues); i += 2)
  205840. if (k == translatedValues [i])
  205841. k = translatedValues [i + 1];
  205842. return (GetKeyState (k) & 0x8000) != 0;
  205843. }
  205844. const ModifierKeys ModifierKeys::getCurrentModifiersRealtime() throw()
  205845. {
  205846. updateKeyModifiers();
  205847. currentModifiers &= ~ModifierKeys::allMouseButtonModifiers;
  205848. if ((GetKeyState (VK_LBUTTON) & 0x8000) != 0)
  205849. currentModifiers |= ModifierKeys::leftButtonModifier;
  205850. if ((GetKeyState (VK_RBUTTON) & 0x8000) != 0)
  205851. currentModifiers |= ModifierKeys::rightButtonModifier;
  205852. if ((GetKeyState (VK_MBUTTON) & 0x8000) != 0)
  205853. currentModifiers |= ModifierKeys::middleButtonModifier;
  205854. return ModifierKeys (currentModifiers);
  205855. }
  205856. static int64 getMouseEventTime() throw()
  205857. {
  205858. static int64 eventTimeOffset = 0;
  205859. static DWORD lastMessageTime = 0;
  205860. const DWORD thisMessageTime = GetMessageTime();
  205861. if (thisMessageTime < lastMessageTime || lastMessageTime == 0)
  205862. {
  205863. lastMessageTime = thisMessageTime;
  205864. eventTimeOffset = Time::currentTimeMillis() - thisMessageTime;
  205865. }
  205866. return eventTimeOffset + thisMessageTime;
  205867. }
  205868. class Win32ComponentPeer : public ComponentPeer
  205869. {
  205870. public:
  205871. Win32ComponentPeer (Component* const component,
  205872. const int windowStyleFlags)
  205873. : ComponentPeer (component, windowStyleFlags),
  205874. dontRepaint (false),
  205875. fullScreen (false),
  205876. isDragging (false),
  205877. isMouseOver (false),
  205878. hasCreatedCaret (false),
  205879. currentWindowIcon (0),
  205880. taskBarIcon (0),
  205881. dropTarget (0)
  205882. {
  205883. MessageManager::getInstance()
  205884. ->callFunctionOnMessageThread (&createWindowCallback, (void*) this);
  205885. setTitle (component->getName());
  205886. if ((windowStyleFlags & windowHasDropShadow) != 0
  205887. && Desktop::canUseSemiTransparentWindows())
  205888. {
  205889. shadower = component->getLookAndFeel().createDropShadowerForComponent (component);
  205890. if (shadower != 0)
  205891. shadower->setOwner (component);
  205892. }
  205893. else
  205894. {
  205895. shadower = 0;
  205896. }
  205897. }
  205898. ~Win32ComponentPeer()
  205899. {
  205900. setTaskBarIcon (0);
  205901. deleteAndZero (shadower);
  205902. // do this before the next bit to avoid messages arriving for this window
  205903. // before it's destroyed
  205904. SetWindowLongPtr (hwnd, GWLP_USERDATA, 0);
  205905. MessageManager::getInstance()
  205906. ->callFunctionOnMessageThread (&destroyWindowCallback, (void*) hwnd);
  205907. if (currentWindowIcon != 0)
  205908. DestroyIcon (currentWindowIcon);
  205909. if (dropTarget != 0)
  205910. {
  205911. dropTarget->Release();
  205912. dropTarget = 0;
  205913. }
  205914. }
  205915. void* getNativeHandle() const
  205916. {
  205917. return (void*) hwnd;
  205918. }
  205919. void setVisible (bool shouldBeVisible)
  205920. {
  205921. ShowWindow (hwnd, shouldBeVisible ? SW_SHOWNA : SW_HIDE);
  205922. if (shouldBeVisible)
  205923. InvalidateRect (hwnd, 0, 0);
  205924. else
  205925. lastPaintTime = 0;
  205926. }
  205927. void setTitle (const String& title)
  205928. {
  205929. SetWindowText (hwnd, title);
  205930. }
  205931. void setPosition (int x, int y)
  205932. {
  205933. offsetWithinParent (x, y);
  205934. SetWindowPos (hwnd, 0,
  205935. x - windowBorder.getLeft(),
  205936. y - windowBorder.getTop(),
  205937. 0, 0,
  205938. SWP_NOACTIVATE | SWP_NOSIZE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  205939. }
  205940. void repaintNowIfTransparent()
  205941. {
  205942. if (isTransparent() && lastPaintTime > 0 && Time::getMillisecondCounter() > lastPaintTime + 30)
  205943. handlePaintMessage();
  205944. }
  205945. void updateBorderSize()
  205946. {
  205947. WINDOWINFO info;
  205948. info.cbSize = sizeof (info);
  205949. if (GetWindowInfo (hwnd, &info))
  205950. {
  205951. windowBorder = BorderSize (info.rcClient.top - info.rcWindow.top,
  205952. info.rcClient.left - info.rcWindow.left,
  205953. info.rcWindow.bottom - info.rcClient.bottom,
  205954. info.rcWindow.right - info.rcClient.right);
  205955. }
  205956. }
  205957. void setSize (int w, int h)
  205958. {
  205959. SetWindowPos (hwnd, 0, 0, 0,
  205960. w + windowBorder.getLeftAndRight(),
  205961. h + windowBorder.getTopAndBottom(),
  205962. SWP_NOACTIVATE | SWP_NOMOVE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  205963. updateBorderSize();
  205964. repaintNowIfTransparent();
  205965. }
  205966. void setBounds (int x, int y, int w, int h, const bool isNowFullScreen)
  205967. {
  205968. fullScreen = isNowFullScreen;
  205969. offsetWithinParent (x, y);
  205970. SetWindowPos (hwnd, 0,
  205971. x - windowBorder.getLeft(),
  205972. y - windowBorder.getTop(),
  205973. w + windowBorder.getLeftAndRight(),
  205974. h + windowBorder.getTopAndBottom(),
  205975. SWP_NOACTIVATE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  205976. updateBorderSize();
  205977. repaintNowIfTransparent();
  205978. }
  205979. void getBounds (int& x, int& y, int& w, int& h) const
  205980. {
  205981. RECT r;
  205982. GetWindowRect (hwnd, &r);
  205983. x = r.left;
  205984. y = r.top;
  205985. w = r.right - x;
  205986. h = r.bottom - y;
  205987. HWND parentH = GetParent (hwnd);
  205988. if (parentH != 0)
  205989. {
  205990. GetWindowRect (parentH, &r);
  205991. x -= r.left;
  205992. y -= r.top;
  205993. }
  205994. x += windowBorder.getLeft();
  205995. y += windowBorder.getTop();
  205996. w -= windowBorder.getLeftAndRight();
  205997. h -= windowBorder.getTopAndBottom();
  205998. }
  205999. int getScreenX() const
  206000. {
  206001. RECT r;
  206002. GetWindowRect (hwnd, &r);
  206003. return r.left + windowBorder.getLeft();
  206004. }
  206005. int getScreenY() const
  206006. {
  206007. RECT r;
  206008. GetWindowRect (hwnd, &r);
  206009. return r.top + windowBorder.getTop();
  206010. }
  206011. void relativePositionToGlobal (int& x, int& y)
  206012. {
  206013. RECT r;
  206014. GetWindowRect (hwnd, &r);
  206015. x += r.left + windowBorder.getLeft();
  206016. y += r.top + windowBorder.getTop();
  206017. }
  206018. void globalPositionToRelative (int& x, int& y)
  206019. {
  206020. RECT r;
  206021. GetWindowRect (hwnd, &r);
  206022. x -= r.left + windowBorder.getLeft();
  206023. y -= r.top + windowBorder.getTop();
  206024. }
  206025. void setMinimised (bool shouldBeMinimised)
  206026. {
  206027. if (shouldBeMinimised != isMinimised())
  206028. ShowWindow (hwnd, shouldBeMinimised ? SW_MINIMIZE : SW_SHOWNORMAL);
  206029. }
  206030. bool isMinimised() const
  206031. {
  206032. WINDOWPLACEMENT wp;
  206033. wp.length = sizeof (WINDOWPLACEMENT);
  206034. GetWindowPlacement (hwnd, &wp);
  206035. return wp.showCmd == SW_SHOWMINIMIZED;
  206036. }
  206037. void setFullScreen (bool shouldBeFullScreen)
  206038. {
  206039. setMinimised (false);
  206040. if (fullScreen != shouldBeFullScreen)
  206041. {
  206042. fullScreen = shouldBeFullScreen;
  206043. const ComponentDeletionWatcher deletionChecker (component);
  206044. if (! fullScreen)
  206045. {
  206046. const Rectangle boundsCopy (lastNonFullscreenBounds);
  206047. if (hasTitleBar())
  206048. ShowWindow (hwnd, SW_SHOWNORMAL);
  206049. if (! boundsCopy.isEmpty())
  206050. {
  206051. setBounds (boundsCopy.getX(),
  206052. boundsCopy.getY(),
  206053. boundsCopy.getWidth(),
  206054. boundsCopy.getHeight(),
  206055. false);
  206056. }
  206057. }
  206058. else
  206059. {
  206060. if (hasTitleBar())
  206061. ShowWindow (hwnd, SW_SHOWMAXIMIZED);
  206062. else
  206063. SendMessageW (hwnd, WM_SETTINGCHANGE, 0, 0);
  206064. }
  206065. if (! deletionChecker.hasBeenDeleted())
  206066. handleMovedOrResized();
  206067. }
  206068. }
  206069. bool isFullScreen() const
  206070. {
  206071. if (! hasTitleBar())
  206072. return fullScreen;
  206073. WINDOWPLACEMENT wp;
  206074. wp.length = sizeof (wp);
  206075. GetWindowPlacement (hwnd, &wp);
  206076. return wp.showCmd == SW_SHOWMAXIMIZED;
  206077. }
  206078. bool contains (int x, int y, bool trueIfInAChildWindow) const
  206079. {
  206080. RECT r;
  206081. GetWindowRect (hwnd, &r);
  206082. POINT p;
  206083. p.x = x + r.left + windowBorder.getLeft();
  206084. p.y = y + r.top + windowBorder.getTop();
  206085. HWND w = WindowFromPoint (p);
  206086. return w == hwnd || (trueIfInAChildWindow && (IsChild (hwnd, w) != 0));
  206087. }
  206088. const BorderSize getFrameSize() const
  206089. {
  206090. return windowBorder;
  206091. }
  206092. bool setAlwaysOnTop (bool alwaysOnTop)
  206093. {
  206094. const bool oldDeactivate = shouldDeactivateTitleBar;
  206095. shouldDeactivateTitleBar = ((styleFlags & windowIsTemporary) == 0);
  206096. SetWindowPos (hwnd, alwaysOnTop ? HWND_TOPMOST : HWND_NOTOPMOST,
  206097. 0, 0, 0, 0,
  206098. SWP_NOMOVE | SWP_NOSIZE | SWP_NOACTIVATE | SWP_NOSENDCHANGING);
  206099. shouldDeactivateTitleBar = oldDeactivate;
  206100. if (shadower != 0)
  206101. shadower->componentBroughtToFront (*component);
  206102. return true;
  206103. }
  206104. void toFront (bool makeActive)
  206105. {
  206106. setMinimised (false);
  206107. const bool oldDeactivate = shouldDeactivateTitleBar;
  206108. shouldDeactivateTitleBar = ((styleFlags & windowIsTemporary) == 0);
  206109. MessageManager::getInstance()
  206110. ->callFunctionOnMessageThread (makeActive ? &toFrontCallback1
  206111. : &toFrontCallback2,
  206112. (void*) hwnd);
  206113. shouldDeactivateTitleBar = oldDeactivate;
  206114. if (! makeActive)
  206115. {
  206116. // in this case a broughttofront call won't have occured, so do it now..
  206117. handleBroughtToFront();
  206118. }
  206119. }
  206120. void toBehind (ComponentPeer* other)
  206121. {
  206122. Win32ComponentPeer* const otherPeer = dynamic_cast <Win32ComponentPeer*> (other);
  206123. jassert (otherPeer != 0); // wrong type of window?
  206124. if (otherPeer != 0)
  206125. {
  206126. setMinimised (false);
  206127. SetWindowPos (hwnd, otherPeer->hwnd, 0, 0, 0, 0,
  206128. SWP_NOMOVE | SWP_NOSIZE | SWP_NOACTIVATE | SWP_NOSENDCHANGING);
  206129. }
  206130. }
  206131. bool isFocused() const
  206132. {
  206133. return MessageManager::getInstance()
  206134. ->callFunctionOnMessageThread (&getFocusCallback, 0) == (void*) hwnd;
  206135. }
  206136. void grabFocus()
  206137. {
  206138. const bool oldDeactivate = shouldDeactivateTitleBar;
  206139. shouldDeactivateTitleBar = ((styleFlags & windowIsTemporary) == 0);
  206140. MessageManager::getInstance()
  206141. ->callFunctionOnMessageThread (&setFocusCallback, (void*) hwnd);
  206142. shouldDeactivateTitleBar = oldDeactivate;
  206143. }
  206144. void textInputRequired (int /*x*/, int /*y*/)
  206145. {
  206146. if (! hasCreatedCaret)
  206147. {
  206148. hasCreatedCaret = true;
  206149. CreateCaret (hwnd, (HBITMAP) 1, 0, 0);
  206150. }
  206151. ShowCaret (hwnd);
  206152. SetCaretPos (0, 0);
  206153. }
  206154. void repaint (int x, int y, int w, int h)
  206155. {
  206156. const RECT r = { x, y, x + w, y + h };
  206157. InvalidateRect (hwnd, &r, FALSE);
  206158. }
  206159. void performAnyPendingRepaintsNow()
  206160. {
  206161. MSG m;
  206162. if (component->isVisible() && PeekMessage (&m, hwnd, WM_PAINT, WM_PAINT, PM_REMOVE))
  206163. DispatchMessage (&m);
  206164. }
  206165. static Win32ComponentPeer* getOwnerOfWindow (HWND h) throw()
  206166. {
  206167. if (h != 0 && GetWindowLongPtr (h, GWLP_USERDATA) == improbableWindowNumber)
  206168. return (Win32ComponentPeer*) GetWindowLongPtr (h, 8);
  206169. return 0;
  206170. }
  206171. void setTaskBarIcon (const Image* const image)
  206172. {
  206173. if (image != 0)
  206174. {
  206175. HICON hicon = createHICONFromImage (*image, TRUE, 0, 0);
  206176. if (taskBarIcon == 0)
  206177. {
  206178. taskBarIcon = new NOTIFYICONDATA();
  206179. taskBarIcon->cbSize = sizeof (NOTIFYICONDATA);
  206180. taskBarIcon->hWnd = (HWND) hwnd;
  206181. taskBarIcon->uID = (int) (pointer_sized_int) hwnd;
  206182. taskBarIcon->uFlags = NIF_ICON | NIF_MESSAGE | NIF_TIP;
  206183. taskBarIcon->uCallbackMessage = WM_TRAYNOTIFY;
  206184. taskBarIcon->hIcon = hicon;
  206185. taskBarIcon->szTip[0] = 0;
  206186. Shell_NotifyIcon (NIM_ADD, taskBarIcon);
  206187. }
  206188. else
  206189. {
  206190. HICON oldIcon = taskBarIcon->hIcon;
  206191. taskBarIcon->hIcon = hicon;
  206192. taskBarIcon->uFlags = NIF_ICON;
  206193. Shell_NotifyIcon (NIM_MODIFY, taskBarIcon);
  206194. DestroyIcon (oldIcon);
  206195. }
  206196. DestroyIcon (hicon);
  206197. }
  206198. else if (taskBarIcon != 0)
  206199. {
  206200. taskBarIcon->uFlags = 0;
  206201. Shell_NotifyIcon (NIM_DELETE, taskBarIcon);
  206202. DestroyIcon (taskBarIcon->hIcon);
  206203. deleteAndZero (taskBarIcon);
  206204. }
  206205. }
  206206. void setTaskBarIconToolTip (const String& toolTip) const
  206207. {
  206208. if (taskBarIcon != 0)
  206209. {
  206210. taskBarIcon->uFlags = NIF_TIP;
  206211. toolTip.copyToBuffer (taskBarIcon->szTip, sizeof (taskBarIcon->szTip) - 1);
  206212. Shell_NotifyIcon (NIM_MODIFY, taskBarIcon);
  206213. }
  206214. }
  206215. juce_UseDebuggingNewOperator
  206216. bool dontRepaint;
  206217. private:
  206218. HWND hwnd;
  206219. DropShadower* shadower;
  206220. bool fullScreen, isDragging, isMouseOver, hasCreatedCaret;
  206221. BorderSize windowBorder;
  206222. HICON currentWindowIcon;
  206223. NOTIFYICONDATA* taskBarIcon;
  206224. IDropTarget* dropTarget;
  206225. class TemporaryImage : public Timer
  206226. {
  206227. public:
  206228. TemporaryImage()
  206229. : image (0)
  206230. {
  206231. }
  206232. ~TemporaryImage()
  206233. {
  206234. delete image;
  206235. }
  206236. WindowsBitmapImage* getImage (const bool transparent, const int w, const int h) throw()
  206237. {
  206238. const Image::PixelFormat format = transparent ? Image::ARGB : Image::RGB;
  206239. if (image == 0 || image->getWidth() < w || image->getHeight() < h || image->getFormat() != format)
  206240. {
  206241. delete image;
  206242. image = new WindowsBitmapImage (format, (w + 31) & ~31, (h + 31) & ~31, false);
  206243. }
  206244. startTimer (3000);
  206245. return image;
  206246. }
  206247. void timerCallback()
  206248. {
  206249. stopTimer();
  206250. deleteAndZero (image);
  206251. }
  206252. private:
  206253. WindowsBitmapImage* image;
  206254. TemporaryImage (const TemporaryImage&);
  206255. const TemporaryImage& operator= (const TemporaryImage&);
  206256. };
  206257. TemporaryImage offscreenImageGenerator;
  206258. class WindowClassHolder : public DeletedAtShutdown
  206259. {
  206260. public:
  206261. WindowClassHolder()
  206262. : windowClassName ("JUCE_")
  206263. {
  206264. // this name has to be different for each app/dll instance because otherwise
  206265. // poor old Win32 can get a bit confused (even despite it not being a process-global
  206266. // window class).
  206267. windowClassName << (int) (Time::currentTimeMillis() & 0x7fffffff);
  206268. HINSTANCE moduleHandle = (HINSTANCE) PlatformUtilities::getCurrentModuleInstanceHandle();
  206269. TCHAR moduleFile [1024];
  206270. moduleFile[0] = 0;
  206271. GetModuleFileName (moduleHandle, moduleFile, 1024);
  206272. WORD iconNum = 0;
  206273. WNDCLASSEX wcex;
  206274. wcex.cbSize = sizeof (wcex);
  206275. wcex.style = CS_OWNDC;
  206276. wcex.lpfnWndProc = (WNDPROC) windowProc;
  206277. wcex.lpszClassName = windowClassName;
  206278. wcex.cbClsExtra = 0;
  206279. wcex.cbWndExtra = 32;
  206280. wcex.hInstance = moduleHandle;
  206281. wcex.hIcon = ExtractAssociatedIcon (moduleHandle, moduleFile, &iconNum);
  206282. iconNum = 1;
  206283. wcex.hIconSm = ExtractAssociatedIcon (moduleHandle, moduleFile, &iconNum);
  206284. wcex.hCursor = 0;
  206285. wcex.hbrBackground = 0;
  206286. wcex.lpszMenuName = 0;
  206287. RegisterClassEx (&wcex);
  206288. }
  206289. ~WindowClassHolder()
  206290. {
  206291. if (ComponentPeer::getNumPeers() == 0)
  206292. UnregisterClass (windowClassName, (HINSTANCE) PlatformUtilities::getCurrentModuleInstanceHandle());
  206293. clearSingletonInstance();
  206294. }
  206295. String windowClassName;
  206296. juce_DeclareSingleton_SingleThreaded_Minimal (WindowClassHolder);
  206297. };
  206298. static void* createWindowCallback (void* userData)
  206299. {
  206300. ((Win32ComponentPeer*) userData)->createWindow();
  206301. return 0;
  206302. }
  206303. void createWindow()
  206304. {
  206305. DWORD exstyle = WS_EX_ACCEPTFILES;
  206306. DWORD type = WS_CLIPSIBLINGS | WS_CLIPCHILDREN;
  206307. if (hasTitleBar())
  206308. {
  206309. type |= WS_OVERLAPPED;
  206310. exstyle |= WS_EX_APPWINDOW;
  206311. if ((styleFlags & windowHasCloseButton) != 0)
  206312. {
  206313. type |= WS_SYSMENU;
  206314. }
  206315. else
  206316. {
  206317. // annoyingly, windows won't let you have a min/max button without a close button
  206318. jassert ((styleFlags & (windowHasMinimiseButton | windowHasMaximiseButton)) == 0);
  206319. }
  206320. if ((styleFlags & windowIsResizable) != 0)
  206321. type |= WS_THICKFRAME;
  206322. }
  206323. else
  206324. {
  206325. type |= WS_POPUP | WS_SYSMENU;
  206326. if ((styleFlags & windowAppearsOnTaskbar) == 0)
  206327. exstyle |= WS_EX_TOOLWINDOW;
  206328. else
  206329. exstyle |= WS_EX_APPWINDOW;
  206330. }
  206331. if ((styleFlags & windowHasMinimiseButton) != 0)
  206332. type |= WS_MINIMIZEBOX;
  206333. if ((styleFlags & windowHasMaximiseButton) != 0)
  206334. type |= WS_MAXIMIZEBOX;
  206335. if ((styleFlags & windowIgnoresMouseClicks) != 0)
  206336. exstyle |= WS_EX_TRANSPARENT;
  206337. if ((styleFlags & windowIsSemiTransparent) != 0
  206338. && Desktop::canUseSemiTransparentWindows())
  206339. exstyle |= WS_EX_LAYERED;
  206340. hwnd = CreateWindowEx (exstyle, WindowClassHolder::getInstance()->windowClassName, L"", type, 0, 0, 0, 0, 0, 0, 0, 0);
  206341. if (hwnd != 0)
  206342. {
  206343. SetWindowLongPtr (hwnd, 0, 0);
  206344. SetWindowLongPtr (hwnd, 8, (LONG_PTR) this);
  206345. SetWindowLongPtr (hwnd, GWLP_USERDATA, improbableWindowNumber);
  206346. if (dropTarget == 0)
  206347. dropTarget = new JuceDropTarget (this);
  206348. RegisterDragDrop (hwnd, dropTarget);
  206349. updateBorderSize();
  206350. // Calling this function here is (for some reason) necessary to make Windows
  206351. // correctly enable the menu items that we specify in the wm_initmenu message.
  206352. GetSystemMenu (hwnd, false);
  206353. }
  206354. else
  206355. {
  206356. jassertfalse
  206357. }
  206358. }
  206359. static void* destroyWindowCallback (void* handle)
  206360. {
  206361. RevokeDragDrop ((HWND) handle);
  206362. DestroyWindow ((HWND) handle);
  206363. return 0;
  206364. }
  206365. static void* toFrontCallback1 (void* h)
  206366. {
  206367. SetForegroundWindow ((HWND) h);
  206368. return 0;
  206369. }
  206370. static void* toFrontCallback2 (void* h)
  206371. {
  206372. SetWindowPos ((HWND) h, HWND_TOP, 0, 0, 0, 0, SWP_NOMOVE | SWP_NOSIZE | SWP_NOACTIVATE | SWP_NOSENDCHANGING);
  206373. return 0;
  206374. }
  206375. static void* setFocusCallback (void* h)
  206376. {
  206377. SetFocus ((HWND) h);
  206378. return 0;
  206379. }
  206380. static void* getFocusCallback (void*)
  206381. {
  206382. return (void*) GetFocus();
  206383. }
  206384. void offsetWithinParent (int& x, int& y) const
  206385. {
  206386. if (isTransparent())
  206387. {
  206388. HWND parentHwnd = GetParent (hwnd);
  206389. if (parentHwnd != 0)
  206390. {
  206391. RECT parentRect;
  206392. GetWindowRect (parentHwnd, &parentRect);
  206393. x += parentRect.left;
  206394. y += parentRect.top;
  206395. }
  206396. }
  206397. }
  206398. bool isTransparent() const
  206399. {
  206400. return (GetWindowLong (hwnd, GWL_EXSTYLE) & WS_EX_LAYERED) != 0;
  206401. }
  206402. inline bool hasTitleBar() const throw() { return (styleFlags & windowHasTitleBar) != 0; }
  206403. void setIcon (const Image& newIcon)
  206404. {
  206405. HICON hicon = createHICONFromImage (newIcon, TRUE, 0, 0);
  206406. if (hicon != 0)
  206407. {
  206408. SendMessage (hwnd, WM_SETICON, ICON_BIG, (LPARAM) hicon);
  206409. SendMessage (hwnd, WM_SETICON, ICON_SMALL, (LPARAM) hicon);
  206410. if (currentWindowIcon != 0)
  206411. DestroyIcon (currentWindowIcon);
  206412. currentWindowIcon = hicon;
  206413. }
  206414. }
  206415. void handlePaintMessage()
  206416. {
  206417. #if DEBUG_REPAINT_TIMES
  206418. const double paintStart = Time::getMillisecondCounterHiRes();
  206419. #endif
  206420. HRGN rgn = CreateRectRgn (0, 0, 0, 0);
  206421. const int regionType = GetUpdateRgn (hwnd, rgn, false);
  206422. PAINTSTRUCT paintStruct;
  206423. HDC dc = BeginPaint (hwnd, &paintStruct); // Note this can immediately generate a WM_NCPAINT
  206424. // message and become re-entrant, but that's OK
  206425. // if something in a paint handler calls, e.g. a message box, this can become reentrant and
  206426. // corrupt the image it's using to paint into, so do a check here.
  206427. static bool reentrant = false;
  206428. if (reentrant)
  206429. {
  206430. DeleteObject (rgn);
  206431. EndPaint (hwnd, &paintStruct);
  206432. return;
  206433. }
  206434. reentrant = true;
  206435. // this is the rectangle to update..
  206436. int x = paintStruct.rcPaint.left;
  206437. int y = paintStruct.rcPaint.top;
  206438. int w = paintStruct.rcPaint.right - x;
  206439. int h = paintStruct.rcPaint.bottom - y;
  206440. const bool transparent = isTransparent();
  206441. if (transparent)
  206442. {
  206443. // it's not possible to have a transparent window with a title bar at the moment!
  206444. jassert (! hasTitleBar());
  206445. RECT r;
  206446. GetWindowRect (hwnd, &r);
  206447. x = y = 0;
  206448. w = r.right - r.left;
  206449. h = r.bottom - r.top;
  206450. }
  206451. if (w > 0 && h > 0)
  206452. {
  206453. clearMaskedRegion();
  206454. WindowsBitmapImage* const offscreenImage = offscreenImageGenerator.getImage (transparent, w, h);
  206455. LowLevelGraphicsSoftwareRenderer context (*offscreenImage);
  206456. RectangleList* const contextClip = context.getRawClipRegion();
  206457. contextClip->clear();
  206458. context.setOrigin (-x, -y);
  206459. bool needToPaintAll = true;
  206460. if (regionType == COMPLEXREGION && ! transparent)
  206461. {
  206462. HRGN clipRgn = CreateRectRgnIndirect (&paintStruct.rcPaint);
  206463. CombineRgn (rgn, rgn, clipRgn, RGN_AND);
  206464. DeleteObject (clipRgn);
  206465. char rgnData [8192];
  206466. const DWORD res = GetRegionData (rgn, sizeof (rgnData), (RGNDATA*) rgnData);
  206467. if (res > 0 && res <= sizeof (rgnData))
  206468. {
  206469. const RGNDATAHEADER* const hdr = &(((const RGNDATA*) rgnData)->rdh);
  206470. if (hdr->iType == RDH_RECTANGLES
  206471. && hdr->rcBound.right - hdr->rcBound.left >= w
  206472. && hdr->rcBound.bottom - hdr->rcBound.top >= h)
  206473. {
  206474. needToPaintAll = false;
  206475. const RECT* rects = (const RECT*) (rgnData + sizeof (RGNDATAHEADER));
  206476. int num = ((RGNDATA*) rgnData)->rdh.nCount;
  206477. while (--num >= 0)
  206478. {
  206479. // (need to move this one pixel to the left because of a win32 bug)
  206480. const int cx = jmax (x, rects->left - 1);
  206481. const int cy = rects->top;
  206482. const int cw = rects->right - cx;
  206483. const int ch = rects->bottom - rects->top;
  206484. if (cx + cw - x <= w && cy + ch - y <= h)
  206485. {
  206486. contextClip->addWithoutMerging (Rectangle (cx - x, cy - y, cw, ch));
  206487. }
  206488. else
  206489. {
  206490. needToPaintAll = true;
  206491. break;
  206492. }
  206493. ++rects;
  206494. }
  206495. }
  206496. }
  206497. }
  206498. if (needToPaintAll)
  206499. {
  206500. contextClip->clear();
  206501. contextClip->addWithoutMerging (Rectangle (0, 0, w, h));
  206502. }
  206503. if (transparent)
  206504. {
  206505. RectangleList::Iterator i (*contextClip);
  206506. while (i.next())
  206507. {
  206508. const Rectangle& r = *i.getRectangle();
  206509. offscreenImage->clear (r.getX(), r.getY(), r.getWidth(), r.getHeight());
  206510. }
  206511. }
  206512. // if the component's not opaque, this won't draw properly unless the platform can support this
  206513. jassert (Desktop::canUseSemiTransparentWindows() || component->isOpaque());
  206514. updateCurrentModifiers();
  206515. handlePaint (context);
  206516. if (! dontRepaint)
  206517. offscreenImage->blitToWindow (hwnd, dc, transparent, x, y, maskedRegion);
  206518. }
  206519. DeleteObject (rgn);
  206520. EndPaint (hwnd, &paintStruct);
  206521. reentrant = false;
  206522. #ifndef JUCE_GCC //xxx should add this fn for gcc..
  206523. _fpreset(); // because some graphics cards can unmask FP exceptions
  206524. #endif
  206525. lastPaintTime = Time::getMillisecondCounter();
  206526. #if DEBUG_REPAINT_TIMES
  206527. const double elapsed = Time::getMillisecondCounterHiRes() - paintStart;
  206528. Logger::outputDebugString (T("repaint time: ") + String (elapsed, 2));
  206529. #endif
  206530. }
  206531. void doMouseMove (const int x, const int y)
  206532. {
  206533. static uint32 lastMouseTime = 0;
  206534. // this can be set to throttle the mouse-messages to less than a
  206535. // certain number per second, as things can get unresponsive
  206536. // if each drag or move callback has to do a lot of work.
  206537. const int maxMouseMovesPerSecond = 60;
  206538. const int64 mouseEventTime = getMouseEventTime();
  206539. if (! isMouseOver)
  206540. {
  206541. isMouseOver = true;
  206542. TRACKMOUSEEVENT tme;
  206543. tme.cbSize = sizeof (tme);
  206544. tme.dwFlags = TME_LEAVE;
  206545. tme.hwndTrack = hwnd;
  206546. tme.dwHoverTime = 0;
  206547. if (! TrackMouseEvent (&tme))
  206548. {
  206549. jassertfalse;
  206550. }
  206551. updateKeyModifiers();
  206552. handleMouseEnter (x, y, mouseEventTime);
  206553. }
  206554. else if (! isDragging)
  206555. {
  206556. if (((unsigned int) x) < (unsigned int) component->getWidth()
  206557. && ((unsigned int) y) < (unsigned int) component->getHeight())
  206558. {
  206559. RECT r;
  206560. GetWindowRect (hwnd, &r);
  206561. POINT p;
  206562. p.x = x + r.left + windowBorder.getLeft();
  206563. p.y = y + r.top + windowBorder.getTop();
  206564. if (WindowFromPoint (p) == hwnd)
  206565. {
  206566. const uint32 now = Time::getMillisecondCounter();
  206567. if (now > lastMouseTime + 1000 / maxMouseMovesPerSecond)
  206568. {
  206569. lastMouseTime = now;
  206570. handleMouseMove (x, y, mouseEventTime);
  206571. }
  206572. }
  206573. }
  206574. }
  206575. else
  206576. {
  206577. const uint32 now = Time::getMillisecondCounter();
  206578. if (now > lastMouseTime + 1000 / maxMouseMovesPerSecond)
  206579. {
  206580. lastMouseTime = now;
  206581. handleMouseDrag (x, y, mouseEventTime);
  206582. }
  206583. }
  206584. }
  206585. void doMouseDown (const int x, const int y, const WPARAM wParam)
  206586. {
  206587. if (GetCapture() != hwnd)
  206588. SetCapture (hwnd);
  206589. doMouseMove (x, y);
  206590. currentModifiers &= ~ModifierKeys::allMouseButtonModifiers;
  206591. if ((wParam & MK_LBUTTON) != 0)
  206592. currentModifiers |= ModifierKeys::leftButtonModifier;
  206593. if ((wParam & MK_RBUTTON) != 0)
  206594. currentModifiers |= ModifierKeys::rightButtonModifier;
  206595. if ((wParam & MK_MBUTTON) != 0)
  206596. currentModifiers |= ModifierKeys::middleButtonModifier;
  206597. updateKeyModifiers();
  206598. isDragging = true;
  206599. handleMouseDown (x, y, getMouseEventTime());
  206600. }
  206601. void doMouseUp (const int x, const int y, const WPARAM wParam)
  206602. {
  206603. int numButtons = 0;
  206604. if ((wParam & MK_LBUTTON) != 0)
  206605. ++numButtons;
  206606. if ((wParam & MK_RBUTTON) != 0)
  206607. ++numButtons;
  206608. if ((wParam & MK_MBUTTON) != 0)
  206609. ++numButtons;
  206610. const int oldModifiers = currentModifiers;
  206611. // update the currentmodifiers only after the callback, so the callback
  206612. // knows which button was released.
  206613. currentModifiers &= ~ModifierKeys::allMouseButtonModifiers;
  206614. if ((wParam & MK_LBUTTON) != 0)
  206615. currentModifiers |= ModifierKeys::leftButtonModifier;
  206616. if ((wParam & MK_RBUTTON) != 0)
  206617. currentModifiers |= ModifierKeys::rightButtonModifier;
  206618. if ((wParam & MK_MBUTTON) != 0)
  206619. currentModifiers |= ModifierKeys::middleButtonModifier;
  206620. updateKeyModifiers();
  206621. isDragging = false;
  206622. // release the mouse capture if the user's not still got a button down
  206623. if (numButtons == 0 && hwnd == GetCapture())
  206624. ReleaseCapture();
  206625. handleMouseUp (oldModifiers, x, y, getMouseEventTime());
  206626. }
  206627. void doCaptureChanged()
  206628. {
  206629. if (isDragging)
  206630. {
  206631. RECT wr;
  206632. GetWindowRect (hwnd, &wr);
  206633. const DWORD mp = GetMessagePos();
  206634. doMouseUp (GET_X_LPARAM (mp) - wr.left - windowBorder.getLeft(),
  206635. GET_Y_LPARAM (mp) - wr.top - windowBorder.getTop(),
  206636. getMouseEventTime());
  206637. }
  206638. }
  206639. void doMouseExit()
  206640. {
  206641. if (isMouseOver)
  206642. {
  206643. isMouseOver = false;
  206644. RECT wr;
  206645. GetWindowRect (hwnd, &wr);
  206646. const DWORD mp = GetMessagePos();
  206647. handleMouseExit (GET_X_LPARAM (mp) - wr.left - windowBorder.getLeft(),
  206648. GET_Y_LPARAM (mp) - wr.top - windowBorder.getTop(),
  206649. getMouseEventTime());
  206650. }
  206651. }
  206652. void doMouseWheel (const WPARAM wParam, const bool isVertical)
  206653. {
  206654. updateKeyModifiers();
  206655. const int amount = jlimit (-1000, 1000, (int) (0.75f * (short) HIWORD (wParam)));
  206656. handleMouseWheel (isVertical ? 0 : amount,
  206657. isVertical ? amount : 0,
  206658. getMouseEventTime());
  206659. }
  206660. void sendModifierKeyChangeIfNeeded()
  206661. {
  206662. if (modifiersAtLastCallback != currentModifiers)
  206663. {
  206664. modifiersAtLastCallback = currentModifiers;
  206665. handleModifierKeysChange();
  206666. }
  206667. }
  206668. bool doKeyUp (const WPARAM key)
  206669. {
  206670. updateKeyModifiers();
  206671. switch (key)
  206672. {
  206673. case VK_SHIFT:
  206674. case VK_CONTROL:
  206675. case VK_MENU:
  206676. case VK_CAPITAL:
  206677. case VK_LWIN:
  206678. case VK_RWIN:
  206679. case VK_APPS:
  206680. case VK_NUMLOCK:
  206681. case VK_SCROLL:
  206682. case VK_LSHIFT:
  206683. case VK_RSHIFT:
  206684. case VK_LCONTROL:
  206685. case VK_LMENU:
  206686. case VK_RCONTROL:
  206687. case VK_RMENU:
  206688. sendModifierKeyChangeIfNeeded();
  206689. }
  206690. return handleKeyUpOrDown();
  206691. }
  206692. bool doKeyDown (const WPARAM key)
  206693. {
  206694. updateKeyModifiers();
  206695. bool used = false;
  206696. switch (key)
  206697. {
  206698. case VK_SHIFT:
  206699. case VK_LSHIFT:
  206700. case VK_RSHIFT:
  206701. case VK_CONTROL:
  206702. case VK_LCONTROL:
  206703. case VK_RCONTROL:
  206704. case VK_MENU:
  206705. case VK_LMENU:
  206706. case VK_RMENU:
  206707. case VK_LWIN:
  206708. case VK_RWIN:
  206709. case VK_CAPITAL:
  206710. case VK_NUMLOCK:
  206711. case VK_SCROLL:
  206712. case VK_APPS:
  206713. sendModifierKeyChangeIfNeeded();
  206714. break;
  206715. case VK_LEFT:
  206716. case VK_RIGHT:
  206717. case VK_UP:
  206718. case VK_DOWN:
  206719. case VK_PRIOR:
  206720. case VK_NEXT:
  206721. case VK_HOME:
  206722. case VK_END:
  206723. case VK_DELETE:
  206724. case VK_INSERT:
  206725. case VK_F1:
  206726. case VK_F2:
  206727. case VK_F3:
  206728. case VK_F4:
  206729. case VK_F5:
  206730. case VK_F6:
  206731. case VK_F7:
  206732. case VK_F8:
  206733. case VK_F9:
  206734. case VK_F10:
  206735. case VK_F11:
  206736. case VK_F12:
  206737. case VK_F13:
  206738. case VK_F14:
  206739. case VK_F15:
  206740. case VK_F16:
  206741. used = handleKeyUpOrDown();
  206742. used = handleKeyPress (extendedKeyModifier | (int) key, 0) || used;
  206743. break;
  206744. case VK_ADD:
  206745. case VK_SUBTRACT:
  206746. case VK_MULTIPLY:
  206747. case VK_DIVIDE:
  206748. case VK_SEPARATOR:
  206749. case VK_DECIMAL:
  206750. used = handleKeyUpOrDown();
  206751. break;
  206752. default:
  206753. used = handleKeyUpOrDown();
  206754. {
  206755. MSG msg;
  206756. if (! PeekMessage (&msg, hwnd, WM_CHAR, WM_DEADCHAR, PM_NOREMOVE))
  206757. {
  206758. // if there isn't a WM_CHAR or WM_DEADCHAR message pending, we need to
  206759. // manually generate the key-press event that matches this key-down.
  206760. const UINT keyChar = MapVirtualKey (key, 2);
  206761. used = handleKeyPress ((int) LOWORD (keyChar), 0) || used;
  206762. }
  206763. }
  206764. break;
  206765. }
  206766. return used;
  206767. }
  206768. bool doKeyChar (int key, const LPARAM flags)
  206769. {
  206770. updateKeyModifiers();
  206771. juce_wchar textChar = (juce_wchar) key;
  206772. const int virtualScanCode = (flags >> 16) & 0xff;
  206773. if (key >= '0' && key <= '9')
  206774. {
  206775. switch (virtualScanCode) // check for a numeric keypad scan-code
  206776. {
  206777. case 0x52:
  206778. case 0x4f:
  206779. case 0x50:
  206780. case 0x51:
  206781. case 0x4b:
  206782. case 0x4c:
  206783. case 0x4d:
  206784. case 0x47:
  206785. case 0x48:
  206786. case 0x49:
  206787. key = (key - '0') + KeyPress::numberPad0;
  206788. break;
  206789. default:
  206790. break;
  206791. }
  206792. }
  206793. else
  206794. {
  206795. // convert the scan code to an unmodified character code..
  206796. const UINT virtualKey = MapVirtualKey (virtualScanCode, 1);
  206797. UINT keyChar = MapVirtualKey (virtualKey, 2);
  206798. keyChar = LOWORD (keyChar);
  206799. if (keyChar != 0)
  206800. key = (int) keyChar;
  206801. // avoid sending junk text characters for some control-key combinations
  206802. if (textChar < ' ' && (currentModifiers & (ModifierKeys::ctrlModifier | ModifierKeys::altModifier)) != 0)
  206803. textChar = 0;
  206804. }
  206805. return handleKeyPress (key, textChar);
  206806. }
  206807. bool doAppCommand (const LPARAM lParam)
  206808. {
  206809. int key = 0;
  206810. switch (GET_APPCOMMAND_LPARAM (lParam))
  206811. {
  206812. case APPCOMMAND_MEDIA_PLAY_PAUSE:
  206813. key = KeyPress::playKey;
  206814. break;
  206815. case APPCOMMAND_MEDIA_STOP:
  206816. key = KeyPress::stopKey;
  206817. break;
  206818. case APPCOMMAND_MEDIA_NEXTTRACK:
  206819. key = KeyPress::fastForwardKey;
  206820. break;
  206821. case APPCOMMAND_MEDIA_PREVIOUSTRACK:
  206822. key = KeyPress::rewindKey;
  206823. break;
  206824. }
  206825. if (key != 0)
  206826. {
  206827. updateKeyModifiers();
  206828. if (hwnd == GetActiveWindow())
  206829. {
  206830. handleKeyPress (key, 0);
  206831. return true;
  206832. }
  206833. }
  206834. return false;
  206835. }
  206836. class JuceDropTarget : public IDropTarget
  206837. {
  206838. public:
  206839. JuceDropTarget (Win32ComponentPeer* const owner_)
  206840. : owner (owner_),
  206841. refCount (1)
  206842. {
  206843. }
  206844. virtual ~JuceDropTarget()
  206845. {
  206846. jassert (refCount == 0);
  206847. }
  206848. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  206849. {
  206850. if (id == IID_IUnknown || id == IID_IDropTarget)
  206851. {
  206852. AddRef();
  206853. *result = this;
  206854. return S_OK;
  206855. }
  206856. *result = 0;
  206857. return E_NOINTERFACE;
  206858. }
  206859. ULONG __stdcall AddRef() { return ++refCount; }
  206860. ULONG __stdcall Release() { jassert (refCount > 0); const int r = --refCount; if (r == 0) delete this; return r; }
  206861. HRESULT __stdcall DragEnter (IDataObject* pDataObject, DWORD /*grfKeyState*/, POINTL mousePos, DWORD* pdwEffect)
  206862. {
  206863. updateFileList (pDataObject);
  206864. int x = mousePos.x, y = mousePos.y;
  206865. owner->globalPositionToRelative (x, y);
  206866. owner->handleFileDragMove (files, x, y);
  206867. *pdwEffect = DROPEFFECT_COPY;
  206868. return S_OK;
  206869. }
  206870. HRESULT __stdcall DragLeave()
  206871. {
  206872. owner->handleFileDragExit (files);
  206873. return S_OK;
  206874. }
  206875. HRESULT __stdcall DragOver (DWORD /*grfKeyState*/, POINTL mousePos, DWORD* pdwEffect)
  206876. {
  206877. int x = mousePos.x, y = mousePos.y;
  206878. owner->globalPositionToRelative (x, y);
  206879. owner->handleFileDragMove (files, x, y);
  206880. *pdwEffect = DROPEFFECT_COPY;
  206881. return S_OK;
  206882. }
  206883. HRESULT __stdcall Drop (IDataObject* pDataObject, DWORD /*grfKeyState*/, POINTL mousePos, DWORD* pdwEffect)
  206884. {
  206885. updateFileList (pDataObject);
  206886. int x = mousePos.x, y = mousePos.y;
  206887. owner->globalPositionToRelative (x, y);
  206888. owner->handleFileDragDrop (files, x, y);
  206889. *pdwEffect = DROPEFFECT_COPY;
  206890. return S_OK;
  206891. }
  206892. private:
  206893. Win32ComponentPeer* const owner;
  206894. int refCount;
  206895. StringArray files;
  206896. void updateFileList (IDataObject* const pDataObject)
  206897. {
  206898. files.clear();
  206899. FORMATETC format = { CF_HDROP, 0, DVASPECT_CONTENT, -1, TYMED_HGLOBAL };
  206900. STGMEDIUM medium = { TYMED_HGLOBAL, { 0 }, 0 };
  206901. if (pDataObject->GetData (&format, &medium) == S_OK)
  206902. {
  206903. const SIZE_T totalLen = GlobalSize (medium.hGlobal);
  206904. const LPDROPFILES pDropFiles = (const LPDROPFILES) GlobalLock (medium.hGlobal);
  206905. unsigned int i = 0;
  206906. if (pDropFiles->fWide)
  206907. {
  206908. const WCHAR* const fname = (WCHAR*) (((const char*) pDropFiles) + sizeof (DROPFILES));
  206909. for (;;)
  206910. {
  206911. unsigned int len = 0;
  206912. while (i + len < totalLen && fname [i + len] != 0)
  206913. ++len;
  206914. if (len == 0)
  206915. break;
  206916. files.add (String (fname + i, len));
  206917. i += len + 1;
  206918. }
  206919. }
  206920. else
  206921. {
  206922. const char* const fname = ((const char*) pDropFiles) + sizeof (DROPFILES);
  206923. for (;;)
  206924. {
  206925. unsigned int len = 0;
  206926. while (i + len < totalLen && fname [i + len] != 0)
  206927. ++len;
  206928. if (len == 0)
  206929. break;
  206930. files.add (String (fname + i, len));
  206931. i += len + 1;
  206932. }
  206933. }
  206934. GlobalUnlock (medium.hGlobal);
  206935. }
  206936. }
  206937. JuceDropTarget (const JuceDropTarget&);
  206938. const JuceDropTarget& operator= (const JuceDropTarget&);
  206939. };
  206940. void doSettingChange()
  206941. {
  206942. Desktop::getInstance().refreshMonitorSizes();
  206943. if (fullScreen && ! isMinimised())
  206944. {
  206945. const Rectangle r (component->getParentMonitorArea());
  206946. SetWindowPos (hwnd, 0,
  206947. r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  206948. SWP_NOACTIVATE | SWP_NOOWNERZORDER | SWP_NOZORDER | SWP_NOSENDCHANGING);
  206949. }
  206950. }
  206951. public:
  206952. static LRESULT CALLBACK windowProc (HWND h, UINT message, WPARAM wParam, LPARAM lParam)
  206953. {
  206954. Win32ComponentPeer* const peer = getOwnerOfWindow (h);
  206955. if (peer != 0)
  206956. return peer->peerWindowProc (h, message, wParam, lParam);
  206957. return DefWindowProc (h, message, wParam, lParam);
  206958. }
  206959. private:
  206960. LRESULT peerWindowProc (HWND h, UINT message, WPARAM wParam, LPARAM lParam)
  206961. {
  206962. {
  206963. const MessageManagerLock messLock;
  206964. if (isValidPeer (this))
  206965. {
  206966. switch (message)
  206967. {
  206968. case WM_NCHITTEST:
  206969. if (hasTitleBar())
  206970. break;
  206971. return HTCLIENT;
  206972. case WM_PAINT:
  206973. handlePaintMessage();
  206974. return 0;
  206975. case WM_NCPAINT:
  206976. if (wParam != 1)
  206977. handlePaintMessage();
  206978. if (hasTitleBar())
  206979. break;
  206980. return 0;
  206981. case WM_ERASEBKGND:
  206982. case WM_NCCALCSIZE:
  206983. if (hasTitleBar())
  206984. break;
  206985. return 1;
  206986. case WM_MOUSEMOVE:
  206987. doMouseMove (GET_X_LPARAM (lParam), GET_Y_LPARAM (lParam));
  206988. return 0;
  206989. case WM_MOUSELEAVE:
  206990. doMouseExit();
  206991. return 0;
  206992. case WM_LBUTTONDOWN:
  206993. case WM_MBUTTONDOWN:
  206994. case WM_RBUTTONDOWN:
  206995. doMouseDown (GET_X_LPARAM (lParam), GET_Y_LPARAM (lParam), wParam);
  206996. return 0;
  206997. case WM_LBUTTONUP:
  206998. case WM_MBUTTONUP:
  206999. case WM_RBUTTONUP:
  207000. doMouseUp (GET_X_LPARAM (lParam), GET_Y_LPARAM (lParam), wParam);
  207001. return 0;
  207002. case WM_CAPTURECHANGED:
  207003. doCaptureChanged();
  207004. return 0;
  207005. case WM_NCMOUSEMOVE:
  207006. if (hasTitleBar())
  207007. break;
  207008. return 0;
  207009. case 0x020A: /* WM_MOUSEWHEEL */
  207010. doMouseWheel (wParam, true);
  207011. return 0;
  207012. case 0x020E: /* WM_MOUSEHWHEEL */
  207013. doMouseWheel (wParam, false);
  207014. return 0;
  207015. case WM_WINDOWPOSCHANGING:
  207016. if ((styleFlags & (windowHasTitleBar | windowIsResizable)) == (windowHasTitleBar | windowIsResizable))
  207017. {
  207018. WINDOWPOS* const wp = (WINDOWPOS*) lParam;
  207019. if ((wp->flags & (SWP_NOMOVE | SWP_NOSIZE)) != (SWP_NOMOVE | SWP_NOSIZE))
  207020. {
  207021. if (constrainer != 0)
  207022. {
  207023. const Rectangle current (component->getX() - windowBorder.getLeft(),
  207024. component->getY() - windowBorder.getTop(),
  207025. component->getWidth() + windowBorder.getLeftAndRight(),
  207026. component->getHeight() + windowBorder.getTopAndBottom());
  207027. constrainer->checkBounds (wp->x, wp->y, wp->cx, wp->cy,
  207028. current,
  207029. Desktop::getInstance().getAllMonitorDisplayAreas().getBounds(),
  207030. wp->y != current.getY() && wp->y + wp->cy == current.getBottom(),
  207031. wp->x != current.getX() && wp->x + wp->cx == current.getRight(),
  207032. wp->y == current.getY() && wp->y + wp->cy != current.getBottom(),
  207033. wp->x == current.getX() && wp->x + wp->cx != current.getRight());
  207034. }
  207035. }
  207036. }
  207037. return 0;
  207038. case WM_WINDOWPOSCHANGED:
  207039. handleMovedOrResized();
  207040. if (dontRepaint)
  207041. break; // needed for non-accelerated openGL windows to draw themselves correctly..
  207042. else
  207043. return 0;
  207044. case WM_KEYDOWN:
  207045. case WM_SYSKEYDOWN:
  207046. if (doKeyDown (wParam))
  207047. return 0;
  207048. break;
  207049. case WM_KEYUP:
  207050. case WM_SYSKEYUP:
  207051. if (doKeyUp (wParam))
  207052. return 0;
  207053. break;
  207054. case WM_CHAR:
  207055. if (doKeyChar ((int) wParam, lParam))
  207056. return 0;
  207057. break;
  207058. case WM_APPCOMMAND:
  207059. if (doAppCommand (lParam))
  207060. return TRUE;
  207061. break;
  207062. case WM_SETFOCUS:
  207063. updateKeyModifiers();
  207064. handleFocusGain();
  207065. break;
  207066. case WM_KILLFOCUS:
  207067. if (hasCreatedCaret)
  207068. {
  207069. hasCreatedCaret = false;
  207070. DestroyCaret();
  207071. }
  207072. handleFocusLoss();
  207073. break;
  207074. case WM_ACTIVATEAPP:
  207075. // Windows does weird things to process priority when you swap apps,
  207076. // so this forces an update when the app is brought to the front
  207077. if (wParam != FALSE)
  207078. juce_repeatLastProcessPriority();
  207079. juce_CheckCurrentlyFocusedTopLevelWindow();
  207080. modifiersAtLastCallback = -1;
  207081. return 0;
  207082. case WM_ACTIVATE:
  207083. if (LOWORD (wParam) == WA_ACTIVE || LOWORD (wParam) == WA_CLICKACTIVE)
  207084. {
  207085. modifiersAtLastCallback = -1;
  207086. updateKeyModifiers();
  207087. if (isMinimised())
  207088. {
  207089. component->repaint();
  207090. handleMovedOrResized();
  207091. if (! isValidMessageListener())
  207092. return 0;
  207093. }
  207094. if (LOWORD (wParam) == WA_CLICKACTIVE
  207095. && component->isCurrentlyBlockedByAnotherModalComponent())
  207096. {
  207097. int mx, my;
  207098. component->getMouseXYRelative (mx, my);
  207099. Component* const underMouse = component->getComponentAt (mx, my);
  207100. if (underMouse != 0 && underMouse->isCurrentlyBlockedByAnotherModalComponent())
  207101. Component::getCurrentlyModalComponent()->inputAttemptWhenModal();
  207102. return 0;
  207103. }
  207104. handleBroughtToFront();
  207105. return 0;
  207106. }
  207107. break;
  207108. case WM_NCACTIVATE:
  207109. // while a temporary window is being shown, prevent Windows from deactivating the
  207110. // title bars of our main windows.
  207111. if (wParam == 0 && ! shouldDeactivateTitleBar)
  207112. wParam = TRUE; // change this and let it get passed to the DefWindowProc.
  207113. break;
  207114. case WM_MOUSEACTIVATE:
  207115. if (! component->getMouseClickGrabsKeyboardFocus())
  207116. return MA_NOACTIVATE;
  207117. break;
  207118. case WM_SHOWWINDOW:
  207119. if (wParam != 0)
  207120. handleBroughtToFront();
  207121. break;
  207122. case WM_CLOSE:
  207123. handleUserClosingWindow();
  207124. return 0;
  207125. case WM_QUIT:
  207126. JUCEApplication::quit();
  207127. return 0;
  207128. case WM_TRAYNOTIFY:
  207129. if (component->isCurrentlyBlockedByAnotherModalComponent())
  207130. {
  207131. if (lParam == WM_LBUTTONDOWN || lParam == WM_RBUTTONDOWN
  207132. || lParam == WM_LBUTTONDBLCLK || lParam == WM_LBUTTONDBLCLK)
  207133. {
  207134. Component* const current = Component::getCurrentlyModalComponent();
  207135. if (current != 0)
  207136. current->inputAttemptWhenModal();
  207137. }
  207138. }
  207139. else
  207140. {
  207141. const int oldModifiers = currentModifiers;
  207142. MouseEvent e (0, 0, ModifierKeys::getCurrentModifiersRealtime(), component,
  207143. getMouseEventTime(), 0, 0, getMouseEventTime(), 1, false);
  207144. if (lParam == WM_LBUTTONDOWN || lParam == WM_LBUTTONDBLCLK)
  207145. e.mods = ModifierKeys (e.mods.getRawFlags() | ModifierKeys::leftButtonModifier);
  207146. else if (lParam == WM_RBUTTONDOWN || lParam == WM_RBUTTONDBLCLK)
  207147. e.mods = ModifierKeys (e.mods.getRawFlags() | ModifierKeys::rightButtonModifier);
  207148. if (lParam == WM_LBUTTONDOWN || lParam == WM_RBUTTONDOWN)
  207149. {
  207150. SetFocus (hwnd);
  207151. SetForegroundWindow (hwnd);
  207152. component->mouseDown (e);
  207153. }
  207154. else if (lParam == WM_LBUTTONUP || lParam == WM_RBUTTONUP)
  207155. {
  207156. e.mods = ModifierKeys (oldModifiers);
  207157. component->mouseUp (e);
  207158. }
  207159. else if (lParam == WM_LBUTTONDBLCLK || lParam == WM_LBUTTONDBLCLK)
  207160. {
  207161. e.mods = ModifierKeys (oldModifiers);
  207162. component->mouseDoubleClick (e);
  207163. }
  207164. else if (lParam == WM_MOUSEMOVE)
  207165. {
  207166. component->mouseMove (e);
  207167. }
  207168. }
  207169. break;
  207170. case WM_SYNCPAINT:
  207171. return 0;
  207172. case WM_PALETTECHANGED:
  207173. InvalidateRect (h, 0, 0);
  207174. break;
  207175. case WM_DISPLAYCHANGE:
  207176. InvalidateRect (h, 0, 0);
  207177. createPaletteIfNeeded = true;
  207178. // intentional fall-through...
  207179. case WM_SETTINGCHANGE: // note the fall-through in the previous case!
  207180. doSettingChange();
  207181. break;
  207182. case WM_INITMENU:
  207183. if (! hasTitleBar())
  207184. {
  207185. if (isFullScreen())
  207186. {
  207187. EnableMenuItem ((HMENU) wParam, SC_RESTORE, MF_BYCOMMAND | MF_ENABLED);
  207188. EnableMenuItem ((HMENU) wParam, SC_MOVE, MF_BYCOMMAND | MF_GRAYED);
  207189. }
  207190. else if (! isMinimised())
  207191. {
  207192. EnableMenuItem ((HMENU) wParam, SC_MAXIMIZE, MF_BYCOMMAND | MF_GRAYED);
  207193. }
  207194. }
  207195. break;
  207196. case WM_SYSCOMMAND:
  207197. switch (wParam & 0xfff0)
  207198. {
  207199. case SC_CLOSE:
  207200. if (hasTitleBar())
  207201. {
  207202. PostMessage (h, WM_CLOSE, 0, 0);
  207203. return 0;
  207204. }
  207205. break;
  207206. case SC_KEYMENU:
  207207. if (hasTitleBar() && h == GetCapture())
  207208. ReleaseCapture();
  207209. break;
  207210. case SC_MAXIMIZE:
  207211. setFullScreen (true);
  207212. return 0;
  207213. case SC_MINIMIZE:
  207214. if (! hasTitleBar())
  207215. {
  207216. setMinimised (true);
  207217. return 0;
  207218. }
  207219. break;
  207220. case SC_RESTORE:
  207221. if (hasTitleBar())
  207222. {
  207223. if (isFullScreen())
  207224. {
  207225. setFullScreen (false);
  207226. return 0;
  207227. }
  207228. }
  207229. else
  207230. {
  207231. if (isMinimised())
  207232. setMinimised (false);
  207233. else if (isFullScreen())
  207234. setFullScreen (false);
  207235. return 0;
  207236. }
  207237. break;
  207238. case SC_MONITORPOWER:
  207239. case SC_SCREENSAVE:
  207240. if (! screenSaverAllowed)
  207241. return 0;
  207242. break;
  207243. }
  207244. break;
  207245. case WM_NCLBUTTONDOWN:
  207246. case WM_NCRBUTTONDOWN:
  207247. case WM_NCMBUTTONDOWN:
  207248. if (component->isCurrentlyBlockedByAnotherModalComponent())
  207249. {
  207250. Component* const current = Component::getCurrentlyModalComponent();
  207251. if (current != 0)
  207252. current->inputAttemptWhenModal();
  207253. }
  207254. break;
  207255. //case WM_IME_STARTCOMPOSITION;
  207256. // return 0;
  207257. case WM_GETDLGCODE:
  207258. return DLGC_WANTALLKEYS;
  207259. default:
  207260. break;
  207261. }
  207262. }
  207263. }
  207264. // (the message manager lock exits before calling this, to avoid deadlocks if
  207265. // this calls into non-juce windows)
  207266. return DefWindowProc (h, message, wParam, lParam);
  207267. }
  207268. Win32ComponentPeer (const Win32ComponentPeer&);
  207269. const Win32ComponentPeer& operator= (const Win32ComponentPeer&);
  207270. };
  207271. ComponentPeer* Component::createNewPeer (int styleFlags, void* /*nativeWindowToAttachTo*/)
  207272. {
  207273. return new Win32ComponentPeer (this, styleFlags);
  207274. }
  207275. juce_ImplementSingleton_SingleThreaded (Win32ComponentPeer::WindowClassHolder);
  207276. void SystemTrayIconComponent::setIconImage (const Image& newImage)
  207277. {
  207278. Win32ComponentPeer* const wp = dynamic_cast <Win32ComponentPeer*> (getPeer());
  207279. if (wp != 0)
  207280. wp->setTaskBarIcon (&newImage);
  207281. }
  207282. void SystemTrayIconComponent::setIconTooltip (const String& tooltip)
  207283. {
  207284. Win32ComponentPeer* const wp = dynamic_cast <Win32ComponentPeer*> (getPeer());
  207285. if (wp != 0)
  207286. wp->setTaskBarIconToolTip (tooltip);
  207287. }
  207288. void juce_setWindowStyleBit (HWND h, const int styleType, const int feature, const bool bitIsSet) throw()
  207289. {
  207290. DWORD val = GetWindowLong (h, styleType);
  207291. if (bitIsSet)
  207292. val |= feature;
  207293. else
  207294. val &= ~feature;
  207295. SetWindowLongPtr (h, styleType, val);
  207296. SetWindowPos (h, 0, 0, 0, 0, 0,
  207297. SWP_NOACTIVATE | SWP_NOMOVE | SWP_NOSIZE | SWP_NOZORDER
  207298. | SWP_NOOWNERZORDER | SWP_FRAMECHANGED | SWP_NOSENDCHANGING);
  207299. }
  207300. bool Process::isForegroundProcess() throw()
  207301. {
  207302. HWND fg = GetForegroundWindow();
  207303. if (fg == 0)
  207304. return true;
  207305. DWORD processId = 0;
  207306. GetWindowThreadProcessId (fg, &processId);
  207307. return processId == GetCurrentProcessId();
  207308. }
  207309. void Desktop::getMousePosition (int& x, int& y) throw()
  207310. {
  207311. POINT mousePos;
  207312. GetCursorPos (&mousePos);
  207313. x = mousePos.x;
  207314. y = mousePos.y;
  207315. }
  207316. void Desktop::setMousePosition (int x, int y) throw()
  207317. {
  207318. SetCursorPos (x, y);
  207319. }
  207320. void Desktop::setScreenSaverEnabled (const bool isEnabled) throw()
  207321. {
  207322. screenSaverAllowed = isEnabled;
  207323. }
  207324. bool Desktop::isScreenSaverEnabled() throw()
  207325. {
  207326. return screenSaverAllowed;
  207327. }
  207328. static BOOL CALLBACK enumMonitorsProc (HMONITOR, HDC, LPRECT r, LPARAM userInfo)
  207329. {
  207330. Array <Rectangle>* const monitorCoords = (Array <Rectangle>*) userInfo;
  207331. monitorCoords->add (Rectangle (r->left, r->top, r->right - r->left, r->bottom - r->top));
  207332. return TRUE;
  207333. }
  207334. void juce_updateMultiMonitorInfo (Array <Rectangle>& monitorCoords, const bool clipToWorkArea) throw()
  207335. {
  207336. EnumDisplayMonitors (0, 0, &enumMonitorsProc, (LPARAM) &monitorCoords);
  207337. // make sure the first in the list is the main monitor
  207338. for (int i = 1; i < monitorCoords.size(); ++i)
  207339. if (monitorCoords[i].getX() == 0 && monitorCoords[i].getY() == 0)
  207340. monitorCoords.swap (i, 0);
  207341. if (monitorCoords.size() == 0)
  207342. {
  207343. RECT r;
  207344. GetWindowRect (GetDesktopWindow(), &r);
  207345. monitorCoords.add (Rectangle (r.left, r.top, r.right - r.left, r.bottom - r.top));
  207346. }
  207347. if (clipToWorkArea)
  207348. {
  207349. // clip the main monitor to the active non-taskbar area
  207350. RECT r;
  207351. SystemParametersInfo (SPI_GETWORKAREA, 0, &r, 0);
  207352. Rectangle& screen = monitorCoords.getReference (0);
  207353. screen.setPosition (jmax (screen.getX(), r.left),
  207354. jmax (screen.getY(), r.top));
  207355. screen.setSize (jmin (screen.getRight(), r.right) - screen.getX(),
  207356. jmin (screen.getBottom(), r.bottom) - screen.getY());
  207357. }
  207358. }
  207359. static Image* createImageFromHBITMAP (HBITMAP bitmap) throw()
  207360. {
  207361. Image* im = 0;
  207362. if (bitmap != 0)
  207363. {
  207364. BITMAP bm;
  207365. if (GetObject (bitmap, sizeof (BITMAP), &bm)
  207366. && bm.bmWidth > 0 && bm.bmHeight > 0)
  207367. {
  207368. HDC tempDC = GetDC (0);
  207369. HDC dc = CreateCompatibleDC (tempDC);
  207370. ReleaseDC (0, tempDC);
  207371. SelectObject (dc, bitmap);
  207372. im = new Image (Image::ARGB, bm.bmWidth, bm.bmHeight, true);
  207373. for (int y = bm.bmHeight; --y >= 0;)
  207374. {
  207375. for (int x = bm.bmWidth; --x >= 0;)
  207376. {
  207377. COLORREF col = GetPixel (dc, x, y);
  207378. im->setPixelAt (x, y, Colour ((uint8) GetRValue (col),
  207379. (uint8) GetGValue (col),
  207380. (uint8) GetBValue (col)));
  207381. }
  207382. }
  207383. DeleteDC (dc);
  207384. }
  207385. }
  207386. return im;
  207387. }
  207388. static Image* createImageFromHICON (HICON icon) throw()
  207389. {
  207390. ICONINFO info;
  207391. if (GetIconInfo (icon, &info))
  207392. {
  207393. Image* const mask = createImageFromHBITMAP (info.hbmMask);
  207394. if (mask == 0)
  207395. return 0;
  207396. Image* const image = createImageFromHBITMAP (info.hbmColor);
  207397. if (image == 0)
  207398. return mask;
  207399. for (int y = image->getHeight(); --y >= 0;)
  207400. {
  207401. for (int x = image->getWidth(); --x >= 0;)
  207402. {
  207403. const float brightness = mask->getPixelAt (x, y).getBrightness();
  207404. if (brightness > 0.0f)
  207405. image->multiplyAlphaAt (x, y, 1.0f - brightness);
  207406. }
  207407. }
  207408. delete mask;
  207409. return image;
  207410. }
  207411. return 0;
  207412. }
  207413. static HICON createHICONFromImage (const Image& image, const BOOL isIcon, int hotspotX, int hotspotY) throw()
  207414. {
  207415. HBITMAP mask = CreateBitmap (image.getWidth(), image.getHeight(), 1, 1, 0);
  207416. ICONINFO info;
  207417. info.fIcon = isIcon;
  207418. info.xHotspot = hotspotX;
  207419. info.yHotspot = hotspotY;
  207420. info.hbmMask = mask;
  207421. HICON hi = 0;
  207422. if (SystemStats::getOperatingSystemType() >= SystemStats::WinXP)
  207423. {
  207424. WindowsBitmapImage bitmap (Image::ARGB, image.getWidth(), image.getHeight(), true);
  207425. Graphics g (bitmap);
  207426. g.drawImageAt (&image, 0, 0);
  207427. info.hbmColor = bitmap.hBitmap;
  207428. hi = CreateIconIndirect (&info);
  207429. }
  207430. else
  207431. {
  207432. HBITMAP colour = CreateCompatibleBitmap (GetDC (0), image.getWidth(), image.getHeight());
  207433. HDC colDC = CreateCompatibleDC (GetDC (0));
  207434. HDC alphaDC = CreateCompatibleDC (GetDC (0));
  207435. SelectObject (colDC, colour);
  207436. SelectObject (alphaDC, mask);
  207437. for (int y = image.getHeight(); --y >= 0;)
  207438. {
  207439. for (int x = image.getWidth(); --x >= 0;)
  207440. {
  207441. const Colour c (image.getPixelAt (x, y));
  207442. SetPixel (colDC, x, y, COLORREF (c.getRed() | (c.getGreen() << 8) | (c.getBlue() << 16)));
  207443. SetPixel (alphaDC, x, y, COLORREF (0xffffff - (c.getAlpha() | (c.getAlpha() << 8) | (c.getAlpha() << 16))));
  207444. }
  207445. }
  207446. DeleteDC (colDC);
  207447. DeleteDC (alphaDC);
  207448. info.hbmColor = colour;
  207449. hi = CreateIconIndirect (&info);
  207450. DeleteObject (colour);
  207451. }
  207452. DeleteObject (mask);
  207453. return hi;
  207454. }
  207455. Image* juce_createIconForFile (const File& file)
  207456. {
  207457. Image* image = 0;
  207458. TCHAR filename [1024];
  207459. file.getFullPathName().copyToBuffer (filename, 1023);
  207460. WORD iconNum = 0;
  207461. HICON icon = ExtractAssociatedIcon ((HINSTANCE) PlatformUtilities::getCurrentModuleInstanceHandle(),
  207462. filename, &iconNum);
  207463. if (icon != 0)
  207464. {
  207465. image = createImageFromHICON (icon);
  207466. DestroyIcon (icon);
  207467. }
  207468. return image;
  207469. }
  207470. void* juce_createMouseCursorFromImage (const Image& image, int hotspotX, int hotspotY) throw()
  207471. {
  207472. const int maxW = GetSystemMetrics (SM_CXCURSOR);
  207473. const int maxH = GetSystemMetrics (SM_CYCURSOR);
  207474. const Image* im = &image;
  207475. Image* newIm = 0;
  207476. if (image.getWidth() > maxW || image.getHeight() > maxH)
  207477. {
  207478. im = newIm = image.createCopy (maxW, maxH);
  207479. hotspotX = (hotspotX * maxW) / image.getWidth();
  207480. hotspotY = (hotspotY * maxH) / image.getHeight();
  207481. }
  207482. void* cursorH = 0;
  207483. const SystemStats::OperatingSystemType os = SystemStats::getOperatingSystemType();
  207484. if (os == SystemStats::WinXP)
  207485. {
  207486. cursorH = (void*) createHICONFromImage (*im, FALSE, hotspotX, hotspotY);
  207487. }
  207488. else
  207489. {
  207490. const int stride = (maxW + 7) >> 3;
  207491. uint8* const andPlane = (uint8*) juce_calloc (stride * maxH);
  207492. uint8* const xorPlane = (uint8*) juce_calloc (stride * maxH);
  207493. int index = 0;
  207494. for (int y = 0; y < maxH; ++y)
  207495. {
  207496. for (int x = 0; x < maxW; ++x)
  207497. {
  207498. const unsigned char bit = (unsigned char) (1 << (7 - (x & 7)));
  207499. const Colour pixelColour (im->getPixelAt (x, y));
  207500. if (pixelColour.getAlpha() < 127)
  207501. andPlane [index + (x >> 3)] |= bit;
  207502. else if (pixelColour.getBrightness() >= 0.5f)
  207503. xorPlane [index + (x >> 3)] |= bit;
  207504. }
  207505. index += stride;
  207506. }
  207507. cursorH = CreateCursor (0, hotspotX, hotspotY, maxW, maxH, andPlane, xorPlane);
  207508. juce_free (andPlane);
  207509. juce_free (xorPlane);
  207510. }
  207511. delete newIm;
  207512. return cursorH;
  207513. }
  207514. void juce_deleteMouseCursor (void* const cursorHandle, const bool isStandard) throw()
  207515. {
  207516. if (cursorHandle != 0 && ! isStandard)
  207517. DestroyCursor ((HCURSOR) cursorHandle);
  207518. }
  207519. void* juce_createStandardMouseCursor (MouseCursor::StandardCursorType type) throw()
  207520. {
  207521. LPCTSTR cursorName = IDC_ARROW;
  207522. switch (type)
  207523. {
  207524. case MouseCursor::NormalCursor:
  207525. cursorName = IDC_ARROW;
  207526. break;
  207527. case MouseCursor::NoCursor:
  207528. return 0;
  207529. case MouseCursor::DraggingHandCursor:
  207530. {
  207531. static void* dragHandCursor = 0;
  207532. if (dragHandCursor == 0)
  207533. {
  207534. static const unsigned char dragHandData[] =
  207535. { 71,73,70,56,57,97,16,0,16,0,145,2,0,0,0,0,255,255,255,0,0,0,0,0,0,33,249,4,1,0,0,2,0,44,0,0,0,0,16,0,
  207536. 16,0,0,2,52,148,47,0,200,185,16,130,90,12,74,139,107,84,123,39, 132,117,151,116,132,146,248,60,209,138,
  207537. 98,22,203,114,34,236,37,52,77,217,247,154,191,119,110,240,193,128,193,95,163,56,60,234,98,135,2,0,59 };
  207538. Image* const image = ImageFileFormat::loadFrom ((const char*) dragHandData, sizeof (dragHandData));
  207539. dragHandCursor = juce_createMouseCursorFromImage (*image, 8, 7);
  207540. delete image;
  207541. }
  207542. return dragHandCursor;
  207543. }
  207544. case MouseCursor::WaitCursor:
  207545. cursorName = IDC_WAIT;
  207546. break;
  207547. case MouseCursor::IBeamCursor:
  207548. cursorName = IDC_IBEAM;
  207549. break;
  207550. case MouseCursor::PointingHandCursor:
  207551. cursorName = MAKEINTRESOURCE(32649);
  207552. break;
  207553. case MouseCursor::LeftRightResizeCursor:
  207554. case MouseCursor::LeftEdgeResizeCursor:
  207555. case MouseCursor::RightEdgeResizeCursor:
  207556. cursorName = IDC_SIZEWE;
  207557. break;
  207558. case MouseCursor::UpDownResizeCursor:
  207559. case MouseCursor::TopEdgeResizeCursor:
  207560. case MouseCursor::BottomEdgeResizeCursor:
  207561. cursorName = IDC_SIZENS;
  207562. break;
  207563. case MouseCursor::TopLeftCornerResizeCursor:
  207564. case MouseCursor::BottomRightCornerResizeCursor:
  207565. cursorName = IDC_SIZENWSE;
  207566. break;
  207567. case MouseCursor::TopRightCornerResizeCursor:
  207568. case MouseCursor::BottomLeftCornerResizeCursor:
  207569. cursorName = IDC_SIZENESW;
  207570. break;
  207571. case MouseCursor::UpDownLeftRightResizeCursor:
  207572. cursorName = IDC_SIZEALL;
  207573. break;
  207574. case MouseCursor::CrosshairCursor:
  207575. cursorName = IDC_CROSS;
  207576. break;
  207577. case MouseCursor::CopyingCursor:
  207578. // can't seem to find one of these in the win32 list..
  207579. break;
  207580. }
  207581. HCURSOR cursorH = LoadCursor (0, cursorName);
  207582. if (cursorH == 0)
  207583. cursorH = LoadCursor (0, IDC_ARROW);
  207584. return (void*) cursorH;
  207585. }
  207586. void MouseCursor::showInWindow (ComponentPeer*) const throw()
  207587. {
  207588. SetCursor ((HCURSOR) getHandle());
  207589. }
  207590. void MouseCursor::showInAllWindows() const throw()
  207591. {
  207592. showInWindow (0);
  207593. }
  207594. class JuceDropSource : public IDropSource
  207595. {
  207596. int refCount;
  207597. public:
  207598. JuceDropSource()
  207599. : refCount (1)
  207600. {
  207601. }
  207602. virtual ~JuceDropSource()
  207603. {
  207604. jassert (refCount == 0);
  207605. }
  207606. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  207607. {
  207608. if (id == IID_IUnknown || id == IID_IDropSource)
  207609. {
  207610. AddRef();
  207611. *result = this;
  207612. return S_OK;
  207613. }
  207614. *result = 0;
  207615. return E_NOINTERFACE;
  207616. }
  207617. ULONG __stdcall AddRef() { return ++refCount; }
  207618. ULONG __stdcall Release() { jassert (refCount > 0); const int r = --refCount; if (r == 0) delete this; return r; }
  207619. HRESULT __stdcall QueryContinueDrag (BOOL escapePressed, DWORD keys)
  207620. {
  207621. if (escapePressed)
  207622. return DRAGDROP_S_CANCEL;
  207623. if ((keys & (MK_LBUTTON | MK_RBUTTON)) == 0)
  207624. return DRAGDROP_S_DROP;
  207625. return S_OK;
  207626. }
  207627. HRESULT __stdcall GiveFeedback (DWORD)
  207628. {
  207629. return DRAGDROP_S_USEDEFAULTCURSORS;
  207630. }
  207631. };
  207632. class JuceEnumFormatEtc : public IEnumFORMATETC
  207633. {
  207634. public:
  207635. JuceEnumFormatEtc (const FORMATETC* const format_)
  207636. : refCount (1),
  207637. format (format_),
  207638. index (0)
  207639. {
  207640. }
  207641. virtual ~JuceEnumFormatEtc()
  207642. {
  207643. jassert (refCount == 0);
  207644. }
  207645. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  207646. {
  207647. if (id == IID_IUnknown || id == IID_IEnumFORMATETC)
  207648. {
  207649. AddRef();
  207650. *result = this;
  207651. return S_OK;
  207652. }
  207653. *result = 0;
  207654. return E_NOINTERFACE;
  207655. }
  207656. ULONG __stdcall AddRef() { return ++refCount; }
  207657. ULONG __stdcall Release() { jassert (refCount > 0); const int r = --refCount; if (r == 0) delete this; return r; }
  207658. HRESULT __stdcall Clone (IEnumFORMATETC** result)
  207659. {
  207660. if (result == 0)
  207661. return E_POINTER;
  207662. JuceEnumFormatEtc* const newOne = new JuceEnumFormatEtc (format);
  207663. newOne->index = index;
  207664. *result = newOne;
  207665. return S_OK;
  207666. }
  207667. HRESULT __stdcall Next (ULONG celt, LPFORMATETC lpFormatEtc, ULONG* pceltFetched)
  207668. {
  207669. if (pceltFetched != 0)
  207670. *pceltFetched = 0;
  207671. else if (celt != 1)
  207672. return S_FALSE;
  207673. if (index == 0 && celt > 0 && lpFormatEtc != 0)
  207674. {
  207675. copyFormatEtc (lpFormatEtc [0], *format);
  207676. ++index;
  207677. if (pceltFetched != 0)
  207678. *pceltFetched = 1;
  207679. return S_OK;
  207680. }
  207681. return S_FALSE;
  207682. }
  207683. HRESULT __stdcall Skip (ULONG celt)
  207684. {
  207685. if (index + (int) celt >= 1)
  207686. return S_FALSE;
  207687. index += celt;
  207688. return S_OK;
  207689. }
  207690. HRESULT __stdcall Reset()
  207691. {
  207692. index = 0;
  207693. return S_OK;
  207694. }
  207695. private:
  207696. int refCount;
  207697. const FORMATETC* const format;
  207698. int index;
  207699. static void copyFormatEtc (FORMATETC& dest, const FORMATETC& source)
  207700. {
  207701. dest = source;
  207702. if (source.ptd != 0)
  207703. {
  207704. dest.ptd = (DVTARGETDEVICE*) CoTaskMemAlloc (sizeof (DVTARGETDEVICE));
  207705. *(dest.ptd) = *(source.ptd);
  207706. }
  207707. }
  207708. JuceEnumFormatEtc (const JuceEnumFormatEtc&);
  207709. const JuceEnumFormatEtc& operator= (const JuceEnumFormatEtc&);
  207710. };
  207711. class JuceDataObject : public IDataObject
  207712. {
  207713. JuceDropSource* const dropSource;
  207714. const FORMATETC* const format;
  207715. const STGMEDIUM* const medium;
  207716. int refCount;
  207717. JuceDataObject (const JuceDataObject&);
  207718. const JuceDataObject& operator= (const JuceDataObject&);
  207719. public:
  207720. JuceDataObject (JuceDropSource* const dropSource_,
  207721. const FORMATETC* const format_,
  207722. const STGMEDIUM* const medium_)
  207723. : dropSource (dropSource_),
  207724. format (format_),
  207725. medium (medium_),
  207726. refCount (1)
  207727. {
  207728. }
  207729. virtual ~JuceDataObject()
  207730. {
  207731. jassert (refCount == 0);
  207732. }
  207733. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  207734. {
  207735. if (id == IID_IUnknown || id == IID_IDataObject)
  207736. {
  207737. AddRef();
  207738. *result = this;
  207739. return S_OK;
  207740. }
  207741. *result = 0;
  207742. return E_NOINTERFACE;
  207743. }
  207744. ULONG __stdcall AddRef() { return ++refCount; }
  207745. ULONG __stdcall Release() { jassert (refCount > 0); const int r = --refCount; if (r == 0) delete this; return r; }
  207746. HRESULT __stdcall GetData (FORMATETC __RPC_FAR* pFormatEtc, STGMEDIUM __RPC_FAR* pMedium)
  207747. {
  207748. if (pFormatEtc->tymed == format->tymed
  207749. && pFormatEtc->cfFormat == format->cfFormat
  207750. && pFormatEtc->dwAspect == format->dwAspect)
  207751. {
  207752. pMedium->tymed = format->tymed;
  207753. pMedium->pUnkForRelease = 0;
  207754. if (format->tymed == TYMED_HGLOBAL)
  207755. {
  207756. const SIZE_T len = GlobalSize (medium->hGlobal);
  207757. void* const src = GlobalLock (medium->hGlobal);
  207758. void* const dst = GlobalAlloc (GMEM_FIXED, len);
  207759. memcpy (dst, src, len);
  207760. GlobalUnlock (medium->hGlobal);
  207761. pMedium->hGlobal = dst;
  207762. return S_OK;
  207763. }
  207764. }
  207765. return DV_E_FORMATETC;
  207766. }
  207767. HRESULT __stdcall QueryGetData (FORMATETC __RPC_FAR* f)
  207768. {
  207769. if (f == 0)
  207770. return E_INVALIDARG;
  207771. if (f->tymed == format->tymed
  207772. && f->cfFormat == format->cfFormat
  207773. && f->dwAspect == format->dwAspect)
  207774. return S_OK;
  207775. return DV_E_FORMATETC;
  207776. }
  207777. HRESULT __stdcall GetCanonicalFormatEtc (FORMATETC __RPC_FAR*, FORMATETC __RPC_FAR* pFormatEtcOut)
  207778. {
  207779. pFormatEtcOut->ptd = 0;
  207780. return E_NOTIMPL;
  207781. }
  207782. HRESULT __stdcall EnumFormatEtc (DWORD direction, IEnumFORMATETC __RPC_FAR *__RPC_FAR *result)
  207783. {
  207784. if (result == 0)
  207785. return E_POINTER;
  207786. if (direction == DATADIR_GET)
  207787. {
  207788. *result = new JuceEnumFormatEtc (format);
  207789. return S_OK;
  207790. }
  207791. *result = 0;
  207792. return E_NOTIMPL;
  207793. }
  207794. HRESULT __stdcall GetDataHere (FORMATETC __RPC_FAR*, STGMEDIUM __RPC_FAR*) { return DATA_E_FORMATETC; }
  207795. HRESULT __stdcall SetData (FORMATETC __RPC_FAR*, STGMEDIUM __RPC_FAR*, BOOL) { return E_NOTIMPL; }
  207796. HRESULT __stdcall DAdvise (FORMATETC __RPC_FAR*, DWORD, IAdviseSink __RPC_FAR*, DWORD __RPC_FAR*) { return OLE_E_ADVISENOTSUPPORTED; }
  207797. HRESULT __stdcall DUnadvise (DWORD) { return E_NOTIMPL; }
  207798. HRESULT __stdcall EnumDAdvise (IEnumSTATDATA __RPC_FAR *__RPC_FAR *) { return OLE_E_ADVISENOTSUPPORTED; }
  207799. };
  207800. static HDROP createHDrop (const StringArray& fileNames) throw()
  207801. {
  207802. int totalChars = 0;
  207803. for (int i = fileNames.size(); --i >= 0;)
  207804. totalChars += fileNames[i].length() + 1;
  207805. HDROP hDrop = (HDROP) GlobalAlloc (GMEM_MOVEABLE | GMEM_ZEROINIT,
  207806. sizeof (DROPFILES)
  207807. + sizeof (WCHAR) * (totalChars + 2));
  207808. if (hDrop != 0)
  207809. {
  207810. LPDROPFILES pDropFiles = (LPDROPFILES) GlobalLock (hDrop);
  207811. pDropFiles->pFiles = sizeof (DROPFILES);
  207812. pDropFiles->fWide = true;
  207813. WCHAR* fname = (WCHAR*) (((char*) pDropFiles) + sizeof (DROPFILES));
  207814. for (int i = 0; i < fileNames.size(); ++i)
  207815. {
  207816. fileNames[i].copyToBuffer (fname, 2048);
  207817. fname += fileNames[i].length() + 1;
  207818. }
  207819. *fname = 0;
  207820. GlobalUnlock (hDrop);
  207821. }
  207822. return hDrop;
  207823. }
  207824. static bool performDragDrop (FORMATETC* const format, STGMEDIUM* const medium, const DWORD whatToDo) throw()
  207825. {
  207826. JuceDropSource* const source = new JuceDropSource();
  207827. JuceDataObject* const data = new JuceDataObject (source, format, medium);
  207828. DWORD effect;
  207829. const HRESULT res = DoDragDrop (data, source, whatToDo, &effect);
  207830. data->Release();
  207831. source->Release();
  207832. return res == DRAGDROP_S_DROP;
  207833. }
  207834. bool DragAndDropContainer::performExternalDragDropOfFiles (const StringArray& files, const bool canMove)
  207835. {
  207836. FORMATETC format = { CF_HDROP, 0, DVASPECT_CONTENT, -1, TYMED_HGLOBAL };
  207837. STGMEDIUM medium = { TYMED_HGLOBAL, { 0 }, 0 };
  207838. medium.hGlobal = createHDrop (files);
  207839. return performDragDrop (&format, &medium, canMove ? (DROPEFFECT_COPY | DROPEFFECT_MOVE)
  207840. : DROPEFFECT_COPY);
  207841. }
  207842. bool DragAndDropContainer::performExternalDragDropOfText (const String& text)
  207843. {
  207844. FORMATETC format = { CF_TEXT, 0, DVASPECT_CONTENT, -1, TYMED_HGLOBAL };
  207845. STGMEDIUM medium = { TYMED_HGLOBAL, { 0 }, 0 };
  207846. const int numChars = text.length();
  207847. medium.hGlobal = GlobalAlloc (GMEM_MOVEABLE | GMEM_ZEROINIT, (numChars + 2) * sizeof (WCHAR));
  207848. char* d = (char*) GlobalLock (medium.hGlobal);
  207849. text.copyToBuffer ((WCHAR*) d, numChars + 1);
  207850. format.cfFormat = CF_UNICODETEXT;
  207851. GlobalUnlock (medium.hGlobal);
  207852. return performDragDrop (&format, &medium, DROPEFFECT_COPY | DROPEFFECT_MOVE);
  207853. }
  207854. #if JUCE_OPENGL
  207855. #define WGL_EXT_FUNCTION_INIT(extType, extFunc) \
  207856. ((extFunc = (extType) wglGetProcAddress (#extFunc)) != 0)
  207857. typedef const char* (WINAPI* PFNWGLGETEXTENSIONSSTRINGARBPROC) (HDC hdc);
  207858. typedef BOOL (WINAPI * PFNWGLGETPIXELFORMATATTRIBIVARBPROC) (HDC hdc, int iPixelFormat, int iLayerPlane, UINT nAttributes, const int *piAttributes, int *piValues);
  207859. typedef BOOL (WINAPI * PFNWGLCHOOSEPIXELFORMATARBPROC) (HDC hdc, const int* piAttribIList, const FLOAT *pfAttribFList, UINT nMaxFormats, int *piFormats, UINT *nNumFormats);
  207860. typedef BOOL (WINAPI * PFNWGLSWAPINTERVALEXTPROC) (int interval);
  207861. typedef int (WINAPI * PFNWGLGETSWAPINTERVALEXTPROC) (void);
  207862. #define WGL_NUMBER_PIXEL_FORMATS_ARB 0x2000
  207863. #define WGL_DRAW_TO_WINDOW_ARB 0x2001
  207864. #define WGL_ACCELERATION_ARB 0x2003
  207865. #define WGL_SWAP_METHOD_ARB 0x2007
  207866. #define WGL_SUPPORT_OPENGL_ARB 0x2010
  207867. #define WGL_PIXEL_TYPE_ARB 0x2013
  207868. #define WGL_DOUBLE_BUFFER_ARB 0x2011
  207869. #define WGL_COLOR_BITS_ARB 0x2014
  207870. #define WGL_RED_BITS_ARB 0x2015
  207871. #define WGL_GREEN_BITS_ARB 0x2017
  207872. #define WGL_BLUE_BITS_ARB 0x2019
  207873. #define WGL_ALPHA_BITS_ARB 0x201B
  207874. #define WGL_DEPTH_BITS_ARB 0x2022
  207875. #define WGL_STENCIL_BITS_ARB 0x2023
  207876. #define WGL_FULL_ACCELERATION_ARB 0x2027
  207877. #define WGL_ACCUM_RED_BITS_ARB 0x201E
  207878. #define WGL_ACCUM_GREEN_BITS_ARB 0x201F
  207879. #define WGL_ACCUM_BLUE_BITS_ARB 0x2020
  207880. #define WGL_ACCUM_ALPHA_BITS_ARB 0x2021
  207881. #define WGL_STEREO_ARB 0x2012
  207882. #define WGL_SAMPLE_BUFFERS_ARB 0x2041
  207883. #define WGL_SAMPLES_ARB 0x2042
  207884. #define WGL_TYPE_RGBA_ARB 0x202B
  207885. static void getWglExtensions (HDC dc, StringArray& result) throw()
  207886. {
  207887. PFNWGLGETEXTENSIONSSTRINGARBPROC wglGetExtensionsStringARB = 0;
  207888. if (WGL_EXT_FUNCTION_INIT (PFNWGLGETEXTENSIONSSTRINGARBPROC, wglGetExtensionsStringARB))
  207889. result.addTokens (String (wglGetExtensionsStringARB (dc)), false);
  207890. else
  207891. jassertfalse // If this fails, it may be because you didn't activate the openGL context
  207892. }
  207893. class WindowedGLContext : public OpenGLContext
  207894. {
  207895. public:
  207896. WindowedGLContext (Component* const component_,
  207897. HGLRC contextToShareWith,
  207898. const OpenGLPixelFormat& pixelFormat)
  207899. : renderContext (0),
  207900. nativeWindow (0),
  207901. dc (0),
  207902. component (component_)
  207903. {
  207904. jassert (component != 0);
  207905. createNativeWindow();
  207906. // Use a default pixel format that should be supported everywhere
  207907. PIXELFORMATDESCRIPTOR pfd;
  207908. zerostruct (pfd);
  207909. pfd.nSize = sizeof (pfd);
  207910. pfd.nVersion = 1;
  207911. pfd.dwFlags = PFD_DRAW_TO_WINDOW | PFD_SUPPORT_OPENGL | PFD_DOUBLEBUFFER;
  207912. pfd.iPixelType = PFD_TYPE_RGBA;
  207913. pfd.cColorBits = 24;
  207914. pfd.cDepthBits = 16;
  207915. const int format = ChoosePixelFormat (dc, &pfd);
  207916. if (format != 0)
  207917. SetPixelFormat (dc, format, &pfd);
  207918. renderContext = wglCreateContext (dc);
  207919. makeActive();
  207920. setPixelFormat (pixelFormat);
  207921. if (contextToShareWith != 0 && renderContext != 0)
  207922. wglShareLists (contextToShareWith, renderContext);
  207923. }
  207924. ~WindowedGLContext()
  207925. {
  207926. makeInactive();
  207927. wglDeleteContext (renderContext);
  207928. ReleaseDC ((HWND) nativeWindow->getNativeHandle(), dc);
  207929. delete nativeWindow;
  207930. }
  207931. bool makeActive() const throw()
  207932. {
  207933. jassert (renderContext != 0);
  207934. return wglMakeCurrent (dc, renderContext) != 0;
  207935. }
  207936. bool makeInactive() const throw()
  207937. {
  207938. return (! isActive()) || (wglMakeCurrent (0, 0) != 0);
  207939. }
  207940. bool isActive() const throw()
  207941. {
  207942. return wglGetCurrentContext() == renderContext;
  207943. }
  207944. const OpenGLPixelFormat getPixelFormat() const
  207945. {
  207946. OpenGLPixelFormat pf;
  207947. makeActive();
  207948. StringArray availableExtensions;
  207949. getWglExtensions (dc, availableExtensions);
  207950. fillInPixelFormatDetails (GetPixelFormat (dc), pf, availableExtensions);
  207951. return pf;
  207952. }
  207953. void* getRawContext() const throw()
  207954. {
  207955. return renderContext;
  207956. }
  207957. bool setPixelFormat (const OpenGLPixelFormat& pixelFormat)
  207958. {
  207959. makeActive();
  207960. PIXELFORMATDESCRIPTOR pfd;
  207961. zerostruct (pfd);
  207962. pfd.nSize = sizeof (pfd);
  207963. pfd.nVersion = 1;
  207964. pfd.dwFlags = PFD_SUPPORT_OPENGL | PFD_DRAW_TO_WINDOW | PFD_DOUBLEBUFFER;
  207965. pfd.iPixelType = PFD_TYPE_RGBA;
  207966. pfd.iLayerType = PFD_MAIN_PLANE;
  207967. pfd.cColorBits = pixelFormat.redBits + pixelFormat.greenBits + pixelFormat.blueBits;
  207968. pfd.cRedBits = pixelFormat.redBits;
  207969. pfd.cGreenBits = pixelFormat.greenBits;
  207970. pfd.cBlueBits = pixelFormat.blueBits;
  207971. pfd.cAlphaBits = pixelFormat.alphaBits;
  207972. pfd.cDepthBits = pixelFormat.depthBufferBits;
  207973. pfd.cStencilBits = pixelFormat.stencilBufferBits;
  207974. pfd.cAccumBits = pixelFormat.accumulationBufferRedBits + pixelFormat.accumulationBufferGreenBits
  207975. + pixelFormat.accumulationBufferBlueBits + pixelFormat.accumulationBufferAlphaBits;
  207976. pfd.cAccumRedBits = pixelFormat.accumulationBufferRedBits;
  207977. pfd.cAccumGreenBits = pixelFormat.accumulationBufferGreenBits;
  207978. pfd.cAccumBlueBits = pixelFormat.accumulationBufferBlueBits;
  207979. pfd.cAccumAlphaBits = pixelFormat.accumulationBufferAlphaBits;
  207980. int format = 0;
  207981. PFNWGLCHOOSEPIXELFORMATARBPROC wglChoosePixelFormatARB = 0;
  207982. StringArray availableExtensions;
  207983. getWglExtensions (dc, availableExtensions);
  207984. if (availableExtensions.contains ("WGL_ARB_pixel_format")
  207985. && WGL_EXT_FUNCTION_INIT (PFNWGLCHOOSEPIXELFORMATARBPROC, wglChoosePixelFormatARB))
  207986. {
  207987. int attributes[64];
  207988. int n = 0;
  207989. attributes[n++] = WGL_DRAW_TO_WINDOW_ARB;
  207990. attributes[n++] = GL_TRUE;
  207991. attributes[n++] = WGL_SUPPORT_OPENGL_ARB;
  207992. attributes[n++] = GL_TRUE;
  207993. attributes[n++] = WGL_ACCELERATION_ARB;
  207994. attributes[n++] = WGL_FULL_ACCELERATION_ARB;
  207995. attributes[n++] = WGL_DOUBLE_BUFFER_ARB;
  207996. attributes[n++] = GL_TRUE;
  207997. attributes[n++] = WGL_PIXEL_TYPE_ARB;
  207998. attributes[n++] = WGL_TYPE_RGBA_ARB;
  207999. attributes[n++] = WGL_COLOR_BITS_ARB;
  208000. attributes[n++] = pfd.cColorBits;
  208001. attributes[n++] = WGL_RED_BITS_ARB;
  208002. attributes[n++] = pixelFormat.redBits;
  208003. attributes[n++] = WGL_GREEN_BITS_ARB;
  208004. attributes[n++] = pixelFormat.greenBits;
  208005. attributes[n++] = WGL_BLUE_BITS_ARB;
  208006. attributes[n++] = pixelFormat.blueBits;
  208007. attributes[n++] = WGL_ALPHA_BITS_ARB;
  208008. attributes[n++] = pixelFormat.alphaBits;
  208009. attributes[n++] = WGL_DEPTH_BITS_ARB;
  208010. attributes[n++] = pixelFormat.depthBufferBits;
  208011. if (pixelFormat.stencilBufferBits > 0)
  208012. {
  208013. attributes[n++] = WGL_STENCIL_BITS_ARB;
  208014. attributes[n++] = pixelFormat.stencilBufferBits;
  208015. }
  208016. attributes[n++] = WGL_ACCUM_RED_BITS_ARB;
  208017. attributes[n++] = pixelFormat.accumulationBufferRedBits;
  208018. attributes[n++] = WGL_ACCUM_GREEN_BITS_ARB;
  208019. attributes[n++] = pixelFormat.accumulationBufferGreenBits;
  208020. attributes[n++] = WGL_ACCUM_BLUE_BITS_ARB;
  208021. attributes[n++] = pixelFormat.accumulationBufferBlueBits;
  208022. attributes[n++] = WGL_ACCUM_ALPHA_BITS_ARB;
  208023. attributes[n++] = pixelFormat.accumulationBufferAlphaBits;
  208024. if (availableExtensions.contains ("WGL_ARB_multisample")
  208025. && pixelFormat.fullSceneAntiAliasingNumSamples > 0)
  208026. {
  208027. attributes[n++] = WGL_SAMPLE_BUFFERS_ARB;
  208028. attributes[n++] = 1;
  208029. attributes[n++] = WGL_SAMPLES_ARB;
  208030. attributes[n++] = pixelFormat.fullSceneAntiAliasingNumSamples;
  208031. }
  208032. attributes[n++] = 0;
  208033. UINT formatsCount;
  208034. const BOOL ok = wglChoosePixelFormatARB (dc, attributes, 0, 1, &format, &formatsCount);
  208035. (void) ok;
  208036. jassert (ok);
  208037. }
  208038. else
  208039. {
  208040. format = ChoosePixelFormat (dc, &pfd);
  208041. }
  208042. if (format != 0)
  208043. {
  208044. makeInactive();
  208045. // win32 can't change the pixel format of a window, so need to delete the
  208046. // old one and create a new one..
  208047. jassert (nativeWindow != 0);
  208048. ReleaseDC ((HWND) nativeWindow->getNativeHandle(), dc);
  208049. delete nativeWindow;
  208050. createNativeWindow();
  208051. if (SetPixelFormat (dc, format, &pfd))
  208052. {
  208053. wglDeleteContext (renderContext);
  208054. renderContext = wglCreateContext (dc);
  208055. jassert (renderContext != 0);
  208056. return renderContext != 0;
  208057. }
  208058. }
  208059. return false;
  208060. }
  208061. void updateWindowPosition (int x, int y, int w, int h, int)
  208062. {
  208063. SetWindowPos ((HWND) nativeWindow->getNativeHandle(), 0,
  208064. x, y, w, h,
  208065. SWP_NOACTIVATE | SWP_NOZORDER | SWP_NOOWNERZORDER);
  208066. }
  208067. void repaint()
  208068. {
  208069. int x, y, w, h;
  208070. nativeWindow->getBounds (x, y, w, h);
  208071. nativeWindow->repaint (0, 0, w, h);
  208072. }
  208073. void swapBuffers()
  208074. {
  208075. SwapBuffers (dc);
  208076. }
  208077. bool setSwapInterval (const int numFramesPerSwap)
  208078. {
  208079. makeActive();
  208080. StringArray availableExtensions;
  208081. getWglExtensions (dc, availableExtensions);
  208082. PFNWGLSWAPINTERVALEXTPROC wglSwapIntervalEXT = 0;
  208083. return availableExtensions.contains ("WGL_EXT_swap_control")
  208084. && WGL_EXT_FUNCTION_INIT (PFNWGLSWAPINTERVALEXTPROC, wglSwapIntervalEXT)
  208085. && wglSwapIntervalEXT (numFramesPerSwap) != FALSE;
  208086. }
  208087. int getSwapInterval() const
  208088. {
  208089. makeActive();
  208090. StringArray availableExtensions;
  208091. getWglExtensions (dc, availableExtensions);
  208092. PFNWGLGETSWAPINTERVALEXTPROC wglGetSwapIntervalEXT = 0;
  208093. if (availableExtensions.contains ("WGL_EXT_swap_control")
  208094. && WGL_EXT_FUNCTION_INIT (PFNWGLGETSWAPINTERVALEXTPROC, wglGetSwapIntervalEXT))
  208095. return wglGetSwapIntervalEXT();
  208096. return 0;
  208097. }
  208098. void findAlternativeOpenGLPixelFormats (OwnedArray <OpenGLPixelFormat>& results)
  208099. {
  208100. jassert (isActive());
  208101. StringArray availableExtensions;
  208102. getWglExtensions (dc, availableExtensions);
  208103. PFNWGLGETPIXELFORMATATTRIBIVARBPROC wglGetPixelFormatAttribivARB = 0;
  208104. int numTypes = 0;
  208105. if (availableExtensions.contains("WGL_ARB_pixel_format")
  208106. && WGL_EXT_FUNCTION_INIT (PFNWGLGETPIXELFORMATATTRIBIVARBPROC, wglGetPixelFormatAttribivARB))
  208107. {
  208108. int attributes = WGL_NUMBER_PIXEL_FORMATS_ARB;
  208109. if (! wglGetPixelFormatAttribivARB (dc, 1, 0, 1, &attributes, &numTypes))
  208110. jassertfalse
  208111. }
  208112. else
  208113. {
  208114. numTypes = DescribePixelFormat (dc, 0, 0, 0);
  208115. }
  208116. OpenGLPixelFormat pf;
  208117. for (int i = 0; i < numTypes; ++i)
  208118. {
  208119. if (fillInPixelFormatDetails (i + 1, pf, availableExtensions))
  208120. {
  208121. bool alreadyListed = false;
  208122. for (int j = results.size(); --j >= 0;)
  208123. if (pf == *results.getUnchecked(j))
  208124. alreadyListed = true;
  208125. if (! alreadyListed)
  208126. results.add (new OpenGLPixelFormat (pf));
  208127. }
  208128. }
  208129. }
  208130. juce_UseDebuggingNewOperator
  208131. HGLRC renderContext;
  208132. private:
  208133. Win32ComponentPeer* nativeWindow;
  208134. Component* const component;
  208135. HDC dc;
  208136. void createNativeWindow()
  208137. {
  208138. nativeWindow = new Win32ComponentPeer (component, 0);
  208139. nativeWindow->dontRepaint = true;
  208140. nativeWindow->setVisible (true);
  208141. HWND hwnd = (HWND) nativeWindow->getNativeHandle();
  208142. Win32ComponentPeer* const peer = dynamic_cast <Win32ComponentPeer*> (component->getTopLevelComponent()->getPeer());
  208143. if (peer != 0)
  208144. {
  208145. SetParent (hwnd, (HWND) peer->getNativeHandle());
  208146. juce_setWindowStyleBit (hwnd, GWL_STYLE, WS_CHILD, true);
  208147. juce_setWindowStyleBit (hwnd, GWL_STYLE, WS_POPUP, false);
  208148. }
  208149. dc = GetDC (hwnd);
  208150. }
  208151. bool fillInPixelFormatDetails (const int pixelFormatIndex,
  208152. OpenGLPixelFormat& result,
  208153. const StringArray& availableExtensions) const throw()
  208154. {
  208155. PFNWGLGETPIXELFORMATATTRIBIVARBPROC wglGetPixelFormatAttribivARB = 0;
  208156. if (availableExtensions.contains ("WGL_ARB_pixel_format")
  208157. && WGL_EXT_FUNCTION_INIT (PFNWGLGETPIXELFORMATATTRIBIVARBPROC, wglGetPixelFormatAttribivARB))
  208158. {
  208159. int attributes[32];
  208160. int numAttributes = 0;
  208161. attributes[numAttributes++] = WGL_DRAW_TO_WINDOW_ARB;
  208162. attributes[numAttributes++] = WGL_SUPPORT_OPENGL_ARB;
  208163. attributes[numAttributes++] = WGL_ACCELERATION_ARB;
  208164. attributes[numAttributes++] = WGL_DOUBLE_BUFFER_ARB;
  208165. attributes[numAttributes++] = WGL_PIXEL_TYPE_ARB;
  208166. attributes[numAttributes++] = WGL_RED_BITS_ARB;
  208167. attributes[numAttributes++] = WGL_GREEN_BITS_ARB;
  208168. attributes[numAttributes++] = WGL_BLUE_BITS_ARB;
  208169. attributes[numAttributes++] = WGL_ALPHA_BITS_ARB;
  208170. attributes[numAttributes++] = WGL_DEPTH_BITS_ARB;
  208171. attributes[numAttributes++] = WGL_STENCIL_BITS_ARB;
  208172. attributes[numAttributes++] = WGL_ACCUM_RED_BITS_ARB;
  208173. attributes[numAttributes++] = WGL_ACCUM_GREEN_BITS_ARB;
  208174. attributes[numAttributes++] = WGL_ACCUM_BLUE_BITS_ARB;
  208175. attributes[numAttributes++] = WGL_ACCUM_ALPHA_BITS_ARB;
  208176. if (availableExtensions.contains ("WGL_ARB_multisample"))
  208177. attributes[numAttributes++] = WGL_SAMPLES_ARB;
  208178. int values[32];
  208179. zeromem (values, sizeof (values));
  208180. if (wglGetPixelFormatAttribivARB (dc, pixelFormatIndex, 0, numAttributes, attributes, values))
  208181. {
  208182. int n = 0;
  208183. bool isValidFormat = (values[n++] == GL_TRUE); // WGL_DRAW_TO_WINDOW_ARB
  208184. isValidFormat = (values[n++] == GL_TRUE) && isValidFormat; // WGL_SUPPORT_OPENGL_ARB
  208185. isValidFormat = (values[n++] == WGL_FULL_ACCELERATION_ARB) && isValidFormat; // WGL_ACCELERATION_ARB
  208186. isValidFormat = (values[n++] == GL_TRUE) && isValidFormat; // WGL_DOUBLE_BUFFER_ARB:
  208187. isValidFormat = (values[n++] == WGL_TYPE_RGBA_ARB) && isValidFormat; // WGL_PIXEL_TYPE_ARB
  208188. result.redBits = values[n++]; // WGL_RED_BITS_ARB
  208189. result.greenBits = values[n++]; // WGL_GREEN_BITS_ARB
  208190. result.blueBits = values[n++]; // WGL_BLUE_BITS_ARB
  208191. result.alphaBits = values[n++]; // WGL_ALPHA_BITS_ARB
  208192. result.depthBufferBits = values[n++]; // WGL_DEPTH_BITS_ARB
  208193. result.stencilBufferBits = values[n++]; // WGL_STENCIL_BITS_ARB
  208194. result.accumulationBufferRedBits = values[n++]; // WGL_ACCUM_RED_BITS_ARB
  208195. result.accumulationBufferGreenBits = values[n++]; // WGL_ACCUM_GREEN_BITS_ARB
  208196. result.accumulationBufferBlueBits = values[n++]; // WGL_ACCUM_BLUE_BITS_ARB
  208197. result.accumulationBufferAlphaBits = values[n++]; // WGL_ACCUM_ALPHA_BITS_ARB
  208198. result.fullSceneAntiAliasingNumSamples = values[n++]; // WGL_SAMPLES_ARB
  208199. return isValidFormat;
  208200. }
  208201. else
  208202. {
  208203. jassertfalse
  208204. }
  208205. }
  208206. else
  208207. {
  208208. PIXELFORMATDESCRIPTOR pfd;
  208209. if (DescribePixelFormat (dc, pixelFormatIndex, sizeof (pfd), &pfd))
  208210. {
  208211. result.redBits = pfd.cRedBits;
  208212. result.greenBits = pfd.cGreenBits;
  208213. result.blueBits = pfd.cBlueBits;
  208214. result.alphaBits = pfd.cAlphaBits;
  208215. result.depthBufferBits = pfd.cDepthBits;
  208216. result.stencilBufferBits = pfd.cStencilBits;
  208217. result.accumulationBufferRedBits = pfd.cAccumRedBits;
  208218. result.accumulationBufferGreenBits = pfd.cAccumGreenBits;
  208219. result.accumulationBufferBlueBits = pfd.cAccumBlueBits;
  208220. result.accumulationBufferAlphaBits = pfd.cAccumAlphaBits;
  208221. result.fullSceneAntiAliasingNumSamples = 0;
  208222. return true;
  208223. }
  208224. else
  208225. {
  208226. jassertfalse
  208227. }
  208228. }
  208229. return false;
  208230. }
  208231. WindowedGLContext (const WindowedGLContext&);
  208232. const WindowedGLContext& operator= (const WindowedGLContext&);
  208233. };
  208234. OpenGLContext* OpenGLContext::createContextForWindow (Component* const component,
  208235. const OpenGLPixelFormat& pixelFormat,
  208236. const OpenGLContext* const contextToShareWith)
  208237. {
  208238. WindowedGLContext* c = new WindowedGLContext (component,
  208239. contextToShareWith != 0 ? (HGLRC) contextToShareWith->getRawContext() : 0,
  208240. pixelFormat);
  208241. if (c->renderContext == 0)
  208242. deleteAndZero (c);
  208243. return c;
  208244. }
  208245. void juce_glViewport (const int w, const int h)
  208246. {
  208247. glViewport (0, 0, w, h);
  208248. }
  208249. void OpenGLPixelFormat::getAvailablePixelFormats (Component* component,
  208250. OwnedArray <OpenGLPixelFormat>& results)
  208251. {
  208252. Component tempComp;
  208253. {
  208254. WindowedGLContext wc (component, 0, OpenGLPixelFormat (8, 8, 16, 0));
  208255. wc.makeActive();
  208256. wc.findAlternativeOpenGLPixelFormats (results);
  208257. }
  208258. }
  208259. #endif
  208260. class JuceIStorage : public IStorage
  208261. {
  208262. int refCount;
  208263. public:
  208264. JuceIStorage() : refCount (1) {}
  208265. virtual ~JuceIStorage()
  208266. {
  208267. jassert (refCount == 0);
  208268. }
  208269. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  208270. {
  208271. if (id == IID_IUnknown || id == IID_IStorage)
  208272. {
  208273. AddRef();
  208274. *result = this;
  208275. return S_OK;
  208276. }
  208277. *result = 0;
  208278. return E_NOINTERFACE;
  208279. }
  208280. ULONG __stdcall AddRef() { return ++refCount; }
  208281. ULONG __stdcall Release() { const int r = --refCount; if (r == 0) delete this; return r; }
  208282. HRESULT __stdcall CreateStream (const WCHAR*, DWORD, DWORD, DWORD, IStream**) { return E_NOTIMPL; }
  208283. HRESULT __stdcall OpenStream (const WCHAR*, void*, DWORD, DWORD, IStream**) { return E_NOTIMPL; }
  208284. HRESULT __stdcall CreateStorage (const WCHAR*, DWORD, DWORD, DWORD, IStorage**) { return E_NOTIMPL; }
  208285. HRESULT __stdcall OpenStorage (const WCHAR*, IStorage*, DWORD, SNB, DWORD, IStorage**) { return E_NOTIMPL; }
  208286. HRESULT __stdcall CopyTo (DWORD, IID const*, SNB, IStorage*) { return E_NOTIMPL; }
  208287. HRESULT __stdcall MoveElementTo (const OLECHAR*,IStorage*, const OLECHAR*, DWORD) { return E_NOTIMPL; }
  208288. HRESULT __stdcall Commit (DWORD) { return E_NOTIMPL; }
  208289. HRESULT __stdcall Revert() { return E_NOTIMPL; }
  208290. HRESULT __stdcall EnumElements (DWORD, void*, DWORD, IEnumSTATSTG**) { return E_NOTIMPL; }
  208291. HRESULT __stdcall DestroyElement (const OLECHAR*) { return E_NOTIMPL; }
  208292. HRESULT __stdcall RenameElement (const WCHAR*, const WCHAR*) { return E_NOTIMPL; }
  208293. HRESULT __stdcall SetElementTimes (const WCHAR*, FILETIME const*, FILETIME const*, FILETIME const*) { return E_NOTIMPL; }
  208294. HRESULT __stdcall SetClass (REFCLSID) { return S_OK; }
  208295. HRESULT __stdcall SetStateBits (DWORD, DWORD) { return E_NOTIMPL; }
  208296. HRESULT __stdcall Stat (STATSTG*, DWORD) { return E_NOTIMPL; }
  208297. juce_UseDebuggingNewOperator
  208298. };
  208299. class JuceOleInPlaceFrame : public IOleInPlaceFrame
  208300. {
  208301. int refCount;
  208302. HWND window;
  208303. public:
  208304. JuceOleInPlaceFrame (HWND window_)
  208305. : refCount (1),
  208306. window (window_)
  208307. {
  208308. }
  208309. virtual ~JuceOleInPlaceFrame()
  208310. {
  208311. jassert (refCount == 0);
  208312. }
  208313. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  208314. {
  208315. if (id == IID_IUnknown || id == IID_IOleInPlaceFrame)
  208316. {
  208317. AddRef();
  208318. *result = this;
  208319. return S_OK;
  208320. }
  208321. *result = 0;
  208322. return E_NOINTERFACE;
  208323. }
  208324. ULONG __stdcall AddRef() { return ++refCount; }
  208325. ULONG __stdcall Release() { const int r = --refCount; if (r == 0) delete this; return r; }
  208326. HRESULT __stdcall GetWindow (HWND* lphwnd) { *lphwnd = window; return S_OK; }
  208327. HRESULT __stdcall ContextSensitiveHelp (BOOL) { return E_NOTIMPL; }
  208328. HRESULT __stdcall GetBorder (LPRECT) { return E_NOTIMPL; }
  208329. HRESULT __stdcall RequestBorderSpace (LPCBORDERWIDTHS) { return E_NOTIMPL; }
  208330. HRESULT __stdcall SetBorderSpace (LPCBORDERWIDTHS) { return E_NOTIMPL; }
  208331. HRESULT __stdcall SetActiveObject (IOleInPlaceActiveObject*, LPCOLESTR) { return S_OK; }
  208332. HRESULT __stdcall InsertMenus (HMENU, LPOLEMENUGROUPWIDTHS) { return E_NOTIMPL; }
  208333. HRESULT __stdcall SetMenu (HMENU, HOLEMENU, HWND) { return S_OK; }
  208334. HRESULT __stdcall RemoveMenus (HMENU) { return E_NOTIMPL; }
  208335. HRESULT __stdcall SetStatusText (LPCOLESTR) { return S_OK; }
  208336. HRESULT __stdcall EnableModeless (BOOL) { return S_OK; }
  208337. HRESULT __stdcall TranslateAccelerator(LPMSG, WORD) { return E_NOTIMPL; }
  208338. juce_UseDebuggingNewOperator
  208339. };
  208340. class JuceIOleInPlaceSite : public IOleInPlaceSite
  208341. {
  208342. int refCount;
  208343. HWND window;
  208344. JuceOleInPlaceFrame* frame;
  208345. public:
  208346. JuceIOleInPlaceSite (HWND window_)
  208347. : refCount (1),
  208348. window (window_)
  208349. {
  208350. frame = new JuceOleInPlaceFrame (window);
  208351. }
  208352. virtual ~JuceIOleInPlaceSite()
  208353. {
  208354. jassert (refCount == 0);
  208355. frame->Release();
  208356. }
  208357. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  208358. {
  208359. if (id == IID_IUnknown || id == IID_IOleInPlaceSite)
  208360. {
  208361. AddRef();
  208362. *result = this;
  208363. return S_OK;
  208364. }
  208365. *result = 0;
  208366. return E_NOINTERFACE;
  208367. }
  208368. ULONG __stdcall AddRef() { return ++refCount; }
  208369. ULONG __stdcall Release() { const int r = --refCount; if (r == 0) delete this; return r; }
  208370. HRESULT __stdcall GetWindow (HWND* lphwnd) { *lphwnd = window; return S_OK; }
  208371. HRESULT __stdcall ContextSensitiveHelp (BOOL) { return E_NOTIMPL; }
  208372. HRESULT __stdcall CanInPlaceActivate() { return S_OK; }
  208373. HRESULT __stdcall OnInPlaceActivate() { return S_OK; }
  208374. HRESULT __stdcall OnUIActivate() { return S_OK; }
  208375. HRESULT __stdcall GetWindowContext (LPOLEINPLACEFRAME* lplpFrame, LPOLEINPLACEUIWINDOW* lplpDoc, LPRECT, LPRECT, LPOLEINPLACEFRAMEINFO lpFrameInfo)
  208376. {
  208377. frame->AddRef();
  208378. *lplpFrame = frame;
  208379. *lplpDoc = 0;
  208380. lpFrameInfo->fMDIApp = FALSE;
  208381. lpFrameInfo->hwndFrame = window;
  208382. lpFrameInfo->haccel = 0;
  208383. lpFrameInfo->cAccelEntries = 0;
  208384. return S_OK;
  208385. }
  208386. HRESULT __stdcall Scroll (SIZE) { return E_NOTIMPL; }
  208387. HRESULT __stdcall OnUIDeactivate (BOOL) { return S_OK; }
  208388. HRESULT __stdcall OnInPlaceDeactivate() { return S_OK; }
  208389. HRESULT __stdcall DiscardUndoState() { return E_NOTIMPL; }
  208390. HRESULT __stdcall DeactivateAndUndo() { return E_NOTIMPL; }
  208391. HRESULT __stdcall OnPosRectChange (LPCRECT) { return S_OK; }
  208392. juce_UseDebuggingNewOperator
  208393. };
  208394. class JuceIOleClientSite : public IOleClientSite
  208395. {
  208396. int refCount;
  208397. JuceIOleInPlaceSite* inplaceSite;
  208398. public:
  208399. JuceIOleClientSite (HWND window)
  208400. : refCount (1)
  208401. {
  208402. inplaceSite = new JuceIOleInPlaceSite (window);
  208403. }
  208404. virtual ~JuceIOleClientSite()
  208405. {
  208406. jassert (refCount == 0);
  208407. inplaceSite->Release();
  208408. }
  208409. HRESULT __stdcall QueryInterface (REFIID id, void __RPC_FAR* __RPC_FAR* result)
  208410. {
  208411. if (id == IID_IUnknown || id == IID_IOleClientSite)
  208412. {
  208413. AddRef();
  208414. *result = this;
  208415. return S_OK;
  208416. }
  208417. else if (id == IID_IOleInPlaceSite)
  208418. {
  208419. inplaceSite->AddRef();
  208420. *result = inplaceSite;
  208421. return S_OK;
  208422. }
  208423. *result = 0;
  208424. return E_NOINTERFACE;
  208425. }
  208426. ULONG __stdcall AddRef() { return ++refCount; }
  208427. ULONG __stdcall Release() { const int r = --refCount; if (r == 0) delete this; return r; }
  208428. HRESULT __stdcall SaveObject() { return E_NOTIMPL; }
  208429. HRESULT __stdcall GetMoniker (DWORD, DWORD, IMoniker**) { return E_NOTIMPL; }
  208430. HRESULT __stdcall GetContainer (LPOLECONTAINER* ppContainer) { *ppContainer = 0; return E_NOINTERFACE; }
  208431. HRESULT __stdcall ShowObject() { return S_OK; }
  208432. HRESULT __stdcall OnShowWindow (BOOL) { return E_NOTIMPL; }
  208433. HRESULT __stdcall RequestNewObjectLayout() { return E_NOTIMPL; }
  208434. juce_UseDebuggingNewOperator
  208435. };
  208436. class ActiveXControlData : public ComponentMovementWatcher
  208437. {
  208438. ActiveXControlComponent* const owner;
  208439. bool wasShowing;
  208440. public:
  208441. HWND controlHWND;
  208442. IStorage* storage;
  208443. IOleClientSite* clientSite;
  208444. IOleObject* control;
  208445. ActiveXControlData (HWND hwnd,
  208446. ActiveXControlComponent* const owner_)
  208447. : ComponentMovementWatcher (owner_),
  208448. owner (owner_),
  208449. wasShowing (owner_ != 0 && owner_->isShowing()),
  208450. controlHWND (0),
  208451. storage (new JuceIStorage()),
  208452. clientSite (new JuceIOleClientSite (hwnd)),
  208453. control (0)
  208454. {
  208455. }
  208456. ~ActiveXControlData()
  208457. {
  208458. if (control != 0)
  208459. {
  208460. control->Close (OLECLOSE_NOSAVE);
  208461. control->Release();
  208462. }
  208463. clientSite->Release();
  208464. storage->Release();
  208465. }
  208466. void componentMovedOrResized (bool /*wasMoved*/, bool /*wasResized*/)
  208467. {
  208468. Component* const topComp = owner->getTopLevelComponent();
  208469. if (topComp->getPeer() != 0)
  208470. {
  208471. int x = 0, y = 0;
  208472. owner->relativePositionToOtherComponent (topComp, x, y);
  208473. owner->setControlBounds (Rectangle (x, y, owner->getWidth(), owner->getHeight()));
  208474. }
  208475. }
  208476. void componentPeerChanged()
  208477. {
  208478. const bool isShowingNow = owner->isShowing();
  208479. if (wasShowing != isShowingNow)
  208480. {
  208481. wasShowing = isShowingNow;
  208482. owner->setControlVisible (isShowingNow);
  208483. }
  208484. }
  208485. void componentVisibilityChanged (Component&)
  208486. {
  208487. componentPeerChanged();
  208488. }
  208489. static bool doesWindowMatch (const ActiveXControlComponent* const ax, HWND hwnd)
  208490. {
  208491. return ((ActiveXControlData*) ax->control)->controlHWND == hwnd;
  208492. }
  208493. };
  208494. static VoidArray activeXComps;
  208495. static HWND getHWND (const ActiveXControlComponent* const component)
  208496. {
  208497. HWND hwnd = 0;
  208498. const IID iid = IID_IOleWindow;
  208499. IOleWindow* const window = (IOleWindow*) component->queryInterface (&iid);
  208500. if (window != 0)
  208501. {
  208502. window->GetWindow (&hwnd);
  208503. window->Release();
  208504. }
  208505. return hwnd;
  208506. }
  208507. static void offerActiveXMouseEventToPeer (ComponentPeer* const peer, HWND hwnd, UINT message, LPARAM lParam)
  208508. {
  208509. RECT activeXRect, peerRect;
  208510. GetWindowRect (hwnd, &activeXRect);
  208511. GetWindowRect ((HWND) peer->getNativeHandle(), &peerRect);
  208512. const int mx = GET_X_LPARAM (lParam) + activeXRect.left - peerRect.left;
  208513. const int my = GET_Y_LPARAM (lParam) + activeXRect.top - peerRect.top;
  208514. const int64 mouseEventTime = getMouseEventTime();
  208515. const int oldModifiers = currentModifiers;
  208516. ModifierKeys::getCurrentModifiersRealtime(); // to update the mouse button flags
  208517. switch (message)
  208518. {
  208519. case WM_MOUSEMOVE:
  208520. if (ModifierKeys (currentModifiers).isAnyMouseButtonDown())
  208521. peer->handleMouseDrag (mx, my, mouseEventTime);
  208522. else
  208523. peer->handleMouseMove (mx, my, mouseEventTime);
  208524. break;
  208525. case WM_LBUTTONDOWN:
  208526. case WM_MBUTTONDOWN:
  208527. case WM_RBUTTONDOWN:
  208528. peer->handleMouseDown (mx, my, mouseEventTime);
  208529. break;
  208530. case WM_LBUTTONUP:
  208531. case WM_MBUTTONUP:
  208532. case WM_RBUTTONUP:
  208533. peer->handleMouseUp (oldModifiers, mx, my, mouseEventTime);
  208534. break;
  208535. default:
  208536. break;
  208537. }
  208538. }
  208539. // intercepts events going to an activeX control, so we can sneakily use the mouse events
  208540. static LRESULT CALLBACK activeXHookWndProc (HWND hwnd, UINT message, WPARAM wParam, LPARAM lParam)
  208541. {
  208542. for (int i = activeXComps.size(); --i >= 0;)
  208543. {
  208544. const ActiveXControlComponent* const ax = (const ActiveXControlComponent*) activeXComps.getUnchecked(i);
  208545. if (ActiveXControlData::doesWindowMatch (ax, hwnd))
  208546. {
  208547. switch (message)
  208548. {
  208549. case WM_MOUSEMOVE:
  208550. case WM_LBUTTONDOWN:
  208551. case WM_MBUTTONDOWN:
  208552. case WM_RBUTTONDOWN:
  208553. case WM_LBUTTONUP:
  208554. case WM_MBUTTONUP:
  208555. case WM_RBUTTONUP:
  208556. case WM_LBUTTONDBLCLK:
  208557. case WM_MBUTTONDBLCLK:
  208558. case WM_RBUTTONDBLCLK:
  208559. if (ax->isShowing())
  208560. {
  208561. ComponentPeer* const peer = ax->getPeer();
  208562. if (peer != 0)
  208563. {
  208564. offerActiveXMouseEventToPeer (peer, hwnd, message, lParam);
  208565. if (! ax->areMouseEventsAllowed())
  208566. return 0;
  208567. }
  208568. }
  208569. break;
  208570. default:
  208571. break;
  208572. }
  208573. return CallWindowProc ((WNDPROC) (ax->originalWndProc), hwnd, message, wParam, lParam);
  208574. }
  208575. }
  208576. return DefWindowProc (hwnd, message, wParam, lParam);
  208577. }
  208578. ActiveXControlComponent::ActiveXControlComponent()
  208579. : originalWndProc (0),
  208580. control (0),
  208581. mouseEventsAllowed (true)
  208582. {
  208583. activeXComps.add (this);
  208584. }
  208585. ActiveXControlComponent::~ActiveXControlComponent()
  208586. {
  208587. deleteControl();
  208588. activeXComps.removeValue (this);
  208589. }
  208590. void ActiveXControlComponent::paint (Graphics& g)
  208591. {
  208592. if (control == 0)
  208593. g.fillAll (Colours::lightgrey);
  208594. }
  208595. bool ActiveXControlComponent::createControl (const void* controlIID)
  208596. {
  208597. deleteControl();
  208598. ComponentPeer* const peer = getPeer();
  208599. // the component must have already been added to a real window when you call this!
  208600. jassert (dynamic_cast <Win32ComponentPeer*> (peer) != 0);
  208601. if (dynamic_cast <Win32ComponentPeer*> (peer) != 0)
  208602. {
  208603. int x = 0, y = 0;
  208604. relativePositionToOtherComponent (getTopLevelComponent(), x, y);
  208605. HWND hwnd = (HWND) peer->getNativeHandle();
  208606. ActiveXControlData* const info = new ActiveXControlData (hwnd, this);
  208607. HRESULT hr;
  208608. if ((hr = OleCreate (*(const IID*) controlIID, IID_IOleObject, 1 /*OLERENDER_DRAW*/, 0,
  208609. info->clientSite, info->storage,
  208610. (void**) &(info->control))) == S_OK)
  208611. {
  208612. info->control->SetHostNames (L"Juce", 0);
  208613. if (OleSetContainedObject (info->control, TRUE) == S_OK)
  208614. {
  208615. RECT rect;
  208616. rect.left = x;
  208617. rect.top = y;
  208618. rect.right = x + getWidth();
  208619. rect.bottom = y + getHeight();
  208620. if (info->control->DoVerb (OLEIVERB_SHOW, 0, info->clientSite, 0, hwnd, &rect) == S_OK)
  208621. {
  208622. control = info;
  208623. setControlBounds (Rectangle (x, y, getWidth(), getHeight()));
  208624. info->controlHWND = getHWND (this);
  208625. if (info->controlHWND != 0)
  208626. {
  208627. originalWndProc = (void*) GetWindowLongPtr ((HWND) info->controlHWND, GWLP_WNDPROC);
  208628. SetWindowLongPtr ((HWND) info->controlHWND, GWLP_WNDPROC, (LONG_PTR) activeXHookWndProc);
  208629. }
  208630. return true;
  208631. }
  208632. }
  208633. }
  208634. delete info;
  208635. }
  208636. return false;
  208637. }
  208638. void ActiveXControlComponent::deleteControl()
  208639. {
  208640. ActiveXControlData* const info = (ActiveXControlData*) control;
  208641. if (info != 0)
  208642. {
  208643. delete info;
  208644. control = 0;
  208645. originalWndProc = 0;
  208646. }
  208647. }
  208648. void* ActiveXControlComponent::queryInterface (const void* iid) const
  208649. {
  208650. ActiveXControlData* const info = (ActiveXControlData*) control;
  208651. void* result = 0;
  208652. if (info != 0 && info->control != 0
  208653. && info->control->QueryInterface (*(const IID*) iid, &result) == S_OK)
  208654. return result;
  208655. return 0;
  208656. }
  208657. void ActiveXControlComponent::setControlBounds (const Rectangle& newBounds) const
  208658. {
  208659. HWND hwnd = ((ActiveXControlData*) control)->controlHWND;
  208660. if (hwnd != 0)
  208661. MoveWindow (hwnd, newBounds.getX(), newBounds.getY(), newBounds.getWidth(), newBounds.getHeight(), TRUE);
  208662. }
  208663. void ActiveXControlComponent::setControlVisible (const bool shouldBeVisible) const
  208664. {
  208665. HWND hwnd = ((ActiveXControlData*) control)->controlHWND;
  208666. if (hwnd != 0)
  208667. ShowWindow (hwnd, shouldBeVisible ? SW_SHOWNA : SW_HIDE);
  208668. }
  208669. void ActiveXControlComponent::setMouseEventsAllowed (const bool eventsCanReachControl)
  208670. {
  208671. mouseEventsAllowed = eventsCanReachControl;
  208672. }
  208673. END_JUCE_NAMESPACE
  208674. /********* End of inlined file: juce_win32_Windowing.cpp *********/
  208675. #endif
  208676. /********* Start of inlined file: juce_win32_AutoLinkLibraries.h *********/
  208677. // Auto-links to various win32 libs that are needed by library calls..
  208678. #pragma comment(lib, "kernel32.lib")
  208679. #pragma comment(lib, "user32.lib")
  208680. #pragma comment(lib, "shell32.lib")
  208681. #pragma comment(lib, "gdi32.lib")
  208682. #pragma comment(lib, "vfw32.lib")
  208683. #pragma comment(lib, "comdlg32.lib")
  208684. #pragma comment(lib, "winmm.lib")
  208685. #pragma comment(lib, "wininet.lib")
  208686. #pragma comment(lib, "ole32.lib")
  208687. #pragma comment(lib, "advapi32.lib")
  208688. #pragma comment(lib, "ws2_32.lib")
  208689. #pragma comment(lib, "comsupp.lib")
  208690. #if JUCE_OPENGL
  208691. #pragma comment(lib, "OpenGL32.Lib")
  208692. #pragma comment(lib, "GlU32.Lib")
  208693. #endif
  208694. #if JUCE_QUICKTIME
  208695. #pragma comment (lib, "QTMLClient.lib")
  208696. #endif
  208697. /********* End of inlined file: juce_win32_AutoLinkLibraries.h *********/
  208698. #endif
  208699. //==============================================================================
  208700. #if JUCE_LINUX
  208701. /********* Start of inlined file: juce_linux_Files.cpp *********/
  208702. /********* Start of inlined file: linuxincludes.h *********/
  208703. #ifndef __LINUXINCLUDES_JUCEHEADER__
  208704. #define __LINUXINCLUDES_JUCEHEADER__
  208705. // Linux Header Files:
  208706. #include <unistd.h>
  208707. #include <stdlib.h>
  208708. #include <sched.h>
  208709. #include <pthread.h>
  208710. #include <sys/time.h>
  208711. #include <errno.h>
  208712. /* Remove this macro if you're having problems compiling the cpu affinity
  208713. calls (the API for these has changed about quite a bit in various Linux
  208714. versions, and a lot of distros seem to ship with obsolete versions)
  208715. */
  208716. #ifndef SUPPORT_AFFINITIES
  208717. #define SUPPORT_AFFINITIES 1
  208718. #endif
  208719. #endif // __LINUXINCLUDES_JUCEHEADER__
  208720. /********* End of inlined file: linuxincludes.h *********/
  208721. #include <sys/stat.h>
  208722. #include <sys/dir.h>
  208723. #include <sys/ptrace.h>
  208724. #include <sys/vfs.h> // for statfs
  208725. #include <sys/wait.h>
  208726. #include <unistd.h>
  208727. #include <fnmatch.h>
  208728. #include <utime.h>
  208729. #include <pwd.h>
  208730. #include <fcntl.h>
  208731. #define U_ISOFS_SUPER_MAGIC (short) 0x9660 // linux/iso_fs.h
  208732. #define U_MSDOS_SUPER_MAGIC (short) 0x4d44 // linux/msdos_fs.h
  208733. #define U_NFS_SUPER_MAGIC (short) 0x6969 // linux/nfs_fs.h
  208734. #define U_SMB_SUPER_MAGIC (short) 0x517B // linux/smb_fs.h
  208735. BEGIN_JUCE_NAMESPACE
  208736. /*
  208737. Note that a lot of methods that you'd expect to find in this file actually
  208738. live in juce_posix_SharedCode.cpp!
  208739. */
  208740. /********* Start of inlined file: juce_posix_SharedCode.cpp *********/
  208741. /*
  208742. This file contains posix routines that are common to both the Linux and Mac builds.
  208743. It gets included directly in the cpp files for these platforms.
  208744. */
  208745. CriticalSection::CriticalSection() throw()
  208746. {
  208747. pthread_mutexattr_t atts;
  208748. pthread_mutexattr_init (&atts);
  208749. pthread_mutexattr_settype (&atts, PTHREAD_MUTEX_RECURSIVE);
  208750. pthread_mutex_init (&internal, &atts);
  208751. }
  208752. CriticalSection::~CriticalSection() throw()
  208753. {
  208754. pthread_mutex_destroy (&internal);
  208755. }
  208756. void CriticalSection::enter() const throw()
  208757. {
  208758. pthread_mutex_lock (&internal);
  208759. }
  208760. bool CriticalSection::tryEnter() const throw()
  208761. {
  208762. return pthread_mutex_trylock (&internal) == 0;
  208763. }
  208764. void CriticalSection::exit() const throw()
  208765. {
  208766. pthread_mutex_unlock (&internal);
  208767. }
  208768. struct EventStruct
  208769. {
  208770. pthread_cond_t condition;
  208771. pthread_mutex_t mutex;
  208772. bool triggered;
  208773. };
  208774. WaitableEvent::WaitableEvent() throw()
  208775. {
  208776. EventStruct* const es = new EventStruct();
  208777. es->triggered = false;
  208778. pthread_cond_init (&es->condition, 0);
  208779. pthread_mutex_init (&es->mutex, 0);
  208780. internal = es;
  208781. }
  208782. WaitableEvent::~WaitableEvent() throw()
  208783. {
  208784. EventStruct* const es = (EventStruct*) internal;
  208785. pthread_cond_destroy (&es->condition);
  208786. pthread_mutex_destroy (&es->mutex);
  208787. delete es;
  208788. }
  208789. bool WaitableEvent::wait (const int timeOutMillisecs) const throw()
  208790. {
  208791. EventStruct* const es = (EventStruct*) internal;
  208792. bool ok = true;
  208793. pthread_mutex_lock (&es->mutex);
  208794. if (timeOutMillisecs < 0)
  208795. {
  208796. while (! es->triggered)
  208797. pthread_cond_wait (&es->condition, &es->mutex);
  208798. }
  208799. else
  208800. {
  208801. while (! es->triggered)
  208802. {
  208803. struct timeval t;
  208804. gettimeofday (&t, 0);
  208805. struct timespec time;
  208806. time.tv_sec = t.tv_sec + (timeOutMillisecs / 1000);
  208807. time.tv_nsec = (t.tv_usec + ((timeOutMillisecs % 1000) * 1000)) * 1000;
  208808. if (time.tv_nsec >= 1000000000)
  208809. {
  208810. time.tv_nsec -= 1000000000;
  208811. time.tv_sec++;
  208812. }
  208813. if (pthread_cond_timedwait (&es->condition, &es->mutex, &time) == ETIMEDOUT)
  208814. {
  208815. ok = false;
  208816. break;
  208817. }
  208818. }
  208819. }
  208820. es->triggered = false;
  208821. pthread_mutex_unlock (&es->mutex);
  208822. return ok;
  208823. }
  208824. void WaitableEvent::signal() const throw()
  208825. {
  208826. EventStruct* const es = (EventStruct*) internal;
  208827. pthread_mutex_lock (&es->mutex);
  208828. es->triggered = true;
  208829. pthread_cond_broadcast (&es->condition);
  208830. pthread_mutex_unlock (&es->mutex);
  208831. }
  208832. void WaitableEvent::reset() const throw()
  208833. {
  208834. EventStruct* const es = (EventStruct*) internal;
  208835. pthread_mutex_lock (&es->mutex);
  208836. es->triggered = false;
  208837. pthread_mutex_unlock (&es->mutex);
  208838. }
  208839. void JUCE_CALLTYPE Thread::sleep (int millisecs) throw()
  208840. {
  208841. struct timespec time;
  208842. time.tv_sec = millisecs / 1000;
  208843. time.tv_nsec = (millisecs % 1000) * 1000000;
  208844. nanosleep (&time, 0);
  208845. }
  208846. const tchar File::separator = T('/');
  208847. const tchar* File::separatorString = T("/");
  208848. bool juce_copyFile (const String& s, const String& d) throw();
  208849. static bool juce_stat (const String& fileName, struct stat& info) throw()
  208850. {
  208851. return fileName.isNotEmpty()
  208852. && (stat (fileName.toUTF8(), &info) == 0);
  208853. }
  208854. bool juce_isDirectory (const String& fileName) throw()
  208855. {
  208856. struct stat info;
  208857. return fileName.isEmpty()
  208858. || (juce_stat (fileName, info)
  208859. && ((info.st_mode & S_IFDIR) != 0));
  208860. }
  208861. bool juce_fileExists (const String& fileName, const bool dontCountDirectories) throw()
  208862. {
  208863. if (fileName.isEmpty())
  208864. return false;
  208865. const char* const fileNameUTF8 = fileName.toUTF8();
  208866. bool exists = access (fileNameUTF8, F_OK) == 0;
  208867. if (exists && dontCountDirectories)
  208868. {
  208869. struct stat info;
  208870. const int res = stat (fileNameUTF8, &info);
  208871. if (res == 0 && (info.st_mode & S_IFDIR) != 0)
  208872. exists = false;
  208873. }
  208874. return exists;
  208875. }
  208876. int64 juce_getFileSize (const String& fileName) throw()
  208877. {
  208878. struct stat info;
  208879. return juce_stat (fileName, info) ? info.st_size : 0;
  208880. }
  208881. bool juce_canWriteToFile (const String& fileName) throw()
  208882. {
  208883. return access (fileName.toUTF8(), W_OK) == 0;
  208884. }
  208885. bool juce_deleteFile (const String& fileName) throw()
  208886. {
  208887. const char* const fileNameUTF8 = fileName.toUTF8();
  208888. if (juce_isDirectory (fileName))
  208889. return rmdir (fileNameUTF8) == 0;
  208890. else
  208891. return remove (fileNameUTF8) == 0;
  208892. }
  208893. bool juce_moveFile (const String& source, const String& dest) throw()
  208894. {
  208895. if (rename (source.toUTF8(), dest.toUTF8()) == 0)
  208896. return true;
  208897. if (juce_canWriteToFile (source)
  208898. && juce_copyFile (source, dest))
  208899. {
  208900. if (juce_deleteFile (source))
  208901. return true;
  208902. juce_deleteFile (dest);
  208903. }
  208904. return false;
  208905. }
  208906. void juce_createDirectory (const String& fileName) throw()
  208907. {
  208908. mkdir (fileName.toUTF8(), 0777);
  208909. }
  208910. void* juce_fileOpen (const String& fileName, bool forWriting) throw()
  208911. {
  208912. const char* const fileNameUTF8 = fileName.toUTF8();
  208913. int flags = O_RDONLY;
  208914. if (forWriting)
  208915. {
  208916. if (juce_fileExists (fileName, false))
  208917. {
  208918. const int f = open (fileNameUTF8, O_RDWR, 00644);
  208919. if (f != -1)
  208920. lseek (f, 0, SEEK_END);
  208921. return (void*) f;
  208922. }
  208923. else
  208924. {
  208925. flags = O_RDWR + O_CREAT;
  208926. }
  208927. }
  208928. return (void*) open (fileNameUTF8, flags, 00644);
  208929. }
  208930. void juce_fileClose (void* handle) throw()
  208931. {
  208932. if (handle != 0)
  208933. close ((int) (pointer_sized_int) handle);
  208934. }
  208935. int juce_fileRead (void* handle, void* buffer, int size) throw()
  208936. {
  208937. if (handle != 0)
  208938. return read ((int) (pointer_sized_int) handle, buffer, size);
  208939. return 0;
  208940. }
  208941. int juce_fileWrite (void* handle, const void* buffer, int size) throw()
  208942. {
  208943. if (handle != 0)
  208944. return write ((int) (pointer_sized_int) handle, buffer, size);
  208945. return 0;
  208946. }
  208947. int64 juce_fileSetPosition (void* handle, int64 pos) throw()
  208948. {
  208949. if (handle != 0 && lseek ((int) (pointer_sized_int) handle, pos, SEEK_SET) == pos)
  208950. return pos;
  208951. return -1;
  208952. }
  208953. int64 juce_fileGetPosition (void* handle) throw()
  208954. {
  208955. if (handle != 0)
  208956. return lseek ((int) (pointer_sized_int) handle, 0, SEEK_CUR);
  208957. else
  208958. return -1;
  208959. }
  208960. void juce_fileFlush (void* handle) throw()
  208961. {
  208962. if (handle != 0)
  208963. fsync ((int) (pointer_sized_int) handle);
  208964. }
  208965. // if this file doesn't exist, find a parent of it that does..
  208966. static bool doStatFS (const File* file, struct statfs& result) throw()
  208967. {
  208968. File f (*file);
  208969. for (int i = 5; --i >= 0;)
  208970. {
  208971. if (f.exists())
  208972. break;
  208973. f = f.getParentDirectory();
  208974. }
  208975. return statfs (f.getFullPathName().toUTF8(), &result) == 0;
  208976. }
  208977. int64 File::getBytesFreeOnVolume() const throw()
  208978. {
  208979. int64 free_space = 0;
  208980. struct statfs buf;
  208981. if (doStatFS (this, buf))
  208982. // Note: this returns space available to non-super user
  208983. free_space = (int64) buf.f_bsize * (int64) buf.f_bavail;
  208984. return free_space;
  208985. }
  208986. const String juce_getVolumeLabel (const String& filenameOnVolume,
  208987. int& volumeSerialNumber) throw()
  208988. {
  208989. // There is no equivalent on Linux
  208990. volumeSerialNumber = 0;
  208991. return String::empty;
  208992. }
  208993. #if JUCE_64BIT
  208994. #define filedesc ((long long) internal)
  208995. #else
  208996. #define filedesc ((int) internal)
  208997. #endif
  208998. InterProcessLock::InterProcessLock (const String& name_) throw()
  208999. : internal (0),
  209000. name (name_),
  209001. reentrancyLevel (0)
  209002. {
  209003. #if JUCE_MAC
  209004. // (don't use getSpecialLocation() to avoid the temp folder being different for each app)
  209005. const File temp (File (T("~/Library/Caches/Juce")).getChildFile (name));
  209006. #else
  209007. const File temp (File::getSpecialLocation (File::tempDirectory).getChildFile (name));
  209008. #endif
  209009. temp.create();
  209010. internal = (void*) open (temp.getFullPathName().toUTF8(), O_RDWR);
  209011. }
  209012. InterProcessLock::~InterProcessLock() throw()
  209013. {
  209014. while (reentrancyLevel > 0)
  209015. this->exit();
  209016. close (filedesc);
  209017. }
  209018. bool InterProcessLock::enter (const int timeOutMillisecs) throw()
  209019. {
  209020. if (internal == 0)
  209021. return false;
  209022. if (reentrancyLevel != 0)
  209023. return true;
  209024. const int64 endTime = Time::currentTimeMillis() + timeOutMillisecs;
  209025. struct flock fl;
  209026. zerostruct (fl);
  209027. fl.l_whence = SEEK_SET;
  209028. fl.l_type = F_WRLCK;
  209029. for (;;)
  209030. {
  209031. const int result = fcntl (filedesc, F_SETLK, &fl);
  209032. if (result >= 0)
  209033. {
  209034. ++reentrancyLevel;
  209035. return true;
  209036. }
  209037. if (errno != EINTR)
  209038. {
  209039. if (timeOutMillisecs == 0
  209040. || (timeOutMillisecs > 0 && Time::currentTimeMillis() >= endTime))
  209041. break;
  209042. Thread::sleep (10);
  209043. }
  209044. }
  209045. return false;
  209046. }
  209047. void InterProcessLock::exit() throw()
  209048. {
  209049. if (reentrancyLevel > 0 && internal != 0)
  209050. {
  209051. --reentrancyLevel;
  209052. struct flock fl;
  209053. zerostruct (fl);
  209054. fl.l_whence = SEEK_SET;
  209055. fl.l_type = F_UNLCK;
  209056. for (;;)
  209057. {
  209058. const int result = fcntl (filedesc, F_SETLKW, &fl);
  209059. if (result >= 0 || errno != EINTR)
  209060. break;
  209061. }
  209062. }
  209063. }
  209064. /********* End of inlined file: juce_posix_SharedCode.cpp *********/
  209065. static File executableFile;
  209066. void juce_getFileTimes (const String& fileName,
  209067. int64& modificationTime,
  209068. int64& accessTime,
  209069. int64& creationTime) throw()
  209070. {
  209071. modificationTime = 0;
  209072. accessTime = 0;
  209073. creationTime = 0;
  209074. struct stat info;
  209075. const int res = stat (fileName.toUTF8(), &info);
  209076. if (res == 0)
  209077. {
  209078. modificationTime = (int64) info.st_mtime * 1000;
  209079. accessTime = (int64) info.st_atime * 1000;
  209080. creationTime = (int64) info.st_ctime * 1000;
  209081. }
  209082. }
  209083. bool juce_setFileTimes (const String& fileName,
  209084. int64 modificationTime,
  209085. int64 accessTime,
  209086. int64 creationTime) throw()
  209087. {
  209088. struct utimbuf times;
  209089. times.actime = (time_t) (accessTime / 1000);
  209090. times.modtime = (time_t) (modificationTime / 1000);
  209091. return utime (fileName.toUTF8(), &times) == 0;
  209092. }
  209093. bool juce_setFileReadOnly (const String& fileName, bool isReadOnly) throw()
  209094. {
  209095. struct stat info;
  209096. const int res = stat (fileName.toUTF8(), &info);
  209097. if (res != 0)
  209098. return false;
  209099. info.st_mode &= 0777; // Just permissions
  209100. if( isReadOnly )
  209101. info.st_mode &= ~(S_IWUSR | S_IWGRP | S_IWOTH);
  209102. else
  209103. // Give everybody write permission?
  209104. info.st_mode |= S_IWUSR | S_IWGRP | S_IWOTH;
  209105. return chmod (fileName.toUTF8(), info.st_mode) == 0;
  209106. }
  209107. bool juce_copyFile (const String& s, const String& d) throw()
  209108. {
  209109. const File source (s), dest (d);
  209110. FileInputStream* in = source.createInputStream();
  209111. bool ok = false;
  209112. if (in != 0)
  209113. {
  209114. if (dest.deleteFile())
  209115. {
  209116. FileOutputStream* const out = dest.createOutputStream();
  209117. if (out != 0)
  209118. {
  209119. const int bytesCopied = out->writeFromInputStream (*in, -1);
  209120. delete out;
  209121. ok = (bytesCopied == source.getSize());
  209122. if (! ok)
  209123. dest.deleteFile();
  209124. }
  209125. }
  209126. delete in;
  209127. }
  209128. return ok;
  209129. }
  209130. const StringArray juce_getFileSystemRoots() throw()
  209131. {
  209132. StringArray s;
  209133. s.add (T("/"));
  209134. return s;
  209135. }
  209136. bool File::isOnCDRomDrive() const throw()
  209137. {
  209138. struct statfs buf;
  209139. if (statfs (getFullPathName().toUTF8(), &buf) == 0)
  209140. return (buf.f_type == U_ISOFS_SUPER_MAGIC);
  209141. // Assume not if this fails for some reason
  209142. return false;
  209143. }
  209144. bool File::isOnHardDisk() const throw()
  209145. {
  209146. struct statfs buf;
  209147. if (statfs (getFullPathName().toUTF8(), &buf) == 0)
  209148. {
  209149. switch (buf.f_type)
  209150. {
  209151. case U_ISOFS_SUPER_MAGIC: // CD-ROM
  209152. case U_MSDOS_SUPER_MAGIC: // Probably floppy (but could be mounted FAT filesystem)
  209153. case U_NFS_SUPER_MAGIC: // Network NFS
  209154. case U_SMB_SUPER_MAGIC: // Network Samba
  209155. return false;
  209156. default:
  209157. // Assume anything else is a hard-disk (but note it could
  209158. // be a RAM disk. There isn't a good way of determining
  209159. // this for sure)
  209160. return true;
  209161. }
  209162. }
  209163. // Assume so if this fails for some reason
  209164. return true;
  209165. }
  209166. bool File::isOnRemovableDrive() const throw()
  209167. {
  209168. jassertfalse // xxx not implemented for linux!
  209169. return false;
  209170. }
  209171. bool File::isHidden() const throw()
  209172. {
  209173. return getFileName().startsWithChar (T('.'));
  209174. }
  209175. const File File::getSpecialLocation (const SpecialLocationType type)
  209176. {
  209177. switch (type)
  209178. {
  209179. case userHomeDirectory:
  209180. {
  209181. const char* homeDir = getenv ("HOME");
  209182. if (homeDir == 0)
  209183. {
  209184. struct passwd* const pw = getpwuid (getuid());
  209185. if (pw != 0)
  209186. homeDir = pw->pw_dir;
  209187. }
  209188. return File (String::fromUTF8 ((const uint8*) homeDir));
  209189. }
  209190. case userDocumentsDirectory:
  209191. case userMusicDirectory:
  209192. case userMoviesDirectory:
  209193. case userApplicationDataDirectory:
  209194. return File ("~");
  209195. case userDesktopDirectory:
  209196. return File ("~/Desktop");
  209197. case commonApplicationDataDirectory:
  209198. return File ("/var");
  209199. case globalApplicationsDirectory:
  209200. return File ("/usr");
  209201. case tempDirectory:
  209202. {
  209203. File tmp ("/var/tmp");
  209204. if (! tmp.isDirectory())
  209205. {
  209206. tmp = T("/tmp");
  209207. if (! tmp.isDirectory())
  209208. tmp = File::getCurrentWorkingDirectory();
  209209. }
  209210. return tmp;
  209211. }
  209212. case currentExecutableFile:
  209213. case currentApplicationFile:
  209214. // if this fails, it's probably because juce_setCurrentExecutableFileName()
  209215. // was never called to set the filename - this should be done by the juce
  209216. // main() function, so maybe you've hacked it to use your own custom main()?
  209217. jassert (executableFile.exists());
  209218. return executableFile;
  209219. default:
  209220. jassertfalse // unknown type?
  209221. break;
  209222. }
  209223. return File::nonexistent;
  209224. }
  209225. void juce_setCurrentExecutableFileName (const String& filename) throw()
  209226. {
  209227. executableFile = File::getCurrentWorkingDirectory().getChildFile (filename);
  209228. }
  209229. const File File::getCurrentWorkingDirectory() throw()
  209230. {
  209231. char buf [2048];
  209232. getcwd (buf, sizeof(buf));
  209233. return File (String::fromUTF8 ((const uint8*) buf));
  209234. }
  209235. bool File::setAsCurrentWorkingDirectory() const throw()
  209236. {
  209237. return chdir (getFullPathName().toUTF8()) == 0;
  209238. }
  209239. struct FindFileStruct
  209240. {
  209241. String parentDir, wildCard;
  209242. DIR* dir;
  209243. bool getNextMatch (String& result, bool* const isDir, bool* const isHidden, int64* const fileSize,
  209244. Time* const modTime, Time* const creationTime, bool* const isReadOnly) throw()
  209245. {
  209246. const char* const wildcardUTF8 = wildCard.toUTF8();
  209247. for (;;)
  209248. {
  209249. struct dirent* const de = readdir (dir);
  209250. if (de == 0)
  209251. break;
  209252. if (fnmatch (wildcardUTF8, de->d_name, FNM_CASEFOLD) == 0)
  209253. {
  209254. result = String::fromUTF8 ((const uint8*) de->d_name);
  209255. const String path (parentDir + result);
  209256. if (isDir != 0 || fileSize != 0)
  209257. {
  209258. struct stat info;
  209259. const bool statOk = (stat (path.toUTF8(), &info) == 0);
  209260. if (isDir != 0)
  209261. *isDir = path.isEmpty() || (statOk && ((info.st_mode & S_IFDIR) != 0));
  209262. if (isHidden != 0)
  209263. *isHidden = (de->d_name[0] == '.');
  209264. if (fileSize != 0)
  209265. *fileSize = statOk ? info.st_size : 0;
  209266. }
  209267. if (modTime != 0 || creationTime != 0)
  209268. {
  209269. int64 m, a, c;
  209270. juce_getFileTimes (path, m, a, c);
  209271. if (modTime != 0)
  209272. *modTime = m;
  209273. if (creationTime != 0)
  209274. *creationTime = c;
  209275. }
  209276. if (isReadOnly != 0)
  209277. *isReadOnly = ! juce_canWriteToFile (path);
  209278. return true;
  209279. }
  209280. }
  209281. return false;
  209282. }
  209283. };
  209284. // returns 0 on failure
  209285. void* juce_findFileStart (const String& directory, const String& wildCard, String& firstResultFile,
  209286. bool* isDir, bool* isHidden, int64* fileSize, Time* modTime,
  209287. Time* creationTime, bool* isReadOnly) throw()
  209288. {
  209289. DIR* d = opendir (directory.toUTF8());
  209290. if (d != 0)
  209291. {
  209292. FindFileStruct* ff = new FindFileStruct();
  209293. ff->parentDir = directory;
  209294. if (!ff->parentDir.endsWithChar (File::separator))
  209295. ff->parentDir += File::separator;
  209296. ff->wildCard = wildCard;
  209297. if (wildCard == T("*.*"))
  209298. ff->wildCard = T("*");
  209299. ff->dir = d;
  209300. if (ff->getNextMatch (firstResultFile, isDir, isHidden, fileSize, modTime, creationTime, isReadOnly))
  209301. {
  209302. return ff;
  209303. }
  209304. else
  209305. {
  209306. firstResultFile = String::empty;
  209307. isDir = false;
  209308. isHidden = false;
  209309. closedir (d);
  209310. delete ff;
  209311. }
  209312. }
  209313. return 0;
  209314. }
  209315. bool juce_findFileNext (void* handle, String& resultFile,
  209316. bool* isDir, bool* isHidden, int64* fileSize, Time* modTime, Time* creationTime, bool* isReadOnly) throw()
  209317. {
  209318. FindFileStruct* const ff = (FindFileStruct*) handle;
  209319. if (ff != 0)
  209320. return ff->getNextMatch (resultFile, isDir, isHidden, fileSize, modTime, creationTime, isReadOnly);
  209321. return false;
  209322. }
  209323. void juce_findFileClose (void* handle) throw()
  209324. {
  209325. FindFileStruct* const ff = (FindFileStruct*) handle;
  209326. if (ff != 0)
  209327. {
  209328. closedir (ff->dir);
  209329. delete ff;
  209330. }
  209331. }
  209332. bool juce_launchFile (const String& fileName,
  209333. const String& parameters) throw()
  209334. {
  209335. String cmdString (fileName);
  209336. cmdString << " " << parameters;
  209337. if (URL::isProbablyAWebsiteURL (cmdString) || URL::isProbablyAnEmailAddress (cmdString))
  209338. {
  209339. // create a command that tries to launch a bunch of likely browsers
  209340. const char* const browserNames[] = { "/etc/alternatives/x-www-browser", "firefox", "mozilla", "konqueror", "opera" };
  209341. StringArray cmdLines;
  209342. for (int i = 0; i < numElementsInArray (browserNames); ++i)
  209343. cmdLines.add (String (browserNames[i]) + T(" ") + cmdString.trim().quoted());
  209344. cmdString = cmdLines.joinIntoString (T(" || "));
  209345. }
  209346. char* const argv[4] = { "/bin/sh", "-c", (char*) cmdString.toUTF8(), 0 };
  209347. const int cpid = fork();
  209348. if (cpid == 0)
  209349. {
  209350. setsid();
  209351. // Child process
  209352. execve (argv[0], argv, environ);
  209353. exit (0);
  209354. }
  209355. return cpid >= 0;
  209356. }
  209357. END_JUCE_NAMESPACE
  209358. /********* End of inlined file: juce_linux_Files.cpp *********/
  209359. /********* Start of inlined file: juce_linux_NamedPipe.cpp *********/
  209360. /********* Start of inlined file: juce_mac_NamedPipe.cpp *********/
  209361. #include <sys/stat.h>
  209362. #include <sys/dir.h>
  209363. #include <fcntl.h>
  209364. // As well as being for the mac, this file is included by the linux build.
  209365. #if ! JUCE_MAC
  209366. #include <sys/wait.h>
  209367. #include <errno.h>
  209368. #include <unistd.h>
  209369. #endif
  209370. BEGIN_JUCE_NAMESPACE
  209371. struct NamedPipeInternal
  209372. {
  209373. String pipeInName, pipeOutName;
  209374. int pipeIn, pipeOut;
  209375. bool volatile createdPipe, blocked, stopReadOperation;
  209376. static void signalHandler (int) {}
  209377. };
  209378. void NamedPipe::cancelPendingReads()
  209379. {
  209380. while (internal != 0 && ((NamedPipeInternal*) internal)->blocked)
  209381. {
  209382. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  209383. intern->stopReadOperation = true;
  209384. char buffer [1] = { 0 };
  209385. ::write (intern->pipeIn, buffer, 1);
  209386. int timeout = 2000;
  209387. while (intern->blocked && --timeout >= 0)
  209388. Thread::sleep (2);
  209389. intern->stopReadOperation = false;
  209390. }
  209391. }
  209392. void NamedPipe::close()
  209393. {
  209394. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  209395. if (intern != 0)
  209396. {
  209397. internal = 0;
  209398. if (intern->pipeIn != -1)
  209399. ::close (intern->pipeIn);
  209400. if (intern->pipeOut != -1)
  209401. ::close (intern->pipeOut);
  209402. if (intern->createdPipe)
  209403. {
  209404. unlink (intern->pipeInName);
  209405. unlink (intern->pipeOutName);
  209406. }
  209407. delete intern;
  209408. }
  209409. }
  209410. bool NamedPipe::openInternal (const String& pipeName, const bool createPipe)
  209411. {
  209412. close();
  209413. NamedPipeInternal* const intern = new NamedPipeInternal();
  209414. internal = intern;
  209415. intern->createdPipe = createPipe;
  209416. intern->blocked = false;
  209417. intern->stopReadOperation = false;
  209418. signal (SIGPIPE, NamedPipeInternal::signalHandler);
  209419. siginterrupt (SIGPIPE, 1);
  209420. const String pipePath (T("/tmp/") + File::createLegalFileName (pipeName));
  209421. intern->pipeInName = pipePath + T("_in");
  209422. intern->pipeOutName = pipePath + T("_out");
  209423. intern->pipeIn = -1;
  209424. intern->pipeOut = -1;
  209425. if (createPipe)
  209426. {
  209427. if ((mkfifo (intern->pipeInName, 0666) && errno != EEXIST)
  209428. || (mkfifo (intern->pipeOutName, 0666) && errno != EEXIST))
  209429. {
  209430. delete intern;
  209431. internal = 0;
  209432. return false;
  209433. }
  209434. }
  209435. return true;
  209436. }
  209437. int NamedPipe::read (void* destBuffer, int maxBytesToRead, int /*timeOutMilliseconds*/)
  209438. {
  209439. int bytesRead = -1;
  209440. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  209441. if (intern != 0)
  209442. {
  209443. intern->blocked = true;
  209444. if (intern->pipeIn == -1)
  209445. {
  209446. if (intern->createdPipe)
  209447. intern->pipeIn = ::open (intern->pipeInName, O_RDWR);
  209448. else
  209449. intern->pipeIn = ::open (intern->pipeOutName, O_RDWR);
  209450. if (intern->pipeIn == -1)
  209451. {
  209452. intern->blocked = false;
  209453. return -1;
  209454. }
  209455. }
  209456. bytesRead = 0;
  209457. char* p = (char*) destBuffer;
  209458. while (bytesRead < maxBytesToRead)
  209459. {
  209460. const int bytesThisTime = maxBytesToRead - bytesRead;
  209461. const int numRead = ::read (intern->pipeIn, p, bytesThisTime);
  209462. if (numRead <= 0 || intern->stopReadOperation)
  209463. {
  209464. bytesRead = -1;
  209465. break;
  209466. }
  209467. bytesRead += numRead;
  209468. p += bytesRead;
  209469. }
  209470. intern->blocked = false;
  209471. }
  209472. return bytesRead;
  209473. }
  209474. int NamedPipe::write (const void* sourceBuffer, int numBytesToWrite, int timeOutMilliseconds)
  209475. {
  209476. int bytesWritten = -1;
  209477. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  209478. if (intern != 0)
  209479. {
  209480. if (intern->pipeOut == -1)
  209481. {
  209482. if (intern->createdPipe)
  209483. intern->pipeOut = ::open (intern->pipeOutName, O_WRONLY);
  209484. else
  209485. intern->pipeOut = ::open (intern->pipeInName, O_WRONLY);
  209486. if (intern->pipeOut == -1)
  209487. {
  209488. return -1;
  209489. }
  209490. }
  209491. const char* p = (const char*) sourceBuffer;
  209492. bytesWritten = 0;
  209493. const uint32 timeOutTime = Time::getMillisecondCounter() + timeOutMilliseconds;
  209494. while (bytesWritten < numBytesToWrite
  209495. && (timeOutMilliseconds < 0 || Time::getMillisecondCounter() < timeOutTime))
  209496. {
  209497. const int bytesThisTime = numBytesToWrite - bytesWritten;
  209498. const int numWritten = ::write (intern->pipeOut, p, bytesThisTime);
  209499. if (numWritten <= 0)
  209500. {
  209501. bytesWritten = -1;
  209502. break;
  209503. }
  209504. bytesWritten += numWritten;
  209505. p += bytesWritten;
  209506. }
  209507. }
  209508. return bytesWritten;
  209509. }
  209510. END_JUCE_NAMESPACE
  209511. /********* End of inlined file: juce_mac_NamedPipe.cpp *********/
  209512. /********* End of inlined file: juce_linux_NamedPipe.cpp *********/
  209513. /********* Start of inlined file: juce_linux_Network.cpp *********/
  209514. #include <netdb.h>
  209515. #include <arpa/inet.h>
  209516. #include <netinet/in.h>
  209517. #include <sys/types.h>
  209518. #include <sys/ioctl.h>
  209519. #include <sys/socket.h>
  209520. #include <sys/wait.h>
  209521. #include <linux/if.h>
  209522. BEGIN_JUCE_NAMESPACE
  209523. // we'll borrow the mac's socket-based http streaming code..
  209524. /********* Start of inlined file: juce_mac_HTTPStream.h *********/
  209525. // (This file gets included by the mac + linux networking code)
  209526. /** A HTTP input stream that uses sockets.
  209527. */
  209528. class JUCE_HTTPSocketStream
  209529. {
  209530. public:
  209531. JUCE_HTTPSocketStream()
  209532. : readPosition (0),
  209533. socketHandle (-1),
  209534. levelsOfRedirection (0),
  209535. timeoutSeconds (15)
  209536. {
  209537. }
  209538. ~JUCE_HTTPSocketStream()
  209539. {
  209540. closeSocket();
  209541. }
  209542. bool open (const String& url,
  209543. const String& headers,
  209544. const MemoryBlock& postData,
  209545. const bool isPost,
  209546. URL::OpenStreamProgressCallback* callback,
  209547. void* callbackContext,
  209548. int timeOutMs)
  209549. {
  209550. closeSocket();
  209551. uint32 timeOutTime = Time::getMillisecondCounter();
  209552. if (timeOutMs == 0)
  209553. timeOutTime += 60000;
  209554. else if (timeOutMs < 0)
  209555. timeOutTime = 0xffffffff;
  209556. else
  209557. timeOutTime += timeOutMs;
  209558. String hostName, hostPath;
  209559. int hostPort;
  209560. if (! decomposeURL (url, hostName, hostPath, hostPort))
  209561. return false;
  209562. const struct hostent* host = 0;
  209563. int port = 0;
  209564. String proxyName, proxyPath;
  209565. int proxyPort = 0;
  209566. String proxyURL (getenv ("http_proxy"));
  209567. if (proxyURL.startsWithIgnoreCase (T("http://")))
  209568. {
  209569. if (! decomposeURL (proxyURL, proxyName, proxyPath, proxyPort))
  209570. return false;
  209571. host = gethostbyname ((const char*) proxyName.toUTF8());
  209572. port = proxyPort;
  209573. }
  209574. else
  209575. {
  209576. host = gethostbyname ((const char*) hostName.toUTF8());
  209577. port = hostPort;
  209578. }
  209579. if (host == 0)
  209580. return false;
  209581. struct sockaddr_in address;
  209582. zerostruct (address);
  209583. memcpy ((void*) &address.sin_addr, (const void*) host->h_addr, host->h_length);
  209584. address.sin_family = host->h_addrtype;
  209585. address.sin_port = htons (port);
  209586. socketHandle = socket (host->h_addrtype, SOCK_STREAM, 0);
  209587. if (socketHandle == -1)
  209588. return false;
  209589. int receiveBufferSize = 16384;
  209590. setsockopt (socketHandle, SOL_SOCKET, SO_RCVBUF, (char*) &receiveBufferSize, sizeof (receiveBufferSize));
  209591. setsockopt (socketHandle, SOL_SOCKET, SO_KEEPALIVE, 0, 0);
  209592. #if JUCE_MAC
  209593. setsockopt (socketHandle, SOL_SOCKET, SO_NOSIGPIPE, 0, 0);
  209594. #endif
  209595. if (connect (socketHandle, (struct sockaddr*) &address, sizeof (address)) == -1)
  209596. {
  209597. closeSocket();
  209598. return false;
  209599. }
  209600. const MemoryBlock requestHeader (createRequestHeader (hostName, hostPort,
  209601. proxyName, proxyPort,
  209602. hostPath, url,
  209603. headers, postData,
  209604. isPost));
  209605. int totalHeaderSent = 0;
  209606. while (totalHeaderSent < requestHeader.getSize())
  209607. {
  209608. if (Time::getMillisecondCounter() > timeOutTime)
  209609. {
  209610. closeSocket();
  209611. return false;
  209612. }
  209613. const int numToSend = jmin (1024, requestHeader.getSize() - totalHeaderSent);
  209614. if (send (socketHandle,
  209615. ((const char*) requestHeader.getData()) + totalHeaderSent,
  209616. numToSend, 0)
  209617. != numToSend)
  209618. {
  209619. closeSocket();
  209620. return false;
  209621. }
  209622. totalHeaderSent += numToSend;
  209623. if (callback != 0 && ! callback (callbackContext, totalHeaderSent, requestHeader.getSize()))
  209624. {
  209625. closeSocket();
  209626. return false;
  209627. }
  209628. }
  209629. const String responseHeader (readResponse (timeOutTime));
  209630. if (responseHeader.isNotEmpty())
  209631. {
  209632. //DBG (responseHeader);
  209633. StringArray lines;
  209634. lines.addLines (responseHeader);
  209635. // NB - using charToString() here instead of just T(" "), because that was
  209636. // causing a mysterious gcc internal compiler error...
  209637. const int statusCode = responseHeader.fromFirstOccurrenceOf (String::charToString (T(' ')), false, false)
  209638. .substring (0, 3)
  209639. .getIntValue();
  209640. //int contentLength = findHeaderItem (lines, T("Content-Length:")).getIntValue();
  209641. //bool isChunked = findHeaderItem (lines, T("Transfer-Encoding:")).equalsIgnoreCase ("chunked");
  209642. String location (findHeaderItem (lines, T("Location:")));
  209643. if (statusCode >= 300 && statusCode < 400
  209644. && location.isNotEmpty())
  209645. {
  209646. if (! location.startsWithIgnoreCase (T("http://")))
  209647. location = T("http://") + location;
  209648. if (levelsOfRedirection++ < 3)
  209649. return open (location, headers, postData, isPost, callback, callbackContext, timeOutMs);
  209650. }
  209651. else
  209652. {
  209653. levelsOfRedirection = 0;
  209654. return true;
  209655. }
  209656. }
  209657. closeSocket();
  209658. return false;
  209659. }
  209660. int read (void* buffer, int bytesToRead)
  209661. {
  209662. fd_set readbits;
  209663. FD_ZERO (&readbits);
  209664. FD_SET (socketHandle, &readbits);
  209665. struct timeval tv;
  209666. tv.tv_sec = timeoutSeconds;
  209667. tv.tv_usec = 0;
  209668. if (select (socketHandle + 1, &readbits, 0, 0, &tv) <= 0)
  209669. return 0; // (timeout)
  209670. const int bytesRead = jmax (0, recv (socketHandle, buffer, bytesToRead, MSG_WAITALL));
  209671. readPosition += bytesRead;
  209672. return bytesRead;
  209673. }
  209674. int readPosition;
  209675. juce_UseDebuggingNewOperator
  209676. private:
  209677. int socketHandle, levelsOfRedirection;
  209678. const int timeoutSeconds;
  209679. void closeSocket()
  209680. {
  209681. if (socketHandle >= 0)
  209682. close (socketHandle);
  209683. socketHandle = -1;
  209684. }
  209685. const MemoryBlock createRequestHeader (const String& hostName,
  209686. const int hostPort,
  209687. const String& proxyName,
  209688. const int proxyPort,
  209689. const String& hostPath,
  209690. const String& originalURL,
  209691. const String& headers,
  209692. const MemoryBlock& postData,
  209693. const bool isPost)
  209694. {
  209695. String header (isPost ? "POST " : "GET ");
  209696. if (proxyName.isEmpty())
  209697. {
  209698. header << hostPath << " HTTP/1.0\r\nHost: "
  209699. << hostName << ':' << hostPort;
  209700. }
  209701. else
  209702. {
  209703. header << originalURL << " HTTP/1.0\r\nHost: "
  209704. << proxyName << ':' << proxyPort;
  209705. }
  209706. header << "\r\nUser-Agent: JUCE/"
  209707. << JUCE_MAJOR_VERSION << '.' << JUCE_MINOR_VERSION
  209708. << "\r\nConnection: Close\r\nContent-Length: "
  209709. << postData.getSize() << "\r\n"
  209710. << headers << "\r\n";
  209711. MemoryBlock mb;
  209712. mb.append (header.toUTF8(), (int) strlen (header.toUTF8()));
  209713. mb.append (postData.getData(), postData.getSize());
  209714. return mb;
  209715. }
  209716. const String readResponse (const uint32 timeOutTime)
  209717. {
  209718. int bytesRead = 0, numConsecutiveLFs = 0;
  209719. MemoryBlock buffer (1024, true);
  209720. while (numConsecutiveLFs < 2 && bytesRead < 32768
  209721. && Time::getMillisecondCounter() <= timeOutTime)
  209722. {
  209723. fd_set readbits;
  209724. FD_ZERO (&readbits);
  209725. FD_SET (socketHandle, &readbits);
  209726. struct timeval tv;
  209727. tv.tv_sec = timeoutSeconds;
  209728. tv.tv_usec = 0;
  209729. if (select (socketHandle + 1, &readbits, 0, 0, &tv) <= 0)
  209730. return String::empty; // (timeout)
  209731. buffer.ensureSize (bytesRead + 8, true);
  209732. char* const dest = (char*) buffer.getData() + bytesRead;
  209733. if (recv (socketHandle, dest, 1, 0) == -1)
  209734. return String::empty;
  209735. const char lastByte = *dest;
  209736. ++bytesRead;
  209737. if (lastByte == '\n')
  209738. ++numConsecutiveLFs;
  209739. else if (lastByte != '\r')
  209740. numConsecutiveLFs = 0;
  209741. }
  209742. const String header (String::fromUTF8 ((const uint8*) buffer.getData()));
  209743. if (header.startsWithIgnoreCase (T("HTTP/")))
  209744. return header.trimEnd();
  209745. return String::empty;
  209746. }
  209747. static bool decomposeURL (const String& url,
  209748. String& host, String& path, int& port)
  209749. {
  209750. if (! url.startsWithIgnoreCase (T("http://")))
  209751. return false;
  209752. const int nextSlash = url.indexOfChar (7, '/');
  209753. int nextColon = url.indexOfChar (7, ':');
  209754. if (nextColon > nextSlash && nextSlash > 0)
  209755. nextColon = -1;
  209756. if (nextColon >= 0)
  209757. {
  209758. host = url.substring (7, nextColon);
  209759. if (nextSlash >= 0)
  209760. port = url.substring (nextColon + 1, nextSlash).getIntValue();
  209761. else
  209762. port = url.substring (nextColon + 1).getIntValue();
  209763. }
  209764. else
  209765. {
  209766. port = 80;
  209767. if (nextSlash >= 0)
  209768. host = url.substring (7, nextSlash);
  209769. else
  209770. host = url.substring (7);
  209771. }
  209772. if (nextSlash >= 0)
  209773. path = url.substring (nextSlash);
  209774. else
  209775. path = T("/");
  209776. return true;
  209777. }
  209778. static const String findHeaderItem (const StringArray& lines, const String& itemName)
  209779. {
  209780. for (int i = 0; i < lines.size(); ++i)
  209781. if (lines[i].startsWithIgnoreCase (itemName))
  209782. return lines[i].substring (itemName.length()).trim();
  209783. return String::empty;
  209784. }
  209785. };
  209786. bool juce_isOnLine()
  209787. {
  209788. return true;
  209789. }
  209790. void* juce_openInternetFile (const String& url,
  209791. const String& headers,
  209792. const MemoryBlock& postData,
  209793. const bool isPost,
  209794. URL::OpenStreamProgressCallback* callback,
  209795. void* callbackContext,
  209796. int timeOutMs)
  209797. {
  209798. JUCE_HTTPSocketStream* const s = new JUCE_HTTPSocketStream();
  209799. if (s->open (url, headers, postData, isPost,
  209800. callback, callbackContext, timeOutMs))
  209801. return s;
  209802. delete s;
  209803. return 0;
  209804. }
  209805. void juce_closeInternetFile (void* handle)
  209806. {
  209807. JUCE_HTTPSocketStream* const s = (JUCE_HTTPSocketStream*) handle;
  209808. if (s != 0)
  209809. delete s;
  209810. }
  209811. int juce_readFromInternetFile (void* handle, void* buffer, int bytesToRead)
  209812. {
  209813. JUCE_HTTPSocketStream* const s = (JUCE_HTTPSocketStream*) handle;
  209814. if (s != 0)
  209815. return s->read (buffer, bytesToRead);
  209816. return 0;
  209817. }
  209818. int juce_seekInInternetFile (void* handle, int newPosition)
  209819. {
  209820. JUCE_HTTPSocketStream* const s = (JUCE_HTTPSocketStream*) handle;
  209821. if (s != 0)
  209822. return s->readPosition;
  209823. return 0;
  209824. }
  209825. /********* End of inlined file: juce_mac_HTTPStream.h *********/
  209826. int SystemStats::getMACAddresses (int64* addresses, int maxNum, const bool littleEndian) throw()
  209827. {
  209828. int numResults = 0;
  209829. const int s = socket (AF_INET, SOCK_DGRAM, 0);
  209830. if (s != -1)
  209831. {
  209832. char buf [1024];
  209833. struct ifconf ifc;
  209834. ifc.ifc_len = sizeof (buf);
  209835. ifc.ifc_buf = buf;
  209836. ioctl (s, SIOCGIFCONF, &ifc);
  209837. for (unsigned int i = 0; i < ifc.ifc_len / sizeof (struct ifreq); ++i)
  209838. {
  209839. struct ifreq ifr;
  209840. strcpy (ifr.ifr_name, ifc.ifc_req[i].ifr_name);
  209841. if (ioctl (s, SIOCGIFFLAGS, &ifr) == 0
  209842. && (ifr.ifr_flags & IFF_LOOPBACK) == 0
  209843. && ioctl (s, SIOCGIFHWADDR, &ifr) == 0
  209844. && numResults < maxNum)
  209845. {
  209846. int64 a = 0;
  209847. for (int j = 6; --j >= 0;)
  209848. a = (a << 8) | ifr.ifr_hwaddr.sa_data[j];
  209849. *addresses++ = a;
  209850. ++numResults;
  209851. }
  209852. }
  209853. close (s);
  209854. }
  209855. return numResults;
  209856. }
  209857. bool PlatformUtilities::launchEmailWithAttachments (const String& targetEmailAddress,
  209858. const String& emailSubject,
  209859. const String& bodyText,
  209860. const StringArray& filesToAttach)
  209861. {
  209862. jassertfalse // xxx todo
  209863. return false;
  209864. }
  209865. END_JUCE_NAMESPACE
  209866. /********* End of inlined file: juce_linux_Network.cpp *********/
  209867. /********* Start of inlined file: juce_linux_SystemStats.cpp *********/
  209868. #include <sys/sysinfo.h>
  209869. #include <dlfcn.h>
  209870. #ifndef CPU_ISSET
  209871. #undef SUPPORT_AFFINITIES
  209872. #endif
  209873. BEGIN_JUCE_NAMESPACE
  209874. /*static juce_noinline unsigned int getCPUIDWord (int* familyModel, int* extFeatures) throw()
  209875. {
  209876. unsigned int cpu = 0;
  209877. unsigned int ext = 0;
  209878. unsigned int family = 0;
  209879. unsigned int dummy = 0;
  209880. #if JUCE_64BIT
  209881. __asm__ ("cpuid"
  209882. : "=a" (family), "=b" (ext), "=c" (dummy), "=d" (cpu) : "a" (1));
  209883. #else
  209884. __asm__ ("push %%ebx; cpuid; mov %%ebx, %%edi; pop %%ebx"
  209885. : "=a" (family), "=D" (ext), "=c" (dummy), "=d" (cpu) : "a" (1));
  209886. #endif
  209887. if (familyModel != 0)
  209888. *familyModel = family;
  209889. if (extFeatures != 0)
  209890. *extFeatures = ext;
  209891. return cpu;
  209892. }*/
  209893. void Logger::outputDebugString (const String& text) throw()
  209894. {
  209895. fprintf (stdout, text.toUTF8());
  209896. fprintf (stdout, "\n");
  209897. }
  209898. void Logger::outputDebugPrintf (const tchar* format, ...) throw()
  209899. {
  209900. String text;
  209901. va_list args;
  209902. va_start (args, format);
  209903. text.vprintf(format, args);
  209904. outputDebugString(text);
  209905. }
  209906. SystemStats::OperatingSystemType SystemStats::getOperatingSystemType() throw()
  209907. {
  209908. return Linux;
  209909. }
  209910. const String SystemStats::getOperatingSystemName() throw()
  209911. {
  209912. return T("Linux");
  209913. }
  209914. bool SystemStats::isOperatingSystem64Bit() throw()
  209915. {
  209916. #if JUCE_64BIT
  209917. return true;
  209918. #else
  209919. //xxx not sure how to find this out?..
  209920. return false;
  209921. #endif
  209922. }
  209923. static const String getCpuInfo (const char* key, bool lastOne = false) throw()
  209924. {
  209925. String info;
  209926. char buf [256];
  209927. FILE* f = fopen ("/proc/cpuinfo", "r");
  209928. while (f != 0 && fgets (buf, sizeof(buf), f))
  209929. {
  209930. if (strncmp (buf, key, strlen (key)) == 0)
  209931. {
  209932. char* p = buf;
  209933. while (*p && *p != '\n')
  209934. ++p;
  209935. if (*p != 0)
  209936. *p = 0;
  209937. p = buf;
  209938. while (*p != 0 && *p != ':')
  209939. ++p;
  209940. if (*p != 0 && *(p + 1) != 0)
  209941. info = p + 2;
  209942. if (! lastOne)
  209943. break;
  209944. }
  209945. }
  209946. fclose (f);
  209947. return info;
  209948. }
  209949. bool SystemStats::hasMMX() throw()
  209950. {
  209951. return getCpuInfo ("flags").contains (T("mmx"));
  209952. }
  209953. bool SystemStats::hasSSE() throw()
  209954. {
  209955. return getCpuInfo ("flags").contains (T("sse"));
  209956. }
  209957. bool SystemStats::hasSSE2() throw()
  209958. {
  209959. return getCpuInfo ("flags").contains (T("sse2"));
  209960. }
  209961. bool SystemStats::has3DNow() throw()
  209962. {
  209963. return getCpuInfo ("flags").contains (T("3dnow"));
  209964. }
  209965. const String SystemStats::getCpuVendor() throw()
  209966. {
  209967. return getCpuInfo ("vendor_id");
  209968. }
  209969. int SystemStats::getCpuSpeedInMegaherz() throw()
  209970. {
  209971. const String speed (getCpuInfo ("cpu MHz"));
  209972. return (int) (speed.getFloatValue() + 0.5f);
  209973. }
  209974. int SystemStats::getMemorySizeInMegabytes() throw()
  209975. {
  209976. struct sysinfo sysi;
  209977. if (sysinfo (&sysi) == 0)
  209978. return (sysi.totalram * sysi.mem_unit / (1024 * 1024));
  209979. return 0;
  209980. }
  209981. uint32 juce_millisecondsSinceStartup() throw()
  209982. {
  209983. static unsigned int calibrate = 0;
  209984. static bool calibrated = false;
  209985. timeval t;
  209986. unsigned int ret = 0;
  209987. if (! gettimeofday (&t, 0))
  209988. {
  209989. if (! calibrated)
  209990. {
  209991. struct sysinfo sysi;
  209992. if (sysinfo (&sysi) == 0)
  209993. // Safe to assume system was not brought up earlier than 1970!
  209994. calibrate = t.tv_sec - sysi.uptime;
  209995. calibrated = true;
  209996. }
  209997. ret = 1000 * (t.tv_sec - calibrate) + (t.tv_usec / 1000);
  209998. }
  209999. return ret;
  210000. }
  210001. double Time::getMillisecondCounterHiRes() throw()
  210002. {
  210003. return getHighResolutionTicks() * 0.001;
  210004. }
  210005. int64 Time::getHighResolutionTicks() throw()
  210006. {
  210007. timeval t;
  210008. if (gettimeofday (&t, 0))
  210009. return 0;
  210010. return ((int64) t.tv_sec * (int64) 1000000) + (int64) t.tv_usec;
  210011. }
  210012. int64 Time::getHighResolutionTicksPerSecond() throw()
  210013. {
  210014. // Microseconds
  210015. return 1000000;
  210016. }
  210017. bool Time::setSystemTimeToThisTime() const throw()
  210018. {
  210019. timeval t;
  210020. t.tv_sec = millisSinceEpoch % 1000000;
  210021. t.tv_usec = millisSinceEpoch - t.tv_sec;
  210022. return settimeofday (&t, NULL) ? false : true;
  210023. }
  210024. int SystemStats::getPageSize() throw()
  210025. {
  210026. static int systemPageSize = 0;
  210027. if (systemPageSize == 0)
  210028. systemPageSize = sysconf (_SC_PAGESIZE);
  210029. return systemPageSize;
  210030. }
  210031. int SystemStats::getNumCpus() throw()
  210032. {
  210033. const int lastCpu = getCpuInfo ("processor", true).getIntValue();
  210034. return lastCpu + 1;
  210035. }
  210036. void SystemStats::initialiseStats() throw()
  210037. {
  210038. // Process starts off as root when running suid
  210039. Process::lowerPrivilege();
  210040. String s (SystemStats::getJUCEVersion());
  210041. }
  210042. void PlatformUtilities::fpuReset()
  210043. {
  210044. }
  210045. END_JUCE_NAMESPACE
  210046. /********* End of inlined file: juce_linux_SystemStats.cpp *********/
  210047. /********* Start of inlined file: juce_linux_Threads.cpp *********/
  210048. #include <dlfcn.h>
  210049. #include <sys/file.h>
  210050. #include <sys/types.h>
  210051. #include <sys/ptrace.h>
  210052. BEGIN_JUCE_NAMESPACE
  210053. /*
  210054. Note that a lot of methods that you'd expect to find in this file actually
  210055. live in juce_posix_SharedCode.cpp!
  210056. */
  210057. #ifndef CPU_ISSET
  210058. #undef SUPPORT_AFFINITIES
  210059. #endif
  210060. void JUCE_API juce_threadEntryPoint (void*);
  210061. void* threadEntryProc (void* value) throw()
  210062. {
  210063. // New threads start off as root when running suid
  210064. Process::lowerPrivilege();
  210065. juce_threadEntryPoint (value);
  210066. return 0;
  210067. }
  210068. void* juce_createThread (void* userData) throw()
  210069. {
  210070. pthread_t handle = 0;
  210071. if (pthread_create (&handle, 0, threadEntryProc, userData) == 0)
  210072. {
  210073. pthread_detach (handle);
  210074. return (void*)handle;
  210075. }
  210076. return 0;
  210077. }
  210078. void juce_killThread (void* handle) throw()
  210079. {
  210080. if (handle != 0)
  210081. pthread_cancel ((pthread_t)handle);
  210082. }
  210083. void juce_setCurrentThreadName (const String& /*name*/) throw()
  210084. {
  210085. }
  210086. int Thread::getCurrentThreadId() throw()
  210087. {
  210088. return (int) pthread_self();
  210089. }
  210090. /*
  210091. * This is all a bit non-ideal... the trouble is that on Linux you
  210092. * need to call setpriority to affect the dynamic priority for
  210093. * non-realtime processes, but this requires the pid, which is not
  210094. * accessible from the pthread_t. We could get it by calling getpid
  210095. * once each thread has started, but then we would need a list of
  210096. * running threads etc etc.
  210097. * Also there is no such thing as IDLE priority on Linux.
  210098. * For the moment, map idle, low and normal process priorities to
  210099. * SCHED_OTHER, with the thread priority ignored for these classes.
  210100. * Map high priority processes to the lower half of the SCHED_RR
  210101. * range, and realtime to the upper half
  210102. */
  210103. // priority 1 to 10 where 5=normal, 1=low. If the handle is 0, sets the
  210104. // priority of the current thread
  210105. void juce_setThreadPriority (void* handle, int priority) throw()
  210106. {
  210107. struct sched_param param;
  210108. int policy, maxp, minp, pri;
  210109. if (handle == 0)
  210110. handle = (void*) pthread_self();
  210111. if (pthread_getschedparam ((pthread_t) handle, &policy, &param) == 0
  210112. && policy != SCHED_OTHER)
  210113. {
  210114. minp = sched_get_priority_min(policy);
  210115. maxp = sched_get_priority_max(policy);
  210116. pri = ((maxp - minp) / 2) * (priority - 1) / 9;
  210117. if (param.__sched_priority >= (minp + (maxp - minp) / 2))
  210118. // Realtime process priority
  210119. param.__sched_priority = minp + ((maxp - minp) / 2) + pri;
  210120. else
  210121. // High process priority
  210122. param.__sched_priority = minp + pri;
  210123. param.sched_priority = jlimit (1, 127, 1 + (priority * 126) / 11);
  210124. pthread_setschedparam ((pthread_t) handle, policy, &param);
  210125. }
  210126. }
  210127. void Thread::setCurrentThreadAffinityMask (const uint32 affinityMask) throw()
  210128. {
  210129. #if SUPPORT_AFFINITIES
  210130. cpu_set_t affinity;
  210131. CPU_ZERO (&affinity);
  210132. for (int i = 0; i < 32; ++i)
  210133. if ((affinityMask & (1 << i)) != 0)
  210134. CPU_SET (i, &affinity);
  210135. /*
  210136. N.B. If this line causes a compile error, then you've probably not got the latest
  210137. version of glibc installed.
  210138. If you don't want to update your copy of glibc and don't care about cpu affinities,
  210139. then you can just disable all this stuff by removing the SUPPORT_AFFINITIES macro
  210140. from the linuxincludes.h file.
  210141. */
  210142. sched_setaffinity (getpid(), sizeof (cpu_set_t), &affinity);
  210143. sched_yield();
  210144. #else
  210145. /* affinities aren't supported because either the appropriate header files weren't found,
  210146. or the SUPPORT_AFFINITIES macro was turned off in linuxheaders.h
  210147. */
  210148. jassertfalse
  210149. #endif
  210150. }
  210151. void Thread::yield() throw()
  210152. {
  210153. sched_yield();
  210154. }
  210155. // sets the process to 0=low priority, 1=normal, 2=high, 3=realtime
  210156. void Process::setPriority (ProcessPriority prior)
  210157. {
  210158. struct sched_param param;
  210159. int policy, maxp, minp;
  210160. const int p = (int) prior;
  210161. if (p <= 1)
  210162. policy = SCHED_OTHER;
  210163. else
  210164. policy = SCHED_RR;
  210165. minp = sched_get_priority_min (policy);
  210166. maxp = sched_get_priority_max (policy);
  210167. if (p < 2)
  210168. param.__sched_priority = 0;
  210169. else if (p == 2 )
  210170. // Set to middle of lower realtime priority range
  210171. param.__sched_priority = minp + (maxp - minp) / 4;
  210172. else
  210173. // Set to middle of higher realtime priority range
  210174. param.__sched_priority = minp + (3 * (maxp - minp) / 4);
  210175. pthread_setschedparam (pthread_self(), policy, &param);
  210176. }
  210177. void Process::terminate()
  210178. {
  210179. exit (0);
  210180. }
  210181. bool JUCE_CALLTYPE juce_isRunningUnderDebugger() throw()
  210182. {
  210183. static char testResult = 0;
  210184. if (testResult == 0)
  210185. {
  210186. testResult = (char) ptrace (PT_TRACE_ME, 0, 0, 0);
  210187. if (testResult >= 0)
  210188. {
  210189. ptrace (PT_DETACH, 0, (caddr_t) 1, 0);
  210190. testResult = 1;
  210191. }
  210192. }
  210193. return testResult < 0;
  210194. }
  210195. bool JUCE_CALLTYPE Process::isRunningUnderDebugger() throw()
  210196. {
  210197. return juce_isRunningUnderDebugger();
  210198. }
  210199. void Process::raisePrivilege()
  210200. {
  210201. // If running suid root, change effective user
  210202. // to root
  210203. if (geteuid() != 0 && getuid() == 0)
  210204. {
  210205. setreuid (geteuid(), getuid());
  210206. setregid (getegid(), getgid());
  210207. }
  210208. }
  210209. void Process::lowerPrivilege()
  210210. {
  210211. // If runing suid root, change effective user
  210212. // back to real user
  210213. if (geteuid() == 0 && getuid() != 0)
  210214. {
  210215. setreuid (geteuid(), getuid());
  210216. setregid (getegid(), getgid());
  210217. }
  210218. }
  210219. #if JUCE_BUILD_GUI_CLASSES
  210220. void* Process::loadDynamicLibrary (const String& name)
  210221. {
  210222. return dlopen ((const char*) name.toUTF8(), RTLD_LOCAL | RTLD_NOW);
  210223. }
  210224. void Process::freeDynamicLibrary (void* handle)
  210225. {
  210226. dlclose(handle);
  210227. }
  210228. void* Process::getProcedureEntryPoint (void* libraryHandle, const String& procedureName)
  210229. {
  210230. return dlsym (libraryHandle, (const char*) procedureName);
  210231. }
  210232. #endif
  210233. END_JUCE_NAMESPACE
  210234. /********* End of inlined file: juce_linux_Threads.cpp *********/
  210235. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  210236. /********* Start of inlined file: juce_linux_Audio.cpp *********/
  210237. #if JUCE_BUILD_GUI_CLASSES
  210238. #if JUCE_ALSA
  210239. /* Got an include error here? If so, you've either not got ALSA installed, or you've
  210240. not got your paths set up correctly to find its header files.
  210241. The package you need to install to get ASLA support is "libasound2-dev".
  210242. If you don't have the ALSA library and don't want to build Juce with audio support,
  210243. just disable the JUCE_ALSA flag in juce_Config.h
  210244. */
  210245. #include <alsa/asoundlib.h>
  210246. BEGIN_JUCE_NAMESPACE
  210247. static const int maxNumChans = 64;
  210248. static void getDeviceSampleRates (snd_pcm_t* handle, Array <int>& rates)
  210249. {
  210250. const int ratesToTry[] = { 22050, 32000, 44100, 48000, 88200, 96000, 176400, 192000, 0 };
  210251. snd_pcm_hw_params_t* hwParams;
  210252. snd_pcm_hw_params_alloca (&hwParams);
  210253. for (int i = 0; ratesToTry[i] != 0; ++i)
  210254. {
  210255. if (snd_pcm_hw_params_any (handle, hwParams) >= 0
  210256. && snd_pcm_hw_params_test_rate (handle, hwParams, ratesToTry[i], 0) == 0)
  210257. {
  210258. rates.addIfNotAlreadyThere (ratesToTry[i]);
  210259. }
  210260. }
  210261. }
  210262. static void getDeviceNumChannels (snd_pcm_t* handle, unsigned int* minChans, unsigned int* maxChans)
  210263. {
  210264. snd_pcm_hw_params_t *params;
  210265. snd_pcm_hw_params_alloca (&params);
  210266. if (snd_pcm_hw_params_any (handle, params) >= 0)
  210267. {
  210268. snd_pcm_hw_params_get_channels_min (params, minChans);
  210269. snd_pcm_hw_params_get_channels_max (params, maxChans);
  210270. }
  210271. }
  210272. static void getDeviceProperties (const String& id,
  210273. unsigned int& minChansOut,
  210274. unsigned int& maxChansOut,
  210275. unsigned int& minChansIn,
  210276. unsigned int& maxChansIn,
  210277. Array <int>& rates)
  210278. {
  210279. if (id.isEmpty())
  210280. return;
  210281. snd_ctl_t* handle;
  210282. if (snd_ctl_open (&handle, id.upToLastOccurrenceOf (T(","), false, false), SND_CTL_NONBLOCK) >= 0)
  210283. {
  210284. snd_pcm_info_t* info;
  210285. snd_pcm_info_alloca (&info);
  210286. snd_pcm_info_set_stream (info, SND_PCM_STREAM_PLAYBACK);
  210287. snd_pcm_info_set_device (info, id.fromLastOccurrenceOf (T(","), false, false).getIntValue());
  210288. snd_pcm_info_set_subdevice (info, 0);
  210289. if (snd_ctl_pcm_info (handle, info) >= 0)
  210290. {
  210291. snd_pcm_t* pcmHandle;
  210292. if (snd_pcm_open (&pcmHandle, id, SND_PCM_STREAM_PLAYBACK, SND_PCM_ASYNC | SND_PCM_NONBLOCK ) >= 0)
  210293. {
  210294. getDeviceNumChannels (pcmHandle, &minChansOut, &maxChansOut);
  210295. getDeviceSampleRates (pcmHandle, rates);
  210296. snd_pcm_close (pcmHandle);
  210297. }
  210298. }
  210299. snd_pcm_info_set_stream (info, SND_PCM_STREAM_CAPTURE);
  210300. if (snd_ctl_pcm_info (handle, info) >= 0)
  210301. {
  210302. snd_pcm_t* pcmHandle;
  210303. if (snd_pcm_open (&pcmHandle, id, SND_PCM_STREAM_CAPTURE, SND_PCM_ASYNC | SND_PCM_NONBLOCK ) >= 0)
  210304. {
  210305. getDeviceNumChannels (pcmHandle, &minChansIn, &maxChansIn);
  210306. if (rates.size() == 0)
  210307. getDeviceSampleRates (pcmHandle, rates);
  210308. snd_pcm_close (pcmHandle);
  210309. }
  210310. }
  210311. snd_ctl_close (handle);
  210312. }
  210313. }
  210314. class ALSADevice
  210315. {
  210316. public:
  210317. ALSADevice (const String& id,
  210318. const bool forInput)
  210319. : handle (0),
  210320. bitDepth (16),
  210321. numChannelsRunning (0),
  210322. isInput (forInput),
  210323. sampleFormat (AudioDataConverters::int16LE)
  210324. {
  210325. failed (snd_pcm_open (&handle, id,
  210326. forInput ? SND_PCM_STREAM_CAPTURE : SND_PCM_STREAM_PLAYBACK,
  210327. SND_PCM_ASYNC));
  210328. }
  210329. ~ALSADevice()
  210330. {
  210331. if (handle != 0)
  210332. snd_pcm_close (handle);
  210333. }
  210334. bool setParameters (unsigned int sampleRate, int numChannels, int bufferSize)
  210335. {
  210336. if (handle == 0)
  210337. return false;
  210338. snd_pcm_hw_params_t* hwParams;
  210339. snd_pcm_hw_params_alloca (&hwParams);
  210340. if (failed (snd_pcm_hw_params_any (handle, hwParams)))
  210341. return false;
  210342. if (snd_pcm_hw_params_set_access (handle, hwParams, SND_PCM_ACCESS_RW_NONINTERLEAVED) >= 0)
  210343. isInterleaved = false;
  210344. else if (snd_pcm_hw_params_set_access (handle, hwParams, SND_PCM_ACCESS_RW_INTERLEAVED) >= 0)
  210345. isInterleaved = true;
  210346. else
  210347. {
  210348. jassertfalse
  210349. return false;
  210350. }
  210351. const int formatsToTry[] = { SND_PCM_FORMAT_FLOAT_LE, 32, AudioDataConverters::float32LE,
  210352. SND_PCM_FORMAT_FLOAT_BE, 32, AudioDataConverters::float32BE,
  210353. SND_PCM_FORMAT_S32_LE, 32, AudioDataConverters::int32LE,
  210354. SND_PCM_FORMAT_S32_BE, 32, AudioDataConverters::int32BE,
  210355. SND_PCM_FORMAT_S24_LE, 24, AudioDataConverters::int24LE,
  210356. SND_PCM_FORMAT_S24_BE, 24, AudioDataConverters::int24BE,
  210357. SND_PCM_FORMAT_S16_LE, 16, AudioDataConverters::int16LE,
  210358. SND_PCM_FORMAT_S16_BE, 16, AudioDataConverters::int16BE };
  210359. bitDepth = 0;
  210360. for (int i = 0; i < numElementsInArray (formatsToTry); i += 3)
  210361. {
  210362. if (snd_pcm_hw_params_set_format (handle, hwParams, (_snd_pcm_format) formatsToTry [i]) >= 0)
  210363. {
  210364. bitDepth = formatsToTry [i + 1];
  210365. sampleFormat = (AudioDataConverters::DataFormat) formatsToTry [i + 2];
  210366. break;
  210367. }
  210368. }
  210369. if (bitDepth == 0)
  210370. {
  210371. error = "device doesn't support a compatible PCM format";
  210372. DBG (T("ALSA error: ") + error + T("\n"));
  210373. return false;
  210374. }
  210375. int dir = 0;
  210376. unsigned int periods = 4;
  210377. snd_pcm_uframes_t samplesPerPeriod = bufferSize;
  210378. if (failed (snd_pcm_hw_params_set_rate_near (handle, hwParams, &sampleRate, 0))
  210379. || failed (snd_pcm_hw_params_set_channels (handle, hwParams, numChannels))
  210380. || failed (snd_pcm_hw_params_set_periods_near (handle, hwParams, &periods, &dir))
  210381. || failed (snd_pcm_hw_params_set_period_size_near (handle, hwParams, &samplesPerPeriod, &dir))
  210382. || failed (snd_pcm_hw_params (handle, hwParams)))
  210383. {
  210384. return false;
  210385. }
  210386. snd_pcm_sw_params_t* swParams;
  210387. snd_pcm_sw_params_alloca (&swParams);
  210388. if (failed (snd_pcm_sw_params_current (handle, swParams))
  210389. || failed (snd_pcm_sw_params_set_silence_threshold (handle, swParams, 0))
  210390. || failed (snd_pcm_sw_params_set_silence_size (handle, swParams, 0))
  210391. || failed (snd_pcm_sw_params_set_start_threshold (handle, swParams, samplesPerPeriod))
  210392. || failed (snd_pcm_sw_params_set_stop_threshold (handle, swParams, INT_MAX))
  210393. || failed (snd_pcm_sw_params (handle, swParams)))
  210394. {
  210395. return false;
  210396. }
  210397. /*
  210398. #ifdef JUCE_DEBUG
  210399. // enable this to dump the config of the devices that get opened
  210400. snd_output_t* out;
  210401. snd_output_stdio_attach (&out, stderr, 0);
  210402. snd_pcm_hw_params_dump (hwParams, out);
  210403. snd_pcm_sw_params_dump (swParams, out);
  210404. #endif
  210405. */
  210406. numChannelsRunning = numChannels;
  210407. return true;
  210408. }
  210409. bool write (float** const data, const int numSamples)
  210410. {
  210411. if (isInterleaved)
  210412. {
  210413. scratch.ensureSize (sizeof (float) * numSamples * numChannelsRunning, false);
  210414. float* interleaved = (float*) scratch;
  210415. AudioDataConverters::interleaveSamples ((const float**) data, interleaved, numSamples, numChannelsRunning);
  210416. AudioDataConverters::convertFloatToFormat (sampleFormat, interleaved, interleaved, numSamples * numChannelsRunning);
  210417. snd_pcm_sframes_t num = snd_pcm_writei (handle, (void*) interleaved, numSamples);
  210418. if (failed (num) && num != -EPIPE && num != -ESTRPIPE)
  210419. return false;
  210420. }
  210421. else
  210422. {
  210423. for (int i = 0; i < numChannelsRunning; ++i)
  210424. if (data[i] != 0)
  210425. AudioDataConverters::convertFloatToFormat (sampleFormat, data[i], data[i], numSamples);
  210426. snd_pcm_sframes_t num = snd_pcm_writen (handle, (void**) data, numSamples);
  210427. if (failed (num))
  210428. {
  210429. if (num == -EPIPE)
  210430. {
  210431. if (failed (snd_pcm_prepare (handle)))
  210432. return false;
  210433. }
  210434. else if (num != -ESTRPIPE)
  210435. return false;
  210436. }
  210437. }
  210438. return true;
  210439. }
  210440. bool read (float** const data, const int numSamples)
  210441. {
  210442. if (isInterleaved)
  210443. {
  210444. scratch.ensureSize (sizeof (float) * numSamples * numChannelsRunning, false);
  210445. float* interleaved = (float*) scratch;
  210446. snd_pcm_sframes_t num = snd_pcm_readi (handle, (void*) interleaved, numSamples);
  210447. if (failed (num))
  210448. {
  210449. if (num == -EPIPE)
  210450. {
  210451. if (failed (snd_pcm_prepare (handle)))
  210452. return false;
  210453. }
  210454. else if (num != -ESTRPIPE)
  210455. return false;
  210456. }
  210457. AudioDataConverters::convertFormatToFloat (sampleFormat, interleaved, interleaved, numSamples * numChannelsRunning);
  210458. AudioDataConverters::deinterleaveSamples (interleaved, data, numSamples, numChannelsRunning);
  210459. }
  210460. else
  210461. {
  210462. snd_pcm_sframes_t num = snd_pcm_readn (handle, (void**) data, numSamples);
  210463. if (failed (num) && num != -EPIPE && num != -ESTRPIPE)
  210464. return false;
  210465. for (int i = 0; i < numChannelsRunning; ++i)
  210466. if (data[i] != 0)
  210467. AudioDataConverters::convertFormatToFloat (sampleFormat, data[i], data[i], numSamples);
  210468. }
  210469. return true;
  210470. }
  210471. juce_UseDebuggingNewOperator
  210472. snd_pcm_t* handle;
  210473. String error;
  210474. int bitDepth, numChannelsRunning;
  210475. private:
  210476. const bool isInput;
  210477. bool isInterleaved;
  210478. MemoryBlock scratch;
  210479. AudioDataConverters::DataFormat sampleFormat;
  210480. bool failed (const int errorNum)
  210481. {
  210482. if (errorNum >= 0)
  210483. return false;
  210484. error = snd_strerror (errorNum);
  210485. DBG (T("ALSA error: ") + error + T("\n"));
  210486. return true;
  210487. }
  210488. };
  210489. class ALSAThread : public Thread
  210490. {
  210491. public:
  210492. ALSAThread (const String& inputId_,
  210493. const String& outputId_)
  210494. : Thread ("Juce ALSA"),
  210495. sampleRate (0),
  210496. bufferSize (0),
  210497. callback (0),
  210498. inputId (inputId_),
  210499. outputId (outputId_),
  210500. outputDevice (0),
  210501. inputDevice (0),
  210502. numCallbacks (0),
  210503. totalNumInputChannels (0),
  210504. totalNumOutputChannels (0)
  210505. {
  210506. zeromem (outputChannelData, sizeof (outputChannelData));
  210507. zeromem (outputChannelDataForCallback, sizeof (outputChannelDataForCallback));
  210508. zeromem (inputChannelData, sizeof (inputChannelData));
  210509. zeromem (inputChannelDataForCallback, sizeof (inputChannelDataForCallback));
  210510. initialiseRatesAndChannels();
  210511. }
  210512. ~ALSAThread()
  210513. {
  210514. close();
  210515. }
  210516. void open (const BitArray& inputChannels,
  210517. const BitArray& outputChannels,
  210518. const double sampleRate_,
  210519. const int bufferSize_)
  210520. {
  210521. close();
  210522. error = String::empty;
  210523. sampleRate = sampleRate_;
  210524. bufferSize = bufferSize_;
  210525. currentInputChans.clear();
  210526. currentOutputChans.clear();
  210527. if (inputChannels.getHighestBit() >= 0)
  210528. {
  210529. for (int i = 0; i <= inputChannels.getHighestBit(); ++i)
  210530. {
  210531. inputChannelData [i] = (float*) juce_calloc (sizeof (float) * bufferSize);
  210532. if (inputChannels[i])
  210533. {
  210534. inputChannelDataForCallback [totalNumInputChannels++] = inputChannelData [i];
  210535. currentInputChans.setBit (i);
  210536. }
  210537. }
  210538. }
  210539. if (outputChannels.getHighestBit() >= 0)
  210540. {
  210541. for (int i = 0; i <= outputChannels.getHighestBit(); ++i)
  210542. {
  210543. outputChannelData [i] = (float*) juce_calloc (sizeof (float) * bufferSize);
  210544. if (outputChannels[i])
  210545. {
  210546. outputChannelDataForCallback [totalNumOutputChannels++] = outputChannelData [i];
  210547. currentOutputChans.setBit (i);
  210548. }
  210549. }
  210550. }
  210551. if (totalNumOutputChannels > 0 && outputId.isNotEmpty())
  210552. {
  210553. outputDevice = new ALSADevice (outputId, false);
  210554. if (outputDevice->error.isNotEmpty())
  210555. {
  210556. error = outputDevice->error;
  210557. deleteAndZero (outputDevice);
  210558. return;
  210559. }
  210560. if (! outputDevice->setParameters ((unsigned int) sampleRate,
  210561. currentOutputChans.getHighestBit() + 1,
  210562. bufferSize))
  210563. {
  210564. error = outputDevice->error;
  210565. deleteAndZero (outputDevice);
  210566. return;
  210567. }
  210568. }
  210569. if (totalNumInputChannels > 0 && inputId.isNotEmpty())
  210570. {
  210571. inputDevice = new ALSADevice (inputId, true);
  210572. if (inputDevice->error.isNotEmpty())
  210573. {
  210574. error = inputDevice->error;
  210575. deleteAndZero (inputDevice);
  210576. return;
  210577. }
  210578. if (! inputDevice->setParameters ((unsigned int) sampleRate,
  210579. currentInputChans.getHighestBit() + 1,
  210580. bufferSize))
  210581. {
  210582. error = inputDevice->error;
  210583. deleteAndZero (inputDevice);
  210584. return;
  210585. }
  210586. }
  210587. if (outputDevice == 0 && inputDevice == 0)
  210588. {
  210589. error = "no channels";
  210590. return;
  210591. }
  210592. if (outputDevice != 0 && inputDevice != 0)
  210593. {
  210594. snd_pcm_link (outputDevice->handle, inputDevice->handle);
  210595. }
  210596. if (inputDevice != 0 && failed (snd_pcm_prepare (inputDevice->handle)))
  210597. return;
  210598. if (outputDevice != 0 && failed (snd_pcm_prepare (outputDevice->handle)))
  210599. return;
  210600. startThread (9);
  210601. int count = 1000;
  210602. while (numCallbacks == 0)
  210603. {
  210604. sleep (5);
  210605. if (--count < 0 || ! isThreadRunning())
  210606. {
  210607. error = "device didn't start";
  210608. break;
  210609. }
  210610. }
  210611. }
  210612. void close()
  210613. {
  210614. stopThread (6000);
  210615. deleteAndZero (inputDevice);
  210616. deleteAndZero (outputDevice);
  210617. for (int i = 0; i < maxNumChans; ++i)
  210618. {
  210619. juce_free (inputChannelData [i]);
  210620. juce_free (outputChannelData [i]);
  210621. }
  210622. zeromem (outputChannelData, sizeof (outputChannelData));
  210623. zeromem (outputChannelDataForCallback, sizeof (outputChannelDataForCallback));
  210624. zeromem (inputChannelData, sizeof (inputChannelData));
  210625. zeromem (inputChannelDataForCallback, sizeof (inputChannelDataForCallback));
  210626. totalNumOutputChannels = 0;
  210627. totalNumInputChannels = 0;
  210628. numCallbacks = 0;
  210629. }
  210630. void setCallback (AudioIODeviceCallback* const newCallback) throw()
  210631. {
  210632. const ScopedLock sl (callbackLock);
  210633. callback = newCallback;
  210634. }
  210635. void run()
  210636. {
  210637. while (! threadShouldExit())
  210638. {
  210639. if (inputDevice != 0)
  210640. {
  210641. if (! inputDevice->read (inputChannelData, bufferSize))
  210642. {
  210643. DBG ("ALSA: read failure");
  210644. break;
  210645. }
  210646. }
  210647. if (threadShouldExit())
  210648. break;
  210649. {
  210650. const ScopedLock sl (callbackLock);
  210651. ++numCallbacks;
  210652. if (callback != 0)
  210653. {
  210654. callback->audioDeviceIOCallback ((const float**) inputChannelDataForCallback,
  210655. totalNumInputChannels,
  210656. outputChannelDataForCallback,
  210657. totalNumOutputChannels,
  210658. bufferSize);
  210659. }
  210660. else
  210661. {
  210662. for (int i = 0; i < totalNumOutputChannels; ++i)
  210663. zeromem (outputChannelDataForCallback[i], sizeof (float) * bufferSize);
  210664. }
  210665. }
  210666. if (outputDevice != 0)
  210667. {
  210668. failed (snd_pcm_wait (outputDevice->handle, 2000));
  210669. if (threadShouldExit())
  210670. break;
  210671. failed (snd_pcm_avail_update (outputDevice->handle));
  210672. if (! outputDevice->write (outputChannelData, bufferSize))
  210673. {
  210674. DBG ("ALSA: write failure");
  210675. break;
  210676. }
  210677. }
  210678. }
  210679. }
  210680. int getBitDepth() const throw()
  210681. {
  210682. if (outputDevice != 0)
  210683. return outputDevice->bitDepth;
  210684. if (inputDevice != 0)
  210685. return inputDevice->bitDepth;
  210686. return 16;
  210687. }
  210688. juce_UseDebuggingNewOperator
  210689. String error;
  210690. double sampleRate;
  210691. int bufferSize;
  210692. BitArray currentInputChans, currentOutputChans;
  210693. Array <int> sampleRates;
  210694. StringArray channelNamesOut, channelNamesIn;
  210695. AudioIODeviceCallback* callback;
  210696. private:
  210697. const String inputId, outputId;
  210698. ALSADevice* outputDevice;
  210699. ALSADevice* inputDevice;
  210700. int numCallbacks;
  210701. CriticalSection callbackLock;
  210702. float* outputChannelData [maxNumChans];
  210703. float* outputChannelDataForCallback [maxNumChans];
  210704. int totalNumInputChannels;
  210705. float* inputChannelData [maxNumChans];
  210706. float* inputChannelDataForCallback [maxNumChans];
  210707. int totalNumOutputChannels;
  210708. unsigned int minChansOut, maxChansOut;
  210709. unsigned int minChansIn, maxChansIn;
  210710. bool failed (const int errorNum) throw()
  210711. {
  210712. if (errorNum >= 0)
  210713. return false;
  210714. error = snd_strerror (errorNum);
  210715. DBG (T("ALSA error: ") + error + T("\n"));
  210716. return true;
  210717. }
  210718. void initialiseRatesAndChannels() throw()
  210719. {
  210720. sampleRates.clear();
  210721. channelNamesOut.clear();
  210722. channelNamesIn.clear();
  210723. minChansOut = 0;
  210724. maxChansOut = 0;
  210725. minChansIn = 0;
  210726. maxChansIn = 0;
  210727. unsigned int dummy = 0;
  210728. getDeviceProperties (inputId, dummy, dummy, minChansIn, maxChansIn, sampleRates);
  210729. getDeviceProperties (outputId, minChansOut, maxChansOut, dummy, dummy, sampleRates);
  210730. unsigned int i;
  210731. for (i = 0; i < maxChansOut; ++i)
  210732. channelNamesOut.add (T("channel ") + String ((int) i + 1));
  210733. for (i = 0; i < maxChansIn; ++i)
  210734. channelNamesIn.add (T("channel ") + String ((int) i + 1));
  210735. }
  210736. };
  210737. class ALSAAudioIODevice : public AudioIODevice
  210738. {
  210739. public:
  210740. ALSAAudioIODevice (const String& deviceName,
  210741. const String& inputId_,
  210742. const String& outputId_)
  210743. : AudioIODevice (deviceName, T("ALSA")),
  210744. inputId (inputId_),
  210745. outputId (outputId_),
  210746. isOpen_ (false),
  210747. isStarted (false),
  210748. internal (0)
  210749. {
  210750. internal = new ALSAThread (inputId, outputId);
  210751. }
  210752. ~ALSAAudioIODevice()
  210753. {
  210754. delete internal;
  210755. }
  210756. const StringArray getOutputChannelNames()
  210757. {
  210758. return internal->channelNamesOut;
  210759. }
  210760. const StringArray getInputChannelNames()
  210761. {
  210762. return internal->channelNamesIn;
  210763. }
  210764. int getNumSampleRates()
  210765. {
  210766. return internal->sampleRates.size();
  210767. }
  210768. double getSampleRate (int index)
  210769. {
  210770. return internal->sampleRates [index];
  210771. }
  210772. int getNumBufferSizesAvailable()
  210773. {
  210774. return 50;
  210775. }
  210776. int getBufferSizeSamples (int index)
  210777. {
  210778. int n = 16;
  210779. for (int i = 0; i < index; ++i)
  210780. n += n < 64 ? 16
  210781. : (n < 512 ? 32
  210782. : (n < 1024 ? 64
  210783. : (n < 2048 ? 128 : 256)));
  210784. return n;
  210785. }
  210786. int getDefaultBufferSize()
  210787. {
  210788. return 512;
  210789. }
  210790. const String open (const BitArray& inputChannels,
  210791. const BitArray& outputChannels,
  210792. double sampleRate,
  210793. int bufferSizeSamples)
  210794. {
  210795. close();
  210796. if (bufferSizeSamples <= 0)
  210797. bufferSizeSamples = getDefaultBufferSize();
  210798. if (sampleRate <= 0)
  210799. {
  210800. for (int i = 0; i < getNumSampleRates(); ++i)
  210801. {
  210802. if (getSampleRate (i) >= 44100)
  210803. {
  210804. sampleRate = getSampleRate (i);
  210805. break;
  210806. }
  210807. }
  210808. }
  210809. internal->open (inputChannels, outputChannels,
  210810. sampleRate, bufferSizeSamples);
  210811. isOpen_ = internal->error.isEmpty();
  210812. return internal->error;
  210813. }
  210814. void close()
  210815. {
  210816. stop();
  210817. internal->close();
  210818. isOpen_ = false;
  210819. }
  210820. bool isOpen()
  210821. {
  210822. return isOpen_;
  210823. }
  210824. int getCurrentBufferSizeSamples()
  210825. {
  210826. return internal->bufferSize;
  210827. }
  210828. double getCurrentSampleRate()
  210829. {
  210830. return internal->sampleRate;
  210831. }
  210832. int getCurrentBitDepth()
  210833. {
  210834. return internal->getBitDepth();
  210835. }
  210836. const BitArray getActiveOutputChannels() const
  210837. {
  210838. return internal->currentOutputChans;
  210839. }
  210840. const BitArray getActiveInputChannels() const
  210841. {
  210842. return internal->currentInputChans;
  210843. }
  210844. int getOutputLatencyInSamples()
  210845. {
  210846. return 0;
  210847. }
  210848. int getInputLatencyInSamples()
  210849. {
  210850. return 0;
  210851. }
  210852. void start (AudioIODeviceCallback* callback)
  210853. {
  210854. if (! isOpen_)
  210855. callback = 0;
  210856. internal->setCallback (callback);
  210857. if (callback != 0)
  210858. callback->audioDeviceAboutToStart (this);
  210859. isStarted = (callback != 0);
  210860. }
  210861. void stop()
  210862. {
  210863. AudioIODeviceCallback* const oldCallback = internal->callback;
  210864. start (0);
  210865. if (oldCallback != 0)
  210866. oldCallback->audioDeviceStopped();
  210867. }
  210868. bool isPlaying()
  210869. {
  210870. return isStarted && internal->error.isEmpty();
  210871. }
  210872. const String getLastError()
  210873. {
  210874. return internal->error;
  210875. }
  210876. String inputId, outputId;
  210877. private:
  210878. bool isOpen_, isStarted;
  210879. ALSAThread* internal;
  210880. };
  210881. class ALSAAudioIODeviceType : public AudioIODeviceType
  210882. {
  210883. public:
  210884. ALSAAudioIODeviceType()
  210885. : AudioIODeviceType (T("ALSA")),
  210886. hasScanned (false)
  210887. {
  210888. }
  210889. ~ALSAAudioIODeviceType()
  210890. {
  210891. }
  210892. void scanForDevices()
  210893. {
  210894. if (hasScanned)
  210895. return;
  210896. hasScanned = true;
  210897. inputNames.clear();
  210898. inputIds.clear();
  210899. outputNames.clear();
  210900. outputIds.clear();
  210901. snd_ctl_t* handle;
  210902. snd_ctl_card_info_t* info;
  210903. snd_ctl_card_info_alloca (&info);
  210904. int cardNum = -1;
  210905. while (outputIds.size() + inputIds.size() <= 32)
  210906. {
  210907. snd_card_next (&cardNum);
  210908. if (cardNum < 0)
  210909. break;
  210910. if (snd_ctl_open (&handle, T("hw:") + String (cardNum), SND_CTL_NONBLOCK) >= 0)
  210911. {
  210912. if (snd_ctl_card_info (handle, info) >= 0)
  210913. {
  210914. String cardId (snd_ctl_card_info_get_id (info));
  210915. if (cardId.removeCharacters (T("0123456789")).isEmpty())
  210916. cardId = String (cardNum);
  210917. int device = -1;
  210918. for (;;)
  210919. {
  210920. if (snd_ctl_pcm_next_device (handle, &device) < 0 || device < 0)
  210921. break;
  210922. String id, name;
  210923. id << "hw:" << cardId << ',' << device;
  210924. bool isInput, isOutput;
  210925. if (testDevice (id, isInput, isOutput))
  210926. {
  210927. name << snd_ctl_card_info_get_name (info);
  210928. if (name.isEmpty())
  210929. name = id;
  210930. if (isInput)
  210931. {
  210932. inputNames.add (name);
  210933. inputIds.add (id);
  210934. }
  210935. if (isOutput)
  210936. {
  210937. outputNames.add (name);
  210938. outputIds.add (id);
  210939. }
  210940. }
  210941. }
  210942. }
  210943. snd_ctl_close (handle);
  210944. }
  210945. }
  210946. inputNames.appendNumbersToDuplicates (false, true);
  210947. outputNames.appendNumbersToDuplicates (false, true);
  210948. }
  210949. const StringArray getDeviceNames (const bool wantInputNames) const
  210950. {
  210951. jassert (hasScanned); // need to call scanForDevices() before doing this
  210952. return wantInputNames ? inputNames : outputNames;
  210953. }
  210954. int getDefaultDeviceIndex (const bool forInput) const
  210955. {
  210956. jassert (hasScanned); // need to call scanForDevices() before doing this
  210957. return 0;
  210958. }
  210959. bool hasSeparateInputsAndOutputs() const { return true; }
  210960. int getIndexOfDevice (AudioIODevice* device, const bool asInput) const
  210961. {
  210962. jassert (hasScanned); // need to call scanForDevices() before doing this
  210963. ALSAAudioIODevice* const d = dynamic_cast <ALSAAudioIODevice*> (device);
  210964. if (d == 0)
  210965. return -1;
  210966. return asInput ? inputIds.indexOf (d->inputId)
  210967. : outputIds.indexOf (d->outputId);
  210968. }
  210969. AudioIODevice* createDevice (const String& outputDeviceName,
  210970. const String& inputDeviceName)
  210971. {
  210972. jassert (hasScanned); // need to call scanForDevices() before doing this
  210973. const int inputIndex = inputNames.indexOf (inputDeviceName);
  210974. const int outputIndex = outputNames.indexOf (outputDeviceName);
  210975. String deviceName (outputDeviceName);
  210976. if (deviceName.isEmpty())
  210977. deviceName = inputDeviceName;
  210978. if (index >= 0)
  210979. return new ALSAAudioIODevice (deviceName,
  210980. inputIds [inputIndex],
  210981. outputIds [outputIndex]);
  210982. return 0;
  210983. }
  210984. juce_UseDebuggingNewOperator
  210985. private:
  210986. StringArray inputNames, outputNames, inputIds, outputIds;
  210987. bool hasScanned;
  210988. static bool testDevice (const String& id, bool& isInput, bool& isOutput)
  210989. {
  210990. unsigned int minChansOut = 0, maxChansOut = 0;
  210991. unsigned int minChansIn = 0, maxChansIn = 0;
  210992. Array <int> rates;
  210993. getDeviceProperties (id, minChansOut, maxChansOut, minChansIn, maxChansIn, rates);
  210994. DBG (T("ALSA device: ") + id
  210995. + T(" outs=") + String ((int) minChansOut) + T("-") + String ((int) maxChansOut)
  210996. + T(" ins=") + String ((int) minChansIn) + T("-") + String ((int) maxChansIn)
  210997. + T(" rates=") + String (rates.size()));
  210998. isInput = maxChansIn > 0;
  210999. isOutput = maxChansOut > 0;
  211000. return (isInput || isOutput) && rates.size() > 0;
  211001. }
  211002. ALSAAudioIODeviceType (const ALSAAudioIODeviceType&);
  211003. const ALSAAudioIODeviceType& operator= (const ALSAAudioIODeviceType&);
  211004. };
  211005. AudioIODeviceType* juce_createDefaultAudioIODeviceType()
  211006. {
  211007. return new ALSAAudioIODeviceType();
  211008. }
  211009. END_JUCE_NAMESPACE
  211010. #else // if ALSA is turned off..
  211011. BEGIN_JUCE_NAMESPACE
  211012. AudioIODeviceType* juce_createDefaultAudioIODeviceType() { return 0; }
  211013. END_JUCE_NAMESPACE
  211014. #endif
  211015. #endif
  211016. /********* End of inlined file: juce_linux_Audio.cpp *********/
  211017. /********* Start of inlined file: juce_linux_AudioCDReader.cpp *********/
  211018. BEGIN_JUCE_NAMESPACE
  211019. AudioCDReader::AudioCDReader()
  211020. : AudioFormatReader (0, T("CD Audio"))
  211021. {
  211022. }
  211023. const StringArray AudioCDReader::getAvailableCDNames()
  211024. {
  211025. StringArray names;
  211026. return names;
  211027. }
  211028. AudioCDReader* AudioCDReader::createReaderForCD (const int index)
  211029. {
  211030. return 0;
  211031. }
  211032. AudioCDReader::~AudioCDReader()
  211033. {
  211034. }
  211035. void AudioCDReader::refreshTrackLengths()
  211036. {
  211037. }
  211038. bool AudioCDReader::read (int** destSamples,
  211039. int64 startSampleInFile,
  211040. int numSamples)
  211041. {
  211042. return false;
  211043. }
  211044. bool AudioCDReader::isCDStillPresent() const
  211045. {
  211046. return false;
  211047. }
  211048. int AudioCDReader::getNumTracks() const
  211049. {
  211050. return 0;
  211051. }
  211052. int AudioCDReader::getPositionOfTrackStart (int trackNum) const
  211053. {
  211054. return 0;
  211055. }
  211056. bool AudioCDReader::isTrackAudio (int trackNum) const
  211057. {
  211058. return false;
  211059. }
  211060. void AudioCDReader::enableIndexScanning (bool b)
  211061. {
  211062. }
  211063. int AudioCDReader::getLastIndex() const
  211064. {
  211065. return 0;
  211066. }
  211067. const Array<int> AudioCDReader::findIndexesInTrack (const int trackNumber)
  211068. {
  211069. return Array<int>();
  211070. }
  211071. int AudioCDReader::getCDDBId()
  211072. {
  211073. return 0;
  211074. }
  211075. END_JUCE_NAMESPACE
  211076. /********* End of inlined file: juce_linux_AudioCDReader.cpp *********/
  211077. /********* Start of inlined file: juce_linux_FileChooser.cpp *********/
  211078. #if JUCE_BUILD_GUI_CLASSES
  211079. BEGIN_JUCE_NAMESPACE
  211080. void FileChooser::showPlatformDialog (OwnedArray<File>& results,
  211081. const String& title,
  211082. const File& file,
  211083. const String& filters,
  211084. bool isDirectory,
  211085. bool isSave,
  211086. bool warnAboutOverwritingExistingFiles,
  211087. bool selectMultipleFiles,
  211088. FilePreviewComponent* previewComponent)
  211089. {
  211090. //xxx ain't got one!
  211091. jassertfalse
  211092. }
  211093. END_JUCE_NAMESPACE
  211094. #endif
  211095. /********* End of inlined file: juce_linux_FileChooser.cpp *********/
  211096. /********* Start of inlined file: juce_linux_Fonts.cpp *********/
  211097. #if JUCE_BUILD_GUI_CLASSES
  211098. /* Got a build error here? You'll need to install the freetype library...
  211099. The name of the package to install is "libfreetype6-dev".
  211100. */
  211101. #include <ft2build.h>
  211102. #include FT_FREETYPE_H
  211103. BEGIN_JUCE_NAMESPACE
  211104. class FreeTypeFontFace
  211105. {
  211106. public:
  211107. enum FontStyle
  211108. {
  211109. Plain = 0,
  211110. Bold = 1,
  211111. Italic = 2
  211112. };
  211113. struct FontNameIndex
  211114. {
  211115. String fileName;
  211116. int faceIndex;
  211117. };
  211118. FreeTypeFontFace (const String& familyName)
  211119. : hasSerif (false),
  211120. monospaced (false)
  211121. {
  211122. family = familyName;
  211123. }
  211124. void setFileName (const String& name,
  211125. const int faceIndex,
  211126. FontStyle style)
  211127. {
  211128. if (names[(int) style].fileName.isEmpty())
  211129. {
  211130. names[(int) style].fileName = name;
  211131. names[(int) style].faceIndex = faceIndex;
  211132. }
  211133. }
  211134. const String& getFamilyName() const throw()
  211135. {
  211136. return family;
  211137. }
  211138. const String& getFileName (int style, int* faceIndex) const throw()
  211139. {
  211140. *faceIndex = names [style].faceIndex;
  211141. return names[style].fileName;
  211142. }
  211143. void setMonospaced (bool mono) { monospaced = mono; }
  211144. bool getMonospaced () const throw() { return monospaced; }
  211145. void setSerif (const bool serif) { hasSerif = serif; }
  211146. bool getSerif () const throw() { return hasSerif; }
  211147. private:
  211148. String family;
  211149. FontNameIndex names[4];
  211150. bool hasSerif, monospaced;
  211151. };
  211152. class FreeTypeInterface : public DeletedAtShutdown
  211153. {
  211154. public:
  211155. FreeTypeInterface() throw()
  211156. : lastFace (0),
  211157. lastBold (false),
  211158. lastItalic (false)
  211159. {
  211160. if (FT_Init_FreeType (&ftLib) != 0)
  211161. {
  211162. ftLib = 0;
  211163. DBG (T("Failed to initialize FreeType"));
  211164. }
  211165. StringArray fontDirs;
  211166. fontDirs.addTokens (String (getenv ("JUCE_FONT_PATH")), T(";,"), 0);
  211167. fontDirs.removeEmptyStrings (true);
  211168. if (fontDirs.size() == 0)
  211169. {
  211170. XmlDocument fontsConfig (File ("/etc/fonts/fonts.conf"));
  211171. XmlElement* const fontsInfo = fontsConfig.getDocumentElement();
  211172. if (fontsInfo != 0)
  211173. {
  211174. forEachXmlChildElementWithTagName (*fontsInfo, e, T("dir"))
  211175. {
  211176. fontDirs.add (e->getAllSubText().trim());
  211177. }
  211178. delete fontsInfo;
  211179. }
  211180. }
  211181. if (fontDirs.size() == 0)
  211182. fontDirs.add ("/usr/X11R6/lib/X11/fonts");
  211183. for (int i = 0; i < fontDirs.size(); ++i)
  211184. enumerateFaces (fontDirs[i]);
  211185. }
  211186. ~FreeTypeInterface() throw()
  211187. {
  211188. if (lastFace != 0)
  211189. FT_Done_Face (lastFace);
  211190. if (ftLib != 0)
  211191. FT_Done_FreeType (ftLib);
  211192. clearSingletonInstance();
  211193. }
  211194. FreeTypeFontFace* findOrCreate (const String& familyName,
  211195. const bool create = false) throw()
  211196. {
  211197. for (int i = 0; i < faces.size(); i++)
  211198. if (faces[i]->getFamilyName() == familyName)
  211199. return faces[i];
  211200. if (! create)
  211201. return NULL;
  211202. FreeTypeFontFace* newFace = new FreeTypeFontFace (familyName);
  211203. faces.add (newFace);
  211204. return newFace;
  211205. }
  211206. // Enumerate all font faces available in a given directory
  211207. void enumerateFaces (const String& path) throw()
  211208. {
  211209. File dirPath (path);
  211210. if (path.isEmpty() || ! dirPath.isDirectory())
  211211. return;
  211212. DirectoryIterator di (dirPath, true);
  211213. while (di.next())
  211214. {
  211215. File possible (di.getFile());
  211216. if (possible.hasFileExtension (T("ttf"))
  211217. || possible.hasFileExtension (T("pfb"))
  211218. || possible.hasFileExtension (T("pcf")))
  211219. {
  211220. FT_Face face;
  211221. int faceIndex = 0;
  211222. int numFaces = 0;
  211223. do
  211224. {
  211225. if (FT_New_Face (ftLib,
  211226. possible.getFullPathName(),
  211227. faceIndex,
  211228. &face) == 0)
  211229. {
  211230. if (faceIndex == 0)
  211231. numFaces = face->num_faces;
  211232. if ((face->face_flags & FT_FACE_FLAG_SCALABLE) != 0)
  211233. {
  211234. FreeTypeFontFace* const newFace = findOrCreate (face->family_name, true);
  211235. int style = (int) FreeTypeFontFace::Plain;
  211236. if ((face->style_flags & FT_STYLE_FLAG_BOLD) != 0)
  211237. style |= (int) FreeTypeFontFace::Bold;
  211238. if ((face->style_flags & FT_STYLE_FLAG_ITALIC) != 0)
  211239. style |= (int) FreeTypeFontFace::Italic;
  211240. newFace->setFileName (possible.getFullPathName(), faceIndex, (FreeTypeFontFace::FontStyle) style);
  211241. if ((face->face_flags & FT_FACE_FLAG_FIXED_WIDTH) != 0)
  211242. newFace->setMonospaced (true);
  211243. else
  211244. newFace->setMonospaced (false);
  211245. // Surely there must be a better way to do this?
  211246. if (String (face->family_name).containsIgnoreCase (T("Sans"))
  211247. || String (face->family_name).containsIgnoreCase (T("Verdana"))
  211248. || String (face->family_name).containsIgnoreCase (T("Arial")))
  211249. {
  211250. newFace->setSerif (false);
  211251. }
  211252. else
  211253. {
  211254. newFace->setSerif (true);
  211255. }
  211256. }
  211257. FT_Done_Face (face);
  211258. }
  211259. ++faceIndex;
  211260. }
  211261. while (faceIndex < numFaces);
  211262. }
  211263. }
  211264. }
  211265. // Create a FreeType face object for a given font
  211266. FT_Face createFT_Face (const String& fontName,
  211267. const bool bold,
  211268. const bool italic) throw()
  211269. {
  211270. FT_Face face = NULL;
  211271. if (fontName == lastFontName && bold == lastBold && italic == lastItalic)
  211272. {
  211273. face = lastFace;
  211274. }
  211275. else
  211276. {
  211277. if (lastFace)
  211278. {
  211279. FT_Done_Face (lastFace);
  211280. lastFace = NULL;
  211281. }
  211282. lastFontName = fontName;
  211283. lastBold = bold;
  211284. lastItalic = italic;
  211285. FreeTypeFontFace* const ftFace = findOrCreate (fontName);
  211286. if (ftFace != 0)
  211287. {
  211288. int style = (int) FreeTypeFontFace::Plain;
  211289. if (bold)
  211290. style |= (int) FreeTypeFontFace::Bold;
  211291. if (italic)
  211292. style |= (int) FreeTypeFontFace::Italic;
  211293. int faceIndex;
  211294. String fileName (ftFace->getFileName (style, &faceIndex));
  211295. if (fileName.isEmpty())
  211296. {
  211297. style ^= (int) FreeTypeFontFace::Bold;
  211298. fileName = ftFace->getFileName (style, &faceIndex);
  211299. if (fileName.isEmpty())
  211300. {
  211301. style ^= (int) FreeTypeFontFace::Bold;
  211302. style ^= (int) FreeTypeFontFace::Italic;
  211303. fileName = ftFace->getFileName (style, &faceIndex);
  211304. if (! fileName.length())
  211305. {
  211306. style ^= (int) FreeTypeFontFace::Bold;
  211307. fileName = ftFace->getFileName (style, &faceIndex);
  211308. }
  211309. }
  211310. }
  211311. if (! FT_New_Face (ftLib, (const char*) fileName, faceIndex, &lastFace))
  211312. {
  211313. face = lastFace;
  211314. // If there isn't a unicode charmap then select the first one.
  211315. if (FT_Select_Charmap (face, ft_encoding_unicode))
  211316. FT_Set_Charmap (face, face->charmaps[0]);
  211317. }
  211318. }
  211319. }
  211320. return face;
  211321. }
  211322. bool addGlyph (FT_Face face, Typeface& dest, uint32 character) throw()
  211323. {
  211324. const unsigned int glyphIndex = FT_Get_Char_Index (face, character);
  211325. const float height = (float) (face->ascender - face->descender);
  211326. const float scaleX = 1.0f / height;
  211327. const float scaleY = -1.0f / height;
  211328. Path destShape;
  211329. #define CONVERTX(val) (scaleX * (val).x)
  211330. #define CONVERTY(val) (scaleY * (val).y)
  211331. if (FT_Load_Glyph (face, glyphIndex, FT_LOAD_NO_SCALE
  211332. | FT_LOAD_NO_BITMAP
  211333. | FT_LOAD_IGNORE_TRANSFORM) != 0
  211334. || face->glyph->format != ft_glyph_format_outline)
  211335. {
  211336. return false;
  211337. }
  211338. const FT_Outline* const outline = &face->glyph->outline;
  211339. const short* const contours = outline->contours;
  211340. const char* const tags = outline->tags;
  211341. FT_Vector* const points = outline->points;
  211342. for (int c = 0; c < outline->n_contours; c++)
  211343. {
  211344. const int startPoint = (c == 0) ? 0 : contours [c - 1] + 1;
  211345. const int endPoint = contours[c];
  211346. for (int p = startPoint; p <= endPoint; p++)
  211347. {
  211348. const float x = CONVERTX (points[p]);
  211349. const float y = CONVERTY (points[p]);
  211350. if (p == startPoint)
  211351. {
  211352. if (FT_CURVE_TAG (tags[p]) == FT_Curve_Tag_Conic)
  211353. {
  211354. float x2 = CONVERTX (points [endPoint]);
  211355. float y2 = CONVERTY (points [endPoint]);
  211356. if (FT_CURVE_TAG (tags[endPoint]) != FT_Curve_Tag_On)
  211357. {
  211358. x2 = (x + x2) * 0.5f;
  211359. y2 = (y + y2) * 0.5f;
  211360. }
  211361. destShape.startNewSubPath (x2, y2);
  211362. }
  211363. else
  211364. {
  211365. destShape.startNewSubPath (x, y);
  211366. }
  211367. }
  211368. if (FT_CURVE_TAG (tags[p]) == FT_Curve_Tag_On)
  211369. {
  211370. if (p != startPoint)
  211371. destShape.lineTo (x, y);
  211372. }
  211373. else if (FT_CURVE_TAG (tags[p]) == FT_Curve_Tag_Conic)
  211374. {
  211375. const int nextIndex = (p == endPoint) ? startPoint : p + 1;
  211376. float x2 = CONVERTX (points [nextIndex]);
  211377. float y2 = CONVERTY (points [nextIndex]);
  211378. if (FT_CURVE_TAG (tags [nextIndex]) == FT_Curve_Tag_Conic)
  211379. {
  211380. x2 = (x + x2) * 0.5f;
  211381. y2 = (y + y2) * 0.5f;
  211382. }
  211383. else
  211384. {
  211385. ++p;
  211386. }
  211387. destShape.quadraticTo (x, y, x2, y2);
  211388. }
  211389. else if (FT_CURVE_TAG (tags[p]) == FT_Curve_Tag_Cubic)
  211390. {
  211391. if (p >= endPoint)
  211392. return false;
  211393. const int next1 = p + 1;
  211394. const int next2 = (p == (endPoint - 1)) ? startPoint : p + 2;
  211395. const float x2 = CONVERTX (points [next1]);
  211396. const float y2 = CONVERTY (points [next1]);
  211397. const float x3 = CONVERTX (points [next2]);
  211398. const float y3 = CONVERTY (points [next2]);
  211399. if (FT_CURVE_TAG (tags[next1]) != FT_Curve_Tag_Cubic
  211400. || FT_CURVE_TAG (tags[next2]) != FT_Curve_Tag_On)
  211401. return false;
  211402. destShape.cubicTo (x, y, x2, y2, x3, y3);
  211403. p += 2;
  211404. }
  211405. }
  211406. destShape.closeSubPath();
  211407. }
  211408. dest.addGlyph (character, destShape, face->glyph->metrics.horiAdvance/height);
  211409. if ((face->face_flags & FT_FACE_FLAG_KERNING) != 0)
  211410. addKerning (face, dest, character, glyphIndex);
  211411. return true;
  211412. }
  211413. void addKerning (FT_Face face, Typeface& dest, const uint32 character, const uint32 glyphIndex) throw()
  211414. {
  211415. const float height = (float) (face->ascender - face->descender);
  211416. uint32 rightGlyphIndex;
  211417. uint32 rightCharCode = FT_Get_First_Char (face, &rightGlyphIndex);
  211418. while (rightGlyphIndex != 0)
  211419. {
  211420. FT_Vector kerning;
  211421. if (FT_Get_Kerning (face, glyphIndex, rightGlyphIndex, ft_kerning_unscaled, &kerning) == 0)
  211422. {
  211423. if (kerning.x != 0)
  211424. dest.addKerningPair (character, rightCharCode, kerning.x / height);
  211425. }
  211426. rightCharCode = FT_Get_Next_Char (face, rightCharCode, &rightGlyphIndex);
  211427. }
  211428. }
  211429. // Add a glyph to a font
  211430. bool addGlyphToFont (const uint32 character,
  211431. const tchar* fontName, bool bold, bool italic,
  211432. Typeface& dest) throw()
  211433. {
  211434. FT_Face face = createFT_Face (fontName, bold, italic);
  211435. if (face != 0)
  211436. return addGlyph (face, dest, character);
  211437. return false;
  211438. }
  211439. // Create a Typeface object for given name/style
  211440. bool createTypeface (const String& fontName,
  211441. const bool bold, const bool italic,
  211442. Typeface& dest,
  211443. const bool addAllGlyphs) throw()
  211444. {
  211445. dest.clear();
  211446. dest.setName (fontName);
  211447. dest.setBold (bold);
  211448. dest.setItalic (italic);
  211449. FT_Face face = createFT_Face (fontName, bold, italic);
  211450. if (face == 0)
  211451. {
  211452. #ifdef JUCE_DEBUG
  211453. String msg (T("Failed to create typeface: "));
  211454. msg << fontName << " " << (bold ? 'B' : ' ') << (italic ? 'I' : ' ');
  211455. DBG (msg);
  211456. #endif
  211457. return face;
  211458. }
  211459. const float height = (float) (face->ascender - face->descender);
  211460. dest.setAscent (face->ascender / height);
  211461. dest.setDefaultCharacter (L' ');
  211462. if (addAllGlyphs)
  211463. {
  211464. uint32 glyphIndex;
  211465. uint32 charCode = FT_Get_First_Char (face, &glyphIndex);
  211466. while (glyphIndex != 0)
  211467. {
  211468. addGlyph (face, dest, charCode);
  211469. charCode = FT_Get_Next_Char (face, charCode, &glyphIndex);
  211470. }
  211471. }
  211472. return true;
  211473. }
  211474. void getFamilyNames (StringArray& familyNames) const throw()
  211475. {
  211476. for (int i = 0; i < faces.size(); i++)
  211477. familyNames.add (faces[i]->getFamilyName());
  211478. }
  211479. void getMonospacedNames (StringArray& monoSpaced) const throw()
  211480. {
  211481. for (int i = 0; i < faces.size(); i++)
  211482. if (faces[i]->getMonospaced())
  211483. monoSpaced.add (faces[i]->getFamilyName());
  211484. }
  211485. void getSerifNames (StringArray& serif) const throw()
  211486. {
  211487. for (int i = 0; i < faces.size(); i++)
  211488. if (faces[i]->getSerif())
  211489. serif.add (faces[i]->getFamilyName());
  211490. }
  211491. void getSansSerifNames (StringArray& sansSerif) const throw()
  211492. {
  211493. for (int i = 0; i < faces.size(); i++)
  211494. if (! faces[i]->getSerif())
  211495. sansSerif.add (faces[i]->getFamilyName());
  211496. }
  211497. juce_DeclareSingleton_SingleThreaded_Minimal (FreeTypeInterface)
  211498. private:
  211499. FT_Library ftLib;
  211500. FT_Face lastFace;
  211501. String lastFontName;
  211502. bool lastBold, lastItalic;
  211503. OwnedArray<FreeTypeFontFace> faces;
  211504. };
  211505. juce_ImplementSingleton_SingleThreaded (FreeTypeInterface)
  211506. void Typeface::initialiseTypefaceCharacteristics (const String& fontName,
  211507. bool bold, bool italic,
  211508. bool addAllGlyphsToFont) throw()
  211509. {
  211510. FreeTypeInterface::getInstance()
  211511. ->createTypeface (fontName, bold, italic, *this, addAllGlyphsToFont);
  211512. }
  211513. bool Typeface::findAndAddSystemGlyph (juce_wchar character) throw()
  211514. {
  211515. return FreeTypeInterface::getInstance()
  211516. ->addGlyphToFont (character, getName(), isBold(), isItalic(), *this);
  211517. }
  211518. const StringArray Font::findAllTypefaceNames() throw()
  211519. {
  211520. StringArray s;
  211521. FreeTypeInterface::getInstance()->getFamilyNames (s);
  211522. s.sort (true);
  211523. return s;
  211524. }
  211525. static const String pickBestFont (const StringArray& names,
  211526. const char* const choicesString)
  211527. {
  211528. StringArray choices;
  211529. choices.addTokens (String (choicesString), T(","), 0);
  211530. choices.trim();
  211531. choices.removeEmptyStrings();
  211532. int i, j;
  211533. for (j = 0; j < choices.size(); ++j)
  211534. if (names.contains (choices[j], true))
  211535. return choices[j];
  211536. for (j = 0; j < choices.size(); ++j)
  211537. for (i = 0; i < names.size(); i++)
  211538. if (names[i].startsWithIgnoreCase (choices[j]))
  211539. return names[i];
  211540. for (j = 0; j < choices.size(); ++j)
  211541. for (i = 0; i < names.size(); i++)
  211542. if (names[i].containsIgnoreCase (choices[j]))
  211543. return names[i];
  211544. return names[0];
  211545. }
  211546. static const String linux_getDefaultSansSerifFontName()
  211547. {
  211548. StringArray allFonts;
  211549. FreeTypeInterface::getInstance()->getSansSerifNames (allFonts);
  211550. return pickBestFont (allFonts, "Verdana, Bitstream Vera Sans, Luxi Sans, Sans");
  211551. }
  211552. static const String linux_getDefaultSerifFontName()
  211553. {
  211554. StringArray allFonts;
  211555. FreeTypeInterface::getInstance()->getSerifNames (allFonts);
  211556. return pickBestFont (allFonts, "Bitstream Vera Serif, Times, Nimbus Roman, Serif");
  211557. }
  211558. static const String linux_getDefaultMonospacedFontName()
  211559. {
  211560. StringArray allFonts;
  211561. FreeTypeInterface::getInstance()->getMonospacedNames (allFonts);
  211562. return pickBestFont (allFonts, "Bitstream Vera Sans Mono, Courier, Sans Mono, Mono");
  211563. }
  211564. void Font::getDefaultFontNames (String& defaultSans, String& defaultSerif, String& defaultFixed) throw()
  211565. {
  211566. defaultSans = linux_getDefaultSansSerifFontName();
  211567. defaultSerif = linux_getDefaultSerifFontName();
  211568. defaultFixed = linux_getDefaultMonospacedFontName();
  211569. }
  211570. END_JUCE_NAMESPACE
  211571. #endif
  211572. /********* End of inlined file: juce_linux_Fonts.cpp *********/
  211573. /********* Start of inlined file: juce_linux_Messaging.cpp *********/
  211574. #if JUCE_BUILD_GUI_CLASSES
  211575. #include <stdio.h>
  211576. #include <signal.h>
  211577. #include <X11/Xlib.h>
  211578. #include <X11/Xatom.h>
  211579. #include <X11/Xresource.h>
  211580. #include <X11/Xutil.h>
  211581. BEGIN_JUCE_NAMESPACE
  211582. #ifdef JUCE_DEBUG
  211583. #define JUCE_DEBUG_XERRORS 1
  211584. #endif
  211585. Display* display = 0; // This is also referenced from WindowDriver.cpp
  211586. static Window juce_messageWindowHandle = None;
  211587. #define SpecialAtom "JUCESpecialAtom"
  211588. #define BroadcastAtom "JUCEBroadcastAtom"
  211589. #define SpecialCallbackAtom "JUCESpecialCallbackAtom"
  211590. static Atom specialId;
  211591. static Atom broadcastId;
  211592. static Atom specialCallbackId;
  211593. // This is referenced from WindowDriver.cpp
  211594. XContext improbableNumber;
  211595. // Defined in WindowDriver.cpp
  211596. extern void juce_windowMessageReceive (XEvent* event);
  211597. struct MessageThreadFuncCall
  211598. {
  211599. MessageCallbackFunction* func;
  211600. void* parameter;
  211601. void* result;
  211602. CriticalSection lock;
  211603. WaitableEvent event;
  211604. };
  211605. static bool errorCondition = false;
  211606. static XErrorHandler oldErrorHandler = (XErrorHandler) 0;
  211607. static XIOErrorHandler oldIOErrorHandler = (XIOErrorHandler) 0;
  211608. // (defined in another file to avoid problems including certain headers in this one)
  211609. extern bool juce_isRunningAsApplication();
  211610. // Usually happens when client-server connection is broken
  211611. static int ioErrorHandler (Display* display)
  211612. {
  211613. DBG (T("ERROR: connection to X server broken.. terminating."));
  211614. errorCondition = true;
  211615. if (juce_isRunningAsApplication())
  211616. Process::terminate();
  211617. return 0;
  211618. }
  211619. // A protocol error has occurred
  211620. static int errorHandler (Display* display, XErrorEvent* event)
  211621. {
  211622. #ifdef JUCE_DEBUG_XERRORS
  211623. char errorStr[64] = { 0 };
  211624. char requestStr[64] = { 0 };
  211625. XGetErrorText (display, event->error_code, errorStr, 64);
  211626. XGetErrorDatabaseText (display,
  211627. "XRequest",
  211628. (const char*) String (event->request_code),
  211629. "Unknown",
  211630. requestStr,
  211631. 64);
  211632. DBG (T("ERROR: X returned ") + String (errorStr) + T(" for operation ") + String (requestStr));
  211633. #endif
  211634. return 0;
  211635. }
  211636. static bool breakIn = false;
  211637. // Breakin from keyboard
  211638. static void sig_handler (int sig)
  211639. {
  211640. if (sig == SIGINT)
  211641. {
  211642. breakIn = true;
  211643. return;
  211644. }
  211645. static bool reentrant = false;
  211646. if (reentrant == false)
  211647. {
  211648. reentrant = true;
  211649. // Illegal instruction
  211650. fflush (stdout);
  211651. Logger::outputDebugString ("ERROR: Program executed illegal instruction.. terminating");
  211652. errorCondition = true;
  211653. if (juce_isRunningAsApplication())
  211654. Process::terminate();
  211655. }
  211656. else
  211657. {
  211658. if (juce_isRunningAsApplication())
  211659. exit(0);
  211660. }
  211661. }
  211662. void MessageManager::doPlatformSpecificInitialisation()
  211663. {
  211664. // Initialise xlib for multiple thread support
  211665. static bool initThreadCalled = false;
  211666. if (! initThreadCalled)
  211667. {
  211668. if (! XInitThreads())
  211669. {
  211670. // This is fatal! Print error and closedown
  211671. Logger::outputDebugString ("Failed to initialise xlib thread support.");
  211672. if (juce_isRunningAsApplication())
  211673. Process::terminate();
  211674. return;
  211675. }
  211676. initThreadCalled = true;
  211677. }
  211678. // This is called if the client/server connection is broken
  211679. oldIOErrorHandler = XSetIOErrorHandler (ioErrorHandler);
  211680. // This is called if a protocol error occurs
  211681. oldErrorHandler = XSetErrorHandler (errorHandler);
  211682. // Install signal handler for break-in
  211683. struct sigaction saction;
  211684. sigset_t maskSet;
  211685. sigemptyset (&maskSet);
  211686. saction.sa_handler = sig_handler;
  211687. saction.sa_mask = maskSet;
  211688. saction.sa_flags = 0;
  211689. sigaction (SIGINT, &saction, NULL);
  211690. #ifndef _DEBUG
  211691. // Setup signal handlers for various fatal errors
  211692. sigaction (SIGILL, &saction, NULL);
  211693. sigaction (SIGBUS, &saction, NULL);
  211694. sigaction (SIGFPE, &saction, NULL);
  211695. sigaction (SIGSEGV, &saction, NULL);
  211696. sigaction (SIGSYS, &saction, NULL);
  211697. #endif
  211698. String displayName (getenv ("DISPLAY"));
  211699. if (displayName.isEmpty())
  211700. displayName = T(":0.0");
  211701. display = XOpenDisplay (displayName);
  211702. if (display == 0)
  211703. {
  211704. // This is fatal! Print error and closedown
  211705. Logger::outputDebugString ("Failed to open the X display.");
  211706. if (juce_isRunningAsApplication())
  211707. Process::terminate();
  211708. return;
  211709. }
  211710. // Get defaults for various properties
  211711. int screen = DefaultScreen (display);
  211712. Window root = RootWindow (display, screen);
  211713. Visual* visual = DefaultVisual (display, screen);
  211714. // Create atoms for our ClientMessages (these cannot be deleted)
  211715. specialId = XInternAtom (display, SpecialAtom, false);
  211716. broadcastId = XInternAtom (display, BroadcastAtom, false);
  211717. specialCallbackId = XInternAtom (display, SpecialCallbackAtom, false);
  211718. // Create a context to store user data associated with Windows we
  211719. // create in WindowDriver
  211720. improbableNumber = XUniqueContext();
  211721. // We're only interested in client messages for this window
  211722. // which are always sent
  211723. XSetWindowAttributes swa;
  211724. swa.event_mask = NoEventMask;
  211725. // Create our message window (this will never be mapped)
  211726. juce_messageWindowHandle = XCreateWindow (display, root,
  211727. 0, 0, 1, 1, 0, 0, InputOnly,
  211728. visual, CWEventMask, &swa);
  211729. }
  211730. void MessageManager::doPlatformSpecificShutdown()
  211731. {
  211732. if (errorCondition == false)
  211733. {
  211734. XDestroyWindow (display, juce_messageWindowHandle);
  211735. XCloseDisplay (display);
  211736. // reset pointers
  211737. juce_messageWindowHandle = 0;
  211738. display = 0;
  211739. // Restore original error handlers
  211740. XSetIOErrorHandler (oldIOErrorHandler);
  211741. oldIOErrorHandler = 0;
  211742. XSetErrorHandler (oldErrorHandler);
  211743. oldErrorHandler = 0;
  211744. }
  211745. }
  211746. bool juce_postMessageToSystemQueue (void* message)
  211747. {
  211748. if (errorCondition)
  211749. return false;
  211750. XClientMessageEvent clientMsg;
  211751. clientMsg.display = display;
  211752. clientMsg.window = juce_messageWindowHandle;
  211753. clientMsg.type = ClientMessage;
  211754. clientMsg.format = 32;
  211755. clientMsg.message_type = specialId;
  211756. #if JUCE_64BIT
  211757. clientMsg.data.l[0] = (long) (0x00000000ffffffff & (((uint64) message) >> 32));
  211758. clientMsg.data.l[1] = (long) (0x00000000ffffffff & (long) message);
  211759. #else
  211760. clientMsg.data.l[0] = (long) message;
  211761. #endif
  211762. XSendEvent (display, juce_messageWindowHandle, false,
  211763. NoEventMask, (XEvent*) &clientMsg);
  211764. XFlush (display); // This is necessary to ensure the event is delivered
  211765. return true;
  211766. }
  211767. void MessageManager::broadcastMessage (const String& value) throw()
  211768. {
  211769. }
  211770. void* MessageManager::callFunctionOnMessageThread (MessageCallbackFunction* func,
  211771. void* parameter)
  211772. {
  211773. void* retVal = 0;
  211774. if (! errorCondition)
  211775. {
  211776. if (! isThisTheMessageThread())
  211777. {
  211778. static MessageThreadFuncCall messageFuncCallContext;
  211779. const ScopedLock sl (messageFuncCallContext.lock);
  211780. XClientMessageEvent clientMsg;
  211781. clientMsg.display = display;
  211782. clientMsg.window = juce_messageWindowHandle;
  211783. clientMsg.type = ClientMessage;
  211784. clientMsg.format = 32;
  211785. clientMsg.message_type = specialCallbackId;
  211786. #if JUCE_64BIT
  211787. clientMsg.data.l[0] = (long) (0x00000000ffffffff & (((uint64) &messageFuncCallContext) >> 32));
  211788. clientMsg.data.l[1] = (long) (0x00000000ffffffff & (uint64) &messageFuncCallContext);
  211789. #else
  211790. clientMsg.data.l[0] = (long) &messageFuncCallContext;
  211791. #endif
  211792. messageFuncCallContext.func = func;
  211793. messageFuncCallContext.parameter = parameter;
  211794. if (XSendEvent (display, juce_messageWindowHandle, false, NoEventMask, (XEvent*) &clientMsg) == 0)
  211795. return 0;
  211796. XFlush (display); // This is necessary to ensure the event is delivered
  211797. // Wait for it to complete before continuing
  211798. messageFuncCallContext.event.wait();
  211799. retVal = messageFuncCallContext.result;
  211800. }
  211801. else
  211802. {
  211803. // Just call the function directly
  211804. retVal = func (parameter);
  211805. }
  211806. }
  211807. return retVal;
  211808. }
  211809. bool juce_dispatchNextMessageOnSystemQueue (bool returnIfNoPendingMessages)
  211810. {
  211811. if (errorCondition)
  211812. return false;
  211813. if (breakIn)
  211814. {
  211815. errorCondition = true;
  211816. if (juce_isRunningAsApplication())
  211817. Process::terminate();
  211818. return false;
  211819. }
  211820. if (returnIfNoPendingMessages && ! XPending (display))
  211821. return false;
  211822. XEvent evt;
  211823. XNextEvent (display, &evt);
  211824. if (evt.type == ClientMessage && evt.xany.window == juce_messageWindowHandle)
  211825. {
  211826. XClientMessageEvent* const clientMsg = (XClientMessageEvent*) &evt;
  211827. if (clientMsg->format != 32)
  211828. {
  211829. jassertfalse
  211830. DBG ("Error: juce_dispatchNextMessageOnSystemQueue received malformed client message.");
  211831. }
  211832. else
  211833. {
  211834. JUCE_TRY
  211835. {
  211836. #if JUCE_64BIT
  211837. void* const messagePtr
  211838. = (void*) ((0xffffffff00000000 & (((uint64) clientMsg->data.l[0]) << 32))
  211839. | (clientMsg->data.l[1] & 0x00000000ffffffff));
  211840. #else
  211841. void* const messagePtr = (void*) (clientMsg->data.l[0]);
  211842. #endif
  211843. if (clientMsg->message_type == specialId)
  211844. {
  211845. MessageManager::getInstance()->deliverMessage (messagePtr);
  211846. }
  211847. else if (clientMsg->message_type == specialCallbackId)
  211848. {
  211849. MessageThreadFuncCall* const call = (MessageThreadFuncCall*) messagePtr;
  211850. MessageCallbackFunction* func = call->func;
  211851. call->result = (*func) (call->parameter);
  211852. call->event.signal();
  211853. }
  211854. else if (clientMsg->message_type == broadcastId)
  211855. {
  211856. #if 0
  211857. TCHAR buffer[8192];
  211858. zeromem (buffer, sizeof (buffer));
  211859. if (GlobalGetAtomName ((ATOM) lParam, buffer, 8192) != 0)
  211860. mq->deliverBroadcastMessage (String (buffer));
  211861. #endif
  211862. }
  211863. else
  211864. {
  211865. DBG ("Error: juce_dispatchNextMessageOnSystemQueue received unknown client message.");
  211866. }
  211867. }
  211868. JUCE_CATCH_ALL
  211869. }
  211870. }
  211871. else if (evt.xany.window != juce_messageWindowHandle)
  211872. {
  211873. juce_windowMessageReceive (&evt);
  211874. }
  211875. return true;
  211876. }
  211877. END_JUCE_NAMESPACE
  211878. #endif
  211879. /********* End of inlined file: juce_linux_Messaging.cpp *********/
  211880. /********* Start of inlined file: juce_linux_Midi.cpp *********/
  211881. #if JUCE_BUILD_GUI_CLASSES
  211882. #if JUCE_ALSA
  211883. #include <alsa/asoundlib.h>
  211884. BEGIN_JUCE_NAMESPACE
  211885. static snd_seq_t* iterateDevices (const bool forInput,
  211886. StringArray& deviceNamesFound,
  211887. const int deviceIndexToOpen)
  211888. {
  211889. snd_seq_t* returnedHandle = 0;
  211890. snd_seq_t* seqHandle;
  211891. if (snd_seq_open (&seqHandle, "default", forInput ? SND_SEQ_OPEN_INPUT
  211892. : SND_SEQ_OPEN_OUTPUT, 0) == 0)
  211893. {
  211894. snd_seq_system_info_t* systemInfo;
  211895. snd_seq_client_info_t* clientInfo;
  211896. if (snd_seq_system_info_malloc (&systemInfo) == 0)
  211897. {
  211898. if (snd_seq_system_info (seqHandle, systemInfo) == 0
  211899. && snd_seq_client_info_malloc (&clientInfo) == 0)
  211900. {
  211901. int numClients = snd_seq_system_info_get_cur_clients (systemInfo);
  211902. while (--numClients >= 0 && returnedHandle == 0)
  211903. {
  211904. if (snd_seq_query_next_client (seqHandle, clientInfo) == 0)
  211905. {
  211906. snd_seq_port_info_t* portInfo;
  211907. if (snd_seq_port_info_malloc (&portInfo) == 0)
  211908. {
  211909. int numPorts = snd_seq_client_info_get_num_ports (clientInfo);
  211910. const int client = snd_seq_client_info_get_client (clientInfo);
  211911. snd_seq_port_info_set_client (portInfo, client);
  211912. snd_seq_port_info_set_port (portInfo, -1);
  211913. while (--numPorts >= 0)
  211914. {
  211915. if (snd_seq_query_next_port (seqHandle, portInfo) == 0
  211916. && (snd_seq_port_info_get_capability (portInfo)
  211917. & (forInput ? SND_SEQ_PORT_CAP_READ
  211918. : SND_SEQ_PORT_CAP_WRITE)) != 0)
  211919. {
  211920. deviceNamesFound.add (snd_seq_client_info_get_name (clientInfo));
  211921. if (deviceNamesFound.size() == deviceIndexToOpen + 1)
  211922. {
  211923. const int sourcePort = snd_seq_port_info_get_port (portInfo);
  211924. const int sourceClient = snd_seq_client_info_get_client (clientInfo);
  211925. if (sourcePort != -1)
  211926. {
  211927. snd_seq_set_client_name (seqHandle,
  211928. forInput ? "Juce Midi Input"
  211929. : "Juce Midi Output");
  211930. const int portId
  211931. = snd_seq_create_simple_port (seqHandle,
  211932. forInput ? "Juce Midi In Port"
  211933. : "Juce Midi Out Port",
  211934. forInput ? (SND_SEQ_PORT_CAP_WRITE | SND_SEQ_PORT_CAP_SUBS_WRITE)
  211935. : (SND_SEQ_PORT_CAP_READ | SND_SEQ_PORT_CAP_SUBS_READ),
  211936. SND_SEQ_PORT_TYPE_MIDI_GENERIC);
  211937. snd_seq_connect_from (seqHandle, portId, sourceClient, sourcePort);
  211938. returnedHandle = seqHandle;
  211939. break;
  211940. }
  211941. }
  211942. }
  211943. }
  211944. snd_seq_port_info_free (portInfo);
  211945. }
  211946. }
  211947. }
  211948. snd_seq_client_info_free (clientInfo);
  211949. }
  211950. snd_seq_system_info_free (systemInfo);
  211951. }
  211952. if (returnedHandle == 0)
  211953. snd_seq_close (seqHandle);
  211954. }
  211955. deviceNamesFound.appendNumbersToDuplicates (true, true);
  211956. return returnedHandle;
  211957. }
  211958. static snd_seq_t* createDevice (const bool forInput,
  211959. const String& deviceNameToOpen)
  211960. {
  211961. snd_seq_t* seqHandle = 0;
  211962. if (snd_seq_open (&seqHandle, "default", forInput ? SND_SEQ_OPEN_INPUT
  211963. : SND_SEQ_OPEN_OUTPUT, 0) == 0)
  211964. {
  211965. snd_seq_set_client_name (seqHandle,
  211966. (const char*) (forInput ? (deviceNameToOpen + T(" Input"))
  211967. : (deviceNameToOpen + T(" Output"))));
  211968. const int portId
  211969. = snd_seq_create_simple_port (seqHandle,
  211970. forInput ? "in"
  211971. : "out",
  211972. forInput ? (SND_SEQ_PORT_CAP_WRITE | SND_SEQ_PORT_CAP_SUBS_WRITE)
  211973. : (SND_SEQ_PORT_CAP_READ | SND_SEQ_PORT_CAP_SUBS_READ),
  211974. forInput ? SND_SEQ_PORT_TYPE_APPLICATION
  211975. : SND_SEQ_PORT_TYPE_MIDI_GENERIC);
  211976. if (portId < 0)
  211977. {
  211978. snd_seq_close (seqHandle);
  211979. seqHandle = 0;
  211980. }
  211981. }
  211982. return seqHandle;
  211983. }
  211984. class MidiOutputDevice
  211985. {
  211986. public:
  211987. MidiOutputDevice (MidiOutput* const midiOutput_,
  211988. snd_seq_t* const seqHandle_)
  211989. :
  211990. midiOutput (midiOutput_),
  211991. seqHandle (seqHandle_),
  211992. maxEventSize (16 * 1024)
  211993. {
  211994. jassert (seqHandle != 0 && midiOutput != 0);
  211995. snd_midi_event_new (maxEventSize, &midiParser);
  211996. }
  211997. ~MidiOutputDevice()
  211998. {
  211999. snd_midi_event_free (midiParser);
  212000. snd_seq_close (seqHandle);
  212001. }
  212002. void sendMessageNow (const MidiMessage& message)
  212003. {
  212004. if (message.getRawDataSize() > maxEventSize)
  212005. {
  212006. maxEventSize = message.getRawDataSize();
  212007. snd_midi_event_free (midiParser);
  212008. snd_midi_event_new (maxEventSize, &midiParser);
  212009. }
  212010. snd_seq_event_t event;
  212011. snd_seq_ev_clear (&event);
  212012. snd_midi_event_encode (midiParser,
  212013. message.getRawData(),
  212014. message.getRawDataSize(),
  212015. &event);
  212016. snd_midi_event_reset_encode (midiParser);
  212017. snd_seq_ev_set_source (&event, 0);
  212018. snd_seq_ev_set_subs (&event);
  212019. snd_seq_ev_set_direct (&event);
  212020. snd_seq_event_output_direct (seqHandle, &event);
  212021. }
  212022. juce_UseDebuggingNewOperator
  212023. private:
  212024. MidiOutput* const midiOutput;
  212025. snd_seq_t* const seqHandle;
  212026. snd_midi_event_t* midiParser;
  212027. int maxEventSize;
  212028. };
  212029. const StringArray MidiOutput::getDevices()
  212030. {
  212031. StringArray devices;
  212032. iterateDevices (false, devices, -1);
  212033. return devices;
  212034. }
  212035. int MidiOutput::getDefaultDeviceIndex()
  212036. {
  212037. return 0;
  212038. }
  212039. MidiOutput* MidiOutput::openDevice (int deviceIndex)
  212040. {
  212041. MidiOutput* newDevice = 0;
  212042. StringArray devices;
  212043. snd_seq_t* const handle = iterateDevices (false, devices, deviceIndex);
  212044. if (handle != 0)
  212045. {
  212046. newDevice = new MidiOutput();
  212047. newDevice->internal = new MidiOutputDevice (newDevice, handle);
  212048. }
  212049. return newDevice;
  212050. }
  212051. MidiOutput* MidiOutput::createNewDevice (const String& deviceName)
  212052. {
  212053. MidiOutput* newDevice = 0;
  212054. snd_seq_t* const handle = createDevice (false, deviceName);
  212055. if (handle != 0)
  212056. {
  212057. newDevice = new MidiOutput();
  212058. newDevice->internal = new MidiOutputDevice (newDevice, handle);
  212059. }
  212060. return newDevice;
  212061. }
  212062. MidiOutput::~MidiOutput()
  212063. {
  212064. MidiOutputDevice* const device = (MidiOutputDevice*) internal;
  212065. delete device;
  212066. }
  212067. void MidiOutput::reset()
  212068. {
  212069. }
  212070. bool MidiOutput::getVolume (float& leftVol, float& rightVol)
  212071. {
  212072. return false;
  212073. }
  212074. void MidiOutput::setVolume (float leftVol, float rightVol)
  212075. {
  212076. }
  212077. void MidiOutput::sendMessageNow (const MidiMessage& message)
  212078. {
  212079. ((MidiOutputDevice*) internal)->sendMessageNow (message);
  212080. }
  212081. class MidiInputThread : public Thread
  212082. {
  212083. public:
  212084. MidiInputThread (MidiInput* const midiInput_,
  212085. snd_seq_t* const seqHandle_,
  212086. MidiInputCallback* const callback_)
  212087. : Thread (T("Juce MIDI Input")),
  212088. midiInput (midiInput_),
  212089. seqHandle (seqHandle_),
  212090. callback (callback_)
  212091. {
  212092. jassert (seqHandle != 0 && callback != 0 && midiInput != 0);
  212093. }
  212094. ~MidiInputThread()
  212095. {
  212096. snd_seq_close (seqHandle);
  212097. }
  212098. void run()
  212099. {
  212100. const int maxEventSize = 16 * 1024;
  212101. snd_midi_event_t* midiParser;
  212102. if (snd_midi_event_new (maxEventSize, &midiParser) >= 0)
  212103. {
  212104. uint8* const buffer = (uint8*) juce_malloc (maxEventSize);
  212105. const int numPfds = snd_seq_poll_descriptors_count (seqHandle, POLLIN);
  212106. struct pollfd* const pfd = (struct pollfd*) alloca (numPfds * sizeof (struct pollfd));
  212107. snd_seq_poll_descriptors (seqHandle, pfd, numPfds, POLLIN);
  212108. while (! threadShouldExit())
  212109. {
  212110. if (poll (pfd, numPfds, 500) > 0)
  212111. {
  212112. snd_seq_event_t* inputEvent = 0;
  212113. snd_seq_nonblock (seqHandle, 1);
  212114. do
  212115. {
  212116. if (snd_seq_event_input (seqHandle, &inputEvent) >= 0)
  212117. {
  212118. // xxx what about SYSEXes that are too big for the buffer?
  212119. const int numBytes = snd_midi_event_decode (midiParser, buffer, maxEventSize, inputEvent);
  212120. snd_midi_event_reset_decode (midiParser);
  212121. if (numBytes > 0)
  212122. {
  212123. const MidiMessage message ((const uint8*) buffer,
  212124. numBytes,
  212125. Time::getMillisecondCounter() * 0.001);
  212126. callback->handleIncomingMidiMessage (midiInput, message);
  212127. }
  212128. snd_seq_free_event (inputEvent);
  212129. }
  212130. }
  212131. while (snd_seq_event_input_pending (seqHandle, 0) > 0);
  212132. snd_seq_free_event (inputEvent);
  212133. }
  212134. }
  212135. snd_midi_event_free (midiParser);
  212136. juce_free (buffer);
  212137. }
  212138. };
  212139. juce_UseDebuggingNewOperator
  212140. private:
  212141. MidiInput* const midiInput;
  212142. snd_seq_t* const seqHandle;
  212143. MidiInputCallback* const callback;
  212144. };
  212145. MidiInput::MidiInput (const String& name_)
  212146. : name (name_),
  212147. internal (0)
  212148. {
  212149. }
  212150. MidiInput::~MidiInput()
  212151. {
  212152. stop();
  212153. MidiInputThread* const thread = (MidiInputThread*) internal;
  212154. delete thread;
  212155. }
  212156. void MidiInput::start()
  212157. {
  212158. ((MidiInputThread*) internal)->startThread();
  212159. }
  212160. void MidiInput::stop()
  212161. {
  212162. ((MidiInputThread*) internal)->stopThread (3000);
  212163. }
  212164. int MidiInput::getDefaultDeviceIndex()
  212165. {
  212166. return 0;
  212167. }
  212168. const StringArray MidiInput::getDevices()
  212169. {
  212170. StringArray devices;
  212171. iterateDevices (true, devices, -1);
  212172. return devices;
  212173. }
  212174. MidiInput* MidiInput::openDevice (int deviceIndex, MidiInputCallback* callback)
  212175. {
  212176. MidiInput* newDevice = 0;
  212177. StringArray devices;
  212178. snd_seq_t* const handle = iterateDevices (true, devices, deviceIndex);
  212179. if (handle != 0)
  212180. {
  212181. newDevice = new MidiInput (devices [deviceIndex]);
  212182. newDevice->internal = new MidiInputThread (newDevice, handle, callback);
  212183. }
  212184. return newDevice;
  212185. }
  212186. MidiInput* MidiInput::createNewDevice (const String& deviceName, MidiInputCallback* callback)
  212187. {
  212188. MidiInput* newDevice = 0;
  212189. snd_seq_t* const handle = createDevice (true, deviceName);
  212190. if (handle != 0)
  212191. {
  212192. newDevice = new MidiInput (deviceName);
  212193. newDevice->internal = new MidiInputThread (newDevice, handle, callback);
  212194. }
  212195. return newDevice;
  212196. }
  212197. END_JUCE_NAMESPACE
  212198. #else
  212199. // (These are just stub functions if ALSA is unavailable...)
  212200. BEGIN_JUCE_NAMESPACE
  212201. const StringArray MidiOutput::getDevices() { return StringArray(); }
  212202. int MidiOutput::getDefaultDeviceIndex() { return 0; }
  212203. MidiOutput* MidiOutput::openDevice (int) { return 0; }
  212204. MidiOutput* MidiOutput::createNewDevice (const String&) { return 0; }
  212205. MidiOutput::~MidiOutput() {}
  212206. void MidiOutput::reset() {}
  212207. bool MidiOutput::getVolume (float&, float&) { return false; }
  212208. void MidiOutput::setVolume (float, float) {}
  212209. void MidiOutput::sendMessageNow (const MidiMessage&) {}
  212210. MidiInput::MidiInput (const String& name_)
  212211. : name (name_),
  212212. internal (0)
  212213. {}
  212214. MidiInput::~MidiInput() {}
  212215. void MidiInput::start() {}
  212216. void MidiInput::stop() {}
  212217. int MidiInput::getDefaultDeviceIndex() { return 0; }
  212218. const StringArray MidiInput::getDevices() { return StringArray(); }
  212219. MidiInput* MidiInput::openDevice (int, MidiInputCallback*) { return 0; }
  212220. MidiInput* MidiInput::createNewDevice (const String&, MidiInputCallback*) { return 0; }
  212221. END_JUCE_NAMESPACE
  212222. #endif
  212223. #endif
  212224. /********* End of inlined file: juce_linux_Midi.cpp *********/
  212225. /********* Start of inlined file: juce_linux_WebBrowserComponent.cpp *********/
  212226. BEGIN_JUCE_NAMESPACE
  212227. /*
  212228. Sorry.. This class isn't implemented on Linux!
  212229. */
  212230. WebBrowserComponent::WebBrowserComponent()
  212231. : browser (0),
  212232. blankPageShown (false)
  212233. {
  212234. setOpaque (true);
  212235. }
  212236. WebBrowserComponent::~WebBrowserComponent()
  212237. {
  212238. }
  212239. void WebBrowserComponent::goToURL (const String& url,
  212240. const StringArray* headers,
  212241. const MemoryBlock* postData)
  212242. {
  212243. lastURL = url;
  212244. lastHeaders.clear();
  212245. if (headers != 0)
  212246. lastHeaders = *headers;
  212247. lastPostData.setSize (0);
  212248. if (postData != 0)
  212249. lastPostData = *postData;
  212250. blankPageShown = false;
  212251. }
  212252. void WebBrowserComponent::stop()
  212253. {
  212254. }
  212255. void WebBrowserComponent::goBack()
  212256. {
  212257. lastURL = String::empty;
  212258. blankPageShown = false;
  212259. }
  212260. void WebBrowserComponent::goForward()
  212261. {
  212262. lastURL = String::empty;
  212263. }
  212264. void WebBrowserComponent::paint (Graphics& g)
  212265. {
  212266. g.fillAll (Colours::white);
  212267. }
  212268. void WebBrowserComponent::checkWindowAssociation()
  212269. {
  212270. }
  212271. void WebBrowserComponent::reloadLastURL()
  212272. {
  212273. if (lastURL.isNotEmpty())
  212274. {
  212275. goToURL (lastURL, &lastHeaders, &lastPostData);
  212276. lastURL = String::empty;
  212277. }
  212278. }
  212279. void WebBrowserComponent::parentHierarchyChanged()
  212280. {
  212281. checkWindowAssociation();
  212282. }
  212283. void WebBrowserComponent::moved()
  212284. {
  212285. }
  212286. void WebBrowserComponent::resized()
  212287. {
  212288. }
  212289. void WebBrowserComponent::visibilityChanged()
  212290. {
  212291. checkWindowAssociation();
  212292. }
  212293. bool WebBrowserComponent::pageAboutToLoad (const String& url)
  212294. {
  212295. return true;
  212296. }
  212297. END_JUCE_NAMESPACE
  212298. /********* End of inlined file: juce_linux_WebBrowserComponent.cpp *********/
  212299. /********* Start of inlined file: juce_linux_Windowing.cpp *********/
  212300. #if JUCE_BUILD_GUI_CLASSES
  212301. #include <X11/Xlib.h>
  212302. #include <X11/Xutil.h>
  212303. #include <X11/Xatom.h>
  212304. #include <X11/Xmd.h>
  212305. #include <X11/keysym.h>
  212306. #include <X11/cursorfont.h>
  212307. #include <dlfcn.h>
  212308. #if JUCE_USE_XINERAMA
  212309. /* If you're trying to use Xinerama, you'll need to install the "libxinerama-dev" package..
  212310. */
  212311. #include <X11/extensions/Xinerama.h>
  212312. #endif
  212313. #if JUCE_USE_XSHM
  212314. #include <X11/extensions/XShm.h>
  212315. #include <sys/shm.h>
  212316. #include <sys/ipc.h>
  212317. #endif
  212318. #if JUCE_OPENGL
  212319. /* Got an include error here?
  212320. If you want to install OpenGL support, the packages to get are "mesa-common-dev"
  212321. and "freeglut3-dev".
  212322. Alternatively, you can turn off the JUCE_OPENGL flag in juce_Config.h if you
  212323. want to disable it.
  212324. */
  212325. #include <GL/glx.h>
  212326. #endif
  212327. #undef KeyPress
  212328. BEGIN_JUCE_NAMESPACE
  212329. #define TAKE_FOCUS 0
  212330. #define DELETE_WINDOW 1
  212331. #define SYSTEM_TRAY_REQUEST_DOCK 0
  212332. #define SYSTEM_TRAY_BEGIN_MESSAGE 1
  212333. #define SYSTEM_TRAY_CANCEL_MESSAGE 2
  212334. static const int repaintTimerPeriod = 1000 / 100; // 100 fps maximum
  212335. static Atom wm_ChangeState = None;
  212336. static Atom wm_State = None;
  212337. static Atom wm_Protocols = None;
  212338. static Atom wm_ProtocolList [2] = { None, None };
  212339. static Atom wm_ActiveWin = None;
  212340. #define ourDndVersion 3
  212341. static Atom XA_XdndAware = None;
  212342. static Atom XA_XdndEnter = None;
  212343. static Atom XA_XdndLeave = None;
  212344. static Atom XA_XdndPosition = None;
  212345. static Atom XA_XdndStatus = None;
  212346. static Atom XA_XdndDrop = None;
  212347. static Atom XA_XdndFinished = None;
  212348. static Atom XA_XdndSelection = None;
  212349. static Atom XA_XdndProxy = None;
  212350. static Atom XA_XdndTypeList = None;
  212351. static Atom XA_XdndActionList = None;
  212352. static Atom XA_XdndActionDescription = None;
  212353. static Atom XA_XdndActionCopy = None;
  212354. static Atom XA_XdndActionMove = None;
  212355. static Atom XA_XdndActionLink = None;
  212356. static Atom XA_XdndActionAsk = None;
  212357. static Atom XA_XdndActionPrivate = None;
  212358. static Atom XA_JXSelectionWindowProperty = None;
  212359. static Atom XA_MimeTextPlain = None;
  212360. static Atom XA_MimeTextUriList = None;
  212361. static Atom XA_MimeRootDrop = None;
  212362. static XErrorHandler oldHandler = 0;
  212363. static int trappedErrorCode = 0;
  212364. extern "C" int errorTrapHandler (Display* dpy, XErrorEvent* err)
  212365. {
  212366. trappedErrorCode = err->error_code;
  212367. return 0;
  212368. }
  212369. static void trapErrors()
  212370. {
  212371. trappedErrorCode = 0;
  212372. oldHandler = XSetErrorHandler (errorTrapHandler);
  212373. }
  212374. static bool untrapErrors()
  212375. {
  212376. XSetErrorHandler (oldHandler);
  212377. return (trappedErrorCode == 0);
  212378. }
  212379. static bool isActiveApplication = false;
  212380. bool Process::isForegroundProcess() throw()
  212381. {
  212382. return isActiveApplication;
  212383. }
  212384. // (used in the messaging code, declared here for build reasons)
  212385. bool juce_isRunningAsApplication()
  212386. {
  212387. return JUCEApplication::getInstance() != 0;
  212388. }
  212389. // These are defined in juce_linux_Messaging.cpp
  212390. extern Display* display;
  212391. extern XContext improbableNumber;
  212392. static const int eventMask = NoEventMask | KeyPressMask | KeyReleaseMask | ButtonPressMask | ButtonReleaseMask
  212393. | EnterWindowMask | LeaveWindowMask | PointerMotionMask | KeymapStateMask
  212394. | ExposureMask | StructureNotifyMask | FocusChangeMask;
  212395. static int pointerMap[5];
  212396. static int lastMousePosX = 0, lastMousePosY = 0;
  212397. enum MouseButtons
  212398. {
  212399. NoButton = 0,
  212400. LeftButton = 1,
  212401. MiddleButton = 2,
  212402. RightButton = 3,
  212403. WheelUp = 4,
  212404. WheelDown = 5
  212405. };
  212406. static void getMousePos (int& x, int& y, int& mouseMods) throw()
  212407. {
  212408. Window root, child;
  212409. int winx, winy;
  212410. unsigned int mask;
  212411. mouseMods = 0;
  212412. if (XQueryPointer (display,
  212413. RootWindow (display, DefaultScreen (display)),
  212414. &root, &child,
  212415. &x, &y, &winx, &winy, &mask) == False)
  212416. {
  212417. // Pointer not on the default screen
  212418. x = y = -1;
  212419. }
  212420. else
  212421. {
  212422. if ((mask & Button1Mask) != 0)
  212423. mouseMods |= ModifierKeys::leftButtonModifier;
  212424. if ((mask & Button2Mask) != 0)
  212425. mouseMods |= ModifierKeys::middleButtonModifier;
  212426. if ((mask & Button3Mask) != 0)
  212427. mouseMods |= ModifierKeys::rightButtonModifier;
  212428. }
  212429. }
  212430. static int AltMask = 0;
  212431. static int NumLockMask = 0;
  212432. static bool numLock = 0;
  212433. static bool capsLock = 0;
  212434. static char keyStates [32];
  212435. static void updateKeyStates (const int keycode, const bool press) throw()
  212436. {
  212437. const int keybyte = keycode >> 3;
  212438. const int keybit = (1 << (keycode & 7));
  212439. if (press)
  212440. keyStates [keybyte] |= keybit;
  212441. else
  212442. keyStates [keybyte] &= ~keybit;
  212443. }
  212444. static bool keyDown (const int keycode) throw()
  212445. {
  212446. const int keybyte = keycode >> 3;
  212447. const int keybit = (1 << (keycode & 7));
  212448. return (keyStates [keybyte] & keybit) != 0;
  212449. }
  212450. static const int extendedKeyModifier = 0x10000000;
  212451. bool KeyPress::isKeyCurrentlyDown (const int keyCode) throw()
  212452. {
  212453. int keysym;
  212454. if (keyCode & extendedKeyModifier)
  212455. {
  212456. keysym = 0xff00 | (keyCode & 0xff);
  212457. }
  212458. else
  212459. {
  212460. keysym = keyCode;
  212461. if (keysym == (XK_Tab & 0xff)
  212462. || keysym == (XK_Return & 0xff)
  212463. || keysym == (XK_Escape & 0xff)
  212464. || keysym == (XK_BackSpace & 0xff))
  212465. {
  212466. keysym |= 0xff00;
  212467. }
  212468. }
  212469. return keyDown (XKeysymToKeycode (display, keysym));
  212470. }
  212471. // Alt and Num lock are not defined by standard X
  212472. // modifier constants: check what they're mapped to
  212473. static void getModifierMapping() throw()
  212474. {
  212475. const int altLeftCode = XKeysymToKeycode (display, XK_Alt_L);
  212476. const int numLockCode = XKeysymToKeycode (display, XK_Num_Lock);
  212477. AltMask = 0;
  212478. NumLockMask = 0;
  212479. XModifierKeymap* mapping = XGetModifierMapping (display);
  212480. if (mapping)
  212481. {
  212482. for (int i = 0; i < 8; i++)
  212483. {
  212484. if (mapping->modifiermap [i << 1] == altLeftCode)
  212485. AltMask = 1 << i;
  212486. else if (mapping->modifiermap [i << 1] == numLockCode)
  212487. NumLockMask = 1 << i;
  212488. }
  212489. XFreeModifiermap (mapping);
  212490. }
  212491. }
  212492. static int currentModifiers = 0;
  212493. void ModifierKeys::updateCurrentModifiers() throw()
  212494. {
  212495. currentModifierFlags = currentModifiers;
  212496. }
  212497. const ModifierKeys ModifierKeys::getCurrentModifiersRealtime() throw()
  212498. {
  212499. int x, y, mouseMods;
  212500. getMousePos (x, y, mouseMods);
  212501. currentModifiers &= ~ModifierKeys::allMouseButtonModifiers;
  212502. currentModifiers |= mouseMods;
  212503. return ModifierKeys (currentModifiers);
  212504. }
  212505. static void updateKeyModifiers (const int status) throw()
  212506. {
  212507. currentModifiers &= ~(ModifierKeys::shiftModifier
  212508. | ModifierKeys::ctrlModifier
  212509. | ModifierKeys::altModifier);
  212510. if (status & ShiftMask)
  212511. currentModifiers |= ModifierKeys::shiftModifier;
  212512. if (status & ControlMask)
  212513. currentModifiers |= ModifierKeys::ctrlModifier;
  212514. if (status & AltMask)
  212515. currentModifiers |= ModifierKeys::altModifier;
  212516. numLock = ((status & NumLockMask) != 0);
  212517. capsLock = ((status & LockMask) != 0);
  212518. }
  212519. static bool updateKeyModifiersFromSym (KeySym sym, const bool press) throw()
  212520. {
  212521. int modifier = 0;
  212522. bool isModifier = true;
  212523. switch (sym)
  212524. {
  212525. case XK_Shift_L:
  212526. case XK_Shift_R:
  212527. modifier = ModifierKeys::shiftModifier;
  212528. break;
  212529. case XK_Control_L:
  212530. case XK_Control_R:
  212531. modifier = ModifierKeys::ctrlModifier;
  212532. break;
  212533. case XK_Alt_L:
  212534. case XK_Alt_R:
  212535. modifier = ModifierKeys::altModifier;
  212536. break;
  212537. case XK_Num_Lock:
  212538. if (press)
  212539. numLock = ! numLock;
  212540. break;
  212541. case XK_Caps_Lock:
  212542. if (press)
  212543. capsLock = ! capsLock;
  212544. break;
  212545. case XK_Scroll_Lock:
  212546. break;
  212547. default:
  212548. isModifier = false;
  212549. break;
  212550. }
  212551. if (modifier != 0)
  212552. {
  212553. if (press)
  212554. currentModifiers |= modifier;
  212555. else
  212556. currentModifiers &= ~modifier;
  212557. }
  212558. return isModifier;
  212559. }
  212560. #if JUCE_USE_XSHM
  212561. static bool isShmAvailable() throw()
  212562. {
  212563. static bool isChecked = false;
  212564. static bool isAvailable = false;
  212565. if (! isChecked)
  212566. {
  212567. isChecked = true;
  212568. int major, minor;
  212569. Bool pixmaps;
  212570. if (XShmQueryVersion (display, &major, &minor, &pixmaps))
  212571. {
  212572. trapErrors();
  212573. XShmSegmentInfo segmentInfo;
  212574. zerostruct (segmentInfo);
  212575. XImage* xImage = XShmCreateImage (display, DefaultVisual (display, DefaultScreen (display)),
  212576. 24, ZPixmap, 0, &segmentInfo, 50, 50);
  212577. if ((segmentInfo.shmid = shmget (IPC_PRIVATE,
  212578. xImage->bytes_per_line * xImage->height,
  212579. IPC_CREAT | 0777)) >= 0)
  212580. {
  212581. segmentInfo.shmaddr = (char*) shmat (segmentInfo.shmid, 0, 0);
  212582. if (segmentInfo.shmaddr != (void*) -1)
  212583. {
  212584. segmentInfo.readOnly = False;
  212585. xImage->data = segmentInfo.shmaddr;
  212586. XSync (display, False);
  212587. if (XShmAttach (display, &segmentInfo) != 0)
  212588. {
  212589. XSync (display, False);
  212590. XShmDetach (display, &segmentInfo);
  212591. isAvailable = true;
  212592. }
  212593. }
  212594. XFlush (display);
  212595. XDestroyImage (xImage);
  212596. shmdt (segmentInfo.shmaddr);
  212597. }
  212598. shmctl (segmentInfo.shmid, IPC_RMID, 0);
  212599. isAvailable &= untrapErrors();
  212600. }
  212601. }
  212602. return isAvailable;
  212603. }
  212604. #endif
  212605. class XBitmapImage : public Image
  212606. {
  212607. public:
  212608. XBitmapImage (const PixelFormat format_, const int w, const int h,
  212609. const bool clearImage, const bool is16Bit_)
  212610. : Image (format_, w, h),
  212611. is16Bit (is16Bit_)
  212612. {
  212613. jassert (format_ == RGB || format_ == ARGB);
  212614. pixelStride = (format_ == RGB) ? 3 : 4;
  212615. lineStride = ((w * pixelStride + 3) & ~3);
  212616. Visual* const visual = DefaultVisual (display, DefaultScreen (display));
  212617. #if JUCE_USE_XSHM
  212618. usingXShm = false;
  212619. if ((! is16Bit) && isShmAvailable())
  212620. {
  212621. zerostruct (segmentInfo);
  212622. xImage = XShmCreateImage (display, visual, 24, ZPixmap, 0, &segmentInfo, w, h);
  212623. if (xImage != 0)
  212624. {
  212625. if ((segmentInfo.shmid = shmget (IPC_PRIVATE,
  212626. xImage->bytes_per_line * xImage->height,
  212627. IPC_CREAT | 0777)) >= 0)
  212628. {
  212629. segmentInfo.shmaddr = (char*) shmat (segmentInfo.shmid, 0, 0);
  212630. if (segmentInfo.shmaddr != (void*) -1)
  212631. {
  212632. segmentInfo.readOnly = False;
  212633. xImage->data = segmentInfo.shmaddr;
  212634. imageData = (uint8*) segmentInfo.shmaddr;
  212635. XSync (display, False);
  212636. if (XShmAttach (display, &segmentInfo) != 0)
  212637. {
  212638. XSync (display, False);
  212639. usingXShm = true;
  212640. }
  212641. else
  212642. {
  212643. jassertfalse
  212644. }
  212645. }
  212646. else
  212647. {
  212648. shmctl (segmentInfo.shmid, IPC_RMID, 0);
  212649. }
  212650. }
  212651. }
  212652. }
  212653. if (! usingXShm)
  212654. #endif
  212655. {
  212656. imageData = (uint8*) juce_malloc (lineStride * h);
  212657. if (format_ == ARGB && clearImage)
  212658. zeromem (imageData, h * lineStride);
  212659. xImage = (XImage*) juce_calloc (sizeof (XImage));
  212660. xImage->width = w;
  212661. xImage->height = h;
  212662. xImage->xoffset = 0;
  212663. xImage->format = ZPixmap;
  212664. xImage->data = (char*) imageData;
  212665. xImage->byte_order = ImageByteOrder (display);
  212666. xImage->bitmap_unit = BitmapUnit (display);
  212667. xImage->bitmap_bit_order = BitmapBitOrder (display);
  212668. xImage->bitmap_pad = 32;
  212669. xImage->depth = pixelStride * 8;
  212670. xImage->bytes_per_line = lineStride;
  212671. xImage->bits_per_pixel = pixelStride * 8;
  212672. xImage->red_mask = 0x00FF0000;
  212673. xImage->green_mask = 0x0000FF00;
  212674. xImage->blue_mask = 0x000000FF;
  212675. if (is16Bit)
  212676. {
  212677. const int pixelStride = 2;
  212678. const int lineStride = ((w * pixelStride + 3) & ~3);
  212679. xImage->data = (char*) juce_malloc (lineStride * h);
  212680. xImage->bitmap_pad = 16;
  212681. xImage->depth = pixelStride * 8;
  212682. xImage->bytes_per_line = lineStride;
  212683. xImage->bits_per_pixel = pixelStride * 8;
  212684. xImage->red_mask = visual->red_mask;
  212685. xImage->green_mask = visual->green_mask;
  212686. xImage->blue_mask = visual->blue_mask;
  212687. }
  212688. if (! XInitImage (xImage))
  212689. {
  212690. jassertfalse
  212691. }
  212692. }
  212693. }
  212694. ~XBitmapImage()
  212695. {
  212696. #if JUCE_USE_XSHM
  212697. if (usingXShm)
  212698. {
  212699. XShmDetach (display, &segmentInfo);
  212700. XFlush (display);
  212701. XDestroyImage (xImage);
  212702. shmdt (segmentInfo.shmaddr);
  212703. shmctl (segmentInfo.shmid, IPC_RMID, 0);
  212704. }
  212705. else
  212706. #endif
  212707. {
  212708. juce_free (xImage->data);
  212709. xImage->data = 0;
  212710. XDestroyImage (xImage);
  212711. }
  212712. if (! is16Bit)
  212713. imageData = 0; // to stop the base class freeing this (for the 16-bit version we want it to free it)
  212714. }
  212715. void blitToWindow (Window window, int dx, int dy, int dw, int dh, int sx, int sy)
  212716. {
  212717. static GC gc = 0;
  212718. if (gc == 0)
  212719. gc = DefaultGC (display, DefaultScreen (display));
  212720. if (is16Bit)
  212721. {
  212722. const uint32 rMask = xImage->red_mask;
  212723. const uint32 rShiftL = jmax (0, getShiftNeeded (rMask));
  212724. const uint32 rShiftR = jmax (0, -getShiftNeeded (rMask));
  212725. const uint32 gMask = xImage->green_mask;
  212726. const uint32 gShiftL = jmax (0, getShiftNeeded (gMask));
  212727. const uint32 gShiftR = jmax (0, -getShiftNeeded (gMask));
  212728. const uint32 bMask = xImage->blue_mask;
  212729. const uint32 bShiftL = jmax (0, getShiftNeeded (bMask));
  212730. const uint32 bShiftR = jmax (0, -getShiftNeeded (bMask));
  212731. int ls, ps;
  212732. const uint8* const pixels = lockPixelDataReadOnly (0, 0, getWidth(), getHeight(), ls, ps);
  212733. jassert (! isARGB())
  212734. for (int y = sy; y < sy + dh; ++y)
  212735. {
  212736. const uint8* p = pixels + y * ls + sx * ps;
  212737. for (int x = sx; x < sx + dw; ++x)
  212738. {
  212739. const PixelRGB* const pixel = (const PixelRGB*) p;
  212740. p += ps;
  212741. XPutPixel (xImage, x, y,
  212742. (((((uint32) pixel->getRed()) << rShiftL) >> rShiftR) & rMask)
  212743. | (((((uint32) pixel->getGreen()) << gShiftL) >> gShiftR) & gMask)
  212744. | (((((uint32) pixel->getBlue()) << bShiftL) >> bShiftR) & bMask));
  212745. }
  212746. }
  212747. releasePixelDataReadOnly (pixels);
  212748. }
  212749. // blit results to screen.
  212750. #if JUCE_USE_XSHM
  212751. if (usingXShm)
  212752. XShmPutImage (display, (::Drawable) window, gc, xImage, sx, sy, dx, dy, dw, dh, False);
  212753. else
  212754. #endif
  212755. XPutImage (display, (::Drawable) window, gc, xImage, sx, sy, dx, dy, dw, dh);
  212756. }
  212757. juce_UseDebuggingNewOperator
  212758. private:
  212759. XImage* xImage;
  212760. const bool is16Bit;
  212761. #if JUCE_USE_XSHM
  212762. XShmSegmentInfo segmentInfo;
  212763. bool usingXShm;
  212764. #endif
  212765. static int getShiftNeeded (const uint32 mask) throw()
  212766. {
  212767. for (int i = 32; --i >= 0;)
  212768. if (((mask >> i) & 1) != 0)
  212769. return i - 7;
  212770. jassertfalse
  212771. return 0;
  212772. }
  212773. };
  212774. #define checkMessageManagerIsLocked jassert (MessageManager::getInstance()->currentThreadHasLockedMessageManager());
  212775. class LinuxComponentPeer : public ComponentPeer
  212776. {
  212777. public:
  212778. LinuxComponentPeer (Component* const component, const int windowStyleFlags)
  212779. : ComponentPeer (component, windowStyleFlags),
  212780. windowH (0),
  212781. parentWindow (0),
  212782. wx (0),
  212783. wy (0),
  212784. ww (0),
  212785. wh (0),
  212786. taskbarImage (0),
  212787. fullScreen (false),
  212788. entered (false),
  212789. mapped (false)
  212790. {
  212791. // it's dangerous to create a window on a thread other than the message thread..
  212792. checkMessageManagerIsLocked
  212793. repainter = new LinuxRepaintManager (this);
  212794. createWindow();
  212795. setTitle (component->getName());
  212796. }
  212797. ~LinuxComponentPeer()
  212798. {
  212799. // it's dangerous to delete a window on a thread other than the message thread..
  212800. checkMessageManagerIsLocked
  212801. deleteTaskBarIcon();
  212802. destroyWindow();
  212803. windowH = 0;
  212804. delete repainter;
  212805. }
  212806. void* getNativeHandle() const
  212807. {
  212808. return (void*) windowH;
  212809. }
  212810. static LinuxComponentPeer* getPeerFor (Window windowHandle) throw()
  212811. {
  212812. XPointer peer = 0;
  212813. if (! XFindContext (display, (XID) windowHandle, improbableNumber, &peer))
  212814. {
  212815. if (peer != 0 && ! ((LinuxComponentPeer*) peer)->isValidMessageListener())
  212816. peer = 0;
  212817. }
  212818. return (LinuxComponentPeer*) peer;
  212819. }
  212820. void setVisible (bool shouldBeVisible)
  212821. {
  212822. if (shouldBeVisible)
  212823. XMapWindow (display, windowH);
  212824. else
  212825. XUnmapWindow (display, windowH);
  212826. }
  212827. void setTitle (const String& title)
  212828. {
  212829. setWindowTitle (windowH, title);
  212830. }
  212831. void setPosition (int x, int y)
  212832. {
  212833. setBounds (x, y, ww, wh, false);
  212834. }
  212835. void setSize (int w, int h)
  212836. {
  212837. setBounds (wx, wy, w, h, false);
  212838. }
  212839. void setBounds (int x, int y, int w, int h, const bool isNowFullScreen)
  212840. {
  212841. fullScreen = isNowFullScreen;
  212842. if (windowH != 0)
  212843. {
  212844. const ComponentDeletionWatcher deletionChecker (component);
  212845. wx = x;
  212846. wy = y;
  212847. ww = jmax (1, w);
  212848. wh = jmax (1, h);
  212849. if (! mapped)
  212850. {
  212851. // Make sure the Window manager does what we want
  212852. XSizeHints* hints = XAllocSizeHints();
  212853. hints->flags = USSize | USPosition;
  212854. hints->width = ww + windowBorder.getLeftAndRight();
  212855. hints->height = wh + windowBorder.getTopAndBottom();
  212856. hints->x = wx - windowBorder.getLeft();
  212857. hints->y = wy - windowBorder.getTop();
  212858. XSetWMNormalHints (display, windowH, hints);
  212859. XFree (hints);
  212860. }
  212861. XMoveResizeWindow (display, windowH,
  212862. wx - windowBorder.getLeft(),
  212863. wy - windowBorder.getTop(),
  212864. ww + windowBorder.getLeftAndRight(),
  212865. wh + windowBorder.getTopAndBottom());
  212866. if (! deletionChecker.hasBeenDeleted())
  212867. {
  212868. updateBorderSize();
  212869. handleMovedOrResized();
  212870. }
  212871. }
  212872. }
  212873. void getBounds (int& x, int& y, int& w, int& h) const
  212874. {
  212875. x = wx;
  212876. y = wy;
  212877. w = ww;
  212878. h = wh;
  212879. }
  212880. int getScreenX() const
  212881. {
  212882. return wx;
  212883. }
  212884. int getScreenY() const
  212885. {
  212886. return wy;
  212887. }
  212888. void relativePositionToGlobal (int& x, int& y)
  212889. {
  212890. x += wx;
  212891. y += wy;
  212892. }
  212893. void globalPositionToRelative (int& x, int& y)
  212894. {
  212895. x -= wx;
  212896. y -= wy;
  212897. }
  212898. void setMinimised (bool shouldBeMinimised)
  212899. {
  212900. if (shouldBeMinimised)
  212901. {
  212902. Window root = RootWindow (display, DefaultScreen (display));
  212903. XClientMessageEvent clientMsg;
  212904. clientMsg.display = display;
  212905. clientMsg.window = windowH;
  212906. clientMsg.type = ClientMessage;
  212907. clientMsg.format = 32;
  212908. clientMsg.message_type = wm_ChangeState;
  212909. clientMsg.data.l[0] = IconicState;
  212910. XSendEvent (display, root, false,
  212911. SubstructureRedirectMask | SubstructureNotifyMask,
  212912. (XEvent*) &clientMsg);
  212913. }
  212914. else
  212915. {
  212916. setVisible (true);
  212917. }
  212918. }
  212919. bool isMinimised() const
  212920. {
  212921. bool minimised = false;
  212922. unsigned char* stateProp;
  212923. unsigned long nitems, bytesLeft;
  212924. Atom actualType;
  212925. int actualFormat;
  212926. if (XGetWindowProperty (display, windowH, wm_State, 0, 64, False,
  212927. wm_State, &actualType, &actualFormat, &nitems, &bytesLeft,
  212928. &stateProp) == Success
  212929. && actualType == wm_State
  212930. && actualFormat == 32
  212931. && nitems > 0)
  212932. {
  212933. if (((unsigned long*) stateProp)[0] == IconicState)
  212934. minimised = true;
  212935. XFree (stateProp);
  212936. }
  212937. return minimised;
  212938. }
  212939. void setFullScreen (const bool shouldBeFullScreen)
  212940. {
  212941. Rectangle r (lastNonFullscreenBounds); // (get a copy of this before de-minimising)
  212942. setMinimised (false);
  212943. if (fullScreen != shouldBeFullScreen)
  212944. {
  212945. if (shouldBeFullScreen)
  212946. r = Desktop::getInstance().getMainMonitorArea();
  212947. if (! r.isEmpty())
  212948. setBounds (r.getX(), r.getY(), r.getWidth(), r.getHeight(), shouldBeFullScreen);
  212949. getComponent()->repaint();
  212950. }
  212951. }
  212952. bool isFullScreen() const
  212953. {
  212954. return fullScreen;
  212955. }
  212956. bool isChildWindowOf (Window possibleParent) const
  212957. {
  212958. Window* windowList = 0;
  212959. uint32 windowListSize = 0;
  212960. Window parent, root;
  212961. if (XQueryTree (display, windowH, &root, &parent, &windowList, &windowListSize) != 0)
  212962. {
  212963. if (windowList != 0)
  212964. XFree (windowList);
  212965. return parent == possibleParent;
  212966. }
  212967. return false;
  212968. }
  212969. bool isFrontWindow() const
  212970. {
  212971. Window* windowList = 0;
  212972. uint32 windowListSize = 0;
  212973. bool result = false;
  212974. Window parent, root = RootWindow (display, DefaultScreen (display));
  212975. if (XQueryTree (display, root, &root, &parent, &windowList, &windowListSize) != 0)
  212976. {
  212977. for (int i = windowListSize; --i >= 0;)
  212978. {
  212979. LinuxComponentPeer* const peer = LinuxComponentPeer::getPeerFor (windowList[i]);
  212980. if (peer != 0)
  212981. {
  212982. result = (peer == this);
  212983. break;
  212984. }
  212985. }
  212986. }
  212987. if (windowList != 0)
  212988. XFree (windowList);
  212989. return result;
  212990. }
  212991. bool contains (int x, int y, bool trueIfInAChildWindow) const
  212992. {
  212993. jassert (x >= 0 && y >= 0 && x < ww && y < wh); // should only be called for points that are actually inside the bounds
  212994. if (((unsigned int) x) >= (unsigned int) ww
  212995. || ((unsigned int) y) >= (unsigned int) wh)
  212996. return false;
  212997. bool inFront = false;
  212998. for (int i = 0; i < Desktop::getInstance().getNumComponents(); ++i)
  212999. {
  213000. Component* const c = Desktop::getInstance().getComponent (i);
  213001. if (inFront)
  213002. {
  213003. if (c->contains (x + wx - c->getScreenX(),
  213004. y + wy - c->getScreenY()))
  213005. {
  213006. return false;
  213007. }
  213008. }
  213009. else if (c == getComponent())
  213010. {
  213011. inFront = true;
  213012. }
  213013. }
  213014. if (trueIfInAChildWindow)
  213015. return true;
  213016. ::Window root, child;
  213017. unsigned int bw, depth;
  213018. int wx, wy, w, h;
  213019. if (! XGetGeometry (display, (::Drawable) windowH, &root,
  213020. &wx, &wy, (unsigned int*) &w, (unsigned int*) &h,
  213021. &bw, &depth))
  213022. {
  213023. return false;
  213024. }
  213025. if (! XTranslateCoordinates (display, windowH, windowH, x, y, &wx, &wy, &child))
  213026. return false;
  213027. return child == None;
  213028. }
  213029. const BorderSize getFrameSize() const
  213030. {
  213031. return BorderSize();
  213032. }
  213033. bool setAlwaysOnTop (bool alwaysOnTop)
  213034. {
  213035. if (windowH != 0)
  213036. {
  213037. const bool wasVisible = component->isVisible();
  213038. if (wasVisible)
  213039. setVisible (false); // doesn't always seem to work if the window is visible when this is done..
  213040. XSetWindowAttributes swa;
  213041. swa.override_redirect = alwaysOnTop ? True : False;
  213042. XChangeWindowAttributes (display, windowH, CWOverrideRedirect, &swa);
  213043. if (wasVisible)
  213044. setVisible (true);
  213045. }
  213046. return true;
  213047. }
  213048. void toFront (bool makeActive)
  213049. {
  213050. if (makeActive)
  213051. {
  213052. setVisible (true);
  213053. grabFocus();
  213054. }
  213055. XEvent ev;
  213056. ev.xclient.type = ClientMessage;
  213057. ev.xclient.serial = 0;
  213058. ev.xclient.send_event = True;
  213059. ev.xclient.message_type = wm_ActiveWin;
  213060. ev.xclient.window = windowH;
  213061. ev.xclient.format = 32;
  213062. ev.xclient.data.l[0] = 2;
  213063. ev.xclient.data.l[1] = CurrentTime;
  213064. ev.xclient.data.l[2] = 0;
  213065. ev.xclient.data.l[3] = 0;
  213066. ev.xclient.data.l[4] = 0;
  213067. XSendEvent (display, RootWindow (display, DefaultScreen (display)),
  213068. False,
  213069. SubstructureRedirectMask | SubstructureNotifyMask,
  213070. &ev);
  213071. XSync (display, False);
  213072. handleBroughtToFront();
  213073. }
  213074. void toBehind (ComponentPeer* other)
  213075. {
  213076. LinuxComponentPeer* const otherPeer = dynamic_cast <LinuxComponentPeer*> (other);
  213077. jassert (otherPeer != 0); // wrong type of window?
  213078. if (otherPeer != 0)
  213079. {
  213080. setMinimised (false);
  213081. Window newStack[] = { otherPeer->windowH, windowH };
  213082. XRestackWindows (display, newStack, 2);
  213083. }
  213084. }
  213085. bool isFocused() const
  213086. {
  213087. int revert;
  213088. Window focusedWindow = 0;
  213089. XGetInputFocus (display, &focusedWindow, &revert);
  213090. return focusedWindow == windowH;
  213091. }
  213092. void grabFocus()
  213093. {
  213094. XWindowAttributes atts;
  213095. if (windowH != 0
  213096. && XGetWindowAttributes (display, windowH, &atts)
  213097. && atts.map_state == IsViewable
  213098. && ! isFocused())
  213099. {
  213100. XSetInputFocus (display, windowH, RevertToParent, CurrentTime);
  213101. isActiveApplication = true;
  213102. }
  213103. }
  213104. void textInputRequired (int /*x*/, int /*y*/)
  213105. {
  213106. }
  213107. void repaint (int x, int y, int w, int h)
  213108. {
  213109. if (Rectangle::intersectRectangles (x, y, w, h,
  213110. 0, 0,
  213111. getComponent()->getWidth(),
  213112. getComponent()->getHeight()))
  213113. {
  213114. repainter->repaint (x, y, w, h);
  213115. }
  213116. }
  213117. void performAnyPendingRepaintsNow()
  213118. {
  213119. repainter->performAnyPendingRepaintsNow();
  213120. }
  213121. void setIcon (const Image& newIcon)
  213122. {
  213123. const int dataSize = newIcon.getWidth() * newIcon.getHeight() + 2;
  213124. uint32* const data = (uint32*) juce_malloc (dataSize);
  213125. int index = 0;
  213126. data[index++] = newIcon.getWidth();
  213127. data[index++] = newIcon.getHeight();
  213128. for (int y = 0; y < newIcon.getHeight(); ++y)
  213129. for (int x = 0; x < newIcon.getWidth(); ++x)
  213130. data[index++] = newIcon.getPixelAt (x, y).getARGB();
  213131. XChangeProperty (display, windowH,
  213132. XInternAtom (display, "_NET_WM_ICON", False),
  213133. XA_CARDINAL, 32, PropModeReplace,
  213134. (unsigned char*) data, dataSize);
  213135. XSync (display, False);
  213136. juce_free (data);
  213137. }
  213138. void handleWindowMessage (XEvent* event)
  213139. {
  213140. switch (event->xany.type)
  213141. {
  213142. case 2: // 'KeyPress'
  213143. {
  213144. XKeyEvent* const keyEvent = (XKeyEvent*) &event->xkey;
  213145. updateKeyStates (keyEvent->keycode, true);
  213146. char utf8 [64];
  213147. zeromem (utf8, sizeof (utf8));
  213148. KeySym sym;
  213149. XLookupString (keyEvent, utf8, sizeof (utf8), &sym, 0);
  213150. const juce_wchar unicodeChar = *(const juce_wchar*) String::fromUTF8 ((const uint8*) utf8, sizeof (utf8) - 1);
  213151. int keyCode = (int) unicodeChar;
  213152. if (keyCode < 0x20)
  213153. keyCode = XKeycodeToKeysym (display, keyEvent->keycode,
  213154. (currentModifiers & ModifierKeys::shiftModifier) != 0 ? 1 : 0);
  213155. const int oldMods = currentModifiers;
  213156. bool keyPressed = false;
  213157. const bool keyDownChange = (sym != NoSymbol) && ! updateKeyModifiersFromSym (sym, true);
  213158. if ((sym & 0xff00) == 0xff00)
  213159. {
  213160. // Translate keypad
  213161. if (sym == XK_KP_Divide)
  213162. keyCode = XK_slash;
  213163. else if (sym == XK_KP_Multiply)
  213164. keyCode = XK_asterisk;
  213165. else if (sym == XK_KP_Subtract)
  213166. keyCode = XK_hyphen;
  213167. else if (sym == XK_KP_Add)
  213168. keyCode = XK_plus;
  213169. else if (sym == XK_KP_Enter)
  213170. keyCode = XK_Return;
  213171. else if (sym == XK_KP_Decimal)
  213172. keyCode = numLock ? XK_period : XK_Delete;
  213173. else if (sym == XK_KP_0)
  213174. keyCode = numLock ? XK_0 : XK_Insert;
  213175. else if (sym == XK_KP_1)
  213176. keyCode = numLock ? XK_1 : XK_End;
  213177. else if (sym == XK_KP_2)
  213178. keyCode = numLock ? XK_2 : XK_Down;
  213179. else if (sym == XK_KP_3)
  213180. keyCode = numLock ? XK_3 : XK_Page_Down;
  213181. else if (sym == XK_KP_4)
  213182. keyCode = numLock ? XK_4 : XK_Left;
  213183. else if (sym == XK_KP_5)
  213184. keyCode = XK_5;
  213185. else if (sym == XK_KP_6)
  213186. keyCode = numLock ? XK_6 : XK_Right;
  213187. else if (sym == XK_KP_7)
  213188. keyCode = numLock ? XK_7 : XK_Home;
  213189. else if (sym == XK_KP_8)
  213190. keyCode = numLock ? XK_8 : XK_Up;
  213191. else if (sym == XK_KP_9)
  213192. keyCode = numLock ? XK_9 : XK_Page_Up;
  213193. switch (sym)
  213194. {
  213195. case XK_Left:
  213196. case XK_Right:
  213197. case XK_Up:
  213198. case XK_Down:
  213199. case XK_Page_Up:
  213200. case XK_Page_Down:
  213201. case XK_End:
  213202. case XK_Home:
  213203. case XK_Delete:
  213204. case XK_Insert:
  213205. keyPressed = true;
  213206. keyCode = (sym & 0xff) | extendedKeyModifier;
  213207. break;
  213208. case XK_Tab:
  213209. case XK_Return:
  213210. case XK_Escape:
  213211. case XK_BackSpace:
  213212. keyPressed = true;
  213213. keyCode &= 0xff;
  213214. break;
  213215. default:
  213216. {
  213217. if (sym >= XK_F1 && sym <= XK_F16)
  213218. {
  213219. keyPressed = true;
  213220. keyCode = (sym & 0xff) | extendedKeyModifier;
  213221. }
  213222. break;
  213223. }
  213224. }
  213225. }
  213226. if (utf8[0] != 0 || ((sym & 0xff00) == 0 && sym >= 8))
  213227. keyPressed = true;
  213228. if (oldMods != currentModifiers)
  213229. handleModifierKeysChange();
  213230. if (keyDownChange)
  213231. handleKeyUpOrDown();
  213232. if (keyPressed)
  213233. handleKeyPress (keyCode, unicodeChar);
  213234. break;
  213235. }
  213236. case KeyRelease:
  213237. {
  213238. const XKeyEvent* const keyEvent = (const XKeyEvent*) &event->xkey;
  213239. updateKeyStates (keyEvent->keycode, false);
  213240. KeySym sym = XKeycodeToKeysym (display, keyEvent->keycode, 0);
  213241. const int oldMods = currentModifiers;
  213242. const bool keyDownChange = (sym != NoSymbol) && ! updateKeyModifiersFromSym (sym, false);
  213243. if (oldMods != currentModifiers)
  213244. handleModifierKeysChange();
  213245. if (keyDownChange)
  213246. handleKeyUpOrDown();
  213247. break;
  213248. }
  213249. case ButtonPress:
  213250. {
  213251. const XButtonPressedEvent* const buttonPressEvent = (const XButtonPressedEvent*) &event->xbutton;
  213252. bool buttonMsg = false;
  213253. bool wheelUpMsg = false;
  213254. bool wheelDownMsg = false;
  213255. const int map = pointerMap [buttonPressEvent->button - Button1];
  213256. if (map == LeftButton)
  213257. {
  213258. currentModifiers |= ModifierKeys::leftButtonModifier;
  213259. buttonMsg = true;
  213260. }
  213261. else if (map == RightButton)
  213262. {
  213263. currentModifiers |= ModifierKeys::rightButtonModifier;
  213264. buttonMsg = true;
  213265. }
  213266. else if (map == MiddleButton)
  213267. {
  213268. currentModifiers |= ModifierKeys::middleButtonModifier;
  213269. buttonMsg = true;
  213270. }
  213271. else if (map == WheelUp)
  213272. {
  213273. wheelUpMsg = true;
  213274. }
  213275. else if (map == WheelDown)
  213276. {
  213277. wheelDownMsg = true;
  213278. }
  213279. updateKeyModifiers (buttonPressEvent->state);
  213280. if (buttonMsg)
  213281. {
  213282. toFront (true);
  213283. handleMouseDown (buttonPressEvent->x, buttonPressEvent->y,
  213284. getEventTime (buttonPressEvent->time));
  213285. }
  213286. else if (wheelUpMsg || wheelDownMsg)
  213287. {
  213288. handleMouseWheel (0, wheelDownMsg ? -84 : 84,
  213289. getEventTime (buttonPressEvent->time));
  213290. }
  213291. lastMousePosX = lastMousePosY = 0x100000;
  213292. break;
  213293. }
  213294. case ButtonRelease:
  213295. {
  213296. const XButtonReleasedEvent* const buttonRelEvent = (const XButtonReleasedEvent*) &event->xbutton;
  213297. const int oldModifiers = currentModifiers;
  213298. const int map = pointerMap [buttonRelEvent->button - Button1];
  213299. if (map == LeftButton)
  213300. currentModifiers &= ~ModifierKeys::leftButtonModifier;
  213301. else if (map == RightButton)
  213302. currentModifiers &= ~ModifierKeys::rightButtonModifier;
  213303. else if (map == MiddleButton)
  213304. currentModifiers &= ~ModifierKeys::middleButtonModifier;
  213305. updateKeyModifiers (buttonRelEvent->state);
  213306. handleMouseUp (oldModifiers,
  213307. buttonRelEvent->x, buttonRelEvent->y,
  213308. getEventTime (buttonRelEvent->time));
  213309. lastMousePosX = lastMousePosY = 0x100000;
  213310. break;
  213311. }
  213312. case MotionNotify:
  213313. {
  213314. const XPointerMovedEvent* const movedEvent = (const XPointerMovedEvent*) &event->xmotion;
  213315. updateKeyModifiers (movedEvent->state);
  213316. int x, y, mouseMods;
  213317. getMousePos (x, y, mouseMods);
  213318. if (lastMousePosX != x || lastMousePosY != y)
  213319. {
  213320. lastMousePosX = x;
  213321. lastMousePosY = y;
  213322. if (parentWindow != 0 && (styleFlags & windowHasTitleBar) == 0)
  213323. {
  213324. Window wRoot = 0, wParent = 0;
  213325. Window* wChild = 0;
  213326. unsigned int numChildren;
  213327. XQueryTree (display, windowH, &wRoot, &wParent, &wChild, &numChildren);
  213328. if (wParent != 0
  213329. && wParent != windowH
  213330. && wParent != wRoot)
  213331. {
  213332. parentWindow = wParent;
  213333. updateBounds();
  213334. x -= getScreenX();
  213335. y -= getScreenY();
  213336. }
  213337. else
  213338. {
  213339. parentWindow = 0;
  213340. x -= getScreenX();
  213341. y -= getScreenY();
  213342. }
  213343. }
  213344. else
  213345. {
  213346. x -= getScreenX();
  213347. y -= getScreenY();
  213348. }
  213349. if ((currentModifiers & ModifierKeys::allMouseButtonModifiers) == 0)
  213350. handleMouseMove (x, y, getEventTime (movedEvent->time));
  213351. else
  213352. handleMouseDrag (x, y, getEventTime (movedEvent->time));
  213353. }
  213354. break;
  213355. }
  213356. case EnterNotify:
  213357. {
  213358. lastMousePosX = lastMousePosY = 0x100000;
  213359. const XEnterWindowEvent* const enterEvent = (const XEnterWindowEvent*) &event->xcrossing;
  213360. if ((currentModifiers & ModifierKeys::allMouseButtonModifiers) == 0
  213361. && ! entered)
  213362. {
  213363. updateKeyModifiers (enterEvent->state);
  213364. handleMouseEnter (enterEvent->x, enterEvent->y, getEventTime (enterEvent->time));
  213365. entered = true;
  213366. }
  213367. break;
  213368. }
  213369. case LeaveNotify:
  213370. {
  213371. const XLeaveWindowEvent* const leaveEvent = (const XLeaveWindowEvent*) &event->xcrossing;
  213372. // Suppress the normal leave if we've got a pointer grab, or if
  213373. // it's a bogus one caused by clicking a mouse button when running
  213374. // in a Window manager
  213375. if (((currentModifiers & ModifierKeys::allMouseButtonModifiers) == 0
  213376. && leaveEvent->mode == NotifyNormal)
  213377. || leaveEvent->mode == NotifyUngrab)
  213378. {
  213379. updateKeyModifiers (leaveEvent->state);
  213380. handleMouseExit (leaveEvent->x, leaveEvent->y, getEventTime (leaveEvent->time));
  213381. entered = false;
  213382. }
  213383. break;
  213384. }
  213385. case FocusIn:
  213386. {
  213387. isActiveApplication = true;
  213388. if (isFocused())
  213389. handleFocusGain();
  213390. break;
  213391. }
  213392. case FocusOut:
  213393. {
  213394. isActiveApplication = false;
  213395. if (! isFocused())
  213396. handleFocusLoss();
  213397. break;
  213398. }
  213399. case Expose:
  213400. {
  213401. // Batch together all pending expose events
  213402. XExposeEvent* exposeEvent = (XExposeEvent*) &event->xexpose;
  213403. XEvent nextEvent;
  213404. if (exposeEvent->window != windowH)
  213405. {
  213406. Window child;
  213407. XTranslateCoordinates (display, exposeEvent->window, windowH,
  213408. exposeEvent->x, exposeEvent->y, &exposeEvent->x, &exposeEvent->y,
  213409. &child);
  213410. }
  213411. repaint (exposeEvent->x, exposeEvent->y,
  213412. exposeEvent->width, exposeEvent->height);
  213413. while (XEventsQueued (display, QueuedAfterFlush) > 0)
  213414. {
  213415. XPeekEvent (display, (XEvent*) &nextEvent);
  213416. if (nextEvent.type != Expose || nextEvent.xany.window != event->xany.window)
  213417. break;
  213418. XNextEvent (display, (XEvent*) &nextEvent);
  213419. XExposeEvent* nextExposeEvent = (XExposeEvent*) &nextEvent.xexpose;
  213420. repaint (nextExposeEvent->x, nextExposeEvent->y,
  213421. nextExposeEvent->width, nextExposeEvent->height);
  213422. }
  213423. break;
  213424. }
  213425. case CirculateNotify:
  213426. case CreateNotify:
  213427. case DestroyNotify:
  213428. // Think we can ignore these
  213429. break;
  213430. case ConfigureNotify:
  213431. {
  213432. updateBounds();
  213433. updateBorderSize();
  213434. handleMovedOrResized();
  213435. // if the native title bar is dragged, need to tell any active menus, etc.
  213436. if ((styleFlags & windowHasTitleBar) != 0
  213437. && component->isCurrentlyBlockedByAnotherModalComponent())
  213438. {
  213439. Component* const currentModalComp = Component::getCurrentlyModalComponent();
  213440. if (currentModalComp != 0)
  213441. currentModalComp->inputAttemptWhenModal();
  213442. }
  213443. XConfigureEvent* const confEvent = (XConfigureEvent*) &event->xconfigure;
  213444. if (confEvent->window == windowH
  213445. && confEvent->above != 0
  213446. && isFrontWindow())
  213447. {
  213448. handleBroughtToFront();
  213449. }
  213450. break;
  213451. }
  213452. case ReparentNotify:
  213453. case GravityNotify:
  213454. {
  213455. parentWindow = 0;
  213456. Window wRoot = 0;
  213457. Window* wChild = 0;
  213458. unsigned int numChildren;
  213459. XQueryTree (display, windowH, &wRoot, &parentWindow, &wChild, &numChildren);
  213460. if (parentWindow == windowH || parentWindow == wRoot)
  213461. parentWindow = 0;
  213462. updateBounds();
  213463. updateBorderSize();
  213464. handleMovedOrResized();
  213465. break;
  213466. }
  213467. case MapNotify:
  213468. mapped = true;
  213469. handleBroughtToFront();
  213470. break;
  213471. case UnmapNotify:
  213472. mapped = false;
  213473. break;
  213474. case MappingNotify:
  213475. {
  213476. XMappingEvent* mappingEvent = (XMappingEvent*) &event->xmapping;
  213477. if (mappingEvent->request != MappingPointer)
  213478. {
  213479. // Deal with modifier/keyboard mapping
  213480. XRefreshKeyboardMapping (mappingEvent);
  213481. getModifierMapping();
  213482. }
  213483. break;
  213484. }
  213485. case ClientMessage:
  213486. {
  213487. const XClientMessageEvent* const clientMsg = (const XClientMessageEvent*) &event->xclient;
  213488. if (clientMsg->message_type == wm_Protocols && clientMsg->format == 32)
  213489. {
  213490. const Atom atom = (Atom) clientMsg->data.l[0];
  213491. if (atom == wm_ProtocolList [TAKE_FOCUS])
  213492. {
  213493. XWindowAttributes atts;
  213494. if (clientMsg->window != 0
  213495. && XGetWindowAttributes (display, clientMsg->window, &atts))
  213496. {
  213497. if (atts.map_state == IsViewable)
  213498. XSetInputFocus (display, clientMsg->window, RevertToParent, clientMsg->data.l[1]);
  213499. }
  213500. }
  213501. else if (atom == wm_ProtocolList [DELETE_WINDOW])
  213502. {
  213503. handleUserClosingWindow();
  213504. }
  213505. }
  213506. else if (clientMsg->message_type == XA_XdndEnter)
  213507. {
  213508. handleDragAndDropEnter (clientMsg);
  213509. }
  213510. else if (clientMsg->message_type == XA_XdndLeave)
  213511. {
  213512. resetDragAndDrop();
  213513. }
  213514. else if (clientMsg->message_type == XA_XdndPosition)
  213515. {
  213516. handleDragAndDropPosition (clientMsg);
  213517. }
  213518. else if (clientMsg->message_type == XA_XdndDrop)
  213519. {
  213520. handleDragAndDropDrop (clientMsg);
  213521. }
  213522. else if (clientMsg->message_type == XA_XdndStatus)
  213523. {
  213524. handleDragAndDropStatus (clientMsg);
  213525. }
  213526. else if (clientMsg->message_type == XA_XdndFinished)
  213527. {
  213528. resetDragAndDrop();
  213529. }
  213530. break;
  213531. }
  213532. case SelectionNotify:
  213533. handleDragAndDropSelection (event);
  213534. break;
  213535. case SelectionClear:
  213536. case SelectionRequest:
  213537. break;
  213538. default:
  213539. break;
  213540. }
  213541. }
  213542. void showMouseCursor (Cursor cursor) throw()
  213543. {
  213544. XDefineCursor (display, windowH, cursor);
  213545. }
  213546. void setTaskBarIcon (const Image& image)
  213547. {
  213548. deleteTaskBarIcon();
  213549. taskbarImage = image.createCopy();
  213550. Screen* const screen = XDefaultScreenOfDisplay (display);
  213551. const int screenNumber = XScreenNumberOfScreen (screen);
  213552. char screenAtom[32];
  213553. snprintf (screenAtom, sizeof (screenAtom), "_NET_SYSTEM_TRAY_S%d", screenNumber);
  213554. Atom selectionAtom = XInternAtom (display, screenAtom, false);
  213555. XGrabServer (display);
  213556. Window managerWin = XGetSelectionOwner (display, selectionAtom);
  213557. if (managerWin != None)
  213558. XSelectInput (display, managerWin, StructureNotifyMask);
  213559. XUngrabServer (display);
  213560. XFlush (display);
  213561. if (managerWin != None)
  213562. {
  213563. XEvent ev;
  213564. zerostruct (ev);
  213565. ev.xclient.type = ClientMessage;
  213566. ev.xclient.window = managerWin;
  213567. ev.xclient.message_type = XInternAtom (display, "_NET_SYSTEM_TRAY_OPCODE", False);
  213568. ev.xclient.format = 32;
  213569. ev.xclient.data.l[0] = CurrentTime;
  213570. ev.xclient.data.l[1] = SYSTEM_TRAY_REQUEST_DOCK;
  213571. ev.xclient.data.l[2] = windowH;
  213572. ev.xclient.data.l[3] = 0;
  213573. ev.xclient.data.l[4] = 0;
  213574. XSendEvent (display, managerWin, False, NoEventMask, &ev);
  213575. XSync (display, False);
  213576. }
  213577. // For older KDE's ...
  213578. long atomData = 1;
  213579. Atom trayAtom = XInternAtom (display, "KWM_DOCKWINDOW", false);
  213580. XChangeProperty (display, windowH, trayAtom, trayAtom, 32, PropModeReplace, (unsigned char*) &atomData, 1);
  213581. // For more recent KDE's...
  213582. trayAtom = XInternAtom (display, "_KDE_NET_WM_SYSTEM_TRAY_WINDOW_FOR", false);
  213583. XChangeProperty (display, windowH, trayAtom, XA_WINDOW, 32, PropModeReplace, (unsigned char*) &windowH, 1);
  213584. }
  213585. void deleteTaskBarIcon()
  213586. {
  213587. deleteAndZero (taskbarImage);
  213588. }
  213589. const Image* getTaskbarIcon() const throw() { return taskbarImage; }
  213590. juce_UseDebuggingNewOperator
  213591. bool dontRepaint;
  213592. private:
  213593. class LinuxRepaintManager : public Timer
  213594. {
  213595. public:
  213596. LinuxRepaintManager (LinuxComponentPeer* const peer_)
  213597. : peer (peer_),
  213598. image (0),
  213599. lastTimeImageUsed (0)
  213600. {
  213601. #if JUCE_USE_XSHM
  213602. useARGBImagesForRendering = isShmAvailable();
  213603. if (useARGBImagesForRendering)
  213604. {
  213605. XShmSegmentInfo segmentinfo;
  213606. XImage* const testImage
  213607. = XShmCreateImage (display, DefaultVisual (display, DefaultScreen (display)),
  213608. 24, ZPixmap, 0, &segmentinfo, 64, 64);
  213609. useARGBImagesForRendering = (testImage->bits_per_pixel == 32);
  213610. XDestroyImage (testImage);
  213611. }
  213612. #endif
  213613. }
  213614. ~LinuxRepaintManager()
  213615. {
  213616. delete image;
  213617. }
  213618. void timerCallback()
  213619. {
  213620. if (! regionsNeedingRepaint.isEmpty())
  213621. {
  213622. stopTimer();
  213623. performAnyPendingRepaintsNow();
  213624. }
  213625. else if (Time::getApproximateMillisecondCounter() > lastTimeImageUsed + 3000)
  213626. {
  213627. stopTimer();
  213628. deleteAndZero (image);
  213629. }
  213630. }
  213631. void repaint (int x, int y, int w, int h)
  213632. {
  213633. if (! isTimerRunning())
  213634. startTimer (repaintTimerPeriod);
  213635. regionsNeedingRepaint.add (x, y, w, h);
  213636. }
  213637. void performAnyPendingRepaintsNow()
  213638. {
  213639. peer->clearMaskedRegion();
  213640. const Rectangle totalArea (regionsNeedingRepaint.getBounds());
  213641. if (! totalArea.isEmpty())
  213642. {
  213643. if (image == 0 || image->getWidth() < totalArea.getWidth()
  213644. || image->getHeight() < totalArea.getHeight())
  213645. {
  213646. delete image;
  213647. #if JUCE_USE_XSHM
  213648. image = new XBitmapImage (useARGBImagesForRendering ? Image::ARGB
  213649. : Image::RGB,
  213650. #else
  213651. image = new XBitmapImage (Image::RGB,
  213652. #endif
  213653. (totalArea.getWidth() + 31) & ~31,
  213654. (totalArea.getHeight() + 31) & ~31,
  213655. false,
  213656. peer->depthIs16Bit);
  213657. }
  213658. startTimer (repaintTimerPeriod);
  213659. LowLevelGraphicsSoftwareRenderer context (*image);
  213660. context.setOrigin (-totalArea.getX(), -totalArea.getY());
  213661. if (context.reduceClipRegion (regionsNeedingRepaint))
  213662. peer->handlePaint (context);
  213663. if (! peer->maskedRegion.isEmpty())
  213664. regionsNeedingRepaint.subtract (peer->maskedRegion);
  213665. for (RectangleList::Iterator i (regionsNeedingRepaint); i.next();)
  213666. {
  213667. const Rectangle& r = *i.getRectangle();
  213668. image->blitToWindow (peer->windowH,
  213669. r.getX(), r.getY(), r.getWidth(), r.getHeight(),
  213670. r.getX() - totalArea.getX(), r.getY() - totalArea.getY());
  213671. }
  213672. }
  213673. regionsNeedingRepaint.clear();
  213674. lastTimeImageUsed = Time::getApproximateMillisecondCounter();
  213675. startTimer (repaintTimerPeriod);
  213676. }
  213677. private:
  213678. LinuxComponentPeer* const peer;
  213679. XBitmapImage* image;
  213680. uint32 lastTimeImageUsed;
  213681. RectangleList regionsNeedingRepaint;
  213682. #if JUCE_USE_XSHM
  213683. bool useARGBImagesForRendering;
  213684. #endif
  213685. LinuxRepaintManager (const LinuxRepaintManager&);
  213686. const LinuxRepaintManager& operator= (const LinuxRepaintManager&);
  213687. };
  213688. LinuxRepaintManager* repainter;
  213689. friend class LinuxRepaintManager;
  213690. Window windowH, parentWindow;
  213691. int wx, wy, ww, wh;
  213692. Image* taskbarImage;
  213693. bool fullScreen, entered, mapped, depthIs16Bit;
  213694. BorderSize windowBorder;
  213695. void removeWindowDecorations (Window wndH)
  213696. {
  213697. Atom hints = XInternAtom (display, "_MOTIF_WM_HINTS", True);
  213698. if (hints != None)
  213699. {
  213700. typedef struct
  213701. {
  213702. unsigned long flags;
  213703. unsigned long functions;
  213704. unsigned long decorations;
  213705. long input_mode;
  213706. unsigned long status;
  213707. } MotifWmHints;
  213708. MotifWmHints motifHints;
  213709. zerostruct (motifHints);
  213710. motifHints.flags = 2; /* MWM_HINTS_DECORATIONS */
  213711. motifHints.decorations = 0;
  213712. XChangeProperty (display, wndH, hints, hints, 32, PropModeReplace,
  213713. (unsigned char*) &motifHints, 4);
  213714. }
  213715. hints = XInternAtom (display, "_WIN_HINTS", True);
  213716. if (hints != None)
  213717. {
  213718. long gnomeHints = 0;
  213719. XChangeProperty (display, wndH, hints, hints, 32, PropModeReplace,
  213720. (unsigned char*) &gnomeHints, 1);
  213721. }
  213722. hints = XInternAtom (display, "KWM_WIN_DECORATION", True);
  213723. if (hints != None)
  213724. {
  213725. long kwmHints = 2; /*KDE_tinyDecoration*/
  213726. XChangeProperty (display, wndH, hints, hints, 32, PropModeReplace,
  213727. (unsigned char*) &kwmHints, 1);
  213728. }
  213729. hints = XInternAtom (display, "_NET_WM_WINDOW_TYPE", True);
  213730. if (hints != None)
  213731. {
  213732. long netHints [2];
  213733. netHints[0] = XInternAtom (display, "_KDE_NET_WM_WINDOW_TYPE_OVERRIDE", True);
  213734. if ((styleFlags & windowIsTemporary) != 0)
  213735. netHints[1] = XInternAtom (display, "_NET_WM_WINDOW_TYPE_MENU", True);
  213736. else
  213737. netHints[1] = XInternAtom (display, "_NET_WM_WINDOW_TYPE_NORMAL", True);
  213738. XChangeProperty (display, wndH, hints, XA_ATOM, 32, PropModeReplace,
  213739. (unsigned char*) &netHints, 2);
  213740. }
  213741. }
  213742. void addWindowButtons (Window wndH)
  213743. {
  213744. Atom hints = XInternAtom (display, "_MOTIF_WM_HINTS", True);
  213745. if (hints != None)
  213746. {
  213747. typedef struct
  213748. {
  213749. unsigned long flags;
  213750. unsigned long functions;
  213751. unsigned long decorations;
  213752. long input_mode;
  213753. unsigned long status;
  213754. } MotifWmHints;
  213755. MotifWmHints motifHints;
  213756. zerostruct (motifHints);
  213757. motifHints.flags = 1 | 2; /* MWM_HINTS_FUNCTIONS | MWM_HINTS_DECORATIONS */
  213758. motifHints.decorations = 2 /* MWM_DECOR_BORDER */ | 8 /* MWM_DECOR_TITLE */ | 16; /* MWM_DECOR_MENU */
  213759. motifHints.functions = 4 /* MWM_FUNC_MOVE */;
  213760. if ((styleFlags & windowHasCloseButton) != 0)
  213761. motifHints.functions |= 32; /* MWM_FUNC_CLOSE */
  213762. if ((styleFlags & windowHasMinimiseButton) != 0)
  213763. {
  213764. motifHints.functions |= 8; /* MWM_FUNC_MINIMIZE */
  213765. motifHints.decorations |= 0x20; /* MWM_DECOR_MINIMIZE */
  213766. }
  213767. if ((styleFlags & windowHasMaximiseButton) != 0)
  213768. {
  213769. motifHints.functions |= 0x10; /* MWM_FUNC_MAXIMIZE */
  213770. motifHints.decorations |= 0x40; /* MWM_DECOR_MAXIMIZE */
  213771. }
  213772. if ((styleFlags & windowIsResizable) != 0)
  213773. {
  213774. motifHints.functions |= 2; /* MWM_FUNC_RESIZE */
  213775. motifHints.decorations |= 0x4; /* MWM_DECOR_RESIZEH */
  213776. }
  213777. XChangeProperty (display, wndH, hints, hints, 32, 0, (unsigned char*) &motifHints, 5);
  213778. }
  213779. hints = XInternAtom (display, "_NET_WM_ALLOWED_ACTIONS", True);
  213780. if (hints != None)
  213781. {
  213782. long netHints [6];
  213783. int num = 0;
  213784. netHints [num++] = XInternAtom (display, "_NET_WM_ACTION_RESIZE", (styleFlags & windowIsResizable) ? True : False);
  213785. netHints [num++] = XInternAtom (display, "_NET_WM_ACTION_FULLSCREEN", (styleFlags & windowHasMaximiseButton) ? True : False);
  213786. netHints [num++] = XInternAtom (display, "_NET_WM_ACTION_MINIMIZE", (styleFlags & windowHasMinimiseButton) ? True : False);
  213787. netHints [num++] = XInternAtom (display, "_NET_WM_ACTION_CLOSE", (styleFlags & windowHasCloseButton) ? True : False);
  213788. XChangeProperty (display, wndH, hints, XA_ATOM, 32, PropModeReplace,
  213789. (unsigned char*) &netHints, num);
  213790. }
  213791. }
  213792. void createWindow()
  213793. {
  213794. static bool atomsInitialised = false;
  213795. if (! atomsInitialised)
  213796. {
  213797. atomsInitialised = true;
  213798. wm_Protocols = XInternAtom (display, "WM_PROTOCOLS", 1);
  213799. wm_ProtocolList [TAKE_FOCUS] = XInternAtom (display, "WM_TAKE_FOCUS", 1);
  213800. wm_ProtocolList [DELETE_WINDOW] = XInternAtom (display, "WM_DELETE_WINDOW", 1);
  213801. wm_ChangeState = XInternAtom (display, "WM_CHANGE_STATE", 1);
  213802. wm_State = XInternAtom (display, "WM_STATE", 1);
  213803. wm_ActiveWin = XInternAtom (display, "_NET_ACTIVE_WINDOW", False);
  213804. XA_XdndAware = XInternAtom (display, "XdndAware", 0);
  213805. XA_XdndEnter = XInternAtom (display, "XdndEnter", 0);
  213806. XA_XdndLeave = XInternAtom (display, "XdndLeave", 0);
  213807. XA_XdndPosition = XInternAtom (display, "XdndPosition", 0);
  213808. XA_XdndStatus = XInternAtom (display, "XdndStatus", 0);
  213809. XA_XdndDrop = XInternAtom (display, "XdndDrop", 0);
  213810. XA_XdndFinished = XInternAtom (display, "XdndFinished", 0);
  213811. XA_XdndSelection = XInternAtom (display, "XdndSelection", 0);
  213812. XA_XdndProxy = XInternAtom (display, "XdndProxy", 0);
  213813. XA_XdndTypeList = XInternAtom (display, "XdndTypeList", 0);
  213814. XA_XdndActionList = XInternAtom (display, "XdndActionList", 0);
  213815. XA_XdndActionCopy = XInternAtom (display, "XdndActionCopy", 0);
  213816. XA_XdndActionMove = XInternAtom (display, "XdndActionMove", 0);
  213817. XA_XdndActionLink = XInternAtom (display, "XdndActionLink", 0);
  213818. XA_XdndActionAsk = XInternAtom (display, "XdndActionAsk", 0);
  213819. XA_XdndActionPrivate = XInternAtom (display, "XdndActionPrivate", 0);
  213820. XA_XdndActionDescription = XInternAtom (display, "XdndActionDescription", 0);
  213821. XA_JXSelectionWindowProperty = XInternAtom (display, "JXSelectionWindowProperty", 0);
  213822. XA_MimeTextPlain = XInternAtom (display, "text/plain", 0);
  213823. XA_MimeTextUriList = XInternAtom (display, "text/uri-list", 0);
  213824. XA_MimeRootDrop = XInternAtom (display, "application/x-rootwindow-drop", 0);
  213825. }
  213826. resetDragAndDrop();
  213827. XA_OtherMime = XA_MimeTextPlain; // xxx why??
  213828. allowedMimeTypeAtoms [0] = XA_MimeTextPlain;
  213829. allowedMimeTypeAtoms [1] = XA_OtherMime;
  213830. allowedMimeTypeAtoms [2] = XA_MimeTextUriList;
  213831. allowedActions [0] = XA_XdndActionMove;
  213832. allowedActions [1] = XA_XdndActionCopy;
  213833. allowedActions [2] = XA_XdndActionLink;
  213834. allowedActions [3] = XA_XdndActionAsk;
  213835. allowedActions [4] = XA_XdndActionPrivate;
  213836. // Get defaults for various properties
  213837. const int screen = DefaultScreen (display);
  213838. Window root = RootWindow (display, screen);
  213839. // Attempt to create a 24-bit window on the default screen. If this is not
  213840. // possible then exit
  213841. XVisualInfo desiredVisual;
  213842. desiredVisual.screen = screen;
  213843. desiredVisual.depth = 24;
  213844. depthIs16Bit = false;
  213845. int numVisuals;
  213846. XVisualInfo* visuals = XGetVisualInfo (display, VisualScreenMask | VisualDepthMask,
  213847. &desiredVisual, &numVisuals);
  213848. if (numVisuals < 1 || visuals == 0)
  213849. {
  213850. XFree (visuals);
  213851. desiredVisual.depth = 16;
  213852. visuals = XGetVisualInfo (display, VisualScreenMask | VisualDepthMask,
  213853. &desiredVisual, &numVisuals);
  213854. if (numVisuals < 1 || visuals == 0)
  213855. {
  213856. Logger::outputDebugString ("ERROR: System doesn't support 24 or 16 bit RGB display.\n");
  213857. Process::terminate();
  213858. }
  213859. depthIs16Bit = true;
  213860. }
  213861. XFree (visuals);
  213862. // Set up the window attributes
  213863. XSetWindowAttributes swa;
  213864. swa.border_pixel = 0;
  213865. swa.background_pixmap = None;
  213866. swa.colormap = DefaultColormap (display, screen);
  213867. swa.override_redirect = getComponent()->isAlwaysOnTop() ? True : False;
  213868. swa.event_mask = eventMask;
  213869. Window wndH = XCreateWindow (display, root,
  213870. 0, 0, 1, 1,
  213871. 0, 0, InputOutput, (Visual*) CopyFromParent,
  213872. CWBorderPixel | CWColormap | CWBackPixmap | CWEventMask | CWOverrideRedirect,
  213873. &swa);
  213874. XGrabButton (display, AnyButton, AnyModifier, wndH, False,
  213875. ButtonPressMask | ButtonReleaseMask | EnterWindowMask | LeaveWindowMask | PointerMotionMask,
  213876. GrabModeAsync, GrabModeAsync, None, None);
  213877. // Set the window context to identify the window handle object
  213878. if (XSaveContext (display, (XID) wndH, improbableNumber, (XPointer) this))
  213879. {
  213880. // Failed
  213881. jassertfalse
  213882. Logger::outputDebugString ("Failed to create context information for window.\n");
  213883. XDestroyWindow (display, wndH);
  213884. wndH = 0;
  213885. }
  213886. // Set window manager hints
  213887. XWMHints* wmHints = XAllocWMHints();
  213888. wmHints->flags = InputHint | StateHint;
  213889. wmHints->input = True; // Locally active input model
  213890. wmHints->initial_state = NormalState;
  213891. XSetWMHints (display, wndH, wmHints);
  213892. XFree (wmHints);
  213893. if ((styleFlags & windowIsSemiTransparent) != 0)
  213894. {
  213895. //xxx
  213896. }
  213897. if ((styleFlags & windowAppearsOnTaskbar) != 0)
  213898. {
  213899. //xxx
  213900. }
  213901. //XSetTransientForHint (display, wndH, RootWindow (display, DefaultScreen (display)));
  213902. if ((styleFlags & windowHasTitleBar) == 0)
  213903. removeWindowDecorations (wndH);
  213904. else
  213905. addWindowButtons (wndH);
  213906. // Set window manager protocols
  213907. XChangeProperty (display, wndH, wm_Protocols, XA_ATOM, 32, PropModeReplace,
  213908. (unsigned char*) wm_ProtocolList, 2);
  213909. // Set drag and drop flags
  213910. XChangeProperty (display, wndH, XA_XdndTypeList, XA_ATOM, 32, PropModeReplace,
  213911. (const unsigned char*) allowedMimeTypeAtoms, numElementsInArray (allowedMimeTypeAtoms));
  213912. XChangeProperty (display, wndH, XA_XdndActionList, XA_ATOM, 32, PropModeReplace,
  213913. (const unsigned char*) allowedActions, numElementsInArray (allowedActions));
  213914. XChangeProperty (display, wndH, XA_XdndActionDescription, XA_STRING, 8, PropModeReplace,
  213915. (const unsigned char*) "", 0);
  213916. unsigned long dndVersion = ourDndVersion;
  213917. XChangeProperty (display, wndH, XA_XdndAware, XA_ATOM, 32, PropModeReplace,
  213918. (const unsigned char*) &dndVersion, 1);
  213919. // Set window name
  213920. setWindowTitle (wndH, getComponent()->getName());
  213921. // Initialise the pointer and keyboard mapping
  213922. // This is not the same as the logical pointer mapping the X server uses:
  213923. // we don't mess with this.
  213924. static bool mappingInitialised = false;
  213925. if (! mappingInitialised)
  213926. {
  213927. mappingInitialised = true;
  213928. const int numButtons = XGetPointerMapping (display, 0, 0);
  213929. if (numButtons == 2)
  213930. {
  213931. pointerMap[0] = LeftButton;
  213932. pointerMap[1] = RightButton;
  213933. pointerMap[2] = pointerMap[3] = pointerMap[4] = NoButton;
  213934. }
  213935. else if (numButtons >= 3)
  213936. {
  213937. pointerMap[0] = LeftButton;
  213938. pointerMap[1] = MiddleButton;
  213939. pointerMap[2] = RightButton;
  213940. if (numButtons >= 5)
  213941. {
  213942. pointerMap[3] = WheelUp;
  213943. pointerMap[4] = WheelDown;
  213944. }
  213945. }
  213946. getModifierMapping();
  213947. }
  213948. windowH = wndH;
  213949. }
  213950. void destroyWindow()
  213951. {
  213952. XPointer handlePointer;
  213953. if (! XFindContext (display, (XID) windowH, improbableNumber, &handlePointer))
  213954. XDeleteContext (display, (XID) windowH, improbableNumber);
  213955. XDestroyWindow (display, windowH);
  213956. // Wait for it to complete and then remove any events for this
  213957. // window from the event queue.
  213958. XSync (display, false);
  213959. XEvent event;
  213960. while (XCheckWindowEvent (display, windowH, eventMask, &event) == True)
  213961. {}
  213962. }
  213963. static int64 getEventTime (::Time t) throw()
  213964. {
  213965. static int64 eventTimeOffset = 0x12345678;
  213966. const int64 thisMessageTime = t;
  213967. if (eventTimeOffset == 0x12345678)
  213968. eventTimeOffset = Time::currentTimeMillis() - thisMessageTime;
  213969. return eventTimeOffset + thisMessageTime;
  213970. }
  213971. static void setWindowTitle (Window xwin, const char* const title) throw()
  213972. {
  213973. XTextProperty nameProperty;
  213974. char* strings[] = { (char*) title };
  213975. if (XStringListToTextProperty (strings, 1, &nameProperty))
  213976. {
  213977. XSetWMName (display, xwin, &nameProperty);
  213978. XSetWMIconName (display, xwin, &nameProperty);
  213979. XFree (nameProperty.value);
  213980. }
  213981. }
  213982. void updateBorderSize()
  213983. {
  213984. if ((styleFlags & windowHasTitleBar) == 0)
  213985. {
  213986. windowBorder = BorderSize (0);
  213987. }
  213988. else if (windowBorder.getTopAndBottom() == 0 && windowBorder.getLeftAndRight() == 0)
  213989. {
  213990. Atom hints = XInternAtom (display, "_NET_FRAME_EXTENTS", True);
  213991. if (hints != None)
  213992. {
  213993. unsigned char* data = 0;
  213994. unsigned long nitems, bytesLeft;
  213995. Atom actualType;
  213996. int actualFormat;
  213997. if (XGetWindowProperty (display, windowH, hints, 0, 4, False,
  213998. XA_CARDINAL, &actualType, &actualFormat, &nitems, &bytesLeft,
  213999. &data) == Success)
  214000. {
  214001. const unsigned long* const sizes = (const unsigned long*) data;
  214002. if (actualFormat == 32)
  214003. windowBorder = BorderSize ((int) sizes[2], (int) sizes[0],
  214004. (int) sizes[3], (int) sizes[1]);
  214005. XFree (data);
  214006. }
  214007. }
  214008. }
  214009. }
  214010. void updateBounds()
  214011. {
  214012. jassert (windowH != 0);
  214013. if (windowH != 0)
  214014. {
  214015. Window root, child;
  214016. unsigned int bw, depth;
  214017. if (! XGetGeometry (display, (::Drawable) windowH, &root,
  214018. &wx, &wy, (unsigned int*) &ww, (unsigned int*) &wh,
  214019. &bw, &depth))
  214020. {
  214021. wx = wy = ww = wh = 0;
  214022. }
  214023. else if (! XTranslateCoordinates (display, windowH, root, 0, 0, &wx, &wy, &child))
  214024. {
  214025. wx = wy = 0;
  214026. }
  214027. }
  214028. }
  214029. void resetDragAndDrop()
  214030. {
  214031. dragAndDropFiles.clear();
  214032. lastDropX = lastDropY = -1;
  214033. dragAndDropCurrentMimeType = 0;
  214034. dragAndDropSourceWindow = 0;
  214035. srcMimeTypeAtomList.clear();
  214036. }
  214037. void sendDragAndDropMessage (XClientMessageEvent& msg)
  214038. {
  214039. msg.type = ClientMessage;
  214040. msg.display = display;
  214041. msg.window = dragAndDropSourceWindow;
  214042. msg.format = 32;
  214043. msg.data.l[0] = windowH;
  214044. XSendEvent (display, dragAndDropSourceWindow, False, 0, (XEvent*) &msg);
  214045. }
  214046. void sendDragAndDropStatus (const bool acceptDrop, Atom dropAction)
  214047. {
  214048. XClientMessageEvent msg;
  214049. zerostruct (msg);
  214050. msg.message_type = XA_XdndStatus;
  214051. msg.data.l[1] = (acceptDrop ? 1 : 0) | 2; // 2 indicates that we want to receive position messages
  214052. msg.data.l[4] = dropAction;
  214053. sendDragAndDropMessage (msg);
  214054. }
  214055. void sendDragAndDropLeave()
  214056. {
  214057. XClientMessageEvent msg;
  214058. zerostruct (msg);
  214059. msg.message_type = XA_XdndLeave;
  214060. sendDragAndDropMessage (msg);
  214061. }
  214062. void sendDragAndDropFinish()
  214063. {
  214064. XClientMessageEvent msg;
  214065. zerostruct (msg);
  214066. msg.message_type = XA_XdndFinished;
  214067. sendDragAndDropMessage (msg);
  214068. }
  214069. void handleDragAndDropStatus (const XClientMessageEvent* const clientMsg)
  214070. {
  214071. if ((clientMsg->data.l[1] & 1) == 0)
  214072. {
  214073. sendDragAndDropLeave();
  214074. if (dragAndDropFiles.size() > 0)
  214075. handleFileDragExit (dragAndDropFiles);
  214076. dragAndDropFiles.clear();
  214077. }
  214078. }
  214079. void handleDragAndDropPosition (const XClientMessageEvent* const clientMsg)
  214080. {
  214081. if (dragAndDropSourceWindow == 0)
  214082. return;
  214083. dragAndDropSourceWindow = clientMsg->data.l[0];
  214084. const int dropX = ((int) clientMsg->data.l[2] >> 16) - getScreenX();
  214085. const int dropY = ((int) clientMsg->data.l[2] & 0xffff) - getScreenY();
  214086. if (lastDropX != dropX || lastDropY != dropY)
  214087. {
  214088. lastDropX = dropX;
  214089. lastDropY = dropY;
  214090. dragAndDropTimestamp = clientMsg->data.l[3];
  214091. Atom targetAction = XA_XdndActionCopy;
  214092. for (int i = numElementsInArray (allowedActions); --i >= 0;)
  214093. {
  214094. if ((Atom) clientMsg->data.l[4] == allowedActions[i])
  214095. {
  214096. targetAction = allowedActions[i];
  214097. break;
  214098. }
  214099. }
  214100. sendDragAndDropStatus (true, targetAction);
  214101. if (dragAndDropFiles.size() == 0)
  214102. updateDraggedFileList (clientMsg);
  214103. if (dragAndDropFiles.size() > 0)
  214104. handleFileDragMove (dragAndDropFiles, dropX, dropY);
  214105. }
  214106. }
  214107. void handleDragAndDropDrop (const XClientMessageEvent* const clientMsg)
  214108. {
  214109. if (dragAndDropFiles.size() == 0)
  214110. updateDraggedFileList (clientMsg);
  214111. const StringArray files (dragAndDropFiles);
  214112. const int lastX = lastDropX, lastY = lastDropY;
  214113. sendDragAndDropFinish();
  214114. resetDragAndDrop();
  214115. if (files.size() > 0)
  214116. handleFileDragDrop (files, lastX, lastY);
  214117. }
  214118. void handleDragAndDropEnter (const XClientMessageEvent* const clientMsg)
  214119. {
  214120. dragAndDropFiles.clear();
  214121. srcMimeTypeAtomList.clear();
  214122. dragAndDropCurrentMimeType = 0;
  214123. const int dndCurrentVersion = (int) (clientMsg->data.l[1] & 0xff000000) >> 24;
  214124. if (dndCurrentVersion < 3 || dndCurrentVersion > ourDndVersion)
  214125. {
  214126. dragAndDropSourceWindow = 0;
  214127. return;
  214128. }
  214129. dragAndDropSourceWindow = clientMsg->data.l[0];
  214130. if ((clientMsg->data.l[1] & 1) != 0)
  214131. {
  214132. Atom actual;
  214133. int format;
  214134. unsigned long count = 0, remaining = 0;
  214135. unsigned char* data = 0;
  214136. XGetWindowProperty (display, dragAndDropSourceWindow, XA_XdndTypeList,
  214137. 0, 0x8000000L, False, XA_ATOM, &actual, &format,
  214138. &count, &remaining, &data);
  214139. if (data != 0)
  214140. {
  214141. if (actual == XA_ATOM && format == 32 && count != 0)
  214142. {
  214143. const unsigned long* const types = (const unsigned long*) data;
  214144. for (unsigned int i = 0; i < count; ++i)
  214145. if (types[i] != None)
  214146. srcMimeTypeAtomList.add (types[i]);
  214147. }
  214148. XFree (data);
  214149. }
  214150. }
  214151. if (srcMimeTypeAtomList.size() == 0)
  214152. {
  214153. for (int i = 2; i < 5; ++i)
  214154. if (clientMsg->data.l[i] != None)
  214155. srcMimeTypeAtomList.add (clientMsg->data.l[i]);
  214156. if (srcMimeTypeAtomList.size() == 0)
  214157. {
  214158. dragAndDropSourceWindow = 0;
  214159. return;
  214160. }
  214161. }
  214162. for (int i = 0; i < srcMimeTypeAtomList.size() && dragAndDropCurrentMimeType == 0; ++i)
  214163. for (int j = 0; j < numElementsInArray (allowedMimeTypeAtoms); ++j)
  214164. if (srcMimeTypeAtomList[i] == allowedMimeTypeAtoms[j])
  214165. dragAndDropCurrentMimeType = allowedMimeTypeAtoms[j];
  214166. handleDragAndDropPosition (clientMsg);
  214167. }
  214168. void handleDragAndDropSelection (const XEvent* const evt)
  214169. {
  214170. dragAndDropFiles.clear();
  214171. if (evt->xselection.property != 0)
  214172. {
  214173. StringArray lines;
  214174. {
  214175. MemoryBlock dropData;
  214176. for (;;)
  214177. {
  214178. Atom actual;
  214179. uint8* data = 0;
  214180. unsigned long count = 0, remaining = 0;
  214181. int format = 0;
  214182. if (XGetWindowProperty (display, evt->xany.window, evt->xselection.property,
  214183. dropData.getSize() / 4, 65536, 1, AnyPropertyType, &actual,
  214184. &format, &count, &remaining, &data) == Success)
  214185. {
  214186. dropData.append (data, count * format / 8);
  214187. XFree (data);
  214188. if (remaining == 0)
  214189. break;
  214190. }
  214191. else
  214192. {
  214193. XFree (data);
  214194. break;
  214195. }
  214196. }
  214197. lines.addLines (dropData.toString());
  214198. }
  214199. for (int i = 0; i < lines.size(); ++i)
  214200. dragAndDropFiles.add (URL::removeEscapeChars (lines[i].fromFirstOccurrenceOf (T("file://"), false, true)));
  214201. dragAndDropFiles.trim();
  214202. dragAndDropFiles.removeEmptyStrings();
  214203. }
  214204. }
  214205. void updateDraggedFileList (const XClientMessageEvent* const clientMsg)
  214206. {
  214207. dragAndDropFiles.clear();
  214208. if (dragAndDropSourceWindow != None
  214209. && dragAndDropCurrentMimeType != 0)
  214210. {
  214211. dragAndDropTimestamp = clientMsg->data.l[2];
  214212. XConvertSelection (display,
  214213. XA_XdndSelection,
  214214. dragAndDropCurrentMimeType,
  214215. XA_JXSelectionWindowProperty,
  214216. windowH,
  214217. dragAndDropTimestamp);
  214218. }
  214219. }
  214220. StringArray dragAndDropFiles;
  214221. int dragAndDropTimestamp, lastDropX, lastDropY;
  214222. Atom XA_OtherMime, dragAndDropCurrentMimeType;
  214223. Window dragAndDropSourceWindow;
  214224. unsigned long allowedActions [5];
  214225. unsigned long allowedMimeTypeAtoms [3];
  214226. Array <Atom> srcMimeTypeAtomList;
  214227. };
  214228. ComponentPeer* Component::createNewPeer (int styleFlags, void* /*nativeWindowToAttachTo*/)
  214229. {
  214230. return new LinuxComponentPeer (this, styleFlags);
  214231. }
  214232. // (this callback is hooked up in the messaging code)
  214233. void juce_windowMessageReceive (XEvent* event)
  214234. {
  214235. if (event->xany.window != None)
  214236. {
  214237. LinuxComponentPeer* const peer = LinuxComponentPeer::getPeerFor (event->xany.window);
  214238. const MessageManagerLock messLock;
  214239. if (ComponentPeer::isValidPeer (peer))
  214240. peer->handleWindowMessage (event);
  214241. }
  214242. else
  214243. {
  214244. switch (event->xany.type)
  214245. {
  214246. case KeymapNotify:
  214247. {
  214248. const XKeymapEvent* const keymapEvent = (const XKeymapEvent*) &event->xkeymap;
  214249. memcpy (keyStates, keymapEvent->key_vector, 32);
  214250. break;
  214251. }
  214252. default:
  214253. break;
  214254. }
  214255. }
  214256. }
  214257. void juce_updateMultiMonitorInfo (Array <Rectangle>& monitorCoords, const bool /*clipToWorkArea*/) throw()
  214258. {
  214259. #if JUCE_USE_XINERAMA
  214260. int major_opcode, first_event, first_error;
  214261. if (XQueryExtension (display, "XINERAMA", &major_opcode, &first_event, &first_error)
  214262. && XineramaIsActive (display))
  214263. {
  214264. int numMonitors = 0;
  214265. XineramaScreenInfo* const screens = XineramaQueryScreens (display, &numMonitors);
  214266. if (screens != 0)
  214267. {
  214268. for (int i = numMonitors; --i >= 0;)
  214269. {
  214270. int index = screens[i].screen_number;
  214271. if (index >= 0)
  214272. {
  214273. while (monitorCoords.size() < index)
  214274. monitorCoords.add (Rectangle (0, 0, 0, 0));
  214275. monitorCoords.set (index, Rectangle (screens[i].x_org,
  214276. screens[i].y_org,
  214277. screens[i].width,
  214278. screens[i].height));
  214279. }
  214280. }
  214281. XFree (screens);
  214282. }
  214283. }
  214284. if (monitorCoords.size() == 0)
  214285. #endif
  214286. {
  214287. Atom hints = XInternAtom (display, "_NET_WORKAREA", True);
  214288. if (hints != None)
  214289. {
  214290. const int numMonitors = ScreenCount (display);
  214291. for (int i = 0; i < numMonitors; ++i)
  214292. {
  214293. Window root = RootWindow (display, i);
  214294. unsigned long nitems, bytesLeft;
  214295. Atom actualType;
  214296. int actualFormat;
  214297. unsigned char* data = 0;
  214298. if (XGetWindowProperty (display, root, hints, 0, 4, False,
  214299. XA_CARDINAL, &actualType, &actualFormat, &nitems, &bytesLeft,
  214300. &data) == Success)
  214301. {
  214302. const long* const position = (const long*) data;
  214303. if (actualType == XA_CARDINAL && actualFormat == 32 && nitems == 4)
  214304. monitorCoords.add (Rectangle (position[0], position[1],
  214305. position[2], position[3]));
  214306. XFree (data);
  214307. }
  214308. }
  214309. }
  214310. if (monitorCoords.size() == 0)
  214311. {
  214312. monitorCoords.add (Rectangle (0, 0,
  214313. DisplayWidth (display, DefaultScreen (display)),
  214314. DisplayHeight (display, DefaultScreen (display))));
  214315. }
  214316. }
  214317. }
  214318. bool Desktop::canUseSemiTransparentWindows() throw()
  214319. {
  214320. return false;
  214321. }
  214322. void Desktop::getMousePosition (int& x, int& y) throw()
  214323. {
  214324. int mouseMods;
  214325. getMousePos (x, y, mouseMods);
  214326. }
  214327. void Desktop::setMousePosition (int x, int y) throw()
  214328. {
  214329. Window root = RootWindow (display, DefaultScreen (display));
  214330. XWarpPointer (display, None, root, 0, 0, 0, 0, x, y);
  214331. }
  214332. static bool screenSaverAllowed = true;
  214333. void Desktop::setScreenSaverEnabled (const bool isEnabled) throw()
  214334. {
  214335. if (screenSaverAllowed != isEnabled)
  214336. {
  214337. screenSaverAllowed = isEnabled;
  214338. typedef void (*tXScreenSaverSuspend) (Display*, Bool);
  214339. static tXScreenSaverSuspend xScreenSaverSuspend = 0;
  214340. if (xScreenSaverSuspend == 0)
  214341. {
  214342. void* h = dlopen ("libXss.so", RTLD_GLOBAL | RTLD_NOW);
  214343. if (h != 0)
  214344. xScreenSaverSuspend = (tXScreenSaverSuspend) dlsym (h, "XScreenSaverSuspend");
  214345. }
  214346. if (xScreenSaverSuspend != 0)
  214347. xScreenSaverSuspend (display, ! isEnabled);
  214348. }
  214349. }
  214350. bool Desktop::isScreenSaverEnabled() throw()
  214351. {
  214352. return screenSaverAllowed;
  214353. }
  214354. void* juce_createMouseCursorFromImage (const Image& image, int hotspotX, int hotspotY) throw()
  214355. {
  214356. Window root = RootWindow (display, DefaultScreen (display));
  214357. const unsigned int imageW = image.getWidth();
  214358. const unsigned int imageH = image.getHeight();
  214359. unsigned int cursorW, cursorH;
  214360. if (! XQueryBestCursor (display, root, imageW, imageH, &cursorW, &cursorH))
  214361. return 0;
  214362. Image im (Image::ARGB, cursorW, cursorH, true);
  214363. Graphics g (im);
  214364. if (imageW > cursorW || imageH > cursorH)
  214365. {
  214366. hotspotX = (hotspotX * cursorW) / imageW;
  214367. hotspotY = (hotspotY * cursorH) / imageH;
  214368. g.drawImageWithin (&image, 0, 0, imageW, imageH,
  214369. RectanglePlacement::xLeft | RectanglePlacement::yTop | RectanglePlacement::onlyReduceInSize,
  214370. false);
  214371. }
  214372. else
  214373. {
  214374. g.drawImageAt (&image, 0, 0);
  214375. }
  214376. const int stride = (cursorW + 7) >> 3;
  214377. uint8* const maskPlane = (uint8*) juce_calloc (stride * cursorH);
  214378. uint8* const sourcePlane = (uint8*) juce_calloc (stride * cursorH);
  214379. bool msbfirst = (BitmapBitOrder (display) == MSBFirst);
  214380. for (int y = cursorH; --y >= 0;)
  214381. {
  214382. for (int x = cursorW; --x >= 0;)
  214383. {
  214384. const uint8 mask = (uint8) (1 << (msbfirst ? (7 - (x & 7)) : (x & 7)));
  214385. const int offset = y * stride + (x >> 3);
  214386. const Colour c (im.getPixelAt (x, y));
  214387. if (c.getAlpha() >= 128)
  214388. maskPlane[offset] |= mask;
  214389. if (c.getBrightness() >= 0.5f)
  214390. sourcePlane[offset] |= mask;
  214391. }
  214392. }
  214393. Pixmap sourcePixmap = XCreatePixmapFromBitmapData (display, root, (char*) sourcePlane, cursorW, cursorH, 0xffff, 0, 1);
  214394. Pixmap maskPixmap = XCreatePixmapFromBitmapData (display, root, (char*) maskPlane, cursorW, cursorH, 0xffff, 0, 1);
  214395. juce_free (maskPlane);
  214396. juce_free (sourcePlane);
  214397. XColor white, black;
  214398. black.red = black.green = black.blue = 0;
  214399. white.red = white.green = white.blue = 0xffff;
  214400. void* result = (void*) XCreatePixmapCursor (display, sourcePixmap, maskPixmap, &white, &black, hotspotX, hotspotY);
  214401. XFreePixmap (display, sourcePixmap);
  214402. XFreePixmap (display, maskPixmap);
  214403. return result;
  214404. }
  214405. void juce_deleteMouseCursor (void* const cursorHandle, const bool) throw()
  214406. {
  214407. if (cursorHandle != None)
  214408. XFreeCursor (display, (Cursor) cursorHandle);
  214409. }
  214410. void* juce_createStandardMouseCursor (MouseCursor::StandardCursorType type) throw()
  214411. {
  214412. unsigned int shape;
  214413. switch (type)
  214414. {
  214415. case MouseCursor::NoCursor:
  214416. {
  214417. const Image im (Image::ARGB, 16, 16, true);
  214418. return juce_createMouseCursorFromImage (im, 0, 0);
  214419. }
  214420. case MouseCursor::NormalCursor:
  214421. return (void*) None; // Use parent cursor
  214422. case MouseCursor::DraggingHandCursor:
  214423. {
  214424. static unsigned char dragHandData[] = {71,73,70,56,57,97,16,0,16,0,145,2,0,0,0,0,255,255,255,0,
  214425. 0,0,0,0,0,33,249,4,1,0,0,2,0,44,0,0,0,0,16,0,
  214426. 16,0,0,2,52,148,47,0,200,185,16,130,90,12,74,139,107,84,123,39,
  214427. 132,117,151,116,132,146,248,60,209,138,98,22,203,114,34,236,37,52,77,217,
  214428. 247,154,191,119,110,240,193,128,193,95,163,56,60,234,98,135,2,0,59 };
  214429. const int dragHandDataSize = 99;
  214430. Image* const im = ImageFileFormat::loadFrom ((const char*) dragHandData, dragHandDataSize);
  214431. void* const dragHandCursor = juce_createMouseCursorFromImage (*im, 8, 7);
  214432. delete im;
  214433. return dragHandCursor;
  214434. }
  214435. case MouseCursor::CopyingCursor:
  214436. {
  214437. static unsigned char copyCursorData[] = {71,73,70,56,57,97,21,0,21,0,145,0,0,0,0,0,255,255,255,0,
  214438. 128,128,255,255,255,33,249,4,1,0,0,3,0,44,0,0,0,0,21,0,
  214439. 21,0,0,2,72,4,134,169,171,16,199,98,11,79,90,71,161,93,56,111,
  214440. 78,133,218,215,137,31,82,154,100,200,86,91,202,142,12,108,212,87,235,174,
  214441. 15,54,214,126,237,226,37,96,59,141,16,37,18,201,142,157,230,204,51,112,
  214442. 252,114,147,74,83,5,50,68,147,208,217,16,71,149,252,124,5,0,59,0,0 };
  214443. const int copyCursorSize = 119;
  214444. Image* const im = ImageFileFormat::loadFrom ((const char*) copyCursorData, copyCursorSize);
  214445. void* const copyCursor = juce_createMouseCursorFromImage (*im, 1, 3);
  214446. delete im;
  214447. return copyCursor;
  214448. }
  214449. case MouseCursor::WaitCursor:
  214450. shape = XC_watch;
  214451. break;
  214452. case MouseCursor::IBeamCursor:
  214453. shape = XC_xterm;
  214454. break;
  214455. case MouseCursor::PointingHandCursor:
  214456. shape = XC_hand2;
  214457. break;
  214458. case MouseCursor::LeftRightResizeCursor:
  214459. shape = XC_sb_h_double_arrow;
  214460. break;
  214461. case MouseCursor::UpDownResizeCursor:
  214462. shape = XC_sb_v_double_arrow;
  214463. break;
  214464. case MouseCursor::UpDownLeftRightResizeCursor:
  214465. shape = XC_fleur;
  214466. break;
  214467. case MouseCursor::TopEdgeResizeCursor:
  214468. shape = XC_top_side;
  214469. break;
  214470. case MouseCursor::BottomEdgeResizeCursor:
  214471. shape = XC_bottom_side;
  214472. break;
  214473. case MouseCursor::LeftEdgeResizeCursor:
  214474. shape = XC_left_side;
  214475. break;
  214476. case MouseCursor::RightEdgeResizeCursor:
  214477. shape = XC_right_side;
  214478. break;
  214479. case MouseCursor::TopLeftCornerResizeCursor:
  214480. shape = XC_top_left_corner;
  214481. break;
  214482. case MouseCursor::TopRightCornerResizeCursor:
  214483. shape = XC_top_right_corner;
  214484. break;
  214485. case MouseCursor::BottomLeftCornerResizeCursor:
  214486. shape = XC_bottom_left_corner;
  214487. break;
  214488. case MouseCursor::BottomRightCornerResizeCursor:
  214489. shape = XC_bottom_right_corner;
  214490. break;
  214491. case MouseCursor::CrosshairCursor:
  214492. shape = XC_crosshair;
  214493. break;
  214494. default:
  214495. return (void*) None; // Use parent cursor
  214496. }
  214497. return (void*) XCreateFontCursor (display, shape);
  214498. }
  214499. void MouseCursor::showInWindow (ComponentPeer* peer) const throw()
  214500. {
  214501. LinuxComponentPeer* const lp = dynamic_cast <LinuxComponentPeer*> (peer);
  214502. if (lp != 0)
  214503. lp->showMouseCursor ((Cursor) getHandle());
  214504. }
  214505. void MouseCursor::showInAllWindows() const throw()
  214506. {
  214507. for (int i = ComponentPeer::getNumPeers(); --i >= 0;)
  214508. showInWindow (ComponentPeer::getPeer (i));
  214509. }
  214510. Image* juce_createIconForFile (const File& file)
  214511. {
  214512. return 0;
  214513. }
  214514. #if JUCE_OPENGL
  214515. class WindowedGLContext : public OpenGLContext
  214516. {
  214517. public:
  214518. WindowedGLContext (Component* const component,
  214519. const OpenGLPixelFormat& pixelFormat_,
  214520. GLXContext sharedContext)
  214521. : renderContext (0),
  214522. embeddedWindow (0),
  214523. pixelFormat (pixelFormat_)
  214524. {
  214525. jassert (component != 0);
  214526. LinuxComponentPeer* const peer = dynamic_cast <LinuxComponentPeer*> (component->getTopLevelComponent()->getPeer());
  214527. if (peer == 0)
  214528. return;
  214529. XSync (display, False);
  214530. GLint attribs [64];
  214531. int n = 0;
  214532. attribs[n++] = GLX_RGBA;
  214533. attribs[n++] = GLX_DOUBLEBUFFER;
  214534. attribs[n++] = GLX_RED_SIZE;
  214535. attribs[n++] = pixelFormat.redBits;
  214536. attribs[n++] = GLX_GREEN_SIZE;
  214537. attribs[n++] = pixelFormat.greenBits;
  214538. attribs[n++] = GLX_BLUE_SIZE;
  214539. attribs[n++] = pixelFormat.blueBits;
  214540. attribs[n++] = GLX_ALPHA_SIZE;
  214541. attribs[n++] = pixelFormat.alphaBits;
  214542. attribs[n++] = GLX_DEPTH_SIZE;
  214543. attribs[n++] = pixelFormat.depthBufferBits;
  214544. attribs[n++] = GLX_STENCIL_SIZE;
  214545. attribs[n++] = pixelFormat.stencilBufferBits;
  214546. attribs[n++] = GLX_ACCUM_RED_SIZE;
  214547. attribs[n++] = pixelFormat.accumulationBufferRedBits;
  214548. attribs[n++] = GLX_ACCUM_GREEN_SIZE;
  214549. attribs[n++] = pixelFormat.accumulationBufferGreenBits;
  214550. attribs[n++] = GLX_ACCUM_BLUE_SIZE;
  214551. attribs[n++] = pixelFormat.accumulationBufferBlueBits;
  214552. attribs[n++] = GLX_ACCUM_ALPHA_SIZE;
  214553. attribs[n++] = pixelFormat.accumulationBufferAlphaBits;
  214554. // xxx not sure how to do fullSceneAntiAliasingNumSamples on linux..
  214555. attribs[n++] = None;
  214556. XVisualInfo* const bestVisual = glXChooseVisual (display, DefaultScreen (display), attribs);
  214557. if (bestVisual == 0)
  214558. return;
  214559. renderContext = glXCreateContext (display, bestVisual, sharedContext, GL_TRUE);
  214560. Window windowH = (Window) peer->getNativeHandle();
  214561. Colormap colourMap = XCreateColormap (display, windowH, bestVisual->visual, AllocNone);
  214562. XSetWindowAttributes swa;
  214563. swa.colormap = colourMap;
  214564. swa.border_pixel = 0;
  214565. swa.event_mask = ExposureMask | StructureNotifyMask;
  214566. embeddedWindow = XCreateWindow (display, windowH,
  214567. 0, 0, 1, 1, 0,
  214568. bestVisual->depth,
  214569. InputOutput,
  214570. bestVisual->visual,
  214571. CWBorderPixel | CWColormap | CWEventMask,
  214572. &swa);
  214573. XSaveContext (display, (XID) embeddedWindow, improbableNumber, (XPointer) peer);
  214574. XMapWindow (display, embeddedWindow);
  214575. XFreeColormap (display, colourMap);
  214576. XFree (bestVisual);
  214577. XSync (display, False);
  214578. }
  214579. ~WindowedGLContext()
  214580. {
  214581. makeInactive();
  214582. glXDestroyContext (display, renderContext);
  214583. XUnmapWindow (display, embeddedWindow);
  214584. XDestroyWindow (display, embeddedWindow);
  214585. }
  214586. bool makeActive() const throw()
  214587. {
  214588. jassert (renderContext != 0);
  214589. return glXMakeCurrent (display, embeddedWindow, renderContext)
  214590. && XSync (display, False);
  214591. }
  214592. bool makeInactive() const throw()
  214593. {
  214594. return (! isActive()) || glXMakeCurrent (display, None, 0);
  214595. }
  214596. bool isActive() const throw()
  214597. {
  214598. return glXGetCurrentContext() == renderContext;
  214599. }
  214600. const OpenGLPixelFormat getPixelFormat() const
  214601. {
  214602. return pixelFormat;
  214603. }
  214604. void* getRawContext() const throw()
  214605. {
  214606. return renderContext;
  214607. }
  214608. void updateWindowPosition (int x, int y, int w, int h, int)
  214609. {
  214610. XMoveResizeWindow (display, embeddedWindow,
  214611. x, y, jmax (1, w), jmax (1, h));
  214612. }
  214613. void swapBuffers()
  214614. {
  214615. glXSwapBuffers (display, embeddedWindow);
  214616. }
  214617. bool setSwapInterval (const int numFramesPerSwap)
  214618. {
  214619. // xxx needs doing..
  214620. return false;
  214621. }
  214622. int getSwapInterval() const
  214623. {
  214624. // xxx needs doing..
  214625. return 0;
  214626. }
  214627. void repaint()
  214628. {
  214629. }
  214630. juce_UseDebuggingNewOperator
  214631. GLXContext renderContext;
  214632. private:
  214633. Window embeddedWindow;
  214634. OpenGLPixelFormat pixelFormat;
  214635. WindowedGLContext (const WindowedGLContext&);
  214636. const WindowedGLContext& operator= (const WindowedGLContext&);
  214637. };
  214638. OpenGLContext* OpenGLContext::createContextForWindow (Component* const component,
  214639. const OpenGLPixelFormat& pixelFormat,
  214640. const OpenGLContext* const contextToShareWith)
  214641. {
  214642. WindowedGLContext* c = new WindowedGLContext (component, pixelFormat,
  214643. contextToShareWith != 0 ? (GLXContext) contextToShareWith->getRawContext() : 0);
  214644. if (c->renderContext == 0)
  214645. deleteAndZero (c);
  214646. return c;
  214647. }
  214648. void juce_glViewport (const int w, const int h)
  214649. {
  214650. glViewport (0, 0, w, h);
  214651. }
  214652. void OpenGLPixelFormat::getAvailablePixelFormats (Component* component,
  214653. OwnedArray <OpenGLPixelFormat>& results)
  214654. {
  214655. results.add (new OpenGLPixelFormat()); // xxx
  214656. }
  214657. #endif
  214658. static void initClipboard (Window root, Atom* cutBuffers) throw()
  214659. {
  214660. static bool init = false;
  214661. if (! init)
  214662. {
  214663. init = true;
  214664. // Make sure all cut buffers exist before use
  214665. for (int i = 0; i < 8; i++)
  214666. {
  214667. XChangeProperty (display, root, cutBuffers[i],
  214668. XA_STRING, 8, PropModeAppend, NULL, 0);
  214669. }
  214670. }
  214671. }
  214672. // Clipboard implemented currently using cut buffers
  214673. // rather than the more powerful selection method
  214674. void SystemClipboard::copyTextToClipboard (const String& clipText) throw()
  214675. {
  214676. Window root = RootWindow (display, DefaultScreen (display));
  214677. Atom cutBuffers[8] = { XA_CUT_BUFFER0, XA_CUT_BUFFER1, XA_CUT_BUFFER2, XA_CUT_BUFFER3,
  214678. XA_CUT_BUFFER4, XA_CUT_BUFFER5, XA_CUT_BUFFER6, XA_CUT_BUFFER7 };
  214679. initClipboard (root, cutBuffers);
  214680. XRotateWindowProperties (display, root, cutBuffers, 8, 1);
  214681. XChangeProperty (display, root, cutBuffers[0],
  214682. XA_STRING, 8, PropModeReplace, (const unsigned char*) (const char*) clipText,
  214683. clipText.length());
  214684. }
  214685. const String SystemClipboard::getTextFromClipboard() throw()
  214686. {
  214687. const int bufSize = 64; // in words
  214688. String returnData;
  214689. int byteOffset = 0;
  214690. Window root = RootWindow (display, DefaultScreen (display));
  214691. Atom cutBuffers[8] = { XA_CUT_BUFFER0, XA_CUT_BUFFER1, XA_CUT_BUFFER2, XA_CUT_BUFFER3,
  214692. XA_CUT_BUFFER4, XA_CUT_BUFFER5, XA_CUT_BUFFER6, XA_CUT_BUFFER7 };
  214693. initClipboard (root, cutBuffers);
  214694. for (;;)
  214695. {
  214696. unsigned long bytesLeft = 0, nitems = 0;
  214697. unsigned char* clipData = 0;
  214698. int actualFormat = 0;
  214699. Atom actualType;
  214700. if (XGetWindowProperty (display, root, cutBuffers[0], byteOffset >> 2, bufSize,
  214701. False, XA_STRING, &actualType, &actualFormat, &nitems, &bytesLeft,
  214702. &clipData) == Success)
  214703. {
  214704. if (actualType == XA_STRING && actualFormat == 8)
  214705. {
  214706. byteOffset += nitems;
  214707. returnData += String ((const char*) clipData, nitems);
  214708. }
  214709. else
  214710. {
  214711. bytesLeft = 0;
  214712. }
  214713. if (clipData != 0)
  214714. XFree (clipData);
  214715. }
  214716. if (bytesLeft == 0)
  214717. break;
  214718. }
  214719. return returnData;
  214720. }
  214721. bool DragAndDropContainer::performExternalDragDropOfFiles (const StringArray& files, const bool canMoveFiles)
  214722. {
  214723. jassertfalse // not implemented!
  214724. return false;
  214725. }
  214726. bool DragAndDropContainer::performExternalDragDropOfText (const String& text)
  214727. {
  214728. jassertfalse // not implemented!
  214729. return false;
  214730. }
  214731. void SystemTrayIconComponent::setIconImage (const Image& newImage)
  214732. {
  214733. if (! isOnDesktop ())
  214734. addToDesktop (0);
  214735. LinuxComponentPeer* const wp = dynamic_cast <LinuxComponentPeer*> (getPeer());
  214736. if (wp != 0)
  214737. {
  214738. wp->setTaskBarIcon (newImage);
  214739. setVisible (true);
  214740. toFront (false);
  214741. repaint();
  214742. }
  214743. }
  214744. void SystemTrayIconComponent::paint (Graphics& g)
  214745. {
  214746. LinuxComponentPeer* const wp = dynamic_cast <LinuxComponentPeer*> (getPeer());
  214747. if (wp != 0)
  214748. {
  214749. const Image* const image = wp->getTaskbarIcon();
  214750. if (image != 0)
  214751. g.drawImageAt (image, 0, 0, false);
  214752. }
  214753. }
  214754. void SystemTrayIconComponent::setIconTooltip (const String& tooltip)
  214755. {
  214756. // xxx not yet implemented!
  214757. }
  214758. void PlatformUtilities::beep()
  214759. {
  214760. fprintf (stdout, "\a");
  214761. fflush (stdout);
  214762. }
  214763. bool AlertWindow::showNativeDialogBox (const String& title,
  214764. const String& bodyText,
  214765. bool isOkCancel)
  214766. {
  214767. // xxx this is supposed to pop up an alert!
  214768. Logger::outputDebugString (title + ": " + bodyText);
  214769. // use a non-native one for the time being..
  214770. if (isOkCancel)
  214771. return AlertWindow::showOkCancelBox (AlertWindow::NoIcon, title, bodyText);
  214772. else
  214773. AlertWindow::showMessageBox (AlertWindow::NoIcon, title, bodyText);
  214774. return true;
  214775. }
  214776. const int KeyPress::spaceKey = XK_space & 0xff;
  214777. const int KeyPress::returnKey = XK_Return & 0xff;
  214778. const int KeyPress::escapeKey = XK_Escape & 0xff;
  214779. const int KeyPress::backspaceKey = XK_BackSpace & 0xff;
  214780. const int KeyPress::leftKey = (XK_Left & 0xff) | extendedKeyModifier;
  214781. const int KeyPress::rightKey = (XK_Right & 0xff) | extendedKeyModifier;
  214782. const int KeyPress::upKey = (XK_Up & 0xff) | extendedKeyModifier;
  214783. const int KeyPress::downKey = (XK_Down & 0xff) | extendedKeyModifier;
  214784. const int KeyPress::pageUpKey = (XK_Page_Up & 0xff) | extendedKeyModifier;
  214785. const int KeyPress::pageDownKey = (XK_Page_Down & 0xff) | extendedKeyModifier;
  214786. const int KeyPress::endKey = (XK_End & 0xff) | extendedKeyModifier;
  214787. const int KeyPress::homeKey = (XK_Home & 0xff) | extendedKeyModifier;
  214788. const int KeyPress::insertKey = (XK_Insert & 0xff) | extendedKeyModifier;
  214789. const int KeyPress::deleteKey = (XK_Delete & 0xff) | extendedKeyModifier;
  214790. const int KeyPress::tabKey = XK_Tab & 0xff;
  214791. const int KeyPress::F1Key = (XK_F1 & 0xff) | extendedKeyModifier;
  214792. const int KeyPress::F2Key = (XK_F2 & 0xff) | extendedKeyModifier;
  214793. const int KeyPress::F3Key = (XK_F3 & 0xff) | extendedKeyModifier;
  214794. const int KeyPress::F4Key = (XK_F4 & 0xff) | extendedKeyModifier;
  214795. const int KeyPress::F5Key = (XK_F5 & 0xff) | extendedKeyModifier;
  214796. const int KeyPress::F6Key = (XK_F6 & 0xff) | extendedKeyModifier;
  214797. const int KeyPress::F7Key = (XK_F7 & 0xff) | extendedKeyModifier;
  214798. const int KeyPress::F8Key = (XK_F8 & 0xff) | extendedKeyModifier;
  214799. const int KeyPress::F9Key = (XK_F9 & 0xff) | extendedKeyModifier;
  214800. const int KeyPress::F10Key = (XK_F10 & 0xff) | extendedKeyModifier;
  214801. const int KeyPress::F11Key = (XK_F11 & 0xff) | extendedKeyModifier;
  214802. const int KeyPress::F12Key = (XK_F12 & 0xff) | extendedKeyModifier;
  214803. const int KeyPress::F13Key = (XK_F13 & 0xff) | extendedKeyModifier;
  214804. const int KeyPress::F14Key = (XK_F14 & 0xff) | extendedKeyModifier;
  214805. const int KeyPress::F15Key = (XK_F15 & 0xff) | extendedKeyModifier;
  214806. const int KeyPress::F16Key = (XK_F16 & 0xff) | extendedKeyModifier;
  214807. const int KeyPress::numberPad0 = (XK_KP_0 & 0xff) | extendedKeyModifier;
  214808. const int KeyPress::numberPad1 = (XK_KP_1 & 0xff) | extendedKeyModifier;
  214809. const int KeyPress::numberPad2 = (XK_KP_2 & 0xff) | extendedKeyModifier;
  214810. const int KeyPress::numberPad3 = (XK_KP_3 & 0xff) | extendedKeyModifier;
  214811. const int KeyPress::numberPad4 = (XK_KP_4 & 0xff) | extendedKeyModifier;
  214812. const int KeyPress::numberPad5 = (XK_KP_5 & 0xff) | extendedKeyModifier;
  214813. const int KeyPress::numberPad6 = (XK_KP_6 & 0xff) | extendedKeyModifier;
  214814. const int KeyPress::numberPad7 = (XK_KP_7 & 0xff)| extendedKeyModifier;
  214815. const int KeyPress::numberPad8 = (XK_KP_8 & 0xff)| extendedKeyModifier;
  214816. const int KeyPress::numberPad9 = (XK_KP_9 & 0xff)| extendedKeyModifier;
  214817. const int KeyPress::numberPadAdd = (XK_KP_Add & 0xff)| extendedKeyModifier;
  214818. const int KeyPress::numberPadSubtract = (XK_KP_Subtract & 0xff)| extendedKeyModifier;
  214819. const int KeyPress::numberPadMultiply = (XK_KP_Multiply & 0xff)| extendedKeyModifier;
  214820. const int KeyPress::numberPadDivide = (XK_KP_Divide & 0xff)| extendedKeyModifier;
  214821. const int KeyPress::numberPadSeparator = (XK_KP_Separator & 0xff)| extendedKeyModifier;
  214822. const int KeyPress::numberPadDecimalPoint = (XK_KP_Decimal & 0xff)| extendedKeyModifier;
  214823. const int KeyPress::numberPadEquals = (XK_KP_Equal & 0xff)| extendedKeyModifier;
  214824. const int KeyPress::numberPadDelete = (XK_KP_Delete & 0xff)| extendedKeyModifier;
  214825. const int KeyPress::playKey = (0xffeeff00) | extendedKeyModifier;
  214826. const int KeyPress::stopKey = (0xffeeff01) | extendedKeyModifier;
  214827. const int KeyPress::fastForwardKey = (0xffeeff02) | extendedKeyModifier;
  214828. const int KeyPress::rewindKey = (0xffeeff03) | extendedKeyModifier;
  214829. END_JUCE_NAMESPACE
  214830. #endif
  214831. /********* End of inlined file: juce_linux_Windowing.cpp *********/
  214832. #endif
  214833. #endif
  214834. //==============================================================================
  214835. #if JUCE_MAC
  214836. /********* Start of inlined file: juce_mac_Files.cpp *********/
  214837. #include <ApplicationServices/ApplicationServices.h>
  214838. #include <sys/stat.h>
  214839. #include <sys/dir.h>
  214840. #include <sys/param.h>
  214841. #include <sys/mount.h>
  214842. #include <unistd.h>
  214843. #include <fnmatch.h>
  214844. #include <utime.h>
  214845. #include <pwd.h>
  214846. #include <fcntl.h>
  214847. BEGIN_JUCE_NAMESPACE
  214848. /*
  214849. Note that a lot of methods that you'd expect to find in this file actually
  214850. live in juce_posix_SharedCode.cpp!
  214851. */
  214852. /********* Start of inlined file: juce_posix_SharedCode.cpp *********/
  214853. /*
  214854. This file contains posix routines that are common to both the Linux and Mac builds.
  214855. It gets included directly in the cpp files for these platforms.
  214856. */
  214857. CriticalSection::CriticalSection() throw()
  214858. {
  214859. pthread_mutexattr_t atts;
  214860. pthread_mutexattr_init (&atts);
  214861. pthread_mutexattr_settype (&atts, PTHREAD_MUTEX_RECURSIVE);
  214862. pthread_mutex_init (&internal, &atts);
  214863. }
  214864. CriticalSection::~CriticalSection() throw()
  214865. {
  214866. pthread_mutex_destroy (&internal);
  214867. }
  214868. void CriticalSection::enter() const throw()
  214869. {
  214870. pthread_mutex_lock (&internal);
  214871. }
  214872. bool CriticalSection::tryEnter() const throw()
  214873. {
  214874. return pthread_mutex_trylock (&internal) == 0;
  214875. }
  214876. void CriticalSection::exit() const throw()
  214877. {
  214878. pthread_mutex_unlock (&internal);
  214879. }
  214880. struct EventStruct
  214881. {
  214882. pthread_cond_t condition;
  214883. pthread_mutex_t mutex;
  214884. bool triggered;
  214885. };
  214886. WaitableEvent::WaitableEvent() throw()
  214887. {
  214888. EventStruct* const es = new EventStruct();
  214889. es->triggered = false;
  214890. pthread_cond_init (&es->condition, 0);
  214891. pthread_mutex_init (&es->mutex, 0);
  214892. internal = es;
  214893. }
  214894. WaitableEvent::~WaitableEvent() throw()
  214895. {
  214896. EventStruct* const es = (EventStruct*) internal;
  214897. pthread_cond_destroy (&es->condition);
  214898. pthread_mutex_destroy (&es->mutex);
  214899. delete es;
  214900. }
  214901. bool WaitableEvent::wait (const int timeOutMillisecs) const throw()
  214902. {
  214903. EventStruct* const es = (EventStruct*) internal;
  214904. bool ok = true;
  214905. pthread_mutex_lock (&es->mutex);
  214906. if (timeOutMillisecs < 0)
  214907. {
  214908. while (! es->triggered)
  214909. pthread_cond_wait (&es->condition, &es->mutex);
  214910. }
  214911. else
  214912. {
  214913. while (! es->triggered)
  214914. {
  214915. struct timeval t;
  214916. gettimeofday (&t, 0);
  214917. struct timespec time;
  214918. time.tv_sec = t.tv_sec + (timeOutMillisecs / 1000);
  214919. time.tv_nsec = (t.tv_usec + ((timeOutMillisecs % 1000) * 1000)) * 1000;
  214920. if (time.tv_nsec >= 1000000000)
  214921. {
  214922. time.tv_nsec -= 1000000000;
  214923. time.tv_sec++;
  214924. }
  214925. if (pthread_cond_timedwait (&es->condition, &es->mutex, &time) == ETIMEDOUT)
  214926. {
  214927. ok = false;
  214928. break;
  214929. }
  214930. }
  214931. }
  214932. es->triggered = false;
  214933. pthread_mutex_unlock (&es->mutex);
  214934. return ok;
  214935. }
  214936. void WaitableEvent::signal() const throw()
  214937. {
  214938. EventStruct* const es = (EventStruct*) internal;
  214939. pthread_mutex_lock (&es->mutex);
  214940. es->triggered = true;
  214941. pthread_cond_broadcast (&es->condition);
  214942. pthread_mutex_unlock (&es->mutex);
  214943. }
  214944. void WaitableEvent::reset() const throw()
  214945. {
  214946. EventStruct* const es = (EventStruct*) internal;
  214947. pthread_mutex_lock (&es->mutex);
  214948. es->triggered = false;
  214949. pthread_mutex_unlock (&es->mutex);
  214950. }
  214951. void JUCE_CALLTYPE Thread::sleep (int millisecs) throw()
  214952. {
  214953. struct timespec time;
  214954. time.tv_sec = millisecs / 1000;
  214955. time.tv_nsec = (millisecs % 1000) * 1000000;
  214956. nanosleep (&time, 0);
  214957. }
  214958. const tchar File::separator = T('/');
  214959. const tchar* File::separatorString = T("/");
  214960. bool juce_copyFile (const String& s, const String& d) throw();
  214961. static bool juce_stat (const String& fileName, struct stat& info) throw()
  214962. {
  214963. return fileName.isNotEmpty()
  214964. && (stat (fileName.toUTF8(), &info) == 0);
  214965. }
  214966. bool juce_isDirectory (const String& fileName) throw()
  214967. {
  214968. struct stat info;
  214969. return fileName.isEmpty()
  214970. || (juce_stat (fileName, info)
  214971. && ((info.st_mode & S_IFDIR) != 0));
  214972. }
  214973. bool juce_fileExists (const String& fileName, const bool dontCountDirectories) throw()
  214974. {
  214975. if (fileName.isEmpty())
  214976. return false;
  214977. const char* const fileNameUTF8 = fileName.toUTF8();
  214978. bool exists = access (fileNameUTF8, F_OK) == 0;
  214979. if (exists && dontCountDirectories)
  214980. {
  214981. struct stat info;
  214982. const int res = stat (fileNameUTF8, &info);
  214983. if (res == 0 && (info.st_mode & S_IFDIR) != 0)
  214984. exists = false;
  214985. }
  214986. return exists;
  214987. }
  214988. int64 juce_getFileSize (const String& fileName) throw()
  214989. {
  214990. struct stat info;
  214991. return juce_stat (fileName, info) ? info.st_size : 0;
  214992. }
  214993. bool juce_canWriteToFile (const String& fileName) throw()
  214994. {
  214995. return access (fileName.toUTF8(), W_OK) == 0;
  214996. }
  214997. bool juce_deleteFile (const String& fileName) throw()
  214998. {
  214999. const char* const fileNameUTF8 = fileName.toUTF8();
  215000. if (juce_isDirectory (fileName))
  215001. return rmdir (fileNameUTF8) == 0;
  215002. else
  215003. return remove (fileNameUTF8) == 0;
  215004. }
  215005. bool juce_moveFile (const String& source, const String& dest) throw()
  215006. {
  215007. if (rename (source.toUTF8(), dest.toUTF8()) == 0)
  215008. return true;
  215009. if (juce_canWriteToFile (source)
  215010. && juce_copyFile (source, dest))
  215011. {
  215012. if (juce_deleteFile (source))
  215013. return true;
  215014. juce_deleteFile (dest);
  215015. }
  215016. return false;
  215017. }
  215018. void juce_createDirectory (const String& fileName) throw()
  215019. {
  215020. mkdir (fileName.toUTF8(), 0777);
  215021. }
  215022. void* juce_fileOpen (const String& fileName, bool forWriting) throw()
  215023. {
  215024. const char* const fileNameUTF8 = fileName.toUTF8();
  215025. int flags = O_RDONLY;
  215026. if (forWriting)
  215027. {
  215028. if (juce_fileExists (fileName, false))
  215029. {
  215030. const int f = open (fileNameUTF8, O_RDWR, 00644);
  215031. if (f != -1)
  215032. lseek (f, 0, SEEK_END);
  215033. return (void*) f;
  215034. }
  215035. else
  215036. {
  215037. flags = O_RDWR + O_CREAT;
  215038. }
  215039. }
  215040. return (void*) open (fileNameUTF8, flags, 00644);
  215041. }
  215042. void juce_fileClose (void* handle) throw()
  215043. {
  215044. if (handle != 0)
  215045. close ((int) (pointer_sized_int) handle);
  215046. }
  215047. int juce_fileRead (void* handle, void* buffer, int size) throw()
  215048. {
  215049. if (handle != 0)
  215050. return read ((int) (pointer_sized_int) handle, buffer, size);
  215051. return 0;
  215052. }
  215053. int juce_fileWrite (void* handle, const void* buffer, int size) throw()
  215054. {
  215055. if (handle != 0)
  215056. return write ((int) (pointer_sized_int) handle, buffer, size);
  215057. return 0;
  215058. }
  215059. int64 juce_fileSetPosition (void* handle, int64 pos) throw()
  215060. {
  215061. if (handle != 0 && lseek ((int) (pointer_sized_int) handle, pos, SEEK_SET) == pos)
  215062. return pos;
  215063. return -1;
  215064. }
  215065. int64 juce_fileGetPosition (void* handle) throw()
  215066. {
  215067. if (handle != 0)
  215068. return lseek ((int) (pointer_sized_int) handle, 0, SEEK_CUR);
  215069. else
  215070. return -1;
  215071. }
  215072. void juce_fileFlush (void* handle) throw()
  215073. {
  215074. if (handle != 0)
  215075. fsync ((int) (pointer_sized_int) handle);
  215076. }
  215077. // if this file doesn't exist, find a parent of it that does..
  215078. static bool doStatFS (const File* file, struct statfs& result) throw()
  215079. {
  215080. File f (*file);
  215081. for (int i = 5; --i >= 0;)
  215082. {
  215083. if (f.exists())
  215084. break;
  215085. f = f.getParentDirectory();
  215086. }
  215087. return statfs (f.getFullPathName().toUTF8(), &result) == 0;
  215088. }
  215089. int64 File::getBytesFreeOnVolume() const throw()
  215090. {
  215091. int64 free_space = 0;
  215092. struct statfs buf;
  215093. if (doStatFS (this, buf))
  215094. // Note: this returns space available to non-super user
  215095. free_space = (int64) buf.f_bsize * (int64) buf.f_bavail;
  215096. return free_space;
  215097. }
  215098. const String juce_getVolumeLabel (const String& filenameOnVolume,
  215099. int& volumeSerialNumber) throw()
  215100. {
  215101. // There is no equivalent on Linux
  215102. volumeSerialNumber = 0;
  215103. return String::empty;
  215104. }
  215105. #if JUCE_64BIT
  215106. #define filedesc ((long long) internal)
  215107. #else
  215108. #define filedesc ((int) internal)
  215109. #endif
  215110. InterProcessLock::InterProcessLock (const String& name_) throw()
  215111. : internal (0),
  215112. name (name_),
  215113. reentrancyLevel (0)
  215114. {
  215115. #if JUCE_MAC
  215116. // (don't use getSpecialLocation() to avoid the temp folder being different for each app)
  215117. const File temp (File (T("~/Library/Caches/Juce")).getChildFile (name));
  215118. #else
  215119. const File temp (File::getSpecialLocation (File::tempDirectory).getChildFile (name));
  215120. #endif
  215121. temp.create();
  215122. internal = (void*) open (temp.getFullPathName().toUTF8(), O_RDWR);
  215123. }
  215124. InterProcessLock::~InterProcessLock() throw()
  215125. {
  215126. while (reentrancyLevel > 0)
  215127. this->exit();
  215128. close (filedesc);
  215129. }
  215130. bool InterProcessLock::enter (const int timeOutMillisecs) throw()
  215131. {
  215132. if (internal == 0)
  215133. return false;
  215134. if (reentrancyLevel != 0)
  215135. return true;
  215136. const int64 endTime = Time::currentTimeMillis() + timeOutMillisecs;
  215137. struct flock fl;
  215138. zerostruct (fl);
  215139. fl.l_whence = SEEK_SET;
  215140. fl.l_type = F_WRLCK;
  215141. for (;;)
  215142. {
  215143. const int result = fcntl (filedesc, F_SETLK, &fl);
  215144. if (result >= 0)
  215145. {
  215146. ++reentrancyLevel;
  215147. return true;
  215148. }
  215149. if (errno != EINTR)
  215150. {
  215151. if (timeOutMillisecs == 0
  215152. || (timeOutMillisecs > 0 && Time::currentTimeMillis() >= endTime))
  215153. break;
  215154. Thread::sleep (10);
  215155. }
  215156. }
  215157. return false;
  215158. }
  215159. void InterProcessLock::exit() throw()
  215160. {
  215161. if (reentrancyLevel > 0 && internal != 0)
  215162. {
  215163. --reentrancyLevel;
  215164. struct flock fl;
  215165. zerostruct (fl);
  215166. fl.l_whence = SEEK_SET;
  215167. fl.l_type = F_UNLCK;
  215168. for (;;)
  215169. {
  215170. const int result = fcntl (filedesc, F_SETLKW, &fl);
  215171. if (result >= 0 || errno != EINTR)
  215172. break;
  215173. }
  215174. }
  215175. }
  215176. /********* End of inlined file: juce_posix_SharedCode.cpp *********/
  215177. static File executableFile;
  215178. void PlatformUtilities::copyToStr255 (Str255& d, const String& s)
  215179. {
  215180. unsigned char* t = (unsigned char*) d;
  215181. t[0] = jmin (254, s.length());
  215182. s.copyToBuffer ((char*) t + 1, 254);
  215183. }
  215184. void PlatformUtilities::copyToStr63 (Str63& d, const String& s)
  215185. {
  215186. unsigned char* t = (unsigned char*) d;
  215187. t[0] = jmin (62, s.length());
  215188. s.copyToBuffer ((char*) t + 1, 62);
  215189. }
  215190. const String PlatformUtilities::cfStringToJuceString (CFStringRef cfString)
  215191. {
  215192. String result;
  215193. if (cfString != 0)
  215194. {
  215195. #if JUCE_STRINGS_ARE_UNICODE
  215196. CFRange range = { 0, CFStringGetLength (cfString) };
  215197. UniChar* const u = (UniChar*) juce_malloc (sizeof (UniChar) * (range.length + 1));
  215198. CFStringGetCharacters (cfString, range, u);
  215199. u[range.length] = 0;
  215200. result = convertUTF16ToString (u);
  215201. juce_free (u);
  215202. #else
  215203. const int len = CFStringGetLength (cfString);
  215204. char* buffer = (char*) juce_malloc (len + 1);
  215205. CFStringGetCString (cfString, buffer, len + 1, CFStringGetSystemEncoding());
  215206. result = buffer;
  215207. juce_free (buffer);
  215208. #endif
  215209. }
  215210. return result;
  215211. }
  215212. CFStringRef PlatformUtilities::juceStringToCFString (const String& s)
  215213. {
  215214. #if JUCE_STRINGS_ARE_UNICODE
  215215. const int len = s.length();
  215216. const juce_wchar* t = (const juce_wchar*) s;
  215217. UniChar* temp = (UniChar*) juce_malloc (sizeof (UniChar) * len + 4);
  215218. for (int i = 0; i <= len; ++i)
  215219. temp[i] = t[i];
  215220. CFStringRef result = CFStringCreateWithCharacters (kCFAllocatorDefault, temp, len);
  215221. juce_free (temp);
  215222. return result;
  215223. #else
  215224. return CFStringCreateWithCString (kCFAllocatorDefault,
  215225. (const char*) s,
  215226. CFStringGetSystemEncoding());
  215227. #endif
  215228. }
  215229. const String PlatformUtilities::convertUTF16ToString (const UniChar* utf16)
  215230. {
  215231. String s;
  215232. while (*utf16 != 0)
  215233. s += (juce_wchar) *utf16++;
  215234. return s;
  215235. }
  215236. const String PlatformUtilities::convertToPrecomposedUnicode (const String& s)
  215237. {
  215238. UnicodeMapping map;
  215239. map.unicodeEncoding = CreateTextEncoding (kTextEncodingUnicodeDefault,
  215240. kUnicodeNoSubset,
  215241. kTextEncodingDefaultFormat);
  215242. map.otherEncoding = CreateTextEncoding (kTextEncodingUnicodeDefault,
  215243. kUnicodeCanonicalCompVariant,
  215244. kTextEncodingDefaultFormat);
  215245. map.mappingVersion = kUnicodeUseLatestMapping;
  215246. UnicodeToTextInfo conversionInfo = 0;
  215247. String result;
  215248. if (CreateUnicodeToTextInfo (&map, &conversionInfo) == noErr)
  215249. {
  215250. const int len = s.length();
  215251. UniChar* const tempIn = (UniChar*) juce_calloc (sizeof (UniChar) * len + 4);
  215252. UniChar* const tempOut = (UniChar*) juce_calloc (sizeof (UniChar) * len + 4);
  215253. for (int i = 0; i <= len; ++i)
  215254. tempIn[i] = s[i];
  215255. ByteCount bytesRead = 0;
  215256. ByteCount outputBufferSize = 0;
  215257. if (ConvertFromUnicodeToText (conversionInfo,
  215258. len * sizeof (UniChar), tempIn,
  215259. kUnicodeDefaultDirectionMask,
  215260. 0, 0, 0, 0,
  215261. len * sizeof (UniChar), &bytesRead,
  215262. &outputBufferSize, tempOut) == noErr)
  215263. {
  215264. result.preallocateStorage (bytesRead / sizeof (UniChar) + 2);
  215265. tchar* t = const_cast <tchar*> ((const tchar*) result);
  215266. int i;
  215267. for (i = 0; i < bytesRead / sizeof (UniChar); ++i)
  215268. t[i] = (tchar) tempOut[i];
  215269. t[i] = 0;
  215270. }
  215271. juce_free (tempIn);
  215272. juce_free (tempOut);
  215273. DisposeUnicodeToTextInfo (&conversionInfo);
  215274. }
  215275. return result;
  215276. }
  215277. const unsigned int macTimeToUnixTimeDiff = 0x7c25be90;
  215278. static uint64 utcDateTimeToUnixTime (const UTCDateTime& d) throw()
  215279. {
  215280. if (d.highSeconds == 0 && d.lowSeconds == 0 && d.fraction == 0)
  215281. return 0;
  215282. return (((((uint64) d.highSeconds) << 32) | (uint64) d.lowSeconds) * 1000)
  215283. + ((d.fraction * 1000) >> 16)
  215284. - 2082844800000ll;
  215285. }
  215286. static void unixTimeToUtcDateTime (uint64 t, UTCDateTime& d) throw()
  215287. {
  215288. if (t != 0)
  215289. t += 2082844800000ll;
  215290. d.highSeconds = (t / 1000) >> 32;
  215291. d.lowSeconds = (t / 1000) & (uint64) 0xffffffff;
  215292. d.fraction = ((t % 1000) << 16) / 1000;
  215293. }
  215294. void juce_getFileTimes (const String& fileName,
  215295. int64& modificationTime,
  215296. int64& accessTime,
  215297. int64& creationTime) throw()
  215298. {
  215299. modificationTime = 0;
  215300. accessTime = 0;
  215301. creationTime = 0;
  215302. FSRef fileRef;
  215303. if (PlatformUtilities::makeFSRefFromPath (&fileRef, fileName))
  215304. {
  215305. FSRefParam info;
  215306. zerostruct (info);
  215307. info.ref = &fileRef;
  215308. info.whichInfo = kFSCatInfoAllDates;
  215309. FSCatalogInfo catInfo;
  215310. info.catInfo = &catInfo;
  215311. if (PBGetCatalogInfoSync (&info) == noErr)
  215312. {
  215313. creationTime = utcDateTimeToUnixTime (catInfo.createDate);
  215314. accessTime = utcDateTimeToUnixTime (catInfo.accessDate);
  215315. modificationTime = utcDateTimeToUnixTime (catInfo.contentModDate);
  215316. }
  215317. }
  215318. }
  215319. bool juce_setFileTimes (const String& fileName,
  215320. int64 modificationTime,
  215321. int64 accessTime,
  215322. int64 creationTime) throw()
  215323. {
  215324. FSRef fileRef;
  215325. if (PlatformUtilities::makeFSRefFromPath (&fileRef, fileName))
  215326. {
  215327. FSRefParam info;
  215328. zerostruct (info);
  215329. info.ref = &fileRef;
  215330. info.whichInfo = kFSCatInfoAllDates;
  215331. FSCatalogInfo catInfo;
  215332. info.catInfo = &catInfo;
  215333. if (PBGetCatalogInfoSync (&info) == noErr)
  215334. {
  215335. if (creationTime != 0)
  215336. unixTimeToUtcDateTime (creationTime, catInfo.createDate);
  215337. if (modificationTime != 0)
  215338. unixTimeToUtcDateTime (modificationTime, catInfo.contentModDate);
  215339. if (accessTime != 0)
  215340. unixTimeToUtcDateTime (accessTime, catInfo.accessDate);
  215341. return PBSetCatalogInfoSync (&info) == noErr;
  215342. }
  215343. }
  215344. return false;
  215345. }
  215346. bool juce_setFileReadOnly (const String& fileName, bool isReadOnly) throw()
  215347. {
  215348. const char* const fileNameUTF8 = fileName.toUTF8();
  215349. struct stat info;
  215350. const int res = stat (fileNameUTF8, &info);
  215351. bool ok = false;
  215352. if (res == 0)
  215353. {
  215354. info.st_mode &= 0777; // Just permissions
  215355. if (isReadOnly)
  215356. info.st_mode &= ~(S_IWUSR | S_IWGRP | S_IWOTH);
  215357. else
  215358. // Give everybody write permission?
  215359. info.st_mode |= S_IWUSR | S_IWGRP | S_IWOTH;
  215360. ok = chmod (fileNameUTF8, info.st_mode) == 0;
  215361. }
  215362. return ok;
  215363. }
  215364. bool juce_copyFile (const String& src, const String& dst) throw()
  215365. {
  215366. const File destFile (dst);
  215367. if (! destFile.create())
  215368. return false;
  215369. FSRef srcRef, dstRef;
  215370. if (! (PlatformUtilities::makeFSRefFromPath (&srcRef, src)
  215371. && PlatformUtilities::makeFSRefFromPath (&dstRef, dst)))
  215372. {
  215373. return false;
  215374. }
  215375. int okForks = 0;
  215376. CatPositionRec iter;
  215377. iter.initialize = 0;
  215378. HFSUniStr255 forkName;
  215379. // can't just copy the data because this is a bloody Mac, so we need to copy each
  215380. // fork separately...
  215381. while (FSIterateForks (&srcRef, &iter, &forkName, 0, 0) == noErr)
  215382. {
  215383. SInt16 srcForkNum = 0, dstForkNum = 0;
  215384. OSErr err = FSOpenFork (&srcRef, forkName.length, forkName.unicode, fsRdPerm, &srcForkNum);
  215385. if (err == noErr)
  215386. {
  215387. err = FSOpenFork (&dstRef, forkName.length, forkName.unicode, fsRdWrPerm, &dstForkNum);
  215388. if (err == noErr)
  215389. {
  215390. MemoryBlock buf (32768);
  215391. SInt64 pos = 0;
  215392. for (;;)
  215393. {
  215394. ByteCount bytesRead = 0;
  215395. err = FSReadFork (srcForkNum, fsFromStart, pos, buf.getSize(), (char*) buf, &bytesRead);
  215396. if (bytesRead > 0)
  215397. {
  215398. err = FSWriteFork (dstForkNum, fsFromStart, pos, bytesRead, (const char*) buf, &bytesRead);
  215399. pos += bytesRead;
  215400. }
  215401. if (err != noErr)
  215402. {
  215403. if (err == eofErr)
  215404. ++okForks;
  215405. break;
  215406. }
  215407. }
  215408. FSFlushFork (dstForkNum);
  215409. FSCloseFork (dstForkNum);
  215410. }
  215411. FSCloseFork (srcForkNum);
  215412. }
  215413. }
  215414. if (okForks > 0) // some files seem to be ok even if not all their forks get copied..
  215415. {
  215416. // copy permissions..
  215417. struct stat info;
  215418. if (juce_stat (src, info))
  215419. chmod (dst.toUTF8(), info.st_mode & 0777);
  215420. return true;
  215421. }
  215422. return false;
  215423. }
  215424. const StringArray juce_getFileSystemRoots() throw()
  215425. {
  215426. StringArray s;
  215427. s.add (T("/"));
  215428. return s;
  215429. }
  215430. static bool isFileOnDriveType (const File* const f, const char** types) throw()
  215431. {
  215432. struct statfs buf;
  215433. if (doStatFS (f, buf))
  215434. {
  215435. const String type (buf.f_fstypename);
  215436. while (*types != 0)
  215437. if (type.equalsIgnoreCase (*types++))
  215438. return true;
  215439. }
  215440. return false;
  215441. }
  215442. bool File::isOnCDRomDrive() const throw()
  215443. {
  215444. static const char* const cdTypes[] = { "cd9660", "cdfs", "cddafs", "udf", 0 };
  215445. return isFileOnDriveType (this, (const char**) cdTypes);
  215446. }
  215447. bool File::isOnHardDisk() const throw()
  215448. {
  215449. static const char* const nonHDTypes[] = { "nfs", "smbfs", "ramfs", 0 };
  215450. return ! (isOnCDRomDrive() || isFileOnDriveType (this, (const char**) nonHDTypes));
  215451. }
  215452. bool File::isOnRemovableDrive() const throw()
  215453. {
  215454. jassertfalse // xxx not implemented for mac!
  215455. return false;
  215456. }
  215457. static bool juce_isHiddenFile (const String& path) throw()
  215458. {
  215459. FSRef ref;
  215460. if (! PlatformUtilities::makeFSRefFromPath (&ref, path))
  215461. return false;
  215462. FSCatalogInfo info;
  215463. FSGetCatalogInfo (&ref, kFSCatInfoNodeFlags | kFSCatInfoFinderInfo, &info, 0, 0, 0);
  215464. if ((info.nodeFlags & kFSNodeIsDirectoryBit) != 0)
  215465. return (((FolderInfo*) &info.finderInfo)->finderFlags & kIsInvisible) != 0;
  215466. return (((FileInfo*) &info.finderInfo)->finderFlags & kIsInvisible) != 0;
  215467. }
  215468. bool File::isHidden() const throw()
  215469. {
  215470. return juce_isHiddenFile (getFullPathName());
  215471. }
  215472. const File File::getSpecialLocation (const SpecialLocationType type)
  215473. {
  215474. const char* resultPath = 0;
  215475. switch (type)
  215476. {
  215477. case userHomeDirectory:
  215478. resultPath = getenv ("HOME");
  215479. if (resultPath == 0)
  215480. {
  215481. struct passwd* const pw = getpwuid (getuid());
  215482. if (pw != 0)
  215483. resultPath = pw->pw_dir;
  215484. }
  215485. break;
  215486. case userDocumentsDirectory:
  215487. resultPath = "~/Documents";
  215488. break;
  215489. case userDesktopDirectory:
  215490. resultPath = "~/Desktop";
  215491. break;
  215492. case userApplicationDataDirectory:
  215493. resultPath = "~/Library";
  215494. break;
  215495. case commonApplicationDataDirectory:
  215496. resultPath = "/Library";
  215497. break;
  215498. case globalApplicationsDirectory:
  215499. resultPath = "/Applications";
  215500. break;
  215501. case userMusicDirectory:
  215502. resultPath = "~/Music";
  215503. break;
  215504. case userMoviesDirectory:
  215505. resultPath = "~/Movies";
  215506. break;
  215507. case tempDirectory:
  215508. {
  215509. File tmp (T("~/Library/Caches/") + executableFile.getFileNameWithoutExtension());
  215510. tmp.createDirectory();
  215511. return tmp.getFullPathName();
  215512. }
  215513. case currentExecutableFile:
  215514. return executableFile;
  215515. case currentApplicationFile:
  215516. {
  215517. const File parent (executableFile.getParentDirectory());
  215518. return parent.getFullPathName().endsWithIgnoreCase (T("Contents/MacOS"))
  215519. ? parent.getParentDirectory().getParentDirectory()
  215520. : executableFile;
  215521. }
  215522. default:
  215523. jassertfalse // unknown type?
  215524. break;
  215525. }
  215526. if (resultPath != 0)
  215527. return File (PlatformUtilities::convertToPrecomposedUnicode (resultPath));
  215528. return File::nonexistent;
  215529. }
  215530. void juce_setCurrentExecutableFileName (const String& filename) throw()
  215531. {
  215532. executableFile = File::getCurrentWorkingDirectory()
  215533. .getChildFile (PlatformUtilities::convertToPrecomposedUnicode (filename));
  215534. }
  215535. void juce_setCurrentExecutableFileNameFromBundleId (const String& bundleId) throw()
  215536. {
  215537. CFStringRef bundleIdStringRef = PlatformUtilities::juceStringToCFString (bundleId);
  215538. CFBundleRef bundleRef = CFBundleGetBundleWithIdentifier (bundleIdStringRef);
  215539. CFRelease (bundleIdStringRef);
  215540. if (bundleRef != 0)
  215541. {
  215542. CFURLRef exeURLRef = CFBundleCopyExecutableURL (bundleRef);
  215543. if (exeURLRef != 0)
  215544. {
  215545. CFStringRef pathStringRef = CFURLCopyFileSystemPath (exeURLRef, kCFURLPOSIXPathStyle);
  215546. CFRelease (exeURLRef);
  215547. if (pathStringRef != 0)
  215548. {
  215549. juce_setCurrentExecutableFileName (PlatformUtilities::cfStringToJuceString (pathStringRef));
  215550. CFRelease (pathStringRef);
  215551. }
  215552. }
  215553. }
  215554. }
  215555. const File File::getCurrentWorkingDirectory() throw()
  215556. {
  215557. char buf [2048];
  215558. getcwd (buf, sizeof(buf));
  215559. return File (PlatformUtilities::convertToPrecomposedUnicode (buf));
  215560. }
  215561. bool File::setAsCurrentWorkingDirectory() const throw()
  215562. {
  215563. return chdir (getFullPathName().toUTF8()) == 0;
  215564. }
  215565. struct FindFileStruct
  215566. {
  215567. String parentDir, wildCard;
  215568. DIR* dir;
  215569. bool getNextMatch (String& result, bool* const isDir, bool* const isHidden, int64* const fileSize,
  215570. Time* const modTime, Time* const creationTime, bool* const isReadOnly) throw()
  215571. {
  215572. const char* const wildCardUTF8 = wildCard.toUTF8();
  215573. for (;;)
  215574. {
  215575. struct dirent* const de = readdir (dir);
  215576. if (de == 0)
  215577. break;
  215578. if (fnmatch (wildCardUTF8, de->d_name, 0) == 0)
  215579. {
  215580. result = PlatformUtilities::convertToPrecomposedUnicode (String::fromUTF8 ((const uint8*) de->d_name));
  215581. const String path (parentDir + result);
  215582. if (isDir != 0 || fileSize != 0)
  215583. {
  215584. struct stat info;
  215585. const bool statOk = juce_stat (path, info);
  215586. if (isDir != 0)
  215587. *isDir = path.isEmpty() || (statOk && ((info.st_mode & S_IFDIR) != 0));
  215588. if (isHidden != 0)
  215589. *isHidden = (de->d_name[0] == '.')
  215590. || juce_isHiddenFile (path);
  215591. if (fileSize != 0)
  215592. *fileSize = statOk ? info.st_size : 0;
  215593. }
  215594. if (modTime != 0 || creationTime != 0)
  215595. {
  215596. int64 m, a, c;
  215597. juce_getFileTimes (path, m, a, c);
  215598. if (modTime != 0)
  215599. *modTime = m;
  215600. if (creationTime != 0)
  215601. *creationTime = c;
  215602. }
  215603. if (isReadOnly != 0)
  215604. *isReadOnly = ! juce_canWriteToFile (path);
  215605. return true;
  215606. }
  215607. }
  215608. return false;
  215609. }
  215610. };
  215611. // returns 0 on failure
  215612. void* juce_findFileStart (const String& directory, const String& wildCard, String& firstResultFile,
  215613. bool* isDir, bool* isHidden, int64* fileSize, Time* modTime,
  215614. Time* creationTime, bool* isReadOnly) throw()
  215615. {
  215616. DIR* const d = opendir (directory.toUTF8());
  215617. if (d != 0)
  215618. {
  215619. FindFileStruct* const ff = new FindFileStruct();
  215620. ff->parentDir = directory;
  215621. if (!ff->parentDir.endsWithChar (File::separator))
  215622. ff->parentDir += File::separator;
  215623. ff->wildCard = wildCard;
  215624. ff->dir = d;
  215625. if (ff->getNextMatch (firstResultFile, isDir, isHidden, fileSize, modTime, creationTime, isReadOnly))
  215626. {
  215627. return ff;
  215628. }
  215629. else
  215630. {
  215631. firstResultFile = String::empty;
  215632. isDir = false;
  215633. closedir (d);
  215634. delete ff;
  215635. }
  215636. }
  215637. return 0;
  215638. }
  215639. bool juce_findFileNext (void* handle, String& resultFile,
  215640. bool* isDir, bool* isHidden, int64* fileSize, Time* modTime, Time* creationTime, bool* isReadOnly) throw()
  215641. {
  215642. FindFileStruct* const ff = (FindFileStruct*) handle;
  215643. if (ff != 0)
  215644. return ff->getNextMatch (resultFile, isDir, isHidden, fileSize, modTime, creationTime, isReadOnly);
  215645. return false;
  215646. }
  215647. void juce_findFileClose (void* handle) throw()
  215648. {
  215649. FindFileStruct* const ff = (FindFileStruct*)handle;
  215650. if (ff != 0)
  215651. {
  215652. closedir (ff->dir);
  215653. delete ff;
  215654. }
  215655. }
  215656. bool juce_launchExecutable (const String& pathAndArguments) throw()
  215657. {
  215658. char* const argv[4] = { "/bin/sh", "-c", (char*) (const char*) pathAndArguments, 0 };
  215659. const int cpid = fork();
  215660. if (cpid == 0)
  215661. {
  215662. // Child process
  215663. if (execve (argv[0], argv, 0) < 0)
  215664. exit (0);
  215665. }
  215666. else
  215667. {
  215668. if (cpid < 0)
  215669. return false;
  215670. }
  215671. return true;
  215672. }
  215673. bool juce_launchFile (const String& fileName,
  215674. const String& parameters) throw()
  215675. {
  215676. bool ok = false;
  215677. if (fileName.startsWithIgnoreCase (T("http:"))
  215678. || fileName.startsWithIgnoreCase (T("https:"))
  215679. || fileName.startsWithIgnoreCase (T("ftp:"))
  215680. || fileName.startsWithIgnoreCase (T("file:")))
  215681. {
  215682. CFStringRef urlString = PlatformUtilities::juceStringToCFString (fileName);
  215683. if (urlString != 0)
  215684. {
  215685. CFURLRef url = CFURLCreateWithString (kCFAllocatorDefault,
  215686. urlString, 0);
  215687. CFRelease (urlString);
  215688. if (url != 0)
  215689. {
  215690. ok = (LSOpenCFURLRef (url, 0) == noErr);
  215691. CFRelease (url);
  215692. }
  215693. }
  215694. }
  215695. else
  215696. {
  215697. FSRef ref;
  215698. if (PlatformUtilities::makeFSRefFromPath (&ref, fileName))
  215699. {
  215700. if (juce_isDirectory (fileName) && parameters.isNotEmpty())
  215701. {
  215702. // if we're launching a bundled app with a document..
  215703. StringArray docs;
  215704. docs.addTokens (parameters, true);
  215705. FSRef* docRefs = new FSRef [docs.size()];
  215706. for (int i = 0; i < docs.size(); ++i)
  215707. PlatformUtilities::makeFSRefFromPath (docRefs + i, docs[i]);
  215708. LSLaunchFSRefSpec ors;
  215709. ors.appRef = &ref;
  215710. ors.numDocs = docs.size();
  215711. ors.itemRefs = docRefs;
  215712. ors.passThruParams = 0;
  215713. ors.launchFlags = kLSLaunchDefaults;
  215714. ors.asyncRefCon = 0;
  215715. FSRef actual;
  215716. ok = (LSOpenFromRefSpec (&ors, &actual) == noErr);
  215717. delete docRefs;
  215718. }
  215719. else
  215720. {
  215721. if (parameters.isNotEmpty())
  215722. ok = juce_launchExecutable (T("\"") + fileName + T("\" ") + parameters);
  215723. else
  215724. ok = (LSOpenFSRef (&ref, 0) == noErr);
  215725. }
  215726. }
  215727. }
  215728. return ok;
  215729. }
  215730. bool PlatformUtilities::makeFSSpecFromPath (FSSpec* fs, const String& path)
  215731. {
  215732. FSRef ref;
  215733. return makeFSRefFromPath (&ref, path)
  215734. && FSGetCatalogInfo (&ref, kFSCatInfoNone, 0, 0, fs, 0) == noErr;
  215735. }
  215736. bool PlatformUtilities::makeFSRefFromPath (FSRef* destFSRef, const String& path)
  215737. {
  215738. return FSPathMakeRef ((const UInt8*) path.toUTF8(), destFSRef, 0) == noErr;
  215739. }
  215740. const String PlatformUtilities::makePathFromFSRef (FSRef* file)
  215741. {
  215742. uint8 path [2048];
  215743. zeromem (path, sizeof (path));
  215744. String result;
  215745. if (FSRefMakePath (file, (UInt8*) path, sizeof (path) - 1) == noErr)
  215746. result = String::fromUTF8 (path);
  215747. return PlatformUtilities::convertToPrecomposedUnicode (result);
  215748. }
  215749. OSType PlatformUtilities::getTypeOfFile (const String& filename)
  215750. {
  215751. FSRef fs;
  215752. if (makeFSRefFromPath (&fs, filename))
  215753. {
  215754. LSItemInfoRecord info;
  215755. if (LSCopyItemInfoForRef (&fs, kLSRequestTypeCreator, &info) == noErr)
  215756. return info.filetype;
  215757. }
  215758. return 0;
  215759. }
  215760. bool PlatformUtilities::isBundle (const String& filename)
  215761. {
  215762. FSRef fs;
  215763. if (makeFSRefFromPath (&fs, filename))
  215764. {
  215765. LSItemInfoRecord info;
  215766. if (LSCopyItemInfoForRef (&fs, kLSItemInfoIsPackage, &info) == noErr)
  215767. return (info.flags & kLSItemInfoIsPackage) != 0;
  215768. }
  215769. return false;
  215770. }
  215771. END_JUCE_NAMESPACE
  215772. /********* End of inlined file: juce_mac_Files.cpp *********/
  215773. /********* Start of inlined file: juce_mac_NamedPipe.cpp *********/
  215774. #include <sys/stat.h>
  215775. #include <sys/dir.h>
  215776. #include <fcntl.h>
  215777. // As well as being for the mac, this file is included by the linux build.
  215778. #if ! JUCE_MAC
  215779. #include <sys/wait.h>
  215780. #include <errno.h>
  215781. #include <unistd.h>
  215782. #endif
  215783. BEGIN_JUCE_NAMESPACE
  215784. struct NamedPipeInternal
  215785. {
  215786. String pipeInName, pipeOutName;
  215787. int pipeIn, pipeOut;
  215788. bool volatile createdPipe, blocked, stopReadOperation;
  215789. static void signalHandler (int) {}
  215790. };
  215791. void NamedPipe::cancelPendingReads()
  215792. {
  215793. while (internal != 0 && ((NamedPipeInternal*) internal)->blocked)
  215794. {
  215795. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  215796. intern->stopReadOperation = true;
  215797. char buffer [1] = { 0 };
  215798. ::write (intern->pipeIn, buffer, 1);
  215799. int timeout = 2000;
  215800. while (intern->blocked && --timeout >= 0)
  215801. Thread::sleep (2);
  215802. intern->stopReadOperation = false;
  215803. }
  215804. }
  215805. void NamedPipe::close()
  215806. {
  215807. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  215808. if (intern != 0)
  215809. {
  215810. internal = 0;
  215811. if (intern->pipeIn != -1)
  215812. ::close (intern->pipeIn);
  215813. if (intern->pipeOut != -1)
  215814. ::close (intern->pipeOut);
  215815. if (intern->createdPipe)
  215816. {
  215817. unlink (intern->pipeInName);
  215818. unlink (intern->pipeOutName);
  215819. }
  215820. delete intern;
  215821. }
  215822. }
  215823. bool NamedPipe::openInternal (const String& pipeName, const bool createPipe)
  215824. {
  215825. close();
  215826. NamedPipeInternal* const intern = new NamedPipeInternal();
  215827. internal = intern;
  215828. intern->createdPipe = createPipe;
  215829. intern->blocked = false;
  215830. intern->stopReadOperation = false;
  215831. signal (SIGPIPE, NamedPipeInternal::signalHandler);
  215832. siginterrupt (SIGPIPE, 1);
  215833. const String pipePath (T("/tmp/") + File::createLegalFileName (pipeName));
  215834. intern->pipeInName = pipePath + T("_in");
  215835. intern->pipeOutName = pipePath + T("_out");
  215836. intern->pipeIn = -1;
  215837. intern->pipeOut = -1;
  215838. if (createPipe)
  215839. {
  215840. if ((mkfifo (intern->pipeInName, 0666) && errno != EEXIST)
  215841. || (mkfifo (intern->pipeOutName, 0666) && errno != EEXIST))
  215842. {
  215843. delete intern;
  215844. internal = 0;
  215845. return false;
  215846. }
  215847. }
  215848. return true;
  215849. }
  215850. int NamedPipe::read (void* destBuffer, int maxBytesToRead, int /*timeOutMilliseconds*/)
  215851. {
  215852. int bytesRead = -1;
  215853. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  215854. if (intern != 0)
  215855. {
  215856. intern->blocked = true;
  215857. if (intern->pipeIn == -1)
  215858. {
  215859. if (intern->createdPipe)
  215860. intern->pipeIn = ::open (intern->pipeInName, O_RDWR);
  215861. else
  215862. intern->pipeIn = ::open (intern->pipeOutName, O_RDWR);
  215863. if (intern->pipeIn == -1)
  215864. {
  215865. intern->blocked = false;
  215866. return -1;
  215867. }
  215868. }
  215869. bytesRead = 0;
  215870. char* p = (char*) destBuffer;
  215871. while (bytesRead < maxBytesToRead)
  215872. {
  215873. const int bytesThisTime = maxBytesToRead - bytesRead;
  215874. const int numRead = ::read (intern->pipeIn, p, bytesThisTime);
  215875. if (numRead <= 0 || intern->stopReadOperation)
  215876. {
  215877. bytesRead = -1;
  215878. break;
  215879. }
  215880. bytesRead += numRead;
  215881. p += bytesRead;
  215882. }
  215883. intern->blocked = false;
  215884. }
  215885. return bytesRead;
  215886. }
  215887. int NamedPipe::write (const void* sourceBuffer, int numBytesToWrite, int timeOutMilliseconds)
  215888. {
  215889. int bytesWritten = -1;
  215890. NamedPipeInternal* const intern = (NamedPipeInternal*) internal;
  215891. if (intern != 0)
  215892. {
  215893. if (intern->pipeOut == -1)
  215894. {
  215895. if (intern->createdPipe)
  215896. intern->pipeOut = ::open (intern->pipeOutName, O_WRONLY);
  215897. else
  215898. intern->pipeOut = ::open (intern->pipeInName, O_WRONLY);
  215899. if (intern->pipeOut == -1)
  215900. {
  215901. return -1;
  215902. }
  215903. }
  215904. const char* p = (const char*) sourceBuffer;
  215905. bytesWritten = 0;
  215906. const uint32 timeOutTime = Time::getMillisecondCounter() + timeOutMilliseconds;
  215907. while (bytesWritten < numBytesToWrite
  215908. && (timeOutMilliseconds < 0 || Time::getMillisecondCounter() < timeOutTime))
  215909. {
  215910. const int bytesThisTime = numBytesToWrite - bytesWritten;
  215911. const int numWritten = ::write (intern->pipeOut, p, bytesThisTime);
  215912. if (numWritten <= 0)
  215913. {
  215914. bytesWritten = -1;
  215915. break;
  215916. }
  215917. bytesWritten += numWritten;
  215918. p += bytesWritten;
  215919. }
  215920. }
  215921. return bytesWritten;
  215922. }
  215923. END_JUCE_NAMESPACE
  215924. /********* End of inlined file: juce_mac_NamedPipe.cpp *********/
  215925. /********* Start of inlined file: juce_mac_SystemStats.mm *********/
  215926. /********* Start of inlined file: juce_mac_NativeHeaders.h *********/
  215927. #ifndef __JUCE_MAC_NATIVEHEADERS_JUCEHEADER__
  215928. #define __JUCE_MAC_NATIVEHEADERS_JUCEHEADER__
  215929. #include <Cocoa/Cocoa.h>
  215930. BEGIN_JUCE_NAMESPACE
  215931. class AutoPool
  215932. {
  215933. public:
  215934. AutoPool() { pool = [[NSAutoreleasePool alloc] init]; }
  215935. ~AutoPool() { [pool release]; }
  215936. private:
  215937. NSAutoreleasePool* pool;
  215938. };
  215939. END_JUCE_NAMESPACE
  215940. static const JUCE_NAMESPACE::String nsStringToJuce (NSString* s)
  215941. {
  215942. return JUCE_NAMESPACE::String::fromUTF8 ((JUCE_NAMESPACE::uint8*) [s UTF8String]);
  215943. }
  215944. static NSString* juceStringToNS (const JUCE_NAMESPACE::String& s)
  215945. {
  215946. return [NSString stringWithUTF8String: (const char*) s.toUTF8()];
  215947. }
  215948. #endif
  215949. /********* End of inlined file: juce_mac_NativeHeaders.h *********/
  215950. #include <AppKit/AppKit.h>
  215951. #include <CoreAudio/HostTime.h>
  215952. #include <ctime>
  215953. #include <sys/resource.h>
  215954. BEGIN_JUCE_NAMESPACE
  215955. static int64 highResTimerFrequency;
  215956. #if JUCE_INTEL
  215957. static void juce_getCpuVendor (char* const v) throw()
  215958. {
  215959. int vendor[4];
  215960. zerostruct (vendor);
  215961. int dummy = 0;
  215962. asm ("mov %%ebx, %%esi \n\t"
  215963. "cpuid \n\t"
  215964. "xchg %%esi, %%ebx"
  215965. : "=a" (dummy), "=S" (vendor[0]), "=c" (vendor[2]), "=d" (vendor[1]) : "a" (0));
  215966. memcpy (v, vendor, 16);
  215967. }
  215968. static unsigned int getCPUIDWord (unsigned int& familyModel, unsigned int& extFeatures) throw()
  215969. {
  215970. unsigned int cpu = 0;
  215971. unsigned int ext = 0;
  215972. unsigned int family = 0;
  215973. unsigned int dummy = 0;
  215974. asm ("mov %%ebx, %%esi \n\t"
  215975. "cpuid \n\t"
  215976. "xchg %%esi, %%ebx"
  215977. : "=a" (family), "=S" (ext), "=c" (dummy), "=d" (cpu) : "a" (1));
  215978. familyModel = family;
  215979. extFeatures = ext;
  215980. return cpu;
  215981. }
  215982. struct CPUFlags
  215983. {
  215984. bool hasMMX : 1;
  215985. bool hasSSE : 1;
  215986. bool hasSSE2 : 1;
  215987. bool has3DNow : 1;
  215988. };
  215989. static CPUFlags cpuFlags;
  215990. #endif
  215991. void Logger::outputDebugString (const String& text) throw()
  215992. {
  215993. String withLineFeed (text + T("\n"));
  215994. const char* const utf8 = withLineFeed.toUTF8();
  215995. fwrite (utf8, strlen (utf8), 1, stdout);
  215996. }
  215997. void Logger::outputDebugPrintf (const tchar* format, ...) throw()
  215998. {
  215999. String text;
  216000. va_list args;
  216001. va_start (args, format);
  216002. text.vprintf(format, args);
  216003. outputDebugString (text);
  216004. }
  216005. int SystemStats::getMemorySizeInMegabytes() throw()
  216006. {
  216007. long bytes;
  216008. if (Gestalt (gestaltPhysicalRAMSize, &bytes) == noErr)
  216009. return (int) (((unsigned long) bytes) / (1024 * 1024));
  216010. return 0;
  216011. }
  216012. SystemStats::OperatingSystemType SystemStats::getOperatingSystemType() throw()
  216013. {
  216014. return MacOSX;
  216015. }
  216016. const String SystemStats::getOperatingSystemName() throw()
  216017. {
  216018. return T("Mac OS X");
  216019. }
  216020. bool SystemStats::isOperatingSystem64Bit() throw()
  216021. {
  216022. #if JUCE_64BIT
  216023. return true;
  216024. #else
  216025. //xxx not sure how to find this out?..
  216026. return false;
  216027. #endif
  216028. }
  216029. void SystemStats::initialiseStats() throw()
  216030. {
  216031. static bool initialised = false;
  216032. if (! initialised)
  216033. {
  216034. initialised = true;
  216035. //[NSApplication sharedApplication];
  216036. NSApplicationLoad();
  216037. #if JUCE_INTEL
  216038. {
  216039. unsigned int familyModel, extFeatures;
  216040. const unsigned int features = getCPUIDWord (familyModel, extFeatures);
  216041. cpuFlags.hasMMX = ((features & (1 << 23)) != 0);
  216042. cpuFlags.hasSSE = ((features & (1 << 25)) != 0);
  216043. cpuFlags.hasSSE2 = ((features & (1 << 26)) != 0);
  216044. cpuFlags.has3DNow = ((extFeatures & (1 << 31)) != 0);
  216045. }
  216046. #endif
  216047. highResTimerFrequency = (int64) AudioGetHostClockFrequency();
  216048. String s (SystemStats::getJUCEVersion());
  216049. rlimit lim;
  216050. getrlimit (RLIMIT_NOFILE, &lim);
  216051. lim.rlim_cur = lim.rlim_max = RLIM_INFINITY;
  216052. setrlimit (RLIMIT_NOFILE, &lim);
  216053. }
  216054. }
  216055. bool SystemStats::hasMMX() throw()
  216056. {
  216057. #if JUCE_INTEL
  216058. return cpuFlags.hasMMX;
  216059. #else
  216060. return false;
  216061. #endif
  216062. }
  216063. bool SystemStats::hasSSE() throw()
  216064. {
  216065. #if JUCE_INTEL
  216066. return cpuFlags.hasSSE;
  216067. #else
  216068. return false;
  216069. #endif
  216070. }
  216071. bool SystemStats::hasSSE2() throw()
  216072. {
  216073. #if JUCE_INTEL
  216074. return cpuFlags.hasSSE2;
  216075. #else
  216076. return false;
  216077. #endif
  216078. }
  216079. bool SystemStats::has3DNow() throw()
  216080. {
  216081. #if JUCE_INTEL
  216082. return cpuFlags.has3DNow;
  216083. #else
  216084. return false;
  216085. #endif
  216086. }
  216087. const String SystemStats::getCpuVendor() throw()
  216088. {
  216089. #if JUCE_INTEL
  216090. char v [16];
  216091. juce_getCpuVendor (v);
  216092. return String (v, 16);
  216093. #else
  216094. return String::empty;
  216095. #endif
  216096. }
  216097. int SystemStats::getCpuSpeedInMegaherz() throw()
  216098. {
  216099. return GetCPUSpeed();
  216100. }
  216101. int SystemStats::getNumCpus() throw()
  216102. {
  216103. return MPProcessors();
  216104. }
  216105. static int64 juce_getMicroseconds() throw()
  216106. {
  216107. UnsignedWide t;
  216108. Microseconds (&t);
  216109. return (((int64) t.hi) << 32) | t.lo;
  216110. }
  216111. uint32 juce_millisecondsSinceStartup() throw()
  216112. {
  216113. return (uint32) (juce_getMicroseconds() / 1000);
  216114. }
  216115. double Time::getMillisecondCounterHiRes() throw()
  216116. {
  216117. // xxx might be more accurate to use a scaled AudioGetCurrentHostTime?
  216118. return juce_getMicroseconds() * 0.001;
  216119. }
  216120. int64 Time::getHighResolutionTicks() throw()
  216121. {
  216122. return (int64) AudioGetCurrentHostTime();
  216123. }
  216124. int64 Time::getHighResolutionTicksPerSecond() throw()
  216125. {
  216126. return highResTimerFrequency;
  216127. }
  216128. int64 SystemStats::getClockCycleCounter() throw()
  216129. {
  216130. jassertfalse
  216131. return 0;
  216132. }
  216133. bool Time::setSystemTimeToThisTime() const throw()
  216134. {
  216135. jassertfalse
  216136. return false;
  216137. }
  216138. int SystemStats::getPageSize() throw()
  216139. {
  216140. jassertfalse
  216141. return 512; //xxx
  216142. }
  216143. void PlatformUtilities::fpuReset()
  216144. {
  216145. }
  216146. END_JUCE_NAMESPACE
  216147. /********* End of inlined file: juce_mac_SystemStats.mm *********/
  216148. /********* Start of inlined file: juce_mac_Threads.cpp *********/
  216149. #include <pthread.h>
  216150. #include <sched.h>
  216151. #include <sys/file.h>
  216152. #include <sys/types.h>
  216153. #include <sys/sysctl.h>
  216154. BEGIN_JUCE_NAMESPACE
  216155. /*
  216156. Note that a lot of methods that you'd expect to find in this file actually
  216157. live in juce_posix_SharedCode.cpp!
  216158. */
  216159. void JUCE_API juce_threadEntryPoint (void*);
  216160. void* threadEntryProc (void* userData) throw()
  216161. {
  216162. juce_threadEntryPoint (userData);
  216163. return 0;
  216164. }
  216165. void* juce_createThread (void* userData) throw()
  216166. {
  216167. pthread_t handle = 0;
  216168. if (pthread_create (&handle, 0, threadEntryProc, userData) == 0)
  216169. {
  216170. pthread_detach (handle);
  216171. return (void*) handle;
  216172. }
  216173. return 0;
  216174. }
  216175. void juce_killThread (void* handle) throw()
  216176. {
  216177. if (handle != 0)
  216178. pthread_cancel ((pthread_t) handle);
  216179. }
  216180. void juce_setCurrentThreadName (const String& /*name*/) throw()
  216181. {
  216182. }
  216183. int Thread::getCurrentThreadId() throw()
  216184. {
  216185. return (int) pthread_self();
  216186. }
  216187. void juce_setThreadPriority (void* handle, int priority) throw()
  216188. {
  216189. if (handle == 0)
  216190. handle = (void*) pthread_self();
  216191. struct sched_param param;
  216192. int policy;
  216193. pthread_getschedparam ((pthread_t) handle, &policy, &param);
  216194. param.sched_priority = jlimit (1, 127, 1 + (priority * 126) / 11);
  216195. pthread_setschedparam ((pthread_t) handle, policy, &param);
  216196. }
  216197. void Thread::yield() throw()
  216198. {
  216199. sched_yield();
  216200. }
  216201. void Thread::setCurrentThreadAffinityMask (const uint32 affinityMask) throw()
  216202. {
  216203. // xxx
  216204. jassertfalse
  216205. }
  216206. bool JUCE_CALLTYPE juce_isRunningUnderDebugger() throw()
  216207. {
  216208. static char testResult = 0;
  216209. if (testResult == 0)
  216210. {
  216211. struct kinfo_proc info;
  216212. int m[] = { CTL_KERN, KERN_PROC, KERN_PROC_PID, getpid() };
  216213. size_t sz = sizeof (info);
  216214. sysctl (m, 4, &info, &sz, 0, 0);
  216215. testResult = ((info.kp_proc.p_flag & P_TRACED) != 0) ? 1 : -1;
  216216. }
  216217. return testResult > 0;
  216218. }
  216219. bool JUCE_CALLTYPE Process::isRunningUnderDebugger() throw()
  216220. {
  216221. return juce_isRunningUnderDebugger();
  216222. }
  216223. void Process::raisePrivilege()
  216224. {
  216225. jassertfalse
  216226. }
  216227. void Process::lowerPrivilege()
  216228. {
  216229. jassertfalse
  216230. }
  216231. void Process::terminate()
  216232. {
  216233. exit (0);
  216234. }
  216235. void Process::setPriority (ProcessPriority p)
  216236. {
  216237. // xxx
  216238. }
  216239. void* Process::loadDynamicLibrary (const String& name)
  216240. {
  216241. // xxx needs to use bundles
  216242. FSSpec fs;
  216243. if (PlatformUtilities::makeFSSpecFromPath (&fs, name))
  216244. {
  216245. CFragConnectionID connID;
  216246. Ptr mainPtr;
  216247. Str255 errorMessage;
  216248. Str63 nm;
  216249. PlatformUtilities::copyToStr63 (nm, name);
  216250. const OSErr err = GetDiskFragment (&fs, 0, kCFragGoesToEOF, nm, kReferenceCFrag, &connID, &mainPtr, errorMessage);
  216251. if (err == noErr)
  216252. return (void*)connID;
  216253. }
  216254. return 0;
  216255. }
  216256. void Process::freeDynamicLibrary (void* handle)
  216257. {
  216258. if (handle != 0)
  216259. CloseConnection ((CFragConnectionID*)&handle);
  216260. }
  216261. void* Process::getProcedureEntryPoint (void* h, const String& procedureName)
  216262. {
  216263. if (h != 0)
  216264. {
  216265. CFragSymbolClass cl;
  216266. Ptr ptr;
  216267. Str255 name;
  216268. PlatformUtilities::copyToStr255 (name, procedureName);
  216269. if (FindSymbol ((CFragConnectionID) h, name, &ptr, &cl) == noErr)
  216270. {
  216271. return ptr;
  216272. }
  216273. }
  216274. return 0;
  216275. }
  216276. END_JUCE_NAMESPACE
  216277. /********* End of inlined file: juce_mac_Threads.cpp *********/
  216278. /********* Start of inlined file: juce_mac_Network.mm *********/
  216279. #include <IOKit/IOKitLib.h>
  216280. #include <IOKit/network/IOEthernetInterface.h>
  216281. #include <IOKit/network/IONetworkInterface.h>
  216282. #include <IOKit/network/IOEthernetController.h>
  216283. #include <netdb.h>
  216284. #include <arpa/inet.h>
  216285. #include <netinet/in.h>
  216286. #include <sys/types.h>
  216287. #include <sys/socket.h>
  216288. #include <sys/wait.h>
  216289. BEGIN_JUCE_NAMESPACE
  216290. /********* Start of inlined file: juce_mac_HTTPStream.h *********/
  216291. // (This file gets included by the mac + linux networking code)
  216292. /** A HTTP input stream that uses sockets.
  216293. */
  216294. class JUCE_HTTPSocketStream
  216295. {
  216296. public:
  216297. JUCE_HTTPSocketStream()
  216298. : readPosition (0),
  216299. socketHandle (-1),
  216300. levelsOfRedirection (0),
  216301. timeoutSeconds (15)
  216302. {
  216303. }
  216304. ~JUCE_HTTPSocketStream()
  216305. {
  216306. closeSocket();
  216307. }
  216308. bool open (const String& url,
  216309. const String& headers,
  216310. const MemoryBlock& postData,
  216311. const bool isPost,
  216312. URL::OpenStreamProgressCallback* callback,
  216313. void* callbackContext,
  216314. int timeOutMs)
  216315. {
  216316. closeSocket();
  216317. uint32 timeOutTime = Time::getMillisecondCounter();
  216318. if (timeOutMs == 0)
  216319. timeOutTime += 60000;
  216320. else if (timeOutMs < 0)
  216321. timeOutTime = 0xffffffff;
  216322. else
  216323. timeOutTime += timeOutMs;
  216324. String hostName, hostPath;
  216325. int hostPort;
  216326. if (! decomposeURL (url, hostName, hostPath, hostPort))
  216327. return false;
  216328. const struct hostent* host = 0;
  216329. int port = 0;
  216330. String proxyName, proxyPath;
  216331. int proxyPort = 0;
  216332. String proxyURL (getenv ("http_proxy"));
  216333. if (proxyURL.startsWithIgnoreCase (T("http://")))
  216334. {
  216335. if (! decomposeURL (proxyURL, proxyName, proxyPath, proxyPort))
  216336. return false;
  216337. host = gethostbyname ((const char*) proxyName.toUTF8());
  216338. port = proxyPort;
  216339. }
  216340. else
  216341. {
  216342. host = gethostbyname ((const char*) hostName.toUTF8());
  216343. port = hostPort;
  216344. }
  216345. if (host == 0)
  216346. return false;
  216347. struct sockaddr_in address;
  216348. zerostruct (address);
  216349. memcpy ((void*) &address.sin_addr, (const void*) host->h_addr, host->h_length);
  216350. address.sin_family = host->h_addrtype;
  216351. address.sin_port = htons (port);
  216352. socketHandle = socket (host->h_addrtype, SOCK_STREAM, 0);
  216353. if (socketHandle == -1)
  216354. return false;
  216355. int receiveBufferSize = 16384;
  216356. setsockopt (socketHandle, SOL_SOCKET, SO_RCVBUF, (char*) &receiveBufferSize, sizeof (receiveBufferSize));
  216357. setsockopt (socketHandle, SOL_SOCKET, SO_KEEPALIVE, 0, 0);
  216358. #if JUCE_MAC
  216359. setsockopt (socketHandle, SOL_SOCKET, SO_NOSIGPIPE, 0, 0);
  216360. #endif
  216361. if (connect (socketHandle, (struct sockaddr*) &address, sizeof (address)) == -1)
  216362. {
  216363. closeSocket();
  216364. return false;
  216365. }
  216366. const MemoryBlock requestHeader (createRequestHeader (hostName, hostPort,
  216367. proxyName, proxyPort,
  216368. hostPath, url,
  216369. headers, postData,
  216370. isPost));
  216371. int totalHeaderSent = 0;
  216372. while (totalHeaderSent < requestHeader.getSize())
  216373. {
  216374. if (Time::getMillisecondCounter() > timeOutTime)
  216375. {
  216376. closeSocket();
  216377. return false;
  216378. }
  216379. const int numToSend = jmin (1024, requestHeader.getSize() - totalHeaderSent);
  216380. if (send (socketHandle,
  216381. ((const char*) requestHeader.getData()) + totalHeaderSent,
  216382. numToSend, 0)
  216383. != numToSend)
  216384. {
  216385. closeSocket();
  216386. return false;
  216387. }
  216388. totalHeaderSent += numToSend;
  216389. if (callback != 0 && ! callback (callbackContext, totalHeaderSent, requestHeader.getSize()))
  216390. {
  216391. closeSocket();
  216392. return false;
  216393. }
  216394. }
  216395. const String responseHeader (readResponse (timeOutTime));
  216396. if (responseHeader.isNotEmpty())
  216397. {
  216398. //DBG (responseHeader);
  216399. StringArray lines;
  216400. lines.addLines (responseHeader);
  216401. // NB - using charToString() here instead of just T(" "), because that was
  216402. // causing a mysterious gcc internal compiler error...
  216403. const int statusCode = responseHeader.fromFirstOccurrenceOf (String::charToString (T(' ')), false, false)
  216404. .substring (0, 3)
  216405. .getIntValue();
  216406. //int contentLength = findHeaderItem (lines, T("Content-Length:")).getIntValue();
  216407. //bool isChunked = findHeaderItem (lines, T("Transfer-Encoding:")).equalsIgnoreCase ("chunked");
  216408. String location (findHeaderItem (lines, T("Location:")));
  216409. if (statusCode >= 300 && statusCode < 400
  216410. && location.isNotEmpty())
  216411. {
  216412. if (! location.startsWithIgnoreCase (T("http://")))
  216413. location = T("http://") + location;
  216414. if (levelsOfRedirection++ < 3)
  216415. return open (location, headers, postData, isPost, callback, callbackContext, timeOutMs);
  216416. }
  216417. else
  216418. {
  216419. levelsOfRedirection = 0;
  216420. return true;
  216421. }
  216422. }
  216423. closeSocket();
  216424. return false;
  216425. }
  216426. int read (void* buffer, int bytesToRead)
  216427. {
  216428. fd_set readbits;
  216429. FD_ZERO (&readbits);
  216430. FD_SET (socketHandle, &readbits);
  216431. struct timeval tv;
  216432. tv.tv_sec = timeoutSeconds;
  216433. tv.tv_usec = 0;
  216434. if (select (socketHandle + 1, &readbits, 0, 0, &tv) <= 0)
  216435. return 0; // (timeout)
  216436. const int bytesRead = jmax (0, recv (socketHandle, buffer, bytesToRead, MSG_WAITALL));
  216437. readPosition += bytesRead;
  216438. return bytesRead;
  216439. }
  216440. int readPosition;
  216441. juce_UseDebuggingNewOperator
  216442. private:
  216443. int socketHandle, levelsOfRedirection;
  216444. const int timeoutSeconds;
  216445. void closeSocket()
  216446. {
  216447. if (socketHandle >= 0)
  216448. close (socketHandle);
  216449. socketHandle = -1;
  216450. }
  216451. const MemoryBlock createRequestHeader (const String& hostName,
  216452. const int hostPort,
  216453. const String& proxyName,
  216454. const int proxyPort,
  216455. const String& hostPath,
  216456. const String& originalURL,
  216457. const String& headers,
  216458. const MemoryBlock& postData,
  216459. const bool isPost)
  216460. {
  216461. String header (isPost ? "POST " : "GET ");
  216462. if (proxyName.isEmpty())
  216463. {
  216464. header << hostPath << " HTTP/1.0\r\nHost: "
  216465. << hostName << ':' << hostPort;
  216466. }
  216467. else
  216468. {
  216469. header << originalURL << " HTTP/1.0\r\nHost: "
  216470. << proxyName << ':' << proxyPort;
  216471. }
  216472. header << "\r\nUser-Agent: JUCE/"
  216473. << JUCE_MAJOR_VERSION << '.' << JUCE_MINOR_VERSION
  216474. << "\r\nConnection: Close\r\nContent-Length: "
  216475. << postData.getSize() << "\r\n"
  216476. << headers << "\r\n";
  216477. MemoryBlock mb;
  216478. mb.append (header.toUTF8(), (int) strlen (header.toUTF8()));
  216479. mb.append (postData.getData(), postData.getSize());
  216480. return mb;
  216481. }
  216482. const String readResponse (const uint32 timeOutTime)
  216483. {
  216484. int bytesRead = 0, numConsecutiveLFs = 0;
  216485. MemoryBlock buffer (1024, true);
  216486. while (numConsecutiveLFs < 2 && bytesRead < 32768
  216487. && Time::getMillisecondCounter() <= timeOutTime)
  216488. {
  216489. fd_set readbits;
  216490. FD_ZERO (&readbits);
  216491. FD_SET (socketHandle, &readbits);
  216492. struct timeval tv;
  216493. tv.tv_sec = timeoutSeconds;
  216494. tv.tv_usec = 0;
  216495. if (select (socketHandle + 1, &readbits, 0, 0, &tv) <= 0)
  216496. return String::empty; // (timeout)
  216497. buffer.ensureSize (bytesRead + 8, true);
  216498. char* const dest = (char*) buffer.getData() + bytesRead;
  216499. if (recv (socketHandle, dest, 1, 0) == -1)
  216500. return String::empty;
  216501. const char lastByte = *dest;
  216502. ++bytesRead;
  216503. if (lastByte == '\n')
  216504. ++numConsecutiveLFs;
  216505. else if (lastByte != '\r')
  216506. numConsecutiveLFs = 0;
  216507. }
  216508. const String header (String::fromUTF8 ((const uint8*) buffer.getData()));
  216509. if (header.startsWithIgnoreCase (T("HTTP/")))
  216510. return header.trimEnd();
  216511. return String::empty;
  216512. }
  216513. static bool decomposeURL (const String& url,
  216514. String& host, String& path, int& port)
  216515. {
  216516. if (! url.startsWithIgnoreCase (T("http://")))
  216517. return false;
  216518. const int nextSlash = url.indexOfChar (7, '/');
  216519. int nextColon = url.indexOfChar (7, ':');
  216520. if (nextColon > nextSlash && nextSlash > 0)
  216521. nextColon = -1;
  216522. if (nextColon >= 0)
  216523. {
  216524. host = url.substring (7, nextColon);
  216525. if (nextSlash >= 0)
  216526. port = url.substring (nextColon + 1, nextSlash).getIntValue();
  216527. else
  216528. port = url.substring (nextColon + 1).getIntValue();
  216529. }
  216530. else
  216531. {
  216532. port = 80;
  216533. if (nextSlash >= 0)
  216534. host = url.substring (7, nextSlash);
  216535. else
  216536. host = url.substring (7);
  216537. }
  216538. if (nextSlash >= 0)
  216539. path = url.substring (nextSlash);
  216540. else
  216541. path = T("/");
  216542. return true;
  216543. }
  216544. static const String findHeaderItem (const StringArray& lines, const String& itemName)
  216545. {
  216546. for (int i = 0; i < lines.size(); ++i)
  216547. if (lines[i].startsWithIgnoreCase (itemName))
  216548. return lines[i].substring (itemName.length()).trim();
  216549. return String::empty;
  216550. }
  216551. };
  216552. bool juce_isOnLine()
  216553. {
  216554. return true;
  216555. }
  216556. void* juce_openInternetFile (const String& url,
  216557. const String& headers,
  216558. const MemoryBlock& postData,
  216559. const bool isPost,
  216560. URL::OpenStreamProgressCallback* callback,
  216561. void* callbackContext,
  216562. int timeOutMs)
  216563. {
  216564. JUCE_HTTPSocketStream* const s = new JUCE_HTTPSocketStream();
  216565. if (s->open (url, headers, postData, isPost,
  216566. callback, callbackContext, timeOutMs))
  216567. return s;
  216568. delete s;
  216569. return 0;
  216570. }
  216571. void juce_closeInternetFile (void* handle)
  216572. {
  216573. JUCE_HTTPSocketStream* const s = (JUCE_HTTPSocketStream*) handle;
  216574. if (s != 0)
  216575. delete s;
  216576. }
  216577. int juce_readFromInternetFile (void* handle, void* buffer, int bytesToRead)
  216578. {
  216579. JUCE_HTTPSocketStream* const s = (JUCE_HTTPSocketStream*) handle;
  216580. if (s != 0)
  216581. return s->read (buffer, bytesToRead);
  216582. return 0;
  216583. }
  216584. int juce_seekInInternetFile (void* handle, int newPosition)
  216585. {
  216586. JUCE_HTTPSocketStream* const s = (JUCE_HTTPSocketStream*) handle;
  216587. if (s != 0)
  216588. return s->readPosition;
  216589. return 0;
  216590. }
  216591. /********* End of inlined file: juce_mac_HTTPStream.h *********/
  216592. static bool GetEthernetIterator (io_iterator_t* matchingServices) throw()
  216593. {
  216594. mach_port_t masterPort;
  216595. if (IOMasterPort (MACH_PORT_NULL, &masterPort) == KERN_SUCCESS)
  216596. {
  216597. CFMutableDictionaryRef dict = IOServiceMatching (kIOEthernetInterfaceClass);
  216598. if (dict != 0)
  216599. {
  216600. CFMutableDictionaryRef propDict = CFDictionaryCreateMutable (kCFAllocatorDefault,
  216601. 0,
  216602. &kCFTypeDictionaryKeyCallBacks,
  216603. &kCFTypeDictionaryValueCallBacks);
  216604. if (propDict != 0)
  216605. {
  216606. CFDictionarySetValue (propDict, CFSTR (kIOPrimaryInterface), kCFBooleanTrue);
  216607. CFDictionarySetValue (dict, CFSTR (kIOPropertyMatchKey), propDict);
  216608. CFRelease (propDict);
  216609. }
  216610. }
  216611. return IOServiceGetMatchingServices (masterPort, dict, matchingServices) == KERN_SUCCESS;
  216612. }
  216613. return false;
  216614. }
  216615. int SystemStats::getMACAddresses (int64* addresses, int maxNum, const bool littleEndian) throw()
  216616. {
  216617. int numResults = 0;
  216618. io_iterator_t it;
  216619. if (GetEthernetIterator (&it))
  216620. {
  216621. io_object_t i;
  216622. while ((i = IOIteratorNext (it)) != 0)
  216623. {
  216624. io_object_t controller;
  216625. if (IORegistryEntryGetParentEntry (i, kIOServicePlane, &controller) == KERN_SUCCESS)
  216626. {
  216627. CFTypeRef data = IORegistryEntryCreateCFProperty (controller,
  216628. CFSTR (kIOMACAddress),
  216629. kCFAllocatorDefault,
  216630. 0);
  216631. if (data != 0)
  216632. {
  216633. UInt8 addr [kIOEthernetAddressSize];
  216634. zeromem (addr, sizeof (addr));
  216635. CFDataGetBytes ((CFDataRef) data, CFRangeMake (0, sizeof (addr)), addr);
  216636. CFRelease (data);
  216637. int64 a = 0;
  216638. for (int i = 6; --i >= 0;)
  216639. a = (a << 8) | addr[i];
  216640. if (! littleEndian)
  216641. a = (int64) swapByteOrder ((uint64) a);
  216642. if (numResults < maxNum)
  216643. {
  216644. *addresses++ = a;
  216645. ++numResults;
  216646. }
  216647. }
  216648. IOObjectRelease (controller);
  216649. }
  216650. IOObjectRelease (i);
  216651. }
  216652. IOObjectRelease (it);
  216653. }
  216654. return numResults;
  216655. }
  216656. bool PlatformUtilities::launchEmailWithAttachments (const String& targetEmailAddress,
  216657. const String& emailSubject,
  216658. const String& bodyText,
  216659. const StringArray& filesToAttach)
  216660. {
  216661. const AutoPool pool;
  216662. String script;
  216663. script << "tell application \"Mail\"\r\n"
  216664. "set newMessage to make new outgoing message with properties {subject:\""
  216665. << emailSubject.replace (T("\""), T("\\\""))
  216666. << "\", content:\""
  216667. << bodyText.replace (T("\""), T("\\\""))
  216668. << "\" & return & return}\r\n"
  216669. "tell newMessage\r\n"
  216670. "set visible to true\r\n"
  216671. "set sender to \"sdfsdfsdfewf\"\r\n"
  216672. "make new to recipient at end of to recipients with properties {address:\""
  216673. << targetEmailAddress
  216674. << "\"}\r\n";
  216675. for (int i = 0; i < filesToAttach.size(); ++i)
  216676. {
  216677. script << "tell content\r\n"
  216678. "make new attachment with properties {file name:\""
  216679. << filesToAttach[i].replace (T("\""), T("\\\""))
  216680. << "\"} at after the last paragraph\r\n"
  216681. "end tell\r\n";
  216682. }
  216683. script << "end tell\r\n"
  216684. "end tell\r\n";
  216685. NSAppleScript* s = [[NSAppleScript alloc]
  216686. initWithSource: [NSString stringWithUTF8String: (const char*) script.toUTF8()]];
  216687. NSDictionary* error = 0;
  216688. const bool ok = [s executeAndReturnError: &error] != nil;
  216689. [s release];
  216690. return ok;
  216691. }
  216692. END_JUCE_NAMESPACE
  216693. /********* End of inlined file: juce_mac_Network.mm *********/
  216694. #if ! JUCE_ONLY_BUILD_CORE_LIBRARY
  216695. /********* Start of inlined file: juce_mac_AudioCDBurner.mm *********/
  216696. #if JUCE_USE_CDBURNER
  216697. #import <DiscRecording/DiscRecording.h>
  216698. BEGIN_JUCE_NAMESPACE
  216699. END_JUCE_NAMESPACE
  216700. @interface OpenDiskDevice : NSObject
  216701. {
  216702. DRDevice* device;
  216703. NSMutableArray* tracks;
  216704. }
  216705. - (OpenDiskDevice*) initWithDevice: (DRDevice*) device;
  216706. - (void) dealloc;
  216707. - (bool) isDiskPresent;
  216708. - (int) getNumAvailableAudioBlocks;
  216709. - (void) addSourceTrack: (JUCE_NAMESPACE::AudioSource*) source numSamples: (int) numSamples_;
  216710. - (void) burn: (JUCE_NAMESPACE::AudioCDBurner::BurnProgressListener*) listener errorString: (JUCE_NAMESPACE::String*) error
  216711. ejectAfterwards: (bool) shouldEject isFake: (bool) peformFakeBurnForTesting;
  216712. @end
  216713. @interface AudioTrackProducer : NSObject
  216714. {
  216715. JUCE_NAMESPACE::AudioSource* source;
  216716. int readPosition, lengthInFrames;
  216717. }
  216718. - (AudioTrackProducer*) init: (int) lengthInFrames;
  216719. - (AudioTrackProducer*) initWithAudioSource: (JUCE_NAMESPACE::AudioSource*) source numSamples: (int) lengthInSamples;
  216720. - (void) dealloc;
  216721. - (void) setupTrackProperties: (DRTrack*) track;
  216722. - (void) cleanupTrackAfterBurn: (DRTrack*) track;
  216723. - (BOOL) cleanupTrackAfterVerification:(DRTrack*)track;
  216724. - (uint64_t) estimateLengthOfTrack:(DRTrack*)track;
  216725. - (BOOL) prepareTrack:(DRTrack*)track forBurn:(DRBurn*)burn
  216726. toMedia:(NSDictionary*)mediaInfo;
  216727. - (BOOL) prepareTrackForVerification:(DRTrack*)track;
  216728. - (uint32_t) produceDataForTrack:(DRTrack*)track intoBuffer:(char*)buffer
  216729. length:(uint32_t)bufferLength atAddress:(uint64_t)address
  216730. blockSize:(uint32_t)blockSize ioFlags:(uint32_t*)flags;
  216731. - (uint32_t) producePreGapForTrack:(DRTrack*)track
  216732. intoBuffer:(char*)buffer length:(uint32_t)bufferLength
  216733. atAddress:(uint64_t)address blockSize:(uint32_t)blockSize
  216734. ioFlags:(uint32_t*)flags;
  216735. - (BOOL) verifyDataForTrack:(DRTrack*)track inBuffer:(const char*)buffer
  216736. length:(uint32_t)bufferLength atAddress:(uint64_t)address
  216737. blockSize:(uint32_t)blockSize ioFlags:(uint32_t*)flags;
  216738. - (uint32_t) producePreGapForTrack:(DRTrack*)track
  216739. intoBuffer:(char*)buffer length:(uint32_t)bufferLength
  216740. atAddress:(uint64_t)address blockSize:(uint32_t)blockSize
  216741. ioFlags:(uint32_t*)flags;
  216742. @end
  216743. @implementation OpenDiskDevice
  216744. - (OpenDiskDevice*) initWithDevice: (DRDevice*) device_
  216745. {
  216746. [super init];
  216747. device = device_;
  216748. tracks = [[NSMutableArray alloc] init];
  216749. return self;
  216750. }
  216751. - (void) dealloc
  216752. {
  216753. [tracks release];
  216754. [super dealloc];
  216755. }
  216756. - (bool) isDiskPresent
  216757. {
  216758. return [device isValid]
  216759. && [[[device status] objectForKey: DRDeviceMediaStateKey]
  216760. isEqualTo: DRDeviceMediaStateMediaPresent];
  216761. }
  216762. - (int) getNumAvailableAudioBlocks
  216763. {
  216764. return [[[[device status] objectForKey: DRDeviceMediaInfoKey]
  216765. objectForKey: DRDeviceMediaBlocksFreeKey] intValue];
  216766. }
  216767. - (void) addSourceTrack: (JUCE_NAMESPACE::AudioSource*) source_ numSamples: (int) numSamples_
  216768. {
  216769. AudioTrackProducer* p = [[AudioTrackProducer alloc] initWithAudioSource: source_ numSamples: numSamples_];
  216770. DRTrack* t = [[DRTrack alloc] initWithProducer: p];
  216771. [p setupTrackProperties: t];
  216772. [tracks addObject: t];
  216773. [t release];
  216774. [p release];
  216775. }
  216776. - (void) burn: (JUCE_NAMESPACE::AudioCDBurner::BurnProgressListener*) listener errorString: (JUCE_NAMESPACE::String*) error
  216777. ejectAfterwards: (bool) shouldEject isFake: (bool) peformFakeBurnForTesting
  216778. {
  216779. DRBurn* burn = [DRBurn burnForDevice: device];
  216780. if (! [device acquireExclusiveAccess])
  216781. {
  216782. *error = "Couldn't open or write to the CD device";
  216783. return;
  216784. }
  216785. [device acquireMediaReservation];
  216786. NSMutableDictionary* d = [[burn properties] mutableCopy];
  216787. [d autorelease];
  216788. [d setObject: [NSNumber numberWithBool: peformFakeBurnForTesting] forKey: DRBurnTestingKey];
  216789. [d setObject: [NSNumber numberWithBool: false] forKey: DRBurnVerifyDiscKey];
  216790. [d setObject: (shouldEject ? DRBurnCompletionActionEject : DRBurnCompletionActionMount)
  216791. forKey: DRBurnCompletionActionKey];
  216792. [burn setProperties: d];
  216793. [burn writeLayout: tracks];
  216794. for (;;)
  216795. {
  216796. JUCE_NAMESPACE::Thread::sleep (300);
  216797. float progress = [[[burn status] objectForKey: DRStatusPercentCompleteKey] floatValue];
  216798. NSLog ([[burn status] description]);
  216799. if (listener != 0 && listener->audioCDBurnProgress (progress))
  216800. {
  216801. [burn abort];
  216802. *error = "User cancelled the write operation";
  216803. break;
  216804. }
  216805. if ([[[burn status] objectForKey: DRStatusStateKey] isEqualTo: DRStatusStateFailed])
  216806. {
  216807. *error = "Write operation failed";
  216808. break;
  216809. }
  216810. else if ([[[burn status] objectForKey: DRStatusStateKey] isEqualTo: DRStatusStateDone])
  216811. {
  216812. break;
  216813. }
  216814. NSString* err = (NSString*) [[[burn status] objectForKey: DRErrorStatusKey]
  216815. objectForKey: DRErrorStatusErrorStringKey];
  216816. if ([err length] > 0)
  216817. {
  216818. *error = JUCE_NAMESPACE::String::fromUTF8 ((JUCE_NAMESPACE::uint8*) [err UTF8String]);
  216819. break;
  216820. }
  216821. }
  216822. [device releaseMediaReservation];
  216823. [device releaseExclusiveAccess];
  216824. }
  216825. @end
  216826. @implementation AudioTrackProducer
  216827. - (AudioTrackProducer*) init: (int) lengthInFrames_
  216828. {
  216829. lengthInFrames = lengthInFrames_;
  216830. readPosition = 0;
  216831. return self;
  216832. }
  216833. - (void) setupTrackProperties: (DRTrack*) track
  216834. {
  216835. NSMutableDictionary* p = [[track properties] mutableCopy];
  216836. [p setObject:[DRMSF msfWithFrames: lengthInFrames] forKey: DRTrackLengthKey];
  216837. [p setObject:[NSNumber numberWithUnsignedShort:2352] forKey: DRBlockSizeKey];
  216838. [p setObject:[NSNumber numberWithInt:0] forKey: DRDataFormKey];
  216839. [p setObject:[NSNumber numberWithInt:0] forKey: DRBlockTypeKey];
  216840. [p setObject:[NSNumber numberWithInt:0] forKey: DRTrackModeKey];
  216841. [p setObject:[NSNumber numberWithInt:0] forKey: DRSessionFormatKey];
  216842. [track setProperties: p];
  216843. [p release];
  216844. }
  216845. - (AudioTrackProducer*) initWithAudioSource: (JUCE_NAMESPACE::AudioSource*) source_ numSamples: (int) lengthInSamples
  216846. {
  216847. AudioTrackProducer* s = [self init: (lengthInSamples + 587) / 588];
  216848. if (s != nil)
  216849. s->source = source_;
  216850. return s;
  216851. }
  216852. - (void) dealloc
  216853. {
  216854. if (source != 0)
  216855. {
  216856. source->releaseResources();
  216857. delete source;
  216858. }
  216859. [super dealloc];
  216860. }
  216861. - (void) cleanupTrackAfterBurn: (DRTrack*) track
  216862. {
  216863. }
  216864. - (BOOL) cleanupTrackAfterVerification:(DRTrack*)track
  216865. {
  216866. return true;
  216867. }
  216868. - (uint64_t) estimateLengthOfTrack:(DRTrack*)track
  216869. {
  216870. return lengthInFrames;
  216871. }
  216872. - (BOOL) prepareTrack:(DRTrack*)track forBurn:(DRBurn*)burn
  216873. toMedia:(NSDictionary*)mediaInfo
  216874. {
  216875. if (source != 0)
  216876. source->prepareToPlay (44100 / 75, 44100);
  216877. readPosition = 0;
  216878. return true;
  216879. }
  216880. - (BOOL) prepareTrackForVerification:(DRTrack*)track
  216881. {
  216882. if (source != 0)
  216883. source->prepareToPlay (44100 / 75, 44100);
  216884. return true;
  216885. }
  216886. - (uint32_t) produceDataForTrack:(DRTrack*)track intoBuffer:(char*)buffer
  216887. length:(uint32_t)bufferLength atAddress:(uint64_t)address
  216888. blockSize:(uint32_t)blockSize ioFlags:(uint32_t*)flags
  216889. {
  216890. if (source != 0)
  216891. {
  216892. const int numSamples = JUCE_NAMESPACE::jmin (bufferLength / 4, (lengthInFrames * (44100 / 75)) - readPosition);
  216893. if (numSamples > 0)
  216894. {
  216895. JUCE_NAMESPACE::AudioSampleBuffer tempBuffer (2, numSamples);
  216896. JUCE_NAMESPACE::AudioSourceChannelInfo info;
  216897. info.buffer = &tempBuffer;
  216898. info.startSample = 0;
  216899. info.numSamples = numSamples;
  216900. source->getNextAudioBlock (info);
  216901. JUCE_NAMESPACE::AudioDataConverters::convertFloatToInt16LE (tempBuffer.getSampleData (0),
  216902. buffer, numSamples, 4);
  216903. JUCE_NAMESPACE::AudioDataConverters::convertFloatToInt16LE (tempBuffer.getSampleData (1),
  216904. buffer + 2, numSamples, 4);
  216905. readPosition += numSamples;
  216906. }
  216907. return numSamples * 4;
  216908. }
  216909. return 0;
  216910. }
  216911. - (uint32_t) producePreGapForTrack:(DRTrack*)track
  216912. intoBuffer:(char*)buffer length:(uint32_t)bufferLength
  216913. atAddress:(uint64_t)address blockSize:(uint32_t)blockSize
  216914. ioFlags:(uint32_t*)flags
  216915. {
  216916. zeromem (buffer, bufferLength);
  216917. return bufferLength;
  216918. }
  216919. - (BOOL) verifyDataForTrack:(DRTrack*)track inBuffer:(const char*)buffer
  216920. length:(uint32_t)bufferLength atAddress:(uint64_t)address
  216921. blockSize:(uint32_t)blockSize ioFlags:(uint32_t*)flags
  216922. {
  216923. return true;
  216924. }
  216925. @end
  216926. BEGIN_JUCE_NAMESPACE
  216927. AudioCDBurner::AudioCDBurner (const int deviceIndex)
  216928. : internal (0)
  216929. {
  216930. const AutoPool pool;
  216931. OpenDiskDevice* dev = [[OpenDiskDevice alloc] initWithDevice: [[DRDevice devices] objectAtIndex: deviceIndex]];
  216932. internal = (void*) dev;
  216933. }
  216934. AudioCDBurner::~AudioCDBurner()
  216935. {
  216936. const AutoPool pool;
  216937. OpenDiskDevice* dev = (OpenDiskDevice*) internal;
  216938. if (dev != 0)
  216939. [dev release];
  216940. }
  216941. AudioCDBurner* AudioCDBurner::openDevice (const int deviceIndex)
  216942. {
  216943. const AutoPool pool;
  216944. AudioCDBurner* b = new AudioCDBurner (deviceIndex);
  216945. if (b->internal == 0)
  216946. deleteAndZero (b);
  216947. return b;
  216948. }
  216949. static NSArray* findDiskBurnerDevices()
  216950. {
  216951. NSMutableArray* results = [NSMutableArray array];
  216952. NSArray* devs = [DRDevice devices];
  216953. if (devs != 0)
  216954. {
  216955. int num = [devs count];
  216956. int i;
  216957. for (i = 0; i < num; ++i)
  216958. {
  216959. NSDictionary* dic = [[devs objectAtIndex: i] info];
  216960. NSString* name = [dic valueForKey: DRDeviceProductNameKey];
  216961. if (name != nil)
  216962. [results addObject: name];
  216963. }
  216964. }
  216965. return results;
  216966. }
  216967. const StringArray AudioCDBurner::findAvailableDevices()
  216968. {
  216969. const AutoPool pool;
  216970. NSArray* names = findDiskBurnerDevices();
  216971. StringArray s;
  216972. for (int i = 0; i < [names count]; ++i)
  216973. s.add (String::fromUTF8 ((JUCE_NAMESPACE::uint8*) [[names objectAtIndex: i] UTF8String]));
  216974. return s;
  216975. }
  216976. bool AudioCDBurner::isDiskPresent() const
  216977. {
  216978. OpenDiskDevice* dev = (OpenDiskDevice*) internal;
  216979. return dev != 0 && [dev isDiskPresent];
  216980. }
  216981. int AudioCDBurner::getNumAvailableAudioBlocks() const
  216982. {
  216983. OpenDiskDevice* dev = (OpenDiskDevice*) internal;
  216984. return [dev getNumAvailableAudioBlocks];
  216985. }
  216986. bool AudioCDBurner::addAudioTrack (AudioSource* source, int numSamps)
  216987. {
  216988. const AutoPool pool;
  216989. OpenDiskDevice* dev = (OpenDiskDevice*) internal;
  216990. if (dev != 0)
  216991. {
  216992. [dev addSourceTrack: source numSamples: numSamps];
  216993. return true;
  216994. }
  216995. return false;
  216996. }
  216997. const String AudioCDBurner::burn (JUCE_NAMESPACE::AudioCDBurner::BurnProgressListener* listener,
  216998. const bool ejectDiscAfterwards,
  216999. const bool peformFakeBurnForTesting)
  217000. {
  217001. const AutoPool pool;
  217002. JUCE_NAMESPACE::String error ("Couldn't open or write to the CD device");
  217003. OpenDiskDevice* dev = (OpenDiskDevice*) internal;
  217004. if (dev != 0)
  217005. {
  217006. error = JUCE_NAMESPACE::String::empty;
  217007. [dev burn: listener
  217008. errorString: &error
  217009. ejectAfterwards: ejectDiscAfterwards
  217010. isFake: peformFakeBurnForTesting];
  217011. }
  217012. return error;
  217013. }
  217014. END_JUCE_NAMESPACE
  217015. #endif
  217016. /********* End of inlined file: juce_mac_AudioCDBurner.mm *********/
  217017. /********* Start of inlined file: juce_mac_CoreAudio.cpp *********/
  217018. #include <CoreAudio/AudioHardware.h>
  217019. BEGIN_JUCE_NAMESPACE
  217020. #ifndef JUCE_COREAUDIO_ERROR_LOGGING_ENABLED
  217021. #define JUCE_COREAUDIO_ERROR_LOGGING_ENABLED 1
  217022. #endif
  217023. #undef log
  217024. #if JUCE_COREAUDIO_LOGGING_ENABLED
  217025. #define log(a) Logger::writeToLog (a)
  217026. #else
  217027. #define log(a)
  217028. #endif
  217029. #undef OK
  217030. #if JUCE_COREAUDIO_ERROR_LOGGING_ENABLED
  217031. static bool logAnyErrors_CoreAudio (const OSStatus err, const int lineNum)
  217032. {
  217033. if (err == noErr)
  217034. return true;
  217035. Logger::writeToLog (T("CoreAudio error: ") + String (lineNum) + T(" - ") + String::toHexString ((int)err));
  217036. jassertfalse
  217037. return false;
  217038. }
  217039. #define OK(a) logAnyErrors_CoreAudio (a, __LINE__)
  217040. #else
  217041. #define OK(a) (a == noErr)
  217042. #endif
  217043. static const int maxNumChans = 96;
  217044. class CoreAudioInternal : public Timer
  217045. {
  217046. public:
  217047. CoreAudioInternal (AudioDeviceID id)
  217048. : deviceID (id),
  217049. started (false),
  217050. audioBuffer (0),
  217051. numInputChans (0),
  217052. numOutputChans (0),
  217053. callbacksAllowed (true),
  217054. numInputChannelInfos (0),
  217055. numOutputChannelInfos (0),
  217056. inputLatency (0),
  217057. outputLatency (0),
  217058. callback (0),
  217059. inputDevice (0),
  217060. isSlaveDevice (false)
  217061. {
  217062. sampleRate = 0;
  217063. bufferSize = 512;
  217064. if (deviceID == 0)
  217065. {
  217066. error = TRANS("can't open device");
  217067. }
  217068. else
  217069. {
  217070. updateDetailsFromDevice();
  217071. AudioDeviceAddPropertyListener (deviceID,
  217072. kAudioPropertyWildcardChannel,
  217073. kAudioPropertyWildcardSection,
  217074. kAudioPropertyWildcardPropertyID,
  217075. deviceListenerProc, this);
  217076. }
  217077. }
  217078. ~CoreAudioInternal()
  217079. {
  217080. AudioDeviceRemovePropertyListener (deviceID,
  217081. kAudioPropertyWildcardChannel,
  217082. kAudioPropertyWildcardSection,
  217083. kAudioPropertyWildcardPropertyID,
  217084. deviceListenerProc);
  217085. stop (false);
  217086. juce_free (audioBuffer);
  217087. delete inputDevice;
  217088. }
  217089. void setTempBufferSize (const int numChannels, const int numSamples)
  217090. {
  217091. juce_free (audioBuffer);
  217092. audioBuffer = (float*) juce_calloc (32 + numChannels * numSamples * sizeof (float));
  217093. zeromem (tempInputBuffers, sizeof (tempInputBuffers));
  217094. zeromem (tempOutputBuffers, sizeof (tempOutputBuffers));
  217095. int count = 0;
  217096. int i;
  217097. for (i = 0; i < numInputChans; ++i)
  217098. tempInputBuffers[i] = audioBuffer + count++ * numSamples;
  217099. for (i = 0; i < numOutputChans; ++i)
  217100. tempOutputBuffers[i] = audioBuffer + count++ * numSamples;
  217101. }
  217102. // returns the number of actual available channels
  217103. void fillInChannelInfo (bool input)
  217104. {
  217105. int chanNum = 0, activeChans = 0;
  217106. UInt32 size;
  217107. if (OK (AudioDeviceGetPropertyInfo (deviceID, 0, input, kAudioDevicePropertyStreamConfiguration, &size, 0)))
  217108. {
  217109. AudioBufferList* const bufList = (AudioBufferList*) juce_calloc (size);
  217110. if (OK (AudioDeviceGetProperty (deviceID, 0, input, kAudioDevicePropertyStreamConfiguration, &size, bufList)))
  217111. {
  217112. const int numStreams = bufList->mNumberBuffers;
  217113. for (int i = 0; i < numStreams; ++i)
  217114. {
  217115. const AudioBuffer& b = bufList->mBuffers[i];
  217116. for (unsigned int j = 0; j < b.mNumberChannels; ++j)
  217117. {
  217118. if (input)
  217119. {
  217120. if (activeInputChans[chanNum])
  217121. {
  217122. inputChannelInfo [activeChans].sourceChannelNum = chanNum;
  217123. inputChannelInfo [activeChans].streamNum = i;
  217124. inputChannelInfo [activeChans].dataOffsetSamples = j;
  217125. inputChannelInfo [activeChans].dataStrideSamples = b.mNumberChannels;
  217126. ++activeChans;
  217127. numInputChannelInfos = activeChans;
  217128. }
  217129. inChanNames.add (T("input ") + String (chanNum + 1));
  217130. }
  217131. else
  217132. {
  217133. if (activeOutputChans[chanNum])
  217134. {
  217135. outputChannelInfo [activeChans].sourceChannelNum = chanNum;
  217136. outputChannelInfo [activeChans].streamNum = i;
  217137. outputChannelInfo [activeChans].dataOffsetSamples = j;
  217138. outputChannelInfo [activeChans].dataStrideSamples = b.mNumberChannels;
  217139. ++activeChans;
  217140. numOutputChannelInfos = activeChans;
  217141. }
  217142. outChanNames.add (T("output ") + String (chanNum + 1));
  217143. }
  217144. ++chanNum;
  217145. }
  217146. }
  217147. }
  217148. juce_free (bufList);
  217149. }
  217150. }
  217151. void updateDetailsFromDevice()
  217152. {
  217153. stopTimer();
  217154. if (deviceID == 0)
  217155. return;
  217156. const ScopedLock sl (callbackLock);
  217157. Float64 sr;
  217158. UInt32 size = sizeof (Float64);
  217159. if (OK (AudioDeviceGetProperty (deviceID, 0, false, kAudioDevicePropertyNominalSampleRate, &size, &sr)))
  217160. sampleRate = sr;
  217161. UInt32 framesPerBuf;
  217162. size = sizeof (framesPerBuf);
  217163. if (OK (AudioDeviceGetProperty (deviceID, 0, false, kAudioDevicePropertyBufferFrameSize, &size, &framesPerBuf)))
  217164. {
  217165. bufferSize = framesPerBuf;
  217166. if (bufferSize > 0)
  217167. setTempBufferSize (numInputChans + numOutputChans, bufferSize);
  217168. }
  217169. bufferSizes.clear();
  217170. if (OK (AudioDeviceGetPropertyInfo (deviceID, 0, false, kAudioDevicePropertyBufferFrameSizeRange, &size, 0)))
  217171. {
  217172. AudioValueRange* ranges = (AudioValueRange*) juce_calloc (size);
  217173. if (OK (AudioDeviceGetProperty (deviceID, 0, false, kAudioDevicePropertyBufferFrameSizeRange, &size, ranges)))
  217174. {
  217175. bufferSizes.add ((int) ranges[0].mMinimum);
  217176. for (int i = 32; i < 8192; i += 32)
  217177. {
  217178. for (int j = size / sizeof (AudioValueRange); --j >= 0;)
  217179. {
  217180. if (i >= ranges[j].mMinimum && i <= ranges[j].mMaximum)
  217181. {
  217182. bufferSizes.addIfNotAlreadyThere (i);
  217183. break;
  217184. }
  217185. }
  217186. }
  217187. if (bufferSize > 0)
  217188. bufferSizes.addIfNotAlreadyThere (bufferSize);
  217189. }
  217190. juce_free (ranges);
  217191. }
  217192. if (bufferSizes.size() == 0 && bufferSize > 0)
  217193. bufferSizes.add (bufferSize);
  217194. sampleRates.clear();
  217195. const double possibleRates[] = { 44100.0, 48000.0, 88200.0, 96000.0, 176400.0, 192000.0 };
  217196. String rates;
  217197. if (OK (AudioDeviceGetPropertyInfo (deviceID, 0, false, kAudioDevicePropertyAvailableNominalSampleRates, &size, 0)))
  217198. {
  217199. AudioValueRange* ranges = (AudioValueRange*) juce_calloc (size);
  217200. if (OK (AudioDeviceGetProperty (deviceID, 0, false, kAudioDevicePropertyAvailableNominalSampleRates, &size, ranges)))
  217201. {
  217202. for (int i = 0; i < numElementsInArray (possibleRates); ++i)
  217203. {
  217204. bool ok = false;
  217205. for (int j = size / sizeof (AudioValueRange); --j >= 0;)
  217206. if (possibleRates[i] >= ranges[j].mMinimum - 2 && possibleRates[i] <= ranges[j].mMaximum + 2)
  217207. ok = true;
  217208. if (ok)
  217209. {
  217210. sampleRates.add (possibleRates[i]);
  217211. rates << possibleRates[i] << T(" ");
  217212. }
  217213. }
  217214. }
  217215. juce_free (ranges);
  217216. }
  217217. if (sampleRates.size() == 0 && sampleRate > 0)
  217218. {
  217219. sampleRates.add (sampleRate);
  217220. rates << sampleRate;
  217221. }
  217222. log (T("sr: ") + rates);
  217223. inputLatency = 0;
  217224. outputLatency = 0;
  217225. UInt32 lat;
  217226. size = sizeof (UInt32);
  217227. if (AudioDeviceGetProperty (deviceID, 0, true, kAudioDevicePropertyLatency, &size, &lat) == noErr)
  217228. inputLatency = (int) lat;
  217229. if (AudioDeviceGetProperty (deviceID, 0, false, kAudioDevicePropertyLatency, &size, &lat) == noErr)
  217230. outputLatency = (int) lat;
  217231. log (T("lat: ") + String (inputLatency) + T(" ") + String (outputLatency));
  217232. inChanNames.clear();
  217233. outChanNames.clear();
  217234. zeromem (inputChannelInfo, sizeof (inputChannelInfo));
  217235. zeromem (outputChannelInfo, sizeof (outputChannelInfo));
  217236. fillInChannelInfo (true);
  217237. fillInChannelInfo (false);
  217238. }
  217239. const StringArray getSources (bool input)
  217240. {
  217241. StringArray s;
  217242. int num = 0;
  217243. OSType* types = getAllDataSourcesForDevice (deviceID, input, num);
  217244. if (types != 0)
  217245. {
  217246. for (int i = 0; i < num; ++i)
  217247. {
  217248. AudioValueTranslation avt;
  217249. char buffer[256];
  217250. avt.mInputData = (void*) &(types[i]);
  217251. avt.mInputDataSize = sizeof (UInt32);
  217252. avt.mOutputData = buffer;
  217253. avt.mOutputDataSize = 256;
  217254. UInt32 transSize = sizeof (avt);
  217255. if (OK (AudioDeviceGetProperty (deviceID, 0, input, kAudioDevicePropertyDataSourceNameForID, &transSize, &avt)))
  217256. {
  217257. DBG (buffer);
  217258. s.add (buffer);
  217259. }
  217260. }
  217261. juce_free (types);
  217262. }
  217263. return s;
  217264. }
  217265. int getCurrentSourceIndex (bool input) const
  217266. {
  217267. OSType currentSourceID = 0;
  217268. UInt32 size = 0;
  217269. int result = -1;
  217270. if (deviceID != 0
  217271. && OK (AudioDeviceGetPropertyInfo (deviceID, 0, input, kAudioDevicePropertyDataSource, &size, 0)))
  217272. {
  217273. if (OK (AudioDeviceGetProperty (deviceID, 0, input, kAudioDevicePropertyDataSource, &size, &currentSourceID)))
  217274. {
  217275. int num = 0;
  217276. OSType* const types = getAllDataSourcesForDevice (deviceID, input, num);
  217277. if (types != 0)
  217278. {
  217279. for (int i = 0; i < num; ++i)
  217280. {
  217281. if (types[num] == currentSourceID)
  217282. {
  217283. result = i;
  217284. break;
  217285. }
  217286. }
  217287. juce_free (types);
  217288. }
  217289. }
  217290. }
  217291. return result;
  217292. }
  217293. void setCurrentSourceIndex (int index, bool input)
  217294. {
  217295. if (deviceID != 0)
  217296. {
  217297. int num = 0;
  217298. OSType* types = getAllDataSourcesForDevice (deviceID, input, num);
  217299. if (types != 0)
  217300. {
  217301. if (((unsigned int) index) < num)
  217302. {
  217303. OSType typeId = types[index];
  217304. AudioDeviceSetProperty (deviceID, 0, 0, input, kAudioDevicePropertyDataSource, sizeof (typeId), &typeId);
  217305. }
  217306. juce_free (types);
  217307. }
  217308. }
  217309. }
  217310. const String reopen (const BitArray& inputChannels,
  217311. const BitArray& outputChannels,
  217312. double newSampleRate,
  217313. int bufferSizeSamples)
  217314. {
  217315. error = String::empty;
  217316. log ("CoreAudio reopen");
  217317. callbacksAllowed = false;
  217318. stopTimer();
  217319. stop (false);
  217320. activeInputChans = inputChannels;
  217321. activeOutputChans = outputChannels;
  217322. activeInputChans.setRange (inChanNames.size(),
  217323. activeInputChans.getHighestBit() + 1 - inChanNames.size(),
  217324. false);
  217325. activeOutputChans.setRange (outChanNames.size(),
  217326. activeOutputChans.getHighestBit() + 1 - outChanNames.size(),
  217327. false);
  217328. numInputChans = activeInputChans.countNumberOfSetBits();
  217329. numOutputChans = activeOutputChans.countNumberOfSetBits();
  217330. // set sample rate
  217331. Float64 sr = newSampleRate;
  217332. UInt32 size = sizeof (sr);
  217333. OK (AudioDeviceSetProperty (deviceID, 0, 0, false, kAudioDevicePropertyNominalSampleRate, size, &sr));
  217334. OK (AudioDeviceSetProperty (deviceID, 0, 0, true, kAudioDevicePropertyNominalSampleRate, size, &sr));
  217335. // change buffer size
  217336. UInt32 framesPerBuf = bufferSizeSamples;
  217337. size = sizeof (framesPerBuf);
  217338. OK (AudioDeviceSetProperty (deviceID, 0, 0, false, kAudioDevicePropertyBufferFrameSize, size, &framesPerBuf));
  217339. OK (AudioDeviceSetProperty (deviceID, 0, 0, true, kAudioDevicePropertyBufferFrameSize, size, &framesPerBuf));
  217340. // wait for the changes to happen (on some devices)
  217341. int i = 30;
  217342. while (--i >= 0)
  217343. {
  217344. updateDetailsFromDevice();
  217345. if (sampleRate == newSampleRate && bufferSizeSamples == bufferSize)
  217346. break;
  217347. Thread::sleep (100);
  217348. }
  217349. if (i < 0)
  217350. error = "Couldn't change sample rate/buffer size";
  217351. if (sampleRates.size() == 0)
  217352. error = "Device has no available sample-rates";
  217353. if (bufferSizes.size() == 0)
  217354. error = "Device has no available buffer-sizes";
  217355. if (inputDevice != 0 && error.isEmpty())
  217356. error = inputDevice->reopen (inputChannels,
  217357. outputChannels,
  217358. newSampleRate,
  217359. bufferSizeSamples);
  217360. callbacksAllowed = true;
  217361. return error;
  217362. }
  217363. bool start (AudioIODeviceCallback* cb)
  217364. {
  217365. if (! started)
  217366. {
  217367. callback = 0;
  217368. if (deviceID != 0)
  217369. {
  217370. if (OK (AudioDeviceAddIOProc (deviceID, audioIOProc, (void*) this)))
  217371. {
  217372. if (OK (AudioDeviceStart (deviceID, audioIOProc)))
  217373. {
  217374. started = true;
  217375. }
  217376. else
  217377. {
  217378. OK (AudioDeviceRemoveIOProc (deviceID, audioIOProc));
  217379. }
  217380. }
  217381. }
  217382. }
  217383. if (started)
  217384. {
  217385. const ScopedLock sl (callbackLock);
  217386. callback = cb;
  217387. }
  217388. if (inputDevice != 0)
  217389. return started && inputDevice->start (cb);
  217390. else
  217391. return started;
  217392. }
  217393. void stop (bool leaveInterruptRunning)
  217394. {
  217395. callbackLock.enter();
  217396. callback = 0;
  217397. callbackLock.exit();
  217398. if (started
  217399. && (deviceID != 0)
  217400. && ! leaveInterruptRunning)
  217401. {
  217402. OK (AudioDeviceStop (deviceID, audioIOProc));
  217403. OK (AudioDeviceRemoveIOProc (deviceID, audioIOProc));
  217404. started = false;
  217405. callbackLock.enter();
  217406. callbackLock.exit();
  217407. // wait until it's definately stopped calling back..
  217408. for (int i = 40; --i >= 0;)
  217409. {
  217410. Thread::sleep (50);
  217411. UInt32 running = 0;
  217412. UInt32 size = sizeof (running);
  217413. OK (AudioDeviceGetProperty (deviceID, 0, false, kAudioDevicePropertyDeviceIsRunning, &size, &running));
  217414. if (running == 0)
  217415. break;
  217416. }
  217417. callbackLock.enter();
  217418. callbackLock.exit();
  217419. }
  217420. if (inputDevice != 0)
  217421. inputDevice->stop (leaveInterruptRunning);
  217422. }
  217423. double getSampleRate() const
  217424. {
  217425. return sampleRate;
  217426. }
  217427. int getBufferSize() const
  217428. {
  217429. return bufferSize;
  217430. }
  217431. void audioCallback (const AudioBufferList* inInputData,
  217432. AudioBufferList* outOutputData)
  217433. {
  217434. int i;
  217435. const ScopedLock sl (callbackLock);
  217436. if (callback != 0)
  217437. {
  217438. if (inputDevice == 0)
  217439. {
  217440. for (i = numInputChans; --i >= 0;)
  217441. {
  217442. const CallbackDetailsForChannel& info = inputChannelInfo[i];
  217443. float* dest = tempInputBuffers [info.sourceChannelNum];
  217444. const float* src = ((const float*) inInputData->mBuffers[info.streamNum].mData)
  217445. + info.dataOffsetSamples;
  217446. const int stride = info.dataStrideSamples;
  217447. if (stride != 0) // if this is zero, info is invalid
  217448. {
  217449. for (int j = bufferSize; --j >= 0;)
  217450. {
  217451. *dest++ = *src;
  217452. src += stride;
  217453. }
  217454. }
  217455. }
  217456. }
  217457. if (! isSlaveDevice)
  217458. {
  217459. if (inputDevice == 0)
  217460. {
  217461. callback->audioDeviceIOCallback ((const float**) tempInputBuffers,
  217462. numInputChans,
  217463. tempOutputBuffers,
  217464. numOutputChans,
  217465. bufferSize);
  217466. }
  217467. else
  217468. {
  217469. jassert (inputDevice->bufferSize == bufferSize);
  217470. callback->audioDeviceIOCallback ((const float**) inputDevice->tempInputBuffers,
  217471. inputDevice->numInputChans,
  217472. tempOutputBuffers,
  217473. numOutputChans,
  217474. bufferSize);
  217475. }
  217476. for (i = numOutputChans; --i >= 0;)
  217477. {
  217478. const CallbackDetailsForChannel& info = outputChannelInfo[i];
  217479. const float* src = tempOutputBuffers [i];
  217480. float* dest = ((float*) outOutputData->mBuffers[info.streamNum].mData)
  217481. + info.dataOffsetSamples;
  217482. const int stride = info.dataStrideSamples;
  217483. if (stride != 0) // if this is zero, info is invalid
  217484. {
  217485. for (int j = bufferSize; --j >= 0;)
  217486. {
  217487. *dest = *src++;
  217488. dest += stride;
  217489. }
  217490. }
  217491. }
  217492. }
  217493. }
  217494. else
  217495. {
  217496. for (i = jmin (numOutputChans, numOutputChannelInfos); --i >= 0;)
  217497. {
  217498. const CallbackDetailsForChannel& info = outputChannelInfo[i];
  217499. float* dest = ((float*) outOutputData->mBuffers[info.streamNum].mData)
  217500. + info.dataOffsetSamples;
  217501. const int stride = info.dataStrideSamples;
  217502. if (stride != 0) // if this is zero, info is invalid
  217503. {
  217504. for (int j = bufferSize; --j >= 0;)
  217505. {
  217506. *dest = 0.0f;
  217507. dest += stride;
  217508. }
  217509. }
  217510. }
  217511. }
  217512. }
  217513. // called by callbacks
  217514. void deviceDetailsChanged()
  217515. {
  217516. if (callbacksAllowed)
  217517. startTimer (100);
  217518. }
  217519. void timerCallback()
  217520. {
  217521. stopTimer();
  217522. log ("CoreAudio device changed callback");
  217523. const double oldSampleRate = sampleRate;
  217524. const int oldBufferSize = bufferSize;
  217525. updateDetailsFromDevice();
  217526. if (oldBufferSize != bufferSize || oldSampleRate != sampleRate)
  217527. {
  217528. callbacksAllowed = false;
  217529. stop (false);
  217530. updateDetailsFromDevice();
  217531. callbacksAllowed = true;
  217532. }
  217533. }
  217534. CoreAudioInternal* getRelatedDevice() const
  217535. {
  217536. UInt32 size = 0;
  217537. CoreAudioInternal* result = 0;
  217538. if (deviceID != 0
  217539. && AudioDeviceGetPropertyInfo (deviceID, 0, false, kAudioDevicePropertyRelatedDevices, &size, 0) == noErr
  217540. && size > 0)
  217541. {
  217542. AudioDeviceID* devs = (AudioDeviceID*) juce_calloc (size);
  217543. if (OK (AudioDeviceGetProperty (deviceID, 0, false, kAudioDevicePropertyRelatedDevices, &size, devs)))
  217544. {
  217545. for (unsigned int i = 0; i < size / sizeof (AudioDeviceID); ++i)
  217546. {
  217547. if (devs[i] != deviceID && devs[i] != 0)
  217548. {
  217549. result = new CoreAudioInternal (devs[i]);
  217550. if (result->error.isEmpty())
  217551. {
  217552. const bool thisIsInput = inChanNames.size() > 0 && outChanNames.size() == 0;
  217553. const bool otherIsInput = result->inChanNames.size() > 0 && result->outChanNames.size() == 0;
  217554. if (thisIsInput != otherIsInput
  217555. || (inChanNames.size() + outChanNames.size() == 0)
  217556. || (result->inChanNames.size() + result->outChanNames.size()) == 0)
  217557. break;
  217558. }
  217559. deleteAndZero (result);
  217560. }
  217561. }
  217562. }
  217563. juce_free (devs);
  217564. }
  217565. return result;
  217566. }
  217567. juce_UseDebuggingNewOperator
  217568. String error;
  217569. int inputLatency, outputLatency;
  217570. BitArray activeInputChans, activeOutputChans;
  217571. StringArray inChanNames, outChanNames;
  217572. Array <double> sampleRates;
  217573. Array <int> bufferSizes;
  217574. AudioIODeviceCallback* callback;
  217575. CoreAudioInternal* inputDevice;
  217576. bool isSlaveDevice;
  217577. private:
  217578. CriticalSection callbackLock;
  217579. AudioDeviceID deviceID;
  217580. bool started;
  217581. double sampleRate;
  217582. int bufferSize;
  217583. float* audioBuffer;
  217584. int numInputChans, numOutputChans;
  217585. bool callbacksAllowed;
  217586. struct CallbackDetailsForChannel
  217587. {
  217588. int sourceChannelNum;
  217589. int streamNum;
  217590. int dataOffsetSamples;
  217591. int dataStrideSamples;
  217592. };
  217593. int numInputChannelInfos, numOutputChannelInfos;
  217594. CallbackDetailsForChannel inputChannelInfo [maxNumChans];
  217595. CallbackDetailsForChannel outputChannelInfo [maxNumChans];
  217596. float* tempInputBuffers [maxNumChans];
  217597. float* tempOutputBuffers [maxNumChans];
  217598. CoreAudioInternal (const CoreAudioInternal&);
  217599. const CoreAudioInternal& operator= (const CoreAudioInternal&);
  217600. static OSStatus audioIOProc (AudioDeviceID inDevice,
  217601. const AudioTimeStamp* inNow,
  217602. const AudioBufferList* inInputData,
  217603. const AudioTimeStamp* inInputTime,
  217604. AudioBufferList* outOutputData,
  217605. const AudioTimeStamp* inOutputTime,
  217606. void* device)
  217607. {
  217608. ((CoreAudioInternal*) device)->audioCallback (inInputData, outOutputData);
  217609. return noErr;
  217610. }
  217611. static OSStatus deviceListenerProc (AudioDeviceID inDevice,
  217612. UInt32 inLine,
  217613. Boolean isInput,
  217614. AudioDevicePropertyID inPropertyID,
  217615. void* inClientData)
  217616. {
  217617. CoreAudioInternal* const intern = (CoreAudioInternal*) inClientData;
  217618. switch (inPropertyID)
  217619. {
  217620. case kAudioDevicePropertyBufferSize:
  217621. case kAudioDevicePropertyBufferFrameSize:
  217622. case kAudioDevicePropertyNominalSampleRate:
  217623. case kAudioDevicePropertyStreamFormat:
  217624. case kAudioDevicePropertyDeviceIsAlive:
  217625. intern->deviceDetailsChanged();
  217626. break;
  217627. case kAudioDevicePropertyBufferSizeRange:
  217628. case kAudioDevicePropertyVolumeScalar:
  217629. case kAudioDevicePropertyMute:
  217630. case kAudioDevicePropertyPlayThru:
  217631. case kAudioDevicePropertyDataSource:
  217632. case kAudioDevicePropertyDeviceIsRunning:
  217633. break;
  217634. }
  217635. return noErr;
  217636. }
  217637. static OSType* getAllDataSourcesForDevice (AudioDeviceID deviceID, const bool input, int& num)
  217638. {
  217639. OSType* types = 0;
  217640. UInt32 size = 0;
  217641. num = 0;
  217642. if (deviceID != 0
  217643. && OK (AudioDeviceGetPropertyInfo (deviceID, 0, input, kAudioDevicePropertyDataSources, &size, 0)))
  217644. {
  217645. types = (OSType*) juce_calloc (size);
  217646. if (OK (AudioDeviceGetProperty (deviceID, 0, input, kAudioDevicePropertyDataSources, &size, types)))
  217647. {
  217648. num = size / sizeof (OSType);
  217649. }
  217650. else
  217651. {
  217652. juce_free (types);
  217653. types = 0;
  217654. }
  217655. }
  217656. return types;
  217657. }
  217658. };
  217659. class CoreAudioIODevice : public AudioIODevice
  217660. {
  217661. public:
  217662. CoreAudioIODevice (const String& deviceName,
  217663. AudioDeviceID inputDeviceId,
  217664. const int inputIndex_,
  217665. AudioDeviceID outputDeviceId,
  217666. const int outputIndex_)
  217667. : AudioIODevice (deviceName, "CoreAudio"),
  217668. inputIndex (inputIndex_),
  217669. outputIndex (outputIndex_),
  217670. isOpen_ (false),
  217671. isStarted (false)
  217672. {
  217673. internal = 0;
  217674. CoreAudioInternal* device = 0;
  217675. if (outputDeviceId == 0 || outputDeviceId == inputDeviceId)
  217676. {
  217677. jassert (inputDeviceId != 0);
  217678. device = new CoreAudioInternal (inputDeviceId);
  217679. lastError = device->error;
  217680. if (lastError.isNotEmpty())
  217681. deleteAndZero (device);
  217682. }
  217683. else
  217684. {
  217685. device = new CoreAudioInternal (outputDeviceId);
  217686. lastError = device->error;
  217687. if (lastError.isNotEmpty())
  217688. {
  217689. deleteAndZero (device);
  217690. }
  217691. else if (inputDeviceId != 0)
  217692. {
  217693. CoreAudioInternal* secondDevice = new CoreAudioInternal (inputDeviceId);
  217694. lastError = device->error;
  217695. if (lastError.isNotEmpty())
  217696. {
  217697. delete secondDevice;
  217698. }
  217699. else
  217700. {
  217701. device->inputDevice = secondDevice;
  217702. secondDevice->isSlaveDevice = true;
  217703. }
  217704. }
  217705. }
  217706. internal = device;
  217707. AudioHardwareAddPropertyListener (kAudioPropertyWildcardPropertyID,
  217708. hardwareListenerProc, internal);
  217709. }
  217710. ~CoreAudioIODevice()
  217711. {
  217712. AudioHardwareRemovePropertyListener (kAudioPropertyWildcardPropertyID,
  217713. hardwareListenerProc);
  217714. delete internal;
  217715. }
  217716. const StringArray getOutputChannelNames()
  217717. {
  217718. return internal->outChanNames;
  217719. }
  217720. const StringArray getInputChannelNames()
  217721. {
  217722. if (internal->inputDevice != 0)
  217723. return internal->inputDevice->inChanNames;
  217724. else
  217725. return internal->inChanNames;
  217726. }
  217727. int getNumSampleRates()
  217728. {
  217729. return internal->sampleRates.size();
  217730. }
  217731. double getSampleRate (int index)
  217732. {
  217733. return internal->sampleRates [index];
  217734. }
  217735. int getNumBufferSizesAvailable()
  217736. {
  217737. return internal->bufferSizes.size();
  217738. }
  217739. int getBufferSizeSamples (int index)
  217740. {
  217741. return internal->bufferSizes [index];
  217742. }
  217743. int getDefaultBufferSize()
  217744. {
  217745. for (int i = 0; i < getNumBufferSizesAvailable(); ++i)
  217746. if (getBufferSizeSamples(i) >= 512)
  217747. return getBufferSizeSamples(i);
  217748. return 512;
  217749. }
  217750. const String open (const BitArray& inputChannels,
  217751. const BitArray& outputChannels,
  217752. double sampleRate,
  217753. int bufferSizeSamples)
  217754. {
  217755. isOpen_ = true;
  217756. if (bufferSizeSamples <= 0)
  217757. bufferSizeSamples = getDefaultBufferSize();
  217758. internal->reopen (inputChannels, outputChannels, sampleRate, bufferSizeSamples);
  217759. lastError = internal->error;
  217760. return lastError;
  217761. }
  217762. void close()
  217763. {
  217764. isOpen_ = false;
  217765. }
  217766. bool isOpen()
  217767. {
  217768. return isOpen_;
  217769. }
  217770. int getCurrentBufferSizeSamples()
  217771. {
  217772. return internal != 0 ? internal->getBufferSize() : 512;
  217773. }
  217774. double getCurrentSampleRate()
  217775. {
  217776. return internal != 0 ? internal->getSampleRate() : 0;
  217777. }
  217778. int getCurrentBitDepth()
  217779. {
  217780. return 32; // no way to find out, so just assume it's high..
  217781. }
  217782. const BitArray getActiveOutputChannels() const
  217783. {
  217784. return internal != 0 ? internal->activeOutputChans : BitArray();
  217785. }
  217786. const BitArray getActiveInputChannels() const
  217787. {
  217788. BitArray chans;
  217789. if (internal != 0)
  217790. {
  217791. chans = internal->activeInputChans;
  217792. if (internal->inputDevice != 0)
  217793. chans.orWith (internal->inputDevice->activeInputChans);
  217794. }
  217795. return chans;
  217796. }
  217797. int getOutputLatencyInSamples()
  217798. {
  217799. if (internal == 0)
  217800. return 0;
  217801. // this seems like a good guess at getting the latency right - comparing
  217802. // this with a round-trip measurement, it gets it to within a few millisecs
  217803. // for the built-in mac soundcard
  217804. return internal->outputLatency + internal->getBufferSize() * 2;
  217805. }
  217806. int getInputLatencyInSamples()
  217807. {
  217808. if (internal == 0)
  217809. return 0;
  217810. return internal->inputLatency + internal->getBufferSize() * 2;
  217811. }
  217812. void start (AudioIODeviceCallback* callback)
  217813. {
  217814. if (internal != 0 && ! isStarted)
  217815. {
  217816. if (callback != 0)
  217817. callback->audioDeviceAboutToStart (this);
  217818. isStarted = true;
  217819. internal->start (callback);
  217820. }
  217821. }
  217822. void stop()
  217823. {
  217824. if (isStarted && internal != 0)
  217825. {
  217826. AudioIODeviceCallback* const lastCallback = internal->callback;
  217827. isStarted = false;
  217828. internal->stop (true);
  217829. if (lastCallback != 0)
  217830. lastCallback->audioDeviceStopped();
  217831. }
  217832. }
  217833. bool isPlaying()
  217834. {
  217835. if (internal->callback == 0)
  217836. isStarted = false;
  217837. return isStarted;
  217838. }
  217839. const String getLastError()
  217840. {
  217841. return lastError;
  217842. }
  217843. int inputIndex, outputIndex;
  217844. juce_UseDebuggingNewOperator
  217845. private:
  217846. CoreAudioInternal* internal;
  217847. bool isOpen_, isStarted;
  217848. String lastError;
  217849. static OSStatus hardwareListenerProc (AudioHardwarePropertyID inPropertyID, void* inClientData)
  217850. {
  217851. CoreAudioInternal* const intern = (CoreAudioInternal*) inClientData;
  217852. switch (inPropertyID)
  217853. {
  217854. case kAudioHardwarePropertyDevices:
  217855. intern->deviceDetailsChanged();
  217856. break;
  217857. case kAudioHardwarePropertyDefaultOutputDevice:
  217858. case kAudioHardwarePropertyDefaultInputDevice:
  217859. case kAudioHardwarePropertyDefaultSystemOutputDevice:
  217860. break;
  217861. }
  217862. return noErr;
  217863. }
  217864. CoreAudioIODevice (const CoreAudioIODevice&);
  217865. const CoreAudioIODevice& operator= (const CoreAudioIODevice&);
  217866. };
  217867. class CoreAudioIODeviceType : public AudioIODeviceType
  217868. {
  217869. public:
  217870. CoreAudioIODeviceType()
  217871. : AudioIODeviceType (T("CoreAudio")),
  217872. hasScanned (false)
  217873. {
  217874. }
  217875. ~CoreAudioIODeviceType()
  217876. {
  217877. }
  217878. void scanForDevices()
  217879. {
  217880. hasScanned = true;
  217881. inputDeviceNames.clear();
  217882. outputDeviceNames.clear();
  217883. inputIds.clear();
  217884. outputIds.clear();
  217885. UInt32 size;
  217886. if (OK (AudioHardwareGetPropertyInfo (kAudioHardwarePropertyDevices, &size, 0)))
  217887. {
  217888. AudioDeviceID* const devs = (AudioDeviceID*) juce_calloc (size);
  217889. if (OK (AudioHardwareGetProperty (kAudioHardwarePropertyDevices, &size, devs)))
  217890. {
  217891. static bool alreadyLogged = false;
  217892. const int num = size / sizeof (AudioDeviceID);
  217893. for (int i = 0; i < num; ++i)
  217894. {
  217895. char name[1024];
  217896. size = sizeof (name);
  217897. if (OK (AudioDeviceGetProperty (devs[i], 0, false, kAudioDevicePropertyDeviceName, &size, name)))
  217898. {
  217899. const String nameString (String::fromUTF8 ((const uint8*) name, strlen (name)));
  217900. if (! alreadyLogged)
  217901. log (T("CoreAudio device: ") + nameString);
  217902. const int numIns = getNumChannels (devs[i], true);
  217903. const int numOuts = getNumChannels (devs[i], false);
  217904. if (numIns > 0)
  217905. {
  217906. inputDeviceNames.add (nameString);
  217907. inputIds.add (devs[i]);
  217908. }
  217909. if (numOuts > 0)
  217910. {
  217911. outputDeviceNames.add (nameString);
  217912. outputIds.add (devs[i]);
  217913. }
  217914. }
  217915. }
  217916. alreadyLogged = true;
  217917. }
  217918. juce_free (devs);
  217919. }
  217920. inputDeviceNames.appendNumbersToDuplicates (false, true);
  217921. outputDeviceNames.appendNumbersToDuplicates (false, true);
  217922. }
  217923. const StringArray getDeviceNames (const bool wantInputNames) const
  217924. {
  217925. jassert (hasScanned); // need to call scanForDevices() before doing this
  217926. if (wantInputNames)
  217927. return inputDeviceNames;
  217928. else
  217929. return outputDeviceNames;
  217930. }
  217931. int getDefaultDeviceIndex (const bool forInput) const
  217932. {
  217933. jassert (hasScanned); // need to call scanForDevices() before doing this
  217934. AudioDeviceID deviceID;
  217935. UInt32 size = sizeof (deviceID);
  217936. // if they're asking for any input channels at all, use the default input, so we
  217937. // get the built-in mic rather than the built-in output with no inputs..
  217938. if (AudioHardwareGetProperty (forInput ? kAudioHardwarePropertyDefaultInputDevice
  217939. : kAudioHardwarePropertyDefaultOutputDevice,
  217940. &size, &deviceID) == noErr)
  217941. {
  217942. if (forInput)
  217943. {
  217944. for (int i = inputIds.size(); --i >= 0;)
  217945. if (inputIds[i] == deviceID)
  217946. return i;
  217947. }
  217948. else
  217949. {
  217950. for (int i = outputIds.size(); --i >= 0;)
  217951. if (outputIds[i] == deviceID)
  217952. return i;
  217953. }
  217954. }
  217955. return 0;
  217956. }
  217957. int getIndexOfDevice (AudioIODevice* device, const bool asInput) const
  217958. {
  217959. jassert (hasScanned); // need to call scanForDevices() before doing this
  217960. CoreAudioIODevice* const d = dynamic_cast <CoreAudioIODevice*> (device);
  217961. if (d == 0)
  217962. return -1;
  217963. return asInput ? d->inputIndex
  217964. : d->outputIndex;
  217965. }
  217966. bool hasSeparateInputsAndOutputs() const { return true; }
  217967. AudioIODevice* createDevice (const String& outputDeviceName,
  217968. const String& inputDeviceName)
  217969. {
  217970. jassert (hasScanned); // need to call scanForDevices() before doing this
  217971. const int inputIndex = inputDeviceNames.indexOf (inputDeviceName);
  217972. const int outputIndex = outputDeviceNames.indexOf (outputDeviceName);
  217973. String deviceName (outputDeviceName);
  217974. if (deviceName.isEmpty())
  217975. deviceName = inputDeviceName;
  217976. if (index >= 0)
  217977. return new CoreAudioIODevice (deviceName,
  217978. inputIds [inputIndex],
  217979. inputIndex,
  217980. outputIds [outputIndex],
  217981. outputIndex);
  217982. return 0;
  217983. }
  217984. juce_UseDebuggingNewOperator
  217985. private:
  217986. StringArray inputDeviceNames, outputDeviceNames;
  217987. Array <AudioDeviceID> inputIds, outputIds;
  217988. bool hasScanned;
  217989. static int getNumChannels (AudioDeviceID deviceID, bool input)
  217990. {
  217991. int total = 0;
  217992. UInt32 size;
  217993. if (OK (AudioDeviceGetPropertyInfo (deviceID, 0, input, kAudioDevicePropertyStreamConfiguration, &size, 0)))
  217994. {
  217995. AudioBufferList* const bufList = (AudioBufferList*) juce_calloc (size);
  217996. if (OK (AudioDeviceGetProperty (deviceID, 0, input, kAudioDevicePropertyStreamConfiguration, &size, bufList)))
  217997. {
  217998. const int numStreams = bufList->mNumberBuffers;
  217999. for (int i = 0; i < numStreams; ++i)
  218000. {
  218001. const AudioBuffer& b = bufList->mBuffers[i];
  218002. total += b.mNumberChannels;
  218003. }
  218004. }
  218005. juce_free (bufList);
  218006. }
  218007. return total;
  218008. }
  218009. CoreAudioIODeviceType (const CoreAudioIODeviceType&);
  218010. const CoreAudioIODeviceType& operator= (const CoreAudioIODeviceType&);
  218011. };
  218012. AudioIODeviceType* juce_createDefaultAudioIODeviceType()
  218013. {
  218014. return new CoreAudioIODeviceType();
  218015. }
  218016. #undef log
  218017. END_JUCE_NAMESPACE
  218018. /********* End of inlined file: juce_mac_CoreAudio.cpp *********/
  218019. /********* Start of inlined file: juce_mac_CoreMidi.cpp *********/
  218020. #include <CoreMIDI/MIDIServices.h>
  218021. BEGIN_JUCE_NAMESPACE
  218022. #undef log
  218023. #define log(a) Logger::writeToLog(a)
  218024. static bool logAnyErrorsMidi (const OSStatus err, const int lineNum)
  218025. {
  218026. if (err == noErr)
  218027. return true;
  218028. log (T("CoreMidi error: ") + String (lineNum) + T(" - ") + String::toHexString ((int)err));
  218029. jassertfalse
  218030. return false;
  218031. }
  218032. #undef OK
  218033. #define OK(a) logAnyErrorsMidi(a, __LINE__)
  218034. static const String getEndpointName (MIDIEndpointRef endpoint, bool isExternal)
  218035. {
  218036. String result;
  218037. CFStringRef str = 0;
  218038. MIDIObjectGetStringProperty (endpoint, kMIDIPropertyName, &str);
  218039. if (str != 0)
  218040. {
  218041. result = PlatformUtilities::cfStringToJuceString (str);
  218042. CFRelease (str);
  218043. str = 0;
  218044. }
  218045. MIDIEntityRef entity = 0;
  218046. MIDIEndpointGetEntity (endpoint, &entity);
  218047. if (entity == 0)
  218048. return result; // probably virtual
  218049. if (result.isEmpty())
  218050. {
  218051. // endpoint name has zero length - try the entity
  218052. MIDIObjectGetStringProperty (entity, kMIDIPropertyName, &str);
  218053. if (str != 0)
  218054. {
  218055. result += PlatformUtilities::cfStringToJuceString (str);
  218056. CFRelease (str);
  218057. str = 0;
  218058. }
  218059. }
  218060. // now consider the device's name
  218061. MIDIDeviceRef device = 0;
  218062. MIDIEntityGetDevice (entity, &device);
  218063. if (device == 0)
  218064. return result;
  218065. MIDIObjectGetStringProperty (device, kMIDIPropertyName, &str);
  218066. if (str != 0)
  218067. {
  218068. const String s (PlatformUtilities::cfStringToJuceString (str));
  218069. CFRelease (str);
  218070. // if an external device has only one entity, throw away
  218071. // the endpoint name and just use the device name
  218072. if (isExternal && MIDIDeviceGetNumberOfEntities (device) < 2)
  218073. {
  218074. result = s;
  218075. }
  218076. else if (! result.startsWithIgnoreCase (s))
  218077. {
  218078. // prepend the device name to the entity name
  218079. result = (s + T(" ") + result).trimEnd();
  218080. }
  218081. }
  218082. return result;
  218083. }
  218084. static const String getConnectedEndpointName (MIDIEndpointRef endpoint)
  218085. {
  218086. String result;
  218087. // Does the endpoint have connections?
  218088. CFDataRef connections = 0;
  218089. int numConnections = 0;
  218090. MIDIObjectGetDataProperty (endpoint, kMIDIPropertyConnectionUniqueID, &connections);
  218091. if (connections != 0)
  218092. {
  218093. numConnections = CFDataGetLength (connections) / sizeof (MIDIUniqueID);
  218094. if (numConnections > 0)
  218095. {
  218096. const SInt32* pid = reinterpret_cast <const SInt32*> (CFDataGetBytePtr (connections));
  218097. for (int i = 0; i < numConnections; ++i, ++pid)
  218098. {
  218099. MIDIUniqueID uid = EndianS32_BtoN (*pid);
  218100. MIDIObjectRef connObject;
  218101. MIDIObjectType connObjectType;
  218102. OSStatus err = MIDIObjectFindByUniqueID (uid, &connObject, &connObjectType);
  218103. if (err == noErr)
  218104. {
  218105. String s;
  218106. if (connObjectType == kMIDIObjectType_ExternalSource
  218107. || connObjectType == kMIDIObjectType_ExternalDestination)
  218108. {
  218109. // Connected to an external device's endpoint (10.3 and later).
  218110. s = getEndpointName (static_cast <MIDIEndpointRef> (connObject), true);
  218111. }
  218112. else
  218113. {
  218114. // Connected to an external device (10.2) (or something else, catch-all)
  218115. CFStringRef str = 0;
  218116. MIDIObjectGetStringProperty (connObject, kMIDIPropertyName, &str);
  218117. if (str != 0)
  218118. {
  218119. s = PlatformUtilities::cfStringToJuceString (str);
  218120. CFRelease (str);
  218121. }
  218122. }
  218123. if (s.isNotEmpty())
  218124. {
  218125. if (result.isNotEmpty())
  218126. result += (", ");
  218127. result += s;
  218128. }
  218129. }
  218130. }
  218131. }
  218132. CFRelease (connections);
  218133. }
  218134. if (result.isNotEmpty())
  218135. return result;
  218136. // Here, either the endpoint had no connections, or we failed to obtain names for any of them.
  218137. return getEndpointName (endpoint, false);
  218138. }
  218139. const StringArray MidiOutput::getDevices()
  218140. {
  218141. StringArray s;
  218142. const ItemCount num = MIDIGetNumberOfDestinations();
  218143. for (ItemCount i = 0; i < num; ++i)
  218144. {
  218145. MIDIEndpointRef dest = MIDIGetDestination (i);
  218146. if (dest != 0)
  218147. {
  218148. String name (getConnectedEndpointName (dest));
  218149. if (name.isEmpty())
  218150. name = "<error>";
  218151. s.add (name);
  218152. }
  218153. else
  218154. {
  218155. s.add ("<error>");
  218156. }
  218157. }
  218158. return s;
  218159. }
  218160. int MidiOutput::getDefaultDeviceIndex()
  218161. {
  218162. return 0;
  218163. }
  218164. static MIDIClientRef globalMidiClient;
  218165. static bool hasGlobalClientBeenCreated = false;
  218166. static bool makeSureClientExists()
  218167. {
  218168. if (! hasGlobalClientBeenCreated)
  218169. {
  218170. String name (T("JUCE"));
  218171. if (JUCEApplication::getInstance() != 0)
  218172. name = JUCEApplication::getInstance()->getApplicationName();
  218173. CFStringRef appName = PlatformUtilities::juceStringToCFString (name);
  218174. hasGlobalClientBeenCreated = OK (MIDIClientCreate (appName, 0, 0, &globalMidiClient));
  218175. CFRelease (appName);
  218176. }
  218177. return hasGlobalClientBeenCreated;
  218178. }
  218179. struct MidiPortAndEndpoint
  218180. {
  218181. MIDIPortRef port;
  218182. MIDIEndpointRef endPoint;
  218183. };
  218184. MidiOutput* MidiOutput::openDevice (int index)
  218185. {
  218186. MidiOutput* mo = 0;
  218187. if (((unsigned int) index) < (unsigned int) MIDIGetNumberOfDestinations())
  218188. {
  218189. MIDIEndpointRef endPoint = MIDIGetDestination (index);
  218190. CFStringRef pname;
  218191. if (OK (MIDIObjectGetStringProperty (endPoint, kMIDIPropertyName, &pname)))
  218192. {
  218193. log (T("CoreMidi - opening out: ") + PlatformUtilities::cfStringToJuceString (pname));
  218194. if (makeSureClientExists())
  218195. {
  218196. MIDIPortRef port;
  218197. if (OK (MIDIOutputPortCreate (globalMidiClient, pname, &port)))
  218198. {
  218199. MidiPortAndEndpoint* mpe = new MidiPortAndEndpoint();
  218200. mpe->port = port;
  218201. mpe->endPoint = endPoint;
  218202. mo = new MidiOutput();
  218203. mo->internal = (void*)mpe;
  218204. }
  218205. }
  218206. CFRelease (pname);
  218207. }
  218208. }
  218209. return mo;
  218210. }
  218211. MidiOutput::~MidiOutput()
  218212. {
  218213. MidiPortAndEndpoint* const mpe = (MidiPortAndEndpoint*)internal;
  218214. MIDIPortDispose (mpe->port);
  218215. delete mpe;
  218216. }
  218217. void MidiOutput::reset()
  218218. {
  218219. }
  218220. bool MidiOutput::getVolume (float& leftVol, float& rightVol)
  218221. {
  218222. return false;
  218223. }
  218224. void MidiOutput::setVolume (float leftVol, float rightVol)
  218225. {
  218226. }
  218227. void MidiOutput::sendMessageNow (const MidiMessage& message)
  218228. {
  218229. MidiPortAndEndpoint* const mpe = (MidiPortAndEndpoint*)internal;
  218230. if (message.isSysEx())
  218231. {
  218232. MIDIPacketList* const packets = (MIDIPacketList*) juce_malloc (32 + message.getRawDataSize());
  218233. packets->numPackets = 1;
  218234. packets->packet[0].timeStamp = 0;
  218235. packets->packet[0].length = message.getRawDataSize();
  218236. memcpy (packets->packet[0].data, message.getRawData(), message.getRawDataSize());
  218237. MIDISend (mpe->port, mpe->endPoint, packets);
  218238. juce_free (packets);
  218239. }
  218240. else
  218241. {
  218242. MIDIPacketList packets;
  218243. packets.numPackets = 1;
  218244. packets.packet[0].timeStamp = 0;
  218245. packets.packet[0].length = message.getRawDataSize();
  218246. *(int*) (packets.packet[0].data) = *(const int*) message.getRawData();
  218247. MIDISend (mpe->port, mpe->endPoint, &packets);
  218248. }
  218249. }
  218250. const StringArray MidiInput::getDevices()
  218251. {
  218252. StringArray s;
  218253. const ItemCount num = MIDIGetNumberOfSources();
  218254. for (ItemCount i = 0; i < num; ++i)
  218255. {
  218256. MIDIEndpointRef source = MIDIGetSource (i);
  218257. if (source != 0)
  218258. {
  218259. String name (getConnectedEndpointName (source));
  218260. if (name.isEmpty())
  218261. name = "<error>";
  218262. s.add (name);
  218263. }
  218264. else
  218265. {
  218266. s.add ("<error>");
  218267. }
  218268. }
  218269. return s;
  218270. }
  218271. int MidiInput::getDefaultDeviceIndex()
  218272. {
  218273. return 0;
  218274. }
  218275. struct MidiPortAndCallback
  218276. {
  218277. MidiInput* input;
  218278. MIDIPortRef port;
  218279. MIDIEndpointRef endPoint;
  218280. MidiInputCallback* callback;
  218281. MemoryBlock pendingData;
  218282. int pendingBytes;
  218283. double pendingDataTime;
  218284. bool active;
  218285. };
  218286. static CriticalSection callbackLock;
  218287. static VoidArray activeCallbacks;
  218288. static void processSysex (MidiPortAndCallback* const mpe, const uint8*& d, int& size, const double time)
  218289. {
  218290. if (*d == 0xf0)
  218291. {
  218292. mpe->pendingBytes = 0;
  218293. mpe->pendingDataTime = time;
  218294. }
  218295. mpe->pendingData.ensureSize (mpe->pendingBytes + size, false);
  218296. uint8* totalMessage = (uint8*) mpe->pendingData.getData();
  218297. uint8* dest = totalMessage + mpe->pendingBytes;
  218298. while (size > 0)
  218299. {
  218300. if (mpe->pendingBytes > 0 && *d >= 0x80)
  218301. {
  218302. if (*d >= 0xfa || *d == 0xf8)
  218303. {
  218304. mpe->callback->handleIncomingMidiMessage (mpe->input, MidiMessage (*d, time));
  218305. ++d;
  218306. --size;
  218307. }
  218308. else
  218309. {
  218310. if (*d == 0xf7)
  218311. {
  218312. *dest++ = *d++;
  218313. mpe->pendingBytes++;
  218314. --size;
  218315. }
  218316. break;
  218317. }
  218318. }
  218319. else
  218320. {
  218321. *dest++ = *d++;
  218322. mpe->pendingBytes++;
  218323. --size;
  218324. }
  218325. }
  218326. if (totalMessage [mpe->pendingBytes - 1] == 0xf7)
  218327. {
  218328. mpe->callback->handleIncomingMidiMessage (mpe->input, MidiMessage (totalMessage,
  218329. mpe->pendingBytes,
  218330. mpe->pendingDataTime));
  218331. mpe->pendingBytes = 0;
  218332. }
  218333. else
  218334. {
  218335. mpe->callback->handlePartialSysexMessage (mpe->input,
  218336. totalMessage,
  218337. mpe->pendingBytes,
  218338. mpe->pendingDataTime);
  218339. }
  218340. }
  218341. static void midiInputProc (const MIDIPacketList* pktlist,
  218342. void* readProcRefCon,
  218343. void* srcConnRefCon)
  218344. {
  218345. double time = Time::getMillisecondCounterHiRes() * 0.001;
  218346. const double originalTime = time;
  218347. MidiPortAndCallback* const mpe = (MidiPortAndCallback*) readProcRefCon;
  218348. const ScopedLock sl (callbackLock);
  218349. if (activeCallbacks.contains (mpe) && mpe->active)
  218350. {
  218351. const MIDIPacket* packet = &pktlist->packet[0];
  218352. for (unsigned int i = 0; i < pktlist->numPackets; ++i)
  218353. {
  218354. const uint8* d = (const uint8*) (packet->data);
  218355. int size = packet->length;
  218356. while (size > 0)
  218357. {
  218358. time = originalTime;
  218359. if (mpe->pendingBytes > 0 || d[0] == 0xf0)
  218360. {
  218361. processSysex (mpe, d, size, time);
  218362. }
  218363. else
  218364. {
  218365. int used = 0;
  218366. const MidiMessage m (d, size, used, 0, time);
  218367. if (used <= 0)
  218368. {
  218369. jassertfalse // malformed midi message
  218370. break;
  218371. }
  218372. else
  218373. {
  218374. mpe->callback->handleIncomingMidiMessage (mpe->input, m);
  218375. }
  218376. size -= used;
  218377. d += used;
  218378. }
  218379. }
  218380. packet = MIDIPacketNext (packet);
  218381. }
  218382. }
  218383. }
  218384. MidiInput* MidiInput::openDevice (int index, MidiInputCallback* callback)
  218385. {
  218386. MidiInput* mi = 0;
  218387. if (((unsigned int) index) < (unsigned int) MIDIGetNumberOfSources())
  218388. {
  218389. MIDIEndpointRef endPoint = MIDIGetSource (index);
  218390. if (endPoint != 0)
  218391. {
  218392. CFStringRef pname;
  218393. if (OK (MIDIObjectGetStringProperty (endPoint, kMIDIPropertyName, &pname)))
  218394. {
  218395. log (T("CoreMidi - opening inp: ") + PlatformUtilities::cfStringToJuceString (pname));
  218396. if (makeSureClientExists())
  218397. {
  218398. MIDIPortRef port;
  218399. MidiPortAndCallback* const mpe = new MidiPortAndCallback();
  218400. mpe->active = false;
  218401. if (OK (MIDIInputPortCreate (globalMidiClient, pname, midiInputProc, mpe, &port)))
  218402. {
  218403. if (OK (MIDIPortConnectSource (port, endPoint, 0)))
  218404. {
  218405. mpe->port = port;
  218406. mpe->endPoint = endPoint;
  218407. mpe->callback = callback;
  218408. mpe->pendingBytes = 0;
  218409. mpe->pendingData.ensureSize (128);
  218410. mi = new MidiInput (getDevices() [index]);
  218411. mpe->input = mi;
  218412. mi->internal = (void*) mpe;
  218413. const ScopedLock sl (callbackLock);
  218414. activeCallbacks.add (mpe);
  218415. }
  218416. else
  218417. {
  218418. OK (MIDIPortDispose (port));
  218419. delete mpe;
  218420. }
  218421. }
  218422. else
  218423. {
  218424. delete mpe;
  218425. }
  218426. }
  218427. }
  218428. CFRelease (pname);
  218429. }
  218430. }
  218431. return mi;
  218432. }
  218433. MidiInput::MidiInput (const String& name_)
  218434. : name (name_)
  218435. {
  218436. }
  218437. MidiInput::~MidiInput()
  218438. {
  218439. MidiPortAndCallback* const mpe = (MidiPortAndCallback*) internal;
  218440. mpe->active = false;
  218441. callbackLock.enter();
  218442. activeCallbacks.removeValue (mpe);
  218443. callbackLock.exit();
  218444. OK (MIDIPortDisconnectSource (mpe->port, mpe->endPoint));
  218445. OK (MIDIPortDispose (mpe->port));
  218446. delete mpe;
  218447. }
  218448. void MidiInput::start()
  218449. {
  218450. MidiPortAndCallback* const mpe = (MidiPortAndCallback*) internal;
  218451. const ScopedLock sl (callbackLock);
  218452. mpe->active = true;
  218453. }
  218454. void MidiInput::stop()
  218455. {
  218456. MidiPortAndCallback* const mpe = (MidiPortAndCallback*) internal;
  218457. const ScopedLock sl (callbackLock);
  218458. mpe->active = false;
  218459. }
  218460. #undef log
  218461. END_JUCE_NAMESPACE
  218462. /********* End of inlined file: juce_mac_CoreMidi.cpp *********/
  218463. /********* Start of inlined file: juce_mac_FileChooser.mm *********/
  218464. #include <fnmatch.h>
  218465. BEGIN_JUCE_NAMESPACE
  218466. END_JUCE_NAMESPACE
  218467. @interface JuceFileChooserDelegate : NSObject
  218468. {
  218469. JUCE_NAMESPACE::StringArray* filters;
  218470. }
  218471. - (JuceFileChooserDelegate*) initWithFilters: (JUCE_NAMESPACE::StringArray*) filters_;
  218472. - (void) dealloc;
  218473. - (BOOL) panel:(id) sender shouldShowFilename: (NSString*) filename;
  218474. @end
  218475. @implementation JuceFileChooserDelegate
  218476. - (JuceFileChooserDelegate*) initWithFilters: (JUCE_NAMESPACE::StringArray*) filters_
  218477. {
  218478. [super init];
  218479. filters = filters_;
  218480. return self;
  218481. }
  218482. - (void) dealloc
  218483. {
  218484. delete filters;
  218485. [super dealloc];
  218486. }
  218487. - (BOOL) panel:(id) sender shouldShowFilename: (NSString*) filename
  218488. {
  218489. const char* filenameUTF8 = (const char*) [filename UTF8String];
  218490. for (int i = filters->size(); --i >= 0;)
  218491. {
  218492. const JUCE_NAMESPACE::String wildcard ((*filters)[i].toLowerCase());
  218493. if (fnmatch (wildcard.toUTF8(), filenameUTF8, 0) == 0)
  218494. return true;
  218495. }
  218496. return JUCE_NAMESPACE::File (nsStringToJuce (filename)).isDirectory();
  218497. }
  218498. @end
  218499. BEGIN_JUCE_NAMESPACE
  218500. void FileChooser::showPlatformDialog (OwnedArray<File>& results,
  218501. const String& title,
  218502. const File& currentFileOrDirectory,
  218503. const String& filter,
  218504. bool selectsDirectory,
  218505. bool isSaveDialogue,
  218506. bool warnAboutOverwritingExistingFiles,
  218507. bool selectMultipleFiles,
  218508. FilePreviewComponent* extraInfoComponent)
  218509. {
  218510. const AutoPool pool;
  218511. StringArray* filters = new StringArray();
  218512. filters->addTokens (filter.replaceCharacters (T(",:"), T(";;")), T(";"), 0);
  218513. filters->trim();
  218514. filters->removeEmptyStrings();
  218515. JuceFileChooserDelegate* delegate = [[JuceFileChooserDelegate alloc] initWithFilters: filters];
  218516. [delegate autorelease];
  218517. NSSavePanel* panel = isSaveDialogue ? [NSSavePanel savePanel]
  218518. : [NSOpenPanel openPanel];
  218519. [panel setTitle: juceStringToNS (title)];
  218520. if (! isSaveDialogue)
  218521. {
  218522. NSOpenPanel* openPanel = (NSOpenPanel*) panel;
  218523. [openPanel setCanChooseDirectories: selectsDirectory];
  218524. [openPanel setCanChooseFiles: ! selectsDirectory];
  218525. [openPanel setAllowsMultipleSelection: selectMultipleFiles];
  218526. }
  218527. [panel setDelegate: delegate];
  218528. String directory, filename;
  218529. if (currentFileOrDirectory.isDirectory())
  218530. {
  218531. directory = currentFileOrDirectory.getFullPathName();
  218532. }
  218533. else
  218534. {
  218535. directory = currentFileOrDirectory.getParentDirectory().getFullPathName();
  218536. filename = currentFileOrDirectory.getFileName();
  218537. }
  218538. if ([panel runModalForDirectory: juceStringToNS (directory)
  218539. file: juceStringToNS (filename)]
  218540. == NSOKButton)
  218541. {
  218542. if (isSaveDialogue)
  218543. {
  218544. results.add (new File (nsStringToJuce ([panel filename])));
  218545. }
  218546. else
  218547. {
  218548. NSOpenPanel* openPanel = (NSOpenPanel*) panel;
  218549. NSArray* urls = [openPanel filenames];
  218550. for (int i = 0; i < [urls count]; ++i)
  218551. {
  218552. NSString* f = [urls objectAtIndex: i];
  218553. results.add (new File (nsStringToJuce (f)));
  218554. }
  218555. }
  218556. }
  218557. }
  218558. END_JUCE_NAMESPACE
  218559. /********* End of inlined file: juce_mac_FileChooser.mm *********/
  218560. /********* Start of inlined file: juce_mac_Fonts.mm *********/
  218561. #include <ApplicationServices/ApplicationServices.h>
  218562. BEGIN_JUCE_NAMESPACE
  218563. static OSStatus pascal CubicMoveTo (const Float32Point *pt,
  218564. void* callBackDataPtr)
  218565. {
  218566. Path* const p = (Path*) callBackDataPtr;
  218567. p->startNewSubPath (pt->x, pt->y);
  218568. return noErr;
  218569. }
  218570. static OSStatus pascal CubicLineTo (const Float32Point *pt,
  218571. void* callBackDataPtr)
  218572. {
  218573. Path* const p = (Path*) callBackDataPtr;
  218574. p->lineTo (pt->x, pt->y);
  218575. return noErr;
  218576. }
  218577. static OSStatus pascal CubicCurveTo (const Float32Point *pt1,
  218578. const Float32Point *pt2,
  218579. const Float32Point *pt3,
  218580. void* callBackDataPtr)
  218581. {
  218582. Path* const p = (Path*) callBackDataPtr;
  218583. p->cubicTo (pt1->x, pt1->y,
  218584. pt2->x, pt2->y,
  218585. pt3->x, pt3->y);
  218586. return noErr;
  218587. }
  218588. static OSStatus pascal CubicClosePath (void* callBackDataPtr)
  218589. {
  218590. Path* const p = (Path*) callBackDataPtr;
  218591. p->closeSubPath();
  218592. return noErr;
  218593. }
  218594. class ATSFontHelper
  218595. {
  218596. ATSUFontID fontId;
  218597. ATSUStyle style;
  218598. ATSCubicMoveToUPP moveToProc;
  218599. ATSCubicLineToUPP lineToProc;
  218600. ATSCubicCurveToUPP curveToProc;
  218601. ATSCubicClosePathUPP closePathProc;
  218602. float totalSize, ascent;
  218603. TextToUnicodeInfo encodingInfo;
  218604. public:
  218605. String name;
  218606. bool isBold, isItalic;
  218607. float fontSize;
  218608. int refCount;
  218609. ATSFontHelper (const String& name_,
  218610. const bool bold_,
  218611. const bool italic_,
  218612. const float size_)
  218613. : fontId (0),
  218614. name (name_),
  218615. isBold (bold_),
  218616. isItalic (italic_),
  218617. fontSize (size_),
  218618. refCount (1)
  218619. {
  218620. const char* const nameUtf8 = name_.toUTF8();
  218621. ATSUFindFontFromName (const_cast <char*> (nameUtf8),
  218622. strlen (nameUtf8),
  218623. kFontFullName,
  218624. kFontNoPlatformCode,
  218625. kFontNoScriptCode,
  218626. kFontNoLanguageCode,
  218627. &fontId);
  218628. ATSUCreateStyle (&style);
  218629. ATSUAttributeTag attTypes[] = { kATSUFontTag,
  218630. kATSUQDBoldfaceTag,
  218631. kATSUQDItalicTag,
  218632. kATSUSizeTag };
  218633. ByteCount attSizes[] = { sizeof (ATSUFontID),
  218634. sizeof (Boolean),
  218635. sizeof (Boolean),
  218636. sizeof (Fixed) };
  218637. Boolean bold = bold_, italic = italic_;
  218638. Fixed size = X2Fix (size_);
  218639. ATSUAttributeValuePtr attValues[] = { &fontId,
  218640. &bold,
  218641. &italic,
  218642. &size };
  218643. ATSUSetAttributes (style, 4, attTypes, attSizes, attValues);
  218644. moveToProc = NewATSCubicMoveToUPP (CubicMoveTo);
  218645. lineToProc = NewATSCubicLineToUPP (CubicLineTo);
  218646. curveToProc = NewATSCubicCurveToUPP (CubicCurveTo);
  218647. closePathProc = NewATSCubicClosePathUPP (CubicClosePath);
  218648. ascent = 0.0f;
  218649. float kern, descent = 0.0f;
  218650. getPathAndKerning (T('N'), T('O'), 0, kern, &ascent, &descent);
  218651. totalSize = ascent + descent;
  218652. }
  218653. ~ATSFontHelper()
  218654. {
  218655. ATSUDisposeStyle (style);
  218656. DisposeATSCubicMoveToUPP (moveToProc);
  218657. DisposeATSCubicLineToUPP (lineToProc);
  218658. DisposeATSCubicCurveToUPP (curveToProc);
  218659. DisposeATSCubicClosePathUPP (closePathProc);
  218660. }
  218661. bool getPathAndKerning (const juce_wchar char1,
  218662. const juce_wchar char2,
  218663. Path* path,
  218664. float& kerning,
  218665. float* ascent,
  218666. float* descent)
  218667. {
  218668. bool ok = false;
  218669. UniChar buffer[4];
  218670. buffer[0] = T(' ');
  218671. buffer[1] = char1;
  218672. buffer[2] = char2;
  218673. buffer[3] = 0;
  218674. UniCharCount count = kATSUToTextEnd;
  218675. ATSUTextLayout layout;
  218676. OSStatus err = ATSUCreateTextLayoutWithTextPtr (buffer,
  218677. 0,
  218678. 2,
  218679. 2,
  218680. 1,
  218681. &count,
  218682. &style,
  218683. &layout);
  218684. if (err == noErr)
  218685. {
  218686. ATSUSetTransientFontMatching (layout, true);
  218687. ATSLayoutRecord* layoutRecords;
  218688. ItemCount numRecords;
  218689. Fixed* deltaYs;
  218690. ItemCount numDeltaYs;
  218691. ATSUDirectGetLayoutDataArrayPtrFromTextLayout (layout,
  218692. 0,
  218693. kATSUDirectDataLayoutRecordATSLayoutRecordCurrent,
  218694. (void**) &layoutRecords,
  218695. &numRecords);
  218696. ATSUDirectGetLayoutDataArrayPtrFromTextLayout (layout,
  218697. 0,
  218698. kATSUDirectDataBaselineDeltaFixedArray,
  218699. (void**) &deltaYs,
  218700. &numDeltaYs);
  218701. if (numRecords > 2)
  218702. {
  218703. kerning = (float) (Fix2X (layoutRecords[2].realPos)
  218704. - Fix2X (layoutRecords[1].realPos));
  218705. if (ascent != 0)
  218706. {
  218707. ATSUTextMeasurement asc;
  218708. ByteCount actualSize;
  218709. ATSUGetLineControl (layout,
  218710. 0,
  218711. kATSULineAscentTag,
  218712. sizeof (ATSUTextMeasurement),
  218713. &asc,
  218714. &actualSize);
  218715. *ascent = (float) Fix2X (asc);
  218716. }
  218717. if (descent != 0)
  218718. {
  218719. ATSUTextMeasurement desc;
  218720. ByteCount actualSize;
  218721. ATSUGetLineControl (layout,
  218722. 0,
  218723. kATSULineDescentTag,
  218724. sizeof (ATSUTextMeasurement),
  218725. &desc,
  218726. &actualSize);
  218727. *descent = (float) Fix2X (desc);
  218728. }
  218729. if (path != 0)
  218730. {
  218731. OSStatus callbackResult;
  218732. ok = (ATSUGlyphGetCubicPaths (style,
  218733. layoutRecords[1].glyphID,
  218734. moveToProc,
  218735. lineToProc,
  218736. curveToProc,
  218737. closePathProc,
  218738. (void*) path,
  218739. &callbackResult) == noErr);
  218740. if (numDeltaYs > 0 && ok)
  218741. {
  218742. const float dy = (float) Fix2X (deltaYs[1]);
  218743. path->applyTransform (AffineTransform::translation (0.0f, dy));
  218744. }
  218745. }
  218746. else
  218747. {
  218748. ok = true;
  218749. }
  218750. }
  218751. if (deltaYs != 0)
  218752. ATSUDirectReleaseLayoutDataArrayPtr (0, kATSUDirectDataBaselineDeltaFixedArray,
  218753. (void**) &deltaYs);
  218754. if (layoutRecords != 0)
  218755. ATSUDirectReleaseLayoutDataArrayPtr (0, kATSUDirectDataLayoutRecordATSLayoutRecordCurrent,
  218756. (void**) &layoutRecords);
  218757. ATSUDisposeTextLayout (layout);
  218758. }
  218759. return kerning;
  218760. }
  218761. float getAscent()
  218762. {
  218763. return ascent;
  218764. }
  218765. float getTotalHeight()
  218766. {
  218767. return totalSize;
  218768. }
  218769. juce_wchar getDefaultChar()
  218770. {
  218771. return 0;
  218772. }
  218773. };
  218774. class ATSFontHelperCache : public Timer,
  218775. public DeletedAtShutdown
  218776. {
  218777. VoidArray cache;
  218778. public:
  218779. ATSFontHelperCache()
  218780. {
  218781. }
  218782. ~ATSFontHelperCache()
  218783. {
  218784. for (int i = cache.size(); --i >= 0;)
  218785. {
  218786. ATSFontHelper* const f = (ATSFontHelper*) cache.getUnchecked(i);
  218787. delete f;
  218788. }
  218789. clearSingletonInstance();
  218790. }
  218791. ATSFontHelper* getFont (const String& name,
  218792. const bool bold,
  218793. const bool italic,
  218794. const float size = 1024)
  218795. {
  218796. for (int i = cache.size(); --i >= 0;)
  218797. {
  218798. ATSFontHelper* const f = (ATSFontHelper*) cache.getUnchecked(i);
  218799. if (f->name == name
  218800. && f->isBold == bold
  218801. && f->isItalic == italic
  218802. && f->fontSize == size)
  218803. {
  218804. f->refCount++;
  218805. return f;
  218806. }
  218807. }
  218808. ATSFontHelper* const f = new ATSFontHelper (name, bold, italic, size);
  218809. cache.add (f);
  218810. return f;
  218811. }
  218812. void releaseFont (ATSFontHelper* f)
  218813. {
  218814. for (int i = cache.size(); --i >= 0;)
  218815. {
  218816. ATSFontHelper* const f2 = (ATSFontHelper*) cache.getUnchecked(i);
  218817. if (f == f2)
  218818. {
  218819. f->refCount--;
  218820. if (f->refCount == 0)
  218821. startTimer (5000);
  218822. break;
  218823. }
  218824. }
  218825. }
  218826. void timerCallback()
  218827. {
  218828. stopTimer();
  218829. for (int i = cache.size(); --i >= 0;)
  218830. {
  218831. ATSFontHelper* const f = (ATSFontHelper*) cache.getUnchecked(i);
  218832. if (f->refCount == 0)
  218833. {
  218834. cache.remove (i);
  218835. delete f;
  218836. }
  218837. }
  218838. if (cache.size() == 0)
  218839. delete this;
  218840. }
  218841. juce_DeclareSingleton_SingleThreaded_Minimal (ATSFontHelperCache)
  218842. };
  218843. juce_ImplementSingleton_SingleThreaded (ATSFontHelperCache)
  218844. void Typeface::initialiseTypefaceCharacteristics (const String& fontName,
  218845. bool bold,
  218846. bool italic,
  218847. bool addAllGlyphsToFont) throw()
  218848. {
  218849. // This method is only safe to be called from the normal UI thread..
  218850. jassert (MessageManager::getInstance()->isThisTheMessageThread());
  218851. ATSFontHelper* const helper = ATSFontHelperCache::getInstance()
  218852. ->getFont (fontName, bold, italic);
  218853. clear();
  218854. setAscent (helper->getAscent() / helper->getTotalHeight());
  218855. setName (fontName);
  218856. setDefaultCharacter (helper->getDefaultChar());
  218857. setBold (bold);
  218858. setItalic (italic);
  218859. if (addAllGlyphsToFont)
  218860. {
  218861. //xxx
  218862. jassertfalse
  218863. }
  218864. ATSFontHelperCache::getInstance()->releaseFont (helper);
  218865. }
  218866. bool Typeface::findAndAddSystemGlyph (juce_wchar character) throw()
  218867. {
  218868. // This method is only safe to be called from the normal UI thread..
  218869. jassert (MessageManager::getInstance()->isThisTheMessageThread());
  218870. ATSFontHelper* const helper = ATSFontHelperCache::getInstance()
  218871. ->getFont (getName(), isBold(), isItalic());
  218872. Path path;
  218873. float width;
  218874. bool foundOne = false;
  218875. if (helper->getPathAndKerning (character, T('I'), &path, width, 0, 0))
  218876. {
  218877. path.applyTransform (AffineTransform::scale (1.0f / helper->getTotalHeight(),
  218878. 1.0f / helper->getTotalHeight()));
  218879. addGlyph (character, path, width / helper->getTotalHeight());
  218880. for (int i = 0; i < glyphs.size(); ++i)
  218881. {
  218882. const TypefaceGlyphInfo* const g = (const TypefaceGlyphInfo*) glyphs.getUnchecked(i);
  218883. float kerning;
  218884. if (helper->getPathAndKerning (character, g->getCharacter(), 0, kerning, 0, 0))
  218885. {
  218886. kerning = (kerning - width) / helper->getTotalHeight();
  218887. if (kerning != 0)
  218888. addKerningPair (character, g->getCharacter(), kerning);
  218889. }
  218890. if (helper->getPathAndKerning (g->getCharacter(), character, 0, kerning, 0, 0))
  218891. {
  218892. kerning = kerning / helper->getTotalHeight() - g->width;
  218893. if (kerning != 0)
  218894. addKerningPair (g->getCharacter(), character, kerning);
  218895. }
  218896. }
  218897. foundOne = true;
  218898. }
  218899. ATSFontHelperCache::getInstance()->releaseFont (helper);
  218900. return foundOne;
  218901. }
  218902. const StringArray Font::findAllTypefaceNames() throw()
  218903. {
  218904. StringArray names;
  218905. ATSFontIterator iter;
  218906. if (ATSFontIteratorCreate (kATSFontContextGlobal,
  218907. 0,
  218908. 0,
  218909. kATSOptionFlagsRestrictedScope,
  218910. &iter) == noErr)
  218911. {
  218912. ATSFontRef font;
  218913. while (ATSFontIteratorNext (iter, &font) == noErr)
  218914. {
  218915. CFStringRef name;
  218916. if (ATSFontGetName (font,
  218917. kATSOptionFlagsDefault,
  218918. &name) == noErr)
  218919. {
  218920. const String nm (PlatformUtilities::cfStringToJuceString (name));
  218921. if (nm.isNotEmpty())
  218922. names.add (nm);
  218923. CFRelease (name);
  218924. }
  218925. }
  218926. ATSFontIteratorRelease (&iter);
  218927. }
  218928. // Use some totuous logic to eliminate bold/italic versions of fonts that we've already got
  218929. // a plain version of. This is only necessary because of Carbon's total lack of support
  218930. // for dealing with font families...
  218931. for (int j = names.size(); --j >= 0;)
  218932. {
  218933. const char* const endings[] = { " bold", " italic", " bold italic", " bolditalic",
  218934. " oblque", " bold oblique", " boldoblique" };
  218935. for (int i = 0; i < numElementsInArray (endings); ++i)
  218936. {
  218937. const String ending (endings[i]);
  218938. if (names[j].endsWithIgnoreCase (ending))
  218939. {
  218940. const String root (names[j].dropLastCharacters (ending.length()).trimEnd());
  218941. if (names.contains (root)
  218942. || names.contains (root + T(" plain"), true))
  218943. {
  218944. names.remove (j);
  218945. break;
  218946. }
  218947. }
  218948. }
  218949. }
  218950. names.sort (true);
  218951. return names;
  218952. }
  218953. void Font::getDefaultFontNames (String& defaultSans, String& defaultSerif, String& defaultFixed) throw()
  218954. {
  218955. defaultSans = "Lucida Grande";
  218956. defaultSerif = "Times New Roman";
  218957. defaultFixed = "Monaco";
  218958. }
  218959. END_JUCE_NAMESPACE
  218960. /********* End of inlined file: juce_mac_Fonts.mm *********/
  218961. /********* Start of inlined file: juce_mac_Messaging.mm *********/
  218962. #include <Carbon/Carbon.h>
  218963. BEGIN_JUCE_NAMESPACE
  218964. #undef Point
  218965. extern void juce_HandleProcessFocusChange();
  218966. extern void juce_maximiseAllMinimisedWindows();
  218967. extern void juce_InvokeMainMenuCommand (const HICommand& command);
  218968. extern void juce_MainMenuAboutToBeUsed();
  218969. struct CallbackMessagePayload
  218970. {
  218971. MessageCallbackFunction* function;
  218972. void* parameter;
  218973. void* volatile result;
  218974. bool volatile hasBeenExecuted;
  218975. };
  218976. END_JUCE_NAMESPACE
  218977. #if JUCE_COCOA
  218978. NSString* juceMessageName = 0;
  218979. @interface JuceAppDelegate : NSObject
  218980. id oldDelegate;
  218981. - (JuceAppDelegate*) init;
  218982. - (void) dealloc;
  218983. - (BOOL) application: (NSApplication*) theApplication openFile: (NSString*) filename;
  218984. - (void) application: (NSApplication*) sender openFiles: (NSArray*) filenames;
  218985. - (NSApplicationTerminateReply) applicationShouldTerminate: (NSApplication*) app;
  218986. - (void) applicationDidBecomeActive: (NSNotification*) aNotification;
  218987. - (void) applicationDidResignActive: (NSNotification*) aNotification;
  218988. - (void) applicationWillUnhide: (NSNotification*) aNotification;
  218989. - (void) customEvent: (NSNotification*) aNotification;
  218990. - (void) performCallback: (id) info;
  218991. @end
  218992. @implementation JuceAppDelegate
  218993. - (JuceAppDelegate*) init
  218994. {
  218995. [super init];
  218996. NSNotificationCenter* center = [NSNotificationCenter defaultCenter];
  218997. if (JUCE_NAMESPACE::JUCEApplication::getInstance() != 0)
  218998. {
  218999. oldDelegate = [NSApp delegate];
  219000. [NSApp setDelegate: self];
  219001. }
  219002. else
  219003. {
  219004. oldDelegate = 0;
  219005. [center addObserver: self selector: @selector (applicationDidResignActive:)
  219006. name: NSApplicationDidResignActiveNotification object: NSApp];
  219007. [center addObserver: self selector: @selector (applicationDidBecomeActive:)
  219008. name: NSApplicationDidBecomeActiveNotification object: NSApp];
  219009. [center addObserver: self selector: @selector (applicationWillUnhide:)
  219010. name: NSApplicationWillUnhideNotification object: NSApp];
  219011. }
  219012. [center addObserver: self selector: @selector (customEvent:)
  219013. name: juceMessageName object: nil];
  219014. return self;
  219015. }
  219016. - (void) dealloc
  219017. {
  219018. if (oldDelegate != 0)
  219019. [NSApp setDelegate: oldDelegate];
  219020. [[NSNotificationCenter defaultCenter] removeObserver: self];
  219021. [super dealloc];
  219022. }
  219023. - (NSApplicationTerminateReply) applicationShouldTerminate: (NSApplication*) app
  219024. {
  219025. if (JUCE_NAMESPACE::JUCEApplication::getInstance() != 0)
  219026. JUCE_NAMESPACE::JUCEApplication::getInstance()->systemRequestedQuit();
  219027. return NSTerminateLater;
  219028. }
  219029. - (BOOL) application: (NSApplication*) app openFile: (NSString*) filename
  219030. {
  219031. if (JUCE_NAMESPACE::JUCEApplication::getInstance() != 0)
  219032. {
  219033. JUCE_NAMESPACE::JUCEApplication::getInstance()->anotherInstanceStarted (nsStringToJuce (filename));
  219034. return YES;
  219035. }
  219036. return NO;
  219037. }
  219038. - (void) application: (NSApplication*) sender openFiles: (NSArray*) filenames
  219039. {
  219040. JUCE_NAMESPACE::StringArray files;
  219041. for (int i = 0; i < [filenames count]; ++i)
  219042. files.add (nsStringToJuce ((NSString*) [filenames objectAtIndex: i]));
  219043. if (files.size() > 0 && JUCE_NAMESPACE::JUCEApplication::getInstance() != 0)
  219044. JUCE_NAMESPACE::JUCEApplication::getInstance()->anotherInstanceStarted (files.joinIntoString (T(" ")));
  219045. }
  219046. - (void) applicationDidBecomeActive: (NSNotification*) aNotification
  219047. {
  219048. JUCE_NAMESPACE::juce_HandleProcessFocusChange();
  219049. }
  219050. - (void) applicationDidResignActive: (NSNotification*) aNotification
  219051. {
  219052. JUCE_NAMESPACE::juce_HandleProcessFocusChange();
  219053. }
  219054. - (void) applicationWillUnhide: (NSNotification*) aNotification
  219055. {
  219056. JUCE_NAMESPACE::juce_maximiseAllMinimisedWindows();
  219057. }
  219058. - (void) customEvent: (NSNotification*) n
  219059. {
  219060. void* message = 0;
  219061. [((NSData*) [n object]) getBytes: &message length: sizeof (message)];
  219062. if (message != 0)
  219063. JUCE_NAMESPACE::MessageManager::getInstance()->deliverMessage (message);
  219064. }
  219065. - (void) performCallback: (id) info
  219066. {
  219067. JUCE_NAMESPACE::CallbackMessagePayload* pl = (JUCE_NAMESPACE::CallbackMessagePayload*) info;
  219068. if (pl != 0)
  219069. {
  219070. pl->result = (*pl->function) (pl->parameter);
  219071. pl->hasBeenExecuted = true;
  219072. }
  219073. }
  219074. @end
  219075. #endif
  219076. BEGIN_JUCE_NAMESPACE
  219077. #if JUCE_COCOA
  219078. static JuceAppDelegate* juceAppDelegate = 0;
  219079. #else
  219080. static int kJUCEClass = FOUR_CHAR_CODE ('JUCE');
  219081. const int kJUCEKind = 1;
  219082. const int kCallbackKind = 2;
  219083. static pascal OSStatus EventHandlerProc (EventHandlerCallRef, EventRef theEvent, void* userData)
  219084. {
  219085. void* event = 0;
  219086. GetEventParameter (theEvent, 'mess', typeVoidPtr, 0, sizeof (void*), 0, &event);
  219087. if (event != 0)
  219088. MessageManager::getInstance()->deliverMessage (event);
  219089. return noErr;
  219090. }
  219091. static pascal OSStatus CallbackHandlerProc (EventHandlerCallRef, EventRef theEvent, void* userData)
  219092. {
  219093. CallbackMessagePayload* pl = 0;
  219094. GetEventParameter (theEvent, 'mess', typeVoidPtr, 0, sizeof(pl), 0, &pl);
  219095. if (pl != 0)
  219096. {
  219097. pl->result = (*pl->function) (pl->parameter);
  219098. pl->hasBeenExecuted = true;
  219099. }
  219100. return noErr;
  219101. }
  219102. static pascal OSStatus MouseClickHandlerProc (EventHandlerCallRef, EventRef theEvent, void* userData)
  219103. {
  219104. ::Point where;
  219105. GetEventParameter (theEvent, kEventParamMouseLocation, typeQDPoint, 0, sizeof(::Point), 0, &where);
  219106. WindowRef window;
  219107. if (FindWindow (where, &window) == inMenuBar)
  219108. {
  219109. // turn off the wait cursor before going in here..
  219110. const int oldTimeBeforeWaitCursor = MessageManager::getInstance()->getTimeBeforeShowingWaitCursor();
  219111. MessageManager::getInstance()->setTimeBeforeShowingWaitCursor (0);
  219112. if (Component::getCurrentlyModalComponent() != 0)
  219113. Component::getCurrentlyModalComponent()->inputAttemptWhenModal();
  219114. juce_MainMenuAboutToBeUsed();
  219115. MenuSelect (where);
  219116. HiliteMenu (0);
  219117. MessageManager::getInstance()->setTimeBeforeShowingWaitCursor (oldTimeBeforeWaitCursor);
  219118. return noErr;
  219119. }
  219120. return eventNotHandledErr;
  219121. }
  219122. static pascal OSErr QuitAppleEventHandler (const AppleEvent *appleEvt, AppleEvent* reply, long refcon)
  219123. {
  219124. if (JUCEApplication::getInstance() != 0)
  219125. JUCEApplication::getInstance()->systemRequestedQuit();
  219126. return noErr;
  219127. }
  219128. static pascal OSErr OpenDocEventHandler (const AppleEvent *appleEvt, AppleEvent* reply, long refcon)
  219129. {
  219130. AEDescList docs;
  219131. StringArray files;
  219132. if (AEGetParamDesc (appleEvt, keyDirectObject, typeAEList, &docs) == noErr)
  219133. {
  219134. long num;
  219135. if (AECountItems (&docs, &num) == noErr)
  219136. {
  219137. for (int i = 1; i <= num; ++i)
  219138. {
  219139. FSRef file;
  219140. AEKeyword keyword;
  219141. DescType type;
  219142. Size size;
  219143. if (AEGetNthPtr (&docs, i, typeFSRef, &keyword, &type,
  219144. &file, sizeof (file), &size) == noErr)
  219145. {
  219146. const String path (PlatformUtilities::makePathFromFSRef (&file));
  219147. if (path.isNotEmpty())
  219148. files.add (path.quoted());
  219149. }
  219150. }
  219151. if (files.size() > 0
  219152. && JUCEApplication::getInstance() != 0)
  219153. {
  219154. JUCE_TRY
  219155. {
  219156. JUCEApplication::getInstance()
  219157. ->anotherInstanceStarted (files.joinIntoString (T(" ")));
  219158. }
  219159. JUCE_CATCH_ALL
  219160. }
  219161. }
  219162. AEDisposeDesc (&docs);
  219163. };
  219164. return noErr;
  219165. }
  219166. static pascal OSStatus AppEventHandlerProc (EventHandlerCallRef, EventRef theEvent, void* userData)
  219167. {
  219168. const UInt32 eventClass = GetEventClass (theEvent);
  219169. if (eventClass == kEventClassCommand)
  219170. {
  219171. HICommand command;
  219172. if (GetEventParameter (theEvent, kEventParamHICommand, typeHICommand, 0, sizeof (command), 0, &command) == noErr
  219173. || GetEventParameter (theEvent, kEventParamDirectObject, typeHICommand, 0, sizeof (command), 0, &command) == noErr)
  219174. {
  219175. if (command.commandID == kHICommandQuit)
  219176. {
  219177. if (JUCEApplication::getInstance() != 0)
  219178. JUCEApplication::getInstance()->systemRequestedQuit();
  219179. return noErr;
  219180. }
  219181. else if (command.commandID == kHICommandMaximizeAll
  219182. || command.commandID == kHICommandMaximizeWindow
  219183. || command.commandID == kHICommandBringAllToFront)
  219184. {
  219185. juce_maximiseAllMinimisedWindows();
  219186. return noErr;
  219187. }
  219188. else
  219189. {
  219190. juce_InvokeMainMenuCommand (command);
  219191. }
  219192. }
  219193. }
  219194. else if (eventClass == kEventClassApplication)
  219195. {
  219196. if (GetEventKind (theEvent) == kEventAppFrontSwitched)
  219197. {
  219198. juce_HandleProcessFocusChange();
  219199. }
  219200. else if (GetEventKind (theEvent) == kEventAppShown)
  219201. {
  219202. // this seems to blank the windows, so we need to do a repaint..
  219203. for (int i = Desktop::getInstance().getNumComponents(); --i >= 0;)
  219204. {
  219205. Component* const c = Desktop::getInstance().getComponent (i);
  219206. if (c != 0)
  219207. c->repaint();
  219208. }
  219209. }
  219210. }
  219211. return eventNotHandledErr;
  219212. }
  219213. static EventQueueRef mainQueue;
  219214. static EventHandlerRef juceEventHandler = 0;
  219215. static EventHandlerRef callbackEventHandler = 0;
  219216. #endif
  219217. void MessageManager::doPlatformSpecificInitialisation()
  219218. {
  219219. static bool initialised = false;
  219220. if (! initialised)
  219221. {
  219222. initialised = true;
  219223. #if JUCE_COCOA
  219224. // if we're linking a Juce app to one or more dynamic libraries, we'll need different values
  219225. // for this so each module doesn't interfere with the others.
  219226. UnsignedWide t;
  219227. Microseconds (&t);
  219228. kJUCEClass ^= t.lo;
  219229. juceMessageName = juceStringToNS ("juce_" + String::toHexString ((int) t.lo));
  219230. juceAppDelegate = [[JuceAppDelegate alloc] init];
  219231. #else
  219232. mainQueue = GetMainEventQueue();
  219233. #endif
  219234. }
  219235. #if ! JUCE_COCOA
  219236. const EventTypeSpec type1 = { kJUCEClass, kJUCEKind };
  219237. InstallApplicationEventHandler (NewEventHandlerUPP (EventHandlerProc), 1, &type1, 0, &juceEventHandler);
  219238. const EventTypeSpec type2 = { kJUCEClass, kCallbackKind };
  219239. InstallApplicationEventHandler (NewEventHandlerUPP (CallbackHandlerProc), 1, &type2, 0, &callbackEventHandler);
  219240. // only do this stuff if we're running as an application rather than a library..
  219241. if (JUCEApplication::getInstance() != 0)
  219242. {
  219243. const EventTypeSpec type3 = { kEventClassMouse, kEventMouseDown };
  219244. InstallApplicationEventHandler (NewEventHandlerUPP (MouseClickHandlerProc), 1, &type3, 0, 0);
  219245. const EventTypeSpec type4[] = { { kEventClassApplication, kEventAppShown },
  219246. { kEventClassApplication, kEventAppFrontSwitched },
  219247. { kEventClassCommand, kEventProcessCommand } };
  219248. InstallApplicationEventHandler (NewEventHandlerUPP (AppEventHandlerProc), 3, type4, 0, 0);
  219249. AEInstallEventHandler (kCoreEventClass, kAEQuitApplication,
  219250. NewAEEventHandlerUPP (QuitAppleEventHandler), 0, false);
  219251. AEInstallEventHandler (kCoreEventClass, kAEOpenDocuments,
  219252. NewAEEventHandlerUPP (OpenDocEventHandler), 0, false);
  219253. }
  219254. #endif
  219255. }
  219256. void MessageManager::doPlatformSpecificShutdown()
  219257. {
  219258. if (juceEventHandler != 0)
  219259. {
  219260. RemoveEventHandler (juceEventHandler);
  219261. juceEventHandler = 0;
  219262. }
  219263. if (callbackEventHandler != 0)
  219264. {
  219265. RemoveEventHandler (callbackEventHandler);
  219266. callbackEventHandler = 0;
  219267. }
  219268. }
  219269. bool juce_postMessageToSystemQueue (void* message)
  219270. {
  219271. #if JUCE_COCOA
  219272. [[NSNotificationCenter defaultCenter] postNotificationName: juceMessageName
  219273. object: [NSData dataWithBytes: &message
  219274. length: (int) sizeof (message)]];
  219275. return true;
  219276. #else
  219277. jassert (mainQueue == GetMainEventQueue());
  219278. EventRef event;
  219279. if (CreateEvent (0, kJUCEClass, kJUCEKind, 0, kEventAttributeUserEvent, &event) == noErr)
  219280. {
  219281. SetEventParameter (event, 'mess', typeVoidPtr, sizeof (void*), &message);
  219282. const bool ok = PostEventToQueue (mainQueue, event, kEventPriorityStandard) == noErr;
  219283. ReleaseEvent (event);
  219284. return ok;
  219285. }
  219286. return false;
  219287. #endif
  219288. }
  219289. void MessageManager::broadcastMessage (const String& value) throw()
  219290. {
  219291. }
  219292. void* MessageManager::callFunctionOnMessageThread (MessageCallbackFunction* callback,
  219293. void* data)
  219294. {
  219295. if (isThisTheMessageThread())
  219296. {
  219297. return (*callback) (data);
  219298. }
  219299. else
  219300. {
  219301. CallbackMessagePayload cmp;
  219302. cmp.function = callback;
  219303. cmp.parameter = data;
  219304. cmp.result = 0;
  219305. cmp.hasBeenExecuted = false;
  219306. #if JUCE_COCOA
  219307. [juceAppDelegate performSelectorOnMainThread: @selector (performCallback:)
  219308. withObject: (id) &cmp
  219309. waitUntilDone: YES];
  219310. return cmp.result;
  219311. #else
  219312. jassert (mainQueue == GetMainEventQueue());
  219313. EventRef event;
  219314. if (CreateEvent (0, kJUCEClass, kCallbackKind, 0, kEventAttributeUserEvent, &event) == noErr)
  219315. {
  219316. void* v = &cmp;
  219317. SetEventParameter (event, 'mess', typeVoidPtr, sizeof (void*), &v);
  219318. if (PostEventToQueue (mainQueue, event, kEventPriorityStandard) == noErr)
  219319. {
  219320. while (! cmp.hasBeenExecuted)
  219321. Thread::yield();
  219322. return cmp.result;
  219323. }
  219324. }
  219325. return 0;
  219326. #endif
  219327. }
  219328. }
  219329. END_JUCE_NAMESPACE
  219330. /********* End of inlined file: juce_mac_Messaging.mm *********/
  219331. /********* Start of inlined file: juce_mac_WebBrowserComponent.mm *********/
  219332. #include <Cocoa/Cocoa.h>
  219333. #include <WebKit/WebKit.h>
  219334. #include <WebKit/HIWebView.h>
  219335. #include <WebKit/WebPolicyDelegate.h>
  219336. #include <WebKit/CarbonUtils.h>
  219337. BEGIN_JUCE_NAMESPACE
  219338. END_JUCE_NAMESPACE
  219339. @interface DownloadClickDetector : NSObject
  219340. {
  219341. JUCE_NAMESPACE::WebBrowserComponent* ownerComponent;
  219342. }
  219343. - (DownloadClickDetector*) initWithOwner: (JUCE_NAMESPACE::WebBrowserComponent*) ownerComponent;
  219344. - (void) webView: (WebView*) webView decidePolicyForNavigationAction: (NSDictionary*) actionInformation
  219345. request: (NSURLRequest*) request
  219346. frame: (WebFrame*) frame
  219347. decisionListener: (id<WebPolicyDecisionListener>) listener;
  219348. @end
  219349. @implementation DownloadClickDetector
  219350. - (DownloadClickDetector*) initWithOwner: (JUCE_NAMESPACE::WebBrowserComponent*) ownerComponent_
  219351. {
  219352. [super init];
  219353. ownerComponent = ownerComponent_;
  219354. return self;
  219355. }
  219356. - (void) webView: (WebView*) sender decidePolicyForNavigationAction: (NSDictionary *)actionInformation request:(NSURLRequest *)request frame:(WebFrame *)frame decisionListener:(id < WebPolicyDecisionListener >)listener
  219357. {
  219358. NSURL* url = [actionInformation valueForKey: @"WebActionOriginalURLKey"];
  219359. if (ownerComponent->pageAboutToLoad (JUCE_NAMESPACE::String::fromUTF8 ((const JUCE_NAMESPACE::uint8*) [[url absoluteString] UTF8String])))
  219360. [listener use];
  219361. else
  219362. [listener ignore];
  219363. }
  219364. @end
  219365. BEGIN_JUCE_NAMESPACE
  219366. class WebBrowserComponentInternal : public Timer
  219367. {
  219368. public:
  219369. WebBrowserComponentInternal (WebBrowserComponent* owner_)
  219370. : owner (owner_),
  219371. view (0),
  219372. webView (0)
  219373. {
  219374. HIWebViewCreate (&view);
  219375. ComponentPeer* const peer = owner_->getPeer();
  219376. jassert (peer != 0);
  219377. if (view != 0 && peer != 0)
  219378. {
  219379. WindowRef parentWindow = (WindowRef) peer->getNativeHandle();
  219380. WindowAttributes attributes;
  219381. GetWindowAttributes (parentWindow, &attributes);
  219382. HIViewRef parentView = 0;
  219383. if ((attributes & kWindowCompositingAttribute) != 0)
  219384. {
  219385. HIViewRef root = HIViewGetRoot (parentWindow);
  219386. HIViewFindByID (root, kHIViewWindowContentID, &parentView);
  219387. if (parentView == 0)
  219388. parentView = root;
  219389. }
  219390. else
  219391. {
  219392. GetRootControl (parentWindow, (ControlRef*) &parentView);
  219393. if (parentView == 0)
  219394. CreateRootControl (parentWindow, (ControlRef*) &parentView);
  219395. }
  219396. HIViewAddSubview (parentView, view);
  219397. updateBounds();
  219398. show();
  219399. webView = HIWebViewGetWebView (view);
  219400. clickListener = [[DownloadClickDetector alloc] initWithOwner: owner_];
  219401. [webView setPolicyDelegate: clickListener];
  219402. }
  219403. startTimer (500);
  219404. }
  219405. ~WebBrowserComponentInternal()
  219406. {
  219407. [webView setPolicyDelegate: nil];
  219408. [clickListener release];
  219409. if (view != 0)
  219410. CFRelease (view);
  219411. }
  219412. // Horrific bodge-workaround for the fact that the webview somehow hangs onto key
  219413. // focus when you pop up a new window, no matter what that window does to
  219414. // try to grab focus for itself. This catches such a situation and forces
  219415. // focus away from the webview, then back to the place it should be..
  219416. void timerCallback()
  219417. {
  219418. WindowRef viewWindow = HIViewGetWindow (view);
  219419. WindowRef focusedWindow = GetUserFocusWindow();
  219420. if (focusedWindow != viewWindow)
  219421. {
  219422. if (HIViewSubtreeContainsFocus (view))
  219423. {
  219424. HIViewAdvanceFocus (HIViewGetRoot (viewWindow), 0);
  219425. HIViewAdvanceFocus (HIViewGetRoot (focusedWindow), 0);
  219426. }
  219427. }
  219428. }
  219429. void show()
  219430. {
  219431. HIViewSetVisible (view, true);
  219432. }
  219433. void hide()
  219434. {
  219435. HIViewSetVisible (view, false);
  219436. }
  219437. void goToURL (const String& url,
  219438. const StringArray* headers,
  219439. const MemoryBlock* postData)
  219440. {
  219441. char** headerNamesAsChars = 0;
  219442. char** headerValuesAsChars = 0;
  219443. int numHeaders = 0;
  219444. if (headers != 0)
  219445. {
  219446. numHeaders = headers->size();
  219447. headerNamesAsChars = (char**) juce_malloc (sizeof (char*) * numHeaders);
  219448. headerValuesAsChars = (char**) juce_malloc (sizeof (char*) * numHeaders);
  219449. int i;
  219450. for (i = 0; i < numHeaders; ++i)
  219451. {
  219452. const String headerName ((*headers)[i].upToFirstOccurrenceOf (T(":"), false, false).trim());
  219453. headerNamesAsChars[i] = (char*) juce_calloc (headerName.copyToUTF8 (0));
  219454. headerName.copyToUTF8 ((JUCE_NAMESPACE::uint8*) headerNamesAsChars[i]);
  219455. const String headerValue ((*headers)[i].fromFirstOccurrenceOf (T(":"), false, false).trim());
  219456. headerValuesAsChars[i] = (char*) juce_calloc (headerValue.copyToUTF8 (0));
  219457. headerValue.copyToUTF8 ((JUCE_NAMESPACE::uint8*) headerValuesAsChars[i]);
  219458. }
  219459. }
  219460. sendWebViewToURL ((const char*) url.toUTF8(),
  219461. (const char**) headerNamesAsChars,
  219462. (const char**) headerValuesAsChars,
  219463. numHeaders,
  219464. postData != 0 ? (const char*) postData->getData() : 0,
  219465. postData != 0 ? postData->getSize() : 0);
  219466. for (int i = 0; i < numHeaders; ++i)
  219467. {
  219468. juce_free (headerNamesAsChars[i]);
  219469. juce_free (headerValuesAsChars[i]);
  219470. }
  219471. juce_free (headerNamesAsChars);
  219472. juce_free (headerValuesAsChars);
  219473. }
  219474. void goBack()
  219475. {
  219476. [webView goBack];
  219477. }
  219478. void goForward()
  219479. {
  219480. [webView goForward];
  219481. }
  219482. void stop()
  219483. {
  219484. [webView stopLoading: nil];
  219485. }
  219486. void updateBounds()
  219487. {
  219488. HIRect r;
  219489. r.origin.x = (float) owner->getScreenX() - owner->getTopLevelComponent()->getScreenX();
  219490. r.origin.y = (float) owner->getScreenY() - owner->getTopLevelComponent()->getScreenY();
  219491. r.size.width = (float) owner->getWidth();
  219492. r.size.height = (float) owner->getHeight();
  219493. HIViewSetFrame (view, &r);
  219494. }
  219495. private:
  219496. WebBrowserComponent* const owner;
  219497. HIViewRef view;
  219498. WebView* webView;
  219499. DownloadClickDetector* clickListener;
  219500. void sendWebViewToURL (const char* utf8URL,
  219501. const char** headerNames,
  219502. const char** headerValues,
  219503. int numHeaders,
  219504. const char* postData,
  219505. int postDataSize)
  219506. {
  219507. NSMutableURLRequest* r = [NSMutableURLRequest
  219508. requestWithURL: [NSURL URLWithString: [NSString stringWithUTF8String: utf8URL]]
  219509. cachePolicy: NSURLRequestUseProtocolCachePolicy
  219510. timeoutInterval: 30.0];
  219511. if (postDataSize > 0)
  219512. {
  219513. [ r setHTTPMethod: @"POST"];
  219514. [ r setHTTPBody: [NSData dataWithBytes: postData length: postDataSize]];
  219515. }
  219516. int i;
  219517. for (i = 0; i < numHeaders; ++i)
  219518. {
  219519. [ r setValue: [NSString stringWithUTF8String: headerValues[i]]
  219520. forHTTPHeaderField: [NSString stringWithUTF8String: headerNames[i]]];
  219521. }
  219522. [[webView mainFrame] stopLoading ];
  219523. [[webView mainFrame] loadRequest: r];
  219524. }
  219525. WebBrowserComponentInternal (const WebBrowserComponentInternal&);
  219526. const WebBrowserComponentInternal& operator= (const WebBrowserComponentInternal&);
  219527. };
  219528. WebBrowserComponent::WebBrowserComponent()
  219529. : browser (0),
  219530. associatedWindow (0),
  219531. blankPageShown (false)
  219532. {
  219533. setOpaque (true);
  219534. }
  219535. WebBrowserComponent::~WebBrowserComponent()
  219536. {
  219537. deleteBrowser();
  219538. }
  219539. void WebBrowserComponent::goToURL (const String& url,
  219540. const StringArray* headers,
  219541. const MemoryBlock* postData)
  219542. {
  219543. lastURL = url;
  219544. lastHeaders.clear();
  219545. if (headers != 0)
  219546. lastHeaders = *headers;
  219547. lastPostData.setSize (0);
  219548. if (postData != 0)
  219549. lastPostData = *postData;
  219550. blankPageShown = false;
  219551. if (browser != 0)
  219552. browser->goToURL (url, headers, postData);
  219553. }
  219554. void WebBrowserComponent::stop()
  219555. {
  219556. if (browser != 0)
  219557. browser->stop();
  219558. }
  219559. void WebBrowserComponent::goBack()
  219560. {
  219561. lastURL = String::empty;
  219562. blankPageShown = false;
  219563. if (browser != 0)
  219564. browser->goBack();
  219565. }
  219566. void WebBrowserComponent::goForward()
  219567. {
  219568. lastURL = String::empty;
  219569. if (browser != 0)
  219570. browser->goForward();
  219571. }
  219572. void WebBrowserComponent::paint (Graphics& g)
  219573. {
  219574. if (browser == 0)
  219575. g.fillAll (Colours::white);
  219576. }
  219577. void WebBrowserComponent::checkWindowAssociation()
  219578. {
  219579. void* const window = getWindowHandle();
  219580. if (window != associatedWindow
  219581. || (browser == 0 && window != 0))
  219582. {
  219583. associatedWindow = window;
  219584. deleteBrowser();
  219585. createBrowser();
  219586. }
  219587. if (browser != 0)
  219588. {
  219589. if (associatedWindow != 0 && isShowing())
  219590. {
  219591. browser->show();
  219592. if (blankPageShown)
  219593. goBack();
  219594. }
  219595. else
  219596. {
  219597. if (! blankPageShown)
  219598. {
  219599. // when the component becomes invisible, some stuff like flash
  219600. // carries on playing audio, so we need to force it onto a blank
  219601. // page to avoid this..
  219602. blankPageShown = true;
  219603. browser->goToURL ("about:blank", 0, 0);
  219604. }
  219605. browser->hide();
  219606. }
  219607. }
  219608. }
  219609. void WebBrowserComponent::createBrowser()
  219610. {
  219611. deleteBrowser();
  219612. if (isShowing())
  219613. {
  219614. WebInitForCarbon();
  219615. browser = new WebBrowserComponentInternal (this);
  219616. reloadLastURL();
  219617. }
  219618. }
  219619. void WebBrowserComponent::deleteBrowser()
  219620. {
  219621. deleteAndZero (browser);
  219622. }
  219623. void WebBrowserComponent::reloadLastURL()
  219624. {
  219625. if (lastURL.isNotEmpty())
  219626. {
  219627. goToURL (lastURL, &lastHeaders, &lastPostData);
  219628. lastURL = String::empty;
  219629. }
  219630. }
  219631. void WebBrowserComponent::updateBrowserPosition()
  219632. {
  219633. if (getPeer() != 0 && browser != 0)
  219634. browser->updateBounds();
  219635. }
  219636. void WebBrowserComponent::parentHierarchyChanged()
  219637. {
  219638. checkWindowAssociation();
  219639. }
  219640. void WebBrowserComponent::moved()
  219641. {
  219642. updateBrowserPosition();
  219643. }
  219644. void WebBrowserComponent::resized()
  219645. {
  219646. updateBrowserPosition();
  219647. }
  219648. void WebBrowserComponent::visibilityChanged()
  219649. {
  219650. checkWindowAssociation();
  219651. }
  219652. bool WebBrowserComponent::pageAboutToLoad (const String& url)
  219653. {
  219654. return true;
  219655. }
  219656. END_JUCE_NAMESPACE
  219657. /********* End of inlined file: juce_mac_WebBrowserComponent.mm *********/
  219658. /********* Start of inlined file: juce_mac_Windowing.mm *********/
  219659. #include <Carbon/Carbon.h>
  219660. #include <IOKit/IOKitLib.h>
  219661. #include <IOKit/IOCFPlugIn.h>
  219662. #include <IOKit/hid/IOHIDLib.h>
  219663. #include <IOKit/hid/IOHIDKeys.h>
  219664. #include <fnmatch.h>
  219665. #if JUCE_OPENGL
  219666. #include <AGL/agl.h>
  219667. #endif
  219668. BEGIN_JUCE_NAMESPACE
  219669. #undef Point
  219670. const WindowRegionCode windowRegionToUse = kWindowContentRgn;
  219671. static HIObjectClassRef viewClassRef = 0;
  219672. static CFStringRef juceHiViewClassNameCFString = 0;
  219673. static ComponentPeer* juce_currentMouseTrackingPeer = 0;
  219674. static VoidArray keysCurrentlyDown;
  219675. bool KeyPress::isKeyCurrentlyDown (const int keyCode) throw()
  219676. {
  219677. if (keysCurrentlyDown.contains ((void*) keyCode))
  219678. return true;
  219679. if (keyCode >= 'A' && keyCode <= 'Z'
  219680. && keysCurrentlyDown.contains ((void*) (int) CharacterFunctions::toLowerCase ((tchar) keyCode)))
  219681. return true;
  219682. if (keyCode >= 'a' && keyCode <= 'z'
  219683. && keysCurrentlyDown.contains ((void*) (int) CharacterFunctions::toUpperCase ((tchar) keyCode)))
  219684. return true;
  219685. return false;
  219686. }
  219687. static VoidArray minimisedWindows;
  219688. static void setWindowMinimised (WindowRef ref, const bool isMinimised)
  219689. {
  219690. if (isMinimised != minimisedWindows.contains (ref))
  219691. CollapseWindow (ref, isMinimised);
  219692. }
  219693. void juce_maximiseAllMinimisedWindows()
  219694. {
  219695. const VoidArray minWin (minimisedWindows);
  219696. for (int i = minWin.size(); --i >= 0;)
  219697. setWindowMinimised ((WindowRef) (minWin[i]), false);
  219698. }
  219699. class HIViewComponentPeer;
  219700. static HIViewComponentPeer* currentlyFocusedPeer = 0;
  219701. static int currentModifiers = 0;
  219702. static void updateModifiers (EventRef theEvent)
  219703. {
  219704. currentModifiers &= ~ (ModifierKeys::shiftModifier | ModifierKeys::ctrlModifier
  219705. | ModifierKeys::altModifier | ModifierKeys::commandModifier);
  219706. UInt32 m;
  219707. if (theEvent != 0)
  219708. GetEventParameter (theEvent, kEventParamKeyModifiers, typeUInt32, 0, sizeof(m), 0, &m);
  219709. else
  219710. m = GetCurrentEventKeyModifiers();
  219711. if ((m & (shiftKey | rightShiftKey)) != 0)
  219712. currentModifiers |= ModifierKeys::shiftModifier;
  219713. if ((m & (controlKey | rightControlKey)) != 0)
  219714. currentModifiers |= ModifierKeys::ctrlModifier;
  219715. if ((m & (optionKey | rightOptionKey)) != 0)
  219716. currentModifiers |= ModifierKeys::altModifier;
  219717. if ((m & cmdKey) != 0)
  219718. currentModifiers |= ModifierKeys::commandModifier;
  219719. }
  219720. void ModifierKeys::updateCurrentModifiers() throw()
  219721. {
  219722. currentModifierFlags = currentModifiers;
  219723. }
  219724. static int64 getEventTime (EventRef event)
  219725. {
  219726. const int64 millis = (int64) (1000.0 * (event != 0 ? GetEventTime (event)
  219727. : GetCurrentEventTime()));
  219728. static int64 offset = 0;
  219729. if (offset == 0)
  219730. offset = Time::currentTimeMillis() - millis;
  219731. return offset + millis;
  219732. }
  219733. class MacBitmapImage : public Image
  219734. {
  219735. public:
  219736. CGColorSpaceRef colourspace;
  219737. CGDataProviderRef provider;
  219738. MacBitmapImage (const PixelFormat format_,
  219739. const int w, const int h, const bool clearImage)
  219740. : Image (format_, w, h)
  219741. {
  219742. jassert (format_ == RGB || format_ == ARGB);
  219743. pixelStride = (format_ == RGB) ? 3 : 4;
  219744. lineStride = (w * pixelStride + 3) & ~3;
  219745. const int imageSize = lineStride * h;
  219746. if (clearImage)
  219747. imageData = (uint8*) juce_calloc (imageSize);
  219748. else
  219749. imageData = (uint8*) juce_malloc (imageSize);
  219750. //colourspace = CGColorSpaceCreateWithName (kCGColorSpaceUserRGB);
  219751. CMProfileRef prof;
  219752. CMGetSystemProfile (&prof);
  219753. colourspace = CGColorSpaceCreateWithPlatformColorSpace (prof);
  219754. provider = CGDataProviderCreateWithData (0, imageData, h * lineStride, 0);
  219755. CMCloseProfile (prof);
  219756. }
  219757. MacBitmapImage::~MacBitmapImage()
  219758. {
  219759. CGDataProviderRelease (provider);
  219760. CGColorSpaceRelease (colourspace);
  219761. juce_free (imageData);
  219762. imageData = 0; // to stop the base class freeing this
  219763. }
  219764. void blitToContext (CGContextRef context, const float dx, const float dy)
  219765. {
  219766. CGImageRef tempImage = CGImageCreate (getWidth(), getHeight(),
  219767. 8, pixelStride << 3, lineStride, colourspace,
  219768. #if MACOS_10_3_OR_EARLIER || JUCE_BIG_ENDIAN
  219769. hasAlphaChannel() ? kCGImageAlphaPremultipliedFirst
  219770. : kCGImageAlphaNone,
  219771. #else
  219772. hasAlphaChannel() ? kCGBitmapByteOrder32Little | kCGImageAlphaPremultipliedFirst
  219773. : kCGImageAlphaNone,
  219774. #endif
  219775. provider, 0, false,
  219776. kCGRenderingIntentDefault);
  219777. HIRect r;
  219778. r.origin.x = dx;
  219779. r.origin.y = dy;
  219780. r.size.width = (float) getWidth();
  219781. r.size.height = (float) getHeight();
  219782. HIViewDrawCGImage (context, &r, tempImage);
  219783. CGImageRelease (tempImage);
  219784. }
  219785. juce_UseDebuggingNewOperator
  219786. };
  219787. class MouseCheckTimer : private Timer,
  219788. private DeletedAtShutdown
  219789. {
  219790. public:
  219791. MouseCheckTimer()
  219792. : lastX (0),
  219793. lastY (0)
  219794. {
  219795. lastPeerUnderMouse = 0;
  219796. resetMouseMoveChecker();
  219797. #if ! MACOS_10_2_OR_EARLIER
  219798. // Just putting this in here because it's a convenient object that'll get deleted at shutdown
  219799. CGDisplayRegisterReconfigurationCallback (&displayChangeCallback, 0);
  219800. #endif
  219801. }
  219802. ~MouseCheckTimer()
  219803. {
  219804. #if ! MACOS_10_2_OR_EARLIER
  219805. CGDisplayRemoveReconfigurationCallback (&displayChangeCallback, 0);
  219806. #endif
  219807. clearSingletonInstance();
  219808. }
  219809. juce_DeclareSingleton_SingleThreaded_Minimal (MouseCheckTimer)
  219810. bool hasEverHadAMouseMove;
  219811. void moved (HIViewComponentPeer* const peer)
  219812. {
  219813. if (hasEverHadAMouseMove)
  219814. startTimer (200);
  219815. lastPeerUnderMouse = peer;
  219816. }
  219817. void resetMouseMoveChecker()
  219818. {
  219819. hasEverHadAMouseMove = false;
  219820. startTimer (1000 / 16);
  219821. }
  219822. void timerCallback();
  219823. private:
  219824. HIViewComponentPeer* lastPeerUnderMouse;
  219825. int lastX, lastY;
  219826. #if ! MACOS_10_2_OR_EARLIER
  219827. static void displayChangeCallback (CGDirectDisplayID, CGDisplayChangeSummaryFlags flags, void*)
  219828. {
  219829. Desktop::getInstance().refreshMonitorSizes();
  219830. }
  219831. #endif
  219832. };
  219833. juce_ImplementSingleton_SingleThreaded (MouseCheckTimer)
  219834. #if JUCE_QUICKTIME
  219835. extern void OfferMouseClickToQuickTime (WindowRef window, ::Point where, long when, long modifiers,
  219836. Component* topLevelComp);
  219837. #endif
  219838. class HIViewComponentPeer : public ComponentPeer,
  219839. private Timer
  219840. {
  219841. public:
  219842. HIViewComponentPeer (Component* const component,
  219843. const int windowStyleFlags,
  219844. HIViewRef viewToAttachTo)
  219845. : ComponentPeer (component, windowStyleFlags),
  219846. fullScreen (false),
  219847. isCompositingWindow (false),
  219848. windowRef (0),
  219849. viewRef (0)
  219850. {
  219851. repainter = new RepaintManager (this);
  219852. eventHandlerRef = 0;
  219853. if (viewToAttachTo != 0)
  219854. {
  219855. isSharedWindow = true;
  219856. }
  219857. else
  219858. {
  219859. isSharedWindow = false;
  219860. WindowRef newWindow = createNewWindow (windowStyleFlags);
  219861. GetRootControl (newWindow, (ControlRef*) &viewToAttachTo);
  219862. jassert (viewToAttachTo != 0);
  219863. HIViewRef growBox = 0;
  219864. HIViewFindByID (HIViewGetRoot (newWindow), kHIViewWindowGrowBoxID, &growBox);
  219865. if (growBox != 0)
  219866. HIGrowBoxViewSetTransparent (growBox, true);
  219867. }
  219868. createNewHIView();
  219869. HIViewAddSubview (viewToAttachTo, viewRef);
  219870. HIViewSetVisible (viewRef, component->isVisible());
  219871. setTitle (component->getName());
  219872. if (component->isVisible() && ! isSharedWindow)
  219873. {
  219874. ShowWindow (windowRef);
  219875. ActivateWindow (windowRef, component->getWantsKeyboardFocus());
  219876. }
  219877. }
  219878. ~HIViewComponentPeer()
  219879. {
  219880. minimisedWindows.removeValue (windowRef);
  219881. if (IsValidWindowPtr (windowRef))
  219882. {
  219883. if (! isSharedWindow)
  219884. {
  219885. CFRelease (viewRef);
  219886. viewRef = 0;
  219887. DisposeWindow (windowRef);
  219888. }
  219889. else
  219890. {
  219891. if (eventHandlerRef != 0)
  219892. RemoveEventHandler (eventHandlerRef);
  219893. CFRelease (viewRef);
  219894. viewRef = 0;
  219895. }
  219896. windowRef = 0;
  219897. }
  219898. if (currentlyFocusedPeer == this)
  219899. currentlyFocusedPeer = 0;
  219900. delete repainter;
  219901. }
  219902. void* getNativeHandle() const
  219903. {
  219904. return windowRef;
  219905. }
  219906. void setVisible (bool shouldBeVisible)
  219907. {
  219908. HIViewSetVisible (viewRef, shouldBeVisible);
  219909. if ((! isSharedWindow) && IsValidWindowPtr (windowRef))
  219910. {
  219911. if (shouldBeVisible)
  219912. ShowWindow (windowRef);
  219913. else
  219914. HideWindow (windowRef);
  219915. resizeViewToFitWindow();
  219916. // If nothing else is focused, then grab the focus too
  219917. if (shouldBeVisible
  219918. && Component::getCurrentlyFocusedComponent() == 0
  219919. && Process::isForegroundProcess())
  219920. {
  219921. component->toFront (true);
  219922. }
  219923. }
  219924. }
  219925. void setTitle (const String& title)
  219926. {
  219927. if ((! isSharedWindow) && IsValidWindowPtr (windowRef))
  219928. {
  219929. CFStringRef t = PlatformUtilities::juceStringToCFString (title);
  219930. SetWindowTitleWithCFString (windowRef, t);
  219931. CFRelease (t);
  219932. }
  219933. }
  219934. void setPosition (int x, int y)
  219935. {
  219936. if (isSharedWindow)
  219937. {
  219938. HIViewPlaceInSuperviewAt (viewRef, x, y);
  219939. }
  219940. else if (IsValidWindowPtr (windowRef))
  219941. {
  219942. Rect r;
  219943. GetWindowBounds (windowRef, windowRegionToUse, &r);
  219944. r.right += x - r.left;
  219945. r.bottom += y - r.top;
  219946. r.left = x;
  219947. r.top = y;
  219948. SetWindowBounds (windowRef, windowRegionToUse, &r);
  219949. }
  219950. }
  219951. void setSize (int w, int h)
  219952. {
  219953. w = jmax (0, w);
  219954. h = jmax (0, h);
  219955. if (w != getComponent()->getWidth()
  219956. || h != getComponent()->getHeight())
  219957. {
  219958. repainter->repaint (0, 0, w, h);
  219959. }
  219960. if (isSharedWindow)
  219961. {
  219962. HIRect r;
  219963. HIViewGetFrame (viewRef, &r);
  219964. r.size.width = (float) w;
  219965. r.size.height = (float) h;
  219966. HIViewSetFrame (viewRef, &r);
  219967. }
  219968. else if (IsValidWindowPtr (windowRef))
  219969. {
  219970. Rect r;
  219971. GetWindowBounds (windowRef, windowRegionToUse, &r);
  219972. r.right = r.left + w;
  219973. r.bottom = r.top + h;
  219974. SetWindowBounds (windowRef, windowRegionToUse, &r);
  219975. }
  219976. }
  219977. void setBounds (int x, int y, int w, int h, const bool isNowFullScreen)
  219978. {
  219979. fullScreen = isNowFullScreen;
  219980. w = jmax (0, w);
  219981. h = jmax (0, h);
  219982. if (w != getComponent()->getWidth()
  219983. || h != getComponent()->getHeight())
  219984. {
  219985. repainter->repaint (0, 0, w, h);
  219986. }
  219987. if (isSharedWindow)
  219988. {
  219989. HIRect r;
  219990. r.origin.x = (float) x;
  219991. r.origin.y = (float) y;
  219992. r.size.width = (float) w;
  219993. r.size.height = (float) h;
  219994. HIViewSetFrame (viewRef, &r);
  219995. }
  219996. else if (IsValidWindowPtr (windowRef))
  219997. {
  219998. Rect r;
  219999. r.left = x;
  220000. r.top = y;
  220001. r.right = x + w;
  220002. r.bottom = y + h;
  220003. SetWindowBounds (windowRef, windowRegionToUse, &r);
  220004. }
  220005. }
  220006. void getBounds (int& x, int& y, int& w, int& h, const bool global) const
  220007. {
  220008. HIRect hiViewPos;
  220009. HIViewGetFrame (viewRef, &hiViewPos);
  220010. if (global)
  220011. {
  220012. HIViewRef content = 0;
  220013. HIViewFindByID (HIViewGetRoot (windowRef), kHIViewWindowContentID, &content);
  220014. HIPoint p = { 0.0f, 0.0f };
  220015. HIViewConvertPoint (&p, viewRef, content);
  220016. x = (int) p.x;
  220017. y = (int) p.y;
  220018. if (IsValidWindowPtr (windowRef))
  220019. {
  220020. Rect windowPos;
  220021. GetWindowBounds (windowRef, kWindowContentRgn, &windowPos);
  220022. x += windowPos.left;
  220023. y += windowPos.top;
  220024. }
  220025. }
  220026. else
  220027. {
  220028. x = (int) hiViewPos.origin.x;
  220029. y = (int) hiViewPos.origin.y;
  220030. }
  220031. w = (int) hiViewPos.size.width;
  220032. h = (int) hiViewPos.size.height;
  220033. }
  220034. void getBounds (int& x, int& y, int& w, int& h) const
  220035. {
  220036. getBounds (x, y, w, h, ! isSharedWindow);
  220037. }
  220038. int getScreenX() const
  220039. {
  220040. int x, y, w, h;
  220041. getBounds (x, y, w, h, true);
  220042. return x;
  220043. }
  220044. int getScreenY() const
  220045. {
  220046. int x, y, w, h;
  220047. getBounds (x, y, w, h, true);
  220048. return y;
  220049. }
  220050. void relativePositionToGlobal (int& x, int& y)
  220051. {
  220052. int wx, wy, ww, wh;
  220053. getBounds (wx, wy, ww, wh, true);
  220054. x += wx;
  220055. y += wy;
  220056. }
  220057. void globalPositionToRelative (int& x, int& y)
  220058. {
  220059. int wx, wy, ww, wh;
  220060. getBounds (wx, wy, ww, wh, true);
  220061. x -= wx;
  220062. y -= wy;
  220063. }
  220064. void setMinimised (bool shouldBeMinimised)
  220065. {
  220066. if (! isSharedWindow)
  220067. setWindowMinimised (windowRef, shouldBeMinimised);
  220068. }
  220069. bool isMinimised() const
  220070. {
  220071. return minimisedWindows.contains (windowRef);
  220072. }
  220073. void setFullScreen (bool shouldBeFullScreen)
  220074. {
  220075. if (! isSharedWindow)
  220076. {
  220077. Rectangle r (lastNonFullscreenBounds);
  220078. setMinimised (false);
  220079. if (fullScreen != shouldBeFullScreen)
  220080. {
  220081. if (shouldBeFullScreen)
  220082. r = Desktop::getInstance().getMainMonitorArea();
  220083. // (can't call the component's setBounds method because that'll reset our fullscreen flag)
  220084. if (r != getComponent()->getBounds() && ! r.isEmpty())
  220085. setBounds (r.getX(), r.getY(), r.getWidth(), r.getHeight(), shouldBeFullScreen);
  220086. }
  220087. }
  220088. }
  220089. bool isFullScreen() const
  220090. {
  220091. return fullScreen;
  220092. }
  220093. bool contains (int x, int y, bool trueIfInAChildWindow) const
  220094. {
  220095. if (((unsigned int) x) >= (unsigned int) component->getWidth()
  220096. || ((unsigned int) y) >= (unsigned int) component->getHeight()
  220097. || ! IsValidWindowPtr (windowRef))
  220098. return false;
  220099. Rect r;
  220100. GetWindowBounds (windowRef, windowRegionToUse, &r);
  220101. ::Point p;
  220102. p.h = r.left + x;
  220103. p.v = r.top + y;
  220104. WindowRef ref2 = 0;
  220105. FindWindow (p, &ref2);
  220106. if (windowRef != ref2)
  220107. return false;
  220108. if (trueIfInAChildWindow)
  220109. return true;
  220110. HIPoint p2;
  220111. p2.x = (float) x;
  220112. p2.y = (float) y;
  220113. HIViewRef hit;
  220114. HIViewGetSubviewHit (viewRef, &p2, true, &hit);
  220115. return hit == 0 || hit == viewRef;
  220116. }
  220117. const BorderSize getFrameSize() const
  220118. {
  220119. return BorderSize();
  220120. }
  220121. bool setAlwaysOnTop (bool alwaysOnTop)
  220122. {
  220123. // can't do this so return false and let the component create a new window
  220124. return false;
  220125. }
  220126. void toFront (bool makeActiveWindow)
  220127. {
  220128. makeActiveWindow = makeActiveWindow
  220129. && component->isValidComponent()
  220130. && (component->getWantsKeyboardFocus()
  220131. || component->isCurrentlyModal());
  220132. if (windowRef != FrontWindow()
  220133. || (makeActiveWindow && ! IsWindowActive (windowRef))
  220134. || ! Process::isForegroundProcess())
  220135. {
  220136. if (! Process::isForegroundProcess())
  220137. {
  220138. ProcessSerialNumber psn;
  220139. GetCurrentProcess (&psn);
  220140. SetFrontProcessWithOptions (&psn, kSetFrontProcessFrontWindowOnly);
  220141. }
  220142. if (IsValidWindowPtr (windowRef))
  220143. {
  220144. if (makeActiveWindow)
  220145. {
  220146. SelectWindow (windowRef);
  220147. SetUserFocusWindow (windowRef);
  220148. HIViewAdvanceFocus (viewRef, 0);
  220149. }
  220150. else
  220151. {
  220152. BringToFront (windowRef);
  220153. }
  220154. handleBroughtToFront();
  220155. }
  220156. }
  220157. }
  220158. void toBehind (ComponentPeer* other)
  220159. {
  220160. HIViewComponentPeer* const otherWindow = dynamic_cast <HIViewComponentPeer*> (other);
  220161. if (other != 0 && windowRef != 0 && otherWindow->windowRef != 0)
  220162. {
  220163. if (windowRef == otherWindow->windowRef)
  220164. {
  220165. HIViewSetZOrder (viewRef, kHIViewZOrderBelow, otherWindow->viewRef);
  220166. }
  220167. else
  220168. {
  220169. SendBehind (windowRef, otherWindow->windowRef);
  220170. }
  220171. }
  220172. }
  220173. void setIcon (const Image& /*newIcon*/)
  220174. {
  220175. // to do..
  220176. }
  220177. void viewFocusGain()
  220178. {
  220179. const MessageManagerLock messLock;
  220180. if (currentlyFocusedPeer != this)
  220181. {
  220182. if (ComponentPeer::isValidPeer (currentlyFocusedPeer))
  220183. currentlyFocusedPeer->handleFocusLoss();
  220184. currentlyFocusedPeer = this;
  220185. handleFocusGain();
  220186. }
  220187. }
  220188. void viewFocusLoss()
  220189. {
  220190. if (currentlyFocusedPeer == this)
  220191. {
  220192. currentlyFocusedPeer = 0;
  220193. handleFocusLoss();
  220194. }
  220195. }
  220196. bool isFocused() const
  220197. {
  220198. return windowRef == GetUserFocusWindow()
  220199. && HIViewSubtreeContainsFocus (viewRef);
  220200. }
  220201. void grabFocus()
  220202. {
  220203. if ((! isFocused()) && IsValidWindowPtr (windowRef))
  220204. {
  220205. SetUserFocusWindow (windowRef);
  220206. HIViewAdvanceFocus (viewRef, 0);
  220207. }
  220208. }
  220209. void textInputRequired (int /*x*/, int /*y*/)
  220210. {
  220211. }
  220212. void repaint (int x, int y, int w, int h)
  220213. {
  220214. if (Rectangle::intersectRectangles (x, y, w, h,
  220215. 0, 0,
  220216. getComponent()->getWidth(),
  220217. getComponent()->getHeight()))
  220218. {
  220219. if ((getStyleFlags() & windowRepaintedExplictly) == 0)
  220220. {
  220221. if (isCompositingWindow)
  220222. {
  220223. #if MACOS_10_3_OR_EARLIER
  220224. RgnHandle rgn = NewRgn();
  220225. SetRectRgn (rgn, x, y, x + w, y + h);
  220226. HIViewSetNeedsDisplayInRegion (viewRef, rgn, true);
  220227. DisposeRgn (rgn);
  220228. #else
  220229. HIRect r;
  220230. r.origin.x = x;
  220231. r.origin.y = y;
  220232. r.size.width = w;
  220233. r.size.height = h;
  220234. HIViewSetNeedsDisplayInRect (viewRef, &r, true);
  220235. #endif
  220236. }
  220237. else
  220238. {
  220239. if (! isTimerRunning())
  220240. startTimer (20);
  220241. }
  220242. }
  220243. repainter->repaint (x, y, w, h);
  220244. }
  220245. }
  220246. void timerCallback()
  220247. {
  220248. performAnyPendingRepaintsNow();
  220249. }
  220250. void performAnyPendingRepaintsNow()
  220251. {
  220252. stopTimer();
  220253. if (component->isVisible())
  220254. {
  220255. #if MACOS_10_2_OR_EARLIER
  220256. if (! isCompositingWindow)
  220257. {
  220258. Rect w;
  220259. GetWindowBounds (windowRef, windowRegionToUse, &w);
  220260. const int offsetInWindowX = component->getScreenX() - getScreenX();
  220261. const int offsetInWindowY = component->getScreenY() - getScreenY();
  220262. for (RectangleList::Iterator i (repainter->getRegionsNeedingRepaint()); i.next();)
  220263. {
  220264. const Rectangle& r = *i.getRectangle();
  220265. w.left = offsetInWindowX + r.getX();
  220266. w.top = offsetInWindowY + r.getY();
  220267. w.right = offsetInWindowX + r.getRight();
  220268. w.bottom = offsetInWindowY + r.getBottom();
  220269. InvalWindowRect (windowRef, &w);
  220270. }
  220271. }
  220272. else
  220273. {
  220274. EventRef theEvent;
  220275. EventTypeSpec eventTypes[1];
  220276. eventTypes[0].eventClass = kEventClassControl;
  220277. eventTypes[0].eventKind = kEventControlDraw;
  220278. int n = 3;
  220279. while (--n >= 0
  220280. && ReceiveNextEvent (1, eventTypes, kEventDurationNoWait, true, &theEvent) == noErr)
  220281. {
  220282. if (GetEventClass (theEvent) == kEventClassAppleEvent)
  220283. {
  220284. EventRecord eventRec;
  220285. if (ConvertEventRefToEventRecord (theEvent, &eventRec))
  220286. AEProcessAppleEvent (&eventRec);
  220287. }
  220288. else
  220289. {
  220290. EventTargetRef theTarget = GetEventDispatcherTarget();
  220291. SendEventToEventTarget (theEvent, theTarget);
  220292. }
  220293. ReleaseEvent (theEvent);
  220294. }
  220295. }
  220296. #else
  220297. if (HIViewGetNeedsDisplay (viewRef) || repainter->isRepaintNeeded())
  220298. HIViewRender (viewRef);
  220299. #endif
  220300. }
  220301. }
  220302. juce_UseDebuggingNewOperator
  220303. WindowRef windowRef;
  220304. HIViewRef viewRef;
  220305. private:
  220306. EventHandlerRef eventHandlerRef;
  220307. bool fullScreen, isSharedWindow, isCompositingWindow;
  220308. StringArray dragAndDropFiles;
  220309. class RepaintManager : public Timer
  220310. {
  220311. public:
  220312. RepaintManager (HIViewComponentPeer* const peer_)
  220313. : peer (peer_),
  220314. image (0)
  220315. {
  220316. }
  220317. ~RepaintManager()
  220318. {
  220319. delete image;
  220320. }
  220321. void timerCallback()
  220322. {
  220323. stopTimer();
  220324. deleteAndZero (image);
  220325. }
  220326. void repaint (int x, int y, int w, int h)
  220327. {
  220328. regionsNeedingRepaint.add (x, y, w, h);
  220329. }
  220330. bool isRepaintNeeded() const throw()
  220331. {
  220332. return ! regionsNeedingRepaint.isEmpty();
  220333. }
  220334. void repaintAnyRemainingRegions()
  220335. {
  220336. // if any regions have been invaldated during the paint callback,
  220337. // we need to repaint them explicitly because the mac throws this
  220338. // stuff away
  220339. for (RectangleList::Iterator i (regionsNeedingRepaint); i.next();)
  220340. {
  220341. const Rectangle& r = *i.getRectangle();
  220342. peer->repaint (r.getX(), r.getY(), r.getWidth(), r.getHeight());
  220343. }
  220344. }
  220345. void paint (CGContextRef cgContext, int x, int y, int w, int h)
  220346. {
  220347. if (w > 0 && h > 0)
  220348. {
  220349. bool refresh = false;
  220350. int imW = image != 0 ? image->getWidth() : 0;
  220351. int imH = image != 0 ? image->getHeight() : 0;
  220352. if (imW < w || imH < h)
  220353. {
  220354. imW = jmin (peer->getComponent()->getWidth(), (w + 31) & ~31);
  220355. imH = jmin (peer->getComponent()->getHeight(), (h + 31) & ~31);
  220356. delete image;
  220357. image = new MacBitmapImage (peer->getComponent()->isOpaque() ? Image::RGB
  220358. : Image::ARGB,
  220359. imW, imH, false);
  220360. refresh = true;
  220361. }
  220362. else if (imageX > x || imageY > y
  220363. || imageX + imW < x + w
  220364. || imageY + imH < y + h)
  220365. {
  220366. refresh = true;
  220367. }
  220368. if (refresh)
  220369. {
  220370. regionsNeedingRepaint.clear();
  220371. regionsNeedingRepaint.addWithoutMerging (Rectangle (x, y, imW, imH));
  220372. imageX = x;
  220373. imageY = y;
  220374. }
  220375. LowLevelGraphicsSoftwareRenderer context (*image);
  220376. context.setOrigin (-imageX, -imageY);
  220377. if (context.reduceClipRegion (regionsNeedingRepaint))
  220378. {
  220379. regionsNeedingRepaint.clear();
  220380. if (! peer->getComponent()->isOpaque())
  220381. {
  220382. for (RectangleList::Iterator i (*context.getRawClipRegion()); i.next();)
  220383. {
  220384. const Rectangle& r = *i.getRectangle();
  220385. image->clear (r.getX(), r.getY(), r.getWidth(), r.getHeight());
  220386. }
  220387. }
  220388. regionsNeedingRepaint.clear();
  220389. peer->clearMaskedRegion();
  220390. peer->handlePaint (context);
  220391. }
  220392. else
  220393. {
  220394. regionsNeedingRepaint.clear();
  220395. }
  220396. if (! peer->maskedRegion.isEmpty())
  220397. {
  220398. RectangleList total (Rectangle (x, y, w, h));
  220399. total.subtract (peer->maskedRegion);
  220400. CGRect* rects = (CGRect*) juce_malloc (sizeof (CGRect) * total.getNumRectangles());
  220401. int n = 0;
  220402. for (RectangleList::Iterator i (total); i.next();)
  220403. {
  220404. const Rectangle& r = *i.getRectangle();
  220405. rects[n].origin.x = (int) r.getX();
  220406. rects[n].origin.y = (int) r.getY();
  220407. rects[n].size.width = roundFloatToInt (r.getWidth());
  220408. rects[n++].size.height = roundFloatToInt (r.getHeight());
  220409. }
  220410. CGContextClipToRects (cgContext, rects, n);
  220411. juce_free (rects);
  220412. }
  220413. if (peer->isSharedWindow)
  220414. {
  220415. CGRect clip;
  220416. clip.origin.x = x;
  220417. clip.origin.y = y;
  220418. clip.size.width = jmin (w, peer->getComponent()->getWidth() - x);
  220419. clip.size.height = jmin (h, peer->getComponent()->getHeight() - y);
  220420. CGContextClipToRect (cgContext, clip);
  220421. }
  220422. image->blitToContext (cgContext, imageX, imageY);
  220423. }
  220424. startTimer (3000);
  220425. }
  220426. private:
  220427. HIViewComponentPeer* const peer;
  220428. MacBitmapImage* image;
  220429. int imageX, imageY;
  220430. RectangleList regionsNeedingRepaint;
  220431. RepaintManager (const RepaintManager&);
  220432. const RepaintManager& operator= (const RepaintManager&);
  220433. };
  220434. RepaintManager* repainter;
  220435. friend class RepaintManager;
  220436. static OSStatus handleFrameRepaintEvent (EventHandlerCallRef myHandler,
  220437. EventRef theEvent,
  220438. void* userData)
  220439. {
  220440. // don't draw the frame..
  220441. return noErr;
  220442. }
  220443. OSStatus handleKeyEvent (EventRef theEvent, juce_wchar textCharacter)
  220444. {
  220445. updateModifiers (theEvent);
  220446. UniChar unicodeChars [4];
  220447. zeromem (unicodeChars, sizeof (unicodeChars));
  220448. GetEventParameter (theEvent, kEventParamKeyUnicodes, typeUnicodeText, 0, sizeof (unicodeChars), 0, unicodeChars);
  220449. int keyCode = (int) (unsigned int) unicodeChars[0];
  220450. UInt32 rawKey = 0;
  220451. GetEventParameter (theEvent, kEventParamKeyCode, typeUInt32, 0, sizeof (UInt32), 0, &rawKey);
  220452. if ((currentModifiers & ModifierKeys::ctrlModifier) != 0
  220453. && keyCode >= 1 && keyCode <= 26)
  220454. {
  220455. keyCode += ('A' - 1);
  220456. }
  220457. else
  220458. {
  220459. static const int keyTranslations[] =
  220460. {
  220461. 0, 's', 'd', 'f', 'h', 'g', 'z', 'x', 'c', 'v', 0xa7, 'b',
  220462. 'q', 'w', 'e', 'r', 'y', 't', '1', '2', '3', '4', '6', '5',
  220463. '=', '9', '7', '-', '8', '0', ']', 'o', 'u', '[', 'i', 'p',
  220464. KeyPress::returnKey, 'l', 'j', '\'', 'k', ';', '\\', ',', '/',
  220465. 'n', 'm', '.', 0, KeyPress::spaceKey, '`', KeyPress::backspaceKey, 0, 0, 0, 0,
  220466. 0, 0, 0, 0, 0, 0, 0, 0, 0, KeyPress::numberPadDecimalPoint,
  220467. 0, KeyPress::numberPadMultiply, 0, KeyPress::numberPadAdd,
  220468. 0, KeyPress::numberPadDelete, 0, 0, 0, KeyPress::numberPadDivide, KeyPress::returnKey,
  220469. 0, KeyPress::numberPadSubtract, 0, 0, KeyPress::numberPadEquals, KeyPress::numberPad0,
  220470. KeyPress::numberPad1, KeyPress::numberPad2, KeyPress::numberPad3,
  220471. KeyPress::numberPad4, KeyPress::numberPad5, KeyPress::numberPad6,
  220472. KeyPress::numberPad7, 0, KeyPress::numberPad8, KeyPress::numberPad9,
  220473. 0, 0, 0, KeyPress::F5Key, KeyPress::F6Key, KeyPress::F7Key, KeyPress::F3Key,
  220474. KeyPress::F8Key, KeyPress::F9Key, 0, KeyPress::F11Key, 0, KeyPress::F13Key,
  220475. KeyPress::F16Key, KeyPress::F14Key, 0, KeyPress::F10Key, 0, KeyPress::F12Key,
  220476. 0, KeyPress::F15Key, 0, KeyPress::homeKey, KeyPress::pageUpKey, 0, KeyPress::F4Key,
  220477. KeyPress::endKey, KeyPress::F2Key, KeyPress::pageDownKey, KeyPress::F1Key,
  220478. KeyPress::leftKey, KeyPress::rightKey, KeyPress::downKey, KeyPress::upKey, 0
  220479. };
  220480. if (((unsigned int) rawKey) < (unsigned int) numElementsInArray (keyTranslations)
  220481. && keyTranslations [rawKey] != 0)
  220482. {
  220483. keyCode = keyTranslations [rawKey];
  220484. }
  220485. if ((rawKey == 0 && textCharacter != 0)
  220486. || (CharacterFunctions::isLetterOrDigit ((juce_wchar) keyCode)
  220487. && CharacterFunctions::isLetterOrDigit (textCharacter))) // correction for azerty-type layouts..
  220488. {
  220489. keyCode = CharacterFunctions::toLowerCase (textCharacter);
  220490. }
  220491. }
  220492. if ((currentModifiers & (ModifierKeys::commandModifier | ModifierKeys::ctrlModifier)) != 0)
  220493. textCharacter = 0;
  220494. static juce_wchar lastTextCharacter = 0;
  220495. switch (GetEventKind (theEvent))
  220496. {
  220497. case kEventRawKeyDown:
  220498. {
  220499. keysCurrentlyDown.addIfNotAlreadyThere ((void*) keyCode);
  220500. lastTextCharacter = textCharacter;
  220501. const bool used1 = handleKeyUpOrDown();
  220502. const bool used2 = handleKeyPress (keyCode, textCharacter);
  220503. if (used1 || used2)
  220504. return noErr;
  220505. break;
  220506. }
  220507. case kEventRawKeyUp:
  220508. keysCurrentlyDown.removeValue ((void*) keyCode);
  220509. lastTextCharacter = 0;
  220510. if (handleKeyUpOrDown())
  220511. return noErr;
  220512. break;
  220513. case kEventRawKeyRepeat:
  220514. if (handleKeyPress (keyCode, lastTextCharacter))
  220515. return noErr;
  220516. break;
  220517. case kEventRawKeyModifiersChanged:
  220518. handleModifierKeysChange();
  220519. break;
  220520. default:
  220521. jassertfalse
  220522. break;
  220523. }
  220524. return eventNotHandledErr;
  220525. }
  220526. OSStatus handleTextInputEvent (EventRef theEvent)
  220527. {
  220528. UInt32 numBytesRequired = 0;
  220529. GetEventParameter (theEvent, kEventParamTextInputSendText, typeUnicodeText, 0, 0, &numBytesRequired, 0);
  220530. MemoryBlock buffer (numBytesRequired, true);
  220531. UniChar* const uc = (UniChar*) buffer.getData();
  220532. GetEventParameter (theEvent, kEventParamTextInputSendText, typeUnicodeText, 0, numBytesRequired, &numBytesRequired, uc);
  220533. EventRef originalEvent;
  220534. GetEventParameter (theEvent, kEventParamTextInputSendKeyboardEvent, typeEventRef, 0, sizeof (originalEvent), 0, &originalEvent);
  220535. OSStatus res = noErr;
  220536. for (int i = 0; i < numBytesRequired / sizeof (UniChar); ++i)
  220537. res = handleKeyEvent (originalEvent, (juce_wchar) uc[i]);
  220538. return res;
  220539. }
  220540. OSStatus handleMouseEvent (EventHandlerCallRef callRef, EventRef theEvent)
  220541. {
  220542. MouseCheckTimer::getInstance()->moved (this);
  220543. ::Point where;
  220544. GetEventParameter (theEvent, kEventParamMouseLocation, typeQDPoint, 0, sizeof (::Point), 0, &where);
  220545. int x = where.h;
  220546. int y = where.v;
  220547. globalPositionToRelative (x, y);
  220548. int64 time = getEventTime (theEvent);
  220549. switch (GetEventKind (theEvent))
  220550. {
  220551. case kEventMouseMoved:
  220552. MouseCheckTimer::getInstance()->hasEverHadAMouseMove = true;
  220553. updateModifiers (theEvent);
  220554. handleMouseMove (x, y, time);
  220555. break;
  220556. case kEventMouseDragged:
  220557. updateModifiers (theEvent);
  220558. handleMouseDrag (x, y, time);
  220559. break;
  220560. case kEventMouseDown:
  220561. {
  220562. if (! Process::isForegroundProcess())
  220563. {
  220564. ProcessSerialNumber psn;
  220565. GetCurrentProcess (&psn);
  220566. SetFrontProcessWithOptions (&psn, kSetFrontProcessFrontWindowOnly);
  220567. toFront (true);
  220568. }
  220569. #if JUCE_QUICKTIME
  220570. {
  220571. long mods;
  220572. GetEventParameter (theEvent, kEventParamKeyModifiers, typeUInt32, 0, sizeof (mods), 0, &mods);
  220573. ::Point where;
  220574. GetEventParameter (theEvent, kEventParamMouseLocation, typeQDPoint, 0, sizeof (::Point), 0, &where);
  220575. OfferMouseClickToQuickTime (windowRef, where, EventTimeToTicks (GetEventTime (theEvent)), mods, component);
  220576. }
  220577. #endif
  220578. if (component->isBroughtToFrontOnMouseClick()
  220579. && ! component->isCurrentlyBlockedByAnotherModalComponent())
  220580. {
  220581. //ActivateWindow (windowRef, true);
  220582. SelectWindow (windowRef);
  220583. }
  220584. EventMouseButton button;
  220585. GetEventParameter (theEvent, kEventParamMouseButton, typeMouseButton, 0, sizeof (EventMouseButton), 0, &button);
  220586. // need to clear all these flags because sometimes the mac can swallow (right) mouse-up events and
  220587. // this makes a button get stuck down. Since there's no other way to tell what buttons are down,
  220588. // this is all I can think of doing about it..
  220589. currentModifiers &= ~(ModifierKeys::leftButtonModifier | ModifierKeys::rightButtonModifier | ModifierKeys::middleButtonModifier);
  220590. if (button == kEventMouseButtonPrimary)
  220591. currentModifiers |= ModifierKeys::leftButtonModifier;
  220592. else if (button == kEventMouseButtonSecondary)
  220593. currentModifiers |= ModifierKeys::rightButtonModifier;
  220594. else if (button == kEventMouseButtonTertiary)
  220595. currentModifiers |= ModifierKeys::middleButtonModifier;
  220596. updateModifiers (theEvent);
  220597. juce_currentMouseTrackingPeer = this; // puts the message dispatcher into mouse-tracking mode..
  220598. handleMouseDown (x, y, time);
  220599. break;
  220600. }
  220601. case kEventMouseUp:
  220602. {
  220603. const int oldModifiers = currentModifiers;
  220604. EventMouseButton button;
  220605. GetEventParameter (theEvent, kEventParamMouseButton, typeMouseButton, 0, sizeof (EventMouseButton), 0, &button);
  220606. if (button == kEventMouseButtonPrimary)
  220607. currentModifiers &= ~ModifierKeys::leftButtonModifier;
  220608. else if (button == kEventMouseButtonSecondary)
  220609. currentModifiers &= ~ModifierKeys::rightButtonModifier;
  220610. updateModifiers (theEvent);
  220611. juce_currentMouseTrackingPeer = 0;
  220612. handleMouseUp (oldModifiers, x, y, time);
  220613. break;
  220614. }
  220615. case kEventMouseWheelMoved:
  220616. {
  220617. EventMouseWheelAxis axis;
  220618. GetEventParameter (theEvent, kEventParamMouseWheelAxis, typeMouseWheelAxis, 0, sizeof (axis), 0, &axis);
  220619. SInt32 delta;
  220620. GetEventParameter (theEvent, kEventParamMouseWheelDelta,
  220621. typeLongInteger, 0, sizeof (delta), 0, &delta);
  220622. updateModifiers (theEvent);
  220623. handleMouseWheel (axis == kEventMouseWheelAxisX ? delta * 10 : 0,
  220624. axis == kEventMouseWheelAxisX ? 0 : delta * 10,
  220625. time);
  220626. break;
  220627. }
  220628. }
  220629. return noErr;
  220630. }
  220631. void doDragDropEnter (EventRef theEvent)
  220632. {
  220633. updateDragAndDropFileList (theEvent);
  220634. if (dragAndDropFiles.size() > 0)
  220635. {
  220636. int x, y;
  220637. component->getMouseXYRelative (x, y);
  220638. handleFileDragMove (dragAndDropFiles, x, y);
  220639. }
  220640. }
  220641. void doDragDropMove (EventRef theEvent)
  220642. {
  220643. if (dragAndDropFiles.size() > 0)
  220644. {
  220645. int x, y;
  220646. component->getMouseXYRelative (x, y);
  220647. handleFileDragMove (dragAndDropFiles, x, y);
  220648. }
  220649. }
  220650. void doDragDropExit (EventRef theEvent)
  220651. {
  220652. if (dragAndDropFiles.size() > 0)
  220653. handleFileDragExit (dragAndDropFiles);
  220654. }
  220655. void doDragDrop (EventRef theEvent)
  220656. {
  220657. updateDragAndDropFileList (theEvent);
  220658. if (dragAndDropFiles.size() > 0)
  220659. {
  220660. int x, y;
  220661. component->getMouseXYRelative (x, y);
  220662. handleFileDragDrop (dragAndDropFiles, x, y);
  220663. }
  220664. }
  220665. void updateDragAndDropFileList (EventRef theEvent)
  220666. {
  220667. dragAndDropFiles.clear();
  220668. DragRef dragRef;
  220669. if (GetEventParameter (theEvent, kEventParamDragRef, typeDragRef, 0, sizeof (dragRef), 0, &dragRef) == noErr)
  220670. {
  220671. UInt16 numItems = 0;
  220672. if (CountDragItems (dragRef, &numItems) == noErr)
  220673. {
  220674. for (int i = 0; i < (int) numItems; ++i)
  220675. {
  220676. DragItemRef ref;
  220677. if (GetDragItemReferenceNumber (dragRef, i + 1, &ref) == noErr)
  220678. {
  220679. const FlavorType flavorType = kDragFlavorTypeHFS;
  220680. Size size = 0;
  220681. if (GetFlavorDataSize (dragRef, ref, flavorType, &size) == noErr)
  220682. {
  220683. void* data = juce_calloc (size);
  220684. if (GetFlavorData (dragRef, ref, flavorType, data, &size, 0) == noErr)
  220685. {
  220686. HFSFlavor* f = (HFSFlavor*) data;
  220687. FSRef fsref;
  220688. if (FSpMakeFSRef (&f->fileSpec, &fsref) == noErr)
  220689. {
  220690. const String path (PlatformUtilities::makePathFromFSRef (&fsref));
  220691. if (path.isNotEmpty())
  220692. dragAndDropFiles.add (path);
  220693. }
  220694. }
  220695. juce_free (data);
  220696. }
  220697. }
  220698. }
  220699. dragAndDropFiles.trim();
  220700. dragAndDropFiles.removeEmptyStrings();
  220701. }
  220702. }
  220703. }
  220704. void resizeViewToFitWindow()
  220705. {
  220706. HIRect r;
  220707. if (isSharedWindow)
  220708. {
  220709. HIViewGetFrame (viewRef, &r);
  220710. r.size.width = (float) component->getWidth();
  220711. r.size.height = (float) component->getHeight();
  220712. }
  220713. else
  220714. {
  220715. r.origin.x = 0;
  220716. r.origin.y = 0;
  220717. Rect w;
  220718. GetWindowBounds (windowRef, windowRegionToUse, &w);
  220719. r.size.width = (float) (w.right - w.left);
  220720. r.size.height = (float) (w.bottom - w.top);
  220721. }
  220722. HIViewSetFrame (viewRef, &r);
  220723. #if MACOS_10_3_OR_EARLIER
  220724. component->repaint();
  220725. #endif
  220726. }
  220727. OSStatus hiViewDraw (EventRef theEvent)
  220728. {
  220729. CGContextRef context = 0;
  220730. GetEventParameter (theEvent, kEventParamCGContextRef, typeCGContextRef, 0, sizeof (CGContextRef), 0, &context);
  220731. CGrafPtr oldPort;
  220732. CGrafPtr port = 0;
  220733. if (context == 0)
  220734. {
  220735. GetEventParameter (theEvent, kEventParamGrafPort, typeGrafPtr, 0, sizeof (CGrafPtr), 0, &port);
  220736. GetPort (&oldPort);
  220737. SetPort (port);
  220738. if (port != 0)
  220739. QDBeginCGContext (port, &context);
  220740. if (! isCompositingWindow)
  220741. {
  220742. Rect bounds;
  220743. GetWindowBounds (windowRef, windowRegionToUse, &bounds);
  220744. CGContextTranslateCTM (context, 0, bounds.bottom - bounds.top);
  220745. CGContextScaleCTM (context, 1.0, -1.0);
  220746. }
  220747. if (isSharedWindow)
  220748. {
  220749. // NB - Had terrible problems trying to correctly get the position
  220750. // of this view relative to the window, and this seems wrong, but
  220751. // works better than any other method I've tried..
  220752. HIRect hiViewPos;
  220753. HIViewGetFrame (viewRef, &hiViewPos);
  220754. CGContextTranslateCTM (context, hiViewPos.origin.x, hiViewPos.origin.y);
  220755. }
  220756. }
  220757. #if MACOS_10_2_OR_EARLIER
  220758. RgnHandle rgn = 0;
  220759. GetEventParameter (theEvent, kEventParamRgnHandle, typeQDRgnHandle, 0, sizeof (RgnHandle), 0, &rgn);
  220760. CGRect clip;
  220761. // (avoid doing this in plugins because of some strange redraw bugs..)
  220762. if (rgn != 0 && JUCEApplication::getInstance() != 0)
  220763. {
  220764. Rect bounds;
  220765. GetRegionBounds (rgn, &bounds);
  220766. clip.origin.x = bounds.left;
  220767. clip.origin.y = bounds.top;
  220768. clip.size.width = bounds.right - bounds.left;
  220769. clip.size.height = bounds.bottom - bounds.top;
  220770. }
  220771. else
  220772. {
  220773. HIViewGetBounds (viewRef, &clip);
  220774. clip.origin.x = 0;
  220775. clip.origin.y = 0;
  220776. }
  220777. #else
  220778. CGRect clip (CGContextGetClipBoundingBox (context));
  220779. #endif
  220780. clip = CGRectIntegral (clip);
  220781. if (clip.origin.x < 0)
  220782. {
  220783. clip.size.width += clip.origin.x;
  220784. clip.origin.x = 0;
  220785. }
  220786. if (clip.origin.y < 0)
  220787. {
  220788. clip.size.height += clip.origin.y;
  220789. clip.origin.y = 0;
  220790. }
  220791. if (! component->isOpaque())
  220792. CGContextClearRect (context, clip);
  220793. repainter->paint (context,
  220794. (int) clip.origin.x, (int) clip.origin.y,
  220795. (int) clip.size.width, (int) clip.size.height);
  220796. if (port != 0)
  220797. {
  220798. CGContextFlush (context);
  220799. QDEndCGContext (port, &context);
  220800. SetPort (oldPort);
  220801. }
  220802. repainter->repaintAnyRemainingRegions();
  220803. return noErr;
  220804. }
  220805. OSStatus handleWindowClassEvent (EventRef theEvent)
  220806. {
  220807. switch (GetEventKind (theEvent))
  220808. {
  220809. case kEventWindowBoundsChanged:
  220810. resizeViewToFitWindow();
  220811. break; // allow other handlers in the event chain to also get a look at the events
  220812. case kEventWindowBoundsChanging:
  220813. if ((styleFlags & (windowIsResizable | windowHasTitleBar)) == (windowIsResizable | windowHasTitleBar))
  220814. {
  220815. UInt32 atts = 0;
  220816. GetEventParameter (theEvent, kEventParamAttributes, typeUInt32,
  220817. 0, sizeof (UInt32), 0, &atts);
  220818. if ((atts & (kWindowBoundsChangeUserDrag | kWindowBoundsChangeUserResize)) != 0)
  220819. {
  220820. if (component->isCurrentlyBlockedByAnotherModalComponent())
  220821. {
  220822. Component* const modal = Component::getCurrentlyModalComponent();
  220823. if (modal != 0)
  220824. {
  220825. static uint32 lastDragTime = 0;
  220826. const uint32 now = Time::currentTimeMillis();
  220827. if (now > lastDragTime + 1000)
  220828. {
  220829. lastDragTime = now;
  220830. modal->inputAttemptWhenModal();
  220831. }
  220832. const Rectangle currentRect (getComponent()->getBounds());
  220833. Rect current;
  220834. current.left = currentRect.getX();
  220835. current.top = currentRect.getY();
  220836. current.right = currentRect.getRight();
  220837. current.bottom = currentRect.getBottom();
  220838. // stop the window getting dragged..
  220839. SetEventParameter (theEvent, kEventParamCurrentBounds, typeQDRectangle,
  220840. sizeof (Rect), &current);
  220841. return noErr;
  220842. }
  220843. }
  220844. if ((atts & kWindowBoundsChangeUserResize) != 0
  220845. && constrainer != 0 && ! isSharedWindow)
  220846. {
  220847. Rect current;
  220848. GetEventParameter (theEvent, kEventParamCurrentBounds, typeQDRectangle,
  220849. 0, sizeof (Rect), 0, &current);
  220850. int x = current.left;
  220851. int y = current.top;
  220852. int w = current.right - current.left;
  220853. int h = current.bottom - current.top;
  220854. const Rectangle currentRect (getComponent()->getBounds());
  220855. constrainer->checkBounds (x, y, w, h, currentRect,
  220856. Desktop::getInstance().getAllMonitorDisplayAreas().getBounds(),
  220857. y != currentRect.getY() && y + h == currentRect.getBottom(),
  220858. x != currentRect.getX() && x + w == currentRect.getRight(),
  220859. y == currentRect.getY() && y + h != currentRect.getBottom(),
  220860. x == currentRect.getX() && x + w != currentRect.getRight());
  220861. current.left = x;
  220862. current.top = y;
  220863. current.right = x + w;
  220864. current.bottom = y + h;
  220865. SetEventParameter (theEvent, kEventParamCurrentBounds, typeQDRectangle,
  220866. sizeof (Rect), &current);
  220867. return noErr;
  220868. }
  220869. }
  220870. }
  220871. break;
  220872. case kEventWindowFocusAcquired:
  220873. keysCurrentlyDown.clear();
  220874. if ((! isSharedWindow) || HIViewSubtreeContainsFocus (viewRef))
  220875. viewFocusGain();
  220876. break; // allow other handlers in the event chain to also get a look at the events
  220877. case kEventWindowFocusRelinquish:
  220878. keysCurrentlyDown.clear();
  220879. viewFocusLoss();
  220880. break; // allow other handlers in the event chain to also get a look at the events
  220881. case kEventWindowCollapsed:
  220882. minimisedWindows.addIfNotAlreadyThere (windowRef);
  220883. handleMovedOrResized();
  220884. break; // allow other handlers in the event chain to also get a look at the events
  220885. case kEventWindowExpanded:
  220886. minimisedWindows.removeValue (windowRef);
  220887. handleMovedOrResized();
  220888. break; // allow other handlers in the event chain to also get a look at the events
  220889. case kEventWindowShown:
  220890. break; // allow other handlers in the event chain to also get a look at the events
  220891. case kEventWindowClose:
  220892. if (isSharedWindow)
  220893. break; // break to let the OS delete the window
  220894. handleUserClosingWindow();
  220895. return noErr; // avoids letting the OS to delete the window, we'll do that ourselves.
  220896. default:
  220897. break;
  220898. }
  220899. return eventNotHandledErr;
  220900. }
  220901. OSStatus handleWindowEventForPeer (EventHandlerCallRef callRef, EventRef theEvent)
  220902. {
  220903. switch (GetEventClass (theEvent))
  220904. {
  220905. case kEventClassMouse:
  220906. {
  220907. static HIViewComponentPeer* lastMouseDownPeer = 0;
  220908. const UInt32 eventKind = GetEventKind (theEvent);
  220909. HIViewRef view = 0;
  220910. if (eventKind == kEventMouseDragged)
  220911. {
  220912. view = viewRef;
  220913. }
  220914. else
  220915. {
  220916. HIViewGetViewForMouseEvent (HIViewGetRoot (windowRef), theEvent, &view);
  220917. if (view != viewRef)
  220918. {
  220919. if ((eventKind == kEventMouseUp
  220920. || eventKind == kEventMouseExited)
  220921. && ComponentPeer::isValidPeer (lastMouseDownPeer))
  220922. {
  220923. return lastMouseDownPeer->handleMouseEvent (callRef, theEvent);
  220924. }
  220925. return eventNotHandledErr;
  220926. }
  220927. }
  220928. if (eventKind == kEventMouseDown
  220929. || eventKind == kEventMouseDragged
  220930. || eventKind == kEventMouseEntered)
  220931. {
  220932. lastMouseDownPeer = this;
  220933. }
  220934. return handleMouseEvent (callRef, theEvent);
  220935. }
  220936. break;
  220937. case kEventClassWindow:
  220938. return handleWindowClassEvent (theEvent);
  220939. case kEventClassKeyboard:
  220940. if (isFocused())
  220941. return handleKeyEvent (theEvent, 0);
  220942. break;
  220943. case kEventClassTextInput:
  220944. if (isFocused())
  220945. return handleTextInputEvent (theEvent);
  220946. break;
  220947. default:
  220948. break;
  220949. }
  220950. return eventNotHandledErr;
  220951. }
  220952. static pascal OSStatus handleWindowEvent (EventHandlerCallRef callRef, EventRef theEvent, void* userData)
  220953. {
  220954. MessageManager::delayWaitCursor();
  220955. HIViewComponentPeer* const peer = (HIViewComponentPeer*) userData;
  220956. const MessageManagerLock messLock;
  220957. if (ComponentPeer::isValidPeer (peer))
  220958. return peer->handleWindowEventForPeer (callRef, theEvent);
  220959. return eventNotHandledErr;
  220960. }
  220961. static pascal OSStatus hiViewEventHandler (EventHandlerCallRef myHandler, EventRef theEvent, void* userData)
  220962. {
  220963. MessageManager::delayWaitCursor();
  220964. const UInt32 eventKind = GetEventKind (theEvent);
  220965. const UInt32 eventClass = GetEventClass (theEvent);
  220966. if (eventClass == kEventClassHIObject)
  220967. {
  220968. switch (eventKind)
  220969. {
  220970. case kEventHIObjectConstruct:
  220971. {
  220972. void* data = juce_calloc (sizeof (void*));
  220973. SetEventParameter (theEvent, kEventParamHIObjectInstance,
  220974. typeVoidPtr, sizeof (void*), &data);
  220975. return noErr;
  220976. }
  220977. case kEventHIObjectInitialize:
  220978. GetEventParameter (theEvent, 'peer', typeVoidPtr, 0, sizeof (void*), 0, (void**) userData);
  220979. return noErr;
  220980. case kEventHIObjectDestruct:
  220981. juce_free (userData);
  220982. return noErr;
  220983. default:
  220984. break;
  220985. }
  220986. }
  220987. else if (eventClass == kEventClassControl)
  220988. {
  220989. HIViewComponentPeer* const peer = *(HIViewComponentPeer**) userData;
  220990. const MessageManagerLock messLock;
  220991. if (! ComponentPeer::isValidPeer (peer))
  220992. return eventNotHandledErr;
  220993. switch (eventKind)
  220994. {
  220995. case kEventControlDraw:
  220996. return peer->hiViewDraw (theEvent);
  220997. case kEventControlBoundsChanged:
  220998. {
  220999. HIRect bounds;
  221000. HIViewGetBounds (peer->viewRef, &bounds);
  221001. peer->repaint (0, 0, roundFloatToInt (bounds.size.width), roundFloatToInt (bounds.size.height));
  221002. peer->handleMovedOrResized();
  221003. return noErr;
  221004. }
  221005. case kEventControlHitTest:
  221006. {
  221007. HIPoint where;
  221008. GetEventParameter (theEvent, kEventParamMouseLocation, typeHIPoint, 0, sizeof (HIPoint), 0, &where);
  221009. HIRect bounds;
  221010. HIViewGetBounds (peer->viewRef, &bounds);
  221011. ControlPartCode part = kControlNoPart;
  221012. if (CGRectContainsPoint (bounds, where))
  221013. part = 1;
  221014. SetEventParameter (theEvent, kEventParamControlPart, typeControlPartCode, sizeof (ControlPartCode), &part);
  221015. return noErr;
  221016. }
  221017. break;
  221018. case kEventControlSetFocusPart:
  221019. {
  221020. ControlPartCode desiredFocus;
  221021. if (GetEventParameter (theEvent, kEventParamControlPart, typeControlPartCode, 0, sizeof (ControlPartCode), 0, &desiredFocus) != noErr)
  221022. break;
  221023. if (desiredFocus == kControlNoPart)
  221024. peer->viewFocusLoss();
  221025. else
  221026. peer->viewFocusGain();
  221027. return noErr;
  221028. }
  221029. break;
  221030. case kEventControlDragEnter:
  221031. {
  221032. #if MACOS_10_2_OR_EARLIER
  221033. enum { kEventParamControlWouldAcceptDrop = 'cldg' };
  221034. #endif
  221035. Boolean accept = true;
  221036. SetEventParameter (theEvent, kEventParamControlWouldAcceptDrop, typeBoolean, sizeof (accept), &accept);
  221037. peer->doDragDropEnter (theEvent);
  221038. return noErr;
  221039. }
  221040. case kEventControlDragWithin:
  221041. peer->doDragDropMove (theEvent);
  221042. return noErr;
  221043. case kEventControlDragLeave:
  221044. peer->doDragDropExit (theEvent);
  221045. return noErr;
  221046. case kEventControlDragReceive:
  221047. peer->doDragDrop (theEvent);
  221048. return noErr;
  221049. case kEventControlOwningWindowChanged:
  221050. return peer->ownerWindowChanged (theEvent);
  221051. #if ! MACOS_10_2_OR_EARLIER
  221052. case kEventControlGetFrameMetrics:
  221053. {
  221054. CallNextEventHandler (myHandler, theEvent);
  221055. HIViewFrameMetrics metrics;
  221056. GetEventParameter (theEvent, kEventParamControlFrameMetrics, typeControlFrameMetrics, 0, sizeof (metrics), 0, &metrics);
  221057. metrics.top = metrics.bottom = 0;
  221058. SetEventParameter (theEvent, kEventParamControlFrameMetrics, typeControlFrameMetrics, sizeof (metrics), &metrics);
  221059. return noErr;
  221060. }
  221061. #endif
  221062. case kEventControlInitialize:
  221063. {
  221064. UInt32 features = kControlSupportsDragAndDrop
  221065. | kControlSupportsFocus
  221066. | kControlHandlesTracking
  221067. | kControlSupportsEmbedding
  221068. | (1 << 8) /*kHIViewFeatureGetsFocusOnClick*/;
  221069. SetEventParameter (theEvent, kEventParamControlFeatures, typeUInt32, sizeof (UInt32), &features);
  221070. return noErr;
  221071. }
  221072. default:
  221073. break;
  221074. }
  221075. }
  221076. return eventNotHandledErr;
  221077. }
  221078. WindowRef createNewWindow (const int windowStyleFlags)
  221079. {
  221080. jassert (windowRef == 0);
  221081. static ToolboxObjectClassRef customWindowClass = 0;
  221082. if (customWindowClass == 0)
  221083. {
  221084. // Register our window class
  221085. const EventTypeSpec customTypes[] = { { kEventClassWindow, kEventWindowDrawFrame } };
  221086. UnsignedWide t;
  221087. Microseconds (&t);
  221088. const String randomString ((int) (t.lo & 0x7ffffff));
  221089. const String juceWindowClassName (T("JUCEWindowClass_") + randomString);
  221090. CFStringRef juceWindowClassNameCFString = PlatformUtilities::juceStringToCFString (juceWindowClassName);
  221091. RegisterToolboxObjectClass (juceWindowClassNameCFString,
  221092. 0, 1, customTypes,
  221093. NewEventHandlerUPP (handleFrameRepaintEvent),
  221094. 0, &customWindowClass);
  221095. CFRelease (juceWindowClassNameCFString);
  221096. }
  221097. Rect pos;
  221098. pos.left = getComponent()->getX();
  221099. pos.top = getComponent()->getY();
  221100. pos.right = getComponent()->getRight();
  221101. pos.bottom = getComponent()->getBottom();
  221102. int attributes = kWindowStandardHandlerAttribute | kWindowCompositingAttribute;
  221103. if ((windowStyleFlags & windowHasDropShadow) == 0)
  221104. attributes |= kWindowNoShadowAttribute;
  221105. if ((windowStyleFlags & windowIgnoresMouseClicks) != 0)
  221106. attributes |= kWindowIgnoreClicksAttribute;
  221107. #if ! MACOS_10_3_OR_EARLIER
  221108. if ((windowStyleFlags & windowIsTemporary) != 0)
  221109. attributes |= kWindowDoesNotCycleAttribute;
  221110. #endif
  221111. WindowRef newWindow = 0;
  221112. if ((windowStyleFlags & windowHasTitleBar) == 0)
  221113. {
  221114. attributes |= kWindowCollapseBoxAttribute;
  221115. WindowDefSpec customWindowSpec;
  221116. customWindowSpec.defType = kWindowDefObjectClass;
  221117. customWindowSpec.u.classRef = customWindowClass;
  221118. CreateCustomWindow (&customWindowSpec,
  221119. ((windowStyleFlags & windowIsTemporary) != 0) ? kUtilityWindowClass :
  221120. (getComponent()->isAlwaysOnTop() ? kUtilityWindowClass
  221121. : kDocumentWindowClass),
  221122. attributes,
  221123. &pos,
  221124. &newWindow);
  221125. }
  221126. else
  221127. {
  221128. if ((windowStyleFlags & windowHasCloseButton) != 0)
  221129. attributes |= kWindowCloseBoxAttribute;
  221130. if ((windowStyleFlags & windowHasMinimiseButton) != 0)
  221131. attributes |= kWindowCollapseBoxAttribute;
  221132. if ((windowStyleFlags & windowHasMaximiseButton) != 0)
  221133. attributes |= kWindowFullZoomAttribute;
  221134. if ((windowStyleFlags & windowIsResizable) != 0)
  221135. attributes |= kWindowResizableAttribute | kWindowLiveResizeAttribute;
  221136. CreateNewWindow (kDocumentWindowClass, attributes, &pos, &newWindow);
  221137. }
  221138. jassert (newWindow != 0);
  221139. if (newWindow != 0)
  221140. {
  221141. HideWindow (newWindow);
  221142. SetAutomaticControlDragTrackingEnabledForWindow (newWindow, true);
  221143. if (! getComponent()->isOpaque())
  221144. SetWindowAlpha (newWindow, 0.9999999f); // to fool it into giving the window an alpha-channel
  221145. }
  221146. return newWindow;
  221147. }
  221148. OSStatus ownerWindowChanged (EventRef theEvent)
  221149. {
  221150. WindowRef newWindow = 0;
  221151. GetEventParameter (theEvent, kEventParamControlCurrentOwningWindow, typeWindowRef, 0, sizeof (newWindow), 0, &newWindow);
  221152. if (windowRef != newWindow)
  221153. {
  221154. if (eventHandlerRef != 0)
  221155. {
  221156. RemoveEventHandler (eventHandlerRef);
  221157. eventHandlerRef = 0;
  221158. }
  221159. windowRef = newWindow;
  221160. if (windowRef != 0)
  221161. {
  221162. const EventTypeSpec eventTypes[] =
  221163. {
  221164. { kEventClassWindow, kEventWindowBoundsChanged },
  221165. { kEventClassWindow, kEventWindowBoundsChanging },
  221166. { kEventClassWindow, kEventWindowFocusAcquired },
  221167. { kEventClassWindow, kEventWindowFocusRelinquish },
  221168. { kEventClassWindow, kEventWindowCollapsed },
  221169. { kEventClassWindow, kEventWindowExpanded },
  221170. { kEventClassWindow, kEventWindowShown },
  221171. { kEventClassWindow, kEventWindowClose },
  221172. { kEventClassMouse, kEventMouseDown },
  221173. { kEventClassMouse, kEventMouseUp },
  221174. { kEventClassMouse, kEventMouseMoved },
  221175. { kEventClassMouse, kEventMouseDragged },
  221176. { kEventClassMouse, kEventMouseEntered },
  221177. { kEventClassMouse, kEventMouseExited },
  221178. { kEventClassMouse, kEventMouseWheelMoved },
  221179. { kEventClassKeyboard, kEventRawKeyUp },
  221180. { kEventClassKeyboard, kEventRawKeyRepeat },
  221181. { kEventClassKeyboard, kEventRawKeyModifiersChanged },
  221182. { kEventClassTextInput, kEventTextInputUnicodeForKeyEvent }
  221183. };
  221184. static EventHandlerUPP handleWindowEventUPP = 0;
  221185. if (handleWindowEventUPP == 0)
  221186. handleWindowEventUPP = NewEventHandlerUPP (handleWindowEvent);
  221187. InstallWindowEventHandler (windowRef, handleWindowEventUPP,
  221188. GetEventTypeCount (eventTypes), eventTypes,
  221189. (void*) this, (EventHandlerRef*) &eventHandlerRef);
  221190. WindowAttributes attributes;
  221191. GetWindowAttributes (windowRef, &attributes);
  221192. #if MACOS_10_3_OR_EARLIER
  221193. isCompositingWindow = ((attributes & kWindowCompositingAttribute) != 0);
  221194. #else
  221195. isCompositingWindow = HIViewIsCompositingEnabled (viewRef);
  221196. #endif
  221197. SetAutomaticControlDragTrackingEnabledForWindow (newWindow, true);
  221198. MouseCheckTimer::getInstance()->resetMouseMoveChecker();
  221199. }
  221200. }
  221201. resizeViewToFitWindow();
  221202. return noErr;
  221203. }
  221204. void createNewHIView()
  221205. {
  221206. jassert (viewRef == 0);
  221207. if (viewClassRef == 0)
  221208. {
  221209. // Register our HIView class
  221210. EventTypeSpec viewEvents[] =
  221211. {
  221212. { kEventClassHIObject, kEventHIObjectConstruct },
  221213. { kEventClassHIObject, kEventHIObjectInitialize },
  221214. { kEventClassHIObject, kEventHIObjectDestruct },
  221215. { kEventClassControl, kEventControlInitialize },
  221216. { kEventClassControl, kEventControlDraw },
  221217. { kEventClassControl, kEventControlBoundsChanged },
  221218. { kEventClassControl, kEventControlSetFocusPart },
  221219. { kEventClassControl, kEventControlHitTest },
  221220. { kEventClassControl, kEventControlDragEnter },
  221221. { kEventClassControl, kEventControlDragLeave },
  221222. { kEventClassControl, kEventControlDragWithin },
  221223. { kEventClassControl, kEventControlDragReceive },
  221224. { kEventClassControl, kEventControlOwningWindowChanged }
  221225. };
  221226. UnsignedWide t;
  221227. Microseconds (&t);
  221228. const String randomString ((int) (t.lo & 0x7ffffff));
  221229. const String juceHiViewClassName (T("JUCEHIViewClass_") + randomString);
  221230. juceHiViewClassNameCFString = PlatformUtilities::juceStringToCFString (juceHiViewClassName);
  221231. HIObjectRegisterSubclass (juceHiViewClassNameCFString,
  221232. kHIViewClassID, 0,
  221233. NewEventHandlerUPP (hiViewEventHandler),
  221234. GetEventTypeCount (viewEvents),
  221235. viewEvents, 0,
  221236. &viewClassRef);
  221237. }
  221238. EventRef event;
  221239. CreateEvent (0, kEventClassHIObject, kEventHIObjectInitialize, GetCurrentEventTime(), kEventAttributeNone, &event);
  221240. void* thisPointer = this;
  221241. SetEventParameter (event, 'peer', typeVoidPtr, sizeof (void*), &thisPointer);
  221242. HIObjectCreate (juceHiViewClassNameCFString, event, (HIObjectRef*) &viewRef);
  221243. SetControlDragTrackingEnabled (viewRef, true);
  221244. if (isSharedWindow)
  221245. {
  221246. setBounds (component->getX(), component->getY(),
  221247. component->getWidth(), component->getHeight(), false);
  221248. }
  221249. }
  221250. };
  221251. bool juce_isHIViewCreatedByJuce (HIViewRef view)
  221252. {
  221253. return juceHiViewClassNameCFString != 0
  221254. && HIObjectIsOfClass ((HIObjectRef) view, juceHiViewClassNameCFString);
  221255. }
  221256. bool juce_isWindowCreatedByJuce (WindowRef window)
  221257. {
  221258. for (int i = ComponentPeer::getNumPeers(); --i >= 0;)
  221259. if (ComponentPeer::getPeer(i)->getNativeHandle() == window)
  221260. return true;
  221261. return false;
  221262. }
  221263. static void trackNextMouseEvent()
  221264. {
  221265. UInt32 mods;
  221266. MouseTrackingResult result;
  221267. ::Point where;
  221268. if (TrackMouseLocationWithOptions ((GrafPtr) -1, 0, 0.01, //kEventDurationForever,
  221269. &where, &mods, &result) != noErr
  221270. || ! ComponentPeer::isValidPeer (juce_currentMouseTrackingPeer))
  221271. {
  221272. juce_currentMouseTrackingPeer = 0;
  221273. return;
  221274. }
  221275. if (result == kMouseTrackingTimedOut)
  221276. return;
  221277. #if MACOS_10_3_OR_EARLIER
  221278. const int x = where.h - juce_currentMouseTrackingPeer->getScreenX();
  221279. const int y = where.v - juce_currentMouseTrackingPeer->getScreenY();
  221280. #else
  221281. HIPoint p;
  221282. p.x = where.h;
  221283. p.y = where.v;
  221284. HIPointConvert (&p, kHICoordSpaceScreenPixel, 0,
  221285. kHICoordSpaceView, ((HIViewComponentPeer*) juce_currentMouseTrackingPeer)->viewRef);
  221286. const int x = p.x;
  221287. const int y = p.y;
  221288. #endif
  221289. if (result == kMouseTrackingMouseDragged)
  221290. {
  221291. updateModifiers (0);
  221292. juce_currentMouseTrackingPeer->handleMouseDrag (x, y, getEventTime (0));
  221293. if (! ComponentPeer::isValidPeer (juce_currentMouseTrackingPeer))
  221294. {
  221295. juce_currentMouseTrackingPeer = 0;
  221296. return;
  221297. }
  221298. }
  221299. else if (result == kMouseTrackingMouseUp
  221300. || result == kMouseTrackingUserCancelled
  221301. || result == kMouseTrackingMouseMoved)
  221302. {
  221303. ComponentPeer* const oldPeer = juce_currentMouseTrackingPeer;
  221304. juce_currentMouseTrackingPeer = 0;
  221305. if (ComponentPeer::isValidPeer (oldPeer))
  221306. {
  221307. const int oldModifiers = currentModifiers;
  221308. currentModifiers &= ~(ModifierKeys::leftButtonModifier | ModifierKeys::rightButtonModifier | ModifierKeys::middleButtonModifier);
  221309. updateModifiers (0);
  221310. oldPeer->handleMouseUp (oldModifiers, x, y, getEventTime (0));
  221311. }
  221312. }
  221313. }
  221314. bool juce_dispatchNextMessageOnSystemQueue (bool returnIfNoPendingMessages)
  221315. {
  221316. if (juce_currentMouseTrackingPeer != 0)
  221317. trackNextMouseEvent();
  221318. /* [[NSRunLoop mainRunLoop] acceptInputForMode: NSDefaultRunLoopMode
  221319. beforeDate: returnIfNoPendingMessages
  221320. ? [[NSDate date] addTimeInterval: 0.01]
  221321. : [NSDate distantFuture]];
  221322. */
  221323. EventRef theEvent;
  221324. if (ReceiveNextEvent (0, 0, (returnIfNoPendingMessages) ? kEventDurationNoWait
  221325. : kEventDurationForever,
  221326. true, &theEvent) == noErr)
  221327. {
  221328. if (GetEventClass (theEvent) == kEventClassAppleEvent)
  221329. {
  221330. EventRecord eventRec;
  221331. if (ConvertEventRefToEventRecord (theEvent, &eventRec))
  221332. AEProcessAppleEvent (&eventRec);
  221333. }
  221334. else
  221335. {
  221336. EventTargetRef theTarget = GetEventDispatcherTarget();
  221337. SendEventToEventTarget (theEvent, theTarget);
  221338. }
  221339. ReleaseEvent (theEvent);
  221340. return true;
  221341. }
  221342. return false;
  221343. }
  221344. ComponentPeer* Component::createNewPeer (int styleFlags, void* windowToAttachTo)
  221345. {
  221346. return new HIViewComponentPeer (this, styleFlags, (HIViewRef) windowToAttachTo);
  221347. }
  221348. void MouseCheckTimer::timerCallback()
  221349. {
  221350. if (ModifierKeys::getCurrentModifiersRealtime().isAnyMouseButtonDown())
  221351. return;
  221352. if (Process::isForegroundProcess())
  221353. {
  221354. bool stillOver = false;
  221355. int x = 0, y = 0, w = 0, h = 0;
  221356. int mx = 0, my = 0;
  221357. const bool validWindow = ComponentPeer::isValidPeer (lastPeerUnderMouse);
  221358. if (validWindow)
  221359. {
  221360. lastPeerUnderMouse->getBounds (x, y, w, h, true);
  221361. Desktop::getMousePosition (mx, my);
  221362. stillOver = (mx >= x && my >= y && mx < x + w && my < y + h);
  221363. if (stillOver)
  221364. {
  221365. // check if it's over an embedded HIView
  221366. int rx = mx, ry = my;
  221367. lastPeerUnderMouse->globalPositionToRelative (rx, ry);
  221368. HIPoint hipoint;
  221369. hipoint.x = rx;
  221370. hipoint.y = ry;
  221371. HIViewRef root;
  221372. GetRootControl ((WindowRef) lastPeerUnderMouse->getNativeHandle(), &root);
  221373. HIViewRef hitview;
  221374. if (HIViewGetSubviewHit (root, &hipoint, true, &hitview) == noErr && hitview != 0)
  221375. {
  221376. stillOver = HIObjectIsOfClass ((HIObjectRef) hitview, juceHiViewClassNameCFString);
  221377. }
  221378. }
  221379. }
  221380. if (! stillOver)
  221381. {
  221382. // mouse is outside our windows so set a normal cursor (only
  221383. // if we're running as an app, not a plugin)
  221384. if (JUCEApplication::getInstance() != 0)
  221385. SetThemeCursor (kThemeArrowCursor);
  221386. if (validWindow)
  221387. lastPeerUnderMouse->handleMouseExit (mx - x, my - y, Time::currentTimeMillis());
  221388. if (hasEverHadAMouseMove)
  221389. stopTimer();
  221390. }
  221391. if ((! hasEverHadAMouseMove) && validWindow
  221392. && (mx != lastX || my != lastY))
  221393. {
  221394. lastX = mx;
  221395. lastY = my;
  221396. if (stillOver)
  221397. lastPeerUnderMouse->handleMouseMove (mx - x, my - y, Time::currentTimeMillis());
  221398. }
  221399. }
  221400. }
  221401. // called from juce_Messaging.cpp
  221402. void juce_HandleProcessFocusChange()
  221403. {
  221404. keysCurrentlyDown.clear();
  221405. if (HIViewComponentPeer::isValidPeer (currentlyFocusedPeer))
  221406. {
  221407. if (Process::isForegroundProcess())
  221408. currentlyFocusedPeer->handleFocusGain();
  221409. else
  221410. currentlyFocusedPeer->handleFocusLoss();
  221411. }
  221412. }
  221413. static bool performDrag (DragRef drag)
  221414. {
  221415. EventRecord event;
  221416. event.what = mouseDown;
  221417. event.message = 0;
  221418. event.when = TickCount();
  221419. int x, y;
  221420. Desktop::getMousePosition (x, y);
  221421. event.where.h = x;
  221422. event.where.v = y;
  221423. event.modifiers = GetCurrentKeyModifiers();
  221424. RgnHandle rgn = NewRgn();
  221425. RgnHandle rgn2 = NewRgn();
  221426. SetRectRgn (rgn,
  221427. event.where.h - 8, event.where.v - 8,
  221428. event.where.h + 8, event.where.v + 8);
  221429. CopyRgn (rgn, rgn2);
  221430. InsetRgn (rgn2, 1, 1);
  221431. DiffRgn (rgn, rgn2, rgn);
  221432. DisposeRgn (rgn2);
  221433. bool result = TrackDrag (drag, &event, rgn) == noErr;
  221434. DisposeRgn (rgn);
  221435. return result;
  221436. }
  221437. bool DragAndDropContainer::performExternalDragDropOfFiles (const StringArray& files, const bool canMoveFiles)
  221438. {
  221439. for (int i = ComponentPeer::getNumPeers(); --i >= 0;)
  221440. ComponentPeer::getPeer (i)->performAnyPendingRepaintsNow();
  221441. DragRef drag;
  221442. bool result = false;
  221443. if (NewDrag (&drag) == noErr)
  221444. {
  221445. for (int i = 0; i < files.size(); ++i)
  221446. {
  221447. HFSFlavor hfsData;
  221448. if (PlatformUtilities::makeFSSpecFromPath (&hfsData.fileSpec, files[i]))
  221449. {
  221450. FInfo info;
  221451. if (FSpGetFInfo (&hfsData.fileSpec, &info) == noErr)
  221452. {
  221453. hfsData.fileType = info.fdType;
  221454. hfsData.fileCreator = info.fdCreator;
  221455. hfsData.fdFlags = info.fdFlags;
  221456. AddDragItemFlavor (drag, i + 1, kDragFlavorTypeHFS, &hfsData, sizeof (hfsData), 0);
  221457. result = true;
  221458. }
  221459. }
  221460. }
  221461. SetDragAllowableActions (drag, canMoveFiles ? kDragActionAll
  221462. : kDragActionCopy, false);
  221463. if (result)
  221464. result = performDrag (drag);
  221465. DisposeDrag (drag);
  221466. }
  221467. return result;
  221468. }
  221469. bool DragAndDropContainer::performExternalDragDropOfText (const String& text)
  221470. {
  221471. jassertfalse // not implemented!
  221472. return false;
  221473. }
  221474. bool Process::isForegroundProcess() throw()
  221475. {
  221476. ProcessSerialNumber psn, front;
  221477. GetCurrentProcess (&psn);
  221478. GetFrontProcess (&front);
  221479. Boolean b;
  221480. return (SameProcess (&psn, &front, &b) == noErr) && b;
  221481. }
  221482. bool Desktop::canUseSemiTransparentWindows() throw()
  221483. {
  221484. return true;
  221485. }
  221486. void Desktop::getMousePosition (int& x, int& y) throw()
  221487. {
  221488. CGrafPtr currentPort;
  221489. GetPort (&currentPort);
  221490. if (! IsValidPort (currentPort))
  221491. {
  221492. WindowRef front = FrontWindow();
  221493. if (front != 0)
  221494. {
  221495. SetPortWindowPort (front);
  221496. }
  221497. else
  221498. {
  221499. x = y = 0;
  221500. return;
  221501. }
  221502. }
  221503. ::Point p;
  221504. GetMouse (&p);
  221505. LocalToGlobal (&p);
  221506. x = p.h;
  221507. y = p.v;
  221508. SetPort (currentPort);
  221509. }
  221510. void Desktop::setMousePosition (int x, int y) throw()
  221511. {
  221512. // this rubbish needs to be done around the warp call, to avoid causing a
  221513. // bizarre glitch..
  221514. CGAssociateMouseAndMouseCursorPosition (false);
  221515. CGSetLocalEventsSuppressionInterval (0);
  221516. CGPoint pos = { x, y };
  221517. CGWarpMouseCursorPosition (pos);
  221518. CGAssociateMouseAndMouseCursorPosition (true);
  221519. }
  221520. const ModifierKeys ModifierKeys::getCurrentModifiersRealtime() throw()
  221521. {
  221522. return ModifierKeys (currentModifiers);
  221523. }
  221524. class ScreenSaverDefeater : public Timer,
  221525. public DeletedAtShutdown
  221526. {
  221527. public:
  221528. ScreenSaverDefeater() throw()
  221529. {
  221530. startTimer (10000);
  221531. timerCallback();
  221532. }
  221533. ~ScreenSaverDefeater()
  221534. {
  221535. }
  221536. void timerCallback()
  221537. {
  221538. if (Process::isForegroundProcess())
  221539. UpdateSystemActivity (UsrActivity);
  221540. }
  221541. };
  221542. static ScreenSaverDefeater* screenSaverDefeater = 0;
  221543. void Desktop::setScreenSaverEnabled (const bool isEnabled) throw()
  221544. {
  221545. if (screenSaverDefeater == 0)
  221546. screenSaverDefeater = new ScreenSaverDefeater();
  221547. }
  221548. bool Desktop::isScreenSaverEnabled() throw()
  221549. {
  221550. return screenSaverDefeater == 0;
  221551. }
  221552. void juce_updateMultiMonitorInfo (Array <Rectangle>& monitorCoords, const bool clipToWorkArea) throw()
  221553. {
  221554. int mainMonitorIndex = 0;
  221555. CGDirectDisplayID mainDisplayID = CGMainDisplayID();
  221556. CGDisplayCount count = 0;
  221557. CGDirectDisplayID disps [8];
  221558. if (CGGetOnlineDisplayList (numElementsInArray (disps), disps, &count) == noErr)
  221559. {
  221560. for (int i = 0; i < count; ++i)
  221561. {
  221562. if (mainDisplayID == disps[i])
  221563. mainMonitorIndex = monitorCoords.size();
  221564. GDHandle hGDevice;
  221565. if (clipToWorkArea
  221566. && DMGetGDeviceByDisplayID ((DisplayIDType) disps[i], &hGDevice, false) == noErr)
  221567. {
  221568. Rect rect;
  221569. GetAvailableWindowPositioningBounds (hGDevice, &rect);
  221570. monitorCoords.add (Rectangle (rect.left,
  221571. rect.top,
  221572. rect.right - rect.left,
  221573. rect.bottom - rect.top));
  221574. }
  221575. else
  221576. {
  221577. const CGRect r (CGDisplayBounds (disps[i]));
  221578. monitorCoords.add (Rectangle ((int) r.origin.x,
  221579. (int) r.origin.y,
  221580. (int) r.size.width,
  221581. (int) r.size.height));
  221582. }
  221583. }
  221584. }
  221585. // make sure the first in the list is the main monitor
  221586. if (mainMonitorIndex > 0)
  221587. monitorCoords.swap (mainMonitorIndex, 0);
  221588. jassert (monitorCoords.size() > 0);
  221589. if (monitorCoords.size() == 0)
  221590. monitorCoords.add (Rectangle (0, 0, 1024, 768));
  221591. }
  221592. static NSImage* juceImageToNSImage (const Image& image)
  221593. {
  221594. int lineStride, pixelStride;
  221595. const uint8* pixels = image.lockPixelDataReadOnly (0, 0, image.getWidth(), image.getHeight(),
  221596. lineStride, pixelStride);
  221597. NSBitmapImageRep* rep = [[NSBitmapImageRep alloc]
  221598. initWithBitmapDataPlanes: NULL
  221599. pixelsWide: image.getWidth()
  221600. pixelsHigh: image.getHeight()
  221601. bitsPerSample: 8
  221602. samplesPerPixel: image.hasAlphaChannel() ? 4 : 3
  221603. hasAlpha: image.hasAlphaChannel()
  221604. isPlanar: NO
  221605. colorSpaceName: NSCalibratedRGBColorSpace
  221606. bitmapFormat: (NSBitmapFormat) 0
  221607. bytesPerRow: lineStride
  221608. bitsPerPixel: pixelStride * 8];
  221609. unsigned char* newData = [rep bitmapData];
  221610. memcpy (newData, pixels, lineStride * image.getHeight());
  221611. image.releasePixelDataReadOnly (pixels);
  221612. NSImage* im = [[NSImage alloc] init];
  221613. [im addRepresentation: rep];
  221614. [rep release];
  221615. return im;
  221616. }
  221617. void* juce_createMouseCursorFromImage (const Image& image, int hotspotX, int hotspotY) throw()
  221618. {
  221619. NSImage* im = juceImageToNSImage (image);
  221620. [im autorelease];
  221621. NSPoint hs;
  221622. hs.x = (int) hotspotX;
  221623. hs.y = (int) hotspotY;
  221624. NSCursor* c = [[NSCursor alloc] initWithImage: im hotSpot: hs];
  221625. return (void*) c;
  221626. }
  221627. static void* juce_cursorFromData (const unsigned char* data, const int size, float hx, float hy) throw()
  221628. {
  221629. Image* const im = ImageFileFormat::loadFrom ((const char*) data, size);
  221630. jassert (im != 0);
  221631. if (im == 0)
  221632. return 0;
  221633. void* const curs = juce_createMouseCursorFromImage (*im,
  221634. (int) (hx * im->getWidth()),
  221635. (int) (hy * im->getHeight()));
  221636. delete im;
  221637. return curs;
  221638. }
  221639. static void* juce_cursorFromWebKitFile (const char* filename, float hx, float hy)
  221640. {
  221641. File f ("/System/Library/Frameworks/WebKit.framework/Frameworks/WebCore.framework/Resources");
  221642. MemoryBlock mb;
  221643. if (f.getChildFile (filename).loadFileAsData (mb))
  221644. return juce_cursorFromData ((const unsigned char*) mb.getData(), mb.getSize(), hx, hy);
  221645. return 0;
  221646. }
  221647. void* juce_createStandardMouseCursor (MouseCursor::StandardCursorType type) throw()
  221648. {
  221649. NSCursor* c = 0;
  221650. switch (type)
  221651. {
  221652. case MouseCursor::NormalCursor:
  221653. c = [NSCursor arrowCursor];
  221654. break;
  221655. case MouseCursor::NoCursor:
  221656. {
  221657. Image blank (Image::ARGB, 8, 8, true);
  221658. return juce_createMouseCursorFromImage (blank, 0, 0);
  221659. }
  221660. case MouseCursor::DraggingHandCursor:
  221661. c = [NSCursor openHandCursor];
  221662. break;
  221663. case MouseCursor::CopyingCursor:
  221664. return juce_cursorFromWebKitFile ("copyCursor.png", 0, 0);
  221665. case MouseCursor::WaitCursor:
  221666. c = [NSCursor arrowCursor]; // avoid this on the mac, let the OS provide the beachball
  221667. break;
  221668. //return juce_cursorFromWebKitFile ("waitCursor.png", 0.5f, 0.5f);
  221669. case MouseCursor::IBeamCursor:
  221670. c = [NSCursor IBeamCursor];
  221671. break;
  221672. case MouseCursor::PointingHandCursor:
  221673. c = [NSCursor pointingHandCursor];
  221674. break;
  221675. case MouseCursor::LeftRightResizeCursor:
  221676. c = [NSCursor resizeLeftRightCursor];
  221677. break;
  221678. case MouseCursor::LeftEdgeResizeCursor:
  221679. c = [NSCursor resizeLeftCursor];
  221680. break;
  221681. case MouseCursor::RightEdgeResizeCursor:
  221682. c = [NSCursor resizeRightCursor];
  221683. break;
  221684. case MouseCursor::UpDownResizeCursor:
  221685. case MouseCursor::TopEdgeResizeCursor:
  221686. case MouseCursor::BottomEdgeResizeCursor:
  221687. return juce_cursorFromWebKitFile ("northSouthResizeCursor.png", 0.5f, 0.5f);
  221688. case MouseCursor::TopLeftCornerResizeCursor:
  221689. case MouseCursor::BottomRightCornerResizeCursor:
  221690. return juce_cursorFromWebKitFile ("northWestSouthEastResizeCursor.png", 0.5f, 0.5f);
  221691. case MouseCursor::TopRightCornerResizeCursor:
  221692. case MouseCursor::BottomLeftCornerResizeCursor:
  221693. return juce_cursorFromWebKitFile ("northEastSouthWestResizeCursor.png", 0.5f, 0.5f);
  221694. case MouseCursor::UpDownLeftRightResizeCursor:
  221695. return juce_cursorFromWebKitFile ("moveCursor.png", 0.5f, 0.5f);
  221696. case MouseCursor::CrosshairCursor:
  221697. c = [NSCursor crosshairCursor];
  221698. break;
  221699. }
  221700. [c retain];
  221701. return (void*) c;
  221702. }
  221703. void juce_deleteMouseCursor (void* const cursorHandle, const bool isStandard) throw()
  221704. {
  221705. NSCursor* c = (NSCursor*) cursorHandle;
  221706. [c release];
  221707. }
  221708. void MouseCursor::showInAllWindows() const throw()
  221709. {
  221710. showInWindow (0);
  221711. }
  221712. void MouseCursor::showInWindow (ComponentPeer*) const throw()
  221713. {
  221714. NSCursor* const c = (NSCursor*) getHandle();
  221715. if (c != 0)
  221716. [c set];
  221717. }
  221718. Image* juce_createIconForFile (const File& file)
  221719. {
  221720. return 0;
  221721. }
  221722. class MainMenuHandler;
  221723. static MainMenuHandler* mainMenu = 0;
  221724. class MainMenuHandler : private MenuBarModelListener,
  221725. private DeletedAtShutdown
  221726. {
  221727. public:
  221728. MainMenuHandler() throw()
  221729. : currentModel (0)
  221730. {
  221731. }
  221732. ~MainMenuHandler() throw()
  221733. {
  221734. setMenu (0);
  221735. jassert (mainMenu == this);
  221736. mainMenu = 0;
  221737. }
  221738. void setMenu (MenuBarModel* const newMenuBarModel) throw()
  221739. {
  221740. if (currentModel != newMenuBarModel)
  221741. {
  221742. if (currentModel != 0)
  221743. currentModel->removeListener (this);
  221744. currentModel = newMenuBarModel;
  221745. if (currentModel != 0)
  221746. currentModel->addListener (this);
  221747. menuBarItemsChanged (0);
  221748. }
  221749. }
  221750. void menuBarItemsChanged (MenuBarModel*)
  221751. {
  221752. ClearMenuBar();
  221753. if (currentModel != 0)
  221754. {
  221755. int menuId = 1000;
  221756. const StringArray menuNames (currentModel->getMenuBarNames());
  221757. for (int i = 0; i < menuNames.size(); ++i)
  221758. {
  221759. const PopupMenu menu (currentModel->getMenuForIndex (i, menuNames [i]));
  221760. MenuRef m = createMenu (menu, menuNames [i], menuId, i);
  221761. InsertMenu (m, 0);
  221762. CFRelease (m);
  221763. }
  221764. }
  221765. }
  221766. void menuCommandInvoked (MenuBarModel*, const ApplicationCommandTarget::InvocationInfo& info)
  221767. {
  221768. MenuRef menu = 0;
  221769. MenuItemIndex index = 0;
  221770. GetIndMenuItemWithCommandID (0, info.commandID, 1, &menu, &index);
  221771. if (menu != 0)
  221772. {
  221773. FlashMenuBar (GetMenuID (menu));
  221774. FlashMenuBar (GetMenuID (menu));
  221775. }
  221776. }
  221777. void invoke (const int commandId, ApplicationCommandManager* const commandManager, const int topLevelIndex) const
  221778. {
  221779. if (currentModel != 0)
  221780. {
  221781. if (commandManager != 0)
  221782. {
  221783. ApplicationCommandTarget::InvocationInfo info (commandId);
  221784. info.invocationMethod = ApplicationCommandTarget::InvocationInfo::fromMenu;
  221785. commandManager->invoke (info, true);
  221786. }
  221787. currentModel->menuItemSelected (commandId, topLevelIndex);
  221788. }
  221789. }
  221790. MenuBarModel* currentModel;
  221791. private:
  221792. static MenuRef createMenu (const PopupMenu menu,
  221793. const String& menuName,
  221794. int& id,
  221795. const int topLevelIndex)
  221796. {
  221797. MenuRef m = 0;
  221798. if (CreateNewMenu (id++, kMenuAttrAutoDisable, &m) == noErr)
  221799. {
  221800. CFStringRef name = PlatformUtilities::juceStringToCFString (menuName);
  221801. SetMenuTitleWithCFString (m, name);
  221802. CFRelease (name);
  221803. PopupMenu::MenuItemIterator iter (menu);
  221804. while (iter.next())
  221805. {
  221806. MenuItemIndex index = 0;
  221807. int flags = kMenuAttrAutoDisable | kMenuItemAttrIgnoreMeta | kMenuItemAttrNotPreviousAlternate;
  221808. if (! iter.isEnabled)
  221809. flags |= kMenuItemAttrDisabled;
  221810. CFStringRef text = PlatformUtilities::juceStringToCFString (iter.itemName.upToFirstOccurrenceOf (T("<end>"), false, true));
  221811. if (iter.isSeparator)
  221812. {
  221813. AppendMenuItemTextWithCFString (m, text, kMenuItemAttrSeparator, 0, &index);
  221814. }
  221815. else if (iter.isSectionHeader)
  221816. {
  221817. AppendMenuItemTextWithCFString (m, text, kMenuItemAttrSectionHeader, 0, &index);
  221818. }
  221819. else if (iter.subMenu != 0)
  221820. {
  221821. AppendMenuItemTextWithCFString (m, text, flags, id++, &index);
  221822. MenuRef sub = createMenu (*iter.subMenu, iter.itemName, id, topLevelIndex);
  221823. SetMenuItemHierarchicalMenu (m, index, sub);
  221824. CFRelease (sub);
  221825. }
  221826. else
  221827. {
  221828. AppendMenuItemTextWithCFString (m, text, flags, iter.itemId, &index);
  221829. if (iter.isTicked)
  221830. CheckMenuItem (m, index, true);
  221831. SetMenuItemProperty (m, index, 'juce', 'apcm', sizeof (void*), &iter.commandManager);
  221832. SetMenuItemProperty (m, index, 'juce', 'topi', sizeof (int), &topLevelIndex);
  221833. if (iter.commandManager != 0)
  221834. {
  221835. const Array <KeyPress> keyPresses (iter.commandManager->getKeyMappings()
  221836. ->getKeyPressesAssignedToCommand (iter.itemId));
  221837. if (keyPresses.size() > 0)
  221838. {
  221839. const KeyPress& kp = keyPresses.getReference(0);
  221840. int mods = 0;
  221841. if (kp.getModifiers().isShiftDown())
  221842. mods |= kMenuShiftModifier;
  221843. if (kp.getModifiers().isCtrlDown())
  221844. mods |= kMenuControlModifier;
  221845. if (kp.getModifiers().isAltDown())
  221846. mods |= kMenuOptionModifier;
  221847. if (! kp.getModifiers().isCommandDown())
  221848. mods |= kMenuNoCommandModifier;
  221849. tchar keyCode = (tchar) kp.getKeyCode();
  221850. if (kp.getKeyCode() >= KeyPress::numberPad0
  221851. && kp.getKeyCode() <= KeyPress::numberPad9)
  221852. {
  221853. keyCode = (tchar) ((T('0') - KeyPress::numberPad0) + kp.getKeyCode());
  221854. }
  221855. SetMenuItemCommandKey (m, index, true, 255);
  221856. if (CharacterFunctions::isLetterOrDigit (keyCode)
  221857. || CharacterFunctions::indexOfChar (T(",.;/\\'[]=-+_<>?{}\":"), keyCode, false) >= 0)
  221858. {
  221859. SetMenuItemModifiers (m, index, mods);
  221860. SetMenuItemCommandKey (m, index, false, CharacterFunctions::toUpperCase (keyCode));
  221861. }
  221862. else
  221863. {
  221864. const SInt16 glyph = getGlyphForKeyCode (kp.getKeyCode());
  221865. if (glyph != 0)
  221866. {
  221867. SetMenuItemModifiers (m, index, mods);
  221868. SetMenuItemKeyGlyph (m, index, glyph);
  221869. }
  221870. }
  221871. // if we set the key glyph to be a text char, and enable virtual
  221872. // key triggering, it stops the menu automatically triggering the callback
  221873. ChangeMenuItemAttributes (m, index, kMenuItemAttrUseVirtualKey, 0);
  221874. }
  221875. }
  221876. }
  221877. CFRelease (text);
  221878. }
  221879. }
  221880. return m;
  221881. }
  221882. static SInt16 getGlyphForKeyCode (const int keyCode) throw()
  221883. {
  221884. if (keyCode == KeyPress::spaceKey)
  221885. return kMenuSpaceGlyph;
  221886. else if (keyCode == KeyPress::returnKey)
  221887. return kMenuReturnGlyph;
  221888. else if (keyCode == KeyPress::escapeKey)
  221889. return kMenuEscapeGlyph;
  221890. else if (keyCode == KeyPress::backspaceKey)
  221891. return kMenuDeleteLeftGlyph;
  221892. else if (keyCode == KeyPress::leftKey)
  221893. return kMenuLeftArrowGlyph;
  221894. else if (keyCode == KeyPress::rightKey)
  221895. return kMenuRightArrowGlyph;
  221896. else if (keyCode == KeyPress::upKey)
  221897. return kMenuUpArrowGlyph;
  221898. else if (keyCode == KeyPress::downKey)
  221899. return kMenuDownArrowGlyph;
  221900. else if (keyCode == KeyPress::pageUpKey)
  221901. return kMenuPageUpGlyph;
  221902. else if (keyCode == KeyPress::pageDownKey)
  221903. return kMenuPageDownGlyph;
  221904. else if (keyCode == KeyPress::endKey)
  221905. return kMenuSoutheastArrowGlyph;
  221906. else if (keyCode == KeyPress::homeKey)
  221907. return kMenuNorthwestArrowGlyph;
  221908. else if (keyCode == KeyPress::deleteKey)
  221909. return kMenuDeleteRightGlyph;
  221910. else if (keyCode == KeyPress::tabKey)
  221911. return kMenuTabRightGlyph;
  221912. else if (keyCode == KeyPress::F1Key)
  221913. return kMenuF1Glyph;
  221914. else if (keyCode == KeyPress::F2Key)
  221915. return kMenuF2Glyph;
  221916. else if (keyCode == KeyPress::F3Key)
  221917. return kMenuF3Glyph;
  221918. else if (keyCode == KeyPress::F4Key)
  221919. return kMenuF4Glyph;
  221920. else if (keyCode == KeyPress::F5Key)
  221921. return kMenuF5Glyph;
  221922. else if (keyCode == KeyPress::F6Key)
  221923. return kMenuF6Glyph;
  221924. else if (keyCode == KeyPress::F7Key)
  221925. return kMenuF7Glyph;
  221926. else if (keyCode == KeyPress::F8Key)
  221927. return kMenuF8Glyph;
  221928. else if (keyCode == KeyPress::F9Key)
  221929. return kMenuF9Glyph;
  221930. else if (keyCode == KeyPress::F10Key)
  221931. return kMenuF10Glyph;
  221932. else if (keyCode == KeyPress::F11Key)
  221933. return kMenuF11Glyph;
  221934. else if (keyCode == KeyPress::F12Key)
  221935. return kMenuF12Glyph;
  221936. else if (keyCode == KeyPress::F13Key)
  221937. return kMenuF13Glyph;
  221938. else if (keyCode == KeyPress::F14Key)
  221939. return kMenuF14Glyph;
  221940. else if (keyCode == KeyPress::F15Key)
  221941. return kMenuF15Glyph;
  221942. return 0;
  221943. }
  221944. };
  221945. void MenuBarModel::setMacMainMenu (MenuBarModel* newMenuBarModel) throw()
  221946. {
  221947. if (getMacMainMenu() != newMenuBarModel)
  221948. {
  221949. if (newMenuBarModel == 0)
  221950. {
  221951. delete mainMenu;
  221952. jassert (mainMenu == 0); // should be zeroed in the destructor
  221953. }
  221954. else
  221955. {
  221956. if (mainMenu == 0)
  221957. mainMenu = new MainMenuHandler();
  221958. mainMenu->setMenu (newMenuBarModel);
  221959. }
  221960. }
  221961. }
  221962. MenuBarModel* MenuBarModel::getMacMainMenu() throw()
  221963. {
  221964. return mainMenu != 0 ? mainMenu->currentModel : 0;
  221965. }
  221966. // these functions are called externally from the message handling code
  221967. void juce_MainMenuAboutToBeUsed()
  221968. {
  221969. // force an update of the items just before the menu appears..
  221970. if (mainMenu != 0)
  221971. mainMenu->menuBarItemsChanged (0);
  221972. }
  221973. void juce_InvokeMainMenuCommand (const HICommand& command)
  221974. {
  221975. if (mainMenu != 0)
  221976. {
  221977. ApplicationCommandManager* commandManager = 0;
  221978. int topLevelIndex = 0;
  221979. if (GetMenuItemProperty (command.menu.menuRef, command.menu.menuItemIndex,
  221980. 'juce', 'apcm', sizeof (commandManager), 0, &commandManager) == noErr
  221981. && GetMenuItemProperty (command.menu.menuRef, command.menu.menuItemIndex,
  221982. 'juce', 'topi', sizeof (topLevelIndex), 0, &topLevelIndex) == noErr)
  221983. {
  221984. mainMenu->invoke (command.commandID, commandManager, topLevelIndex);
  221985. }
  221986. }
  221987. }
  221988. void PlatformUtilities::beep()
  221989. {
  221990. SysBeep (30);
  221991. }
  221992. void SystemClipboard::copyTextToClipboard (const String& text) throw()
  221993. {
  221994. ClearCurrentScrap();
  221995. ScrapRef ref;
  221996. GetCurrentScrap (&ref);
  221997. const int len = text.length();
  221998. const int numBytes = sizeof (UniChar) * len;
  221999. UniChar* const temp = (UniChar*) juce_calloc (numBytes);
  222000. for (int i = 0; i < len; ++i)
  222001. temp[i] = (UniChar) text[i];
  222002. PutScrapFlavor (ref,
  222003. kScrapFlavorTypeUnicode,
  222004. kScrapFlavorMaskNone,
  222005. numBytes,
  222006. temp);
  222007. juce_free (temp);
  222008. }
  222009. const String SystemClipboard::getTextFromClipboard() throw()
  222010. {
  222011. String result;
  222012. ScrapRef ref;
  222013. GetCurrentScrap (&ref);
  222014. Size size = 0;
  222015. if (GetScrapFlavorSize (ref, kScrapFlavorTypeUnicode, &size) == noErr
  222016. && size > 0)
  222017. {
  222018. void* const data = juce_calloc (size + 8);
  222019. if (GetScrapFlavorData (ref, kScrapFlavorTypeUnicode, &size, data) == noErr)
  222020. {
  222021. result = PlatformUtilities::convertUTF16ToString ((UniChar*) data);
  222022. }
  222023. juce_free (data);
  222024. }
  222025. return result;
  222026. }
  222027. bool AlertWindow::showNativeDialogBox (const String& title,
  222028. const String& bodyText,
  222029. bool isOkCancel)
  222030. {
  222031. Str255 tit, txt;
  222032. PlatformUtilities::copyToStr255 (tit, title);
  222033. PlatformUtilities::copyToStr255 (txt, bodyText);
  222034. AlertStdAlertParamRec ar;
  222035. ar.movable = true;
  222036. ar.helpButton = false;
  222037. ar.filterProc = 0;
  222038. ar.defaultText = (const unsigned char*)-1;
  222039. ar.cancelText = (const unsigned char*)((isOkCancel) ? -1 : 0);
  222040. ar.otherText = 0;
  222041. ar.defaultButton = kAlertStdAlertOKButton;
  222042. ar.cancelButton = 0;
  222043. ar.position = kWindowDefaultPosition;
  222044. SInt16 result;
  222045. StandardAlert (kAlertNoteAlert, tit, txt, &ar, &result);
  222046. return result == kAlertStdAlertOKButton;
  222047. }
  222048. const int KeyPress::spaceKey = ' ';
  222049. const int KeyPress::returnKey = kReturnCharCode;
  222050. const int KeyPress::escapeKey = kEscapeCharCode;
  222051. const int KeyPress::backspaceKey = kBackspaceCharCode;
  222052. const int KeyPress::leftKey = kLeftArrowCharCode;
  222053. const int KeyPress::rightKey = kRightArrowCharCode;
  222054. const int KeyPress::upKey = kUpArrowCharCode;
  222055. const int KeyPress::downKey = kDownArrowCharCode;
  222056. const int KeyPress::pageUpKey = kPageUpCharCode;
  222057. const int KeyPress::pageDownKey = kPageDownCharCode;
  222058. const int KeyPress::endKey = kEndCharCode;
  222059. const int KeyPress::homeKey = kHomeCharCode;
  222060. const int KeyPress::deleteKey = kDeleteCharCode;
  222061. const int KeyPress::insertKey = -1;
  222062. const int KeyPress::tabKey = kTabCharCode;
  222063. const int KeyPress::F1Key = 0x10110;
  222064. const int KeyPress::F2Key = 0x10111;
  222065. const int KeyPress::F3Key = 0x10112;
  222066. const int KeyPress::F4Key = 0x10113;
  222067. const int KeyPress::F5Key = 0x10114;
  222068. const int KeyPress::F6Key = 0x10115;
  222069. const int KeyPress::F7Key = 0x10116;
  222070. const int KeyPress::F8Key = 0x10117;
  222071. const int KeyPress::F9Key = 0x10118;
  222072. const int KeyPress::F10Key = 0x10119;
  222073. const int KeyPress::F11Key = 0x1011a;
  222074. const int KeyPress::F12Key = 0x1011b;
  222075. const int KeyPress::F13Key = 0x1011c;
  222076. const int KeyPress::F14Key = 0x1011d;
  222077. const int KeyPress::F15Key = 0x1011e;
  222078. const int KeyPress::F16Key = 0x1011f;
  222079. const int KeyPress::numberPad0 = 0x30020;
  222080. const int KeyPress::numberPad1 = 0x30021;
  222081. const int KeyPress::numberPad2 = 0x30022;
  222082. const int KeyPress::numberPad3 = 0x30023;
  222083. const int KeyPress::numberPad4 = 0x30024;
  222084. const int KeyPress::numberPad5 = 0x30025;
  222085. const int KeyPress::numberPad6 = 0x30026;
  222086. const int KeyPress::numberPad7 = 0x30027;
  222087. const int KeyPress::numberPad8 = 0x30028;
  222088. const int KeyPress::numberPad9 = 0x30029;
  222089. const int KeyPress::numberPadAdd = 0x3002a;
  222090. const int KeyPress::numberPadSubtract = 0x3002b;
  222091. const int KeyPress::numberPadMultiply = 0x3002c;
  222092. const int KeyPress::numberPadDivide = 0x3002d;
  222093. const int KeyPress::numberPadSeparator = 0x3002e;
  222094. const int KeyPress::numberPadDecimalPoint = 0x3002f;
  222095. const int KeyPress::numberPadEquals = 0x30030;
  222096. const int KeyPress::numberPadDelete = 0x30031;
  222097. const int KeyPress::playKey = 0x30000;
  222098. const int KeyPress::stopKey = 0x30001;
  222099. const int KeyPress::fastForwardKey = 0x30002;
  222100. const int KeyPress::rewindKey = 0x30003;
  222101. AppleRemoteDevice::AppleRemoteDevice()
  222102. : device (0),
  222103. queue (0),
  222104. remoteId (0)
  222105. {
  222106. }
  222107. AppleRemoteDevice::~AppleRemoteDevice()
  222108. {
  222109. stop();
  222110. }
  222111. static io_object_t getAppleRemoteDevice() throw()
  222112. {
  222113. CFMutableDictionaryRef dict = IOServiceMatching ("AppleIRController");
  222114. io_iterator_t iter = 0;
  222115. io_object_t iod = 0;
  222116. if (IOServiceGetMatchingServices (kIOMasterPortDefault, dict, &iter) == kIOReturnSuccess
  222117. && iter != 0)
  222118. {
  222119. iod = IOIteratorNext (iter);
  222120. }
  222121. IOObjectRelease (iter);
  222122. return iod;
  222123. }
  222124. static bool createAppleRemoteInterface (io_object_t iod, void** device) throw()
  222125. {
  222126. jassert (*device == 0);
  222127. io_name_t classname;
  222128. if (IOObjectGetClass (iod, classname) == kIOReturnSuccess)
  222129. {
  222130. IOCFPlugInInterface** cfPlugInInterface = 0;
  222131. SInt32 score = 0;
  222132. if (IOCreatePlugInInterfaceForService (iod,
  222133. kIOHIDDeviceUserClientTypeID,
  222134. kIOCFPlugInInterfaceID,
  222135. &cfPlugInInterface,
  222136. &score) == kIOReturnSuccess)
  222137. {
  222138. HRESULT hr = (*cfPlugInInterface)->QueryInterface (cfPlugInInterface,
  222139. CFUUIDGetUUIDBytes (kIOHIDDeviceInterfaceID),
  222140. device);
  222141. (void) hr;
  222142. (*cfPlugInInterface)->Release (cfPlugInInterface);
  222143. }
  222144. }
  222145. return *device != 0;
  222146. }
  222147. bool AppleRemoteDevice::start (const bool inExclusiveMode) throw()
  222148. {
  222149. if (queue != 0)
  222150. return true;
  222151. stop();
  222152. bool result = false;
  222153. io_object_t iod = getAppleRemoteDevice();
  222154. if (iod != 0)
  222155. {
  222156. if (createAppleRemoteInterface (iod, &device) && open (inExclusiveMode))
  222157. result = true;
  222158. else
  222159. stop();
  222160. IOObjectRelease (iod);
  222161. }
  222162. return result;
  222163. }
  222164. void AppleRemoteDevice::stop() throw()
  222165. {
  222166. if (queue != 0)
  222167. {
  222168. (*(IOHIDQueueInterface**) queue)->stop ((IOHIDQueueInterface**) queue);
  222169. (*(IOHIDQueueInterface**) queue)->dispose ((IOHIDQueueInterface**) queue);
  222170. (*(IOHIDQueueInterface**) queue)->Release ((IOHIDQueueInterface**) queue);
  222171. queue = 0;
  222172. }
  222173. if (device != 0)
  222174. {
  222175. (*(IOHIDDeviceInterface**) device)->close ((IOHIDDeviceInterface**) device);
  222176. (*(IOHIDDeviceInterface**) device)->Release ((IOHIDDeviceInterface**) device);
  222177. device = 0;
  222178. }
  222179. }
  222180. bool AppleRemoteDevice::isActive() const throw()
  222181. {
  222182. return queue != 0;
  222183. }
  222184. static void appleRemoteQueueCallback (void* const target, const IOReturn result, void*, void*)
  222185. {
  222186. if (result == kIOReturnSuccess)
  222187. ((AppleRemoteDevice*) target)->handleCallbackInternal();
  222188. }
  222189. bool AppleRemoteDevice::open (const bool openInExclusiveMode) throw()
  222190. {
  222191. #if ! MACOS_10_2_OR_EARLIER
  222192. Array <int> cookies;
  222193. CFArrayRef elements;
  222194. IOHIDDeviceInterface122** const device122 = (IOHIDDeviceInterface122**) device;
  222195. if ((*device122)->copyMatchingElements (device122, 0, &elements) != kIOReturnSuccess)
  222196. return false;
  222197. for (int i = 0; i < CFArrayGetCount (elements); ++i)
  222198. {
  222199. CFDictionaryRef element = (CFDictionaryRef) CFArrayGetValueAtIndex (elements, i);
  222200. // get the cookie
  222201. CFTypeRef object = CFDictionaryGetValue (element, CFSTR (kIOHIDElementCookieKey));
  222202. if (object == 0 || CFGetTypeID (object) != CFNumberGetTypeID())
  222203. continue;
  222204. long number;
  222205. if (! CFNumberGetValue ((CFNumberRef) object, kCFNumberLongType, &number))
  222206. continue;
  222207. cookies.add ((int) number);
  222208. }
  222209. CFRelease (elements);
  222210. if ((*(IOHIDDeviceInterface**) device)
  222211. ->open ((IOHIDDeviceInterface**) device,
  222212. openInExclusiveMode ? kIOHIDOptionsTypeSeizeDevice
  222213. : kIOHIDOptionsTypeNone) == KERN_SUCCESS)
  222214. {
  222215. queue = (*(IOHIDDeviceInterface**) device)->allocQueue ((IOHIDDeviceInterface**) device);
  222216. if (queue != 0)
  222217. {
  222218. (*(IOHIDQueueInterface**) queue)->create ((IOHIDQueueInterface**) queue, 0, 12);
  222219. for (int i = 0; i < cookies.size(); ++i)
  222220. {
  222221. IOHIDElementCookie cookie = (IOHIDElementCookie) cookies.getUnchecked(i);
  222222. (*(IOHIDQueueInterface**) queue)->addElement ((IOHIDQueueInterface**) queue, cookie, 0);
  222223. }
  222224. CFRunLoopSourceRef eventSource;
  222225. if ((*(IOHIDQueueInterface**) queue)
  222226. ->createAsyncEventSource ((IOHIDQueueInterface**) queue, &eventSource) == KERN_SUCCESS)
  222227. {
  222228. if ((*(IOHIDQueueInterface**) queue)->setEventCallout ((IOHIDQueueInterface**) queue,
  222229. appleRemoteQueueCallback, this, 0) == KERN_SUCCESS)
  222230. {
  222231. CFRunLoopAddSource (CFRunLoopGetCurrent(), eventSource, kCFRunLoopDefaultMode);
  222232. (*(IOHIDQueueInterface**) queue)->start ((IOHIDQueueInterface**) queue);
  222233. return true;
  222234. }
  222235. }
  222236. }
  222237. }
  222238. #endif
  222239. return false;
  222240. }
  222241. void AppleRemoteDevice::handleCallbackInternal()
  222242. {
  222243. int totalValues = 0;
  222244. AbsoluteTime nullTime = { 0, 0 };
  222245. char cookies [12];
  222246. int numCookies = 0;
  222247. while (numCookies < numElementsInArray (cookies))
  222248. {
  222249. IOHIDEventStruct e;
  222250. if ((*(IOHIDQueueInterface**) queue)->getNextEvent ((IOHIDQueueInterface**) queue, &e, nullTime, 0) != kIOReturnSuccess)
  222251. break;
  222252. if ((int) e.elementCookie == 19)
  222253. {
  222254. remoteId = e.value;
  222255. buttonPressed (switched, false);
  222256. }
  222257. else
  222258. {
  222259. totalValues += e.value;
  222260. cookies [numCookies++] = (char) (pointer_sized_int) e.elementCookie;
  222261. }
  222262. }
  222263. cookies [numCookies++] = 0;
  222264. static const char buttonPatterns[] =
  222265. {
  222266. 14, 7, 6, 5, 14, 7, 6, 5, 0,
  222267. 14, 8, 6, 5, 14, 8, 6, 5, 0,
  222268. 14, 12, 11, 6, 5, 0,
  222269. 14, 13, 11, 6, 5, 0,
  222270. 14, 9, 6, 5, 14, 9, 6, 5, 0,
  222271. 14, 10, 6, 5, 14, 10, 6, 5, 0,
  222272. 14, 6, 5, 4, 2, 0,
  222273. 14, 6, 5, 3, 2, 0,
  222274. 14, 6, 5, 14, 6, 5, 0,
  222275. 18, 14, 6, 5, 18, 14, 6, 5, 0,
  222276. 19, 0
  222277. };
  222278. int buttonNum = (int) menuButton;
  222279. int i = 0;
  222280. while (i < numElementsInArray (buttonPatterns))
  222281. {
  222282. if (strcmp (cookies, buttonPatterns + i) == 0)
  222283. {
  222284. buttonPressed ((ButtonType) buttonNum, totalValues > 0);
  222285. break;
  222286. }
  222287. i += strlen (buttonPatterns + i) + 1;
  222288. ++buttonNum;
  222289. }
  222290. }
  222291. #if JUCE_OPENGL
  222292. class WindowedGLContext : public OpenGLContext
  222293. {
  222294. public:
  222295. WindowedGLContext (Component* const component,
  222296. const OpenGLPixelFormat& pixelFormat_,
  222297. AGLContext sharedContext)
  222298. : renderContext (0),
  222299. pixelFormat (pixelFormat_)
  222300. {
  222301. jassert (component != 0);
  222302. HIViewComponentPeer* const peer = dynamic_cast <HIViewComponentPeer*> (component->getTopLevelComponent()->getPeer());
  222303. if (peer == 0)
  222304. return;
  222305. GLint attribs [64];
  222306. int n = 0;
  222307. attribs[n++] = AGL_RGBA;
  222308. attribs[n++] = AGL_DOUBLEBUFFER;
  222309. attribs[n++] = AGL_ACCELERATED;
  222310. attribs[n++] = AGL_RED_SIZE;
  222311. attribs[n++] = pixelFormat.redBits;
  222312. attribs[n++] = AGL_GREEN_SIZE;
  222313. attribs[n++] = pixelFormat.greenBits;
  222314. attribs[n++] = AGL_BLUE_SIZE;
  222315. attribs[n++] = pixelFormat.blueBits;
  222316. attribs[n++] = AGL_ALPHA_SIZE;
  222317. attribs[n++] = pixelFormat.alphaBits;
  222318. attribs[n++] = AGL_DEPTH_SIZE;
  222319. attribs[n++] = pixelFormat.depthBufferBits;
  222320. attribs[n++] = AGL_STENCIL_SIZE;
  222321. attribs[n++] = pixelFormat.stencilBufferBits;
  222322. attribs[n++] = AGL_ACCUM_RED_SIZE;
  222323. attribs[n++] = pixelFormat.accumulationBufferRedBits;
  222324. attribs[n++] = AGL_ACCUM_GREEN_SIZE;
  222325. attribs[n++] = pixelFormat.accumulationBufferGreenBits;
  222326. attribs[n++] = AGL_ACCUM_BLUE_SIZE;
  222327. attribs[n++] = pixelFormat.accumulationBufferBlueBits;
  222328. attribs[n++] = AGL_ACCUM_ALPHA_SIZE;
  222329. attribs[n++] = pixelFormat.accumulationBufferAlphaBits;
  222330. // xxx not sure how to do fullSceneAntiAliasingNumSamples..
  222331. attribs[n++] = AGL_SAMPLE_BUFFERS_ARB;
  222332. attribs[n++] = 1;
  222333. attribs[n++] = AGL_SAMPLES_ARB;
  222334. attribs[n++] = 4;
  222335. attribs[n++] = AGL_CLOSEST_POLICY;
  222336. attribs[n++] = AGL_NO_RECOVERY;
  222337. attribs[n++] = AGL_NONE;
  222338. renderContext = aglCreateContext (aglChoosePixelFormat (0, 0, attribs),
  222339. sharedContext);
  222340. aglSetDrawable (renderContext, GetWindowPort (peer->windowRef));
  222341. }
  222342. ~WindowedGLContext()
  222343. {
  222344. makeInactive();
  222345. aglSetDrawable (renderContext, 0);
  222346. aglDestroyContext (renderContext);
  222347. }
  222348. bool makeActive() const throw()
  222349. {
  222350. jassert (renderContext != 0);
  222351. return aglSetCurrentContext (renderContext);
  222352. }
  222353. bool makeInactive() const throw()
  222354. {
  222355. return (! isActive()) || aglSetCurrentContext (0);
  222356. }
  222357. bool isActive() const throw()
  222358. {
  222359. return aglGetCurrentContext() == renderContext;
  222360. }
  222361. const OpenGLPixelFormat getPixelFormat() const
  222362. {
  222363. return pixelFormat;
  222364. }
  222365. void* getRawContext() const throw()
  222366. {
  222367. return renderContext;
  222368. }
  222369. void updateWindowPosition (int x, int y, int w, int h, int outerWindowHeight)
  222370. {
  222371. GLint bufferRect[4];
  222372. bufferRect[0] = x;
  222373. bufferRect[1] = outerWindowHeight - (y + h);
  222374. bufferRect[2] = w;
  222375. bufferRect[3] = h;
  222376. aglSetInteger (renderContext, AGL_BUFFER_RECT, bufferRect);
  222377. aglEnable (renderContext, AGL_BUFFER_RECT);
  222378. }
  222379. void swapBuffers()
  222380. {
  222381. aglSwapBuffers (renderContext);
  222382. }
  222383. bool setSwapInterval (const int numFramesPerSwap)
  222384. {
  222385. return aglSetInteger (renderContext, AGL_SWAP_INTERVAL, (const GLint*) &numFramesPerSwap);
  222386. }
  222387. int getSwapInterval() const
  222388. {
  222389. GLint numFrames = 0;
  222390. aglGetInteger (renderContext, AGL_SWAP_INTERVAL, &numFrames);
  222391. return numFrames;
  222392. }
  222393. void repaint()
  222394. {
  222395. }
  222396. juce_UseDebuggingNewOperator
  222397. AGLContext renderContext;
  222398. private:
  222399. OpenGLPixelFormat pixelFormat;
  222400. WindowedGLContext (const WindowedGLContext&);
  222401. const WindowedGLContext& operator= (const WindowedGLContext&);
  222402. };
  222403. OpenGLContext* OpenGLContext::createContextForWindow (Component* const component,
  222404. const OpenGLPixelFormat& pixelFormat,
  222405. const OpenGLContext* const contextToShareWith)
  222406. {
  222407. WindowedGLContext* c = new WindowedGLContext (component, pixelFormat,
  222408. contextToShareWith != 0 ? (AGLContext) contextToShareWith->getRawContext() : 0);
  222409. if (c->renderContext == 0)
  222410. deleteAndZero (c);
  222411. return c;
  222412. }
  222413. void juce_glViewport (const int w, const int h)
  222414. {
  222415. glViewport (0, 0, w, h);
  222416. }
  222417. static int getAGLAttribute (AGLPixelFormat p, const GLint attrib)
  222418. {
  222419. GLint result = 0;
  222420. aglDescribePixelFormat (p, attrib, &result);
  222421. return result;
  222422. }
  222423. void OpenGLPixelFormat::getAvailablePixelFormats (Component* /*component*/,
  222424. OwnedArray <OpenGLPixelFormat>& results)
  222425. {
  222426. GLint attribs [64];
  222427. int n = 0;
  222428. attribs[n++] = AGL_RGBA;
  222429. attribs[n++] = AGL_DOUBLEBUFFER;
  222430. attribs[n++] = AGL_ACCELERATED;
  222431. attribs[n++] = AGL_NO_RECOVERY;
  222432. attribs[n++] = AGL_NONE;
  222433. AGLPixelFormat p = aglChoosePixelFormat (0, 0, attribs);
  222434. while (p != 0)
  222435. {
  222436. OpenGLPixelFormat* const pf = new OpenGLPixelFormat();
  222437. pf->redBits = getAGLAttribute (p, AGL_RED_SIZE);
  222438. pf->greenBits = getAGLAttribute (p, AGL_GREEN_SIZE);
  222439. pf->blueBits = getAGLAttribute (p, AGL_BLUE_SIZE);
  222440. pf->alphaBits = getAGLAttribute (p, AGL_ALPHA_SIZE);
  222441. pf->depthBufferBits = getAGLAttribute (p, AGL_DEPTH_SIZE);
  222442. pf->stencilBufferBits = getAGLAttribute (p, AGL_STENCIL_SIZE);
  222443. pf->accumulationBufferRedBits = getAGLAttribute (p, AGL_ACCUM_RED_SIZE);
  222444. pf->accumulationBufferGreenBits = getAGLAttribute (p, AGL_ACCUM_GREEN_SIZE);
  222445. pf->accumulationBufferBlueBits = getAGLAttribute (p, AGL_ACCUM_BLUE_SIZE);
  222446. pf->accumulationBufferAlphaBits = getAGLAttribute (p, AGL_ACCUM_ALPHA_SIZE);
  222447. results.add (pf);
  222448. p = aglNextPixelFormat (p);
  222449. }
  222450. }
  222451. #endif
  222452. END_JUCE_NAMESPACE
  222453. /********* End of inlined file: juce_mac_Windowing.mm *********/
  222454. #endif
  222455. #endif